From 8ad3aab2a567e1591e98c96102c0e34a7be2bd4a Mon Sep 17 00:00:00 2001 From: Anggoran Date: Tue, 5 Nov 2024 07:52:01 +0700 Subject: [PATCH 01/16] edit: fresh gen --- fresh.gen.ts | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/fresh.gen.ts b/fresh.gen.ts index b9eed12..a117164 100644 --- a/fresh.gen.ts +++ b/fresh.gen.ts @@ -4,6 +4,7 @@ import * as $_404 from "./routes/_404.tsx"; import * as $_app from "./routes/_app.tsx"; +import * as $api_listening from "./routes/api/listening.ts"; import * as $api_word from "./routes/api/word.ts"; import * as $greet_name_ from "./routes/greet/[name].tsx"; import * as $hanzi_id_ from "./routes/hanzi/[id].tsx"; @@ -15,6 +16,7 @@ import * as $reading_index from "./routes/reading/index.tsx"; import * as $word_index from "./routes/word/index.tsx"; import * as $writing_quiz_ from "./routes/writing/[quiz].tsx"; import * as $writing_index from "./routes/writing/index.tsx"; +import * as $Autocomplete from "./islands/Autocomplete.tsx"; import * as $Counter from "./islands/Counter.tsx"; import * as $Dropdown from "./islands/Dropdown.tsx"; import * as $InfiniteWords from "./islands/InfiniteWords.tsx"; @@ -30,6 +32,7 @@ const manifest = { routes: { "./routes/_404.tsx": $_404, "./routes/_app.tsx": $_app, + "./routes/api/listening.ts": $api_listening, "./routes/api/word.ts": $api_word, "./routes/greet/[name].tsx": $greet_name_, "./routes/hanzi/[id].tsx": $hanzi_id_, @@ -43,6 +46,7 @@ const manifest = { "./routes/writing/index.tsx": $writing_index, }, islands: { + "./islands/Autocomplete.tsx": $Autocomplete, "./islands/Counter.tsx": $Counter, "./islands/Dropdown.tsx": $Dropdown, "./islands/InfiniteWords.tsx": $InfiniteWords, From 4fefa0862fef39896007241d5225a8d4ab4b26e6 Mon Sep 17 00:00:00 2001 From: Anggoran Date: Tue, 5 Nov 2024 07:52:22 +0700 Subject: [PATCH 02/16] add: autocomplete pwrd by claude --- islands/Autocomplete.tsx | 91 ++++++++++++++++++++++++++++++++++++++++ 1 file changed, 91 insertions(+) create mode 100644 islands/Autocomplete.tsx diff --git a/islands/Autocomplete.tsx b/islands/Autocomplete.tsx new file mode 100644 index 0000000..5645220 --- /dev/null +++ b/islands/Autocomplete.tsx @@ -0,0 +1,91 @@ +import { Signal } from "@preact/signals"; +import { useEffect, useState } from "preact/hooks"; +import { JSX } from "preact/jsx-runtime"; + +// Define the props interface for the Autocomplete component +interface AutocompleteProps { + field: string; // Field name for the input + endpoint: string; // API endpoint for fetching suggestions + state: Signal; // Signal for state management +} + +export default function Autocomplete( + { props }: { props: AutocompleteProps }, +) { + // State management + const [inputValue, setInputValue] = useState(""); + const [timeoutID, setTimeoutID] = useState(null); + const [showDatalist, setShowDatalist] = useState(false); + const [suggestions, setSuggestions] = useState([]); + + /** + * Handle input changes with debouncing + * @param e - Input event + */ + const handleChange = (e: JSX.TargetedEvent) => { + const value = (e.target as HTMLInputElement).value; + setInputValue(value); + + // Update parent state + props.state.value = { ...props.state.value, latin: value }; + setShowDatalist(false); + + // Clear existing timeout + if (timeoutID) clearTimeout(timeoutID); + + // Set new timeout for debouncing + if (value.trim()) { + const newTimeoutID = setTimeout(() => { + setShowDatalist(true); + }, 500); + setTimeoutID(newTimeoutID); + } + }; + + /** + * Fetch suggestions when showDatalist changes + */ + useEffect(() => { + const fetchSuggestions = async () => { + if (!showDatalist || !inputValue.trim()) return; + + try { + const response = await fetch( + props.endpoint + encodeURIComponent(inputValue), + ); + const data = await response.json(); + setSuggestions(data); + setShowDatalist(true); + } catch (error) { + console.error("Failed to fetch suggestions:", error); + setSuggestions([]); + } + }; + + fetchSuggestions(); + }, [showDatalist, inputValue]); + + return ( +
+
+ + {/* Render datalist only when there are suggestions */} + {showDatalist && suggestions.length > 0 && ( + + {suggestions.map((suggestion, index) => ( + + )} +
+
+ ); +} From 74524b169b3a834edce8dc36f4e15b6f3f3ba084 Mon Sep 17 00:00:00 2001 From: Anggoran Date: Tue, 5 Nov 2024 07:52:44 +0700 Subject: [PATCH 03/16] edit: dropdown reusability --- islands/Dropdown.tsx | 24 +++++++++++------------- 1 file changed, 11 insertions(+), 13 deletions(-) diff --git a/islands/Dropdown.tsx b/islands/Dropdown.tsx index 3ab6c70..c8c91b9 100644 --- a/islands/Dropdown.tsx +++ b/islands/Dropdown.tsx @@ -1,27 +1,25 @@ import { Signal } from "@preact/signals"; import { JSX } from "preact/jsx-runtime"; -import { PinyinPartModel } from "../models/pinyin.ts"; -import { AnswerModel } from "../models/pinyin.ts"; interface DropdownProps { - section: string; - model: PinyinPartModel[] | undefined; - data: Signal; + field: string; + options: { label: string; value: string | number | null }[] | undefined; + state: Signal; } -export function Dropdown({ props }: { props: DropdownProps }) { +export default function Dropdown({ props }: { props: DropdownProps }) { const handleChange = (e: JSX.TargetedEvent) => { const selected = (e.target as HTMLInputElement).value; - props.data.value = { - ...props.data.value, - [`${props.section}_id`]: props.model?.find((e) => e.name == selected)?.id, - }; + props.state.value[props.field] = selected; + console.log(props.state.value); }; return ( - + + {props?.options?.map((e) => ( + + ))} ); } From b79ed8004e49b6dea6dbec6a13cc54a30658d78f Mon Sep 17 00:00:00 2001 From: Anggoran Date: Tue, 5 Nov 2024 07:53:04 +0700 Subject: [PATCH 04/16] edit: listening backend --- controllers/listening.ts | 107 +++++++++++++++------------------------ models/pinyin.ts | 33 ++++-------- routes/api/listening.ts | 13 +++++ 3 files changed, 64 insertions(+), 89 deletions(-) create mode 100644 routes/api/listening.ts diff --git a/controllers/listening.ts b/controllers/listening.ts index a2a2f76..13850a7 100644 --- a/controllers/listening.ts +++ b/controllers/listening.ts @@ -1,8 +1,5 @@ import { FreshContext } from "$fresh/server.ts"; -import { HanziModel, PinyinPartModel } from "../models/pinyin.ts"; -import { PinyinModel } from "../models/pinyin.ts"; -import { readJSON } from "../utils/read-json.ts"; -import { readTXT } from "../utils/read-txt.ts"; +import { supabase } from "../utils/supabase.ts"; export const getListening = async ( req: Request, @@ -10,47 +7,40 @@ export const getListening = async ( ) => { const url = new URL(req.url); const params = { - question: url.searchParams.get("question"), - answer: url.searchParams.get("answer"), + question: url.searchParams.get("q_id"), + answer: url.searchParams.get("a"), }; - const hanziTXT: string[] = await readTXT("unihan"); - const pinyinJSON: PinyinModel[] = await readJSON("pinyins"); - const initialJSON: PinyinPartModel[] = await readJSON("initials"); - const finalJSON: PinyinPartModel[] = await readJSON("finals"); - const toneJSON: PinyinPartModel[] = await readJSON("tones"); + let hp: { id: string; form: string | null; sound: string | null }; + let truth: boolean | undefined; - const randomNumber = Math.floor(Math.random() * hanziTXT.length); - const randomHanzi: HanziModel = JSON.parse(hanziTXT[randomNumber]); - - let question = randomHanzi.character; - let answer = { initial_id: 0, final_id: 0, tone_id: 0 }; - let solution = null; - let truth = null; - - if (params.question !== null && params.answer !== null) { - const currentHanzi: HanziModel = JSON.parse( - hanziTXT.find((e) => e.includes(`"character":"${params.question}"`))!, - ); - const currentAnswer = pinyinJSON.find((e) => e.name === params.answer)!; - - question = currentHanzi.character; - answer = { ...currentAnswer }; - solution = currentHanzi.pinyin[0]; - truth = solution === currentAnswer.name; + if (params.answer) { + const { data } = await supabase.from("hanzis_pinyins") + .select("id, hanzi:hanzi_id (form), pinyin:pinyin_id (sound)") + .eq("id", params.question) + .single(); + const hanzi = Array.isArray(data!.hanzi) ? data!.hanzi[0] : data!.hanzi; + const pinyin = Array.isArray(data!.pinyin) ? data!.pinyin[0] : data!.pinyin; + hp = { id: data!.id, form: hanzi.form, sound: pinyin.sound }; + truth = pinyin.sound === params.answer; + } else { + const { count } = await supabase.from("hanzis_pinyins") + .select("*", { count: "exact" }); + const randomNumber = Math.floor(Math.random() * count!); + const { data } = await supabase.from("hanzis_pinyins") + .select("id, hanzi:hanzi_id (form)") + .eq("id", randomNumber) + .single(); + const hanzi = Array.isArray(data!.hanzi) ? data!.hanzi[0] : data!.hanzi; + hp = { id: data!.id, form: hanzi.form, sound: null }; } return ctx.render({ - question, - answer, - solution, + id: hp.id, + question: hp.form, + solution: hp.sound, + answer: params.answer, truth, - options: { - pinyins: pinyinJSON, - initials: initialJSON, - finals: finalJSON, - tones: toneJSON, - }, }); }; @@ -61,36 +51,23 @@ export const postListening = async ( const url = new URL(req.url); const form = await req.formData(); const entries = { - question: form.get("question"), - initial: form.get("initial"), - final: form.get("final"), + q_id: form.get("q_id"), + latin: form.get("latin"), tone: form.get("tone"), }; - const hanziTXT: string[] = await readTXT("unihan"); - const pinyinJSON: PinyinModel[] = await readJSON("pinyins"); - const initialJSON: PinyinPartModel[] = await readJSON("initials"); - const finalJSON: PinyinPartModel[] = await readJSON("finals"); - const toneJSON: PinyinPartModel[] = await readJSON("tones"); - - const rawHanzi = hanziTXT.find((e) => - e.includes(`"character":"${entries.question}"`) - )!; - const hanzi: HanziModel = JSON.parse(rawHanzi); - const questionURI = encodeURIComponent(hanzi.character); + const { data } = await supabase.from("pinyins") + .select("sound") + .eq("latin", entries.latin).eq("tone", entries.tone) + .single(); + const questionURI = encodeURIComponent(entries.q_id as string); + const answerURI = encodeURIComponent(data?.sound ?? "N.A."); - const rawAnswer = { - initial_id: initialJSON.find((e) => e.name == entries.initial)!.id, - final_id: finalJSON.find((e) => e.name == entries.final)!.id, - tone_id: toneJSON.find((e) => e.name == entries.tone)!.id, - }; - const answer = pinyinJSON.find((e) => - e.initial_id === rawAnswer.initial_id && - e.final_id === rawAnswer.final_id && - e.tone_id === rawAnswer.tone_id - ); - const answerURI = encodeURIComponent(answer?.name ?? "N.A."); - - const params = `question=${questionURI}` + "&" + `answer=${answerURI}`; + const params = `q_id=${questionURI}` + "&" + `a=${answerURI}`; return Response.redirect(`${url}?${params}`, 303); }; + +export const getLatinList = async ({ keyword }: { keyword: string }) => { + const { data } = await supabase.rpc("latin_search", { search_term: keyword }); + return data!.map((e: { latin: string }) => e.latin); +}; diff --git a/models/pinyin.ts b/models/pinyin.ts index fa0d04b..ed2a6c4 100644 --- a/models/pinyin.ts +++ b/models/pinyin.ts @@ -1,27 +1,12 @@ export interface PinyinModel { - id: number; - name: string; - initial_id: number; - final_id: number; - tone_id: number; - sound_id: string; + latin: string; + tone: number | null; } -export interface PinyinPartModel { - id: number; - name: string; -} - -export interface AnswerModel { - initial_id: number; - final_id: number; - tone_id: number; -} - -export interface HanziModel { - character: string; - pinyin: string[]; - definition: string; - decomposition: string; - radical: string; -} +export const tones = [ + { label: "1st tone", value: 1 }, + { label: "2nd tone", value: 2 }, + { label: "3rd tone", value: 3 }, + { label: "4rd tone", value: 4 }, + { label: "no tone", value: null }, +]; diff --git a/routes/api/listening.ts b/routes/api/listening.ts new file mode 100644 index 0000000..cc1bf00 --- /dev/null +++ b/routes/api/listening.ts @@ -0,0 +1,13 @@ +import { FreshContext } from "$fresh/server.ts"; +import { getLatinList } from "../../controllers/listening.ts"; + +export const handler = async (_req: Request, _ctx: FreshContext) => { + const url = new URL(_req.url); + const keyword = url.searchParams.get("keyword")!; + + const data = await getLatinList({ keyword }); + + return new Response(JSON.stringify(data), { + headers: { "Content-Type": "application/json" }, + }); +}; From 8c3e2806c332b4d0830e15ad448da38e0c52cf59 Mon Sep 17 00:00:00 2001 From: Anggoran Date: Tue, 5 Nov 2024 07:53:25 +0700 Subject: [PATCH 05/16] edit: listening web route --- routes/listening/index.tsx | 103 ++++++++++++++++--------------------- 1 file changed, 43 insertions(+), 60 deletions(-) diff --git a/routes/listening/index.tsx b/routes/listening/index.tsx index 308a3a4..3f8c710 100644 --- a/routes/listening/index.tsx +++ b/routes/listening/index.tsx @@ -1,27 +1,17 @@ import { Signal, signal } from "@preact/signals"; -import { Dropdown } from "../../islands/Dropdown.tsx"; -import { Menu } from "../../islands/Menu.tsx"; import { SoundButton } from "../../islands/SoundButton.tsx"; -import { Label } from "../../islands/Label.tsx"; import { Handlers, PageProps } from "$fresh/server.ts"; -import { - AnswerModel, - PinyinModel, - PinyinPartModel, -} from "../../models/pinyin.ts"; import { getListening, postListening } from "../../controllers/listening.ts"; +import { PinyinModel, tones } from "../../models/pinyin.ts"; +import Autocomplete from "../../islands/Autocomplete.tsx"; +import Dropdown from "../../islands/Dropdown.tsx"; interface Data { + id: number; question: string; - answer: AnswerModel; solution: string | null; - truth: boolean | null; - options: { - pinyins: PinyinModel[]; - initials: PinyinPartModel[]; - finals: PinyinPartModel[]; - tones: PinyinPartModel[]; - }; + answer: PinyinModel; + truth: boolean | undefined; } export const handler: Handlers = { @@ -30,9 +20,8 @@ export const handler: Handlers = { }; export default function ListeningPage(props: PageProps) { - const { question, answer, solution, truth, options } = props.data; - const answerState: Signal = signal({ ...answer }); - + const { id, question, answer, solution, truth } = props.data; + const answerState: Signal = signal({ latin: "", tone: null }); return ( <> Back to home @@ -48,49 +37,43 @@ export default function ListeningPage(props: PageProps) {
-
From 5709b45f76532c378b7fc7a1dcea23add8da2ce8 Mon Sep 17 00:00:00 2001 From: Anggoran Date: Sat, 9 Nov 2024 11:09:59 +0700 Subject: [PATCH 06/16] edit: fixing sound not played --- islands/SoundButton.tsx | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/islands/SoundButton.tsx b/islands/SoundButton.tsx index a9e7a17..db63883 100644 --- a/islands/SoundButton.tsx +++ b/islands/SoundButton.tsx @@ -3,11 +3,13 @@ export function SoundButton( ) { const playPinyin = () => { const u = new SpeechSynthesisUtterance(); + const voices = speechSynthesis.getVoices(); u.lang = "zh-CN"; u.text = sound; u.rate = 0.25; u.pitch = 0.75; - return window.speechSynthesis.speak(u); + u.voice = voices.find((v) => v.lang === "zh-CN")!; + return speechSynthesis.speak(u); }; return ; From 96d2da9cac3cf29f63e3da9dbf6c2148f87706d3 Mon Sep 17 00:00:00 2001 From: Anggoran Date: Sat, 9 Nov 2024 14:12:54 +0700 Subject: [PATCH 07/16] edit: refactor search functions --- controllers/listening.ts | 5 ----- controllers/{word.ts => search.ts} | 5 +++++ 2 files changed, 5 insertions(+), 5 deletions(-) rename controllers/{word.ts => search.ts} (69%) diff --git a/controllers/listening.ts b/controllers/listening.ts index 13850a7..ec559f0 100644 --- a/controllers/listening.ts +++ b/controllers/listening.ts @@ -66,8 +66,3 @@ export const postListening = async ( const params = `q_id=${questionURI}` + "&" + `a=${answerURI}`; return Response.redirect(`${url}?${params}`, 303); }; - -export const getLatinList = async ({ keyword }: { keyword: string }) => { - const { data } = await supabase.rpc("latin_search", { search_term: keyword }); - return data!.map((e: { latin: string }) => e.latin); -}; diff --git a/controllers/word.ts b/controllers/search.ts similarity index 69% rename from controllers/word.ts rename to controllers/search.ts index 5fb226b..1ed86b4 100644 --- a/controllers/word.ts +++ b/controllers/search.ts @@ -1,6 +1,11 @@ import { WordModel } from "../models/hanzi.ts"; import { supabase } from "../utils/supabase.ts"; +export const getLatinList = async ({ keyword }: { keyword: string }) => { + const { data } = await supabase.rpc("latin_search", { search_term: keyword }); + return data!.map((e: { latin: string }) => e.latin); +}; + export const getWordList = async ( { keyword, scroll }: { keyword: string; scroll: number }, ) => { From b2a2a52aa02a8eaf99a19b6c4a36aba396add6a6 Mon Sep 17 00:00:00 2001 From: Anggoran Date: Sat, 9 Nov 2024 14:13:31 +0700 Subject: [PATCH 08/16] refactor: api search routes --- routes/api/{listening.ts => latin.ts} | 2 +- routes/api/word.ts | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) rename routes/api/{listening.ts => latin.ts} (85%) diff --git a/routes/api/listening.ts b/routes/api/latin.ts similarity index 85% rename from routes/api/listening.ts rename to routes/api/latin.ts index cc1bf00..ba7e3ed 100644 --- a/routes/api/listening.ts +++ b/routes/api/latin.ts @@ -1,5 +1,5 @@ import { FreshContext } from "$fresh/server.ts"; -import { getLatinList } from "../../controllers/listening.ts"; +import { getLatinList } from "../../controllers/search.ts"; export const handler = async (_req: Request, _ctx: FreshContext) => { const url = new URL(_req.url); diff --git a/routes/api/word.ts b/routes/api/word.ts index 441035c..f36c91a 100644 --- a/routes/api/word.ts +++ b/routes/api/word.ts @@ -1,5 +1,5 @@ import { FreshContext } from "$fresh/server.ts"; -import { getWordList } from "../../controllers/word.ts"; +import { getWordList } from "../../controllers/search.ts"; export const handler = async (_req: Request, _ctx: FreshContext) => { const url = new URL(_req.url); From 5885a4f88f4279d29320fc3f900c104c136aaf57 Mon Sep 17 00:00:00 2001 From: Anggoran Date: Sat, 9 Nov 2024 14:13:58 +0700 Subject: [PATCH 09/16] edit: api endpoint --- routes/listening/index.tsx | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/routes/listening/index.tsx b/routes/listening/index.tsx index 3f8c710..2878629 100644 --- a/routes/listening/index.tsx +++ b/routes/listening/index.tsx @@ -54,7 +54,7 @@ export default function ListeningPage(props: PageProps) { From c9ec36e6e25158e1a5a2f502f6c96cc35c0fcc95 Mon Sep 17 00:00:00 2001 From: Anggoran Date: Sat, 9 Nov 2024 14:14:09 +0700 Subject: [PATCH 10/16] edit: migrate reading to cloud --- controllers/reading.ts | 149 +++++++++++++++++++------------------- routes/reading/[quiz].tsx | 135 ++++++++++++++-------------------- 2 files changed, 128 insertions(+), 156 deletions(-) diff --git a/controllers/reading.ts b/controllers/reading.ts index ab3c764..f2fdf34 100644 --- a/controllers/reading.ts +++ b/controllers/reading.ts @@ -1,7 +1,30 @@ import { FreshContext } from "$fresh/server.ts"; -import { HanziModel, PinyinModel, PinyinPartModel } from "../models/pinyin.ts"; -import { readJSON } from "../utils/read-json.ts"; -import { readTXT } from "../utils/read-txt.ts"; +import { supabase } from "../utils/supabase.ts"; + +export interface ReadingQuizProps { + id: string; + question: string; + answer: string | undefined; + hint: string; + solutions: string[]; + truth: boolean | undefined; +} +interface HanziPinyinData { + id: string; + hanzi: { + form: string; + meaning: string; + }; + pinyin: { + sound: string; + }; +} + +interface HanziData { + id: string; + form: string; + meaning: string; +} export const getReading = ( _req: Request, @@ -27,56 +50,48 @@ export const getReadingQuiz = async ( const url = new URL(req.url); const params = { quiz: ctx.params["quiz"], - question: url.searchParams.get("question"), - answer: url.searchParams.get("answer"), + question: url.searchParams.get("q_id"), + answer: url.searchParams.get("a"), }; - const hanziTXT: string[] = await readTXT("unihan"); - const pinyinJSON: PinyinModel[] = await readJSON("pinyins"); - const initialJSON: PinyinPartModel[] = await readJSON("initials"); - const finalJSON: PinyinPartModel[] = await readJSON("finals"); - const toneJSON: PinyinPartModel[] = await readJSON("tones"); - - const hanziList = decodeURIComponent(params.quiz).split(""); - const randomNumber = Math.floor(Math.random() * hanziList.length); - const randomHanzi: HanziModel = JSON.parse( - hanziTXT.find((e) => - e.includes(`"character":"${hanziList[randomNumber]}"`) - )!, - ); - - let question = randomHanzi.character; - let hint = randomHanzi.definition; - let answer = { initial_id: 0, final_id: 0, tone_id: 0 }; - let solution = null; - let truth = null; + let props: ReadingQuizProps; + let truth: boolean | undefined; - if (params.question !== null && params.answer !== null) { - const currentHanzi: HanziModel = JSON.parse( - hanziTXT.find((e) => e.includes(`"character":"${params.question}"`))!, - ); - const currentAnswer = pinyinJSON.find((e) => e.name === params.answer)!; - - question = currentHanzi.character; - hint = currentHanzi.definition; - answer = { ...currentAnswer }; - solution = currentHanzi.pinyin[0]; - truth = solution === currentAnswer.name; + if (params.answer) { + const res = await supabase.from("hanzis_pinyins") + .select("id, hanzi:hanzi_id (form, meaning), pinyin:pinyin_id (sound)") + .eq("hanzi_id", parseInt(params.question!)) + .returns(); + const [{ hanzi: { form, meaning } }] = res.data!; + const solutions = res.data!.map(({ pinyin: { sound } }) => sound); + truth = solutions.includes(params.answer); + props = { + id: params.question!, + question: form, + hint: meaning, + solutions, + answer: params.answer, + truth, + }; + } else { + const hanziList = decodeURIComponent(params.quiz).split(""); + const randomNumber = Math.floor(Math.random() * hanziList.length); + const res = await supabase.from("hanzis") + .select("id, form, meaning") + .eq("form", hanziList[randomNumber]) + .returns() + .single(); + const { id, form, meaning } = res.data!; + props = { + id, + question: form, + hint: meaning, + solutions: [], + answer: undefined, + truth: undefined, + }; } - - return ctx.render({ - question, - hint, - answer, - solution, - truth, - options: { - pinyins: pinyinJSON, - initials: initialJSON, - finals: finalJSON, - tones: toneJSON, - }, - }); + return ctx.render(props); }; export const postReadingQuiz = async ( @@ -86,36 +101,18 @@ export const postReadingQuiz = async ( const url = new URL(req.url); const form = await req.formData(); const entries = { - question: form.get("question"), - initial: form.get("initial"), - final: form.get("final"), + q_id: form.get("q_id"), + latin: form.get("latin"), tone: form.get("tone"), }; - const hanziTXT: string[] = await readTXT("unihan"); - const pinyinJSON: PinyinModel[] = await readJSON("pinyins"); - const initialJSON: PinyinPartModel[] = await readJSON("initials"); - const finalJSON: PinyinPartModel[] = await readJSON("finals"); - const toneJSON: PinyinPartModel[] = await readJSON("tones"); - - const rawHanzi = hanziTXT.find((e) => - e.includes(`"character":"${entries.question}"`) - )!; - const hanzi: HanziModel = JSON.parse(rawHanzi); - const questionURI = encodeURIComponent(hanzi.character); - - const rawAnswer = { - initial_id: initialJSON.find((e) => e.name == entries.initial)!.id, - final_id: finalJSON.find((e) => e.name == entries.final)!.id, - tone_id: toneJSON.find((e) => e.name == entries.tone)!.id, - }; - const answer = pinyinJSON.find((e) => - e.initial_id === rawAnswer.initial_id && - e.final_id === rawAnswer.final_id && - e.tone_id === rawAnswer.tone_id - ); - const answerURI = encodeURIComponent(answer?.name ?? "N.A."); + const { data } = await supabase.from("pinyins") + .select("sound") + .eq("latin", entries.latin).eq("tone", entries.tone) + .single(); + const questionURI = encodeURIComponent(entries.q_id as string); + const answerURI = encodeURIComponent(data?.sound ?? "N.A."); - const params = `question=${questionURI}` + "&" + `answer=${answerURI}`; + const params = `q_id=${questionURI}` + "&" + `a=${answerURI}`; return Response.redirect(`${url}?${params}`, 303); }; diff --git a/routes/reading/[quiz].tsx b/routes/reading/[quiz].tsx index 14910ab..9f55b82 100644 --- a/routes/reading/[quiz].tsx +++ b/routes/reading/[quiz].tsx @@ -1,44 +1,24 @@ import { Handlers, PageProps } from "$fresh/server.ts"; +import { Signal, signal } from "@preact/signals-core"; import { - Signal, - signal, -} from "https://esm.sh/v135/@preact/signals-core@1.5.1/dist/signals-core.js"; -import { getReadingQuiz, postReadingQuiz } from "../../controllers/reading.ts"; -import { Dropdown } from "../../islands/Dropdown.tsx"; -import { Label } from "../../islands/Label.tsx"; -import { Menu } from "../../islands/Menu.tsx"; -import { - AnswerModel, - PinyinModel, - PinyinPartModel, -} from "../../models/pinyin.ts"; - -interface Data { - question: string; - hint: string; - answer: AnswerModel; - solution: string | null; - truth: boolean | null; - options: { - pinyins: PinyinModel[]; - initials: PinyinPartModel[]; - finals: PinyinPartModel[]; - tones: PinyinPartModel[]; - }; -} + getReadingQuiz, + postReadingQuiz, + ReadingQuizProps, +} from "../../controllers/reading.ts"; +import Dropdown from "../../islands/Dropdown.tsx"; +import { PinyinModel, tones } from "../../models/pinyin.ts"; +import Autocomplete from "../../islands/Autocomplete.tsx"; -export const handler: Handlers = { +export const handler: Handlers = { GET: async (req, ctx) => await getReadingQuiz(req, ctx), POST: async (req, ctx) => await postReadingQuiz(req, ctx), }; -export default function ReadingQuizPage(props: PageProps) { +export default function ReadingQuizPage(props: PageProps) { + const { id, question, hint, answer, solutions, truth } = props.data; + const answerState: Signal = signal({ latin: "", tone: null }); const currentURL = decodeURIComponent(props.url.pathname); - const { question, hint, answer, solution, truth, options } = props.data; const nextURL = currentURL.replace(question, ""); - - const answerState: Signal = signal({ ...answer }); - return (
) { } `} >
-
+

Hint: {hint}

Question: {question}

- {truth !== null + {truth !== undefined ? ( -

- Solution: {solution} -

+ <> +

+ The solution:{" "} + {solutions.length === 1 ? solutions[0] : solutions.join(", ")} +

+

+ Your answer: {answer} +

+
+ Continue +
+ ) - : <>} + : ( + <> +
+ +
+ + +
+
+
+ + +
+ + )}
-
); From 194b981f7c757cd050df465784ac58774d102242 Mon Sep 17 00:00:00 2001 From: Anggoran Date: Sun, 10 Nov 2024 10:23:07 +0700 Subject: [PATCH 11/16] edit: migrate writing to cloud --- controllers/writing.ts | 50 ++++++++++++++++++++++----------------- routes/writing/[quiz].tsx | 19 +++++---------- 2 files changed, 34 insertions(+), 35 deletions(-) diff --git a/controllers/writing.ts b/controllers/writing.ts index 9afb361..232e648 100644 --- a/controllers/writing.ts +++ b/controllers/writing.ts @@ -1,6 +1,22 @@ import { FreshContext } from "$fresh/server.ts"; -import { HanziModel } from "../models/pinyin.ts"; -import { readTXT } from "../utils/read-txt.ts"; +import { supabase } from "../utils/supabase.ts"; + +export interface WritingQuizProps { + form: string; + meaning: string; + sounds: string[]; +} + +interface HanziPinyinData { + id: string; + hanzi: { + form: string; + meaning: string; + }; + pinyin: { + sound: string; + }; +} export const getWriting = ( _req: Request, @@ -29,26 +45,16 @@ export const getWritingQuiz = async ( hanzi: url.searchParams.get("hanzi"), }; - const hanziTXT: string[] = await readTXT("unihan"); - const hanziList = decodeURIComponent(params.quiz).split(""); const randomNumber = Math.floor(Math.random() * hanziList.length); - const randomHanzi: HanziModel = JSON.parse( - hanziTXT.find((e) => - e.includes(`"character":"${hanziList[randomNumber]}"`) - )!, - ); - - let form = randomHanzi.character; - const sound = randomHanzi.pinyin[0]; - const meaning = randomHanzi.definition; - - if (params.hanzi !== null) { - const currentHanzi: HanziModel = JSON.parse( - hanziTXT.find((e) => e.includes(`"character":"${params.hanzi}"`))!, - ); - form = currentHanzi.character; - } - - return ctx.render({ form, sound, meaning }); + const res = await supabase.from("hanzis_pinyins") + .select("id, hanzi:hanzis!inner (form, meaning), pinyin:pinyin_id (sound)") + .eq("hanzis.form", hanziList[randomNumber]) + .returns(); + + const [{ hanzi }] = res.data!; + const sounds = res.data!.map(({ pinyin: { sound } }) => sound); + const props: WritingQuizProps = { ...hanzi, sounds }; + + return ctx.render(props); }; diff --git a/routes/writing/[quiz].tsx b/routes/writing/[quiz].tsx index c4bdaa1..ccdd206 100644 --- a/routes/writing/[quiz].tsx +++ b/routes/writing/[quiz].tsx @@ -1,26 +1,19 @@ import { Handlers, PageProps } from "$fresh/server.ts"; import { signal } from "https://esm.sh/v135/@preact/signals-core@1.5.1/dist/signals-core.js"; -import { getWritingQuiz } from "../../controllers/writing.ts"; +import { getWritingQuiz, WritingQuizProps } from "../../controllers/writing.ts"; import QuizWriter from "./(_islands)/QuizWriter.tsx"; import SolutionWriter from "../../islands/SolutionWriter.tsx"; -interface Data { - form: string; - sound: string; - meaning: string; -} - -export const handler: Handlers = { +export const handler: Handlers = { GET: (req, ctx) => getWritingQuiz(req, ctx), }; -export default function WritingPage(props: PageProps) { +export default function WritingPage(props: PageProps) { + const { form, meaning, sounds } = props.data; + const quizState = signal(false); const currentURL = decodeURIComponent(props.url.pathname); - const { form, sound, meaning } = props.data; const nextURL = currentURL.replace(form, ""); - const quizState = signal(false); - return (
@@ -28,7 +21,7 @@ export default function WritingPage(props: PageProps) {

Hint: {meaning}

- Question: {sound} + Question: {sounds.length === 1 ? sounds[0] : sounds.join(", ")}
From 58de9715b35d69787018fb68e11c8c84ed3be2e7 Mon Sep 17 00:00:00 2001 From: Anggoran Date: Sun, 10 Nov 2024 10:25:28 +0700 Subject: [PATCH 12/16] edit: fresh gen --- fresh.gen.ts | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/fresh.gen.ts b/fresh.gen.ts index a117164..efafd17 100644 --- a/fresh.gen.ts +++ b/fresh.gen.ts @@ -4,7 +4,7 @@ import * as $_404 from "./routes/_404.tsx"; import * as $_app from "./routes/_app.tsx"; -import * as $api_listening from "./routes/api/listening.ts"; +import * as $api_latin from "./routes/api/latin.ts"; import * as $api_word from "./routes/api/word.ts"; import * as $greet_name_ from "./routes/greet/[name].tsx"; import * as $hanzi_id_ from "./routes/hanzi/[id].tsx"; @@ -32,7 +32,7 @@ const manifest = { routes: { "./routes/_404.tsx": $_404, "./routes/_app.tsx": $_app, - "./routes/api/listening.ts": $api_listening, + "./routes/api/latin.ts": $api_latin, "./routes/api/word.ts": $api_word, "./routes/greet/[name].tsx": $greet_name_, "./routes/hanzi/[id].tsx": $hanzi_id_, From 8f4b042e2680cc653befbd1df1f74da9c8a1b3eb Mon Sep 17 00:00:00 2001 From: Anggoran Date: Sun, 10 Nov 2024 11:00:20 +0700 Subject: [PATCH 13/16] edit: whitespace --- routes/listening/index.tsx | 2 +- routes/reading/[quiz].tsx | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/routes/listening/index.tsx b/routes/listening/index.tsx index 2878629..797ad48 100644 --- a/routes/listening/index.tsx +++ b/routes/listening/index.tsx @@ -32,7 +32,7 @@ export default function ListeningPage(props: PageProps) { : truth === false ? "bg-red-300" : "bg-white" - } `} + }`} >
) { : truth === false ? "bg-red-300" : "bg-white" - } `} + }`} >
From 4acf2165f05ba8fc972efc995de4025198613219 Mon Sep 17 00:00:00 2001 From: Anggoran Date: Sun, 10 Nov 2024 11:00:29 +0700 Subject: [PATCH 14/16] edit: update test scripts --- tests/listening.ts | 31 ++++++++++++++----------------- tests/reading.ts | 23 ++++++++++++----------- 2 files changed, 26 insertions(+), 28 deletions(-) diff --git a/tests/listening.ts b/tests/listening.ts index 77680f8..ee4a29b 100644 --- a/tests/listening.ts +++ b/tests/listening.ts @@ -13,10 +13,9 @@ export const getQuestion = async () => { export const postAnswer = async () => { const formData = new FormData(); - formData.append("question", "生"); - formData.append("initial", "sh"); - formData.append("final", "eng"); - formData.append("tone", "1st tone"); + formData.append("q_id", "2617"); + formData.append("latin", "wo"); + formData.append("tone", "3"); const req = new Request("http://localhost/listening", { method: "POST", body: formData, @@ -24,22 +23,21 @@ export const postAnswer = async () => { const resp = await handler(req, CONNECTION).then((value) => { const url = new URL(value.headers.get("location")!); assertEquals(value.status, 303); - assertExists(url.searchParams.get("question")); - assertExists(url.searchParams.get("answer")); + assertExists(url.searchParams.get("q_id")); + assertExists(url.searchParams.get("a")); return handler(new Request(url!)); }); const text = await resp.text(); assert(resp.ok); - assert(text.includes('')); + assert(text.includes('')); }; export const getCorrectState = async () => { const formData = new FormData(); - formData.append("question", "生"); - formData.append("initial", "sh"); - formData.append("final", "eng"); - formData.append("tone", "1st tone"); + formData.append("q_id", "2323"); + formData.append("latin", "dei"); + formData.append("tone", "3"); const req = new Request("http://localhost/listening", { method: "POST", body: formData, @@ -53,16 +51,15 @@ export const getCorrectState = async () => { const text = await resp.text(); assert(resp.ok); assert( - text.includes('
'), + text.includes('
'), ); }; export const getFalseState = async () => { const formData = new FormData(); - formData.append("question", "生"); - formData.append("initial", "r"); - formData.append("final", "en"); - formData.append("tone", "2nd tone"); + formData.append("q_id", "2323"); + formData.append("latin", "de"); + formData.append("tone", ""); const req = new Request("http://localhost/listening", { method: "POST", body: formData, @@ -76,6 +73,6 @@ export const getFalseState = async () => { const text = await resp.text(); assert(resp.ok); assert( - text.includes('
'), + text.includes('
'), ); }; diff --git a/tests/reading.ts b/tests/reading.ts index 95b4901..3b78d80 100644 --- a/tests/reading.ts +++ b/tests/reading.ts @@ -38,10 +38,9 @@ export const startQuiz = async () => { export const postAnswer = async () => { const formData = new FormData(); - formData.append("question", "我"); - formData.append("initial", "-"); - formData.append("final", "uo"); - formData.append("tone", "3rd tone"); + formData.append("q_id", "247"); + formData.append("initial", "ni"); + formData.append("tone", "3"); const req = new Request("http://localhost/reading/我是印尼人", { method: "POST", @@ -50,38 +49,40 @@ export const postAnswer = async () => { const resp = await handler(req, CONNECTION).then((value) => { const url = new URL(value.headers.get("location")!); assertEquals(value.status, 303); - assertExists(url.searchParams.get("question")); - assertExists(url.searchParams.get("answer")); + assertExists(url.searchParams.get("q_id")); + assertExists(url.searchParams.get("a")); return handler(new Request(url!)); }); const text = await resp.text(); assert(resp.ok); - assert(text.includes("Solution:")); + assert(text.includes("The solution: nǐ")); }; export const getCorrectState = async () => { const req = new Request( - "http://localhost/reading/我是印尼人?question=我&answer=wǒ", + "http://localhost/reading/中国银行?q_id=5573&a=xíng", ); const resp = await handler(req, CONNECTION); const text = await resp.text(); + console.log(resp.status); + assert(resp.ok); assert( - text.includes('
'), + text.includes('
'), ); }; export const getFalseState = async () => { const req = new Request( - "http://localhost/reading/我是印尼人?question=人&answer=nǐ", + "http://localhost/reading/中国银行?q_id=5573&a=hǎo", ); const resp = await handler(req, CONNECTION); const text = await resp.text(); assert(resp.ok); assert( - text.includes('
'), + text.includes('
'), ); }; From 15bfa71c423813d1a77c25fe2b822ea0448eee49 Mon Sep 17 00:00:00 2001 From: Anggoran Date: Sun, 10 Nov 2024 11:08:38 +0700 Subject: [PATCH 15/16] remove: unnecessarry files --- static/data/csv-eval.ts | 63 - static/data/csv-fix.ts | 345 - static/data/finals.json | 148 - static/data/hanzi.csv | 7294 -- static/data/hanzipinyin.csv | 9053 -- static/data/initials.json | 92 - static/data/pinyins.json | 9940 -- static/data/supabase-hanzi.csv | 9855 -- static/data/supabase-hanzi_pinyin.csv | 9855 -- static/data/supabase-pinyin.csv | 1295 - static/data/tones.json | 24 - static/data/word.csv | 117892 ----------------------- 12 files changed, 165856 deletions(-) delete mode 100644 static/data/csv-eval.ts delete mode 100644 static/data/csv-fix.ts delete mode 100644 static/data/finals.json delete mode 100644 static/data/hanzi.csv delete mode 100644 static/data/hanzipinyin.csv delete mode 100644 static/data/initials.json delete mode 100644 static/data/pinyins.json delete mode 100644 static/data/supabase-hanzi.csv delete mode 100644 static/data/supabase-hanzi_pinyin.csv delete mode 100644 static/data/supabase-pinyin.csv delete mode 100644 static/data/tones.json delete mode 100644 static/data/word.csv diff --git a/static/data/csv-eval.ts b/static/data/csv-eval.ts deleted file mode 100644 index 8972f1f..0000000 --- a/static/data/csv-eval.ts +++ /dev/null @@ -1,63 +0,0 @@ -// OPTIMISTIC -// 儿,er5,"non-syllabic diminutive suffix; retroflex final",pictographic,"Simplified form of 兒, a picture of a child; compare 人" -// 剋,ke4,"to scold; to beat",ideographic,"A weapon刂 used to subdue 十 a beast 兄" -// 忒,te4,"(dialect) too; very",pictophonetic,"heart" -// -------------------- -// UNCLEAR -// 呣,m2,"interjection expressing a question",pictophonetic,"mouth" -// 呣,m4,"interjection expressing consent; um",pictophonetic,"mouth" -// 呒,m2,"dialectal equivalent of 沒有|没有[mei2 you3]",pictophonetic,"mouth" -// -------------------- -// PESSIMISTIC -// 丷,xx5,"one of the characters used in kwukyel, an ancient Korean writing system",, -// 龶,xx5,"component in Chinese characters, occurring in 青, 毒, 素 etc, referred to as 青字頭|青字头[qing1 zi4 tou2]",, -// 吧,bia1,"(onom.) smack!",pictophonetic,"mouth" - -const readSupabasePinyinCSV = async () => { - const csvContent = await Deno.readTextFile( - "./static/data/supabase-pinyin.csv", - ); - const pinyinList = csvContent.split("\n").slice(1).map((line) => { - const [id, name, latin, tone] = line.split(","); - return { id, name, latin, tone }; - }); - return pinyinList; -}; - -const readSupabaseHanziCSV = async () => { - const csvContent = await Deno.readTextFile( - "./static/data/supabase-hanzi_pinyin.csv", - ); - const hanziList = csvContent.split("\n").slice(1).map((line) => { - const [hanzi, pinyin] = line.split(","); - return { hanzi, pinyin }; - }); - return hanziList; -}; - -const getPinyinNotInHanziCSV = async () => { - const supabasePinyinList = await readSupabasePinyinCSV(); - const supabaseHanziList = await readSupabaseHanziCSV(); - - const pinyinNotExist = supabaseHanziList.filter((e) => { - const newSound = e.pinyin.replace("5", "").replace("u:", "v"); - return !supabasePinyinList.map((e) => e.latin + e.tone).includes(newSound); - }); - console.log(pinyinNotExist.map((e) => e.pinyin).join(", ")); - console.log(pinyinNotExist.length); -}; - -await getPinyinNotInHanziCSV(); - -const getPinyinNotInPinyinCSV = async () => { - const supabasePinyinList = await readSupabasePinyinCSV(); - const supabaseHanziList = await readSupabaseHanziCSV(); - - const pinyinNotExist = supabasePinyinList.filter((e) => { - return !supabaseHanziList.map((e) => e.pinyin).includes(e.latin + e.tone); - }); - console.log(pinyinNotExist.map((e) => e.latin + e.tone).join(", ")); - console.log(pinyinNotExist.length); -}; - -await getPinyinNotInPinyinCSV(); diff --git a/static/data/csv-fix.ts b/static/data/csv-fix.ts deleted file mode 100644 index ab2cb83..0000000 --- a/static/data/csv-fix.ts +++ /dev/null @@ -1,345 +0,0 @@ -// a(2345), ei(234), en(5), er(5), ye(5), -// yo(5), yue(3), o(235), wa(5), ba(5), -// bei(5), bian(5), bo(5), pang(3), pen(4), -// po(5), man(1), mi(5), da(5), dui(3), -// tai(3), tou(35), tuan(34), na(15), la(5), -// lei(5), li(5), lie(5), lin(1), lo(5), -// long(1), lou(15), luo(5), ga(3), gei(1), -// guo(5), ha(3), jie(5), jiong(1), jue(3), -// qiong(1), qiu(3), qu(5), qun(1), xin(2), -// xiong(4), zha(5), zhe(5), zhuai(134), zhuang(3), -// cha(3), chai(4), chen(3), chua(1), sha(2), -// shai(3), shang(5), shi(5), shua(4), rui(23), -// zan(3), zang(3), zen(4), zi(5), zou(1), -// zun(4), ca(3), ceng(1), cu(3), cuo(3), -// song(2), suan(3) - -// a2, a3, a4, a5, ei2, -// ei3, ei4, en5, er5, ye5, -// yo5, yue3, o2, o3, o5, -// wa5, ba5, bei5, bian5, bo5, -// pang3, pen4, po5, man1, mi5, -// da5, dui3, tai3, tou3, tou5, -// tuan3, tuan4, na1, na5, la5, -// lei5, li5, lie5, lin1, lo5, -// long1, lou1, lou5, luo5, ga3, -// gei1, guo5, ha3, jie5, jiong1, -// jue3, qiong1, qiu3, qu5, qun1, -// xin2, xiong4, zha5, zhe5, zhuai1, -// zhuai3, zhuai4, zhuang3, cha3, chai4, -// chen3, chua1, sha2, shai3, shang5, -// shi5, shua4, rui2, rui3, zan3, -// zang3, zen4, zi5, zou1, zun4, -// ca3, ceng1, cu3, cuo3, song2, -// suan3 - -// V (r -> er), zhuai, chua -// X xx, kei, bia, m, tei - -// interface Pinyin { -// id: number; -// name: string; -// initial_id: number; -// final_id: number; -// tone_id: number; -// sound_id: string; -// } - -// interface SupabasePinyin { -// name: string; -// latin: string; -// tone: number | null; -// } - -// const supabasePinyinList: SupabasePinyin[] = []; - -// const readPinyinJSON = async () => { -// const pinyinContent = await Deno.readTextFile( -// "./static/data/pinyins.json", -// ); - -// const pinyinList: Pinyin[] = JSON.parse(pinyinContent)["pinyins"]; - -// pinyinList.forEach((pinyin) => { -// const tone = parseInt(pinyin.sound_id.slice(-1)); - -// const pinyinObject: SupabasePinyin = { -// name: pinyin.name, -// latin: pinyin.sound_id.slice(0, -1), -// tone: tone === 5 ? null : tone, -// }; -// supabasePinyinList.push(pinyinObject); -// }); -// }; - -// const createSupabasePinyinCSV = async () => { -// const hanUTF = "\ufeff"; -// const csvHeader = "name,latin,tone" + "\n"; -// const csvContent = supabasePinyinList.map(({ name, latin, tone }) => { -// return [name, latin, tone].join(","); -// }).join("\n"); - -// await Deno.writeTextFile( -// "./static/data/supabase-pinyin.csv", -// hanUTF + csvHeader + csvContent, -// ); -// }; - -// await readPinyinJSON(); -// await createSupabasePinyinCSV(); - -// ---------------------------- - -// interface SupabasePinyin { -// name: string; -// latin: string; -// tone: number | null; -// } - -// const readSupabasePinyinCSV = async () => { -// const csvContent = await Deno.readTextFile("./static/data/supabase-pinyin.csv"); -// const pinyinList = csvContent.split("\n").slice(1).map((line, index) => { -// const [name, latin, tone] = line.split(","); -// return { -// id: index + 1, -// name, -// latin, -// tone: tone === "" ? null : parseInt(tone), -// }; -// }); -// return pinyinList; -// }; - -// const createSupabasePinyinCSV = async () => { -// const supabasePinyinList = await readSupabasePinyinCSV(); - -// const hanUTF = "\ufeff"; -// const csvHeader = "id,name,latin,tone" + "\n"; -// const csvContent = supabasePinyinList.map(({ id, name, latin, tone }) => { -// return [id, name, latin, tone].join(","); -// }).join("\n"); - -// await Deno.writeTextFile( -// "./static/data/supabase-pinyin.csv", -// hanUTF + csvHeader + csvContent, -// ); -// }; - -// await createSupabasePinyinCSV(); - -// ---------------------------- - -// create models -interface Cedict { - simplified: string; - pinyin: string; - english: string; -} - -interface Unihan { - simplified: string; - type: string; - etymology: string; -} - -interface SupabasePinyin { - id: number; - name: string; - latin: string; - tone: number | null; -} - -interface SupabaseHanzi { - id: number; - form: string; - sound: string; - meaning: string; - type: string; - etymology: string; -} - -const cedictList: Cedict[] = []; -const unihanList: Unihan[] = []; -const supabasePinyinList: SupabasePinyin[] = []; -const supabaseHanziList: SupabaseHanzi[] = []; - -// read Cedict TXT -const readCedictTXT = async () => { - const cedictContent = await Deno.readTextFile( - "./static/data/cedict.txt", - ); - const cedictLines = cedictContent.split("\n"); - - // remove these lines (EXACT MATCH) from cedict - // 丷 丷 [xx5] - // 龶 龶 [xx5] - // 嘸 呒 [m2] - // 呣 呣 [m2] - // 呣 呣 [m4] - // 吧 吧 [bia1] - const cleanCedictLines = cedictLines.filter((line) => - !line.includes("丷 丷 [xx5]") && - !line.includes("龶 龶 [xx5]") && - !line.includes("嘸 呒 [m2]") && - !line.includes("呣 呣 [m2]") && - !line.includes("呣 呣 [m4]") && - !line.includes("吧 吧 [bia1]") - ); - - // change these lines (EXACT MATCH) from cedict - // 兒 儿 [r5] -> 兒 儿 [er5] - // 剋 剋 [kei1] -> 剋 剋 [ke4] - // 忒 忒 [tei1] -> 忒 忒 [te4] - cleanCedictLines.forEach((line) => { - const parts = line.split(" "); - const data: Cedict = { - simplified: parts[1], - pinyin: parts[2].replace("[", "").replace("]", "").toLowerCase(), - english: parts.slice(3).join(" ").replaceAll("/", "; ").slice(2, -3), - }; - if (data.simplified === "儿" && data.pinyin === "r5") { - data.pinyin = "er5"; - } else if (data.simplified === "剋" && data.pinyin === "kei1") { - data.pinyin = "ke4"; - } else if (data.simplified === "忒" && data.pinyin === "tei1") { - data.pinyin = "te4"; - } - cedictList.push(data); - }); -}; - -// read Unihan TXT -const readUnihanTXT = async () => { - const unihanContent = await Deno.readTextFile( - "./static/data/unihan.txt", - ); - const unihanLines = unihanContent.trim().split("\n"); - - unihanLines.forEach((line) => { - const parsedUnihan = JSON.parse(line); - const isExist = parsedUnihan["etymology"] !== undefined; - const data: Unihan = { - simplified: parsedUnihan["character"], - type: isExist ? parsedUnihan["etymology"]["type"] : "", - etymology: isExist ? parsedUnihan["etymology"]["hint"] : "", - }; - unihanList.push(data); - }); -}; - -// read Supabase Pinyin CSV, push to supabasePinyinList -const readSupabasePinyinCSV = async () => { - const pinyinLines = await Deno.readTextFile( - "./static/data/supabase-pinyin.csv", - ); - pinyinLines.split("\n").slice(1).map((line) => { - const [id, name, latin, tone] = line.split(","); - supabasePinyinList.push({ - id: parseInt(id), - name, - latin, - tone: tone === "" ? null : parseInt(tone), - }); - }); -}; - -// create Supabase Hanzi List -const createSupabaseHanziList = async () => { - await readCedictTXT(); - await readUnihanTXT(); - - cedictList.forEach((cedict) => { - const unihan = unihanList.find((unihan) => - unihan.simplified === cedict.simplified - ); - // const supabasePinyin = supabasePinyinList.find((e) => { - // const newCedictPinyin = cedict.pinyin.replace("5", "").replace("u:", "v"); - // return `${e.latin + (e.tone ?? "")}` === newCedictPinyin; - // }); - if (unihan) { - const data: SupabaseHanzi = { - id: supabaseHanziList.length + 1, - form: cedict.simplified, - // sound: newCedictPinyin, - // sound: (supabasePinyin?.id ?? cedict.pinyin).toString(), - sound: cedict.pinyin.replace("5", "").replace("u:", "v"), - meaning: cedict.english, - type: unihan.type, - etymology: unihan.etymology, - }; - supabaseHanziList.push(data); - } - }); -}; - -await readSupabasePinyinCSV(); -await createSupabaseHanziList(); - -// create Supabase Hanzi CSV -const createSupabaseHanziCSV = async () => { - const hanUTF = "\ufeff"; - const csvHeader = "id,form,meaning,type,etymology" + "\n"; - const csvContent = supabaseHanziList.map((data) => { - const id = data.id; - const form = data.form; - // const sound = data.sound; - const meaning = `"${data.meaning.replaceAll(/"/g, '""')}"`; - const type = data.type; - const etymology = data.etymology - ? `"${data.etymology.replaceAll(/"/g, '""')}"` - : ""; - return [id, form, meaning, type, etymology].join(","); - }).join("\n"); - - await Deno.writeTextFile( - "./static/data/supabase-hanzi.csv", - hanUTF + csvHeader + csvContent, - ); -}; - -// create Supabase Hanzi CSV -const createSupabaseHanziPinyinCSV = async () => { - const hanUTF = "\ufeff"; - const csvHeader = "id,hanzi_id,pinyin_id" + "\n"; - const csvContent = supabaseHanziList.map((data, index) => { - const id = index + 1; - const hanzi_id = index + 1; - const pinyin_id = supabasePinyinList.find((e) => - (e.latin + (e.tone ?? "")) === data.sound - )?.id; - return [id, hanzi_id, pinyin_id].join(","); - }).join("\n"); - - await Deno.writeTextFile( - "./static/data/supabase-hanzi_pinyin.csv", - hanUTF + csvHeader + csvContent, - ); -}; - -await createSupabaseHanziCSV(); -await createSupabaseHanziPinyinCSV(); - -// ---------------------------- - -// const noSound = ["xx", "kei", "bia", "m", "tei"]; - -// // create models -// interface Cedict { -// simplified: string; -// pinyin: string; -// english: string; -// } - -// interface Unihan { -// simplified: string; -// type: string; -// etymology: string; -// } - -// interface SupabaseHanzi { -// form: string; -// sound: string; -// meaning: string; -// type: string; -// etymology: string; -// } diff --git a/static/data/finals.json b/static/data/finals.json deleted file mode 100644 index 348d6d7..0000000 --- a/static/data/finals.json +++ /dev/null @@ -1,148 +0,0 @@ -{ - "finals": [ - { - "id": 1, - "name": "a" - }, - { - "id": 2, - "name": "ai" - }, - { - "id": 3, - "name": "an" - }, - { - "id": 4, - "name": "ang" - }, - { - "id": 5, - "name": "ao" - }, - { - "id": 6, - "name": "e" - }, - { - "id": 7, - "name": "ei" - }, - { - "id": 8, - "name": "en" - }, - { - "id": 9, - "name": "eng" - }, - { - "id": 10, - "name": "er" - }, - { - "id": 11, - "name": "i" - }, - { - "id": 12, - "name": "ia" - }, - { - "id": 13, - "name": "ian" - }, - { - "id": 14, - "name": "iang" - }, - { - "id": 15, - "name": "iao" - }, - { - "id": 16, - "name": "ie" - }, - { - "id": 17, - "name": "in" - }, - { - "id": 18, - "name": "ing" - }, - { - "id": 19, - "name": "io" - }, - { - "id": 20, - "name": "iong" - }, - { - "id": 21, - "name": "iu" - }, - { - "id": 22, - "name": "o" - }, - { - "id": 23, - "name": "ong" - }, - { - "id": 24, - "name": "ou" - }, - { - "id": 25, - "name": "u" - }, - { - "id": 26, - "name": "ua" - }, - { - "id": 27, - "name": "uai" - }, - { - "id": 28, - "name": "uan" - }, - { - "id": 29, - "name": "uang" - }, - { - "id": 30, - "name": "ue" - }, - { - "id": 31, - "name": "ui" - }, - { - "id": 32, - "name": "un" - }, - { - "id": 33, - "name": "uo" - }, - { - "id": 34, - "name": "ü" - }, - { - "id": 35, - "name": "üan" - }, - { - "id": 36, - "name": "ün" - } - ] -} diff --git a/static/data/hanzi.csv b/static/data/hanzi.csv deleted file mode 100644 index 5c25ebf..0000000 --- a/static/data/hanzi.csv +++ /dev/null @@ -1,7294 +0,0 @@ -form,meaning,type,etymology -⺮,bamboo; flute,pictographic,Two stalks of bamboo; see 竹 -㐆,old form of 隱,, -㐌,a tribe of savages in South China,pictophonetic,people -俊,"talented, capable; handsome",pictophonetic,person -㒸,"to obey, to follow; year, season, harvest",, -罔,none; to deceive; to slander,pictophonetic,net -寇,"bandit, thief; enemy; to invade",ideographic,Bandits mugging 攴 a person 元 in his home 宀 -㔾,seal; kneeling person,pictographic,A rolled-up scroll or kneeling person; compare 卩 -却,"still, but; decline; retreat",pictophonetic,seal -厨,"kitchen; closet, cupboard",pictophonetic,building -参,"to take part in, to intervene; ginseng",pictophonetic, -以,according to; so as to; because of; then,, -坳,"cavity, depression, hollow; depressed; undulating",pictophonetic,earth -宿,"to stop, to rest, to lodge; constellation",ideographic,A person 亻 sleeping in a bed 百 under a roof 宀 -冥,"dark, gloomy, night; deep",ideographic,"The sun 日, covered 冖, with 六 providing the pronunciation" -最,"most, extremely, exceedingly; superlative",ideographic,"To take place 取 under the sun 日 (that is, everywhere)" -㝵,"to obtain, to get, to acquire; ancient form of 得",ideographic,A hand 寸 grabbing a shell 旦 -岸,"beach, coast, shore",ideographic,A mountain 山 cliff 厂; 干 provides the pronunciation -岛,island,ideographic,A bird 鸟 perched atop a mountain 山 -帆,boat; to sail,pictophonetic,cloth -帽,"hat, cap",pictophonetic,towel -廉,"upright, honorable, honest",, -迥,"distant, far; separated; different",ideographic,Separated 辶 by a border 冋; 冋 also provides the pronunciation -恩,"kindness, mercy, charity",pictophonetic,heart -惬,"satisfied, comfortable, cheerful",pictophonetic,heart -㥯,"careful, prudent; compassionate; grieved; worried",pictophonetic,heart -拿,"to bring, to grasp, to hold, to take",pictophonetic,hand -捷,"nimble, quick; triumph, victory",pictophonetic,hand -晃,"bright, dazzling; to shake, to sway",pictophonetic,sun -据,"to possess, to occupy; position; base",pictophonetic,hand -携,"to carry, to lead, to take by the hand",pictophonetic,hand -散,"to scatter, to disperse, to break up",ideographic,A hand 攵 tossing seeds from a basket -敦,"honest, candid, sincere; kind-hearted; to esteem",pictophonetic,share -暖,"warm, genial",pictophonetic,sun -㬎,"motes in a sunbeam; illustrious, bright",ideographic,Tiny 幺 motes of dust 灬 in a sunbeam 日 -橹,"oar, scull; to row, to scull",pictophonetic,wood -饮,"to swallow, to drink; a kind of drink",pictophonetic,food -㲋,"rabbit, hare",pictographic,A rabbit looking to the left -涎,saliva,pictophonetic,water -法,"law, rule, statute; method, way; French",ideographic,The course 去 followed by a stream 氵 -深,"deep, profound; depth",ideographic,Deep 罙 water 氵 -涧,"brook, mountain stream",ideographic,A stream 氵 flowing through a valley 间; 间 also provides the pronunciation -烨,"glorious, splendid; a blaze of fire",ideographic,A glorious 华 blaze 火; 华 also provides the pronunciation -碗,"bowl, small dish",pictophonetic,stone -留,"to stay, to remain; to preserve, to keep; to leave a message; ",, -瘪,"shriveled, dried up; vexed",pictophonetic,sickness -筲,"basket, bucket",pictophonetic,bamboo -糊,muddled; paste; to stick on with paste,pictophonetic,grain -䍃,"vase, pitcher, earthenware",pictographic,Pottery; compare 缶 -䕭,"a kind of grass; a vegetable; nettle, Urtica",pictophonetic,grass -蜂,"bee, wasp, hornet",pictophonetic,insect -恤,"to help, to relieve, to take pity on",pictophonetic,heart -脉,"a pulse; arteries, veins; blood vessels",ideographic,Long 永 vessels through one's body ⺼ -卒,"soldier; servant; at last, finally",pictographic,A soldier in armor -词,"phrase, expression; words, speech",pictophonetic,words -獾,badger,pictophonetic,animal -䠀,to meditate; to sit cross-legged,pictophonetic,foot -趟,"time, occasion; to make a journey",pictophonetic,walk -射,"to shoot, to eject, to emit",pictographic,A bow 身 being drawn by a hand 寸 -镰,sickle,pictophonetic,metal -飒,bleak; melancholy; the howl of the wind,pictophonetic,wind -驮,to carry on one's back,pictophonetic,horse -魂,"soul, spirit",pictophonetic,spirit -鲃,shark; bonito,pictophonetic,fish -鹅,goose,pictophonetic,bird -鹮,"spoonbill, ibis; Threskiornidae",pictophonetic,bird -麸,bran,pictophonetic,wheat -衄,a bloody nose; to be defeated,ideographic,To be shamed 丑 by a bloody 血 nose -一,"one; a, an; alone",ideographic,"Represents heaven (天), earth (旦), or the number 1" -丁,"male adult; robust, vigorous; 4th heavenly stem",pictographic,A nail -丂,obstruction of breath (qi); variant of 考,, -七,seven,, -丄,above,ideographic,One stroke on top of another; variant of 上 -万,ten thousand; innumerable,, -丈,"gentleman, man, husband; unit of length equal to 3.3 meters",, -三,three,ideographic,Three  parallel lines; compare 一 (one) and 二 (two) -上,"above, on top, superior; to go up; to attend; previous",ideographic,One stroke on top of another; compare 下 (below) -下,"below, underneath; inferior; to bring down; next",ideographic,One stroke under another; compare 上 (above) -丌,table,pictographic,A table -不,"no, not, un-; negative prefix",ideographic,A bird flying toward the sky 一 -丏,"parapet; invisible, hidden",, -丐,beggar; to beg; to give,pictographic,A person leaning forward to ask for help -丑,"ugly; shameful; comedian, clown",, -且,"moreover, also (post-subject); about to, will soon (pre-verb)",pictographic,A stone altar -丕,"great, grand, glorious, distinguished",, -世,"generation, era, age; world",pictographic,Three leaves on a branch -丘,"mound, hill; surname",pictographic,Two hills -丙,third; 3rd heavenly stem,, -丞,"to aid, to assist, to rescue",pictophonetic,one -丢,to lose; to discard,ideographic,A lost 厶 jade 玉 -并,"to combine, to annex; also, what's more",ideographic,Simplified form of 並; two men standing side-by-side -丨,number one; line,, -丩,"to connect, to join; vine",, -丫,forked; bifurcation,ideographic,A forked line 丨 -中,"central; center, middle; amidst; to hit (target), to attain; China; Chinese",ideographic,A line 丨 through the center of a box 口 -丰,"abundant, lush, bountiful, plenty",pictographic,An ear of grass -丱,a child's hair bound in two tufts; ore,pictographic,Two braids 丱 of hair -串,string; relatives; to conspire,ideographic,Two objects 口 strung 丨 together -丵,thick (grass),, -丶,dot,, -丷,kwukyel,, -丸,"ball, pebble, pellet, pill",pictographic,A fist 九 holding a pebble 丶 -丹,"cinnabar, red, vermilion; pellet, powder",ideographic,A red pellet 丶 from a mine 井 -主,to own; to host; master; host; lord,pictographic,A lamp 王 with a flame 丶 -丿,slash,, -乂,to govern; to control; to nurture,ideographic,"Shears, for cultivating a garden" -乃,"then; really, indeed, after all",ideographic,A pregnant woman; compare 孕 -久,long ago; a long time,, -乇,"to depend on, to entrust with",, -幺,"one; tiny, small",, -之,"marks preceding phrase as modifier of following phrase; it, him her, them; to go to",ideographic,"A foot meaning ""to follow""; cursive version of 止" -乍,"first time, for the first time, suddenly",, -乎,interrogative or exclamatory final particle,, -乏,"poor; short, lacking; tired",ideographic,A foot 之 running into a wall or barrier 丿 -乑,to stand side by side,, -乒,used with pong for ping pong,ideographic,A ball bouncing back and forth; compare 乓 -乓,used with ping for ping pong,ideographic,A ball bouncing back and forth; compare 乒 -乖,"obedient, well-behaved; clever",, -乘,"ride, mount; to make use of; to ascend; to multiply",ideographic,Two feet 北 climbing a beanstalk 禾 -乙,second; 2nd heavenly stem,pictographic,A swallow -乚,"secret, hidden, mysterious; small, minute; to conceal",, -乛,kwukyel,, -乜,to squint,, -九,nine,pictographic,An elbow -乞,to beg; to request,, -也,"also, too",, -乩,to divine,pictophonetic,divine -乳,"breast, nipples; milk; to suckle",pictophonetic,hidden -乶,"Pholha, a place in Korea",pictophonetic,second -乾,"arid, dry; to fertilize; to penetrate; heavenly generative principle (male)",ideographic,Rays 十 emanating from the 日; 乞 provides the pronunciation -干,"arid, dry; to oppose; to offend; to invade",pictographic,A club or axe -乿,"to heal, to cure",, -乱,"anarchy, chaos; revolt",, -亅,hook,, -了,clear; to finish; particle of completed action,pictographic,A child swaddled in blanklets; compare 子 -予,to give; to award,, -事,"affair, matter, business; to serve; accident, incident",, -二,two; twice,ideographic,Two  parallel lines; compare 一 (one) and 三 (three) -亍,to take small steps; Korean place name,, -于,"at, in, on; to, from; alas!",, -云,"cloud; to say, to speak",pictographic,A cloud -互,"mutually, reciprocally",ideographic,Two hooks hooking eachother -亓,that; surname,, -五,five; surname,ideographic,Five elements (the cross with the extra stroke) between heaven 一 and earth 一  -井,"well, mine shaft, pit",pictographic,A mine or well -亘,"to extend across, through; from",ideographic,Stretching from heaven 一 to earth 一  -些,"little, few; rather, somewhat",pictophonetic,two -斋,"to fast, to abstain; a vegetarian diet",pictophonetic,culture -亚,Asia; second,pictographic,Picture of a cross-shaped house or temple -亟,"urgently, immediately, extremely",, -亠,"lid, cover; head",, -亡,"death, destruction; to lose; to perish",ideographic,A man 人 in a coffin; see 亾 -亢,"high, proud; violent, excessive; skilled; surname",, -交,"to connect; to deliver, to exchange; to intersect; to mix",ideographic,A person with crossed (intersecting) legs -亥,12th terrestrial branch; used in transliterations,, -亦,"also, too; likewise",ideographic,A man standing with arrows pointing to his armpits -亨,"prospering, going smoothly",, -享,to share; to enjoy; to benefit from,ideographic,Children 子 living and eating 口 in the house 亠 -京,capital city,pictographic,A capital building on a hill -亭,pavilion; erect,pictographic,"亠, 口, and 冖 form a picture of a pavilion; 丁 provides the pronunciation" -亮,"bright, brilliant, radiant, light",pictographic,A lit oil lamp -夜,"night, dark; under cover of night",ideographic,A person 亻 sneaking by under cover 亠 of night 夕 -亳,name of district in Anhui; capital of Yin,, -亶,"real, sincere, true; truth",pictophonetic, -亹,busy; resolute; to exert; to make progress,, -人,"man, person; people",pictographic,The legs of a human being -亻,"man, person; people",ideographic,Visual abbreviation of 人 -亼,"to assemble, to gather together",, -什,"what? mixed, miscellaneous",ideographic,A file of ten 十 people 亻 -仁,"benevolent, humane, kind",ideographic,A caring relationship between two 二 people 亻 -仂,"excess, remainder, surplus",pictophonetic, -仃,"lonely, solitary",pictophonetic,person -仄,"slanting, oblique; oblique tones",ideographic,A man 人 taking shelter in a lean-to 厂 -仆,"to fall forward; prostrate, prone; servant",pictophonetic,person -仇,"enemy; hatred, enmity",pictophonetic,person -仉,mother; surname of the mother of Mencius,, -今,"modern, current; today, now",ideographic,A mouth 亼 talking about things -介,"agent, go-between, intermediary; to introduce; shell, armor",ideographic,A border 八 dividing people 人 -仌,frozen; ice-cold,ideographic,"Old variant of 冰 (""ice-water"")" -仍,"yet, still; keeping, continuing; again",pictophonetic,then -从,"from, by, since, whence, through",ideographic,One person 人 following another -仔,"small thing, child; young animal",ideographic,A person 亻 keeping watch over a child 子; 子 also provides the pronunciation -仕,official; to serve in the government,pictophonetic,person -他,"other, another; he, she, it",ideographic,"An additional, ""also"" 也  person 亻" -仗,"1to rely upon; protector; to fight; war, weaponry",pictophonetic,person -付,"give, deliver, pay, hand over; entrust",ideographic,To hand 寸 something over to someone 亻  -仙,"god; fairy; immortal, transcendent",pictophonetic,person -仝,"together, same; surname",pictophonetic,person -仞,ancient unit of measure (about 8 feet); a fathom,pictophonetic, -仟,one thousand; leader of one thousand men,pictophonetic,people -仡,"strong; valiant, brave",, -代,"era, generation; to substitute for, to replace",ideographic,A man 亻 caught 弋 by the passing of time -令,"command, decree, order; magistrate; to allow, to cause",ideographic,A person kneeling before a master 人 -仨,three (cannot be followed by a measure word),pictophonetic,three -仫,tribe,pictophonetic,people -仰,"raise the head to look; look up to, rely on, admire",ideographic,To exalt 卬 a person 亻 -仲,"middle brother; go between, mediator; surname",ideographic,The middle 中 person 亻; 中 also provides the pronunciation -仳,"separate, part company",pictophonetic,person -仵,similar,pictophonetic, -件,"item, matter; component, part; measure word for events",ideographic,A man 亻 dividing up a cow 牛 -任,"to trust, to rely on; to appoint; to bear; duty, office",pictophonetic,person -份,"job, part, role; duty",ideographic,The lot or portion 分 allotted to a man 亻 -仿,"to imitate, to copy; fake; as if",pictophonetic,to imitate a person -企,to plan a project; to stand on tiptoe,ideographic,A man 人 on his feet 止; 止 also provides the pronunciation -伄,"seldom, irregularly",pictophonetic,person -伉,"husband, wife; pair; compare, match",pictophonetic,person -伊,"he she; this, that; used in transliterations",pictophonetic,person -伍,"five, company of five; troops",ideographic,Five 五 people 亻; 五 also provides the pronunciation -伎,"talent, skill, craft, ability",ideographic,A man 亻 who can support 支 someone -伏,"to crouch, to crawl, to lie hidden, to conceal",ideographic,A person 亻 acting like a dog 犬 -伐,"cut down, subjugate, attack",ideographic,A person 亻 attacked 戈 -休,to rest; to stop; to retire,ideographic,A person 亻 leaning against a tree 木 -伕,manual laborer,ideographic,A working 夫 man 亻; 夫 also provides the pronunciation -伙,"companion, colleague; utensils",pictophonetic,person -伢,child,pictophonetic,person -伯,"older brother; father's elder brother; sir, sire, count",pictophonetic,person -估,"merchant; to estimate, to guess, to presume",pictophonetic,person -伲,we (Shanghai dialect),pictophonetic,people -伴,"companion, comrade, partner; to accompany",pictophonetic,person -伶,"clever; lonely, solitary",pictophonetic,person -伸,"to extend, to stretch out, to open up; to trust",ideographic,To extend your confidence 申 to another person 亻; 申 also provides the pronunciation -伺,"to serve, to wait upon, to attend; to examine",pictophonetic,person -似,"resembling, similar to; as if, to seem",ideographic,One person 亻 resembles another -伽,temple; used to transliterations,pictophonetic,person -伾,mighty,ideographic,A great 丕 man 亻; 丕 also provides the pronunciation -佃,tenant farmer; to be a tenant farmer,ideographic,A person 亻 on the farm 田; 田 also provides the pronunciation -但,"only; but, however, yet, still",pictophonetic, -伫,to wait; to look towards; to turn one's back on,, -布,"cotton, linen, textiles; to announce, to declare; to spread",ideographic,Cloth 巾 held in a hand -佉,the name of a divine being; surname,pictophonetic,person -位,"seat, throne; rank, status; position, location",ideographic,The place where a person 亻 stands 立 -低,"low; to lower, to hang; to bend, to bow",pictophonetic, -住,"to reside, to live at, to dwell, to lodge; to stop",ideographic,A person 亻 who hosts 主; 主 also provides the pronunciation -佐,"to assist, to aid; subordinate, second",pictophonetic,person -佑,to help; to protect; to bless,pictophonetic,person -占,to divine; to observe; to versify,ideographic,To speak 口 omens ⺊ -何,"what, why, where, which, how",, -佗,"other, he; surname; a load",ideographic,Another 它 person 亻; see 他 and 她 for modern variants -佘,surname,pictophonetic,person -余,"surplus, remainder; surname",, -佚,to indulge in pleasures; to flee,ideographic,To lose 失 a person 亻 -佛,Buddha; Buddhist,pictophonetic,person -作,"to make; to write, to compose; to act, to perform",ideographic,A person 亻 making something for the first time 乍; 乍 also provides the pronunciation -佝,rickets,, -佞,flattery; glib,ideographic,Kindness 仁 toward a woman 女 -佟,surname,pictophonetic,person -你,"you, second person pronoun",ideographic,Pronoun 尔 for a person 亻 -佣,"to hire, to employ; commission; servant",ideographic,An employed 用 person 亻; 用 also provides the pronunciation -佤,The Va people (an ethnic group in Myanmar and southwest China),pictophonetic,people -佧,an ancient tribe in China,pictophonetic,people -佩,"belt ornament, pendant; wear at waist, tie to the belt; respect",ideographic,Common 凡 cloth 巾 ornaments worn by people 亻 -佬,elder; mature,ideographic,An old 老 person 亻; 老 also provides the pronunciation -佯,"to pretend, to feign; false, deceitful",pictophonetic,person -佰,hundred,ideographic,One hundred 百 people 亻; 百 also provides the pronunciation -佳,"good, auspicious; beautiful; delightful",pictophonetic,person -佴,"a second, an assistant",ideographic,A second 耳 person 亻; 耳 also provides the pronunciation -佶,"strong, robust; exact, correct",pictophonetic,person -佻,"frivolous, unsteady; delay",, -佼,"beautiful, handsome, good-looking",pictophonetic,person -佽,"to help, to aid",pictophonetic,person -佾,a row or file of dancers,, -使,"cause, mission, orders; envoy, messenger, ambassador",ideographic,A person 亻 working for the government 吏 -侃,upright and strong; amiable,ideographic,As trustworthy 㐰 as spring-water 川 -侄,nephew,pictophonetic,person -来,"to arrive, to come, to return; in the future, later on",ideographic,A wheat plant that has not yet borne fruit; compare 來 -侈,"luxurious, extravagant",ideographic,A person 亻 with more than they need 多 -侉,to speak with an accent; big and clumsy,pictophonetic,person -例,"precedent, example, case; regulation",pictophonetic,person -侌,,pictophonetic, -侍,"to serve, to attend upon; servant, attendant; samurai",pictophonetic,person -侏,"small, tiny; dwarf",pictophonetic,person -侑,"help, assist, repay kindness",pictophonetic,person -侔,equal,pictophonetic,person -仑,"logical reasons, logical order",, -侗,"big; ignorant, rude, rustic",pictophonetic,person -供,"to supply, to provide for; to offer in worship",ideographic,A person 亻 making an offering with both hands 共; 共 also provides the pronunciation -依,"to rely on; to consent, to obey; according to",pictophonetic,person -侮,"insult, ridicule, disgrace",, -侯,"marquis, lord; target in archery",pictographic,A person 亻 who might be a target 矦 -侵,"to invade, to encroach upon, to raid",, -侣,companion; associate with,pictophonetic,person -局,"bureau, office; circumstance, game, situation",ideographic,A place where measures 尺 are discussed 口 -便,"easy, convenient; expedient",, -俣,big,pictophonetic,person -系,"system; line, link, connection",pictophonetic,thread -促,"to urge, to rush, to hurry; hasty; near, close",ideographic,Someone 亻 on your heels 足; 足 also provides the pronunciation -俄,"sudden, abrupt; used in transliterations",pictophonetic, -俅,ornamental cap,pictophonetic, -俉,scary; to frighten,pictophonetic,person -俎,chopping board or block; painted,pictographic,A slab of meat on a chopping board 且 -俏,"to resemble; similar, alike; pretty",ideographic,A similar 肖 person 亻; 肖 also provides the pronunciation -俐,"smooth; active; clever, sharp",pictophonetic,person -俑,wooden figure buried with dead,pictophonetic,person -俗,"social customs; vulgar, unrefined",pictophonetic,person -俘,prisoner of war; take as prisoner,pictophonetic,person -俚,"rustic, vulgar, unpolished; mean",pictophonetic,person -俛,"to make an effort, to endeavor; to bear down",, -俯,"to bow down, to face down, to look down",pictophonetic,person -俜,to trust to; send a message,ideographic,A trusted 甹 person 亻;  甹 also provides the pronunciation -保,"to safeguard, to protect, to defend, to care for",pictophonetic,person -俞,"to consent, to approve; surname",, -俟,"wait for, wait until, as soon as",ideographic,A person 亻 waiting for something to finish 矣; 矣 also provides the pronunciation -侠,chivalrous person; knight-errant,pictophonetic,person -信,"to trust, to believe; letter, sign",, -修,to study; to repair; to decorate; to cultivate,pictophonetic,hair -俱,"all, together; accompany",pictophonetic,person -效,"result, effect; effective",pictophonetic,strike -俳,actor; vaudeville show; insincere,pictophonetic,person -俸,"wages, salary, official emolument",ideographic,Wages offered 奉 to a person 亻; 奉 also provides the pronunciation -俺,"I, me, my (some dialects)",pictophonetic,person -备,"to prepare; to get ready, to equip; ready; perfect",ideographic,To go 夂 to the farm 田 to prepare for a harvest -俾,"so that, in order that; to cause",pictophonetic, -伥,the ghost of one devoured by a tiger,pictophonetic,person -俩,"two, a pair, a couple",ideographic,A couple 寿; 寿 also provides the pronunciation -仓,"granary, barn; cabin, berth",ideographic,Simplified form of 倉; grains 食 kept in storage 口 -个,"this, that; single; measure word for individuals",ideographic,A tally 丨 of people 人 -倌,"assistant, hired hand",pictophonetic,person -倍,to double; to increase or multiply,, -倏,"hastily, suddenly, abruptly",pictophonetic,dog -们,plural marker for pronouns and some nouns,pictophonetic,people -倒,"to collapse, to fall over; to lie down",pictophonetic,person -倔,"stubborn, obstinate, intransigent; firm",ideographic,Someone 亻 who does not bend 屈; 屈 also provides the pronunciation -幸,"favor, fortune, luck; surname",ideographic,"Two men, one alive 土 and one dead 干; the living one is lucky" -倘,"if, supposing, in event of",pictophonetic,person -候,"to wait, to expect; to visit; to greet",pictophonetic,person -倚,"to rely on, to depend on",pictophonetic,person -倜,"lofty, exalted",, -倝,"sunrise, dawn",pictophonetic,sunlight -倞,far,ideographic,Someone 亻 living in the capital 京; 京 also provides the pronunciation -借,"to borrow; to lend; excuse, pretext",pictophonetic,person -倡,"guide, leader; lead, introduce",ideographic,Someone 亻 who lights the way 昌; 昌 also provides the pronunciation -倥,"boorish, ignorant; urgent, pressing",pictophonetic,person -倦,"tired, weary",ideographic,A curled-up 卷 person 亻; 卷 also provides the pronunciation -倨,"arrogant, haughty, rude",pictophonetic,person -倩,"beautiful, lovely; son-in-law",ideographic,A young 青 person 亻; 青 also provides the pronunciation -倪,"feeble, tiny, young and weak",ideographic,A young child 兒 -伦,human relationships; society,ideographic,The logical order 仑 of human 亻 society; 仑 also provides the pronunciation -倬,"noticeable, large; distinct, clear",pictophonetic,person -倭,"dwarf; dwarfish, short",pictophonetic,person -倮,"bare, naked, uncovered",pictophonetic,person -睬,"to notice, to pay attention to",pictophonetic,eye -倻,used to transliterate Korean place names,pictophonetic,people -值,"price, value, worth",pictophonetic,person -偃,"to cease, to lay down, to lay off",pictophonetic,person -假,"fake, false, deceitful; vacation",ideographic,A false 叚 person 亻; 叚 also provides the pronunciation -偈,brave; martial; hasty; scudding,, -伟,"great, imposing; extraordinary",pictophonetic,person -偌,"thus, so, like, such",pictophonetic,person -偎,"to cling to, to cuddle, to embrace, to fondle",ideographic,To cling to someone 亻 in fear 畏; 畏 also provides the pronunciation -偏,"slanting, inclined; prejudiced",pictophonetic,person -偕,"together, accompanied by; in order",pictophonetic,person -做,"to work, to make; to act",ideographic,Someone 亻 who causes things to happen 故; 故 also provides the pronuncation -停,"to suspend, to halt, to delay; suitable",pictophonetic,person -健,"strong, robust, healthy; strength",ideographic,Someone 亻 who can build 建 things; 建 also provides the pronunciation -逼,"to bother, to pressure; to compel, to force",pictophonetic,walk -侧,"side; to slant, to lean, to incline",pictophonetic,person -侦,"to spy, to reconnoiter; detective",pictophonetic,person -偶,"accidentally, coincidently; mate, image, idol",pictophonetic,person -偷,"to steal; burglar, thief",pictophonetic,person -咱,"we, us",pictophonetic,mouth -伪,"false, counterfeit, bogus",pictophonetic, -傀,"great, gigantic; puppet",pictophonetic,person -傅,"tutor, teacher; to assist; surname",ideographic,Someone 亻 who lectures 尃; 尃 also provides the pronunciation -傈,the Lisu tribe,pictophonetic,people -傍,"beside, close, nearby; to depend on",ideographic,Someone 亻 by your side 旁; 旁 also provides the pronunciation -杰,"hero; heroic, outstanding",, -傕,used in old names,pictophonetic,person -伧,"vulgar person, country man",ideographic,A person 亻 from the farm 仓; 仓 also provides the pronunciation -伞,"umbrella, parasol, parachute",pictographic,An umbrella -家,"house, home, residence; family",pictophonetic,roof -傣,the Dai minority living in South China,pictophonetic,people -催,"to press, to urge",pictophonetic,person -偬,"busy, hurried; urgent",ideographic,Someone 亻 in a rush 怱; 怱 also provides the pronunciation -傲,"proud, haughty, overbearing",pictophonetic,person -传,to pass on; to propagate; to transmit; summons,pictophonetic,people -伛,humpback; stoop,ideographic,A person 亻 forced into a box 区 -债,"debt, loan, liability",ideographic,A person's 亻 duty 责; 责 also provides the pronunciation -伤,"to injure, to harm; wound, injury; to fall ill",, -傺,to hinder; to detain,pictophonetic,person -傻,"foolish, silly, stupid; an imbecile",ideographic,A man 亻 being hit 夂 on the head 囟 -倾,"to upset, to pour out, to overflow",pictophonetic,person -傿,the name of an immortal; surname,pictophonetic,person -偻,humpback; surname,pictophonetic,person -仅,"only, merely, solely, just",pictophonetic,person -佥,"all, together, unanimous",ideographic,Many people gathered 亼 under one roof -像,"picture, image, figure; to resemble",pictophonetic,person -侨,emigrant; to sojourn,pictophonetic,person -僖,"joy, gladness, delight; surname",ideographic,Someone 亻 in love 喜; 喜 also provides the pronunciation -僚,"companion, colleague; officials; bureaucracy; a pretty face",pictophonetic,person -侥,"to be lucky; by chance, by luck",pictophonetic,person -僦,to hire; to rent,pictophonetic,person -僧,"Buddhist priest, monk",pictophonetic,person -偾,"to ruin, to destroy; overthrown",pictophonetic,person -僬,"clever, alert; pigmy",pictophonetic,person -僭,"to assume, to usurp",pictophonetic,person -僮,"page, servant boy",ideographic,A servant boy 童; 童 also provides the pronunciation -雇,"employment; to hire, to employ",pictophonetic,bird -僳,The Lisu tribe,pictophonetic,people -僵,"still, stiff, motionless",pictophonetic,person -价,"price, value",pictophonetic, -僻,"out-of-the-way, remote; unorthodox",pictophonetic,people living out of the way -仪,"instrument, apparatus; ceremony, rites",pictophonetic, -侬,I; you; surname,pictophonetic,person -亿,hundred million; many,pictophonetic,people -儅,to stop,pictophonetic,person -儆,to warn; warning,pictophonetic,person -儇,"clever, nimble",pictophonetic,person -侩,"go-between, broker, proxy",ideographic,A person 亻 who organizes a meeting 会 -俭,"temperate, frugal, economical",pictophonetic,person -儋,a small jar; to bear a burden; a load of two,pictophonetic,person -傧,to entertain guests,ideographic,Someone 亻 who hosts guests 宾; 宾 also provides the pronunciation -儒,Confucian scholar,pictophonetic,person -俦,"companion, mate, colleague",ideographic,Someone 亻 with you all your life 寿; 寿 also provides the pronunciation -侪,"a class, a company; companion; together",pictophonetic,person -拟,"to draft, to plan; to intend",pictophonetic,hand -尽,"to exhaust, to use up, to deplete",, -偿,"to repay, to recompense; restitution",pictophonetic,person -儡,"puppet, dummy",pictophonetic,person -优,superior; elegant,pictophonetic,person -储,"to save money, to store, to reserve; heir",pictophonetic,person -俪,"spouse; pair, couple",pictophonetic,person -傩,rich,pictophonetic,person -傥,"if, supposing, in case",pictophonetic,person -俨,"grave, respectful; majestic",pictophonetic,person -儿,"son, child",pictographic,"Simplified form of 兒, a picture of a child; compare 人" -兀,weak; lame,ideographic,Cutting 一 off the feet 儿 -允,"to grant, to consent; just, fair",, -元,first; dollar; origin; head,pictographic,A man 儿 with two lines emphasizing their head 二 -兄,elder brother,ideographic,Older brother 儿 speaking 口 to younger ones -充,"to fill, to supply; to be full",, -兆,"omen; mega-, million",pictographic,Cracks in oracle bones used in fortune-telling -凶,"culprit; murder; bad, sad",ideographic,A container 凵 of wickedness 乂 -先,"first, former, previous",ideographic,Someone stepping 止 in front of another person 儿 -光,"light; bright, brilliant; only, merely",ideographic,A person 儿 carrying a torch 火 -克,"to subdue, to restrain, to overcome; used in transliterations",ideographic,A weapon 十 used to subdue a beast 兄 -兑,"cash, check; to exchange",ideographic,A beast 兄 with two horns 丷 -免,"to spare, to excuse from; to evade",, -兔,"rabbit, hare",pictographic,A rabbit -兕,a female rhinoceros,, -兖,to establish; a province,, -兜,pouch,ideographic,"A man wearing a helmet, now meaning ""pouch""" -兟,to advance,ideographic,Two people 先 marching; 先 also provides the pronunciation -兢,"fearful, cautious, wary",, -入,"to enter, to come in; to join",ideographic,"An arrow indicating ""enter""" -内,inside,ideographic,A man 人  entering a door 冂 -全,"whole, entire, complete; to preserve",ideographic,Jade 玉 put away 入 for safe-keeping -两,"two, both, pair, couple; ounce",ideographic,Two people 从 together in a cart -八,"eight; all around, all sides",ideographic,"Two bent lines meaning ""to divide""" -公,"fair, equitable; public; duke",ideographic,To divide 八 what is private 厶 -六,six,, -兮,exclamatory particle,, -共,"all, total; together; to share",ideographic,Two hands 八 holding one object 廾 -兵,"soldier; troops, an army; warlike",ideographic,Two hands 八 holding an axe 丘 -其,"his, her, its, their; that",, -具,"tool, implement; to draw up, to write",ideographic,Two hands 八 writing on a tablet 目 -典,"law, canon; scripture, classic; documentation",ideographic,Two hands 八 holding a book 冊 -兼,"both, and; at the same time; to unite, to combine",ideographic,A hand holding two sheafs of grain 禾 -冀,to hope for; to wish; Hebei province,pictophonetic,north -冂,wide,, -冉,tender; weak; to proceed gradually,, -円,circle; yen,, -册,"book, volume, register, list",pictographic,Bamboo strips 冂 tied together to form a book -冋,desert; border,ideographic,A plot of land 口 surrounded by a border 冂; 冂 also provides the pronunciation -再,"again, twice, re-",pictographic,Two fish 冉 caught on a line 一 -冏,"bright, brilliant; clear; hot",ideographic,Archaic form of 炯 -冒,"to risk, to brave, to dare",pictophonetic, -冑,helmet,ideographic,A man ⺼ wearing a helmet 由 -冓,"secret, niche, hiding-hole, cabinet",, -冕,crown; ceremonial cap,pictophonetic,crown -冖,cover,pictographic,A cover-cloth -冗,excessive; superfluous,ideographic,A cover-cloth 冖 on a table 几 -冘,to move on; doubtful,pictophonetic,towel -冠,"cap, crown, headgear",ideographic,A man 元 puts on a cap 冖 with his hand 寸 -冡,,, -冢,"burial mound, mausoleum; grand",pictophonetic,shroud -冣,"to assemble, to collect, to meet",pictophonetic,cover -冤,"grievance, injustice, wrong",, -幂,"cover-cloth; exponent, power",ideographic,A cover 冖 cloth 巾; 冖 also provides the pronunciation -冫,ice,, -冬,"winter, 11th lunar month",ideographic,A man walking 夂 on ice ⺀ -冰,ice; ice-cold,ideographic,Ice-cold冫 water 水 -冱,"freezing; stopped up, closed off",pictophonetic, -冶,"to smelt, to fuse metals, to cast",, -冷,"cold, cool; lonely",pictophonetic,ice -泯,"to destroy, to eliminate; to perish",pictophonetic,water -冼,surname,pictophonetic, -冽,"cold and raw; pure, clear",pictophonetic,ice -凄,"bitter cold, miserable, dreary",pictophonetic,ice -准,"standard, accurate; to permit, to approve, to allow",pictophonetic,water in a spirit level -凇,dewdrop; icicle,pictophonetic,ice -净,"clean, pure; to cleanse",pictophonetic,water -凋,"withered, fallen; exhausted",pictophonetic,ice -凌,pure; virtuous; to insult; to maltreat,pictophonetic,ice -冻,"cold; to freeze, to congeal; jelly",pictophonetic,ice -凛,to shiver with cold or fear,pictophonetic,ice -凝,"to coagulate, to congeal; to freeze",pictophonetic,ice -几,"small table; how many; a few, some",pictographic,A small table; compare 丌 -凡,"any, every, all; common, ordinary",ideographic,A plate or flat dish; an everyday item -処,"place, locale; department",pictophonetic,go -凰,female phoenix,pictophonetic, -凯,"triumphant; triumph, victory",, -凳,bench; stool,pictophonetic,table -凭,to lean on; to rely on,ideographic,Leaning on (trusting) 任 a table 几 -凵,container; receptacle,pictographic,A tray -凸,"to protrude, to bulge out; convex",ideographic,A rectangle with a bulge -凹,"concave, hollow; depressed; pass, valley",ideographic,A rectangle with a hollow -出,"to go out, to send out; stand; produce",ideographic,A sprout 屮 growing out of a container 凵 -凼,ditch; pool,ideographic,Water 水 in a container 凵 -函,"correspondence; a case, a box",ideographic,Letters placed in a container 凵 -刀,knife; old coin; measure,, -刁,"tricky, sly, crafty, cunning",, -刂,knife,, -刃,"edged tool, cutlery, knife edge",ideographic,A knife 刀 sharp enough to draw blood 丶 -分,"to divide, to allocate; fraction; small unit of time or other quantity",ideographic,Pieces 八 being further subdivided with a knife 刀  -切,"to cut, to mince, to slice, to carve; close to; eager",pictophonetic,knife -刈,"to cut off, to reap, to mow; sickle",pictophonetic,knife -刊,"publication, periodical; to publish, to print",pictophonetic,knife -刎,"to behead, to cut the throat",pictophonetic,knife -刑,"punishment, penalty; law",ideographic,A man 刂 in jail 开 -划,to row or paddle a boat; to scratch; to plan; profitable,, -刖,cutting off the feet as a form of punishment,pictophonetic,knife -列,"a line; to arrange, to classify",pictophonetic,line -初,"beginning, initial, primary",ideographic,Cutting 刀 the cloth 衤 is the first step in making clothes -判,to judge; to discriminate; to conclude,pictophonetic,knife -别,"to separate, to distinguish, to classify; to leave; other; do not, must not",ideographic,To draw boundaries 刂 between classes 另 -劫,"to take by force, to coerce; disaster; misfortune",pictophonetic,strength -刨,"carpenter's plane; plane, level",pictophonetic,knife -利,"gains, advantage, profit, merit",ideographic,Harvesting 刂 grain 禾 -删,to delete; to cut; to censor,ideographic,To cut 刂 out passages from a book 册 -刮,to shave; to scrape; to blow,pictophonetic,knife -到,"to go to, to arrive",pictophonetic,arrive -刳,"to cut open, to dig out, to rip up, to scoop out",pictophonetic,knife -制,system; to establish; to manufacture; to overpower,pictophonetic,knife -刷,"brush; to clean, to scrub",ideographic,A person bent over 尸 with a towel 巾 -券,"bond, certificate, deed; ticket; contract",pictophonetic,knife -刺,"to stab; to prick, to irritate; to prod",pictophonetic,knife -刻,"to carve, to engrave; a quarter hour; a moment",pictophonetic,knife -剁,"to chop by pounding, to hash, to mince",pictophonetic,knife -剃,to shave,pictophonetic,knife -刭,to cut the throat,pictophonetic,knife -则,"rule, law, regulation; grades",ideographic,Laws inscribed 刂 on a slate 贝 -锉,carpenter's file; to file smooth,pictophonetic,metal -削,"to pare, to scrape, to trim",pictophonetic,knife -剋,"to subdue, to restrain, to overcome; used in transliterations",ideographic,A weapon 刂 used to subdue 十 a beast 兄 -剌,"to slash, to cut in two; to contradict",pictophonetic,knife -前,"in front, forward; former, preceding",, -刹,"temple, shrine, monastary; an instant, a moment; to brake",pictophonetic,knife -创,"to establish, to create; cut, wound, trauma",pictophonetic,knife -剔,to pick out; to scrape off; picky,pictophonetic,knife -剖,"to bisect, to dissect, to slice",pictophonetic,knife -刚,"hard, strong, tough; just, barely",pictophonetic,knife -剜,"to cut; to cut out, to pick out, to scoop out",pictophonetic,knife -剥,"to peel, to skin; to exploit",pictophonetic,knife -剞,carving or engraving; knife; grave,pictophonetic,knife -剡,"sharp, pointed; to sharpen",pictophonetic,knife -剩,"leftovers, residue, remains",pictophonetic,knife -剪,"scissors; to cut, to divide, to separate",pictophonetic,knife -剐,to cut; to sever flesh from bone,pictophonetic,knife -副,"to assist, to supplement; assistant; secondary; auxiliary",pictophonetic,knife -割,"to cut, to divide, to partition; to cede",pictophonetic,knife -剳,"note, memo, official communique",pictophonetic,answer -札,"letter, note; correspondence",, -剀,"to sharpen; careful, thorough",pictophonetic,knife -铲,"spade, shovel; trowel, scoop",pictophonetic,metal -戮,"to kill, to massacre; to oppress",pictophonetic,spear -剽,"to rob, to plunder, to slice off; nimble, quick",pictophonetic,knife -剿,"to annihilate, to destroy, to exterminate",pictophonetic,knife -劁,"to castrate, to neuter",pictophonetic,knife -劂,chisel; to engrave,pictophonetic,knife -劄,"memo, note, official communique",pictophonetic,answer -剧,"theatrical plays, opera, drama; severe, acute",pictophonetic,knife -劈,"to chop, to cut apart; to split",pictophonetic,knife -刘,"to kill, to destroy; surname",pictophonetic,knife -刽,"to amputate, to cut off",pictophonetic,knife -刿,"to cut, to injure, to stab; to stick on",pictophonetic,knife -剑,"sword, dagger, saber",pictophonetic,knife -劐,to destroy,pictophonetic,knife -剂,dose; medicine; measure word for medicines,pictophonetic,knife -劓,to cut off the nose,ideographic,To cut 刂 the nose 鼻; 鼻 also provides the pronunciation -力,"strength, power; capability, influence",ideographic,A plow's head representing strength -功,"achievement, good work; merit; service",ideographic,Results produced by capable 力 labor 工; 工 also provides the pronunciation -加,"to add to, to increase, to augment",ideographic,Supporting a cause with the strength 力 of one's words 口 -劣,"low-quality, inferior, bad",pictophonetic,inadequate -劦,"to cooperate, to work together; joint labor",ideographic,Many people working 力 together -助,"to help, to aid, to assist",pictophonetic,strength -努,"to exert, to strive, to make an effort; to pout",pictophonetic,strength -劬,"diligent; to toil, to endeavor",pictophonetic,strength -劭,to encourage; to excel; excellent,pictophonetic,strength -劵,"certificate, ticket; title deed",pictophonetic,strength -劼,"cautious, discreet, prudent",pictophonetic,strength -劾,"to look into; to impeach, to charge",pictophonetic,strength -劲,"strong, tough, unyielding; power, energy",pictophonetic,strength -勃,"thriving, prosperous; sudden, quick",pictophonetic,strength -敕,an imperial order or decree,pictophonetic,script -勇,"brave, courageous, fierce",pictophonetic,strength -勈,brave,pictophonetic,strength -勉,"to endeavor, to make an effort; to urge",pictophonetic,strength -勐,imperial decree; daoist magic,pictophonetic,strength -勒,to strangle; to tighten,pictophonetic,strength -动,"to move, to happen; movement, action",pictophonetic,strength -勖,to advise; to exhort; to preach to,pictophonetic,strength -勘,"to investigate; to survey, to explore; to compare; to collate",pictophonetic,strength -务,"affairs, business; should; must",, -勋,"deeds, feats; merit; rank",pictophonetic,strength -胜,"victory; to excel, to truimph",pictophonetic,flesh -劳,"to labor, to toil; to do manual work",ideographic,A man lifting 力 a load 冖 of grass 艹 -募,"to levy, to raise; to recruit; to summon",pictophonetic,strength -势,"power, force; tendency, attitude",pictophonetic,strength -勤,"industrious, diligent, attentive",pictophonetic,strength -勰,"peaceful, harmonious",pictophonetic,think -劢,"to put forth effort, to strive for",pictophonetic,strength -励,to encourage; to strive,pictophonetic,strength -劝,"to recommend, to advise; to urge, to exhort",ideographic,The power 力 beside 又 the throne -勹,wrap,, -勺,"spoon, ladle; unit of volume",ideographic,A spoon 勹 with something in it 丶 -匀,"equal; even, uniform",ideographic,Using a spoon 勹 to measure out two equal parts 冫 -勾,"to hook, to join, to connect; to entice",, -勿,"must not, do not; without, never",ideographic,A knife 勹 cutting fragments 丿 off -包,"wrap, pack, bundle; package",ideographic,To swaddle 勹 a baby 巳; 勹 also provides the pronunciation -匆,"hastily, hurriedly, in a rush",, -匈,"breast, chest, thorax; to clamor; Hungary",pictophonetic,wrap -匊,handful,ideographic,A handful of rice 米 in a bowl 勹 -匋,pottery,pictophonetic,pottery -匍,to crawl; to lie prostrate,pictophonetic,wrap -匏,gourd; musical instrument,pictophonetic,extravagant -匐,to crawl; to lie prostrate,pictophonetic,wrap -匕,"spoon, ladle; knife, dirk",pictographic,A spoon -化,"to change, to convert, to reform; -ize",, -北,north; northern; northward,pictographic,"Two people 匕 sitting back-to-back; phonetic loan for ""north""" -匙,spoon; surname,pictophonetic,spoon -匚,box; basket,, -匝,full circle; to encircle,, -炕,the brick-bed in northern China,pictophonetic,fire -匠,"artisan, craftsman, workman",, -匡,"to correct, to revise; to restore",pictophonetic,box -匣,"case, coffer, small box",pictophonetic,box -匧,"trunk, suitcase; portfolio",pictophonetic,box -匪,"bandits, robbers, gangsters",pictophonetic,basket -匦,"chest, casket, small box",pictophonetic,box -汇,"to gather, to collect; confluence",ideographic,Water 氵 collected in a container 匚 -匮,"to lack; lacking, deficient; exhausted; empty",pictophonetic,box -奁,lady's vanity case; trousseau,ideographic,A man 大 packing a suitcase 区 -匸,box,, -匹,"bolt of cloth; mate, one of a pair; measure word for horses",pictographic,A roll of cloth -匽,"to hide, to repress; to bend",pictophonetic,box -匾,"a board, sign, or tablet made from bamboo",ideographic,A board 扁 made of bamboo 匸; 扁 also provides the pronunciation -匿,to hide; to go into hiding,pictophonetic,box -区,"area, district, region, ward; surname",ideographic,A place 匸 under a lord's control 乂 -十,"ten, tenth; complete; perfect",, -卂,to fly rapidly,, -千,"thousand; many, numerous; very",, -卄,"twenty, twentieth",ideographic,Two tens 十 side by side -卅,"thirty, thirtieth",ideographic,Three tally marks; compare ten 十 and twenty 廿 -升,"to advance; to arise; to hoist, to raise",, -午,noon; 7th terrestrial branch,, -卉,general term for plants; myriads,ideographic,Ten 十 different types of grass 艹 -半,"half; semi-, incomplete",ideographic,A cow 牛 splitting 丷 wood in half -卌,"forty, fortieth",ideographic,"Four tally marks; compare ten 十, twenty 廿, and thirty 卅" -卑,"humble, low, inferior; to despise",ideographic,A hand 又(altered) holding an empty shell 甲 (altered) -卓,"profound, lofty, brilliant",ideographic,To foresee ⺊ the dawn 早 coming; 早 also provides the pronunciation -协,"to assist; to cooperate, to join; to harmonize",pictophonetic,manage -南,south; southern; southward,pictographic,A musical bell -博,"to gamble, to play games; to win; rich, plentiful, extensive; wide, broad",pictophonetic,ten -卜,"divination, fortune-telling; prophecy",pictographic,A crack on an oracle bone -卞,"to be impatient; hasty, excitable",, -卟,a chemical compound; divination; to consider,ideographic,To speak 口 of the future 卜; 卜 also provides the pronunciation -卡,"card, punch card; calorie",ideographic,A card squeezed between 上 and 下 -卣,a vessel of wine,pictographic,A wine flask -卦,"divination, fortune-telling",pictophonetic,divination -卩,seal; kneeling person,pictographic,A rolled-up scroll or kneeling person -卬,"lofty; high; to raise; high-priced, expensive",ideographic,A person kneeling 卩 before a person (a king) sitting 匕 -卮,"measuring cup; goblet, vessel of wine",, -卯,4th terrestrial branch; period from 5-7 a.m.,, -印,"print; mark; seal, stamp",ideographic,A hand 爪 stamping a seal 卩 -危,"dangerous, precarious; high",ideographic,A person 㔾 at the edge of a cliff 厃; 厃 also provides the pronunciation -即,"promptly, quickly, immediately",ideographic,A hungry person卩 kneeling over food 皀; compare 既 -卵,"egg, ovum, roe; ovary, testes; to spawn",pictographic,Two ovaries containing eggs -卷,"book, scroll, volume; curled up; to curl, to roll",ideographic,A curled up scroll 㔾 -卸,to unload; to lay down; to resign,pictophonetic,stop -卿,noble; minister; thou (poetic),, -膝,knee,pictophonetic,flesh -厂,"cliff; factory, workshop; building",, -厄,"adversity, difficulty, distress",ideographic,A person 㔾 being crushed under pressure 厂 -厓,"precipice; river bank, shore; surname",ideographic,A cliff 厂 formed of earth 土 -厗,"stone, mineral; antimony",ideographic,A bitter 辛 mineral 厂 -厘,one thousandth,pictophonetic,workshop -厍,surname,pictophonetic, -厚,generous; substantial; deep (as a friendship),ideographic,Sunlight 日 and children 子 in a building 厂 -厝,"to bury; grave, tombstone; to cut, to engrave",ideographic,A building 厂 containing the past 昔 -原,"source, origin, beginning",pictophonetic,cliff -厕,"toilet, washroom; to mingle",pictophonetic,building -历,history; calendar,pictophonetic,calendar -厥,"personal pronoun; he, she, it",pictophonetic, -厪,hut; diligent; careful,pictophonetic,building -厌,"to dislike, to detest; to reject; to satiate",pictophonetic,cliff -厮,servant; to cause a disturbance,pictophonetic,building -厉,"whetstone; to grind, to sharpen, to whet",, -厣,shell,pictophonetic,armor -厶,"private, secret",pictographic,A silk cocoon -厷,"forearm, upper arm; round",pictographic,A bent arm; flexing the muscles -厹,spear; the name of a tribe,, -去,"to go away, to leave, to depart",, -叁,three (bankers' anti-fraud numeral),ideographic,Three 三 with accents to prevent forgery -又,"and, also, again, in addition",pictographic,"A right hand, representing a pair; compare 左" -叉,"fork; prong; cross, intersect",ideographic,A hand 又 grasping an object 丶 -及,to extend; to reach; and; in time,, -友,"friend, companion; fraternity",ideographic,"Two hands 又 joined, representing friendship; 又 also provides the pronunciation" -反,"reverse, opposite; contrary, anti-",ideographic,A hand 又 held up against a cliff 厂 -叒,obedient; united,ideographic,"Three hands 又 joined, representing unity" -叔,uncle; father's younger brother,ideographic,The smaller 小 brother -叕,to connect,ideographic,Many hooks 又 forming a net -取,"to take, to receive, to obtain; to select",ideographic,A hand 又 taking the ear 耳 of a fallen enemy -受,"to receive, to get, to accept; to bear",ideographic,Something 冖 passed from one hand 爫 to another 又 -叛,rebel; rebellion; rebellious,pictophonetic,contrary -叟,old man; elder,ideographic,"A hand 又 holding up a candle, representing failing vision" -睿,"keen, clever, astute",, -丛,"bush, shrub; thicket; collection",pictophonetic,one -口,"mouth; entrance, gate, opening",pictographic,An open mouth -古,"old, classic, ancient",ideographic,Words passing through ten 十 mouths 口 -句,"sentence, clause, phrase, paragraph; stanza",ideographic,A phrase 勹 from the mouth 口 -另,"another; separate, other",, -叨,talkative; grumbling,pictophonetic,mouth -叩,"to ask; to bow, to kowtow; to knock",pictophonetic,kneel -只,"only, merely, just",ideographic,Simple words 八 coming from the mouth 口 -叫,"cry, shout; to call, to greet, to hail",pictophonetic,mouth -召,"imperial decree; to summon, to call, to beckon",pictophonetic,mouth -叭,trumpet,pictophonetic,mouth -叮,to persistently exhort or urge; sting (as of an insect),pictophonetic,mouth -可,"may, can, -able; possibly",pictophonetic,vigorous -台,platform; unit; term of address,, -叱,"to scold, to upbraid; to shout at",pictophonetic,mouth -史,"history, chronicle, annals",ideographic,A hand 乂 using a pen to record a history -右,right; right-wing,, -叵,cannot; to be unable; improbable; thereupon,, -叶,"leaf, page; surname",, -司,"to take charge of, to control, to manage; officer",ideographic,A person speaking orders 口 and raising their arm -叻,used in transliterations,, -叼,to hold in the mouth,pictophonetic,mouth -吁,alas; to sigh,pictophonetic,mouth -吃,"to eat; to drink; to suffer, to endure, to bear",pictophonetic,mouth -各,"individual; each, every; all",ideographic,Walking 夂 and talking 口 -吆,"to cry, to bawl; to yell, to shout",pictophonetic,mouth -合,"to combine, to join, to unite; to gather",, -吉,"lucky, propitious, good",ideographic,The words 口 of a scholar 士 -吊,"to condole, to mourn, to pity; to hang",, -吋,"English inch (unlike 寸, which could be the English or the Chinese inch)",ideographic,A foreign 口 inch 寸; 寸 also provides the pronunciation -同,"same, similar; together with, alike",ideographic,Sharing a common 凡 tongue 口 -名,"name; position, rank, title",ideographic,A name called out 口 to hail someone at night 夕 -后,"after; behind, rear; descendants",, -吏,"government official, magistrate",, -吐,"to vomit, to spew out, to cough up; to say",pictophonetic,mouth -向,"towards; direction, trend",, -吒,"to scold; to shout, to roar, to bellow",pictophonetic,mouth -吖,used in transliterations,pictophonetic,mouth -咿,a creaking sound; to laugh,pictophonetic,mouth -君,"sovereign, ruler, prince, monarch, chief",ideographic,A leader 尹 giving orders 口 -吝,"stingy, miserly; parsimonious",, -吞,"to absorb, to annex; to engulf; to swallow",pictophonetic,mouth -吟,"to sing, to hum; to recite; a type of poetry",pictophonetic,mouth -吠,to bark,ideographic,The sound a dog 犬 makes with their mouth 口 -吡,to blame,pictophonetic,mouth -否,"no, not, un-; final particle",pictophonetic,no -吧,emphatic final particle,pictophonetic,mouth -吩,"to order, to command; to instruct",pictophonetic,mouth -含,to hold in the mouth; to contain; to cherish,pictophonetic,mouth -听,"to hear, to listen; to understand; to obey",ideographic,Words 口 reaching an ear 斤 -吭,throat,pictophonetic,mouth -吮,"to suck, to sip, to lick",pictophonetic,mouth -吱,to chirp; to hiss; to squeak,pictophonetic,mouth -吲,to smile at; to sneer at,ideographic,To stretch 引 the mouth 口; 引 also provides the pronunciation -吴,one of several warring states; surname,, -吵,"to argue, to dispute; to annoy, to disturb",pictophonetic,mouth -呐,"to raise one's voice; to yell, to shout; to stammer",pictophonetic,mouth -吸,"to inhale, to suck in; to absorb; to attract",pictophonetic,mouth -吹,"to blow, to puff; to brag, to boast",pictophonetic,mouth -吻,to kiss; lips; coinciding,pictophonetic,mouth -吼,"to roar, to shout; to bark, to howl",pictophonetic,mouth -吾,"I, my, our; to resist, to impede",pictophonetic,mouth -呀,particle used to express surprise,pictophonetic,mouth -吕,a musical note; surname,ideographic,Two mouths 口 in harmony -呃,belch; hiccup,pictophonetic,mouth -呆,"dull, simple, stupid",ideographic,One with wooden 木 speech 口 -呈,"to petition, to submit; to appear, to show",ideographic,To speak 口 before a king 王 -告,"to tell, to inform, to announce; to accuse",ideographic,To speak 口 with the force of an ox 牛 -呋,used in transliterations,pictophonetic,mouth -呎,foot,pictophonetic, -呑,to swallow; to absorb,pictophonetic,mouth -呔,tire; neck-tie,pictophonetic, -呢,wool; interrogative or emphatic final particle,pictophonetic,mouth -呤,purine,pictophonetic,mouth -呦,the sound of a deer bleating,pictophonetic,mouth -周,Zhou dynasty; circumference,ideographic,Border 冂 around land 土 with a well 口 -咒,to curse; to damn; incantation,, -呫,"to taste, to sip, to lick; to whisper; petty",ideographic,To divine 占 with one's tongue 口 -呱,"to wail, to cry; to swear at",pictophonetic,mouth -呲,to grimace; to bare one's teeth,pictophonetic,mouth -味,"taste; smell, odor; delicacy",pictophonetic,mouth -呵,to scold; to yawn; the sound of someone laughing (when repeated),pictophonetic,mouth -呶,"talkative; clamour, hubbub",pictophonetic,mouth -呷,"to swallow, to suck, to drink",pictophonetic,mouth -呸,to spit at,pictophonetic,mouth -呻,"to moan, to groan; to chant",pictophonetic,mouth -呼,"to breathe, to exhale, to sigh; to call, to shout",pictophonetic,mouth -命,"life; destiny, fate, luck; an order, instruction",ideographic,An order 令 given by mouth 口 -咀,to suck; to chew,pictophonetic,mouth -咂,"to suck, to smack the lips",pictophonetic,mouth -咄,a cry of anger,pictophonetic,mouth -咅,to spit out,, -咆,to roar,pictophonetic,mouth -和,"harmony, peace; calm, peaceful",pictophonetic,mouth -咋,question-forming particle: why? what? how?; to bite; loud,pictophonetic,mouth -咎,"fault, defect; error, mistake",pictophonetic,mouth -咐,to instruct; to order,pictophonetic,mouth -咑,trumpet,pictophonetic,mouth -咔,used in transliterations,pictophonetic,mouth -咕,"mumble, mutter, murmur; rumble",pictophonetic,mouth -咖,coffee; used in transliterations,pictophonetic,mouth -咚,"onomatopoetic, a thumping sound",pictophonetic,mouth -咠,"to whisper, to slander, to blame",ideographic,To whisper 口 in someone's ear 耳 -咢,"onomatopoetic, a drumming sound",, -咣,"onomatopoetic, a crash or bang",pictophonetic,mouth -咤,"to scold; to shout, to roar, to bellow",pictophonetic,mouth -咥,the sound of a cat; to laugh; to bite,pictophonetic,mouth -咦,exclamation of surprise,pictophonetic,mouth -咧,"to grimace, to grin",pictophonetic,mouth -咨,"to inquire, to consult, to discuss; to plan",pictophonetic,mouth -咩,the bleating of sheep,ideographic,The sound a sheep 羊 makes with its mouth 口 -咪,a cat's meow; a meter,pictophonetic,mouth -咫,unit of length used during the Zhou dynasty,pictophonetic,ruler -咬,"to bite, to gnaw",pictophonetic,mouth -咭,(Cant.) to guard (from Engl. 'guard'); a card (from Engl. 'card'); young and pretty (from Engl. 'kid'),pictophonetic,mouth -咯,final particle,pictophonetic,mouth -笑,"to smile, to laugh; to giggle; to snicker",ideographic,A person 夭 with a big grin ⺮ -咳,to cough,pictophonetic,mouth -咴,"to neigh, to whinny",pictophonetic,mouth -咸,"all, together, united; salted",ideographic,One 一 voice 口 surrounded by conflict 戈 -咻,to shout; to jeer at,pictophonetic,mouth -呙,"to chat, to gossip, to jaw, to talk; mouth",ideographic,Words 内 coming from a mouth 口 -咽,throat; pharynx,pictophonetic,mouth -咾,"onomatopoeic; sound, noise",pictophonetic,mouth -哀,"sad, mournful, pitiful; to pity; to grieve",pictophonetic,mouth -品,"article, good, product; commodity; quality, character",ideographic,Something that everyone is talking 口 about -哂,to smile; to laugh at; to sneer,pictophonetic,mouth -哄,"to coax; to beguile, to cheat, to deceive; tumult, uproar",pictophonetic,mouth -哆,"to quiver, to tremble, to shudder",pictophonetic,mouth -哇,to vomit; an infant's cry,pictophonetic,mouth -哈,the sound of laughter,pictophonetic,mouth -哉,final exclamatory particle,pictophonetic,mouth -哌,used in transliterations,pictophonetic,mouth -哎,interjection of surprise,pictophonetic,mouth -哏,the clamor of an argument; funny; odd,pictophonetic,mouth -哐,"onomatopoetic, a clang or clatter",pictophonetic,mouth -哚,a chemical element,pictophonetic,mouth -哞,a cow's moo,pictophonetic,mouth -员,"employee; member; personnel, staff",pictophonetic,money -哥,elder brother,ideographic,One person talking 可 over another 可 -哦,oh? really? is that so?,pictophonetic,mouth -哧,the sound of ripping or giggling,pictophonetic,mouth -哨,to whistle; to chirp,pictophonetic,mouth -哩,mile,pictophonetic,mouth -哪,which? where? how?,pictophonetic,mouth -哭,"to weep, to cry, to wail",ideographic,To shed a tear from your eyes 口 over a person 犬 -哮,to cough; to pant; to roar,pictophonetic,mouth -哱,onomatopoeic,pictophonetic,mouth -哲,"wise, sagacious; wise man; philosopher",pictophonetic,mouth -哳,the sound of ripping or giggling,pictophonetic, -哺,to chew; to feed,pictophonetic,mouth -哼,"to hum; to sing softly; to moan, to groan",pictophonetic,mouth -哽,to sob; to choke up,pictophonetic,mouth -哿,"excellent, capable; happy; to commend",pictophonetic,add -唁,to offer condolences,pictophonetic,mouth -呗,final particle of an assertion,pictophonetic,mouth -唅,"to swallow; to grunt, to grumble",ideographic,To hold 含 in the mouth 口; 含 also provides the pronunciation -唆,"to make mischief; to instigate, to incite",pictophonetic,mouth -唇,lips,pictophonetic,mouth -唉,alas; exclamation of surprise or pain,pictophonetic,mouth -唎,final particle; and? ok?,pictophonetic,mouth -唏,"to weep, to sob; to grieve",pictophonetic,mouth -唐,"the Tang dynasty; Chinese; empty, exaggerated; surname",ideographic,Children learning how to read 口 and write 肀 in school 广 -唑,"in chemistry, -azole",pictophonetic,mouth -唔,to hold in the mouth; bite,pictophonetic,mouth -唣,chatter,pictophonetic,mouth -启,"to open; to begin, to commence; to explain",ideographic,A door 户 being opened 口 -吣,to vomit,pictophonetic,mouth -唧,the chirping of insects,pictophonetic,mouth -唪,"to recite, to intone, to chant",pictophonetic,mouth -唫,"to hum, to intone; to close, to shut",pictophonetic,mouth -唬,to intimidate; to scare,pictophonetic,mouth -售,to sell,ideographic,"A street vendor talks 口 incessantly, like a bird 隹" -唯,only; sole,, -唰,"swish, rustle",pictophonetic,mouth -唱,"to sing, to chant, to call; ditty, song",pictophonetic,mouth -唳,a bird's cry,pictophonetic,mouth -唵,to eat with one's hands; used in transliterations,pictophonetic,mouth -唷,final particle,pictophonetic,mouth -念,"to think of, to recall; to study",ideographic,To keep the present 今 in mind 心 -唼,to speak evil; a gobbling sound made by ducks,pictophonetic,mouth -唾,to spit; to spit on; saliva,pictophonetic,mouth -唿,sad,pictophonetic,mouth -啁,"to chirp, to twitter",pictophonetic,mouth -啃,"to gnaw, to chew, to bite",pictophonetic,mouth -啄,to peck,pictophonetic,mouth -商,"commerce, business, trade",pictophonetic,bright -啉,stupid; slow,pictophonetic,mouth -啊,"ah, exclamatory particle",pictophonetic,mouth -问,"to ask about, to inquire after",pictophonetic,mouth -啐,"to taste, to sip; to spit; the sound of sipping",pictophonetic,mouth -喋,"to nag; babble, chatter",pictophonetic,mouth -啕,to wail,pictophonetic,mouth -啖,"to feed; to eat; to chew, to bite; to entice",pictophonetic,mouth -啜,"to drink, to sip; to sob, to weep",pictophonetic,mouth -哑,"dumb, mute, hoarse",pictophonetic,mouth -啡,coffee; morphine,pictophonetic,mouth -衔,"rank, title; to bite, to hold in the mouth",pictophonetic,metal -啤,beer,pictophonetic,mouth -啥,what?,pictophonetic,mouth -啦,final particle of an assertion,pictophonetic,mouth -啪,"onomatopoetic, a bang sound",pictophonetic,mouth -啫,onomatopoeic; an interjection of warning,pictophonetic,mouth -啵,"onomatopoetic, the sound of a brook bubbling",ideographic,The sound 口 of ripples in the water 波; 波 also provides the pronunciation -啶,"in chemistry, -dine",pictophonetic,mouth -啷,a clanging or rattling sound,pictophonetic,mouth -啻,"only, merely, just; to stop at",pictophonetic,mouth -啼,"to weep, to whimper; to howl; to crow",pictophonetic,mouth -啾,the wailing of a child,pictophonetic,mouth -喀,to vomit; used in transliterations,pictophonetic,mouth -喁,to breathe like a fish; to gasp for breath,pictophonetic,mouth -喂,interjection used to call attention,pictophonetic,mouth -喃,"to chatter, to keep talking; to mumble",pictophonetic,mouth -善,"good, virtuous, charitable, kind",ideographic,To give someone food 羊 and conversation 口 -喆,"sage; wise, sagacious",ideographic,Extremely lucky 吉; 吉 also provides the pronunciation -喇,"horn, bugle; llama; final particle",pictophonetic,mouth -喈,"melody, music; harmonious",pictophonetic,mouth -喉,"throat, larynx, gullet; guttural",pictophonetic,mouth -喊,"to shout, to yell, to call out; to howl; to cry",pictophonetic,mouth -喏,respectful reply of assent to superiors,pictophonetic,mouth -喑,"dumb, mute; the sobbing of an infant",pictophonetic,mouth -喔,"onomatopoetic, the sound of crowing or crying",pictophonetic,mouth -喘,"to pant, to gasp, to breathe heavily",pictophonetic,mouth -喙,"beak, bill, snout; to pant",ideographic,A hedgehog's 彖 mouth 口 -唤,to call,pictophonetic,mouth -喜,"to love; to enjoy, to be happy; joyful, glad",ideographic,Singing 口 and beating drums 壴 -喝,"to drink; to shout, to call out",pictophonetic,mouth -喟,"heave sigh, sigh",pictophonetic,mouth -喧,"lively, noisy; to clamor, to talk loudly",pictophonetic,mouth -喨,"to yell; to wail, to cry; to neigh",pictophonetic,mouth -丧,mourning; mourn; funeral,pictographic,Simplified form of 喪; to cry 哭 over the dead 亡 -乔,"tall, lofty; proud, stately",ideographic,A person 夭 on stilts -单,"single, individual, only; lone",, -喱,gram; the weight of one grain,ideographic,A thousandth 厘 of a meal 口; 厘 also provides the pronunciation -哟,"ah, final particle",pictophonetic,mouth -喳,to whisper,pictophonetic,mouth -喵,a cat's meow,pictophonetic,mouth -喹,"in chemistry, quinoline",pictophonetic,mouth -喻,"metaphor, analogy; example; such as, like",pictophonetic,mouth -喼,used in transliterations,pictophonetic,mouth -喿,the sound of birds chirping,ideographic,Several birds 品 chirping in a tree 木 -嗄,hoarse,pictophonetic,mouth -嗅,"to sniff, to smell, to scent",ideographic,To taste 口 an odor 臭; 臭 also provides the pronunciation -呛,"choking, as by smoke; something that irritates the nose or throat",pictophonetic,mouth -啬,"miserly, stingy, thrifty",, -嗉,a bird's crop; wine pot,pictophonetic,mouth -唝,to sing,pictophonetic,mouth -嗌,"throat; to quarrel, to choke",pictophonetic,mouth -嗍,"to drink, to imbibe",pictophonetic,mouth -吗,final interrogative particle,pictophonetic,mouth -嗐,alas!,pictophonetic, -嗑,to eat seeds; to reproach; loquacious,pictophonetic,mouth -嗒,absent-minded,pictophonetic,mouth -嗓,throat; voice,pictophonetic,mouth -嗔,"to be angry at, to rebuke, to scold",pictophonetic,mouth -嗖,a whizzing sound,pictophonetic,mouth -呜,the sound of someone crying or sobbing,pictophonetic,mouth -嗜,"addicted to, fond of, with a weakness for",pictophonetic,mouth -嗝,"the cackling of a fowl; to gag, to vomit",pictophonetic,mouth -嗟,"sigh, alas",pictophonetic,mouth -嗡,the droning sound made by an airplane or a bee flying,pictophonetic,mouth -嗣,"to connect; to inherit; descendants, heirs",pictophonetic,book -嗤,"to laugh at, to ridicule, to sneer at; to snort",ideographic,To laugh 蚩 out loud 口; 蚩 also provides the pronunciation -嗥,"to call out; to roar, to bark; to wail; to yelp",pictophonetic,mouth -嗦,to suck,pictophonetic,mouth -嗨,an exclamation,pictophonetic,mouth -唢,a flute-like musical instrument,ideographic,A mouth 口 blowing ⺌ through a conch 贝 -嗪,used in transliterations,pictophonetic,mouth -嗬,"hey, hello; interrogative particle",pictophonetic,mouth -嗯,interjection indicating agreement or appreciation,pictophonetic,mouth -嗲,"childish, coquettish, coy; inviting; ""daddy""",pictophonetic,mouth -嗵,onomatopoetic,pictophonetic,mouth -哔,used in transliterations,pictophonetic,mouth -嗷,clamor; the sound of wailing,pictophonetic,mouth -嗽,to gargle; to cough; to clear the throat,pictophonetic,mouth -嗾,"to set a dog on; to incite, to instigate, to urge on",, -嘀,to whisper,pictophonetic,mouth -嘁,ashamed; grieving; onomatopoetic,pictophonetic,mouth -嘅,the sound of a sigh,pictophonetic,mouth -慨,"sigh, regret, lament; generosity",pictophonetic,heart -叹,"to sigh, to admire",ideographic,A mouth 口 exhaling 又 -嘈,"bustling, noisy",pictophonetic,mouth -嘉,excellent; joyful; auspicious,pictophonetic,drum -嘌,"fast, speedy",pictophonetic,mouth -喽,used in onomatopoetic expressions,pictophonetic,mouth -嘎,"a cackling sound; bad, malevolent",pictophonetic,mouth -嘏,"felicity, prosperity; large and strong",pictophonetic,false -呕,"to vomit; to annoy, to enrage",pictophonetic,mouth -啧,interjection of approval or admiration,pictophonetic,mouth -尝,"to taste; to experience, to experiment with",pictophonetic,speak -嘚,onomatopoeic; the sound of a horse's hooves,pictophonetic,mouth -嘛,final exclamatory particle,pictophonetic,mouth -唛,mark,pictophonetic,mouth -嘞,final particle used to indicate polite refusal,pictophonetic,mouth -嘟,the sound of a horn tooting,pictophonetic,mouth -嘢,"thing; matter, substance",pictophonetic,mouth -嘣,"onomatopoetic, the sound of an explosion; bang",pictophonetic,mouth -嘧,"in chemistry, -mi as in pyramidine",pictophonetic,mouth -哗,"uproar, tumult, hubbub",pictophonetic,mouth -嘬,to lap; to suck,pictophonetic,mouth -嘭,"onomatopoetic, the sound of a crash or bang",pictophonetic,mouth -唠,"to chat, to gossip, to jaw, to talk",pictophonetic,mouth -啸,"to roar, to howl; to scream; to whistle",pictophonetic,mouth -叽,to grumble; to sigh,pictophonetic,mouth -嘲,"to deride, to jeer at, to ridicule, to scorn",pictophonetic,mouth -嘴,"mouth, lips",pictophonetic,mouth -哓,garrulous; disturbed; restless,pictophonetic,mouth -嘶,"the neighing of a hoarse, gravel-voiced, hoarse",pictophonetic,mouth -呒,unclear; an expletive,pictophonetic,mouth -嘹,"a clear sound, such as a bell or a soprano; resonant",pictophonetic,mouth -嘻,"happy, giggling, laughing; an interjection",ideographic,A happy 喜 sound 口; 喜 also provides the pronunciation -啴,many; to pant,pictophonetic,mouth -嘿,"quiet, silent",pictophonetic,mouth -噌,"to scold, to shout at",pictophonetic,mouth -噍,"to chew, to eat, to munch",pictophonetic,mouth -噎,to choke; to hiccup,pictophonetic,mouth -嘘,"to blow, to exhale, to hiss, to sigh; to praise",pictophonetic,mouth -噔,for (a recipient of pity or sympathy); surname,pictophonetic,mouth -噗,to burst,pictophonetic,mouth -噘,to pout,pictophonetic,mouth -噙,to bite; to hold in the mouth,pictophonetic,mouth -咝,"onomatopoetic, a hissing sound",pictophonetic,mouth -哒,a sound made to get a horse to move,pictophonetic,mouth -噢,to moan; interjection indicating pain or sadness,pictophonetic,mouth -噤,"close; quiet, silent",ideographic,Forbidden 禁 to speak 口; 禁 also provides the pronunciation -哝,to whisper,pictophonetic,mouth -哕,to belch; to vomit,pictophonetic,mouth -器,"device, instrument, tool; receptacle, vessel",ideographic,Four cooking vessels 口 guarded by a dog 犬 -噩,"bad, ill-omened, unlucky",ideographic,A jade statue 王 with four holes made in it 口 -噪,to be noisy; to chirp loudly,ideographic,The sound 口 of birds chirping 喿; 喿 also provides the pronunciation -噫,belch; interjection of approval,pictophonetic,mouth -噬,"to bite, to gnaw; to snap at",pictophonetic,mouth -嗳,interjection indicating regret,pictophonetic,mouth -噱,to laugh heartily,pictophonetic,mouth -哙,"to swallow, to gulp down; greedy",pictophonetic,mouth -喷,"to blow, to puff, to spray, to spurt",pictophonetic,mouth -噶,used in transliterations,pictophonetic,mouth -吨,a metric ton,pictophonetic,mouth -当,"appropriate, timely; to act, to serve; the sound of bells",, -噻,character used in translation,pictophonetic,mouth -噼,"onomatopoetic, the sound of something cracking",pictophonetic,mouth -咛,"to enjoin, to instruct; to charge",pictophonetic,mouth -嚄,to roar,pictophonetic,mouth -嚅,"to mumble, to stutter",pictophonetic,mouth -嚆,"noise, sound",pictophonetic,mouth -吓,"to scare, to frighten; to threaten, to intimidate",pictophonetic,mouth -哜,to sip,pictophonetic,mouth -嚎,"to cry loudly, to scream, to yell",pictophonetic,mouth -嚏,to sneeze,pictophonetic,mouth -嚓,a cracking or snapping sound,pictophonetic,mouth -噜,"verbose, talkative; mumbling",pictophonetic,mouth -啮,"to bite, to gnaw",pictophonetic,mouth -呖,the sound of something cracking or splitting,pictophonetic,mouth -咙,throat,pictophonetic,mouth -嚯,a cracking or snapping sound,pictophonetic,mouth -喾,one of five legendary emperors,, -严,"strict, rigorous, rigid; stern",, -嘤,"onomatopoetic, a bird call; to seek friends",pictophonetic,mouth -嚷,"to shout, to roar, to cry; to brawl",pictophonetic,mouth -嚼,"to prattle, to be glib",pictophonetic,mouth -啭,"to sing; to chirp, to twitter, to warble",pictophonetic,mouth -嗫,to move the lips as if speaking; hesitation,pictophonetic,mouth -嚣,to make noise; to treat with contempt,, -冁,smile,ideographic,When an individual 单 opens up 展; 展 also provides the pronunciation -呓,to talk in one's sleep; somniloquy,pictophonetic,mouth -啰,"long-winded, verbose",pictophonetic,mouth -囊,"bag, purse, sack; to pocket, to stow",pictophonetic,gate -苏,"to awaken, to revive, to resurrect; used in transliterations",pictophonetic,plant -嘱,"to instruct, to order, to tell; testament",pictophonetic,mouth -囔,"to mumble, to mutter",pictophonetic,mouth -囗,enclosure; border,, -因,"cause, reason; by; because",, -囚,"prisoner, convict; to confine",ideographic,A person 人 in a cell 囗 -四,four,ideographic,A child 儿 in a room with four walls 囗 -囝,"baby, infant",ideographic,A baby 子 in a crib 囗 -回,"to return, to turn around; a time",ideographic,"Originally, a spiral signifying return" -囟,top of the head; skull,ideographic,"A skull from above, with 乂 marking the fontanelle" -囡,"child, daughter",ideographic,A girl 女 in a crib 囗 -囤,"grain basket; to store, to hoard",pictophonetic,enclosure -囱,chimney,ideographic,A fire 夂 burning and giving off smoke -囫,"entire, whole",pictophonetic,enclosure -困,"to surround; to besiege; surrounded, in distress; poor; tired, sleepy",ideographic,A fence 囗 built around a tree 木 -囷,a round bin for storing grain,ideographic,A bin 囗 for storing grain 禾 -囹,"prison, enclosure",pictophonetic,enclosure -固,to solidify; strength,pictophonetic,border -囿,"to limit, to constrain; pen, cell",pictophonetic,enclosure -圂,pig-sty; privy,ideographic,A pig 豕 in a pen 囗 -圃,"garden, orchard, plot of farmland",pictophonetic,enclosure -圄,"prison, jail",pictophonetic,enclosure -囵,"all, complete, entire",pictophonetic,enclosure -圈,"circle, ring, loop; to encircle",pictophonetic,enclosure -圉,"stable, fence, corral; frontier, border",pictophonetic,enclosure -圊,restroom,pictophonetic,enclosure -国,"country, nation, state; national",ideographic,Treasure 玉 within a country's borders 囗 -围,"to surround, to encircle, to corral",pictophonetic,enclosure -园,"garden, park; orchard",pictophonetic,enclosure -圆,"circle; circular, round; complete",pictophonetic,enclosure -图,"diagram, chart, map, picture; to plan",ideographic,Simplified form of 圖; a map of a district's 啚 borders 囗 -团,"sphere, circle, ball; mass, lump; group, regiment; to gather",ideographic,A lot of talent 才 gathered in one place 囗 -圙,enclosed pasture,pictophonetic,enclosure -圜,"circle; to surround, to encircle",ideographic,A round 睘 fence 囗 -土,"soil, earth; items made of earth",pictographic,A lump of clay on a potter's wheel -圣,"holy, sacred; sage, saint",ideographic,Simplified form of 聖; a king 王 of listening 耳  and speaking口 -在,"at, in, on; to exist; used to indicate the present progressive tense",pictophonetic,earth -圩,"dike, embankment",pictophonetic,earth -圪,,pictophonetic,earth -圬,"to whitewash, to plaster over with mud",pictophonetic,earth -圭,jade tablet,ideographic,A stack of tablets -圮,"destroyed, ruined; to injure; to subvert",pictophonetic,earth -圯,bridge; river bank,pictophonetic,earth -地,"earth, ground, soil; land, region; structural particle used before a verb",pictophonetic,earth -圳,a furrow in a field; a small drainage ditch,ideographic,A furrow cut in the earth 土 by a stream 川; 川 also provides the pronunciation -圻,"border, boundary",pictophonetic,earth -圾,"garbage, rubbish; shaking; danger",pictophonetic,earth -址,"location, site; the foundation of a house",pictophonetic,earth -坂,"hillside, slope",pictophonetic,earth -均,"equal, even, fair; level, uniform; also, too",pictophonetic,earth -坊,"neighborhood, district, community; street, lane; mill",pictophonetic,earth -坌,dust; earth; river bank; to dig; to unite,pictophonetic,earth -坍,collapse; landslide,pictophonetic,earth -坎,"pit, hole; to trap, to snare; crisis",pictophonetic,earth -坐,"seat; to sit; to ride, to travel by",ideographic,Two people 从 sitting on the ground 土 -坑,"pit, hole; to trap, to bury; to harry",pictophonetic,earth -坒,"to compare, to equal, to match",ideographic,Comparing 比 pottery 土; 比 also provides the pronunciation -坡,"slope, hillside, embankment",pictophonetic,earth -坤,earth; feminine,pictophonetic,earth -坦,"flat, level, smooth; candid, open",pictophonetic,earth -坨,"lump, heap",pictophonetic,earth -坩,"crucible; earthenware, pottery",pictophonetic,earth -坪,plain; level ground,pictophonetic,earth -坫,a stand on which to replace goblets after drinking,pictophonetic,earth -坭,"mud, mire; to paste, to plaster",pictophonetic,earth -坯,clay; unburnt earthenware,pictophonetic,earth -坴,a clod of earth; land,ideographic,Soil 土 heaped 八 on the earth 土 -坷,"uneven, bumpy; a clod of earth; a lump of soil",pictophonetic,earth -坻,"islet; river delta, embankment; to stop",pictophonetic,earth -坼,"to crack, to open, to split, to tear",pictophonetic,earth -附,"nearby; to adhere to, to attach; to rely on",pictophonetic,place -垂,"to hang, to dangle; to hand down, to bequeath; almost, near",pictographic,A tree with drooping branches -垃,"garbage, refuse, trash, waste",pictophonetic,earth -型,"pattern, model, type; mold; law",pictophonetic,earth -垌,"farm, field; used in place names",pictophonetic,earth -垓,"border, boundary, frontier",pictophonetic,earth -垔,to restrain; to dam a stream and change its direction; a mound,pictophonetic,earth -垚,"mound, lump, round mass",ideographic,A mound 土 of clay 土 -垛,"heap, pile; to heap, to pile",pictophonetic,earth -垠,"boundary, river bank",pictophonetic,earth -垡,to plow; place name,pictophonetic,earth -垢,"dirt, filth, stains; dirty; disgraceful",pictophonetic,earth -垣,low wall,pictophonetic,earth -垤,anthill; hill mound,pictophonetic,earth -垧,unit of area,pictophonetic,earth -垮,"to be defeated, to collapse, to fail",pictophonetic,earth -埂,ditch (for irrigation); hole,pictophonetic,earth -埃,fine dust; dirt; Angstrom,pictophonetic,earth -埄,dust storm; dust in the wind,pictophonetic,earth -埇,the name of a bridge,pictophonetic,earth -埋,to bury; to conceal; to plant,pictophonetic,earth -城,"castle, city, town; municipality",pictophonetic,earth -埏,"boundary, limit",ideographic,An earthen 土 roadblock 延 -埒,"enclosure, embankment, dike",pictophonetic,earth -埔,arena; market; plain; port,pictophonetic,earth -埕,"a large, pear-shaped earthenware jar",pictophonetic,earth -埗,"jetty, quay; port city, trade hub",pictophonetic,earth -野,"field, open country; wilderness",pictophonetic,village -埝,"dike, embankment; protuberance",pictophonetic,earth -域,"area, district, field, land, region; boundary; domain (in taxonomy)",pictophonetic,earth -埠,"jetty, quay; port city, trade hub",pictophonetic,earth -垭,used in place names,pictophonetic,earth -埤,"to add, to increase; to attach; fence, wall",pictophonetic,earth -埭,dam; a ramp leading up to a canal,pictophonetic,earth -埯,"pit, hole; to bury",pictophonetic,earth -埲,dust storm,pictophonetic,earth -埴,soil with high clay content,pictophonetic,earth -埵,hardened dirt or clay; cluster,pictophonetic,earth -埶,art,ideographic,Clay 坴 formed into a ball 丸 -执,"to execute; to grasp, to hold; to keep; to sieze, to detain",ideographic,A hand 扌 clutching a pebble 丸 -埸,"border, limit, frontier; dike",pictophonetic,earth -培,"to cultivate, to farm; to shore up",pictophonetic,earth -基,"foundation, base",pictophonetic,earth -埼,headland,pictophonetic,earth -埽,"broom; to sweep, to clear away",ideographic,To sweep 帚 away dirt 土 -堀,"cave, hole",pictophonetic,earth -堂,"hall, large room; government office; cousins",pictophonetic,earth -坚,"hard, strong; firm, resolute",, -堆,"crowd, heap, pile, mass; to pile up; measure word for things in piles or stacks",pictophonetic,earth -堇,yellow loam; clay; season; few,ideographic,Yellow 黄 earth 土 -垩,"chalk; to daub with chalk; holy, sacred, sagacious",pictophonetic,earth -堋,to bury,pictophonetic,earth -堍,embankment,pictophonetic,earth -垴,"small hillock, used in place names",pictophonetic,earth -塍,"a raised path between fields, a dike",pictophonetic,earth -堙,"to bury; to dam, to block up; mound",pictophonetic,earth -埚,crucible,pictophonetic,earth -堞,battlement; plate,ideographic,A flat 枼 earthen 土 -堠,"battlement, rampart",pictophonetic,earth -堡,"fort, fortress; town, village",ideographic,Earthen 土 walls built for defense 保; 保 also provides the meaning -堤,dike,pictophonetic,earth -阶,"stairs, steps; degree, rank",pictophonetic,hill -堪,"to endure; adequate, capable, worthy",ideographic,One with a considerable amount 甚 of land 土 -尧,a legendary ancient emperor-sage,, -堰,"dam, dike, embankment",pictophonetic,earth -报,"to announce, to report; newspaper; payback, revenge",ideographic,"A hand 扌 cuffing 又 a criminal 卩, representing sentencing" -场,"field, open space; market, square; stage",pictophonetic,earth -堵,"wall; to stop, to prevent, to block",pictophonetic,earth -堿,salty,pictophonetic,earth -塄,a furrow in a field,pictophonetic,earth -块,"piece, lump, chunk; dollar; measure word for currency",pictophonetic,earth -茔,"grave, tomb, cemetary",ideographic,Grass 艹 covering a buried 土 casket 冖 -塌,"to collapse, to fall into ruin",pictophonetic,earth -垲,a high and dry place,pictophonetic,earth -塑,"to sculpt, to model in clay; plastic",pictophonetic,earth -埘,a chicken roost,pictophonetic,earth -塔,"tower, spire, tall building",pictophonetic,earth -塕,airborne dust,pictophonetic,earth -涂,"to smear, to scribble, to daub; surname",pictophonetic,water -塘,"pond, tank; dike, embankment",pictophonetic,earth -塞,"to stop up, to seal, to cork, to block; pass, frontier; fortress",pictophonetic,earth -葬,"to bury, to inter",ideographic,A corpse 死 laid 廾 to rest under the grass 艹 -坞,"bank, entrenchment, low wall; dock",pictophonetic,earth -埙,ocarina,pictophonetic,earth -塥,a lump of clay,pictophonetic,earth -填,"to fill, to pad, to stuff",pictophonetic,earth -塬,plateau,pictophonetic,earth -尘,"cinders, ashes, dust, dirt",ideographic,Small 小 flakes of earth 土 -堑,"moat, pit, trench; cavity",pictophonetic,earth -砖,"tile, brick",pictophonetic,stone -塾,village school; private tutorage,pictophonetic,earth -墀,porch; courtyard; steps leading into a building,pictophonetic,earth -墁,to plaster; to pave,pictophonetic,earth -境,"boundary, frontier; area, region",pictophonetic,earth -墅,"villa, country house",pictophonetic,country -墉,wall; fortification,pictophonetic,earth -垫,"cushion, mat, pad; to advance money, to pay for another",pictophonetic,earth -墒,silt; moist soil,pictophonetic,earth -墓,"grave, tomb",pictophonetic,earth -坠,"to drop, to fall down, to sink; heavy; weight",pictophonetic,earth -增,to increase; to expand; to augment; to add,pictophonetic,earth -墟,high mound; hilly countryside; wasteland,pictophonetic,earth -墨,ink; writing; Mexico,ideographic,Chalk made from black 黑 earth 土 -墩,"stone block; heap, mound; pier",pictophonetic,earth -堕,"to drop, to fall, to sink; degenerate",pictophonetic,earth -坟,"grave, mound, bulge; bulging",pictophonetic,earth -垯,"lump, mound; pimple",pictophonetic,earth -墙,wall,pictophonetic,earth -墼,unburnt bricks,pictophonetic,earth -垦,"to cultivate, to farm; to reclaim",pictophonetic,earth -壁,"partition, wall; rampart",pictophonetic,earth -壅,to block; to obstruct,pictophonetic,earth -坛,altar; arena; examination hall,pictophonetic,earth -壑,"gully, pool; a ditch carved by a torrential rain",ideographic,A ditch 㕡 carved in the earth 土; 㕡 also provides the pronunciation -压,press; oppress; crush; pressure,ideographic,Soil 土 crushed under pressure 厂 -壕,"ditch; trench; channel, moat",pictophonetic,earth -垒,rampart; base (in baseball),pictophonetic,earth -圹,"tomb, grave: prairie, range, wilderness",pictophonetic,earth -垆,"clay; hut, shop",ideographic,A cottage 卢 with earthen walls 土; 卢 also provides the pronunciation -坏,"bad, rotten, spoiled; to break down",pictophonetic,earth -垄,"grave, mound; furrow, ridge",pictophonetic,earth -垅,"grave, mound; furrow, ridge",pictophonetic,earth -坜,"drain, ditch, channel",pictophonetic,earth -壤,"soil, loam, earth; rich",pictophonetic,earth -坝,embankment; dam,pictophonetic,earth -士,"scholar, gentleman; soldier",, -壬,9th heavenly stem,, -壮,"big, large; robust, strong; the name of a tribe",pictophonetic,soldier -壴,drum,pictographic,A drum 口 on a stand with feathers 土 on top -壹,one (bankers' anti-fraud numeral),, -壶,"jar, pot, jug, vase; surname",pictographic,A jar of wine -婿,son-in-law; husband,pictophonetic,woman -寿,"old age, longevity; lifespan",ideographic,Altered form of 老 -夂,to go,, -夅,"to descend, to fall; to drop, to lower",, -夆,to resist; to headbutt,pictophonetic,go -夊,to go slowly,, -夌,to dawdle; the name of the father of the Emperor Yao,, -夏,summer; the Xia or Hsia dynasty,, -夔,one-legged monster; walrus,ideographic,"A monster with a face, a nose 自, and one foot 夊" -夕,"evening, night, dusk; slanted",pictographic,A crescent moon -外,"out, outside, external; foreign; in addition",ideographic,"Night-time 夕 divinations 卜; the supernatural, the foreign" -夗,to turn over when asleep,ideographic,A person 㔾 curled up at night 夕 -夙,"dawn, early in the morning; previous; long-held",, -多,"much, many, multi-; more than, over",ideographic,"Two nights 夕, suggesting many" -够,"enough, adequate; to reach, to attain; to pass muster",pictophonetic,more -梦,dream,ideographic,Two eyes shut 林 at night 夕 -夤,"late at night; distant, remote; deep",pictophonetic,night -夥,"assistant; companion; partner; many, numerous",pictophonetic,more -大,"big, great, vast, high, deep",ideographic,A man 人 with outstretched arms -天,"sky, heaven; god, celestial",ideographic,The heavens 一 above a man 大 -太,"very, too much; big; extreme",ideographic,A giant 大 with a normal-sized man 丶 for scale -夫,"man, husband; worker; those",ideographic,A man 大 wearing a coming-of-age hairpin 一 -夬,"decisive, certain; parted; fork",, -夭,"young, energetic; to die young",pictographic,"A person with head tilted - leaning forward, running, energetic" -央,central; to beg; to run out,, -夯,"burden, load; to lift up; to tamp down",ideographic,A load that takes great 大 strength 力 -失,"to lose; to make a mistake, to neglect",ideographic,Something 丿 falling from a hand 夫 -夷,ancient barbarian tribes,ideographic,A man 大 armed with a bow 弓 -夸,"extravagant, luxurious; handsome",pictophonetic,great -夼,"depression, hollow, low ground",ideographic,A great 大 river bed 川 -夹,to support; to be wedged between,ideographic,A person 夫 stuck between two others 丷 -奄,"to remain, to tarry; feeble",, -奇,"strange, unusual, odd; uncanny, occult",ideographic,A person 大 riding a horse 可 -奈,"but, how; to bear, to stand, to endure",ideographic,A man 大 with spirit 示 -奉,"to offer, to respect, to server; to receive",, -奎,a man's stride; a constellation,pictophonetic,big -奏,to play; to memorialize; to report,ideographic,A report about (above) the emperor 天 -奂,numerous; brilliant,, -契,"deed, bond, contract; to engrave",ideographic,A contract signed by cutting 刀 notches 丰 in wood 木 (now changed to 大) -奓,extravagant,ideographic,Excessive 多 largess 大 -奔,"to rush about; to run, to flee",ideographic,A man 大 running through a field of grass 卉 -奕,"abundant; ordered, in sequence",pictophonetic,big -套,"case, cover, envelope, wrapper",ideographic,A man 大 wrapped in a long 镸 cloth  -奘,"fat, stout, thick; powerful, stocky",pictophonetic,big -奚,"where, what, why, how",, -奠,"to found, to settle; to pay respects; a libation for the dead",ideographic,A man 大 lifting up an offering of wine 酋 -奢,"exaggerated; extravagant, wasteful",pictophonetic,big -奥,"mysterious, obscure, profound; used in transliterations",ideographic,A person 大 discovering a house 宀 full of rice 米 -夺,"to rob, to snatch, to take by force",ideographic,A man 大 grasping something 寸 -奭,"majestic, red; anger, ire; surname",, -奋,"to strive, to exert effort; to arouse",ideographic,A man 大 working on the farm 田 -女,"woman, girl; female",pictographic,A woman turned to the side -奴,"slave, servant",ideographic,A woman 女 standing by her master's right hand 又; 女 also provides the pronunciation -奶,"milk; breasts; nurse, grandmother",pictophonetic,woman -奸,"crafty, dishonest, selfish; evil, villainous; adultery",pictophonetic,woman -她,"she, her",ideographic,A woman 女 beside you 也 -姹,"beautiful, colorful; girl",pictophonetic,woman -好,"good, excellent, fine; proper, suitable; well",ideographic,A woman 女 with a son 子 -妁,"matchmaker, go-between",pictophonetic,woman -如,"as, as if, like, such as, supposing",ideographic,A wife 女 following her husband's words 口 -妃,"wife, spouse; imperial concubine",ideographic,One's own 己 woman 女 -妄,"absurd, foolish, ignorant; rash, reckless, wild",pictophonetic,woman -妊,to conceive; to be pregnant,pictophonetic,woman -妍,"beautiful, handsome; seductive",ideographic,A woman 女 who appears forward or open 开 -妒,"jealous, envious",pictophonetic,woman -妓,prostitute,ideographic,A working 支 woman 女; 支 also provides the pronunciation -妖,"strange, weird, supernatural; bewitching, enchanting, seductive",pictophonetic,woman -妗,mother's brother's wife,pictophonetic,woman -妙,"mysterious, subtle; clever, exquisite, wonderful",pictophonetic,woman -妆,"adornment, make-up; to dress up, to use make-up",pictophonetic,woman -妞,girl,pictophonetic,woman -妣,one's deceased mother,pictophonetic,woman -妤,"beautiful, handsome, fair",pictophonetic,woman -妥,"secure, sound; satisfactory, appropriate",ideographic,"A hand 爫 over a woman 女, representing control" -妨,"damage, harm; to impede, to obstruct; to undermine",pictophonetic,woman -妮,"maid, servant girl; cute girl",pictophonetic,woman -妯,sister-in law,pictophonetic,woman -妲,concubine of the last Shang emperor,pictophonetic,woman -妹,younger sister,pictophonetic,woman -妻,wife,ideographic,A woman 女 holding a broom 十 in her hand 彐 -妾,concubine,ideographic,A woman 女 branded 辛 as a slave -姆,"governess, matron, nanny",pictophonetic,woman -姊,elder sister,, -始,"to begin, to start; beginning",pictophonetic,woman -姗,"to slander, to ridicule; to go slowly; graceful",pictophonetic,woman -姐,"elder sister; miss, young lady",pictophonetic,woman -姑,father's sister; husband's mother,ideographic,An older 古 woman 女; 古 also provides the pronunciation -姒,elder brother's wife; surname,pictophonetic,woman -姓,"name, family name, surname; clan, people",pictophonetic,woman -委,"to appoint, to commission, to send",, -姘,"mistress, lover; an affair",ideographic,An affair 并 with a woman 女; 并 also provides the pronunciation -姚,"handsome, elegant, attractive; surname",pictophonetic,woman -姜,ginger; surname,ideographic,Simplified form of 薑; grass 艹 provides the meaning while 畺 provides the pronunciation -姝,"beautiful, charming, gorgeous; pretty girl",pictophonetic,woman -姣,"beautiful, handsome, pretty",pictophonetic,woman -姥,maternal grandmother; midwife,ideographic,An older 老 woman 女; 老 also provides the pronunciation -姨,"aunt, mother's sister",pictophonetic,woman -姫,beauty; imperial concubine,ideographic,A minister's 臣 consort 女 -姬,beauty; imperial concubine,ideographic,An official 臣 woman 女 -姮,lady,pictophonetic,woman -姻,relatives by marriage,ideographic,A woman 女 related by 因 marriage -姿,"grace, good looks; bearing, poise, posture",pictophonetic,woman -威,"might, power, prestige; to dominate",ideographic,Dominating a woman 女 by force of arms 戈 -娃,baby; doll; pretty girl,ideographic,A girl 女 made of beautiful jade 圭 -娉,"beautiful, charming, graceful",pictophonetic,woman -娌,brother's wife,pictophonetic,woman -娑,"to dance, to frolic; to lounge; to saunter",pictophonetic,woman -娓,"agreeable, compliant; to comply, to go along with",pictophonetic,woman -娘,mother; young girl; woman; wife,pictophonetic,woman -娱,"pleasure, enjoyment, amusement",pictophonetic,woman -娜,"elegant, graceful, delicate",pictophonetic,woman -娟,"beautiful, graceful",pictophonetic,woman -娠,pregnant,pictophonetic,woman -娣,younger sister; younger brother's wife,pictophonetic,woman -娥,"beautiful, pretty; good; surname",pictophonetic,woman -娩,"childbirth, labor",pictophonetic,woman -娭,"grandmother, father's mother; a term of respect",pictophonetic,woman -娶,"to marry, to take a wife",ideographic,To take 取 a wife 女; 取 also provides the pronunciation -娼,"prostitute, harlot",pictophonetic,woman -婀,"beautiful, graceful; lithe, willowy; unstable",pictophonetic,woman -娄,a constellation; to wear; surname,ideographic,A woman 女 looking up at a star 米 -婆,old woman; grandmother,pictophonetic,woman -婉,"amiable, graceful, tactful; restrained",pictophonetic,woman -婊,"whore, prostitute",pictophonetic,woman -婕,handsome,pictophonetic,woman -婚,"to get married; marriage, wedding",pictophonetic,woman -婢,servant girl; maidservant,ideographic,A humble 卑 woman 女; 卑 also provides the pronunciation -妇,married woman; wife,ideographic,Simplified form of 婦; a woman 女 with a broom 彐 -婧,modest; supple,ideographic,Like a young 青 woman 女; 青 also provides the pronunciation -婪,"to covet; covetous, avaricious",pictophonetic,woman -娅,a mutual term of address for sons-in-law or brothers-in-law,pictophonetic,woman -婷,"attractive, graceful, pretty",pictophonetic,woman -婺,beautiful; the name of a star,pictophonetic,woman -媒,"go-between, matchmaker; medium",pictophonetic,woman -媕,undecided,pictophonetic,woman -媚,"attractive, charming; to charm, to flatter",pictophonetic,woman -媛,beauty; beautiful woman,pictophonetic,woman -媠,beautiful,pictophonetic,woman -娲,"a goddess, the mythological sister and successor to Fuxi",pictophonetic,woman -妫,surname,, -媲,"to marry off; to compare, to match, to pair up",pictophonetic,woman -媳,daughter-in-law,pictophonetic,woman -媵,concubine; escort; a maid who accompanies a bride to her new home,pictophonetic,woman -媸,ugly; an ugly woman,pictophonetic,woman -媪,old woman; lower-class woman,pictophonetic,woman -妈,"mother, mama",pictophonetic,woman -媾,to marry; to be intimate with,ideographic,To know a woman's 女 secret 冓; 冓 also provides the pronunciation -愧,"ashamed, regretful; the pangs of conscience",pictophonetic,heart -嫁,"to marry, to give a daughter in marriage",pictophonetic,woman -嫂,"sister-in-law, elder brother's wife",pictophonetic,woman -嫉,"jealous, envious",ideographic,An envious 疾 woman 女; 疾 also provides the pronunciation -袅,"curling upwards; elegant, graceful",pictophonetic,cloth -嫌,"to hate, to detest; to criticize; to suspect",pictophonetic,woman -嫖,to patronize a prostitute; to frequent,pictophonetic,woman -妪,"old woman, hag; to protect; to brood over",ideographic,A woman 女 watching over her ward 区 -嫘,surname,pictophonetic,woman -嫚,"to scorn, to despise; to be rude to, to affront",pictophonetic,woman -嫜,husband's mother; the lady in the moon,pictophonetic,woman -嫠,widow,pictophonetic, -嫡,"wife, wife's child",pictophonetic,woman -嫣,"captivating, charming, fascinating",pictophonetic,woman -嫦,"a moon goddess, the lady in the moon",pictophonetic,woman -嫩,"soft, delicate; young, tender",pictophonetic,woman -嫪,to hanker after,pictophonetic,woman -嫫,"Huangdi's ugly concubine; ugly woman, nurse",pictophonetic,woman -妩,"charming, enchanting; to flatter, to please",pictophonetic,woman -娴,"elegant, refined, skillful",pictophonetic,woman -娆,"graceful, charming, fascinating",pictophonetic,woman -嬉,"to enjoy; to play, to amuse oneself",pictophonetic,woman -婵,"beautiful, graceful, lovely, pretty",pictophonetic,woman -娇,"seductive, lovable, tender; pampered; frail",pictophonetic,woman -嬖,"a favorite, a minion; to show favor; to enjoy the favor of",pictophonetic,woman -嬗,succession to the throne,pictophonetic,woman -嫱,lady,pictophonetic,woman -嬛,"apt, clever; flatterer, sycophant",ideographic,To stare 睘 after a woman 女; 睘 also provides the pronunciation -嫒,one's daughter (honorific),pictophonetic,woman -嬷,mother,pictophonetic,woman -嫔,courtesan; palace maid,pictophonetic,woman -婴,"baby, infant; to bother",pictophonetic,woman -嬲,"to tease, to play, to flirt; to frolic",ideographic,A woman 女 flirting with two men 男 -嬴,victory; to win; surname,, -婶,father's younger brother's wife,pictophonetic,woman -懒,"lazy, languid, listless",pictophonetic,heart -孀,widow,pictophonetic,woman -娈,"lovely, beautiful; docile, obedient",ideographic,Like 亦 a woman 女 -子,"son, child; seed, egg; fruit; small thing",pictographic,"A child in a wrap, with outstretched arms but bundled legs" -孑,"alone, lonely, solitary; remaining, left-over",, -孓,mosquito larva,pictophonetic,seed -孔,"opening, hole, orifice; great",ideographic,The mouth 乚 of a crying baby 子 -孕,pregnant; pregnancy,ideographic,A woman delivering 乃 a child 子 -字,"character, letter, symbol, word",ideographic,A child 子 in a house 宀; 子 also provides the pronunciation -存,"to exist; to survive, to maintain; to keep, to store; to deposit",pictophonetic,seed -孚,to brood over eggs; to have confidence,ideographic,A bird clutching 爫 its eggs 子 -孛,comet,, -孜,"diligent, hard-working",pictophonetic,script -孝,"filial piety, obedience; mourning",ideographic,A young man 子 carrying an older man 耂 -孟,"first in a series; great, eminent",ideographic,A child 子 sitting on a throne 皿 -孢,spore,pictophonetic,seed -季,"a quarter-year, a season; surname",ideographic,The time for planting seeds 子 of grain 禾 -孤,"orphaned; alone, lonely, solidary",pictophonetic,child -孥,one's children,pictophonetic,son -孨,"cautious, cowardly, weak; an orphan",ideographic,Many abandoned children 子 representing an orphanage -孩,"baby, child; children",pictophonetic,child -孙,"grandchild, descendent; surname",ideographic,Simplified form of 孫; a chain 系 of descent 子 -孬,"bad, cowardly, useless; rogue, scoundrel",ideographic,Not 不 good 好 -孰,who? which? what? which one?,, -孱,"feeble, frail, weak; unfit",ideographic,Weak 孨 in body 尸 -孳,"to breed; to produce, to bear; to grow recklessly",pictophonetic,child -孵,"to brood over eggs, to incubate, to hatch",ideographic,To brood 孚 over eggs 卵 -学,"learning, knowledge, science; to study, to go to school; -ology",ideographic,A building 冖 where children 子 study; ⺍ provides the pronunciation -孺,child; blood relation; affection,pictophonetic,child -孽,bastard child; the consequence of a sin; evil,pictophonetic,child -孪,twins,ideographic,Giving birth to a second 亦 child 子 -宀,roof; house,, -它,it; other,, -宄,traitor; villain,pictophonetic,house -宅,"residence, dwelling, home; grave",pictophonetic,roof -宇,"building, house, room, structure; space, the universe",pictophonetic,building -守,"to defend, to guard, to protect; to conserve; to wait",ideographic,Keeping something 寸 within one's walls 宀 -安,"peaceful, tranquil, quiet",ideographic,A woman 女 safe in a house 宀 -宋,the Song dynasty; surname,ideographic,A building 宀 made out of wood 木 -完,"to complete, to finish, to settle; whole",pictophonetic,roof -宏,"great, spacious, vast, wide",pictophonetic,building -宓,"quiet, silent, still; in good health",pictophonetic,roof -宕,quarry; cave dwelling; to put someone off,ideographic,A tunnel 宀 made in stone 石 -宗,"ancestry, clan, family, lineage; religion, sect",ideographic,An altar 示 to the ancestor spirits found in one's home 宀 -官,"official, public servant",, -宙,"space, time, space-time",pictophonetic,roof - the sky -定,"to decide, to fix, to settle; to order; definite, fixed, sure",ideographic,A person 疋 settling under a roof 宀 -宛,to seem; as if; crooked,pictophonetic,roof -宜,"fitting, proper, right; what one should do",ideographic,A memorial service 且 held in a house 宀 -客,"guest, traveller; customer",ideographic,A person 各 welcomed under one's roof 宀; 各 also provides the pronunciation -宣,"to proclaim, to declare, to announce; surname",pictographic,"A palace, where proclamations are made" -室,"house, home; room, chamber",pictophonetic,roof -宥,"to forgive, to pardon, to indulge",pictophonetic,roof -宦,government official,ideographic,A minister 臣 in a statehouse 宀 -宫,palace; surname,pictophonetic,roof -宰,"to slaughter, to butcher; to govern, to rule",ideographic,A barracks 宀 where slaves 辛 live -害,"to injure, to harm; to destroy, to kill",, -宴,"banquet, feast; to entertain",ideographic,A woman 女 cooking food 日 for a house 宀 banquet -宵,"night, evening, darkness",pictophonetic,roof -宸,imperial palace,pictophonetic,roof -容,"appearance, looks; form, figure; to contain, to hold",pictophonetic,roof -寂,"still, silent, quiet, desolate",pictophonetic,roof -寄,"to mail, to send, to transit; to deposit, to entrust; to rely on",pictophonetic,roof -寅,"to respect, to revere; respectfully; 3rd terrestrial branch",, -密,"secret, confidential; intimate, close; dense, thick",ideographic,A silent 宓 mountain 山; 宓 also provides the pronunciation -富,"abundant, ample; rich, wealthy",pictophonetic,roof -寐,sleep; asleep,ideographic,A bed 爿 in a house 宀; 未 provides the pronunciation -寝,"to sleep, to rest; bedroom",ideographic,A person 彐冖又 lying down on a bed 丬 in their home 宀 -寒,"chilly, cold; poor; to shiver, to tremble",, -寓,"residence, lodge, dwelling",pictophonetic,roof -宁,"calm, peaceful; healthy; rather; to prefer",pictophonetic,roof -寞,"silent, still; lonely, solitary",pictophonetic,roof -察,"to examine, to investigate, to observe",pictophonetic,roof -寡,"widowed; friendless, alone",, -寤,"few, scarce; empty, deserted",pictophonetic,roof -寥,"few, scarce; empty, deserted",pictophonetic,roof -实,"real, true; honest, sincere",, -寨,"stockade, stronghold, outpost; brothel",ideographic,A fortress 宀 with walls made of wood 木 -审,"to examine, to investigate; to judge; to try",pictophonetic,courtroom -写,"to write; to draw, to sketch; to compose",, -宽,"broad, spacious, vast, wide",pictophonetic,roof -寮,"shanty, hut, shack",pictophonetic,roof -寰,"country, domain, world",pictophonetic,roof -宝,"treasure, jewel; rare, precious",ideographic,Jade 玉 kept in one's house 宀 -宠,"to love; to favor, to pamper, to spoil; concubine",pictophonetic,roof -寸,"inch; small, tiny",ideographic,"A hand with a dot indicating where the pulse can be felt, about an inch up the wrist" -寺,"court, office; temple, monastery",ideographic,An offering 土 in your hand 寸 -封,"envelope, letter; to confer, to grant; feudal",ideographic,To seal 寸 something with a handful of mortar 土 -尃,"to announce, to state",pictophonetic, -将,"the future, what will be; ready, prepared; a general",ideographic,"Going to bed 丬 at night 夕, a predictable future" -专,"concentrated, specialized; to monopolize",, -尉,"officer, military rank",, -尊,"to honor, to respect, to venerate",ideographic,A hand 寸 making an offering of wine 酋 -寻,"to seek; to search for, to look for; ancient",pictophonetic,snout -尌,to prop up; to stand something up,pictophonetic,inch -对,"correct, right; facing, opposed",ideographic,A pair 又 of hands 寸 -导,"to direct, to guide, to lead, to conduct",ideographic,A hand 寸 pointing the way to someplace 巳 -小,"small, tiny, insignificant",ideographic,Dividing 八 by a line 亅 -少,"few, little; less; inadequate",pictographic,Grains of sand; 小 provides the pronunciation and meaning -尔,"you; that, those; final particle",, -尕,small (used in place names),pictophonetic,small -尖,"sharp, pointed, acute; keen, shrewd",ideographic,"A point, small 小 over big 大" -尗,younger brother; father's younger brother,ideographic,The smaller 小 of two brothers -尙,"still, yet; even; fairly, rather",, -尚,"still, yet; even; fairly, rather",, -尜,a child's toy,ideographic,A diamond: small 小 to big 大 to small 小 -鲜,fresh; delicious; attractive,pictophonetic,fish -尢,"weak, lame",ideographic,Cutting 一 off the feet 儿; compare 兀 -尤,"especially, particularly",pictophonetic, -尥,,, -尨,"shaggy dog; striped, variegated",ideographic,A hairy 彡 dog 犬 -尬,"awkward, embarrassed; to limp, to stagger",pictophonetic,lame -就,"just, simply; to go to; to approach, near",pictophonetic,specialty -尴,embarrassed; ill-at-ease,pictophonetic,lame -尸,"body, corpse",pictographic,A man keeled over -尹,"to govern, to oversee; director",pictographic,A scepter -尺,"ruler, tape-measure; unit of length, about 1 ft.",ideographic,Picture of a man measuring by pacing -尻,"end of spine; buttocks, sacrum",pictophonetic,body -尼,Buddhist nun; used in transliterations,, -尾,"tail; extremity, end; back, rear",ideographic,A furry 毛 tail behind a body 尸 -尿,urine; to urinate,ideographic,"A person, crouched 尸 passing water 水" -屁,"to break wind, to fart; the buttocks",pictophonetic,body -屄,vagina; to press up to; to force,ideographic,A hole 穴 in a woman's body 尸 -居,"to live, to reside; to dwell; to sit",pictophonetic,door -届,"deadline; period; measure word for elections, meetings, and other events",, -屈,"to bend, to flex; bent, crooked, crouched",pictophonetic,corpse -屋,"building, house, shelter; room",ideographic,To stop 至 under a roof 尸 (variant of 厂) -屌,penis; to fuck,ideographic,Something hanging 吊 from the body 尸; 吊 also provides the pronunciation -屎,"stool, feces, dung",ideographic,"A person, crouched 尸 defecating 米; 米 also provides the pronunciation" -屏,"screen, shield; to put aside, to reject; to hold",pictophonetic,door -屐,wooden clogs,pictophonetic,step -屑,"bits, crumbs, scraps; fragments; not worthwhile",pictophonetic,body -屃,legendary hero; Herculean strength,ideographic,Simplified form of 屭; a strong 贔 body 尸 -展,"to open, to unfold; to extend, to stretch",ideographic,Laying out clothes 㠭 for sale in a market 尸; compare 㠭 -屙,to defecate,pictophonetic,body -屉,"drawer, tier; pad, screen, tray",, -屠,"to butcher, to slaughter; massacre",pictophonetic,corpse -屡,"frequently, often, again and again",pictophonetic,body -屣,"sandals, slippers",ideographic,A person 尸 walking 彳; 徙 also provides the pronunciation -层,"layer, floor, story, stratum",ideographic,Simplified form of 層; 曾 provides the pronunciation -履,"shoes; to walk, to tread",ideographic,A person 尸 walking 彳; 復 also provides the pronunciation -屦,straw sandals; to tread on,pictophonetic,step -属,"class, category, type; family; affiliated, belonging to",pictophonetic,body -屮,sprout,pictographic,A sprout -屯,"village, hamlet; camp; station",, -山,"mountain, hill, peak",pictographic,Three mountain peaks -屹,"to rise, to stand tall",pictophonetic,mountain -屺,a grassy knoll; a barren knoll,pictophonetic,mountain -屾,mountain range,ideographic,Two mountains 山; 山 also provides the pronunciation -岈,the name of a mountain,pictophonetic,mountain -岌,"perilous, hazardous; steep, high",pictophonetic,mountain -岍,the name of a mountain,pictophonetic,mountain -岐,"to diverge, to branch; the name of a mountain",pictophonetic,mountain -岑,"steep, precipitous; peak",pictophonetic,mountain -岔,"to diverge, to branch; junction, fork in the road",ideographic,A road being split 分 by a mountain 山 -岜,rocky mountain,pictophonetic,mountain -冈,ridge or crest of hill,pictographic,"Simplified form of 岡, clouds 网 forming over a mountain 山" -岢,the name of a mountain,pictophonetic,mountain -岣,a hill in Hunan,pictophonetic,mountain -岩,cliff; rocks; mountain,ideographic,The rocks 石 that make up a mountain 山 -岫,"mountain peak; cave, cavern",pictophonetic,mountain -岬,"cape; promontory, headland",pictophonetic,mountain -岭,"mountain ridge, mountain peak",pictophonetic,mountain -岱,the Daishan mountain in Shandong,pictophonetic,mountain -岳,mountain peak; surname,ideographic,A mountain 山 range surrounded by hills 丘 -岵,a wooded hill,pictophonetic,mountain -岷,the Min mountains; the Min river,pictophonetic,mountain -峁,yellow dirt mount,pictophonetic,mountain -峇,"cave, cavern",pictophonetic,mountain -峋,"foothill, mountain range",pictophonetic,mountain -峒,a mountain in Gansu province,pictophonetic,mountain -峙,"to pile, to stack; to stand tall",pictophonetic,mountain -峨,lofty; the name of a mountain,pictophonetic,mountain -峪,"valley, ravine",ideographic,A mountain 山 by a valley 谷; 谷 also provides the pronunciation -峭,"steep, precipitous, rugged",pictophonetic,mountain -峰,"peak, summit; a camel's hump",pictophonetic,mountain -岘,steep hill; a mountain in Hubei,ideographic,A mountain 山 that affords a good view 见; 见 also provides the pronunciation -峻,"high, steep, towering; stern",pictophonetic,mountain -峡,"gorge, ravine, strait; isthmus",ideographic,The space between 夹 two mountains 山; 夹 also provides the pronunciation -崆,the Kongtong mountain,pictophonetic,mountain -崇,"high, dignified; to esteem, to honor",pictophonetic,mountain -崃,a mountain in Sichuan province,pictophonetic,mountain -崎,"rough, uneven; jagged, rugged",pictophonetic,mountain -昆,elder brother; descendants,ideographic,Two brothers 比 under the son 日 -崒,rocky peaks; lofty; dangerous,pictophonetic,mountain -崔,"high, lofty, towering; surname",ideographic,A bird 隹 faced with a mountain 山 -崖,"cliff, precipice; precipitous",ideographic,A mountain 山 precipice 厓; 厓 also provides the pronunciation -岗,post; position,pictophonetic,mountain -崛,towering; eminent; a sudden rise,pictophonetic,mountain -崞,a mountain in Shanxi,pictophonetic,mountain -峥,"high, lofty, noble; perilous, steep",pictophonetic,mountain -崤,a mountain in Henan,pictophonetic,mountain -崦,a mountain in Kansu where the sun is supposed to set at night,pictophonetic,mountain -崧,"tall mountain; lofty, eminent",pictophonetic,mountain -崩,"to rupture, to split apart; to collapse; death, demise",pictophonetic,mountain -岽,a mountain in Guangxi province,pictophonetic,mountain -崮,"mesa, plateau",pictophonetic,mountain -崴,"high, lofty, precipitous; to sprain",pictophonetic,mountain -崽,"child, servant; a diminutive",, -崾,a place name in Shanxi province,pictophonetic,mountain -嵇,a mountain in Henan; surname,pictophonetic,mountain -嵊,a district in Zhejiang,pictophonetic,mountain -嵋,the Omei mountain in Sichuan,pictophonetic,mountain -嵌,"valley, ravine; to fall into; to inlay, to set in",pictophonetic,mountain -岚,"mountain mist, mountain haze",ideographic,Wind 风 blowing off the mountain 山 -岁,"year; years old, age; harvest",, -嵛,a county in the Shandong province,pictophonetic,mountain -嵞,a mountain in Zhejiang,pictophonetic,mountain -嵩,"high, lofty; one of the five peaks in Hunan",ideographic,A tall 高 mountain 山 -嵫,a hill in Shantung,pictophonetic,mountain -嵬,"rugged, rocky, precipitous",pictophonetic,mountain -嵯,"high, towering; rugged, irregular",pictophonetic,mountain -嵴,"ridge, crest, apex",ideographic,The spine 脊 of a mountain 山 range; 脊 also provides the pronunciation -嵝,the Goulou mountain in Hunan,pictophonetic,mountain -嶂,cliff; the barrier formed by a mountain range,pictophonetic,mountain -崭,"new, bold; steep, high",pictophonetic,mountain -岖,"steep, sheer; rugged, rough",pictophonetic,mountain -崂,"Laoshan, a mountain in Shandong",pictophonetic,mountain -嶙,"precipitous, steep, tall",pictophonetic,mountain -嶝,mountain path,ideographic,A road that climbs 登 a mountain 山; 登 also provides the pronunciation -峤,tall pointed mountain,ideographic,A tall 乔 mountain 山; 乔 also provides the pronunciation -嶡,"mountainous, precipitous; a sacrificial offering",pictophonetic,mountain -峄,a range of peaks in Shandong and Jiangsu,pictophonetic,mountain -嶪,"high, steep; perilous",pictophonetic,mountain -岙,island,pictophonetic,mountain -嶷,a mountain range in Hunan province,pictophonetic,mountain -嵘,"high, lofty, steep, towering",pictophonetic,mountain -屿,island,pictophonetic,mountain -巂,a place name,pictophonetic,hot -岿,"grand, stately; secure, lasting",pictophonetic,mountain -巍,"high, lofty; eminent, majestic",pictophonetic,mountain -峦,mountain range; tall pointed mountain,pictophonetic,mountain -巅,"mountain peak, mountain top",ideographic,The top 颠 of a mountain 山; 颠 also provides the pronunciation -巛,"stream, river",pictographic,A river flowing -川,"stream, river",ideographic,A river's flow; compare 巛 -州,"state, province, prefecture",ideographic,Islands within a river 川 -巠,underground river; flowing water,pictophonetic,river -巡,"to cruise, to inspect, to patrol",ideographic,To walk 辶 by the river 巛; 巛 also provides the pronunciation -巢,"nest, living quarters in tree",ideographic,A nest 巛田 built in a tree 木 -巤,a mouse's whiskers; a horse's mane; a fish's dorsal fin,ideographic,A mouse's 鼠 whiskers 巛 -工,"labor, work; laborer, worker",pictographic,A spade or other workman's tool -左,"left; unorthodox, improper",pictographic,A left hand; compare 又 -巧,"skillful, ingenious, clever",pictophonetic,work -巨,"large, huge, gigantic; chief",ideographic,A hand holding a large carpenter's square 工 -巫,"wizard, sorcerer, witch, shaman",pictographic,A cross-shaped divining rod -差,"difference, gap; almost, nearly; in error; an officer",ideographic,Work 工 done by a sheep 羊; incompetence -巯,an atom group,pictophonetic, -己,"self, oneself; personal, private; 6th heavenly stem",pictographic,A loom woven with thread -已,"already; finished; to stop; then, afterwards",, -巳,the hours from 9 to 11; 6th terrestrial branch,, -巴,"to desire, to wish for",, -巷,"alley, lane",, -卺,nuptial wine cup,pictophonetic,seal -巽,"mild, modest, obedient; southeast; 5th of the 8 trigrams",, -巾,"cloth, curtain, handkerchief, towel",pictographic,A curtain or towel hanging from a rack -巿,"to revolve, to turn, to make a circuit",ideographic,A belt 一 made of cloth 巾 -市,"city, town; market, fair; to trade",, -纸,paper,pictophonetic,silk -希,"rare; to hope for, to strive for; to expect",, -帑,treasury; public funds,ideographic,Records kept on cloth 巾 by servants 奴 -帔,"cape, robe, skirt",pictophonetic,cloth -帕,"scarf, turban, veil, wrap",ideographic,A scarf 巾 used to maintain a girl's purity 巾 -帖,"card, invite, notice; to fit snugly",ideographic,Writing on a cloth 巾 -帘,the flag-sign of a tavern,ideographic,A curtain 巾 at the entrance to a cave 穴 -帙,"book jacket; satchel, bag",pictophonetic,curtain -帚,"broom, broomstick",pictographic,A hand 巾 holding a broom with the head 彐 held up -帛,"silk, fabric; wealth, property",pictophonetic,cloth -帝,"supreme ruler, emperor; god",pictographic,An altar on which a sacrifice is being made -帅,"commander; commander-in-chief; handsome, smart",ideographic,An army officer carrying a weapon 刂 and a flag 巾 -师,"teacher, professional, master",ideographic,To skillfully wield 帀 a knife 刂 -裙,"skirt, petticoat, apron",pictophonetic,clothes -席,"seat, place; mat; banquet; to take a seat",ideographic,A cloth 巾 or straw 艹 mat in the house 广 -帐,"tent, screen, mosquito net; debt, credit, account",pictophonetic,curtain -带,"belt, strap; band, ribbon; area, zone; to carry, to raise, to wear",ideographic,"A belt, creasing one's robe above 卅 but not below 巾" -帷,"curtain, screen, tent",pictophonetic,curtain -常,"common, general, normal; always, frequently, regularly",pictophonetic,cloth -帧,"picture, scroll; one of a pair",pictophonetic,cloth -帏,a curtain that forms a wall,pictophonetic,curtain -幄,tent; mosquito net,ideographic,A room 屋 made of cloth 巾; 屋 also provides the pronunciation -幅,"piece, roll, strip; breadth, width; measure word for textiles",ideographic,A roll 畐 of cloth 巾; 畐 also provides the pronunciation -帮,"to help, to assist; to support, to defend; party; gang",ideographic,A nation's 邦 flag 巾; 邦 also provides the pronunciation -幌,"curtain, cloth screen, signboard",pictophonetic,curtain -徽,"badge, crest, logo, insignia",, -幔,"curtain, screen, tent",pictophonetic,cloth -幕,"curtain, screen, tent; measure word for plays and shows",pictophonetic,curtain -帼,women's headgear; mourning cap,pictophonetic,cloth -帻,turban; conical cap,pictophonetic,towel -幛,a cloth or silken hanging scroll,ideographic,Writing 章 on cloth 巾; 章 also provides the pronunciation -幞,turban,pictophonetic,towel -帜,"flag, pennant, sign; to fasten",pictophonetic,curtain -幡,"pennant, banner, streamer, flag",pictophonetic,cloth -幢,carriage curtain; sun screen; tent; measure word for buildings,pictophonetic,curtain -币,"currency, coins, legal tender",ideographic,Bills written on silk 巾 -帱,to cover up; curtain,pictophonetic,cloth -平,"flat, level, even; peaceful",pictographic,A leveling scale -年,year; anniversary; a person's age,ideographic,"A man 干 carrying grain, representing the annual harvest" -幻,"fantasy, illusion, mirage; imaginary",ideographic,"An inversion of 予, ""to give""" -幼,"infant, young child; immature",ideographic,One with little 幺 strength 力; 幺 also provides the pronunciation -幽,"quiet, secluded, tranquil; dark",ideographic,Small niches 幺 in the mountainside 山; 幺 also provides the pronunciation -广,"broad, vast, wide; building, house",ideographic,"A lean-to 厂, suggesting a building" -庀,to prepare; to regulate,pictophonetic,house -庄,"village, hamlet; villa, manor",pictophonetic,house -庇,"cover, shield; to protect, to shelter; to harbor",pictophonetic,house -床,"bed, couch; framework, chassis",ideographic,A house 广 made out of wood 木; 广 also provides the pronunciation -庋,"cupboard, pantry",pictophonetic,house -序,"order, sequence, series; preface",pictophonetic,wide -底,"bottom, underside; below, underneath",pictophonetic,building -庖,"kitchen; cooking, cuisine",pictophonetic,house -店,"shop, store; inn, hotel",pictophonetic,building -庚,age; 7th heavenly stem,, -府,"prefect; prefecture, government",pictophonetic,wide -庠,village school; teach,pictophonetic,building -庥,"shade; shelter, protection",pictophonetic,building -度,"degree, system; manner; to consider",ideographic,Twenty 廿 people 又 meeting inside a building 广 to deliberate -座,"seat; stand, base",ideographic,A wide 广 seat 坐; 坐 also provides the pronunciation -库,"armory, treasury, warehouse",ideographic,A stable 广 where carriages 车 are parked -庭,court; courtyard; spacious hall or yard,ideographic,A wide 广 couryard 廷; 廷 also provides the pronunciation -庳,a low-built house,ideographic,A low 卑 house 广 -庵,Buddhist monastery or nunnery,ideographic,A building 广 where people remain 奄; 奄 also provides the pronunciation -庶,"numerous, various; multitude",ideographic,Many people 灬 (twenty or more 廿) in a house 广 -康,"health; peace, quiet",ideographic,A home 广 with a servant 隶 -庸,"usual, common, ordinary, mediocre",pictophonetic, -庹,the length of one's two outstretched arms,pictophonetic,wide -庾,granary; storehouse,pictophonetic,building -厢,"side-room, wing; theatre box",pictophonetic,building -厩,stable; barnyard,pictophonetic,building -厦,large building; mansion,pictophonetic,building -廊,"corridor, porch, veranda",pictophonetic,wide -廌,unicorn,pictophonetic,deer -廑,hut; careful,pictophonetic,house -廒,granary,pictophonetic,building -廓,"broad, wide; open; empty; outline",pictophonetic,wide -荫,"shade, shelter; to protect",ideographic,Shade 阴 provided by a tree 艹; 阴 also provides the pronunciation -廖,"deserted, empty, few; surname",ideographic,"The wind 翏 blowing over a vast, empty plain 广" -廛,"store, shop",pictophonetic,building -庙,"temple, shrine; imperial court",ideographic,A building 广 containing an altar 由 -庑,"corridor, hallway; luxuriant",pictophonetic,house -废,to terminate; to discard; to abgrogate,pictophonetic, -廥,"granary, barn",ideographic,A building 广 where food is stored 會; 會 also provides the pronunciation -廨,office,pictophonetic,building -廪,granary; to stockpile,pictophonetic,building -庐,"hut, cottage; the name of a mountain",ideographic,A house 广 with an open door 户; 户 also provides the pronunciation -厅,"hall, central room",pictophonetic,spacious -廴,"to walk, to go; a place",pictographic,A man walking to the left -延,"to defer, to delay, to postpone; to extend, to prolong; surname",ideographic,A foot on the road 㢟 stopped in its tracks 丿 -廷,courtyard,pictophonetic,place -迫,"to compel, to force; pressing, urgent",pictophonetic,walk -建,"to build, to erect; to establish, to found",pictophonetic,action -廾,two hands,ideographic,Two hands 十 side by side -廿,"twenty, twentieth",ideographic,Two tens 十 side by side -弁,conical cap worn during the Zhou dynasty,pictographic,Two hands 廾 putting the cap 厶 on someone's head -弄,"to do; to mock, to tease; to play with",ideographic,Two hands 廾 playing with a piece of jade 玉; 廾 also provides the pronunciation -弇,"to trap; to hide, to cover; narrow-necked",, -弈,Chinese chess,pictophonetic,hands -弊,"evil, bad, wrong; fraud, harm",ideographic,Two hands 廾 breaking something 敝; 敝 also provides the pronunciation -弋,"to catch, to arrest; to shoot with a bow",pictographic,Picture of an arrow shot from a bow -式,"formula, pattern, rule, style, system",ideographic,A craftsman using an awl 弋 and a measuring square 工 -弑,"patricide, matricide",pictophonetic,murder -弓,"bow; curved, arched",pictographic,A bow aimed to the left -引,"to pull, to stretch; to draw; to attract",ideographic,To pull back a bow's 弓 drawstring 丨 -弗,"not, negative",ideographic,Two arrows 丨 pulled across a bow -弘,"to enlarge, to expand; liberal, great",, -弛,"to loosen, to relax; to unstring a bow",pictophonetic,bow -弟,"young brother, junior",, -弦,bow string; string instrument; hypotenuse,pictophonetic,bow -弧,"arc, crescent; wooden bow",pictophonetic,bow -弩,"crossbow; an arrow falling, a downward stroke",pictophonetic,bow -弭,"to stop, to repress, to quell",, -弮,a repeating crossbow,pictophonetic,bow -弱,"weak, fragile, delicate",ideographic,Two shoots 弓 dying to frost 冫 -弪,radian (mathematics),pictophonetic,bow -张,"to display; to expand, to open; to stretch; a sheet of paper",pictophonetic,bow -强,"strong, powerful, energetic",pictophonetic,bow -弼,"to aid, to help; to correct",, -彀,enough; quite,, -弹,"bullet, pellet, shell; elastic, springy",pictophonetic,bow -弥,"complete, extensive, full; to fill",pictophonetic,bow -弯,"bend, curve, turn",ideographic,Like 亦 a bow 弓 -彐,snout,, -彑,snout,pictographic,A head-on view of a snout -录,"to copy, to record, to write down",pictographic,A brush used to record stories -彖,"hog, hedgehog, porcupine",ideographic,A pig 豕 with a long snout 彑 -彗,comet; broomstick,ideographic,A hand 彐 holding a bamboo broom 丰 -彘,swine,pictophonetic,snout -彝,"the Yi tribe; tripod; rule, nature",, -彟,to measure; to calculate,pictophonetic,measure -彡,hair; sunlight,pictographic,Tufts of hair -形,"form, shape; to appear; to describe; to look",ideographic,Sunlight 彡 streaming through a window 开 -彤,"red, vermillion",pictophonetic,red -彦,elegant,pictophonetic,hair -彧,"cultured, refined; polished",, -彩,"color, hue; prize; brilliant; variegated",pictophonetic,hair -彪,tiger; a tiger's stripes; like a tiger,ideographic,A tiger's 虎 stripes 彡 -雕,"to carve, to engrave; eagle, vulture",pictophonetic,bird -彬,"ornamental; cultivated, refined, well-bred",pictophonetic,hair -彭,name of an ancient country; surname,ideographic,The sound 彡 of drums 壴 -彰,"clear, manifest, obvious",pictophonetic,sunlight -影,"shadow; image, reflection; photograph",pictophonetic,sunlight -彳,to step with the left foot,, -彷,"similar, alike; to resemble",pictophonetic,step -彸,"agitated, restless",pictophonetic,step -役,"servant, laborer; service; to serve",ideographic,A person walking over 彳 with food in hand 殳 -彼,"that, those, the other",pictophonetic,step -往,"to go, to depart; past, former",pictophonetic,step -征,"to summon, to recruit; levy, tax; journey; invasion",pictophonetic,step -徂,"to advance, to go; to; die",pictophonetic,step -待,"to entertain, to receive, to treat; to delay, to wait",ideographic,To welcome someone arriving 彳 at the royal court 寺 -徇,"to follow, to comply with; to display",pictophonetic,step -很,"very, quite, much",pictophonetic,step -徉,"to wander, to stray, to roam; to hesitate",pictophonetic,step -徊,"to linger, to pace; irresolute",ideographic,To pace 彳 back and forth 回; 回 also provides the pronunciation -律,"statute, principle, regulation",ideographic,To walk 彳 as required by law 聿 -徐,"slowly, quietly, calmly; dignified, composed",pictophonetic,step -径,"path, diameter; straight, direct",pictophonetic,step -徒,"disciple, follower; only, merely; in vain",ideographic,To walk 走 in someone's footsteps 彳 -得,"to obtain, to get, to acquire; suitable, proper; ready",ideographic,A hand 寸 grabbing a shell 旦 -徘,"to dither, to pace; hesitant",pictophonetic,step -徙,"to move, to shift; to migrate",ideographic,To step 彳 out on a long journey 歨 -徜,"to linger, to walk back and forth",pictophonetic,step -徕,"to entice, to solicit; to encourage customers to come",pictophonetic,step -御,"chariot; to drive, to ride; to manage",pictophonetic,step -遍,"everywhere, all over, throughout",pictophonetic,walk -徨,"doubtful, irresolute, vacillating",pictophonetic,step -复,"again, repeatedly; copy, duplicate; to restore, to return",ideographic,A person 亻 who goes  somewhere 夂 every day 日 -循,"to obey, to follow, to comply with",pictophonetic,step -徭,conscripted labor,pictophonetic,step -微,"small, tiny, trifling; micro-",, -徯,"to await, to expect, to hope",pictophonetic,step -徴,to summon,ideographic,To march 彳 on the king's 王 orders 攵 -徵,"to summon, to recruit; levy, tax; journey; invasion",pictophonetic,step -德,"ethics, morality; compassion, kindness",pictophonetic,heart -彻,"penetrating, pervasive; to penetrate, to pass through",pictophonetic,cut -徼,"border, frontier; to inspect, to patrol",pictophonetic,step -心,heart; mind; soul,pictographic,A heart -忄,heart; mind; soul,, -必,"surely, certainly; must; will",, -忉,grieving; distressed,pictophonetic,heart -忌,"jealous, envious; to fear; to shun",pictophonetic,heart -忍,"to endure, to bear, to suffer, to tolerate",ideographic,A knife 刃 piercing the heart 心; 刃 also provides the pronunciation -忐,"nervous, timorous",ideographic,A weight on 上 the heart 心 -忑,"fearful, nervous, timid",ideographic,A weight under 下 the heart 心 -忒,"excessive (in a bad way); to err, to make a mistake",pictophonetic,heart -忕,habit; accustomed to,pictophonetic,mind -忖,"to guess, to ponder, to suppose",pictophonetic,mind -志,"determination, will; mark, sign; to record, to write",ideographic,The mind 心 of a scholar 士; 士 also provides the pronunciation -忘,"to forget, to miss, to neglect, to overlook",pictophonetic,heart -忙,"busy, hurried, pressed for time",ideographic,A heart 忄 faced with death 亡; 亡 also provides the pronunciation -忝,"shame, disgrace; self-depreciation",pictophonetic,heart -忞,to psych up; to steel one's nerves,pictophonetic,heart -忠,"loyalty, devotion, fidelity",pictophonetic,heart -忡,"sad, grieving; distressed, uneasy",pictophonetic,heart -忤,disobedient; stubborn; wrong,pictophonetic,heart -忪,"calm, peaceful; quiet, tranquil",pictophonetic,heart -快,"speedy, rapid, quick; soon",ideographic,A decisive 夬 will 忄; 夬 also provides the pronunciation -忭,"pleased, delighted",pictophonetic,heart -忮,stubborn; perverse; aggressive,pictophonetic,heart -忱,"honesty, sincerity, zeal",pictophonetic,heart -忸,"blushing, bashful, ashamed",pictophonetic,heart -忻,"pleasant, joyful, delightful",pictophonetic,heart -忽,"suddenly, abruptly; to neglect",pictophonetic,heart -忿,"anger, fury; exasperation",pictophonetic,heart -怊,grieving,pictophonetic,heart -怍,ashamed,pictophonetic,heart -怎,what? why? how?,pictophonetic,heart -怏,"discontented, dispirited, sad",pictophonetic,heart -怒,"anger, passion, rage",pictophonetic,heart -怔,"frightened, startled, terrified",pictophonetic,heart -怕,"to fear, to be afraid of; apprehensive",pictophonetic,heart -怖,"frightened, terrified",pictophonetic,heart -怙,to rely on; to presume; father (formal),pictophonetic,heart -怛,grieving; worried,pictophonetic,heart -思,"to think, to ponder, to consider; final particle",ideographic,Weighing something with your mind 囟 (altered) and heart 心 -怠,"idle; negligent, remiss; to neglect",pictophonetic,mind -怡,"gladness, joy, pleasure; harmony",pictophonetic,heart -急,"anxious, worried; hasty, quick; pressing, urgent",pictophonetic,heart -怦,"ardent, eager; impulsive, bold",pictophonetic,heart -性,"sex, nature, character; suffix converting a verb to an adjective",pictophonetic,heart -怨,"to blame, to complain, to hate; enmity, resentment",pictophonetic,heart -怩,"timid, shy; bashful, ashamed",pictophonetic,heart -怪,"unusual, strange, peculiar",, -怫,anxious; depressed; sorry,pictophonetic,heart -怯,"afraid, lacking in courage",pictophonetic,heart -恍,absent-minded; distracted; indistinct; seemingly,pictophonetic,heart -怵,"fearful, apprehensive; timid, shy",pictophonetic,heart -恁,"that, thus; such, like so",pictophonetic,heart -恂,"careful; honest, sincere; to trust",pictophonetic,heart -恃,"to trust, to rely on; to presume",pictophonetic,heart -恒,"constant, persistent, regular",ideographic,A constant 亘 heart 忄; 亘 also provides the pronunciation -恐,"fearful, apprehensive; to fear, to dread",pictophonetic,heart -恓,vexed,pictophonetic, -恕,"to excuse, to forgive, to show mercy",pictophonetic,heart -恙,"illness, sickness; indisposition",pictophonetic,heart -恚,"anger, rage",pictophonetic,heart -恝,carefree; indifferent,pictophonetic,heart -恢,"to restore, to recover; great, immense, vast",pictophonetic,heart -恣,indulgent; unrestrained,pictophonetic,heart -耻,"shame, humiliation; ashamed",pictophonetic,ear -恧,ashamed,pictophonetic,heart -恨,"to dislike, to hate, to resent",pictophonetic,heart -恪,"respectful, reverent",pictophonetic,heart -恫,"fearful, pained, sorrowful",pictophonetic,heart -恬,"calm, peaceful; quiet, tranquil",pictophonetic,heart -恭,"polite, respectful, reverent",pictophonetic,heart -息,"to end, to cease, to put a stop to; pause, breath, rest; news",ideographic,"To breathe (life, 心) through one's nose 自; 心 also provides the pronunciation" -恰,"just, exactly, precisely; proper",pictophonetic,heart -恿,"to instigate, to incite, to alarm",pictophonetic,heart -悃,"honest, sincere; loyal, true",pictophonetic,heart -悄,"quiet, silent, still; anxious",pictophonetic,heart -悦,"contented, gratified, pleased",pictophonetic,heart -悉,"to know, to learn about, to comprehend",pictophonetic,mind -悌,"respectful, brotherly",ideographic,Fraternal 弟 respect 忄; 弟 also provides the pronunciation -悍,"courageous, brave; violent",pictophonetic,heart -悒,"sorrowful, depressed",pictophonetic,heart -悔,"to regret, to repent, to show remorse",pictophonetic,heart -悖,contradictory; counter to,pictophonetic,heart -悚,"scared, frightened",pictophonetic,heart -悛,to repent; to reform,pictophonetic,heart -悝,to laugh at; to pity; sad; afflicted,pictophonetic,heart -悟,"to apprehend, to realize, to become aware",pictophonetic,mind -悠,"distant, remote; long, far; carefree",pictophonetic,heart -患,suffering; misfortune; trouble; to suffer,pictophonetic,heart -悧,"active; clever, sharp; smooth",ideographic,One with a sharp 刂 wit 忄; 利 also provides the pronunciation -您,honorific for 'you',ideographic,You 你 said with affection 心 -悱,overcome with emotion; at a loss for words,pictophonetic,heart -悲,"sorrow, sadness, grief; to be sorry",pictophonetic,heart -悴,"to suffer; haggard, emaciated",pictophonetic,heart -怅,disappointed; regretful; upset,pictophonetic,heart -闷,"gloomy, depressed, melancholy",pictophonetic,heart -悸,"apprehensive, fearful; perturbed",pictophonetic,heart -悻,"anger, frustration",pictophonetic,heart -悼,"to grieve, to lament, to mourn",pictophonetic,heart -情,"emotion, feeling, sentiment",pictophonetic,heart -惆,"distressed, regretful, sad",pictophonetic,heart -惋,"to regret, to be sorry",pictophonetic,heart -惑,"to confuse, to mislead; to doubt",ideographic,An uncertain 或 heart 心; 或 also provides the pronunciation -惓,"candid, sincere; careful, earnest",pictophonetic,heart -惕,"cautious, careful, alert",pictophonetic,heart -惘,"dejected, discouraged",pictophonetic,heart -惙,"sad, melancholy; mournful, grieving",pictophonetic,heart -惚,"confused, absent-minded",ideographic,To neglect 忽 the mind 忄; 忽 also provides the pronunciation -惛,"confused, forgetful; senile; stupid",ideographic,Night falling 昏 on the mind 忄; 昏 also provides the pronunciation -惜,"pity, regret; to rue; to begrudge",ideographic,To feel 忄 for the past 昔; 昔 also provides the pronunciation -惝,"alarmed, agitated",pictophonetic,heart -惟,"but, however, nevertheless; only",, -惠,"favor, benefit, blessing, kindness",pictophonetic,heart -恶,"bad, evil, wicked; to hate, to loathe; foul, nauseating",pictophonetic,heart -惦,"to think of, to remember, to miss",pictophonetic,mind -惰,"lazy, idle, indolent; careless",pictophonetic,mind -恼,"angry, wrathful",pictophonetic,heart -恽,"to devise, to plan; to deliberate, to consult",ideographic,To plan 忄 for a battle 军; 军 also provides the pronunciation -想,"to believe, to wish for; to consider, to plan, to think",pictophonetic,mind -惴,"nervous, apprehensive",pictophonetic,heart -惶,"anxious, nervous, uneasy",pictophonetic,heart -蠢,"to wriggle; stupid, silly, fat",pictophonetic,worm -惹,"to incite, to irritate, to offend, to vex",pictophonetic,heart -惺,"intelligent, clever, astute",ideographic,A brilliant 星 mind 忄; 星 also provides the pronunciation -恻,anguished; sympathetic,pictophonetic,heart -愀,anxious; blushing; to change one's countenance,pictophonetic,heart -愁,"anxious, worried",pictophonetic,heart -愆,"error, fault, mistake, transgression",pictophonetic,heart -愈,"to recover, to heal; more and more",pictophonetic,heart -愉,"pleasant, delightful; to please",pictophonetic,heart -愍,"to pity, to sympathize with",pictophonetic,heart -愎,"stubborn, obstinate, headstrong",ideographic,To persist 复 in error 忄; 复 also provides the pronunciation -意,"thought, idea, opinion; desire, wish; meaning, intention",pictophonetic,heart -愕,"startled, alarmed, astonished",pictophonetic,heart -愚,"stupid, foolish",pictophonetic,heart -爱,"to love, to like, to be fond of; love, affection",ideographic,To bring a friend 友 into one's house 冖 -感,"to affect, to move, to touch; to perceive, to sense",ideographic,Two hearts 心 beating together 咸 -愣,"dazed, stupefied",pictophonetic,heart -悫,modest; sincere,pictophonetic,heart -愫,"sincere, honest, guileless",ideographic,With a pure 素 heart 忄; 素 also provides the pronunciation -诉,"to accuse, to sue; to inform; to narrate",ideographic,Words 讠 of blame 斥; 斥 also provides the pronunciation -怆,"sad, disconsolate, broken-hearted",pictophonetic,heart -恺,"to enjoy; kind; joyful, content",pictophonetic,heart -忾,"anger, wrath, hatred, enmity",ideographic,A heart 忄 full of anger 气; 气 also provides the pronunciation -愿,"desire, wish; honest, virtuous; ready, willing",pictophonetic,heart -栗,chestnut tree; chestnuts; surname,ideographic,A tree 木 bearing nuts 覀; compare 果 -慈,"gentle, humane, kind, merciful",pictophonetic,heart -慊,"satisfied, content",pictophonetic,heart -态,"manner, bearing, attitude",pictophonetic,heart -慌,"frantic, nervous, panicked",pictophonetic,heart -愠,"angry, indignant; resentful, sulking",pictophonetic,heart -慎,"cautious, prudent",pictophonetic,heart -慕,"to admire, to desire, to long for",pictophonetic,heart -惨,"miserable, wretched; cruel, inhuman",pictophonetic,heart -惭,"ashamed, humiliated; shameful",pictophonetic,heart -慝,"an evil thought; sin, vice",ideographic,To hide 匿 evil in one's heart 心 -恸,"sadness, grief; to mourn, to be moved",ideographic,Moving 动 and sad 忄; 动 also provides the pronunciation -慢,"slowly, leisurely; sluggish",pictophonetic,heart -惯,"habit, custom; habitual, usual",pictophonetic,heart -慧,"bright, intelligent; intelligence",pictophonetic,mind -怄,annoyed,pictophonetic,heart -怂,"to arouse, to incite, to instigate",pictophonetic,heart -虑,"anxious, concerned, worried",ideographic,A tiger 虍 striking fear into the heart 心 -慰,"to calm, to comfort, to reassure",pictophonetic,heart -悭,"miserly, stingy, thrifty",ideographic,Having a hard 坚 heart 忄; 坚 also provides the pronunciation -慑,"afraid, scared; to frighten, to intimidate",pictophonetic,heart -慵,"lazy, indolent; easy-going",pictophonetic,heart -庆,"to congratulate, to celebrate",ideographic,A great 大 celebration in a house 广 -慷,"ardent, fervent; generous, magnanimous",pictophonetic,heart -戚,"ashamed, grieving; related to; relative",ideographic,A younger brother 尗 killed in a war 戈 -欲,"desire, want, longing, intent",pictophonetic,lack -忧,"sad, grieving; melancholy, grief",pictophonetic,heart -憩,to rest,pictophonetic,mind -惫,"tired, weary, fatigued",pictophonetic,ponder -憋,"to stifle, to restrain, to choke; to suppress one's inner feelings",pictophonetic,heart -憎,"to abhor, to detest, to hate",pictophonetic,heart -怜,"to pity, to sympathize with",pictophonetic,heart -愦,"confused, muddle-headed; troubled",pictophonetic,heart -憔,"worn-out, haggard, emaciated",pictophonetic,heart -惮,"to fear, to dread; to dislike, to avoid",pictophonetic,heart -憝,"to dislike; to abhor, to hate",pictophonetic,heart -愤,"anger, indignation; to hate, to resent",pictophonetic,heart -憧,"indecisive, irresolute; to yearn for",pictophonetic,heart -憨,"silly, foolish; coquettish",pictophonetic,heart -悯,"to pity, to sympathize with; to grieve for",pictophonetic,heart -憬,"to rouse, to awaken; to become conscious",pictophonetic,mind -怃,"disappointed, regretful",pictophonetic,heart -宪,"constitution, statute, law",pictophonetic,roof -忆,"to remember, to reflect upon; memory",pictophonetic,heart -憷,"painful; privation, suffering",ideographic,A pained 楚 heart 忄; 楚 also provides the pronunciation -憾,"regret, remorse",pictophonetic,heart -懂,"to understand, to know",pictophonetic,mind -恳,"sincere, earnest, cordial",pictophonetic,heart -懈,"idle, relaxed; negligent, remiss",pictophonetic,heart -应,"should, must; to respond, to handle; to deal with, to cope",, -懊,vexed; regretful; nervous,pictophonetic,heart -懋,"grand, majestic, splendid",pictophonetic,heart -怿,"glad, pleased; to enjoy",pictophonetic,heart -懔,afraid of; in awe of,pictophonetic,heart -懞,to cover; to deceive; Mongolia,pictophonetic,heart -怼,"hatred, resentment; to dislike, to hate",pictophonetic,heart -懑,"sad, sorrowful, sick at heart",ideographic,With a heavy 满 heart 心; 满 also provides the pronunciation -懦,"weak, timid, cowardly",pictophonetic,heart -恹,"feeble, sickly, weak; tranquil",pictophonetic,heart -懮,"calm, liesurely; to procrastinate",pictophonetic,heart -惩,"to discipline, to punish, to reprimand, to warn",pictophonetic,heart -懵,"stupid, ignorant, dull",pictophonetic,mind -怀,"bosom, breast; to carry in one's bosom",pictophonetic,heart -悬,"to hang, to hoist, to suspend; hung",ideographic,"Pride 心  in one's country 县, expressed by a flag; 县 also provides the pronunciation" -忏,"to regret, to repent; confession, penitence",pictophonetic,heart -惧,"to fear, to dread",pictophonetic,heart -欢,"happy, glad, joyful",, -懿,"admirable, esteemed, virtuous",pictophonetic,heart -恋,"love; to yearn for, to long for",pictophonetic,heart -戆,"stupid, simple, simple-minded",pictophonetic,mind -戈,"spear, lance, halberd",pictographic,A spear pointing to the bottom-right -戉,"halberd, battle-axe",pictographic,An axe swinging to the left -戊,5th heavenly stem,, -戌,11th terrestrial branch,, -戍,"to garrison, to defend the border",ideographic,Arms 戈 surrounding the country 丶 -戎,"arms, armaments; military affairs",ideographic,A hand holding a lance 戈 -成,"to accomplish; to become; to complete, to finish; to succeed",, -我,"I, me, my; our, us",ideographic,A hand 扌 holding a weapon 戈 -戒,"to warn, to admonish; to swear off, to avoid",ideographic,Two hands 廾 brandishing a spear 戈 -戋,"small, narrow; tiny, little",, -戕,"to kill, to slay; to wound, to injure",pictophonetic,spear -或,"or, either, else; maybe, perhaps, possibly",ideographic,"To defend yourself 口 with a spear 戈; ""or else""" -戛,lance; to lightly tap or strike,ideographic,To strike 戈 someone on the nose 自 -戟,a double-bladed axe,ideographic,An axe 戈 with blades on both sides 龺 -戠,sword; potter's clay; to gather,pictophonetic,spear -戡,"to subjugate, to subdue, to quell, to kill",pictophonetic,spear -戢,"to collect oneself; to put away, to store",pictophonetic,spear -戤,to infringe upon a trademark,pictophonetic,overflow -戥,a steelyard balance for weighing money,pictophonetic,spear -戗,to support,pictophonetic,spear -戬,"to exterminate, to destroy; blessing",pictophonetic,spear -截,"to cut off, to obstruct, to stop; segment; intersection",ideographic,A bird 隹 cut off from its nest 十 by a weapon 戈 -戏,"play, show, theater",ideographic,A hand 又 doing tricks with a spear 戈 -战,"war, fighting, battle",pictophonetic,spear -戳,"to pierce, to prick, to stab; stamp, seal",pictophonetic,spear -戴,"to support; to respect; to put on, to wear; surname",, -户,door; family,pictographic,Simplified form of 戶; a door swinging on its hinge -戽,to bale out; to irrigate,pictophonetic,bucket -戾,"perverse, rebellious, recalcitrant",ideographic,A dog 犬 that won't come indoors 户 -房,"building, house, room",pictophonetic,door -所,"place, location; ""that which"", a particle introducing a passive clause",ideographic,An axe 斤 swung at a door 户 -扁,"flat; board, sign, tablet",, -扂,door latch,pictophonetic,door -扃,"door latch, crossbar",pictophonetic,door -扆,screen door,ideographic,A cloth 衣 door 户; 衣 also provides the pronunciation -扇,fan; panel; to flap,ideographic,A feathered 羽 fan in the shape of a folding door 户 -扈,"escort, retinue; insolent",pictophonetic,city -扉,door panel,pictophonetic,door -手,hand,pictographic,A hand with the fingers splayed -扌,hand,pictographic,A hand with the fingers splayed; compare 手 -才,"ability, talent, gift; just, only",ideographic,"A sprout growing in the ground, representing a budding talent" -扎,"to bind, to wrap; to pierce; to stop",ideographic,A hand 扌 tying a bundle with string 乚 -扒,"to scratch, to dig up; to crouch, to crawl",pictophonetic,hand -打,"to attack, to beat, to hit, to strike",pictophonetic,hand -扔,"to throw, to hurl, to cast away",pictophonetic,hand -払,"shake off, brush away; dust",pictophonetic,hand -托,"to raise, to support; to entrust, to rely on",ideographic,Using one's hands 扌 for support 乇; 乇 also provides the pronunciation -扛,to lift; to carry on one's shoulders,ideographic,Labor 工 done by hand 扌; 工 also provides the pronunciation -捍,"to defend, to guard; to ward off",pictophonetic,hand -扢,"to clean, to rub",pictophonetic,hand -扣,"to detain; to knock, to tap; button",pictophonetic,hand -扦,"to probe, to poke, to pierce, to pick at",pictophonetic,hand -扭,"to turn, to twist, to wrench; to grasp, to seize",pictophonetic,hand -扮,"costume, disguise; to dress up",pictophonetic,hand -扯,"to rip, to tear; to haul; casual talk",pictophonetic,hand -扳,"to drag, to pull; to twist",pictophonetic,hand -扶,"to support, to protect, to help",pictophonetic,hand -批,"comment, criticism; batch, lot; wholesale",pictophonetic,hand -扼,"to clutch, to grasp; to choke, to strangle",pictophonetic,hand -找,"to search for, to look for, to find; change (as in money)",ideographic,To go searching with a spear 戈 in hand 扌 -承,"to undertake, to bear, to accept a duty; inheritance",ideographic,Three hands 手 lifting a dead body 了 -技,"ability, talent; skill, technique",pictophonetic,hand -抃,"to cheer, to clap",pictophonetic,hand -抄,"copy, plagiarism; to confiscate, to seize",pictophonetic,hand -抉,"to select, to choose; to pluck, to gouge",ideographic,To choose 夬 by hand 扌; 夬 also provides the pronunciation -把,"to grasp, to hold; to guard, to take; handle",pictophonetic,hand -抑,"to curb, to hinder; to keep down, to repress",pictophonetic,hand -抒,to express; to pour out,pictophonetic,give -抓,"to clutch, to grab, to seize",ideographic,A hand 扌 with claws 爪; 爪 also provides the pronunciation -投,"to pitch, to throw; to bid, to invest",pictophonetic,hand -抖,"to tremble, to shake, to rouse",pictophonetic,hand -抗,"to defy, to fight, to resist",ideographic,Fighting 亢 with bare hands 扌; 亢 also provides the pronunciation -折,"to break, to snap; to fold, to bend; to bow; humble",ideographic,A hand 扌 wielding an axe 斤 -拗,"to pull, to drag; perverse, obstinate; bent, warped",pictophonetic,hand -抨,to impeach; to criticize,pictophonetic,hand -披,"to wear; to split, to crack",ideographic,To put on 扌 fur 皮; 皮 also provides the pronunciation -抬,"to carry, to lift, to raise",pictophonetic,hand -抱,"to embrace, to hold in one's arms; to enfold",ideographic,To wrap 包 in one's arms 扌; 包 also provides the pronunciation -抵,to resist; to arrive; mortgage,pictophonetic,hand -抹,"to apply; to erase, to smear, to wipe off",pictophonetic,hand -抻,to pull,pictophonetic,hand -押,"to arrest, to detain; to deposit, to pledge; mortgage",pictophonetic,hand -抽,"to draw out, to pull out; to sprout",pictophonetic,hand -抿,"to press, to smooth; to purse the lips",pictophonetic,hand -拂,"to shake off, to brush away; dust",pictophonetic,hand -拄,"post; to lean on; to prod, to ridicule",pictophonetic,hand -拆,"to break open, to split up, to tear apart",pictophonetic,hand -拇,thumb; big toe,pictophonetic,hand -拈,to pick up with the fingers; to draw lots,ideographic,To divine 占 by hand 扌; 占 also provides the pronunciation -拉,"to pull, to drag; to seize, to hold; to lengthen; to play (a violin)",pictophonetic,hand -拊,"to pat, to slap, to tap; the handle of a vessel",pictophonetic,hand -抛,"to abandon, to throw away; to fling, to toss",pictophonetic,hand -拌,to mix,pictophonetic,hand -拍,"to clap, to tap; to hit, to beat, to slap; beat, rhythm",pictophonetic,hand -拎,"to lift, to haul, to take",pictophonetic,hand -拐,"to kidnap, to abduct; to turn; crutch",ideographic,To take another 另 by force 扌 -拑,"to clamp, to pin down, to tie down",pictophonetic,hand -拒,"to defend, to ward off; to refuse",pictophonetic,hand -拓,"to develop, to expand, to open up",pictophonetic,hand -拔,"to uproot, to pull out; to select, to promote",pictophonetic,hand -拖,"to drag, to haul, to tow; to delay",pictophonetic,hand -拘,"to detain, to restrain, to seize",pictophonetic,hand -拙,"awkward, clumsy; dull, stupid",pictophonetic,hand -拚,"to reject, to disregard, to go all out",pictophonetic,hand -招,to summon; to recruit; to levy,ideographic,A call 召 to arms 扌; 召 also provides the pronunciation -拜,"to bow, to salute; to worship, to pay respects",ideographic,Two hands 手 put together in respect -括,"to embrace, to enclose, to include",pictophonetic,hand -拭,to wipe away stains with a cloth,pictophonetic,hand -拮,"busy, occupied; to pursue",pictophonetic,hand -拯,"to aid, to help; to lift, to raise",ideographic,To give 丞 a hand 扌; 丞 also provides the pronunciation -拱,"to salute, to bow; arched; arch",pictophonetic,hand -拳,fist; various forms of boxing,pictophonetic,hand -拴,"to fasten, to bind",pictophonetic,hand -拶,"to squeeze, to press hard, to force",pictophonetic,hand -拷,"to torture, to interrogate; to beat, to flog",ideographic,To question 考 by hand 扌; 考 also provides the pronunciation -拼,"to link, to join together; to incorporate",pictophonetic,hand -拽,"to drag, to tow; to throw; to twist",ideographic,To pull 曳 by hand 扌; 曳 also provides the pronunciation -拾,"to collect, to pick up, to tidy up; ten (bankers' anti-fraud numeral)",ideographic,To gather 合 things in one's hands 扌 -持,"to hold, to support, to sustain",pictophonetic,hand -指,"finger, toe; to point, to indicate",ideographic,To point 旨 by hand 扌; 旨 also provides the pronunciation -挈,"to assist, to help; to lead by hand",pictophonetic,hand -按,"to check, to control, to push, to restrain",pictophonetic,hand -挎,to carry,pictophonetic,hand -挑,"to select, to choose; picky, choosy; a load",pictophonetic,hand -挖,"to dig, to excavate",ideographic,To dig out 扌 a hollow 穵; 穵 also provides the pronunciation -挨,"close by, near, next to, towards, against; to lean on; to wait",pictophonetic,hand -挪,"to shift, to move",pictophonetic,hand -挫,"to check, to obstruct, to push down",pictophonetic,hand -振,"to arouse, to excite; to rouse, to shake",pictophonetic,hand -挲,to feel or fondle with the fingers,pictophonetic,hand -挹,to bale out; to pour,pictophonetic,hand -挺,"to straighten, to stand upright; rigid, stiff",pictophonetic,hand -挽,"to pull, to lead; to pull back, to draw a bow",pictophonetic,hand -挟,to seize; to hold to one's bosom,ideographic,Wedged 夹 in one's arms 扌; 夹 also provides the pronunciation -捂,to resist,ideographic,To resist 吾 by hand 扌; 吾 also provides the pronunciation -捃,"to gather, to sort",pictophonetic,hand -救,"aid, help; to rescue, to save",pictophonetic,hand -捅,"to jab, to poke",pictophonetic,hand -捆,"to bind, to tie, to truss up; a bundle",pictophonetic,hand -捉,"to clutch, to grasp, to seize",pictophonetic,hand -捋,"to gather, to pluck; to rub off, to scrape",ideographic,To take 扌 a handful 寽; 寽 also provides the pronunciation -捌,"to split, to break open; eight (bankers' anti-fraud numeral)",ideographic,To separate 别 by hand 扌; 别 also provides the pronunciation -捎,"to carry, to take; to select",pictophonetic,hand -捏,"to knead, to mold, to pinch",pictophonetic,hand -捐,"to give, to donate; to give up, to renounce",pictophonetic,hand -捕,"to arrest, to catch, to seize",pictophonetic,hand -捧,to hold or offer with both hands,ideographic,An offering 奉 made with two hands 扌; 奉 also provides the pronunciation -舍,"house, dwelling; to reside, to dwell; to abandon, to give up",pictophonetic,the shape of a roof -捩,"to twist, to tear, to snap",pictophonetic,hand -扪,"to stoke, to pat; to grope, to feel",pictophonetic,hand -捭,"to open up, to spread out",pictophonetic,hand -捱,"to put off, to procrastinate; to endure",pictophonetic,hand -捶,"to beat, to lash, to strike with a cane",pictophonetic,hand -捺,to press down firmly with the fingers,pictophonetic,hand -捻,to twist or nip with the fingers,pictophonetic,hand -掀,to stir up; to turn over,pictophonetic,hand -掂,"to heft, to weigh; to hold in the palm",pictophonetic,hand -扫,"to clean, to sweep, to wipe away; to weed out; to wipe out",ideographic,Simplified form of 掃; to use 扌 a broom 帚; 帚 also provides the pronunciation -抡,"to swing, to flourish, to brandish",pictophonetic,hand -掇,"to pick up, to gather, to collect",pictophonetic,hand -授,"to award, to confer, to instruct, to teach",pictophonetic,hand -掉,"to drop, to fall, to remove",pictophonetic,hand -掊,to extract; to injure,pictophonetic,hand -掌,"in charge; the palm of the hand, the sole of the foot",pictophonetic,hand -掎,"to pull, to drag; to drag one's feet",pictophonetic,hand -掏,to take out; to pull out; to clean out,pictophonetic,hand -掐,"to hold, to choke; to gather in one hand",pictophonetic,hand -排,"row, rank, file; to eliminate, to remove",pictophonetic,hand -掖,"to tuck, to fold; to support",pictophonetic,hand -掘,"to dig, to excavate",pictophonetic,hand -挣,"to struggle, to strive, to endeavor",ideographic,To fight 争 by hand 扌; 争 also provides the pronunciation -挂,"to suspend, to put up, to hang; suspense",pictophonetic,hand -掠,"to pillage, to ransack",pictophonetic,hand -采,"to collect, to gather; to pick, to pluck",ideographic,A hand picking 爫 fruit from a tree 木 -探,"to find, to locate; to grope for, to search for",pictophonetic,hand -掣,"to pull, to drag; to hinder, to pull back",pictophonetic,hand -接,"to connect, to join; to receive, to meet, to answer the phone",pictophonetic,hand -控,"to accuse, to charge; to control; to sue",pictophonetic,hand -推,to push; to expel; to drive; to decline,pictophonetic,hand -掩,"to cover up (with a hand); to ambush, to conceal; to shut",pictophonetic,hand -措,to arrange; to execute on; to manage,pictophonetic,hand -掬,to grasp or hold with both hands,ideographic,To take 扌a handful 匊; 匊 also provides the pronunciation -掭,to manipulate,pictophonetic,hand -掮,to bear on the shoulders,ideographic,To bear 扌 on the shoulders 肩; 肩 also provides the pronunciation -掰,"to rip, to tear",ideographic,To tear something 分 with both hands 手 -掱,to pickpocket,ideographic,"Someone with three hands 手, representing sleight-of-hand" -碰,"to touch; to meet with; to collide, to bump into",pictophonetic,rock -掾,a general designation of officials,pictophonetic,hand -拣,"to choose, to select; to gather, to pick up",pictophonetic,hand -揄,"to lift, to raise; to praise; to hang, to flap",pictophonetic,hand -揆,"to consider, to estimate",pictophonetic,hand -揉,"to massage, to knead; to crush by hand",ideographic,A gentle 柔 hand 扌; 柔 also provides the pronunciation -揍,"to hit, to beat; to smash, to break",pictophonetic,hand -揎,to pull up one's sleeves; to prepare to fight,pictophonetic,hand -描,"to copy, to depict, to sketch, to trace",pictophonetic,hand -提,"to hold in the hand; to lift, to raise",pictophonetic,hand -插,"to insert, to stick in; to pierce; to plant",pictophonetic,hand -揖,"to bow, to salute; to defer, to yield",pictophonetic,hand -扬,"to flutter, to wave; to hoist, to raise; to praise",pictophonetic,hand -换,"to change; to exchange, to swap, to trade",pictophonetic,hand -揞,"to cover, to conceal; to apply medicine or make-up",pictophonetic,hand -揠,"to weed out, to pull up, to eradicate",pictophonetic,hand -握,"to grasp, to hold, to take by the hand",pictophonetic,hand -揣,"to stow in one's clothes; to estimate, to guess, to figure",pictophonetic,hand -揩,"to wipe, to rub, to dust, to clean",pictophonetic,hand -揪,"to pinch, to grasp",pictophonetic,hand -揭,"to lift off a cover; to reveal, to divulge; surname",pictophonetic,hand -挥,to direct; to squander; to wave; to wipe away,ideographic,To direct an army 军 by hand 扌 -揲,to sort out divining stalks,pictophonetic,hand -援,"to assist; to lead; to quote, to cite",ideographic,To lead 爰 by hand 扌; 爰 also provides the pronunciation -揶,"to ridicule, to poke fun at",pictophonetic,hand -揸,"handful; to grasp, to seize",pictophonetic,hand -背,"back, backside; to betray, to violate",pictophonetic,flesh -构,"to compose, to make; building, frame, structure",pictophonetic,wood -揿,to press,pictophonetic,hand -搋,to thump,pictophonetic,hand -搌,"to dab, to sop up, to wipe away tears",pictophonetic,hand -损,"to damage, to harm",pictophonetic,hand -搏,combat; to fight; to strike,pictophonetic,hand -搐,"cramp, spasm; to convulse, to twitch",pictophonetic,hand -搓,to rub or roll between the hands,pictophonetic,hand -搔,to scratch,ideographic,To scratch 扌 a flea bite 蚤; 蚤 also provides the pronunciation -摇,"to rock, to shake; to swing, to wave",pictophonetic,hand -捣,"to thresh, to pound; to stir, to disturb; to attack",pictophonetic,hand -搛,to pick up with chopsticks,ideographic,To grip 扌with chopsticks 兼; 兼 also provides the pronunciation -搜,"to seek, to search, to investigate",pictophonetic,hand -搞,"to do, to fix, to make, to settle",pictophonetic,hand -搠,to daub; to thrust,pictophonetic,hand -搡,to push over; to push back,pictophonetic,hand -搦,"to grasp, to seize; to challenge, to provoke",pictophonetic,hand -搪,"to parry, to block; to ward off, to evade",pictophonetic,hand -搬,"to move, to remove, to shift, to transfer",pictophonetic,hand -搭,"to attach, to build, to join",pictophonetic,hand -搴,to extract; to pluck; to seize,pictophonetic,hand -抢,"urgent, rushed; to rob, to plunder",pictophonetic,hand -搽,"to wipe, to smear, to rub, to anoint",pictophonetic,hand -榨,to press for juice; a juicer; a vegetable,pictophonetic,tree -搿,to hug,ideographic,To clasp 合 with both hands 手 -摀,"to conceal, to hide; to cover with a hand",pictophonetic,hand -摁,to press with a finger,pictophonetic,hand -掴,"to slap, to box one's ears",pictophonetic,hand -摒,"to expel, to cast off; to arrange",pictophonetic,hand -摔,"to fall, to stumble, to trip",pictophonetic,hand -摘,"to pick, to pluck, to select, to take",ideographic,To pick 扌 a fruit off a branch 啇 -掼,"to fling, to smash; to know, to be familiar",pictophonetic,hand -摞,to pile up,ideographic,To pile up 累 by hand 扌; 累 also provides the pronunciation -搂,"to embrace, to hug; to drag, to pull",pictophonetic,hand -摧,"to destroy, to wreck",pictophonetic,hand -摩,"to scour, to rub, to grind; friction",pictophonetic,hand -摭,"to gather, to pick up",pictophonetic,hand -挚,"sincere, warm, cordial; surname",ideographic,To shake 执 hands 手; 执 also provides the pronunciation -抠,"to lift, to raise; tight-fisted",pictophonetic,hand -抟,to roll around in one's hand; to model,pictophonetic,hand -摸,"to caress, to stroke, to gently touch",pictophonetic,hand -摹,"to trace; to imitate, to copy; pattern",pictophonetic,hand -摺,"to bend, to fold; curved, twisted",ideographic,Skill 習 in paper-folding扌 ; 習 also provides the pronunciation -掺,"to mix, to blend, to adulterate",pictophonetic,hand -摽,"to sign, to signal; to throw",pictophonetic,hand -撂,"to put down, to put aside, to drop",pictophonetic,hand -撅,"to snap, to break; to protrude; to pout",pictophonetic,hand -撇,"to abandon, to discard",pictophonetic,hand -捞,to dredge up; to fish for; to scoop out of the water,pictophonetic,hand -撑,"to support, to prop up, to brace; overflowing",pictophonetic,hand -撒,"to disperse, to let go, to relax",ideographic,To scatter 散 seeds by hand 扌; 散 also provides the pronunciation -挠,"to yield; to scratch, to disturb",pictophonetic,hand -撕,"to rip, to tear; to buy cloth",pictophonetic,hand -撖,,pictophonetic,hand -撙,"to cut down, to reduce, to regulate; to rein in spending",pictophonetic,hand -撞,"to bump into, to collide, to hit, to knock against",pictophonetic,hand -挢,to correct,pictophonetic,hand -操,"to conduct, to manage, to run",pictophonetic,hand -掸,to dust; a duster,pictophonetic,hand -撤,to omit; to remove; to withdraw,, -拨,"to stir, to move, to distribute, to allocate",ideographic,To dispatch 发 goods by hand 扌 -撩,"to lift, to raise; to provoke, to tease; to push aside clothing",pictophonetic,hand -抚,"to pat, to console; to stroke, to caress",pictophonetic,hand -撬,"to lift, to raise, to pry off a lid",pictophonetic,hand -播,"to sow seeds, to scatter; to broadcast, to spread",ideographic,To sow seeds 番 by hand 扌; 番 also provides the pronunciation -撮,"dash, pinch, small amount",pictophonetic,hand -撰,"to compose, to write",pictophonetic,hand -扑,"to attack, to beat, to hit, to strike",pictophonetic,hand -挞,"to whip, to flog, to chastise",pictophonetic,hand -撼,"to incite, to move, to shake",pictophonetic,hand -挝,to beat; to strike,pictophonetic,hand -捡,"to pick up, to gather, to collect",pictophonetic,hand -擀,to roll or knead dough,pictophonetic,hand -拥,"to have, to hold; to embrace, to hug; to flock, to throng",pictophonetic,hand -擂,"to rub, to grind; to use a mortar and pestle",pictophonetic,hand -掳,"to capture, to seize",ideographic,To catch 虏 someone by the hand 扌; 虏 also provides the pronunciation -擅,"to claim, to monopolize; arbitrary",pictophonetic,hand -择,"to select, to choose",, -击,"to strike, to hit, to beat; to attack, to fight",ideographic,Simplified form of 擊; 手 provides the meaning -挡,"to block, to obstruct; to get in the way; cover, guard",ideographic,A hand 扌 raised at the right time 当; 当 also provides the pronunciation -擎,"to lift; to support, to hold up",pictophonetic,hand -擐,"to wear, to put on armor",ideographic,To don 扌 clothes 衣; 睘 also provides the pronunciation -擒,"to arrest, to capture, to seize",ideographic,To catch 禽 by hand 扌; 禽 also provides the pronunciation -担,"to bear, to carry; burden, responsibility",pictophonetic,hand -擗,to beat the breast,pictophonetic,hand -擘,"thumb; to rip, to tear; to split, to analyze",pictophonetic,hand -挤,"to squeeze, to push against; crowded",pictophonetic,hand -擢,"to pull up, to raise; to select",pictophonetic,hand -擤,to blow the nose with fingers,ideographic,To use a hand 扌 to blow the nose 鼻 -擦,"to clean, to erase, to polish; a brush",pictophonetic,hand -举,to raise; to recommend; to praise,pictophonetic,hand -摈,"to exclude, to expel, to reject; to usher",pictophonetic,hand -拧,"screw, wrench; to pinch, to twist, to wring",pictophonetic,hand -搁,"to place, to lay down; to delay",pictophonetic,hand -掷,"to throw, to hurl, to fling, to cast",pictophonetic,hand -扩,"to expand, to stretch, to magnify",pictophonetic,wide -撷,"to pick up, to gather, to acquire; to hold in one's lap",pictophonetic,hand -摆,"to arrange, to display; pendulum, swing",pictophonetic,hand -擞,"to tremble, to shake, to quake, to flutter",pictophonetic,hand -撸,to reprimand; to fire an employee,pictophonetic,hand -扰,"to poke, to disturb, to annoy, to agitate",pictophonetic,hand -擿,"to select, to pick out; to discard",ideographic,To select 扌 a match 適; 適 also provides the pronunciation -攀,"to climb, to hang on, to pull up",pictophonetic,hand -摅,"to disperse, to spread, to vent; to send forth",pictophonetic,hand -撵,"to drive away, to expel, to oust",pictophonetic,hand -攉,"to urge, to beckon",ideographic,To motion 霍 with the hand 扌; 霍 also provides the pronunciation -拢,"to collect, to bring together",pictophonetic,hand -拦,"to block, to hinder, to obstruct",pictophonetic,hand -撄,"to offend, to oppose, to run counter to",pictophonetic,hand -攘,"to usurp, to seize; to repel",pictophonetic,hand -搀,"to mix; to support, to sustain, to lend a hand",pictophonetic,hand -撺,"rush, hurry; to stir up, to urge; to fling, to throw",pictophonetic,hand -摄,"to absorb, to take in; to photograph; to act on behalf of",pictophonetic,hand -攒,"to save, to hoard",pictophonetic,hand -挛,"tangled, entwined; crooked",pictophonetic,hand -摊,"to spread out, to open, to allot; a merchant's stand",pictophonetic,hand -攥,"to hold, to grip, to grasp",pictophonetic,hand -搅,"to annoy, to disturb, to stir up",pictophonetic,hand -攫,"to snatch, to sieze, to rob",pictophonetic,hand -揽,to grasp; to monopolize; to seize,pictophonetic,hand -攮,to fend off; to stab,pictophonetic,hand -支,"to support, to sustain; to withdraw, to pay; a branch (of a bank)",ideographic,A hand 又 holding a branch 十 for support -攴,"to rap, to tap",pictographic,A hand 又 wielding a stick ⺊ -攵,"to rap, to tap; script; to let go",pictographic,A fist made with one's right hand -收,"to collect, to gather, to harvest",pictophonetic,hand -考,"to test, to investigate, to examine",pictophonetic,old -攸,"distant, far; adverbial prefix",, -改,"to alter, to change, to improve, to remodel",ideographic,A hand with a stick 攵 disciplining a kneeling child 己 -攻,to accuse; to assault; to criticize,pictophonetic,rap -放,"to release, to liberate, to free",pictophonetic,let go -政,"government, politics",pictophonetic,script -敃,"robust, strong, vigorous",pictophonetic,rap -故,"reason, cause; happening, instance",pictophonetic,tap -敉,"to pacify, to soothe; to stabilize",pictophonetic,script -叙,"to express, to state; to relate, to narrate",pictophonetic,again -敏,"fast, quick; clever, smart",pictophonetic,strike -敖,"to ramble, to play about; leisurely; surname",, -败,"failure; to decline, to fail, to suffer defeat",pictophonetic,rap -教,"school, education",pictophonetic,script -敝,"to break, to destroy; ruined, tattered",pictophonetic,strike -敞,"wide, open, spacious",pictophonetic,let go -敢,"bold, brave; to dare, to venture",ideographic,A hand with a stick 攵 striking a beast 耳 -敪,to weigh; to cut; to enter without being invited,pictophonetic,rap -敫,ancient musical instrument,, -敬,"to respect, to honor; respectfully",, -敲,"to hammer, to pound, to strike",pictophonetic,strike -整,"neat, orderly, whole; to repair, to mend",pictophonetic,order -敌,"enemy, foe, rival; to match; to resist",pictophonetic,strike -敷,"to apply, to paint, to spread",pictophonetic,tap -数,"count, number, several",pictophonetic,script -驱,"to spur a horse on; to expel, to drive away",pictophonetic,horse -敻,"remote, far away; preeminent",pictophonetic,go -敛,"to collect, to extort",pictophonetic,strike -毙,to kill; to die a violent death,pictophonetic,death -文,"culture, literature, writing",pictographic,"A tattooed chest, representing writing" -斌,"ornamental, refined",pictophonetic,culture -斐,"graceful, elegant, beautiful",pictophonetic,culture -斑,"freckled, mottled, spotted, striped",ideographic,Markings 文 in jade 王 -斓,multicolored,pictophonetic,script -斗,"to struggle, to fight, to contend; measuring cup",ideographic,A hand holding a measuring dipper -料,"ingredients, materials; to conjecture, to guess",ideographic,A hand measuring 斗 a cup of rice 米 -斛,"ancient measuring vessel; unit of volume, about 50 liters",pictophonetic,measuring cup -斜,"slanting, sloping, inclined",pictophonetic,measuring cup -斟,"to deliberate, to gauge; to pour wine or tea",pictophonetic,measuring cup -斡,"to turn, to rotate, to revolve",, -斤,"a catty (about 500 grams); an axe; keen, shrewd",, -斥,"to scold, to upbraid; to accuse, to blame; to reproach",ideographic,Someone scolded for cutting themselves 丶 with an axe 斤 -斧,"axe, hatchet; to chop, to hew",pictophonetic,axe -斫,"to chop, to cut, to lop off",pictophonetic,axe -斩,"to chop, to cut, to sever; to behead",pictophonetic,axe -斯,"this, thus, such; emphatic particle; used in transliterations",, -新,"new, recent, fresh, modern",ideographic,A freshly chopped 斤 tree 亲 -断,"to sever, to cut off, to interrupt",ideographic,Using an axe 斤 to harvest grain 米 -方,"square, rectangle; side; region; flag",, -於,"at, in, on; to, from; alas!",, -施,"to grant, to bestow; to act; surname",, -斿,to swim; to move freely,, -旁,"side; beside, close, nearby",pictophonetic,stand -旗,"banner, flag, streamer",pictophonetic,square -旃,felt; a silk banner on a bent pole,pictophonetic,flag -旄,old; an ancient pelt flag,ideographic,A flag 方 made of fur 毛; 毛 also provides the pronunciation -旅,"journey, trip; to travel",ideographic,A man 方 traveling with a pack 氏 on his back -旆,"banner, flag; ornament",pictophonetic,flag -旋,"to revolve, to orbit, to return",ideographic,An army 方 marching under a flag 疋 -旌,to signal; a flag adorned with feathers,pictophonetic,flag -旎,romantic; the fluttering of a flag,pictophonetic,flag -族,"race, nationality, ethnicity; tribe, clan",ideographic,A group of people that swear by 矢 a single flag 方 -旒,"tassels, fringes; pearls studding a crown",pictophonetic,flag -旖,"romantic; tender, charming",pictophonetic,flag -旡,to choke on something,, -既,"already, since, then; both; de facto",ideographic,A person 旡 turning away from food 皀; compare 即 -祸,"misfortune, disaster, calamity",pictophonetic,spirit -日,sun; day; daytime,pictographic,The sun -旦,dawn; morning; day,ideographic,The sun 日 rising over the horizon 一 -旨,"aim, intention, purpose, will",ideographic,A spoon 匕 aimed for the mouth 日 -早,early; soon; morning,ideographic,The first rays 十 of the sun 日 -旬,ten-day period; period of time,ideographic,A cycle 勹 of ten days 日; a traditional week -旭,"the rising sun; brilliant, radiant",pictophonetic,sun -旮,"corner, nook, recess",, -旯,"corner, nook, recess",, -旰,"sunset, dusk; evening",pictophonetic,sun -旱,dry; drought; desert,ideographic,The sun 日 baking a desert 干; 干 also provides the pronunciation -时,"time, season; period, era, age",pictophonetic,day -旺,"to flourish, to prosper; prosperous",pictophonetic,sun -春,"springtime; joyful, lustful, wanton",pictophonetic,sun -昀,sunlight; surname,pictophonetic,sun -昂,"to rise; proud, bold, upright",pictophonetic,sun -昃,afternoon; in decline,ideographic,The sun 日 at a slant 仄; 仄 also provides the pronunciation -昇,"rise, ascent; to raise, to exalt",ideographic,The rising 升 sun 日; 升 also provides the pronunciation -昉,"dawn, daybreak; to appear",pictophonetic,sun -昊,"summertime; sky, heaven",ideographic,The sun 日 high in the sky 天 -昌,"sunlight; good, proper; prosperous",ideographic,Speaking 曰 in the daytime 日 -明,"bright, clear; to explain, to understand, to shed light",ideographic,The light of the sun 日 and moon 月 -昏,"dusk, nightfall, twilight, dark; to faint, to lose consciousness",ideographic,Th sun 日 setting behind a village 氏 -易,"to change; to exchange, to trade; simple, easy",, -昔,"past, former; ancient",ideographic,Twenty 廿 days ago 日 -昕,"day, dawn, early morning",pictophonetic,sun -昜,"bright, glorious; to expand, to open up",ideographic,"Bright and open, like the dawn 旦" -昝,"dual pronoun: ""you and I"", ""we two""; surname",, -星,"star, planet; a point of light",pictophonetic,sun -映,to project; to reflect; to shine,pictophonetic,sun -昧,"dark, hidden, obscure",pictophonetic,sun -昨,"yesterday; formerly, in the past",pictophonetic,day -昫,warm,pictophonetic,sun -昭,"bright, luminous; clear, manifest",pictophonetic,sun -是,"to be; indeed, right, yes; okay",ideographic,To speak 日 directly 疋 -昱,"bright, dazzling; sunlight",pictophonetic,sun -昴,one of the 28 constellations,pictophonetic,sun -昵,"close, intimate; to approach",pictophonetic,sun -昶,"bright, clear; extended",ideographic,A long 永 day 日; 永 also provides the pronunciation -晁,"morning, dawn; surname",pictophonetic,sun -晋,to advance; to increase; to promote,ideographic,An advance to the second 亚 day 日 -晌,"noon, midday; moment",pictophonetic,sun -晏,"peaceful, tranquil, quiet; clear; late in the day",ideographic,A woman safe in a house 安 at sunset 日 -晒,to dry in the sun; to expose to the sun,pictophonetic,sun -晗,twilight before dawn,pictophonetic,sun -晚,"night, evening; late",ideographic,Avoiding 免 the sun 日; 免 also provides the pronunciation -昼,"daytime, daylight",ideographic,When the sun is a foot 尺 above the horizon 旦 -晟,"bright, clear, splendid",pictophonetic,sun -晡,late afternoon,pictophonetic,sun -晤,to meet; to interview with,pictophonetic,sun -晦,"dark, obscure, unclear; night",pictophonetic,sun -晨,"dawn, early morning",pictophonetic,sun -晬,a child's first birthday,pictophonetic,sun -普,"widespread, universal, general",ideographic,Everyone 並 under the sun 日 -景,"scenery, view; conditions, circumstances",ideographic,The sun 日 rising over a city 京; 京 also provides the pronunciation -晰,"clear, evident",pictophonetic,sun -晴,"clear weather, fine weather",pictophonetic,sun -晶,"crystal; bright, clear, radiant",ideographic,"Many suns 日, suggesting a bright and glittering gem" -晷,the sun's shadow; sundial; time,pictophonetic,sun -智,"wisdom, knowledge, intelligence",ideographic,Known 知 clearly 日; 知 also provides the pronunciation -暗,"dark, gloomy; obscure; secret, covert",pictophonetic,sun -晾,to air-dry; to sun-dry,pictophonetic,sun -暄,"warm, genial; comfortable",pictophonetic,sun -暆,declining (as of the sun),pictophonetic,sun -暇,"leisure, relaxation, spare time",pictophonetic,sun -晕,"dizzy, faint, foggy; to see stars",pictophonetic,sun -晖,"sunshine; light; bright, radiant",pictophonetic,sun -暋,"tough, strong, robust",ideographic,Strong 敃 sunlight 日; 敃 also provides the pronunciation -暌,"opposed to; separated, remote",pictophonetic,sun -暑,hot; heat; summer,pictophonetic,sun -暝,"dark, obscure",pictophonetic,sun -暠,"daybreak; brilliant, bright",pictophonetic,sun -皓,"bright, luminous; clear; hoary",pictophonetic,white -暡,twilight before dawn,pictophonetic,sun -畅,"freely, smoothly; unrestrained",pictophonetic,open -暨,"and; to reach, to attain; limits, confines",pictophonetic,dawn -暂,temporary,pictophonetic,sun -暮,"dusk, evening, sunset; ending",pictophonetic,sun -暴,"violent, brutal, tyrannical",ideographic,A man with head 日 and hands 共 tormenting a deer 水 -暹,"sunrise; to advance, to rise, to go forward",ideographic,The sun 日 moving 辶; 隹 provides the pronunciation -暾,"sunrise, the morning sun",pictophonetic,sun -晔,"bright, radiant; thriving",ideographic,A flower 华 blooming in the sun 日 -昙,"cloudy, overcast",ideographic,The sun 日 hidden behind a cloud 云 -晓,"dawn; clear, explicit, known",pictophonetic,sun -暧,"obscure, dim; ambiguous, vague",pictophonetic,sun -曙,"dawn, daybreak; the dawn of an era",pictophonetic,sun -曚,twilight before dawn,pictophonetic,sun -曛,twilight; sunset,pictophonetic,sun -曜,"bright, glorious; Venus",ideographic,A spectacular 翟 star 日; 翟 also provides the pronunciation -曝,"to air out, to expose to sunlight; to reveal",pictophonetic,sun -旷,"broad, vast, wide; empty",ideographic,A wide 广 plain under the sun 日; 广 also provides the pronunciation -叠,"pile; layer; to fold up; to repeat, to duplicate",ideographic,Clothes 叒 stacked on top of a drawer 冝 -曦,sunshine; early dawn,pictophonetic,sun -曩,ancient times; former; old,pictophonetic,sun -曰,to speak; to say,ideographic,Picture of an open 一 mouth 口 -曱,cockroach,pictophonetic, -曲,"crooked, bent; wrong, false",pictographic,A folded object 曰 -曳,"to tow, to pull, to drag",, -更,"more, further; to shift, to alternate; to modify",, -曷,"what, why, where, which, how",ideographic,Variant of 何 -书,"book, letter, document; writing",ideographic,A mark made by a pen ⺺ -曹,"ministers, officials; a company; surname",, -曼,"long, extended, vast; beautiful",ideographic,"Two hands 日, 又 pulling an eye open 罒" -曾,"already, formerly, once; the past",ideographic,"A rice cooker on heat 日, building up steam 丷 and letting it off" -替,"to change, to replace, to substitute for",ideographic,One man 夫 replacing another; 日 provides the pronunciation -朁,"if, supposing, nevertheless",, -会,"to assemble, to meet; meeting; association, group",ideographic,People 人 speaking 云 -月,moon; month,pictographic,A crescent moon -有,"to have, to own, to possess; to exist",pictophonetic, -朊,protein,pictophonetic,meat -朋,"friend, pal, acquaintance",ideographic,Two people 月 walking together -服,"clothes; to dress, to wear; to take medicine",ideographic,A person 卩 putting on 又 a coat 月 -朐,warm,pictophonetic,moon -朔,beginning; the first day of the lunar month,pictophonetic,moon -朕,"the royal ""we"", for imperial use",, -朗,"bright, clear, distinct",pictophonetic,moon -望,"to expect, to hope, to look forward to",ideographic,A king 王 gazing at the moon 月; 亡 provides the pronunciation -朝,"to face; direct, facing; dynasty; morning",pictophonetic,moon -期,"a period of time; date, time; phase",pictophonetic,moon -朦,"dim, obscure; the condition of the moon",pictophonetic,moon -胧,"blurry, obscured; the condition or appearance of the moon",pictophonetic,moon -木,"tree; wood, lumber; wooden",pictographic,A tree -未,not yet; 8th terrestrial branch,ideographic,A wheat plant that has not yet borne fruit; compare 來 -末,"end, final, last; insignificant",ideographic,The top 一 of a tree 木 -本,"root, origin, source; basis",ideographic,A tree 木 with its roots highlighted -朮,"skill, art; method, technique; trick",ideographic,Variant of 术 -朱,"cinnabar, vermilion; surname",ideographic,The color of the sap 一 of some trees 木 -朴,"plain, simple; sincere; surname",pictophonetic,tree -朵,cluster of flowers; earlobe; an item on both sides,ideographic,Flowers 几 blooming on a tree 木 -朽,"decayed, rotten",ideographic,The wood of a dying 丂 tree 木 -朿,"thorn, sting, prickle; to stab; to assassinate",, -杆,"cane, pole, stick",pictophonetic,wood -杈,pitchfork; tree fork,ideographic,Where two branches 木 fork 叉; 叉 also provides the pronunciation -杉,various species of pine and fir,pictophonetic,tree -杌,tree stump; square stool; sterility,ideographic,A tree 木 stump 兀; 兀 also provides the pronunciation -李,plum; luggage; surname,pictophonetic,wood -杏,apricot; almond,ideographic,"A open mouth 口, waiting for fruit to fall from the tree 木" -材,"timber; material, stuff; talent",pictophonetic,wood -村,"village, hamlet; vulgar, uncouth",pictophonetic,tree -杓,"wooden cup, ladle, or spoon",ideographic,A wooden 木 spoon 勺 -杖,"cane, walking stick",pictophonetic,wood -杜,"to prevent, to restrict, to stop; surname",pictophonetic,tree -杞,"willow, medlar tree; a small feudal state",pictophonetic,tree -束,"to bind, to control, to restrain; bale",ideographic,Lumber 木 bound by rope 口 -杠,"pole, bar; lever, crowbar",ideographic,A wooden 木 lever 工; 工 also provides the pronunciation -杪,"twig, branch tip; the top of a tree",ideographic,The tip 少 of a branch 木; 少 also provides the pronunciation -杭,ford; surname,pictophonetic,tree -杯,"cup, glass; measure word for liquids",pictophonetic,tree -东,"east, eastern, eastward",pictographic,"Simplified form of 東, the sun 日 rising behind a tree 木" -杲,"brilliant, shining; high",ideographic,The sun 日 rising over the woods 木 -杳,"dark, mysterious, obscure; deep",ideographic,The sun 日 setting below the woods 木 -杵,pestle; to grind,pictophonetic,wood -杷,loquat tree; axe handle,pictophonetic,tree -杼,"scrub oak; long, narrow, thin; sewing shuttle",pictophonetic,tree -松,pine tree; fir tree,pictophonetic,tree -板,"board, plank; plate, slab; unnatural, stiff",pictophonetic,wood -枇,loquat tree,pictophonetic,tree -枉,"useless, in vain; crooked, bent",pictophonetic,wood -枋,sandalwood; lumber,ideographic,A square 方 log 木; 方 also provides the pronunciation -楠,Machilus nanmu,pictophonetic,tree -析,"to split wood; to divide, to break apart",ideographic,Chopping 斤 wood 木; 斤 also provides the pronunciation -枒,"coconut tree; edge, rim",pictophonetic,tree -枓,"capital, base; a pedestal for a flag",pictophonetic,wood -枕,pillow,pictophonetic,wood -林,"forest, grove; surname",ideographic,Two trees 木 representing a forest -枘,a handle for a tool,pictophonetic,wood -枚,"the stalk of a shrub, the trunk of a tree",pictophonetic,tree -果,"fruit, nut; result",ideographic,Fruit 田 growing on a tree 木 -枝,"branches, limbs; to branch off",pictophonetic,tree -枯,"dried out, withered, decayed",ideographic,An old 古 tree 木; 古 also provides the pronunciation -枰,smooth board; chessboard; chess,ideographic,A flat 平 piece of wood 木; 平 also provides the pronunciation -枳,trifoliate orange; hedge thorn,pictophonetic,tree -枵,empty; a hollow tree stump,pictophonetic,tree -架,"frame, rack, stand; to prop up",pictophonetic,wood -枷,"the stocks, a cangue scaffold",pictophonetic,wood -枸,a kind of aspen found in Sichuan,pictophonetic,tree -柁,the main beam of a house,pictophonetic,wood -柃,Eurya japonica,pictophonetic,tree -柄,"handle, lever, knob; authority",pictophonetic,tree -柊,holly,ideographic,A winter 冬 tree 木; 冬 also provides the pronunciation -柏,"cypress, cedar",pictophonetic,tree -某,"some, someone; a certain thing or person",ideographic,The sweet 甘 fruit of a certain tree 木 -柑,"tangerine, loose-skinned orange",ideographic,A tree 木 bearing sweet fruit 甘; 甘 also provides the pronunciation -柒,seven (bankers' anti-fraud numeral),ideographic,Seven 七 with accents to prevent forgery  -染,dye; to catch; to infect; to be contagious,ideographic,Water 氵 and wine 九 mixed in a wooden 木 bowl -柔,"soft, supple; gentle; flexible",ideographic,Wood 木 so soft it can be cut 矛 -柘,"cudrania, mulberry; sugarcane",pictophonetic,tree -柙,a cage or pen for wild animals,pictophonetic,wood -柚,"grapefruit, pomelo",pictophonetic,tree -柜,"cabinet, cupboard, wardrobe; shop counter",pictophonetic,wood -柝,a watchman's rattle,, -柞,"beech, oak; evergreen; to clear away trees",pictophonetic,tree -柢,"root, base",pictophonetic,tree -查,"to investigate, to examine, to look into",, -柩,"bier, coffin",ideographic,A wooden 木 coffin 匛; 匛 also provides the pronunciation -柬,"card, letter, invitation, note",ideographic,A bound 束 package -柯,"axe-handle, bough, stalk; surname",pictophonetic,wood -柰,"crab-apple tree; to endure, to bear",pictophonetic,tree -柱,"to lean on; pillar, post, support",pictophonetic,tree -柳,willow tree; pleasure; surname,pictophonetic,tree -柴,"firewood, faggots, fuel; surname",pictophonetic,wood -栅,"fence, grid, palisade",ideographic,A fence 册 made of wood 木; 册 also provides the pronunciation -柿,persimmon,pictophonetic,tree -栓,"cork, peg, stopper",pictophonetic,wood -栝,a builder's frame for measuring,pictophonetic,tree -校,school; military field officer,pictophonetic,wood -栩,"oak tree; pleased, glad",pictophonetic,tree -株,"root, stump; measure word for trees",pictophonetic,tree -筏,raft,pictophonetic,bamboo -栱,"stake, post; pillar; peg",pictophonetic,wood -栲,mangrove,pictophonetic,tree -栳,basket,pictophonetic,wood -栴,sandalwood,pictophonetic,tree -核,"core, kernel; nut, seed; atom",pictophonetic,tree -根,"root, basis, foundation",pictophonetic,tree -格,"form, pattern, standard",pictophonetic,wood -栽,"to cultivate, to plant, to tend",pictophonetic,tree -桀,chicken roost; ancient emperor,pictophonetic,tree -桁,the cross-beams of a roof,pictophonetic,wood -桂,"cassia, cinnamon",pictophonetic,tree -桃,peach; marriage; surname,pictophonetic,tree -桄,coir-palm; ladder rung,pictophonetic,tree -桅,a ship's mast,pictophonetic,wood -框,door; frame,pictophonetic,wood -案,"file, legal case; bench, table",pictophonetic,wood -桉,eucalyptus,pictophonetic,tree -桌,"table, stand, desk, counter",, -桎,"shackles, fetters, handcuffs",pictophonetic,wood -桐,"Chinese wood-oil tree, Vernicia fordii",pictophonetic,tree -桑,mulberry tree; surname,ideographic,A tree 木 bearing berries 叒 -桓,variety of tree; surname,pictophonetic,tree -桔,"orange, tangerine",pictophonetic,tree -桕,tallow tree,pictophonetic,tree -桫,horse chestnut,pictophonetic,tree -桲,quince,pictophonetic,tree -桴,"beam, rafter",pictophonetic,wood -桶,"bucket, pail, tub; can, cask, keg",pictophonetic,wood -桷,rafter; Malus toringo,pictophonetic,tree -梁,"bridge; beam, rafter; surname",ideographic,A wooden 木 bridge built 刅 over a river 氵 -梃,"stalk, wooden club; straight",pictophonetic,wood -梅,plum; prune; surname,pictophonetic,tree -梆,a watchman's rattle,pictophonetic,wood -梏,"handcuffs, manacles; fetters",pictophonetic,wood -梓,Catalpa ovata,pictophonetic,tree -栀,jasmine; Gardenia,pictophonetic,tree -梗,"stem, branch; to hinder, to block",pictophonetic,tree -枧,"spout, bamboo tube; wooden peg",pictophonetic,tree -条,"clause, condition; string, stripe",, -枭,owl; evil; brave,ideographic,A bird 鸟 roosting in a tree 木 -梢,the tip of a branch; rudder,pictophonetic,tree -梣,Chinese ash,pictophonetic,tree -梧,"Chinese parasol tree, Sterculia platanifolia",pictophonetic,tree -梨,pear; opera,pictophonetic,tree -梭,a weaver's shuttle; to go back and forth,pictophonetic,wood -梯,"ladder, steps, stairs",pictophonetic,wood -械,weapons; tools; instruments,pictophonetic,wood -梳,"brush, comb",pictophonetic,wood -梵,"Buddhist, Sanskrit",pictophonetic,forest -弃,"to abandon, to discard, to reject; to desert; to forget",ideographic,"Two hands 廾 discarding a dead, swaddled baby 亠厶" -棉,cotton; cotton-padded,ideographic,Silk 帛 picked off a tree 木 -棋,chess; any strategy game,pictophonetic,wood -棍,"stick, cudgel; scoundrel",pictophonetic,wood -棒,"stick, club; strong, smart; to hit",pictophonetic,wood -棕,hemp palm; palm tree,pictophonetic,tree -枨,"jamb, door stop; to touch",pictophonetic,wood -枣,"date tree; dates, jujubes; surname",ideographic,Dates ⺀ falling off a tree 朿 -棘,"jujube tree; thorns, brambles",pictophonetic,thorn -棚,"shack, shed; tent, awning",pictophonetic,wood -栋,ridge-beam; the main support of a house,pictophonetic,wood -棠,crabapple tree; wild plum,pictophonetic,tree -棣,cherry; Kerria japonica,pictophonetic,tree -栈,"warehouse; tavern, inn",pictophonetic,wood -森,forest; luxuriant vegetation,ideographic,Many trees 木 forming a forest -棰,"to whip, to flog",pictophonetic,wood -棱,"squared timber; angle, corner, edge",pictophonetic,wood -栖,"perch, roost, to stay",pictophonetic,tree -棵,measure word for trees,pictophonetic,tree -梾,dogwood; Cornus macrophylla,pictophonetic,tree -棹,oar; boat,pictophonetic,wood -棺,coffin,pictophonetic,wood -棻,sandalwood,pictophonetic,tree -棼,"rafters; disordered, confused",pictophonetic,forest -椅,"chair, seat",pictophonetic,wood -椆,a species of tree resistant to cold weather,pictophonetic,tree -椋,fruit,pictophonetic,tree -植,"tree, plant; to grow",pictophonetic,tree -椎,"spine, vertebra; hammer, mallet",pictophonetic,wood -桠,tree fork,pictophonetic,tree -椐,Zelkowa acuminata,pictophonetic,tree -椒,"pepper, spice",pictophonetic,tree -碇,anchor,pictophonetic,rock -椥,,pictophonetic,tree -椪,"Machilus nanmu, a variety of evergreen",pictophonetic,tree -椰,"palm tree, coconut tree",pictophonetic,tree -椴,"aspen, poplar",pictophonetic,tree -缄,"to seal, to close, to bind; a letter",pictophonetic,silk -椹,chopping board,pictophonetic,wood -椽,"beams, rafters, supports",pictophonetic,wood -笺,"note, memo, letter; stationery; comments",pictophonetic,bamboo -椿,Chinese toon tree; father (poetic),pictophonetic,tree -楂,"raft; to hew, to fell trees",pictophonetic,wood -杨,"willow, poplar, aspen; surname",pictophonetic,tree -枫,maple tree,pictophonetic,tree -楔,"to wedge; wedge, gatepost; forward",pictophonetic,wood -楗,"latch, crossbar",pictophonetic,wood -楙,Cydonia japonica; lush,pictophonetic,tree -楚,"clear, distinct; pain, suffering; surname",, -楛,"coarse, crude; a kind of plant",ideographic,A bitter 苦 plant 木; 苦 also provides the pronunciation -楝,Melia japonica,pictophonetic,tree -楞,used for Ceylon in Buddhist texts,pictophonetic,tree -楣,crossbar; lintel,pictophonetic,wood -楦,shoe last; to stretch a shoe; to turn a lathe,pictophonetic,wood -桢,"hardwood; posts, supports",pictophonetic,tree -楫,"paddle, oar",pictophonetic,wood -业,"business, profession; to study, to work",, -楮,mulberry; paper,pictophonetic,tree -极,"extreme, top; final, furthest, utmost; pole",pictophonetic,wood -楷,the normal style of Chinese handwriting,ideographic,The script 木 used by commoners 皆 -楸,Mallotus japonicus,pictophonetic,tree -楹,"pillar, column",pictophonetic,wood -榀,,pictophonetic,wood -概,"generally, probably, approximately",pictophonetic,tree -榆,elm tree,pictophonetic,tree -榔,betel-nut tree,pictophonetic,tree -榕,banyan tree,pictophonetic,tree -矩,"carpenter's square, ruler, rule",pictophonetic,arrow -榛,"hazelnut; thicket, underbrush",pictophonetic,tree -搒,pole; beat,, -榜,"placard, notice, announcement; a list of names",ideographic,A sign posted 旁 on a tree 木; 旁 also provides the pronunciation -榧,a type of yew tree,pictophonetic,tree -杩,headboard,pictophonetic,tree -榫,mortise and tenon; to fit into,pictophonetic,wood -榭,"pavilion, kiosk",pictophonetic,wood -荣,"glory, honor; to flourish, to prosper",ideographic,Grass 艹 and trees 木 flourishing in a garden 冖 -榱,rafter,pictophonetic,wood -榅,pillar; conifer; Cryptomeria,pictophonetic,tree -榴,pomegranate,pictophonetic,tree -榷,"footbridge; levy, toll; monopoly",pictophonetic,wood -榻,"bed, cot, couch",ideographic,A bed of wood 木 and feathers 羽 to sleep in at night 日 -桤,alder,pictophonetic,tree -槁,"to wither; withered, rotten, dead",pictophonetic,tree -槃,"tray; to rotate, to turn; to search",pictophonetic,wood -槊,"spear, lance",pictophonetic,wood -槌,"hammer, mallet; to beat, to strike",pictophonetic,wood -枪,"gun, rife; lance, spear",pictophonetic,wood -槎,"raft; time, occasion; to hew",pictophonetic,wood -槐,locust tree,pictophonetic,tree -槔,pulley,pictophonetic,wood -槜,white plum,pictophonetic,tree -梿,flail; to thresh,pictophonetic,wood -椠,wooden tablet; edition,pictophonetic,wood -椁,outer-coffin; vault,pictophonetic,wood -槭,maple tree,pictophonetic,tree -槲,a type of oak tree,pictophonetic,tree -桨,"paddle, oar",pictophonetic,wood -槺,"warehouse, large room",pictophonetic,wood -规,"rules, regulations, customs, law",pictophonetic,observe -槽,"trough, manger; vat, tank; distillery",pictophonetic,wood -槿,hibiscus,pictophonetic,tree -桩,"stake, post; matter, affair",pictophonetic,wood -乐,"cheerful, happy, laughing; music",ideographic,"Simplified form of 樂, a musical instrument with wood 木, strings 幺, and a pick 白" -枞,fir tree,pictophonetic,wood -樆,"rowan, mountain ash",pictophonetic,tree -樊,"railing, fence, enclosed place",pictophonetic,big -楼,multi-story building; floor,pictophonetic,wood -樗,"Ailanthus tree; a kind of small tree, useless for timber",pictophonetic,tree -樘,"pillar, post, door frame",pictophonetic,tree -标,"mark, sign, symbol; bid, prize",pictophonetic,wood -樛,bent limbs or branches; to hang down,ideographic,Branches 木 bowing in the wind 翏; 翏 also provides the pronunciation -枢,door hinge; pivot; center of power,pictophonetic,tree -樟,camphor tree,pictophonetic,tree -模,"model, pattern, standard; to copy, to imitate",pictophonetic,tree -样,"form, pattern, shape, style",pictophonetic,tree -樨,sweet olive; scrambled eggs,pictophonetic,tree -樵,firewood; lumberjack; to gather wood,ideographic,Wood 木 for burning 焦; 焦 also provides the pronunciation -树,"tree; to plant; to set up, to establish",pictophonetic,tree -桦,a type of birch tree,pictophonetic,tree -樽,"goblet, jar, jug; lush, drunk",ideographic,A hand 寸 raising a wooden 木 wine jar 酉; 尊 also provides the pronunciation -樾,the shade of a tree,pictophonetic,tree -橄,olive,pictophonetic,tree -橇,a sledge for transportation,pictophonetic,wood -桡,"radius, forearm; a bent or twisted piece of wood",pictophonetic,wood -桥,"bridge; beam, crosspiece",pictophonetic,wood -橐,"bag, sack; a hollow tub open at both ends",, -橘,"orange, tangerine",pictophonetic,tree -橙,orange,pictophonetic,tree -橛,"stake, post; axle",pictophonetic,wood -机,"desk; machine; moment, opportunity",ideographic,A table 几 made of wood 木; 几 also provides the pronunciation -橡,chestnut oak; rubber tree; rubber,pictophonetic,tree -椭,"elliptical, oval-shaped; tubular",pictophonetic,wood -蕊,flower bud,pictophonetic,plant -横,"horizontal, across; unreasonable, harsh",pictophonetic,tree -橾,the axle hole in the center of a wheel (archaic),pictophonetic,wood -檀,"sandalwood, hardwood; surname",pictophonetic,tree -檩,"cross-beam, ridge-pole; ship's hatch",pictophonetic,wood -檃,a tool used to sharpen wood,pictophonetic,wood -檄,"to order, to dispatch; urgency, a call to arms",, -柽,"willow, tamarisk",pictophonetic,tree -檎,a small red apple,pictophonetic,tree -檐,"the eaves of a house; edge, brim",pictophonetic,wood -檑,a log trap used to defend a city,ideographic,A thundering 雷 log 木 trap ; 雷 also provides the pronunciation -档,"shelve, frame; files, records; grade, level",pictophonetic,wood -檗,tree,pictophonetic,tree -桧,"Chinese cypress, Chinese juniper",pictophonetic,tree -檠,lamp stand; bow frame,pictophonetic,wood -检,"to check, to examine, to inspect",pictophonetic,wood -樯,"mast, boom, yard-arm",pictophonetic,wood -檫,Sassafras tzumu,pictophonetic,tree -檬,a type of locust tree,pictophonetic,tree -梼,"wood block; idiot, blockhead",pictophonetic,wood -槟,"betel-nut, areca nut",pictophonetic,tree -檵,fringe flower; wolfberry shrub,pictophonetic,tree -柠,lemon,pictophonetic,tree -槛,"threshold, door frame",pictophonetic,wood -櫆,"Polaris, the north star",pictophonetic,star -榈,palm tree,pictophonetic,tree -栉,"comb; to comb out, to eliminate, to weed out",ideographic,A wooden 木 comb 节; 节 also provides the pronunciation -椟,"cabinet, closet, wardrobe",pictophonetic,wood -橼,citrus,pictophonetic,tree -栎,chestnut-leaved oak,pictophonetic,tree -橱,"cabinet, cupboard, wardrobe",ideographic,A wooden 木 cabinet 厨; 厨 also provides the pronunciation -槠,oak tree,pictophonetic,tree -栌,sumac; loquat; the capital of a column,pictophonetic,tree -枥,oak tree; a stable,pictophonetic,tree -橥,"a wooden peg, post, or stick",pictophonetic,wood -榇,coffin; tung tree,pictophonetic,wood -蘖,"stump, sprout",pictophonetic,tree -栊,"cage, pen; grating",pictophonetic,wood -榉,a type of elm tree,pictophonetic,tree -棂,carved or patterned window sills,pictophonetic,wood -樱,"cherry, cherry blossom",pictophonetic,tree -栏,"fence, railing, balustrade",pictophonetic,wood -权,"authority, power, right",pictophonetic,wood -椤,tree; tree fern,pictophonetic,tree -栾,varnish tree; surname,pictophonetic,tree -榄,olive,pictophonetic,tree -郁,melancholy; dense growth,pictophonetic,city -欠,"to lack, to owe; to breathe, to yawn",ideographic,A man 人 yawning ⺈ -次,"order, sequence; second, next; one after the other",ideographic,A person 欠 yawning multiple times 冫 -欣,"delighted, happy, joyous",pictophonetic,lack -欶,"to suck, to drink",pictophonetic,yawn -欷,to sigh; to sob,pictophonetic,yawn -欸,sigh; an exclamatory sound,, -欹,pleading interjection,pictophonetic,lack -欺,"to cheat, to double-cross, to deceive",pictophonetic,lack -欻,"sudden, abrupt",ideographic,To fan 欠 flames 炎; 欠 also provides the pronunciation -钦,"to respect, to admire; royal",pictophonetic,gold -款,"funds, payment; item, article",pictophonetic,owe -欿,"sad, gloomy, discontent",pictophonetic,pit -歃,to drink to an oath,pictophonetic,breathe -歆,"to like, to admire; willingly, gladly",pictophonetic,lack -歇,"to stop, to rest, to lodge",pictophonetic,yawn -歉,"deficient, lacking; to apologize, to regret, to be sorry",pictophonetic,lack -歌,"song, lyrics; to sing, to chant",pictophonetic,breath -欧,"Europe, ohm; surname",, -歔,"to snort, to blow through the nose",pictophonetic,breathe -歙,to suck; the name of a district in Anhui,pictophonetic,breathe -歛,"to fold back, to draw back; to collect",pictophonetic,lack -欤,"final particle indicating doubt, surprise, or a question",pictophonetic,lack -止,"to stop, to halt; to detain; to desist",pictographic,A foot -正,"straight, right, proper, correct, just, true",ideographic,A foot 止 stopping in the right place 一 -此,"this, these; in this case, then",pictophonetic,sitting man -步,"walk, stroll, pace, march; to make progress",ideographic,Modern form of 歨; putting one foot 止 in front of the other -武,"military; martial, warlike",ideographic,To stop someone 止 with an arrow 弋 -歧,"to diverge, to fork; a branch; a side road",pictophonetic,stop -歨,Old variant of 步,ideographic,Putting one foot 止 in front of the other -歪,"slanted, askew, awry",ideographic,Not 不 straight 正 -歰,"to argue, to disagree, to wrangle",ideographic,Two people 止 exchanging sharp words 刃 -归,"to return, to go back; to return to, to revert",ideographic,Simplified form of 歸; a wife 帚 returning home; 追 provides the pronunciation -歹,"corpse; death; evil, depraved, wicked",pictographic,A corpse -歺,"evil, depraved, wicked",ideographic,A corpse; compare 歹 -死,"dead; death; impassable, inflexible",ideographic,A person kneeling 匕 before a corpse 歹 -殁,dead; to die,pictophonetic,death -殂,dead; to die,pictophonetic,death -殃,"misfortune, disaster, calamity",pictophonetic,death -殄,to end; to exterminate,pictophonetic,death -殆,"almost, probably; danger, peril; to endanger",pictophonetic,death -殉,martyr; to die for a cause,pictophonetic,death -殊,"different, special, unusual",pictophonetic,depraved -殍,to starve to death,pictophonetic,death -殖,"to breed, to spawn; to grow, to prosper",pictophonetic,corpse -殗,sickness; repeated,pictophonetic,death -残,"to injure, to ruin, to spoil; cruel, oppressive, savage; disabled, incomplete",pictophonetic,death -殛,to put to death; to imprison for life,pictophonetic,death -殒,"to die, to fall, to perish, to vanish",pictophonetic,death -殇,to die young; national mourning,pictophonetic,death -殪,"to die, to kill, to exterminate",pictophonetic,death -殚,"utmost, entirely, quite; to use up",pictophonetic,death -殓,to dress a corpse for burial,pictophonetic,corpse -殡,"funeral; to enbalm, to inter",pictophonetic,corpse -歼,"to annihilate, to kill off, to wipe out",ideographic,A thousand 千 corpses 歹; 千 also provides the pronunciation -殳,"tool, weapon",ideographic,A hand 又 holding a weapon 几 -段,"section, piece, division",ideographic,A hand using a chisel 殳 to cut stone -殷,"many, great; abundant, flourishing",ideographic,A midwife 殳 to helping a pregnant woman 㐆; 㐆 also provides the pronunciation -殸,stone chimes,ideographic,A musical 声 instrument 殳; 声 also provides the pronunciation -殹,an echo,pictophonetic,tool -杀,"to kill, to murder, to slaughter; to hurt",ideographic,To kill 乂 someone and bury them in a coffin 木 -壳,"casing, husk, shell",ideographic,A shell discarded 冗 by a soldier 士 -淆,"confused, mixed up, in disarray",pictophonetic,water -肴,cooked or prepared meat,pictophonetic,meat -殿,hall; palace; temple,, -毁,"to damage, to ruin; to defame, to slander",ideographic,A man using a tool 殳 to strike 工 a clay vessel 臼 -毅,"decisive, firm, resolute",pictophonetic,tool -殴,"to hit, to beat, to fight with fists",pictophonetic,weapon -毋,not; do not; surname,, -毌,old form of 貫,, -母,mother; female elders; female,ideographic,A mother's breasts -每,"each, every",pictophonetic, -毒,"poison, venom; drug, narcotic",pictophonetic,a poisonous plant -毓,to give birth to; to raise; to educate,pictophonetic,mother -比,"to compare, liken; comparison; than",ideographic,Two spoons 匕 side-by-side; 匕 also provides the pronunciation -毖,"caution; to guard against, to take care",pictophonetic,compare -毗,"to aid, to help; to adjoin, to connect",pictophonetic,field -毚,greedy; cunning,ideographic,Eating two whole rabbits 㲋 and 兔 -毛,"hair, fur, feathers; coarse",, -毪,serge (fabric) from Tibet,pictophonetic,fur -毫,fine hair; measure of length; one-thousandth,pictophonetic,hair -毯,"rug, carpet, blanket",pictophonetic,fur -毳,fine hair or fur on animals,ideographic,Many fine hairs 毛 forming a pelt -毹,"blanket, rug",pictophonetic,fur -毽,a shuttlecock,pictophonetic,feathers -毵,long feathers; scraggy,pictophonetic,feathers -牦,"tail, hair; yak",ideographic,The fur 毛 of an ox 牛; 毛 also provides the pronunciation -氅,overcoat; down feathers,pictophonetic,fur -氆,thick rough serge from Tibet,pictophonetic,fur -毡,"felt; rug, carpet",pictophonetic,fur -氇,thick rough serge from Tibet,pictophonetic,fur -氍,fine woolen cloth; prayer mat,pictophonetic,fur -氏,"clan, family; maiden name",ideographic,A person bowing down -氐,the name of an ancient tribe,pictophonetic,clan -民,"citizens, subjects; a nation's people",ideographic,"An eye 巳 pierced by a dagger 戈, an old mark of slavery" -氓,"people, subjects, vassals",pictophonetic,citizens -氕,protium,pictophonetic,gas -氖,neon,pictophonetic,gas -氘,deuterium,pictophonetic,gas -氙,xenon,pictophonetic,gas -氚,tritium,pictophonetic,gas -氛,air; atmosphere,pictophonetic,air -氜,helium,ideographic,The gas 气 that comprises the sun 日 -氟,fluorine,pictophonetic,gas -氡,radon,pictophonetic,gas -气,"air, gas; steam, vapor; anger",ideographic,A person 亻 breathing air -氤,"fog, mist",pictophonetic,gas -氦,helium,pictophonetic,gas -氧,oxygen,pictophonetic,gas -氨,ammonia,pictophonetic,gas -氪,krypton,pictophonetic,gas -氢,ammonia,pictophonetic,gas -氩,argon,pictophonetic,gas -氮,nitrogen,pictophonetic,gas -氯,chlorine,pictophonetic,gas -氰,cyanogen; ethane dinitrile,pictophonetic,gas -氲,prosperity; the breath of life; the spirit of harmony,pictophonetic,air -水,"water, liquid, lotion, juice",pictographic,A river running between two banks; compare 川 -氵,water,, -永,"long; perpetual, eternal; forever",, -氹,ditch; pool,ideographic,A furrow 乙 filled with water 水 -氺,,ideographic,A river running between two banks; compare 川 and 水 -氽,to float; to deep-fry,pictophonetic,water -泛,"to drift, to float; broad, vast; careless, reckless",pictophonetic,water -氿,spring,pictophonetic,water -汀,"bank, sandbar; beach, shore",pictophonetic,water -汁,"juice, liquor, fluid; sap; gravy, sauce",pictophonetic,water -求,"to seek; to request, to demand; to beseech, to beg for",, -汆,to parboil; to boil; a kettle of hot water,pictophonetic,water -汊,a branching stream,ideographic,A stream 氵 that forks 叉; 叉 also provides the pronunciation -汐,"night tide, evening ebb tide",ideographic,The evening 夕 tide 氵; 夕 also provides the pronunciation -汔,nearby,pictophonetic,water -汕,bamboo; basket for catching fish; Shantou,pictophonetic,water -汗,"perspiration, sweat",pictophonetic,water -污,"filthy, dirty; polluted, impure",pictophonetic,water -汛,"high water, flood tides",pictophonetic,water -汜,a stream which forks and then rejoins the main branch,pictophonetic,water -汝,you,pictophonetic,water -汞,mercury (element),pictophonetic,water -江,large river; the Yangtze; surname,pictophonetic,water -池,"pool, pond; moat; cistern",pictophonetic,water -汧,marsh; to float; the name of a river in Shangdong,pictophonetic,water -汨,to sink; a river in Hunan where Qu Yuan drowned himself,pictophonetic,water -汩,"the sound of running water; to gurgle; confused, disorderly",ideographic,The sound 曰 of a stream 氵 -汪,"vast, extensive, deep; surname",pictophonetic,water -汰,"to eliminate, to scour, to wash out; excessive",pictophonetic,water -汲,to draw water at a well; to imbibe,pictophonetic,water -汴,a river in Henan; Henan province,pictophonetic,water -汶,a river in Shandong province,pictophonetic,water -决,"to decide, to determine, to judge",, -汽,"gasoline; steam, vapor",ideographic,Liquid 氵 gas 气; 气 also provides the pronunciation -汾,a river in Shanxi province,pictophonetic,water -沁,"to soak, to seep in, to percolate",pictophonetic,water -沂,a river in southeast Shandong,pictophonetic,water -沃,"to water, to irrigate; fertile, rich",pictophonetic,water -沅,a river in western Hunan,pictophonetic,water -沆,ferry; fog; to go with the flow,pictophonetic,water -沇,"flowing, engulfing, brimming",pictophonetic,water -沈,"to sink, to submerge; addicted; surname",pictophonetic,water -沉,"to sink, to submerge; profound, deep",ideographic,An excessive 冗 amount of water 氵 -沌,"chaotic, confused; murky, turbid",pictophonetic,water -沏,to infuse,pictophonetic,water -沐,"to bathe, to cleanse, to shampoo, to wash",pictophonetic,water -没,"not, none, gone; to bury; to sink, to drown",pictophonetic,water -沓,"connected, joined; repeated",, -沔,flood; overflowing,pictophonetic,water -冲,"wash, rinse, flush; dash; soar",pictophonetic,water -沙,"sand, gravel, pebbles; granulated",pictophonetic,water -沛,"abundant, copious, full",ideographic,"Circulating 巿 water 氵, representing a flood" -沫,"bubbles, foam, froth, suds",pictophonetic,water -沭,a river in Shantung province,pictophonetic,water -沮,"to stop, to prevent; dejected, defeated",pictophonetic,water -沱,"river, stream, waterway; to flow",pictophonetic,water -河,"river, stream; the Yellow river",pictophonetic,water -沸,"to boil, to bubble up, to gush",pictophonetic,water -油,"oil, fat, grease, lard; oil paints",pictophonetic,water -治,"to administer, to govern, to regulate",ideographic,A structure 台 that directs the flow of water 氵 -沼,"lake, pond, swamp",pictophonetic,water -沽,to buy and sell; of inferior quality,pictophonetic,water -沾,"to moisten, to soak, to wet; to touch",pictophonetic,water -沿,"to follow a course, to go along",pictophonetic,water -况,"condition, situation; furthermore",, -泄,"drip, leak, vent; to disperse; to reduce",pictophonetic,water -泅,"to float, to swim, to wade",pictophonetic,water -泆,"to overflow; licentious, libertine, dissipated",pictophonetic,water -泉,"spring, fountain; wealth, money",ideographic,Water 水 flowing from a spring 白 -泊,to anchor; to moor,pictophonetic,water -泌,"to seep out, to secrete",pictophonetic,water -泐,to write; mineral vein,ideographic,To deposit 氵 a new silt layer 阞; 阞 also provides the pronunciation -泓,a clear deep pool of water,ideographic,Expansive 弘 water 氵; 弘 also provides the pronunciation -泔,water from washing rice; thick gruel,ideographic,Sweet 甘 water 氵; 甘 also provides the pronunciation -泖,still water; a river in Jiangsu province,pictophonetic,water -泗,mucus; to sniffle; a river in Shandong province,pictophonetic,water -泙,to roar,pictophonetic,water -泠,"nice and cool, mild and comfortable",pictophonetic,water -泡,"bubble, blister; swollen, puffed up",pictophonetic,water -波,"waves, ripples, breakers; undulations",pictophonetic,water -泣,"to cry, to sob, to weep",pictophonetic,water -泥,"mud, earth, clay; plaster, paste",pictophonetic,water -注,"to concentrate, to focus",pictophonetic,water -泫,"to weep, to cry; to shine, to glisten",pictophonetic,water -泮,"Zhou dynasty school; to disperse, to fall apart",pictophonetic,water -泰,"great, exalted, superior; calm; big",ideographic,Water 氺 contained by a dam -泱,"great, expansive; agitated",pictophonetic,water -泳,"to swim, to dive",pictophonetic,water -泵,to pump,ideographic,To pull water 水 out of stone 石 -洄,backwater; an eddy a whirlpool,ideographic,Swirling 回 water 氵; 回 also provides the pronunciation -洇,"to soak; to blot, to splotch",pictophonetic,water -洋,"sea, ocean; western, foreign",pictophonetic,water -洌,"clear, pure; to cleanse",pictophonetic,water -洎,"when, until; to soak; soup",pictophonetic,water -洗,"to bathe, to rinse, to wash",pictophonetic,water -洙,a river in Shandong province,pictophonetic,water -洚,flood,pictophonetic,water -洛,a river in the Shanxi province; a city,pictophonetic,water -洞,"cave, grotto, hole, ravine",pictophonetic,water -洣,a river in Hunan province,pictophonetic,water -津,"saliva, sweat; ferry, ford",pictophonetic,water -洧,a river in Henan province,pictophonetic,water -洨,a river in Hebei province,pictophonetic,water -洪,"deluge, flood; immense, vast",ideographic,All 共 the water 氵; 共 also provides the pronunciation -洫,"moat, ditch",pictophonetic,water -洮,to cleanse; a river in Gansu province,pictophonetic,water -洱,a lake in Yunnan province,pictophonetic,water -洲,continent; island,ideographic,A state 州 surrounded by water 氵; 州 also provides the pronunciation -洳,"sdamp, boggy, marshy",pictophonetic,water -洵,"true, real; truly, really",pictophonetic,water -汹,"turbulent, torrential, restless",pictophonetic,water -洹,a river in Henan province,pictophonetic,water -活,"to exist, to live, to survive; living, working",pictophonetic,water -洼,"pit, hollow, depression; swamp",pictophonetic,water -洽,"to mix, to blend, to harmonize",ideographic,To combine 合 two solutions 氵 -派,"clique, faction, group, sect",, -流,"to flow, to drift, to circulate; class",pictophonetic,water -浙,the Zhejiang province; a river,pictophonetic,water -浚,to dredge,pictophonetic,water -浜,"creek, stream; beach, coast",pictophonetic,water -浞,"to soak, to steep in water",pictophonetic,water -浠,a river in Hubei province,pictophonetic,water -浣,"to wash, to rinse",pictophonetic,water -浦,"beach, shore, river bank; surname",pictophonetic,water -浩,"great, grand, vast",pictophonetic,water -浪,"breaker, wave; reckless, wasteful",pictophonetic,water -浮,"to drift, to float; mobile, temporary, unstable; reckless",pictophonetic,water -浯,a river in Shandong province,pictophonetic,water -浴,"to bathe, to shower, to wash",pictophonetic,water -海,"sea, ocean; maritime",pictophonetic,water -浸,"to dip, to immerse, to soak; to percolate, to steep",pictophonetic,water -浃,"to saturate, to drench; wet, damp",pictophonetic,water -浼,"to request, to ask a favor; to pollute, to contaminate",pictophonetic,water -浽,"drizzle, light rain",pictophonetic,water -涅,"to blacken; slime, black mud",pictophonetic,water -泾,a river in Gansu and Shaanxi,pictophonetic,water -消,"news, rumors; to die out, to melt away, to vanish",pictophonetic,water -涉,"sconcerned, involved; to experience; to wade through a stream",ideographic,To wade 步 through a stream 氵 -涌,"to surge up, to bubble up, to gush forth",pictophonetic,water -涑,a river in Shansi province,pictophonetic,water -涓,"brook, stream; pure; to select",pictophonetic,water -涔,to overflow; rainwater; a river in Shaanxi province,pictophonetic,water -涕,tears; mucus,pictophonetic,water -莅,"attend, be present; arrive at",ideographic,A place 位 where grass 艹 grows; 立 also provides the pronunciation -涪,a river in Sichuan province,pictophonetic,water -涫,to boil,pictophonetic,water -涮,to rinse; to boil or cook in juice,pictophonetic,water -涯,"border, horizon; river bank, shore",pictophonetic,water -液,"fluid, liquid; juice, sap",pictophonetic,water -涵,"to wet, to soak; to tolerate, to include lenient",pictophonetic,water -涸,"tired, exhausted; dried up",ideographic,To run out 氵 of strength 固; 固 also provides the pronunciation -凉,"cool, cold; disheartened",pictophonetic,ice -涿,"to trickle, to dribble, to drip",pictophonetic,water -淀,"marsh, swamp; sediment; to precipitate",pictophonetic,water -淄,a river in Shandong province,pictophonetic,water -淅,water used wash rice,pictophonetic,water -淇,a river in Henan province,pictophonetic,water -淋,"to drench, to drip, to soak; perfectly",pictophonetic,water -淌,"to trickle down, to flow, to drip; to shed tears",pictophonetic,water -淑,"good, pure, virtuous; charming",pictophonetic,water -淖,"mud, slush",pictophonetic,water -淘,"to dredge, to sieve; to cleanse, to weed out",pictophonetic,water -淙,the sound of water gurgling,pictophonetic,water -泪,"tears; to cry, to weep",ideographic,Water 氵 from the eyes 目 -淝,an affluent of the Poyang Lake,pictophonetic,water -淞,a river in Jiangsu province,pictophonetic,water -淠,luxuriant; water lily,pictophonetic,water -淡,"watery, dilute; insipid, tasteless",pictophonetic,water -淤,"mud, sediment; to clog up, to silt up",pictophonetic,water -渌,to strain,pictophonetic,water -淦,a river in Jiangxi province; water leaking into a boat,pictophonetic,water -淩,"to cross, to traverse, to pass through",pictophonetic,water -沦,"sunk, submerged; to perish, to be lost",pictophonetic,water -淫,"obscene, licentious, lewd, kinky",, -淬,"to soak, to dye; to temper, to change",pictophonetic,water -淮,a river in Anhui province,pictophonetic,water -淯,a river in Henan province,pictophonetic,water -淳,"simple, honest, genuine",pictophonetic,water -渊,"abyss, depth; to surge up, to bubble up",pictophonetic,water -涞,ripple; brook; a river in Hebei province,pictophonetic,water -混,"muddy, confused; to mix, to blend; to mingle",pictophonetic,water -淹,"to drown, to immerse, to steep",pictophonetic,water -浅,"shallow, superficial",pictophonetic,water -添,"to add, to append, to increase, to replenish",pictophonetic,water -淼,infinity; flooding; a wide expanse of water,ideographic,Water 水 everywhere -清,"clean, pure; clear, distinct; peaceful",pictophonetic,water -渖,"water, liquid, juice; to pour",pictophonetic,water -涣,scattered; to scatter,pictophonetic,water -渚,"islet, sandbar",pictophonetic,water -减,"to decrease, to subtract, to diminish",pictophonetic,ice -渝,to change; Chongqing,pictophonetic,water -渠,"ditch, gutter; canal, channel",ideographic,A ditch 洰 made of wood 木; 洰 also provides the pronunciation -渡,"to cross, to ferry over, to pass through",pictophonetic,water -渣,"dregs, sediment; refuse, slag",pictophonetic,water -渤,swelling; the Bohai sea,pictophonetic,water -渥,"to enrich, to dye; to moisten, to soak",pictophonetic,water -涡,"eddy, swirl, whirlpool",ideographic,A mouth 呙 made of water 氵 -渫,"to scatter, to disperse; high tide",pictophonetic,water -测,"to survey, to measure; to estimate, to conjecture",pictophonetic,water -渭,a river in Shanxi province,pictophonetic,water -港,"port, harbor, bay; Hong Kong",pictophonetic,water -渲,"to render; to exaggerate, to embellish, to add layers of color",pictophonetic,water -渴,"thirsty, parched; to yearn, to pine for",pictophonetic,water -游,"to wander, to travel, to tour, to roam",ideographic,To swim freely 斿 through the seas 氵 -渺,"vast, boundless",pictophonetic,water -浑,"blended, mixed; muddy, turbid",pictophonetic,water -湃,"turbulent, surging; the sound of waves crashing",pictophonetic,water -湄,"bank, coast, shore",pictophonetic,water -湉,flowing smoothly; calm water,ideographic,Calm 恬 water 氵; 恬 also provides the pronunciation -凑,"to piece together, to assemble",pictophonetic,ice -湍,"current, rapids",pictophonetic,water -湎,"drunk, flushed",ideographic,A man's face 面 after drinking 氵; 面 also provides the pronunciation -湓,an affluent of the Yangtze river,pictophonetic,water -湔,"to wash, to cleanse; to purge",pictophonetic,water -湖,"lake; Hubei, Hunan; bluish-green",pictophonetic,water -湘,Hunan province; the Xiangjiang river,pictophonetic,water -湛,"calm, clear, deep (as of a lake)",ideographic,A deep 甚 lake 氵; 甚 also provides the pronunciation -浈,a river in Guangdong province,pictophonetic,water -湟,river in Qinghai province,pictophonetic,water -湣,"confused, mixed; to pity",pictophonetic,water -湫,"marsh, swamp, small pond",pictophonetic,water -湮,to block up; to sink; to stain,ideographic,A dammed 垔 stream 氵; 垔 also provides the pronunciation -汤,"soup, gravy, broth; hot water",pictophonetic,water -湴,"mud, mire",pictophonetic,water -沩,a river in Shanxi province,pictophonetic,water -溉,"to water, to irrigate, to flood; to wash",pictophonetic,water -溏,"pool, pond; not hardened, semi-soft",pictophonetic,water -源,"spring; source, root, head; surname",pictophonetic,water -溘,"sudden, abrupt, unexpected",pictophonetic,water -溜,"to slip, to slide, to glide; slippery",pictophonetic,water -沟,"ditch, drain, gutter, narrow waterway",pictophonetic,water -溟,"drizzling rain; dark, obscure",ideographic,A gloomy 冥 rainy 氵 day -溢,full; overflowing,pictophonetic,water -溥,"big, great, vast; extensive, pervading, widespread",pictophonetic,water -溦,to drizzle,pictophonetic,water -溧,a river in Anhui and Jiangsu provinces,pictophonetic,water -溪,"brook, creek, stream",pictophonetic,water -温,"warm, lukewarm",pictophonetic,water -浉,a river in Henan province,pictophonetic,water -溯,"to paddle upstream, to go against the current; to trace the source; formerly",ideographic,To seek the source 朔 of a river 氵 -溱,a river in Henan province,pictophonetic,water -溲,"to urinate; to soak, to drench",pictophonetic,water -溴,bromine,ideographic,A noxious 臭 liquid 氵; 臭 also provides the pronunciation -溶,"to melt, to dissolve",pictophonetic,water -溷,"privy, latrine; turbid, dirty",ideographic,Water 氵 flowing through a pig-sty 圂; 圂 also provides the pronunciation -溺,"to spoil, to pamper, to indulge; to drown",pictophonetic,water -溻,wet,pictophonetic,water -湿,"wet, moist, humid, damp; illness",pictophonetic,water -溽,"moist; humid, muggy",pictophonetic,water -滁,a district in Anhui province,pictophonetic,water -滂,torrential; voluminous,pictophonetic,water -沧,"azure, cold, vast (all as of the sea)",pictophonetic,water -灭,to extinguish; to wipe out,ideographic,To cover 一 a flame 火 -滇,Yunnan province,pictophonetic,water -滊,saline pond; the name of a river,pictophonetic,water -滋,"to grow, to nourish; to multiply, to thrive",pictophonetic,water -涤,"to wash, to sweep; to purify, to cleanse",pictophonetic,water -荥,a county in Henan; the sound of waves crashing,pictophonetic,water -滏,a river in Hebei province,pictophonetic,water -滑,"to slip, to slide; slippery, polished",pictophonetic,water -滓,"sediment, lees, dregs",pictophonetic,water -滔,"torrential, rushing, overflowing",pictophonetic,water -滕,an ancient state in Shandong province,, -沪,Shanghai; the Shanghai river,pictophonetic,water -滞,"to block, to obstruct; sluggish, stagnant",pictophonetic,water -渗,"to seep, to permeate, to infiltrate",pictophonetic,water -滴,to drip; a drop of water,pictophonetic,water -卤,salt,pictographic,A container used to brine pickles -浒,"shore, river bank",pictophonetic,water -滹,the bank of a stream,pictophonetic,water -浐,a river in Shaanxi province,pictophonetic,water -滚,"to boil, to roll, to turn",pictophonetic,water -满,"to fill; full, packed; satisfied",pictophonetic,water -渔,fisherman; to fish; to pursue; to sieze,ideographic,To fish 鱼 in a river氵; 鱼 also provides the pronunciation -漂,"to drift, to float; to be tossed about; bleach",pictophonetic,water -漆,"varnish, lacquer; paint",ideographic,The sap 氵 of the varnish tree 桼; 桼 also provides the pronunciation -漉,"to filter, to strain; dripping, wet",pictophonetic,water -漏,"to leak, to drip; hour glass; funnel",ideographic,Water 氵 falling like raindrops 雨; 屚 provides the pronunciation -漓,dripping water; a river in Guangxi province,pictophonetic,water -演,"to perform, to act, to put on a play",pictophonetic,water -漕,"canal, watercourse; to transport by sea",pictophonetic,water -沤,"to soak, to steep; sodden, soaked",pictophonetic,water -漠,"desert; aloof, cool, indifferent",pictophonetic,water -汉,Chinese people; Chinese language,ideographic,Simplified form of 漢; the Han 𦰩 river 氵 -涟,flowing water; ripples; weeping,pictophonetic,water -漤,to marinate in salt,pictophonetic,water -漩,"eddy, whirlpool",ideographic,Swirling 旋 water 氵; 旋 also provides the pronunciation -漪,ripples; swirling water,pictophonetic,water -漫,inundating; exaggerated,pictophonetic,water -渍,"to soak, to steep; dye, stains; sodden",pictophonetic,water -漭,"vast, expansive",pictophonetic,water -漯,a river in northern Shandong,pictophonetic,water -漱,"to gargle, to rinse; to wash, to scour",ideographic,To gargle 欶 water 氵; 欶 also provides the pronunciation -涨,flood tide; to rise in price,pictophonetic,water -漳,a river in Henan province,pictophonetic,water -溆,a river in Hunan,pictophonetic,water -漶,indecipherable,pictophonetic,water -渐,gradually,pictophonetic,water -漼,to appear deep,ideographic,A deep 崔 pool 氵; 崔 also provides the pronunciation -漾,"to ripple, to undulate; to bob on the waves",pictophonetic,water -浆,"pulp, starch, syrup; a thick fluid",pictophonetic,water -颍,a river in Anhui,pictophonetic,water -泼,"to pour, to splash, to sprinkle, to water",ideographic,To send forth 发 water 氵 -洁,"clean, pure; to purify, to cleanse",pictophonetic,water -潘,a river that flows into the Han; surname,pictophonetic,water -潜,"to hide; secret, latent, hidden",pictophonetic,water -潞,a river in northern China,pictophonetic,water -潟,"salt marsh, scrubland",pictophonetic,water -潢,"pond, lake",pictophonetic,water -润,"fresh, moist; soft, sleek",pictophonetic,water -潦,"to flood; puddle; dejected, careless",pictophonetic,water -潭,"deep pool, lake; deep, profound",pictophonetic,water -潮,"tide, current; damp, moist, wet",pictophonetic,water -浔,steep river bank,pictophonetic,water -溃,"a flooding river; a military defeat; to break down, to disperse",pictophonetic,water -潲,to sprinkle; driving rain,ideographic,A little 稍 water 氵; 稍 also provides the pronunciation -滗,to drain,pictophonetic,water -潸,tearful; to weep,ideographic,Water 氵 falling from closed eyes 林 -潺,the sound of flowing water,pictophonetic,water -潼,"high, lofty; a mountain pass",pictophonetic,water -潽,to boil over,pictophonetic,water -涠,still water,pictophonetic,water -涩,"astringent, harsh, rough, uneven",ideographic,Water 氵 that cuts like a knife 刃; 止 provides the pronunciation -澄,"clear, limpid, pure",pictophonetic,water -浇,"to spray, to sprinkle, to water",pictophonetic,water -涝,"to inundate, to flood; torrent",pictophonetic,water -澈,"limpid, clear; thoroughly, completely",pictophonetic,water -澉,to wash; a place name,pictophonetic,water -澌,"to vanish, to disappear; to exhaust, to dry up",pictophonetic,water -澍,timely and life-giving rain,ideographic,Rain 氵 that saves 尌 the farm; 尌 also provides the pronunciation -澎,to splatter,pictophonetic,water -渑,the name of a river in Shandong,pictophonetic,water -澡,"to wash, to bathe",pictophonetic,water -泽,"marsh, swamp; brilliance, grace",pictophonetic,water -澥,gulf; a blocked stream,pictophonetic,water -澧,a river in northern Hunan,pictophonetic,water -浍,"ditch, trench, irrigation canal; river",pictophonetic,water -澳,"bay, cove, dock, inlet",pictophonetic,water -澶,"still water; tranquil, placid",pictophonetic,water -澹,"calm, quiet, tranquil",pictophonetic,water -激,"to arouse, to incite; acute, sharp; fierce, violent",pictophonetic,water -浊,"dirty, filthy, muddy, turbid",ideographic,A pond 氵 growing scum 虫 -濂,a waterfall; a river in Hunan,pictophonetic,water -浓,"concentrated, dense, strong, thick",pictophonetic,water -濉,the name of a river,pictophonetic,water -濊,"vast, expansive, deep; dirty",pictophonetic,water -泞,"mud, mire; muddy, stagnant",ideographic,Still 宁 water 氵; 宁 also provides the pronunciation -蒙,to cover; to deceive; Mongolia,pictophonetic,plant -濞,a county in Yunnan province,pictophonetic,water -济,"to aid, to help, to relieve; to ferry across",pictophonetic,water -濠,"ditch, trench, moat",pictophonetic,water -濡,"to moisten, to immerse; wet, damp",pictophonetic,water -涛,large waves,pictophonetic,water -滥,"to flood, to overflow; excessive",pictophonetic,water -濮,a county in Henan province,pictophonetic,water -濯,"to cleanse, to rinse, to wash out",pictophonetic,water -潍,a river in Shandong province,pictophonetic,water -滨,"beach, coast, river bank",pictophonetic,water -阔,"ample, broad, wide; separate; to be apart",pictophonetic,gate -溅,"to sprinkle, to spray, to splash, to spill",pictophonetic,water -泺,a river in Shandong province,pictophonetic,water -滤,"to filter, to strain",pictophonetic,water -滢,"clear, pure; glossy; lucid",ideographic,A sparkling 莹 lake 氵; 莹 also provides the pronunciation -渎,"ditch, sluice, gutter, drain",pictophonetic,water -泻,to leak; diarrhea,pictophonetic,water -浏,bright; clear; deep; swift,pictophonetic,water -瀑,"waterfall, cascade; heavy rain",ideographic,Violent 暴 water 氵; 暴 also provides the pronunciation -濒,"to approach; near, on the verge of",pictophonetic,water -泸,a river in Jiangxi province,pictophonetic,water -瀚,"wide, vast, extensive",pictophonetic,water -瀛,"ocean, sea",pictophonetic,water -沥,"trickle, drip, dregs; to strain",pictophonetic,water -潇,the sound of beating wind and rain,pictophonetic,water -潆,eddy; small river,ideographic,Water 氵 coiling 萦 on itself; 萦 also provides the pronunciation -瀣,"vapor, sea mist",pictophonetic,water -潴,"pond, pool",pictophonetic,water -泷,"raining; wet, soaked; rapids; a river in Guangdong",pictophonetic,water -濑,"current, rapids",pictophonetic,water -潋,"ripples, waves; to overflow",pictophonetic,water -瀵,the name of a river,pictophonetic,water -瀹,"to boil, to soak; to cleanse, to wash",pictophonetic,water -澜,"overflowing; ripples, waves",pictophonetic,water -沣,a river in Shanxi province,pictophonetic,water -滠,a river in Hubei province,pictophonetic,water -灌,"to water, to irrigate; to pour; to flood",pictophonetic,water -洒,"to pour, to spill; to scatter, to shed; to wipe away",pictophonetic,water -滩,"rapids; sandbar, shoal",ideographic,Difficult 难 waters 氵 to navigate; 难 also provides the pronunciation -灏,"vast, large, grand, expansive",pictophonetic,water -灞,a river in Shanxi province,pictophonetic,water -湾,"bay, cove, gulf, inlet",pictophonetic,water -滦,a county and river in Hebei province,pictophonetic,water -赣,Jiangxi province; places therein,pictophonetic,go -滟,"billowing, overflowing; wavy",ideographic,Curves 艳 in the water 氵; 艳 also provides the pronunciation -火,"fire, flame; to burn; anger, rage",pictographic,Flames -灬,fire,, -灰,"ashes; dust; lime, mortar",ideographic,The remains of a fire 火; 火 also provides the pronunciation -灶,"kitchen, oven, stove",ideographic,A clay 土 oven 火 -灸,to cauterize; moxibustion,pictophonetic,fire -灼,"to burn, to cauterize; bright",pictophonetic,fire -灾,"disaster, catastrophe, calamity",ideographic,A house 宀 on fire 火 -炅,"brilliant, shining",ideographic,A flame 火 as bright as the sun 日 -炆,"to simmer, to cook over a slow fire",pictophonetic,fire -炊,"meal; to cook, to steam",pictophonetic,fire -炎,"flame, blaze; hot",ideographic,Two fires 火 burning -炏,grass,pictographic,Two blades of grass; compare 艸 -炒,"to boil, to fry, to roast, to sauté; to trade stock",pictophonetic,fire -炔,acetylene,pictophonetic,fire -炙,"to roast, to broil; to cauterize",pictophonetic,fire -炤,"to illuminate, to light up; to reflect",pictophonetic,fire -照,"to shine, to reflect, to illuminate",pictophonetic,fire -炫,"to glitter, to shine; to show off, to flaunt",pictophonetic,fire -炬,torch,pictophonetic,fire -炭,"carbon, charcoal, coal",pictophonetic,ashes -炮,"cannon, artillery",pictophonetic,fire -炯,"bright, brilliant; clear; hot",pictophonetic,fire -炱,soot,pictophonetic,fire -炳,"bright, luminous; glorious",pictophonetic,fire -炷,candle wick; incense,ideographic,A lit 火 candle 主; 主 also provides the pronunciation -炸,to explode; to fry in oil; to scald,ideographic,A sudden 乍 flame 火; 乍 also provides the pronunciation -为,"to do, to act; to handle, to govern; to be",, -炻,"china, stoneware",ideographic,Fired 火 clay 石; 石 also provides the pronunciation -烀,"to simmer, to cook over a slow fire",pictophonetic,fire -烈,"fiery, violent; ardent, vehement",pictophonetic,fire -烊,to smelt; to close for the night,pictophonetic,fire -乌,"crow, rook, raven; black, dark",pictographic,Simplified form of 烏; a crow; compare 鸟 -烕,"to destroy, to exterminate, to extinguish",ideographic,To smother 戊 a flame 灭; 灭 also provides the pronunciation -烘,"to bake, to roast; to dry by the fire",pictophonetic,fire -烙,"to burn, to brand; hot iron",pictophonetic,fire -烜,sunlight; to dry in the sun,ideographic,To bake 火 in the sun 亘; 亘 also provides the pronunciation -烝,"to rise; steam; many, numerous",ideographic,Boiling 灬 water 氶 -烤,"to bake, to cook, to roast, to toast",pictophonetic,fire -烯,alkene,pictophonetic,fire -烃,hydrocarbon,pictophonetic,fire -烷,alkane,pictophonetic,fire -烹,"cooking, cuisine; stir-fry",pictophonetic,fire -烽,"beacon, signal fire",pictophonetic,fire -焉,"why? where? how?; strange; thereupon, then",ideographic,A bird 鳥 with a strange head -焊,"to solder, to weld",pictophonetic,fire -焌,"to ignite, to light",pictophonetic,fire -焐,to warm up,pictophonetic,fire -焓,"onomatopoetic, a fire sizzling",pictophonetic,fire -焗,"to bake, to roast; to suffocate; stuffy",pictophonetic,fire -焙,"to bake, to roast; to dry by the fire",pictophonetic,fire -焚,to burn,ideographic,Setting fire 火 to a forest 林 -无,"no, not; lacking, -less",, -焢,"anger, rage; slow-braised pork belly",pictophonetic,fire -焦,"burned, scorched; anxious, vexed",ideographic,A bird 隹 getting its tail singed 灬 -焯,to scald; to flash-boil vegetables,pictophonetic,fire -焰,"flame, blaze; glowing, blazing",pictophonetic,fire -焱,fierce flames; conflagration,ideographic,Many fires 火 burning -然,certainly; naturally; suddenly,pictophonetic,fire -煅,discipline; to forge metal; to hone a skill,pictophonetic,fire -煆,a raging fire; to forge; to work,pictophonetic,fire -炼,"to smelt, to refine; to distill, to condense",pictophonetic,fire -煊,warm,pictophonetic,fire -煌,"bright, shining, luminous",pictophonetic,fire -煎,to fry in fat or oil; to boil in water,pictophonetic,fire -煮,"to boil, to cook",pictophonetic,fire -炜,"brilliant, glowing, red",pictophonetic,fire -烟,"smoke, soot; opium; tobacco, cigarettes",pictophonetic,fire -煜,"brilliant, shining",ideographic,A dazzling 昱 flame 火; 昱 also provides the pronunciation -煞,"demon, fiend; baleful, noxious",, -茕,"alone, desolate; without friends or family",, -煤,"carbon, charcoal, coal, coke",pictophonetic,fire -焕,"shining, lustrous",pictophonetic,fire -煦,"kind, gentle, gracious",ideographic,A warm 昫 fire 灬; 昫 also provides the pronunciation -煨,"to simmer, to stew",pictophonetic,fire -烦,"to bother, to trouble, to vex",pictophonetic,fire -炀,"to scorch, to roast, to melt",pictophonetic,fire -煲,"to heat, to boil; saucepan",pictophonetic,fire -煳,burnt; to char (in cooking),ideographic,A reckless 胡 flame 火; 胡 also provides the pronunciation -煸,to stir-fry before broiling or stewing,pictophonetic,fire -煺,to pluck poultry; to skin meat,ideographic,To prepare 退 to cook 火; 退 also provides the pronunciation -煽,"to stir up, to incite; to agitate, to provoke",ideographic,To fan 扇 the flames 火; 扇 also provides the pronunciation -熄,"to extinguish, to put out, to quench",ideographic,To end 息 a flame 火; 息 also provides the pronunciation -熙,"bright, prosperous; splendid, glorious",pictophonetic,fire -熊,a bear; brilliant; surname,ideographic,A bear's 能 footprints 灬 -熏,"to smoke, to cure meat; vapor, smoke, fog",pictophonetic,fire -荧,"to shine, to shimmer; shining, dazzling",pictophonetic,fire -熔,"mold; to fuse, to melt, to smelt",ideographic,To form 容 hot metal 火; 容 also provides the pronunciation -炝,to stir-fry; to cook in sauce,pictophonetic,fire -熘,"to steam, to stir-fry",pictophonetic,fire -熜,chimney; torch,pictophonetic,fire -熟,"well-cooked; ripe, mature; familiar with",pictophonetic,fire -熠,"bright, sparkling",pictophonetic,fire -熨,"to press, to iron; an iron",pictophonetic,fire -熬,"to boil, to simmer; to endure pain",pictophonetic,fire -热,"heat, fever, zeal",pictophonetic,fire -熳,to spread,pictophonetic,fire -熵,entropy,pictophonetic,fire -熹,"dim light, a glimmer; warm; bright",pictophonetic,fire -炽,"to burn, to blaze; splendid; intense",pictophonetic,fire -燃,"to ignite, to burn; combustion",pictophonetic,fire -灯,"lamp, lantern, light",pictophonetic,fire -炖,stew; to cook stew,pictophonetic,fire -燎,"to burn, to light; street lamp; signal fire",pictophonetic,fire -磷,phosphorus,pictophonetic,mineral -烧,"to burn, to bake; to heat, to roast",pictophonetic,fire -燔,to roast meat for a sacrifice,ideographic,To roast 火 meat on a spit 番; 番 also provides the pronunciation -燕,"lovebird, swallow",ideographic,"A swallow, with its head 廿, wings 北, and tail 灬" -烫,to scald; to iron clothes or hair,pictophonetic,fire -焖,"to simmer, to cook over a slow fire",pictophonetic,fire -营,"camp, barracks, army; to run, to manage",, -燠,warm; warmth,pictophonetic,fire -燥,"arid, dry, parched; quick-tempered",pictophonetic,fire -灿,"vivid, illuminating, brilliant",pictophonetic,fire -燧,"torch; flintstone; beacon, signal fire",pictophonetic,fire -烛,"candle, taper; to illuminate, to shine",pictophonetic,fire -燮,"to harmonize, to blend; to adjust",, -烩,"ragout; to braise, to cook",pictophonetic,fire -燹,fire; wildfire,pictophonetic,fire -烬,"ashes, cinders, embers; remnants",ideographic,A used up 尽 fire 火; 尽 also provides the pronunciation -焘,"to shine, to illuminate; to cover, to envelop",pictophonetic,fire -爆,"crackle, pop; burst, explode",ideographic,A violent 暴 flame 火; 暴 also provides the pronunciation -爇,to burn,pictophonetic,heat -爌,bright,pictophonetic,fire -烁,"to sparkle, to shine, to glitter",ideographic,The happy 乐 light of a flame 火 -炉,"fireplace, furnace, oven, stove",ideographic,A fire 火 in one's home 户 -烂,"overcooked, overripe; rotten, spoiled",pictophonetic,fire -爝,torch,pictophonetic,fire -爨,"oven, stove; to cook",pictophonetic,fire -爪,"claws, nails, talons",pictographic,A bird's talons -爫,"claws, nails, talons",pictographic,A bird's talons; compare 爪 -爬,"to climb, to scramble; to crawl, to creep",pictophonetic,claw -争,"to dispute, to fight, to contend, to strive",ideographic,"Simplified form of 爭, two hands 爪 and 彐 fighting over 亅" -爯,"to balance, to fit; balanced, suitable",ideographic,A hand 爫 balancing items on a scale 冉 -爰,"to lead on to; then, therefore, as a consequence",, -爵,noble; a feudal rank or title,ideographic,A hand 寸 holding a goblet 良 of wine 罒 -父,"father, dad",ideographic,A hand 乂 holding an axe 八 -爸,"father, papa",pictophonetic,father -爹,"father, dad, daddy",pictophonetic,father -爷,"grandfather, old man",pictophonetic,father -爻,diagrams for divination,ideographic,Two marks 乂 on an oracle bone -爽,"crisp, refreshing; candid, frank; pleased, happy",ideographic,A person 大 breathing lots of fresh air 爻 -丬,half of tree trunk,, -爿,half of a tree trunk,pictographic,Half of a tree trunk; compare 片 -片,"slice, splinter; page, strip",pictographic,Half of a tree trunk; compare 爿 -版,"printing block, edition; register; volume, version",pictophonetic,page -牌,"card, game piece; placard, signboard, tablet",pictophonetic,page -窗,window,pictophonetic,hole -闸,"sluice, floodgate, canal lock",pictophonetic,gate -牒,"documents, records; to dispatch",ideographic,Flat 片 pages 片 of wood -牖,window; to enlighten,pictophonetic,door -牍,"writing tablet; documents, books",pictophonetic,page -牙,"tooth, molar; fang, tusk; serrated",, -牚,,pictophonetic, -牛,"ox, cow, bull",pictographic,An ox's horned head -牝,female animal; keyhole; valley,pictophonetic,cow -牟,"to profit, to usurp; moo",pictophonetic,ox -牡,"male animal; key, door bolt",pictophonetic,ox -牢,"pen, prison, stable; fast, firm, secure",ideographic,A stable 宀 where cattle are kept 牛 -牧,shepherd; to tend cattle,ideographic,A hand 攵 leading an ox 牛 -物,"thing, substance, matter; creature",pictophonetic,ox -牮,to prop up,, -牯,"cow, steer",pictophonetic,ox -牲,sacrificial animal; domestic animal,pictophonetic,ox -牴,"to butt, to gore; to resist",pictophonetic,ox -牸,female animal; to give birth,pictophonetic,cow -特,"special, unique, distinguished",pictophonetic,ox -牵,"to drag, to pull, to lead by the hand",ideographic,A person 大 pulling an ox 牛 by a rope 冖 -牾,to gore; to oppose,pictophonetic,ox -牿,cattle shed,pictophonetic,ox -犀,"rhinoceros; sharp, tempered",ideographic,An ox 牛 with a tail 尾 -犁,to plow,ideographic,To use an ox 牛 to harvest 刂 grain 禾; 利 also provides the pronunciation -犂,plow,ideographic,To use an ox 牛 to harvest  grain 禾; compare 犁 -犄,animal horns,pictophonetic,ox -犋,,pictophonetic,ox -犍,bullock; to castrate,pictophonetic,ox -犎,zebu; humped-ox,pictophonetic,ox -犏,yak-ox,pictophonetic,ox -犒,victory feast; to throw a banquet,pictophonetic,ox -荦,"brindled ox; tawny, variegated",pictophonetic,ox -犟,stubborn,pictophonetic,ox -犊,calf; sacrificial lamb,ideographic,To sacrifice 卖 a calf 牛 -牺,"to sacrifice, to give up, to die for a cause",pictophonetic,ox -犪,yak,pictophonetic,ox -犬,dog,pictographic,A dog turned to the side -犭,dog,pictographic,A dog turned to the side -犮,to pull up,, -犯,"criminal; to violate, to commit a crime",pictophonetic,dog -犰,armadillo,pictophonetic,animal -犴,"wild dog; jail, lock-up",pictophonetic,dog -状,"state, condition; shape, appearance, form; certificate",pictophonetic,dog -狁,barbarians; a tribe of Scythian nomads,pictophonetic,animal -狂,"insane, mad; violent; wild",pictophonetic,dog -狃,"greedy, covetous; accustomed to",pictophonetic,dog -狄,barbarians; a tribe from northern China; surname,pictophonetic,animal -狉,fox cub,pictophonetic,dog -狍,a species of deer found in northern China,pictophonetic,animal -狎,to be familiar with; to disrespect,pictophonetic,dog -狐,fox,pictophonetic,dog -狒,baboon,pictophonetic,animal -狗,dog,pictophonetic,dog -狙,"monkey, ape; to spy, to watch for; to lie in ambush",pictophonetic,animal -狠,"vicious, fierce, cruel",pictophonetic,dog -狡,"cunning, deceitful, treacherous",pictophonetic,dog -狨,the common marmoset,pictophonetic,animal -狩,winter hunting; a hunting dog; an imperial tour,pictophonetic,dog -狳,armadillo,pictophonetic,animal -狴,tapir; a fierce beast depicted on prison doors,pictophonetic,animal -狷,"rash, irritable, impulsive, impetuous",pictophonetic,dog -狸,fox,pictophonetic,dog -狭,"narrow, limited; narrow-minded",pictophonetic,dog -狺,the snarling of dogs,pictophonetic,dog -狻,a fabulous beast,pictophonetic,animal -狼,wolf,pictophonetic,dog -狈,"a legendary wolf; distressed, wretched",pictophonetic,dog -猁,a kind of monkey,pictophonetic,animal -猇,a tiger's roar; to intimidate; to scare,pictophonetic,tiger -猊,"lion, wild beast; wild horse",pictophonetic,animal -猋,"wind, storm, gale; a dog running",ideographic,A pack of ferocious dogs 犬; a storm -猓,monkey,pictophonetic,animal -猖,"mad, wild; reckless, unruly",pictophonetic,dog -猗,exclamation of admiration,pictophonetic,dog -狰,"fierce-looking, ferocious",pictophonetic,dog -猛,"violent, savage, cruel, bold",pictophonetic,dog -猜,"to guess, to conjecture, to suppose; to feel",pictophonetic,dog -猝,"sudden, abrupt",pictophonetic,dog -猞,"lynx, wild cat",pictophonetic,animal -猢,a kind of monkey found in western China,pictophonetic,animal -猥,"vulgar, low; wanton, obscene",pictophonetic,dog -猿,ape,pictophonetic,animal -猩,"ape, orangutan",pictophonetic,animal -猱,a monkey with yellow hair,pictophonetic,animal -猲,"frightened, terrified; snub-nosed dog",pictophonetic,dog -猳,boar; legendary ape,pictophonetic,animal -猴,"monkey, ape; like a monkey",pictophonetic,animal -猵,otter,pictophonetic,animal -犹,"similar to, just like, as",pictophonetic,dog -猷,"to plan, to plot, to scheme",pictophonetic,dog -猸,"badger, ferret, mongoose",pictophonetic,animal -猹,badger; a wild animal mentioned in a story by Lu Xun,pictophonetic,animal -狲,monkey,pictophonetic,animal -猾,"crafty, cunning, shrewd; deceitful",pictophonetic,dog -犸,mammoth,pictophonetic,animal -狱,"prison, jail; case; lawsuit",ideographic,A guard dog 犭 talking 讠 to a prisoner 犬 -狮,lion,pictophonetic,animal -獍,the Manchurian tiger,pictophonetic,animal -奖,"prize, reward; to award",pictophonetic,big -獐,"roebuck, hornless river deer",pictophonetic,animal -獒,"smastiff, large fierce dog",pictophonetic,dog -獗,"wild, violent; unruly, lawless",pictophonetic,dog -獠,to hunt at night with torches,ideographic,Hunting with dogs 犭 and torches 尞; 尞 also provides the pronunciation -独,"alone, independent, only, single, solitary",pictophonetic,dog -狯,"sly, cunning, crafty",pictophonetic,dog -猃,long-snouted dog,pictophonetic,dog -獬,mythical unicorn,pictophonetic,animal -獯,barbarians; a tribe of Scythian nomads,pictophonetic,animal -狞,fierce; hideous,pictophonetic,dog -获,"to get, to obtain, to receive, to sieze",, -猎,hunting; field sports,pictophonetic,dog -犷,"fierce, rude, uncivilized",pictophonetic,dog -兽,"beast, animal; bestial",ideographic,"An animal with horns 丷, eyes 田, nose 一, and mouth 口" -獭,otter,pictophonetic,animal -献,"to offer, to present; to show, to display",pictophonetic,dog -猕,macacus monkey,pictophonetic,animal -猡,pig; the Lolo aboriginal tribe,pictophonetic,animal -玃,a large ape found in western China,pictophonetic,animal -玄,"deep, profound, abstruse",, -率,"to command, to lead; rate, ratio, proportion",ideographic,A string 幺 vibrating in an instrument 亠十 -玉,"jade, gem, precious stone",ideographic,A necklace 丨 adorned with three pieces of jade -王,"king, ruler; royal; surname",ideographic,A man 十 bridging heaven and earth (both 一) -玎,"jingling, tinkling",pictophonetic,jade -玓,pearl,pictophonetic,jade -玖,black jade; nine (bankers' anti-fraud numeral),pictophonetic,jade -玗,semi-precious stone,pictophonetic,jade -玟,"gem, jade-like stone",pictophonetic,jade -玡,used in place names,pictophonetic,jade -玢,"(archaic) a kind of jade, porphyrite",pictophonetic,jade -珏,two gems mounted together,ideographic,Two pieces of jade 王 side by side -玩,"to play with, to joke, to entertain",pictophonetic,jade -玫,rose,pictophonetic,jade -玲,the tinkling of jewelry,pictophonetic,jade -玳,tortoise shell,pictophonetic,jade -玷,character flaw; a flaw in a gem,pictophonetic,jade -玻,glass,pictophonetic,jade -珀,amber,ideographic,Clear 白 jade 王; 白 also provides the pronunciation -珂,an inferior kind of jade,ideographic,Possibly 可 jade 王; 可 also provides the pronunciation -珈,an ornament attached to a woman's hairpin,ideographic,Jade 王 added 加 to jewelry; 加 also provides the pronunciation -珉,alabaster; a jade-like stone,pictophonetic,jade -珊,coral,pictophonetic,jade -珍,"a treasure, a precious thing; rare, valuable",pictophonetic,jade -珙,precious stone; a county in Sichuan,pictophonetic,jade -珞,a kind of necklace,pictophonetic,jade -珠,"gem, jewel, pearl, precious stone",pictophonetic,jade -珥,"pearl or jade earring; to insert, to stick",ideographic,An ear 耳 ring 王; 耳 also provides the pronunciation -珧,mother-of-pearl,pictophonetic,jade -珩,central gem; crown jewel,pictophonetic,jade -班,"class, squad, team, work shift",ideographic,"Cutting 刂 a piece of jade 王 in two, symbolizing two classes" -现,"to appear, to manifest; current, now",ideographic,To see 见 jade 王; 见 also provides the pronunciation -球,"ball, globe, sphere; round",pictophonetic,jade -琅,"pure, white; carnelian",pictophonetic,jade -理,"science, reason, logic; to manage",pictophonetic,king -琉,"sparkling stone; opaque, glazed",pictophonetic,jade -琊,a place in eastern Shandong,pictophonetic,jade -璃,glass; colored glaze,pictophonetic,jade -琚,girdle ornaments,pictophonetic,jade -琛,"treasure, valuables",pictophonetic,jade -琢,to polish jade; to cut jade,pictophonetic,jade -琥,"amber, tigers-eye",ideographic,A tiger's eye 虎 stone 王; 虎 also provides the pronunciation -琦,"jade, gem, precious stone",pictophonetic,jade -琨,"beautiful jade, precious stones",pictophonetic,jade -琪,fine jade,pictophonetic,jade -琬,fine jade; nobility,pictophonetic,jade -琮,an octagonal jade ornament,pictophonetic,jade -琰,gemstone fire; scintillation,ideographic,The fire 炎 in a gem 王; 炎 also provides the pronunciation -琳,a beautiful gemstone,pictophonetic,jade -琴,"Chinese lute or guitar, string instrument",ideographic,Two guitar strings 玨 suggest the meaning; 今 provides the pronunciation -琵,a guitar-like instrument (1),pictophonetic,guitar strings -琶,a guitar-like instrument (2),pictophonetic,guitar strings -珐,"enamel, cloissoné",pictophonetic,jade -珲,"bright, glorious, splendid",pictophonetic,jade -瑁,fine jade,pictophonetic,jade -瑄,ornamental jade,pictophonetic,jade -玮,"a type of red jade; rare, valuable",pictophonetic,jade -瑕,"fault, default; a flaw in a gem",pictophonetic,jade -瑗,a large jade ring,pictophonetic,jade -瑙,"agate, cornelian",pictophonetic,jade -瑚,coral,pictophonetic,jade -瑛,a gem's luster; crystal,pictophonetic,jade -瑜,flawless gem or jewel,pictophonetic,jade -瑞,auspicious; a good omen,pictophonetic,jade -瑟,"a large string instrument; to tremble, to vibrate",pictophonetic,guitar strings -琐,petty; trifling; troublesome,pictophonetic,jade -瑶,precious jade,pictophonetic,jade -莹,"bright, lustrous, sparkling like a gem",ideographic,Simplified form of 瑩; fiery 火 like a gem 玉 -玛,"agate, cornelian",pictophonetic,jade -瑭,a kind of jade,pictophonetic,jade -瑰,"extraordinary, fabulous; rose; semi-precious stone",pictophonetic,jade -瑱,a jade earring,pictophonetic,jade -瑾,the brilliance or luster of a gem,pictophonetic,jade -璀,brillance; luster; to shine,pictophonetic,jade -璁,turquoise,pictophonetic,jade -璇,beautiful jade; star,ideographic,An orbiting 旋 gem 王; 旋 also provides the pronunciation -琏,a vessel used to hold grain offerings,pictophonetic,jade -璋,jade plaything; jade ornament,pictophonetic,jade -璐,a beautiful variety of jade,pictophonetic,jade -璚,splendid; a jade ring,pictophonetic,jade -璜,a jade pendant,pictophonetic,jade -璞,unpolished gem,pictophonetic,jade -玑,an oblong pearl,pictophonetic,jade -瑷,fine jade,pictophonetic,jade -璧,a jade annulus,pictophonetic,jade -璨,gem; the luster of a gem,ideographic,The luster 粲 of a gem 王; 粲 also provides the pronunciation -璩,jade ring; jade earring; surname,pictophonetic,jade -环,"bracelet, ring; to surround, to loop",pictophonetic,jade -璺,a crack in porcelain,pictophonetic,jade -玺,"imperial signet, royal signet",pictophonetic,jade -琼,"jade; rare, precious; elegant",pictophonetic,jade -珑,the tinkling of jewelry,pictophonetic,jade -璎,a necklace made of precious stones,pictophonetic,jade -瓒,ceremonial libation cup,pictophonetic,jade -瓜,"melon, gourd, squash, cucumber",pictographic,Vines growing with a melon at their base -瓞,young melon,pictophonetic,melon -瓠,"bottle gourd, calabash",pictophonetic,gourd -瓢,a ladle made from a dried gourd,pictophonetic,gourd -瓣,petal; segment; valve,pictophonetic,melon -瓤,"flesh, core, pith, pulp",pictophonetic,melon -瓦,"tile; pottery, earthenware",pictographic,An interlocking roof tile -瓮,"urn, earthen jar",pictophonetic,pottery -瓴,Roman roof tiles; a long-necked jar,pictophonetic,pottery -瓶,"bottle, jug, pitcher, vase",pictophonetic,pottery -瓷,"china, crockery, porcelain",pictophonetic,pottery -瓿,"vase, pot, jar",pictophonetic,pottery -甄,"to grade, to examine, to discern; surname",pictophonetic,pottery -瓯,"bowl, cup; small tray",pictophonetic,pottery -甍,rafters supporting roof tiles,ideographic,Beams 罒 supporting roof 冖 tiles 瓦 -甏,"a squat jar for holding wine, sauces, etc",pictophonetic,pottery -甑,a boiler for steaming rice,pictophonetic,pottery -甓,"bricks, glazed tiles",pictophonetic,pottery -罂,long-necked bottle or jar,pictophonetic,pottery -甘,"sweet, tasty; willing",ideographic,Picture of a tongue with 一 marking the sweet spot -甙,glucoside,pictophonetic,sweet -甚,"considerably; very, extremely; a great extent",, -甜,"sweet, sweetness",ideographic,Something tasty 甘 to the tongue 舌 -生,"life, lifetime; birth; growth",ideographic, A shoot 屮 growing in the soil 土 -产,"to give birth, to bring forth, to produce",pictophonetic, -産,to give birth,pictophonetic,birth -甥,"niece, nephew; sister's child",pictophonetic,boy -用,"to use, to employ, to apply; use",, -甩,"to throw away, to fling, to discard",ideographic,"The opposite of ""to use"" 用" -甪,surname,, -甫,"to begin; man, father; great; a distance of ten li",, -甬,path; river in Ningbo; Ningbo,pictophonetic, -甭,"""there is no need""",ideographic,Not 不 needed 用; 用 also provides the pronunciation -田,"field, farm, arable land; cultivated",pictographic,The plots of a rice paddy -由,"cause, reason; from",ideographic,Road 丨 leading to the farm 田 -甲,"armor, shell; fingernails; 1st heavenly stem",, -申,to report; to extend; to explain; to declare,pictographic,A bolt of lightning -甴,cockroach,, -男,"man, boy; male; baron; surname",ideographic,Someone who can work 力 the farm 田 -甸,suburbs of the capital; to govern; crops,pictophonetic,wrap -甹,chivalrous knight,, -町,a raised path between fields,pictophonetic,field -甾,evil; a calamity,ideographic,A farm 田 wiped out by a flood 巛 -畀,to give,pictophonetic,farm -亩,fields; unit of area equal to 660 sq. m.,pictophonetic,field -畈,field; farm,pictophonetic,field -耕,"to plow, to cultivate",pictophonetic,plow -畋,"to till, to cultivate; to hunt",ideographic,A man 攵 working on a farm 田; 田 also provides the pronunciation -界,"boundary, limit; domain; society, the world",pictophonetic,farm -畎,"a drain between fields, irrigation; to flow",pictophonetic,field -畏,"fear, dread, awe, reverence",pictographic,A monster with a scary head 田 -畑,dry field (as opposed to a paddy); used in Japanese names,ideographic,A dry 火 field 田; 田 also provides the pronunciation -畔,river bank; a boundary path that divides fields,ideographic,A farm 田 divided in half 半; 半 also provides the pronunciation -畚,"hamper, straw basket",, -畛,"border, boundary; raised path",pictophonetic,field -畜,"livestock, domestic animals",pictophonetic,farm -畟,to plow,ideographic,A man 夂 making a furrow 八 in a field 田 -毕,"to finish, to conclude, to end; completed",pictophonetic,complete -略,"approximate, rough; outline, summary; plan, plot",pictophonetic,farm -畦,sections in a vegetable farm,pictophonetic,field -番,"to take turns, to repeat; to sow; a turn",ideographic,Sowing seeds 米 on the farm 田 -画,"picture, painting, drawing; to draw",ideographic,"A painting on an easel; compare 畫, which includes the brush" -畲,a field reclaimed by burning the forest,ideographic,An extra 余 field 田; 佘 provides the pronunciation; compare 畬 -异,"different, strange, unusual; foreign; surprising",ideographic,Simplified form of 異; a person 共 with a scary face田 -畸,"odd, unusual; fraction, remainder",ideographic,Leftover 奇 farmland 田; 奇 also provides the pronunciation -畹,a field of 20-30 mu,pictophonetic,field -畺,"boundary, border",ideographic,Lines 一 drawn between two plots of land 田 -畾,fields divided by dikes,ideographic,Three fields 田 divided by dikes -畿,imperial domain; area near the capital,pictophonetic,land -疃,hamlet; area near a city,pictophonetic,land -疆,"boundary, border, frontier",ideographic,A bow 弓 and arrow 土 used to defend a border 畺; 畺 also provides the pronunciation -畴,"field, farmland; class, category",pictophonetic,farm -疋,"roll, bolt of cloth; foot",pictographic,A foot 止 with a leg on top -疏,"to neglect; to dredge, to clear away; lax, careless",ideographic,Walking 疋 through uncultivated land 㐬 -疐,"to fall, to stumble, to falter; hindered",ideographic,A foot 疋 stuck in a field 田 -疑,"to doubt, to question, to suspect",ideographic,An old man walking 疋 while holding 匕 a cane 矢 -疒,"sickness, disease",, -疔,"boil, carbuncle, ulcer",pictophonetic,sickness -肛,anus,pictophonetic,flesh -疙,"pimple, sore; wart, pustule",pictophonetic,sickness -疚,"chronic disease; guilt, remorse; sorrow",pictophonetic,sickness -疝,hernia; to rupture,pictophonetic,sickness -疣,"wart, tumor, papule, goiter",pictophonetic,sickness -疤,"scar, cicatrix; birthmark",pictophonetic,sickness -疥,scabies; to itch,pictophonetic,sickness -疫,"epidemic, plague, pestilence",pictophonetic,sickness -疲,"weak, tired, exhausted",pictophonetic,sickness -疳,"rickets, chickenpox; childhood disease",pictophonetic,sickness -疵,"flaw, fault, defect; disease",pictophonetic,sickness -疸,jaundice; stomach disorder,pictophonetic,sickness -疹,"rash, measles; fever",pictophonetic,sickness -疼,"ache, pain; to love dearly",pictophonetic,sickness -疽,"ulcer, carbuncle, abscess",pictophonetic,sickness -疾,"sickness, illness, disease; to envy, to hate",pictophonetic,sickness -痱,heat rash; prickly heat; ulcers,pictophonetic,sickness -痂,scab,pictophonetic,sickness -痄,scrofulous swellings or lumps,pictophonetic,sickness -病,"sickness, illness, disease",pictophonetic,sickness -症,"ailment, disease, illness",pictophonetic,sickness -痊,"cured, healed; to recover",ideographic,Made whole 全 after an illness 疒; 全 also provides the pronunciation -痍,"wound, sore, bruise",pictophonetic,sickness -蛔,tapeworm,pictophonetic,worm -痒,to itch; to tickle,pictophonetic,sickness -痔,"piles, hemorrhoids",pictophonetic,sickness -痕,"scar, mark; vestige, trace",pictophonetic,sickness -痘,smallpox,pictophonetic,sickness -痉,"convulsions, fits",pictophonetic,sickness -痛,"ache, pain; bitterness, sorrow; deeply, thoroughly",pictophonetic,sickness -痞,dyspepsia; spleen infection,pictophonetic,sickness -痢,dysentery,pictophonetic,sickness -痣,"spot, mole, birthmark",ideographic,The mark 志 of an illness 疒; 志 also provides the pronunciation -痤,a swelling of the lymph nodes,pictophonetic,sickness -痦,"spot, mole, birthmark",pictophonetic,sickness -痧,cholera; colic,pictophonetic,sickness -痰,"mucus, phlegm, spit",pictophonetic,sickness -痲,pock-marked; measles; leprosy,pictophonetic,sickness -痴,"foolish, stupid, dumb, silly",pictophonetic,sickness -痹,"numbess, paralysis",pictophonetic,sickness -痼,chronic disease; long-term passion,pictophonetic,sickness -疴,"sickness, illness; pain",pictophonetic,sickness -痿,paralysis; impotence,pictophonetic,sickness -瘀,"hematoma, contusion",pictophonetic,sickness -瘁,"tired, worn-out; sick; overworked",pictophonetic,sickness -痖,"dumb, mute",pictophonetic,sickness -瘃,cold sores,pictophonetic,sickness -瘊,"pimple, wart",pictophonetic,sickness -疯,"crazy, insane, mentally ill",pictophonetic,sickness -瘌,"scabies, itching, scald-head",pictophonetic,sickness -疡,"sore, ulcer; infection",pictophonetic,sickness -瘐,"cold, hungry; to mistreat a prisoner",pictophonetic,sickness -痪,"numbness, paralysis",pictophonetic,sickness -瘕,asthma; bowel disease,pictophonetic,sickness -瘙,scabies; to itch,pictophonetic,sickness -瘛,clonic convulsions,pictophonetic,sickness -瘜,polypus,pictophonetic,sickness -瘗,"to bury, to inter",pictophonetic,earth -瘟,"epidemic, plague, pestilence",pictophonetic,sickness -瘠,"thin, emaciated; barren",pictophonetic,sickness -疮,"boil, tumor; wound, sore",pictophonetic,sickness -瘢,"scar, mole",pictophonetic,sickness -瘤,"tumor, lump, goiter",pictophonetic,sickness -瘥,to recover from disease; an epidemic,pictophonetic,sickness -瘦,"thin, lean, emaciated; meager",pictophonetic,sickness -疟,malaria; intermittent fever,pictophonetic,sickness -瘩,pimples,pictophonetic,sickness -瘭,whitlow,pictophonetic,sickness -瘰,"scrofula, swellings",pictophonetic,sickness -疭,clonic convulsions,pictophonetic,sickness -瘳,healed; reformed,pictophonetic,sickness -瘴,"malaria; miasma, pestilential vapor",pictophonetic,sickness -瘵,a wasting disease,pictophonetic,sickness -瘸,lameness; paralysis of the hands or legs,pictophonetic,sickness -瘘,"fistula; goiter, sore, ulcer",pictophonetic,sickness -瘼,sickness; distress,pictophonetic,sickness -癀,jaundice,pictophonetic,sickness -疗,"cured, healed; to recover",ideographic,To clear 了 an illness 疒; 了 also provides the pronunciation -癃,"weakness, infirmity; urine retention",pictophonetic,sickness -痨,tuberculosis,pictophonetic,sickness -痫,"epilepsy, convulsions",pictophonetic,sickness -瘅,bitter hatred; drought,pictophonetic,sickness -癌,"cancer, carcinoma",pictophonetic,sickness -癍,pockmarks on the skin,ideographic,A sickness 疒 that causes freckling 斑; 斑 also provides the pronunciation -癔,hysteria,pictophonetic,sickness -癖,"craving, addiction; habit, hobby; indigestion",pictophonetic,sickness -疠,"sore, ulcer; plague, pestilence",ideographic,Ten thousand 万 sick people 疒 -癜,erythema,pictophonetic,sickness -疖,"boil, pimple, sore",pictophonetic,sickness -疬,scrofulous swellings or lumps,pictophonetic,sickness -癞,"leprosy; scabies, mange; shoddy",pictophonetic,sickness -癣,ringworms,pictophonetic,sickness -瘿,"swelling, goiter",pictophonetic,sickness -瘾,"rash; addiction, craving, habit",pictophonetic,sickness -癯,"sthin, emaciated; tired, worn",pictophonetic,sickness -痈,"ulcer, sore, carbuncle, abcess",pictophonetic,sickness -瘫,"paralysis, palsy, numbness",pictophonetic,sickness -癫,"crazy, insane; madness, mania",pictophonetic,sickness -癶,legs,pictographic,Two feet -癸,10th heavenly stem,, -登,"to rise, to mount, to board, to climb",pictophonetic,legs -发,"to issue, to dispatch, to send out; hair",, -白,"white; clear, pure, unblemished; bright",ideographic,A burning candle; the rays of the sun -百,"one hundred; numerous, many",pictophonetic,one -皂,soap; black; menial servant,, -皃,"countenance, appearance",, -的,"aim, goal; of; possessive particle; -self suffix",, -皆,"all, every, everybody",, -皇,"royal, imperial; ruler, superior",ideographic,A crown 白 on the head of the emperor 王 -皈,"to follow, to comply with",, -皋,the high land along a river,pictophonetic, -皎,"white; bright, brilliant; clear",pictophonetic,white -皒,white,pictophonetic,white -皕,two hundred,ideographic,Two hundreds 百 -皖,Anhui province,pictophonetic,bright -皑,brilliant white; as white as snow,pictophonetic,white -皤,"white, grey; corpulent",pictophonetic,white -皦,"white; bright, brilliant; clear",pictophonetic,white -皮,"skin, hide, fur, feathers",pictographic,A hand using a tool 攴 to strip the hide from a carcass -疱,acne,pictophonetic,sickness -皴,"chapped, cracked",pictophonetic,hide -鼓,"drum; to beat, to strike; to rouse",pictophonetic,drum -皲,"chapped, cracked",pictophonetic,hide -皱,"wrinkles, creases, folds",pictophonetic,skin -皻,"pimples, blotches",ideographic,Spots 虘 on the skin 皮; 虘 also provides the pronunciation -皿,"dish, vessel; shallow container",, -盂,basin; cup,pictophonetic,dish -盅,small cup or bowl,pictophonetic,dish -盆,"basin, bowl, pot, tub",pictophonetic,dish -盍,what? why not?,, -盈,"full, overflowing; surplus; to fill",pictophonetic,dish -益,"to profit, to benefit; advantage",ideographic,A container 皿 overflowing with water 水 -盎,"pot, cup, bowl; abundant",pictophonetic,dish -盒,small box or case; casket,pictophonetic,container -盔,"helmet; bowl, basin",pictophonetic,dish -盛,"abundant, flourishing; to contain; to fill",pictophonetic,dish -盗,"to rob, to steal; thief, bandit",, -盏,small cup or container,ideographic,A small 戋 dish 皿; 戋 also provides the pronunciation -盟,"alliance, covenant; oath; to swear",pictophonetic,offering dish -监,"to supervise, to direct, to control; to inspect; prison, jail",, -盘,"tray, plate, dish; to examine",pictophonetic,dish -盥,to wash,ideographic,Washing 水 one's hands 彐 in a basin 皿 -卢,"cottage, hut; black; surname",, -荡,"pond, pool; ripple, shake; to wash away, to wipe out",ideographic,Hot water 汤 wiping out plant life 艹; 汤 also provides the pronunciation -目,"eye; to look, to see; division, topic",pictographic,An eye drawn on its side -盯,to rivet one's gaze upon; to keep eyes on,pictophonetic,eye -盱,eyes wide open; to gaze in astonishment,pictophonetic,eye -盲,blind; shortsighted; unperceptive,ideographic,Losing 亡 one's sight 目; 亡 also provides the pronunciation -直,"straight, vertical; candid, direct, frank",ideographic,To look someone in the eye 目 -相,"mutual, reciprocal; equal; each other",ideographic,"To stare 目 at a tree 木, meaning to observe" -盹,"to doze, to nap, to nod off",pictophonetic,eye -盼,"to look, to gaze; to expect, to hope for",pictophonetic,eye -盾,shield; Dutch guilder,ideographic,An eye 目 peering from behind a shield 厂 -省,"province; frugal; to save, to leave out",pictophonetic,division -眄,"to ogle, to squint at, to look askance",pictophonetic,eye -眇,"blind in one eye; subtle, minute, minuscule",ideographic,Too small 少 to be seen by the naked eye 目 -眈,"to stare at, to gaze intently; to delay, to hinder",pictophonetic,eye -眉,eyebrows; upper margin of book,ideographic,Picture of hair 尸 above an eye 目 -看,"to look, to see; to examine, to scrutinize",ideographic,Shielding one's eyes 目 with a hand 手 to look to the distance -県,"county, district, subdivision",pictophonetic,head -视,"to look at, to inspect, to observe, to regard",pictophonetic,see -眙,to gaze at; a place name,pictophonetic,eye -眚,"cataract; fault, error, crime",pictophonetic,eye -真,"real, actual, true, genuine",ideographic,"A straight 直 (that is, level) table 几" -眠,"sleep, shut-eye, hibernatation",pictophonetic,eye -眢,"dull, parched, or inflamed eyes",pictophonetic,eye -眦,eye socket; the corner of the eye,pictophonetic,eye -眨,to wink,ideographic,"Two eyes, one open 目 and one shut 乏" -眩,"to confuse; dazed, disoriented",pictophonetic,eye -眭,a piercing gaze; the evil eye,pictophonetic,eye -眯,"to squint, to narrow the eyes; blindness",pictophonetic,eye -眳,eye ridge,pictophonetic,eye -眵,rheum from the eyes,pictophonetic,eye -眶,eye socket; the corner of the eye,pictophonetic,eye -眷,to take an interest in; to care for,pictophonetic,eye -眸,eye; pupil,pictophonetic,eye -眺,"to gaze, to look at; to scan, to survey",pictophonetic,eye -眼,"eyelet, hole, opening",pictophonetic,eye -眽,"to gaze; to look at, to ogle",pictophonetic,eye -众,"multitude, crowd; masses, public",ideographic,Three people 人 representing a crowd -睃,to squint at,pictophonetic,eye -睇,"to glance, to look, to stare",pictophonetic,eye -睘,round; to stare,, -睚,to stare,pictophonetic,eye -睛,eyeball; pupil,pictophonetic,eye -睁,to open one's eyes; to stare,pictophonetic,eye -睐,to squint at; a sidelong glance,pictophonetic,eye -睡,"to sleep, to doze",pictophonetic,eye -睢,"to gaze at, to stare at; uninhibited",pictophonetic,eye -督,"to supervise, to oversee, to direct",pictophonetic,eye -睥,to glare at; to look askance,pictophonetic,eye -睦,"amiable, friendly, peaceful",pictophonetic,eye -睨,"to glare at, to look askance, to squint",pictophonetic,eye -睪,to spy on,ideographic,An eye 目 on top of a tower 幸 -睫,eyelashes,pictophonetic,eye -睹,"to look at, to gaze at; to observe",pictophonetic,eye -睽,to stare,pictophonetic,eye -睾,testicle,, -瞀,"to take a close look; nearsighted, dim",ideographic,To make an effort 敄 to see 目 something -瞄,to take aim at; to look at,pictophonetic,eye -瞅,"to see, to look at, to gaze at",pictophonetic,eye -瞈,blurred vision,ideographic,An old man's 翁 eyes 目; 翁 also provides the pronunciation -瞋,to glare,pictophonetic,eye -瞌,sleepy; to doze off,pictophonetic,eye -瞍,blind,ideographic,An old man's 叟 eyes 目; 叟 also provides the pronunciation -瞎,"blind, reckless; rash",ideographic,To damage 害 one's eyes 目; 害 also provides the pronunciation -瞑,to close one's eyes,ideographic,One's eyes 目at night 冥; 冥 also provides the pronunciation -瞓,to sleep,pictophonetic,eye -翳,"shade, screen; to hide, to screen",pictophonetic,feather -眍,sunken eyes,pictophonetic,eye -瞒,"to deceive, to lie; to regard with suspicion",pictophonetic,eye -瞟,"to squint, to glare, to look askance",pictophonetic,eye -瞠,"to gaze, to look, to stare",pictophonetic,eye -瞢,to hide one's eyes; to feel ashamed,ideographic,To cover 冖 one's eyes 目; 罒 provides the pronunciation -瞥,to take a fleeting glance at,pictophonetic,eye -瞧,"to glance at, to look at, to see",pictophonetic,eye -瞪,to stare at,pictophonetic,eye -瞬,"to wink, to blink; an instant, the blink of an eye",pictophonetic,eye -瞭,bright; clear-sighted; to understand,pictophonetic,eye -瞰,"to watch, to spy on; to overlook, to look down on",pictophonetic,eye -瞳,the pupil of the eye,pictophonetic,eye -瞵,to stare at,pictophonetic,eye -瞻,to look; to look out for; to respect,pictophonetic,eye -睑,eyelid,pictophonetic,eye -瞽,"blind, stupid; a blind musician",pictophonetic,eye -瞿,startled; surname,ideographic,A bird 隹 with two wide eyes 目 -矍,to look about in alarm or fright,ideographic,To startle 瞿 again 又; 瞿 also provides the pronunciation -眬,"faint, fuzzy, blurry",pictophonetic,eye -矗,"straight, upright; erect, lofty",ideographic,Three people standing up straight 直 -瞩,"to focus on, to stare at, to watch carefully",pictophonetic,eye -矛,"spear, lance",pictographic,A spear pointed up and to the right -矜,"to pity, to sympathize, to feel sorry for",pictophonetic,spear -矞,"to bore with an awl; bright, charming",ideographic,To bore a hole with an awl 矛 -矢,"arrow, dart; to vow, to swear",pictographic,An arrow pointing upwards -矣,particle of completed action,, -知,"to know, to perceive, to comprehend",pictophonetic,mouth -矦,target in archery,pictographic,An arrow 矢 hitting a target 厃 -矧,"interrogative particle; much more, still more",pictophonetic,pull -矬,short; a dwarf,pictophonetic,arrow -短,"brief, short; deficient, lacking",pictophonetic,dart -矮,"short, low; dwarf",pictophonetic,dart -矫,"to correct, to rectify, to straighten out",pictophonetic,arrow -石,"stone, rock, mineral",ideographic,A rock 口 at the base of a cliff 厂 -矸,cliff; rock,pictophonetic,rock -矻,"busy; to toil, to slave away",pictophonetic,stone -矽,silicon,pictophonetic,stone -砂,"sand, pebbles, gravel; gritty",ideographic,Many small 少 stones 石; 少 also provides the pronunciation -砉,the sound of a whip cracking,, -砌,"to pile up, to build; stone steps; rock wall",ideographic,To cut 切 stone 石; 切 also provides the pronunciation -砍,"to hack, to chop, to cut, to fell",pictophonetic,stone -砑,"to polish, to grind; to roll with a stone roller",ideographic,Stone 石 used as teeth 牙; 牙 also provides the pronunciation -砒,arsenic,pictophonetic,mineral -研,"to grind, to rub; to study, to research",pictophonetic,stone -砘,a kind of farm tool,pictophonetic,stone -砝,a standard weight (as for a balance),pictophonetic,stone -砟,stone tablet; monument,pictophonetic,stone -砣,"a stone roller; plumb, weight",pictophonetic,stone -砥,whetstone; to polish,pictophonetic,stone -砧,"anvil, flat stone",pictophonetic,stone -砩,to build a dam with rocks,pictophonetic,rock -砬,boulder; obelisk,ideographic,A large standing 立 stone 石; 立 also provides the pronunciation -砭,stone probe; to pierce; to counsel,pictophonetic,stone -砰,bang! the sound of crashing rock,pictophonetic,rock -破,"to break, to rout; to ruin, to destroy",pictophonetic,rock -砷,arsenic,pictophonetic,mineral -砸,"to smash, to pound, to crush, to break",pictophonetic,rock -砹,astatine,pictophonetic,mineral -砼,concrete,pictophonetic,stone -硅,silicon,pictophonetic,mineral -硇,sal ammoniac,ideographic,A kind of mineral 石 salt 卤 -硌,"hard, bulging",pictophonetic,stone -硎,whetstone,pictophonetic,stone -硐,cave; chamber; pit,pictophonetic,rock -硒,selenium,pictophonetic,mineral -硝,saltpeter; to tan leather,pictophonetic,mineral -硖,a town in Hebei province,pictophonetic,stone -砗,"giant clam, Tridacna gigas",pictophonetic,stone -硪,a flat stone used as a mortar,pictophonetic,stone -硫,sulfur,pictophonetic,mineral -硬,"firm, hard, strong; obstinate",pictophonetic,stone -硭,a crude saltpeter,pictophonetic,mineral -确,"certain, sure; definite, exact; real, true",pictophonetic,stone -砚,inkstone,pictophonetic,stone -硼,"borax, boron",pictophonetic,mineral -碉,watchtower,pictophonetic,stone -碌,"rocky, rough, uneven; mediocre",pictophonetic,rock -碎,"to break, to smash; broken, busted",pictophonetic,rock -碑,stone tablet; gravestone,pictophonetic,stone -碓,pestle,pictophonetic,stone -碘,iodine,pictophonetic,mineral -碚,suburb,pictophonetic,stone -碟,"plate, small dish",ideographic,A flat 枼 stone 石 -碡,stone roller,pictophonetic,stone -碣,stone tablet,pictophonetic,stone -碥,,pictophonetic,stone -碧,"jade; green, blue",ideographic,A stone 石 like amber 珀; 珀 also provides the pronunciation -硕,"great, eminent; large, big",ideographic,Like a sheet 页 of stone 石 -砀,a stone veined with brilliant colors,ideographic,A bright 昜 stone 石; 昜 also provides the pronunciation -碲,tellurium,pictophonetic,mineral -碳,carbon,pictophonetic,mineral -碴,quarrel; fault; a shard of glass,pictophonetic,stone -砜,sulfone,pictophonetic,mineral -码,"number, numeral, symbol; yard",pictophonetic,stone -碾,"stone roller; to crush, to roll",pictophonetic,stone -磁,magnetic; porcelain,pictophonetic,stone -磅,pound; to weigh,pictophonetic,stone -磉,"plinth, stone base",pictophonetic,stone -磊,"a pile of rocks; candid, open; great",ideographic,Many rocks 石 piled up -磋,"to polish, to buff; to examine, to deliberate",pictophonetic,stone -磐,"boulder, large rock; firm, stable",pictophonetic,rock -硙,"millstone; to grind, to mill",pictophonetic,stone -磔,"to dismember, to tear apart",pictophonetic,rock -磕,"to collide, to hit, to knock, to tap",pictophonetic,stone -磙,stone roller,pictophonetic,stone -碜,gritty,pictophonetic,stone -碛,"gravel, sand",pictophonetic,stone -磨,"millstone; to grind, to polish, to rub, to wear out",pictophonetic,stone -磬,musical instrument; a kind of xylophone,ideographic,Stone 石 chimes 殸; 殸 also provides the pronunciation -矶,"jetty, reef; breakwater, eddy",pictophonetic,rock -磲,"giant clam, Tridacna gigas",pictophonetic,stone -磴,stone steps on a cliff or hill,ideographic,Stone 石 steps for climbing 登; 登 also provides the pronunciation -磺,sulphur; brimstone,ideographic,A yellow 黄 mineral 石; 黄 also provides the pronunciation -硗,barren land; sandy soil,pictophonetic,stone -礁,"jetty, reef",pictophonetic,rock -礅,stone block,pictophonetic,stone -硷,"alkaline, alkali, lye, salt",pictophonetic,mineral -础,"foundation stone, plinth; basis",pictophonetic,stone -礓,"pebble, small stone",pictophonetic,stone -碍,"to block, to deter, to hinder, to obstruct",pictophonetic,stone -礞,a kind of mineral,pictophonetic,mineral -礴,"to extend, to fill",pictophonetic,stone -礤,"shredder, grater; grindstone",pictophonetic,stone -矿,"mine; mineral, ore",pictophonetic,mineral -砺,whetstone; to sharpen,ideographic,A stone 石 used to hone 厉 blades; 厉 also provides the pronunciation -砾,"gravel, pebbles",pictophonetic,stone -矾,alum,pictophonetic,mineral -砻,"millstone; to grind, to mill",pictophonetic,stone -示,"altar; ceremony; to show, to demonstrate",pictographic,An altar -社,"group, organization, society; a god of the soil",ideographic,An earth 土 spirit 礻; 礻 also provides the pronunciation -祀,"to sacrifice, to worship",pictophonetic,spirit -祁,"to pray; numerous, ample, abundant",pictophonetic,spirit -祆,"Ormazda, the Zoroastrian sun god",ideographic,A spirit 礻 in the sky 天; 天 also provides the pronunciation -祇,"only, just, simply; one of a pair; an earth god",pictophonetic,spirit -祈,"to pray, to entreat, to beseech",pictophonetic,spirit -祉,"blessings, happiness, good luck",pictophonetic,spirit -祓,to exorcise; to cleanse,pictophonetic,spirit -秘,"secret, mysterious, abstruse",pictophonetic,grain -祖,"ancestor, forefather; grandfather; surname",pictophonetic,spirit -祗,"to revere, to respect, to look up to",pictophonetic,spirit -祘,to calculate,, -祚,"throne; happiness, blessings",pictophonetic,spirit -祛,"to expel, to disperse; to exorcise",ideographic,To banish 去 a spirit 礻; 去 also provides the pronunciation -祜,"blessings, happiness, prosperity",pictophonetic,spirit -祝,to pray; to wish well; surname,ideographic,A person 兄 praying before an altar 礻 -神,"god, spirit; divine, mysterious, supernatural",pictophonetic,spirit -祟,evil spirit; evil influence,pictophonetic,spirit -祠,ancestral temple; to sacrifice,pictophonetic,spirit -祢,one's deceased father,pictophonetic,spirit -祥,"happiness, good fortune; auspicious",pictophonetic,spirit -祧,ancestral hall,pictophonetic,spirit -票,bank note; ticket; vote; a slip of paper,ideographic,"Flames 覀 over an altar 示, referring to a Chinese tradition of burning fake money as an offering" -祭,"to sacrifice to, to worship",ideographic,Hand 寸 holding meat ⺼ over an altar 示 -祺,"good luck, good fortune",pictophonetic,spirit -禄,"blessing, happiness, prosperity",pictophonetic,spirit -禁,"to restrict, to prohibit, to forbid; to endure",pictophonetic,altar -禊,a semi-annual ceremony of purification,pictophonetic,spirit -祯,"lucky, auspicious; a good omen",pictophonetic,spirit -福,"happiness, good fortune, blessings",pictophonetic,spirit -祎,"excellent, rare; beautiful, fine",pictophonetic,spirit -禚,a place name,, -禛,to receive blessings,pictophonetic,spirit -禧,happiness; congratulations,ideographic,Celebrating 喜 good fortune 礻; 壴 also provides the pronunciation -禅,"meditation, contemplation",ideographic,To pray 礻 alone 单; 单 also provides the pronunciation -礼,"courtesy, manners, social customs",pictophonetic,spirit -祷,"to pray, to entreat, to beg; prayer",pictophonetic,spirit -禳,to sacrifice; to pray; to exorcise,ideographic,To pray 礻for help 襄; 襄 also provides the pronunciation -禸,rump,, -禹,legendary Hsia dynasty founder,, -禺,district; mountain in Zhejiang,, -离,rare beast; strange; elegant,pictographic,An animal standing straight; 亠 is the head -禽,"birds, fowl; to capture; surname",ideographic,A legendary beast 离 captured by a man 人 -禾,"cereal, grain, rice; plant, stalk",pictographic,A plant stalk with a sagging head -秃,bald,ideographic,Grains of hair 禾 on a person's head 几 -秀,"elegant, graceful, refined; flowing, luxuriant",pictophonetic,flower -私,"personal, private, secret; selfish",ideographic,厶 provides the meaning and pronunciation -秉,"to grasp, to hold; to maintain, to preside over",ideographic,A hand 彐 grasping a bundle of grain 禾 -秋,"autumn, fall; year",ideographic,The time of year when farmers would burn 禾 crops 火 -科,"section, department; field, branch; science",ideographic,A hand measuring 斗 grain 禾 -秒,a second; a corn kernel; measure word for time,pictophonetic,grain -粳,non-glutinous rice,pictophonetic,rice -秕,"chaff, husk",pictophonetic,grain -租,"to rent, to lease; tax, rent",ideographic,Regularly paid 且 tribute in grain 禾 -秣,"fodder, horse feed; to feed a horse",pictophonetic,grain -秤,"balance, scale; steelyard",ideographic,A balance 平 used to measure grain 禾 -秦,the Qin dynasty (eponymous for China),, -秧,"shoots, sprouts; young rice plants",pictophonetic,rice -秩,order; ordered,pictophonetic,grain -秫,a glutinous variety of millet,pictophonetic,grain -秭,billion,pictophonetic,grain -秸,stalks of millet or corn,pictophonetic,grain -移,"to shift, to move about, to drift",, -稀,"rare, unusual; scarce, sparse",pictophonetic,grain -稂,grass; weeds,pictophonetic,grain -稃,"chaff, husk",pictophonetic,grain -税,taxes,ideographic,Grain 禾 paid as tribute 兑; 兑 also provides the pronunciation -稆,wild grain,pictophonetic,grain -秆,"straw, hay",ideographic,Dried 干 grain stalks 禾; 干 also provides the pronunciation -程,"process, rules; journey, trip; agenda, schedule",pictophonetic,grain -稍,"somewhat, slightly, a little; rather",ideographic,Resembling 肖 grain 禾; 肖 also provides the pronunciation -稔,ripe grain; to harvest; to know well,pictophonetic,grain -稗,"darnels, weeds; small, insignificant",pictophonetic,grain -稙,grain ready for grinding,pictophonetic,grain -稚,"young, immature; childhood",pictophonetic,grain -稞,grain ready for grinding,ideographic,Grain 禾 bearing fruit 果; 果 also provides the pronunciation -禀,"to report to, to petition",ideographic,To show 示 something to an official 亠回 -稠,"crowded, dense; viscous, thick",pictophonetic,grain -稨,"hyacinth bean, haricot",pictophonetic,grain -糯,"glutinous rice; sticky, viscous",pictophonetic,rice -种,"race, kind, breed; seed; to plant",pictophonetic,grain -称,"balanced; name, brand; to say, to call",, -稷,god of cereals; minister of agriculture,pictophonetic,grain -稹,to accumulate,pictophonetic,grain -稻,rice plant; rice growing in the field,pictophonetic,grain -稼,crops; to sow grain,pictophonetic,grain -稽,"to examine, to investigate",pictophonetic,grain -稿,"draft, manuscript, rough copy",pictophonetic,grain -谷,"valley, gorge, ravine",ideographic,Water flowing 人 from a spring 口 through a valley 八 -糠,"chaff, bran, husk; poor",pictophonetic,rice -穆,"majestic; reverent, solemn",pictophonetic,grain -稣,to revive; to rise again,pictophonetic,grain -积,"to store up, to amass, to accumulate",pictophonetic,grain -颖,rice tassel; sharp; clever,pictophonetic,rice -穗,"ear of grain; fringe, tassel; Guangzhou",pictophonetic,grain -穑,"to farm, to harvest grain",pictophonetic,grain -秽,"dirty, unclean; immoral, obscene",pictophonetic,grain -颓,"ruined, decayed; depressed; decadent",ideographic,A bald 秃 head 页; 秃 also provides the pronunciation -稳,"steady, stable; solid, firm",pictophonetic,grain -穰,"stalks of grain; lush, abundant",pictophonetic,grain -穴,"cave, den, hole",pictographic,The mouth of a cave -穵,"a deep hollow; to dig out, to gouge",pictophonetic,cave -究,"to dig into, to investigate; actually, after all",pictophonetic,cave -穸,"the gloom of the grave; tomb, grave; death",ideographic,A dark 夕 cave 穴; 夕 also provides the pronunciation -穹,"vast, lofty, high; vault, dome, arch",ideographic,An arched 弓 vault 穴; 弓 also provides the pronunciation -空,"hollow, empty, deserted, bare",pictophonetic,cave -阱,"trap, snare, pitfall",ideographic,A farm 阝 with a well 井; 井 also provides the pronunciation -穿,"to drill, to pierce; to dress, to wear",pictophonetic,tooth -窀,to bury,pictophonetic,hole -突,"sudden, abrupt, unexpected",ideographic,A dog 犬 rushing out of a cave 穴 -窄,"narrow, tight; narrow-minded",pictophonetic,cave -窅,"deep, far, hollow; sad; sunken eyes",ideographic,Sunken 穴 eyes 目 -窆,to lower a coffin into a grave,pictophonetic,hole -窈,"obscure, secluded; quiet, refined",pictophonetic,cave -窒,"to obstruct, to stop",pictophonetic,cave -窕,"slender; quiet, modest; charming",pictophonetic,cave -窖,"cellar, storeroom",pictophonetic,cave -窘,distressed; embarrassed; hard-pressed,pictophonetic,cave -窟,"hole, cave; cellar; underground",pictophonetic,cave -窠,"den, nest; hole, indentation",pictophonetic,hole -窣,"to emerge from a hole; rustling, whispering",pictophonetic,hole -窨,"cellar, storeroom",pictophonetic,cave -窝,"cave, den, nest; hiding place; measure word for small animals",pictophonetic,cave -窬,"door, window; a hole in a wall",pictophonetic,hole -穷,"poor, destitute; to exhaust",, -窑,"kiln, oven; pit, coal mine",ideographic,An oven 穴 where pots 缶 are fired; 缶 also provides the pronunciation -窳,"dirty; weak, useless; cracked, flawed",pictophonetic,cave -窭,poor; rustic,pictophonetic,hole -窸,"whisper, faint noise",pictophonetic,cave -窥,"to peep, to spy on, to watch",pictophonetic,hole -窾,hole; hallow; empty,pictophonetic,cave -窿,"mine shaft; cavity, hole",pictophonetic,hole -窜,"to run away; to expel; to revise, to edit",ideographic,Simplified form of 竄; a mouse 鼠 running out of its hole 穴 -窍,"hole, opening, aperture",pictophonetic,hole -窦,sinuses; corrupt; surname,ideographic,To buy someone off 卖; a nose-hole 穴 -窃,"to steal; thief; secret, stealthy",pictophonetic,hole -立,"to stand; to establish, to set up",pictographic,A man standing on the ground 一 -站,"stand, station; to halt, to stand; website; measure word for stands and stations",pictophonetic,stand -竟,"finally, after all, at last; indeed; unexpected",ideographic,A person 儿 finishing a musical piece 音 -章,"chapter, section, writing; seal",ideographic,The ten 十 movements of a piece of music 音 -竣,"to terminate, to finish, to end; to quit",pictophonetic,stand -童,"child, boy; servant boy; virgin",ideographic,A child standing 立 in the village 里 -竦,"to revere, to respect; to be in awe of",, -竖,"perpendicular, vertical; to erect",ideographic,A person 又 standing 立 as straight as a knife 刂 -竭,to exhaust; to put forth great effort,pictophonetic,stand -端,"end, extreme; head; beginning",pictophonetic,stand -竞,"to compete, to contend, to vie",ideographic,To stand up 立 to a foe 兄 -竹,bamboo; flute,pictographic,Two stalks of bamboo -竺,India; bamboo; surname,ideographic,A kind 二 of bamboo ⺮; ⺮ also provides the pronunciation -竽,free reed mouth organ,pictophonetic,flute -竿,bamboo pole; penis,pictophonetic,bamboo -笄,hairpin; fifteen-year-old girl,pictophonetic,bamboo -笆,bamboo fence,pictophonetic,bamboo -笈,bamboo box used carry books,pictophonetic,bamboo -笊,"bamboo ladle, bamboo skimmer",pictophonetic,bamboo -笏,a tablet held by an overseer,pictophonetic,bamboo -笙,free reed mouth organ,pictophonetic,bamboo -笛,bamboo flute; whistle,ideographic,A bamboo ⺮ flute 由 -笞,bamboo rod used for beatings,pictophonetic,bamboo -笠,bamboo hat; bamboo covering,pictophonetic,bamboo -笤,"broom, besom",pictophonetic,bamboo -笥,"hamper, wicker basket",pictophonetic,bamboo -符,"amulet, charm; mark, tag; to correspond to",pictophonetic,bamboo -笨,"stupid, foolish, dull, awkward",pictophonetic,bamboo -笪,a coarse mat of rushes or bamboo,pictophonetic,bamboo -笫,"bed boards, sleeping mat",pictophonetic,bamboo -第,"sequence, number; grade, degree; particle prefacing an ordinal",ideographic,Bamboo strips ⺮ arrayed in sequence; 弟 provides the pronunciation -笮,boards that support roof tiles,pictophonetic,bamboo -笱,a basket trap for fish,pictophonetic,bamboo -笳,reed whistle,pictophonetic,bamboo -笸,a flat grain basket,pictophonetic,bamboo -筀,bamboo (archaic),pictophonetic,bamboo -筅,bamboo brush,pictophonetic,bamboo -笔,"pen, pencil, writing brush; to compose, to write; Hanzi stroke",ideographic,A bamboo rod ⺮ tipped with hair 毛 -筇,bamboo staff,pictophonetic,bamboo -等,"rank, grade; same, equal; to wait",ideographic,Bamboo strips ⺮ laid before a court 寺 -筊,bamboo rope,ideographic,Bamboo ⺮ used to tie 交 things; 交 also provides the pronunciation -筋,muscles; tendons,ideographic,Bamboo-like ⺮ tendons in the chest 肋 -筌,bamboo fish trap,pictophonetic,bamboo -笋,bamboo shoots,pictophonetic,bamboo -筐,bamboo basket or chest,pictophonetic,bamboo -筑,building; a five-string lute,ideographic,A strong  巩 bamboo ⺮ building; ⺮ also provides the pronunciation -筒,"tube, pipe, cylinder; a thick piece of bamboo",pictophonetic,bamboo -答,"answer, reply; to return; to assent to",, -筕,woven bamboo mat,pictophonetic,bamboo -策,"to urge, to whip; method, plan, policy",pictophonetic,bamboo -筘,a roll of cloth,pictophonetic,bamboo -筠,bamboo skin,pictophonetic,bamboo -筢,rake,pictophonetic,bamboo -筦,key; pipe; to be in charge,pictophonetic,bamboo -管,"tube, pipe, duct; to manage, to control",pictophonetic,bamboo -笕,bamboo water pipe,pictophonetic,bamboo -筮,divination using the stalks of plants; divining rod,pictophonetic,divining rod -箸,chopsticks,pictophonetic,bamboo -筱,dwarf bamboo; a diminutive in a nickname,ideographic,Distant 攸 bamboo ⺮; 小 provides the pronunciation -筵,"bamboo mat; banquet, feast",pictophonetic,bamboo -筷,chopsticks,pictophonetic,bamboo -箅,,pictophonetic,bamboo -箍,"hoop; to surround, to bind",ideographic,Bamboo ⺮ bindings 㧜; 㧜 also provides the pronunciation -筝,"guzheng, zither, string instrument",pictophonetic,bamboo -箐,to draw a bamboo bow,pictophonetic,bamboo -箔,"screen, foil, plaited matting; silkworm basket",pictophonetic,bamboo -箕,sieve; dust pan; garbage bag,pictophonetic,bamboo -算,"to calculate, to count; to figure, to plan",ideographic,A bamboo ⺮ abacus 具 -箜,ancient Chinese harp,pictophonetic,bamboo -箝,"tweezers, pincers; pliers, tongs",ideographic,Bamboo ⺮ used to grasp 拑 things; 拑 also provides the pronunciation -箢,,pictophonetic,bamboo -箬,bamboo skin; broad-leaved bamboo,pictophonetic,bamboo -箭,arrow; a type of bamboo,pictophonetic,bamboo -箱,"box, case; chest, trunk",pictophonetic,bamboo -箴,"needle, probe; to admonish, to warn",pictophonetic,bamboo -节,"festival; knot, joint; segment; to economize, to save",ideographic,Simplified form of 節; sections of bamboo ⺮ -篁,bamboo grove,pictophonetic,bamboo -范,"pattern, model, example; surname",pictophonetic,plant -篆,"seal script; seal, stamp",pictophonetic,bamboo -篇,"chapter, section; article, essay",ideographic,A bamboo ⺮ tablet 扁; 扁 also provides the pronunciation -箧,"trunk, chest, box; portfolio",ideographic,A bamboo ⺮ box 匚; 夹 provides the pronunciation -篌,ancient Chinese harp,pictophonetic,bamboo -筼,tall bamboo,pictophonetic,bamboo -篙,a pole used to punt a boat,pictophonetic,bamboo -篚,round covered-basket,pictophonetic,bamboo -篝,bamboo basket; bamboo frame,pictophonetic,bamboo -篡,"to sieze, to usurp",pictophonetic,private -笃,"deep, serious; genuine, sincere, true",, -篥,"bugle, Tartar horn",pictophonetic,flute -篦,fine-toothed comb; to comb one's hair,ideographic,A bamboo ⺮ hair 囟 comb; 比 provides the pronunciation -筛,"screen, sieve; to filter, to sift",pictophonetic,bamboo -篪,bamboo flute,pictophonetic,bamboo -筚,"wicker, bamboo",pictophonetic,bamboo -篷,"awning, covering; sail, tarp; boat",pictophonetic,bamboo -篹,to edit; to collect; a bamboo basket,pictophonetic,seal -纂,"to edit, to compile; to tie a knot",pictophonetic,thread -篼,wicker basket; sedan chair,ideographic,A bamboo ⺮ pouch 兜; 兜 also provides the pronunciation -篾,bamboo splints or slats,ideographic,A framework 罒 made of bamboo ⺮ -箦,reed mat; bedding,pictophonetic,bamboo -簇,"bunch, cluster; crowd, swarm",pictophonetic,bamboo -簉,subordinate; deputy; concubine,pictophonetic,bamboo -簋,bamboo basket for grain,ideographic,A bamboo ⺮ basket 皿 used to store food 艮 -簌,to rustle; falling flower petals,pictophonetic,bamboo -篓,bamboo basket,pictophonetic,bamboo -簏,"box, basket",pictophonetic,bamboo -蓑,straw raincoat,pictophonetic,grass -箪,a small bamboo basket for rice,pictophonetic,bamboo -簟,bamboo mat,pictophonetic,bamboo -简,"simple, succinct, terse; a letter",pictophonetic,bamboo -篑,a bamboo basket for carrying soil,pictophonetic,bamboo -簦,bamboo or straw hat; street-vendor's umbrella,pictophonetic,bamboo -簧,"reed; lock, metal spring",pictophonetic,bamboo -簪,"hairpin, clasp; to wear in the hair",pictophonetic,bamboo -箫,bamboo flute,pictophonetic,bamboo -簸,"dustpan; to winnow, to toss",pictophonetic,bamboo -筜,tall bamboo,pictophonetic,bamboo -签,"to sign, to endorse; a note, a slip of paper",pictophonetic,bamboo -簿,"register, notebook, account book",pictophonetic,bamboo -籀,"to read, to recite; a style of calligraphy",ideographic,A hand 扌 writing 留 with a bamboo ⺮ brush -篮,basket; goal,pictophonetic,bamboo -筹,"chip, tally, token; to plan; to raise money",pictophonetic,bamboo -籍,"register, record, list, census",pictophonetic,bamboo -藤,"ivy, creeper",pictophonetic,plant -籑,"to feed, to provide for; danties, delicacies",pictophonetic,food -馔,"to feed, support, provide for; food",pictophonetic,food -箓,"book, record; book of prophecy",ideographic,A bamboo ⺮ record 录; 录 also provides the pronunciation -箨,"bamboo sheath, bamboo shoots",pictophonetic,bamboo -籁,"bamboo flute; flute, pipe; a musical note",pictophonetic,flute -笼,basket; cage; bamboo basket used to serve dimsum,pictophonetic,bamboo -笾,bamboo container for food,pictophonetic,bamboo -簖,a bamboo trap for catching fish,pictophonetic,bamboo -篱,"bamboo fence; fence, hedge",pictophonetic,bamboo -箩,bamboo basket,pictophonetic,bamboo -米,"rice, millet, grain",pictographic,Grains of rice -籼,non-glutinous long-grain rice,pictophonetic,rice -籽,"seed, pit, pip",ideographic,A grain 米 seed 子; 子 also provides the pronunciation -粉,"powder, flour, cosmetic powder; plaster",pictophonetic,grain -粑,"tsamba, flat rice cake",pictophonetic,rice -粒,"grain, granule; bullet, pellet",pictophonetic,grain -粕,"sediment, lees, dregs",pictophonetic,grain -粗,"rough, think; coarse, rude",pictophonetic,grain -粘,"viscous, sticky, mucous, glutinous",pictophonetic,grain -粞,ground rice; to thresh rice,pictophonetic,rice -粟,"oats, millet, barley",ideographic,A millet plant 米 bearing grain 覀 -粢,common millet; grain offered as a sacrifice,pictophonetic,millet -粥,"porridge, gruel, congee",ideographic,Steaming 弓 rice 米 -粱,"sorghum, millet",pictophonetic,millet -粲,"bright, radiant; smiling; to polish",, -粤,Cantonese; Guandong province,, -粹,"pure, unadulterated; essence",pictophonetic,grain -粼,"clear, limpid (as of water)",pictophonetic,river -粽,a dumpling made of glutinous rice,pictophonetic,rice -精,"essence, germ, spirit",pictophonetic,grain -糅,"to mix, to blend; mixed",pictophonetic,grain -糈,"pay, rations; sacrificial rice",pictophonetic,rice -糌,"zanba, barley bread",pictophonetic,grain -糍,sticky rice; mochi,pictophonetic,rice -糕,"cake, pastry",pictophonetic,rice -糖,"candy, sugar, sweets",pictophonetic,rice -糗,"dry rations; mushy, overcooked; embarrassing",ideographic,Rice 米 that stinks 臭; 臭 also provides the pronunciation -糙,"coarse, harsh, rough; coarse rice",pictophonetic,rice -糜,"rice gruel, congee; mashed",pictophonetic,rice -糁,to mix; a grain of rice,pictophonetic,rice -粪,"manure, dung; shit, excrement",pictophonetic,grain -糟,"sediment, dregs; to waste, to spoil",pictophonetic,grain -糢,rice snacks,pictophonetic,rice -粮,"food, grain, provisions",pictophonetic,grain -糨,"starch, paste; to starch",pictophonetic,rice -糬,sticky rice; mochi,pictophonetic,rice -粝,coarse rice; brown rice,ideographic,Rice 米 that must be ground 厉; 厉 also provides the pronunciation -籴,to purchase grain; to store grain,ideographic,A house 入 where grain 米 is stored -粜,to sell grain,ideographic,A stand 出 where grain 米 is sold -糸,silk; thread,pictographic,A twisted strand of silk -纟,silk; thread,pictographic,A twisted strand of silk; see 糸 -纠,"tangled; to investigate, to unravel",ideographic,To connect 丩 threads 纟; 丩 also provides the pronunciation -纪,"discipline, age; period, era; record, annal",pictophonetic,thread -纣,"saddle strap, harness; an emperor",pictophonetic,thread -约,"treaty, covenant, agreement",pictophonetic,thread -红,"red, vermillion; to blush, to flush; popular",pictophonetic,silk -纡,"to twist, to turn, to bend; to distort",pictophonetic,thread -纥,"inferior silk; tassel, knot, fringe",pictophonetic,silk -纨,gauze; fine white silk,pictophonetic,silk -纫,"to sew, to stitch; to thread a needle",ideographic,To thread 纟 a needle 刃; 刃 also provides the pronunciation -紊,"tangled; confused, disordered",pictophonetic,thread -纹,"line, stripe; pattern, decoration; wrinkle",pictophonetic,thread -纳,"to adopt, to accept; to receive, to take",pictophonetic,silk -纽,"knot; button, handle; tie",pictophonetic,thread -纾,"to relieve; to relax, to loosen; to extricate",ideographic,A thread 纟 with some give 予; 予 also provides the pronunciation -纯,"pure, clean; simple, genuine",pictophonetic,silk -纰,"carelessness; error, mistake; spoiled silk",pictophonetic,silk -纱,"gauze, muslin, yarn",pictophonetic,thread -级,"level, rank; class, grade",pictophonetic,silk -纷,"tangled, scattered; numerous, confused",pictophonetic,thread -纭,confused; numerous,pictophonetic,thread -纴,"to lay warp, to weave; to stitch, to sew",pictophonetic,thread -素,plain; white; vegetarian; formerly; normally,ideographic,A silken thread 糸 hanging off a tree 龶 -纺,"to spin, to weave, to reel",pictophonetic,thread -索,"cable, rope; rules, laws; to demand, to exact; to search, to inquire",ideographic,A rope 糸 hanging from the ceiling 冖 -紫,"purple, violet; amethyst; surname",pictophonetic,silk -累,"tired; to accumulate; to involve; bother, nuisance",ideographic,Simplified form of 纍; growing silk 糸 in the fields 畾; 畾 also provides the pronunciation -细,"fine, detailed; slender, thin",pictophonetic,silk -绂,a cord or ribbon used to hang ornaments,ideographic,A thread 纟 on which ornaments are hung 犮 -绁,"to shorten, to contract; tie, leash",pictophonetic,thread -绅,"girdle, tie; gentry; to bend",pictophonetic,silk -绍,to connect; to introduce,pictophonetic,thread -绀,"purple, violet",pictophonetic,silk -绋,thick rope; the rope around a bier,pictophonetic,thread -绐,"to pretend, to fool, to cheat",pictophonetic,thread -绌,"to stitch, to sew; insufficient",pictophonetic,thread -终,"end; finally, in the end",pictophonetic,thread -组,"to form, to assemble; section, department",pictophonetic,thread -绊,"a loop of thread; shackles, fetters; to stumble, to trip",pictophonetic,thread -绗,to quilt,pictophonetic,thread -结,"knot, tie; to connect, to join",pictophonetic,thread -絓,"to hinder, to obstruct",pictophonetic,thread -绝,"to cut, to sever; to break off, to terminate",pictophonetic,thread -絘,a tax on rolls of cloth,pictophonetic,silk -绦,"silk cord; sash, ribbon, cord",pictophonetic,silk -絜,"line, marking; to assess, to measure",pictophonetic,thread -绔,"pants, trousers, underwear",ideographic,Extravagant 夸 silk 纟 clothes; 夸 also provides the pronunciation -绞,"intertwined; to twist, to wring; to hang a criminal",pictophonetic,thread -络,"web, net; to entangle",pictophonetic,thread -绚,"variegated, adorned; brilliant",pictophonetic,silk -给,"to give, to lend; for, by",pictophonetic,thread -绒,"cotton, silk, velvet, wool",pictophonetic,silk -絮,"cotton padding; fluff, padding, waste; long-winded",pictophonetic,silk -统,"to govern, to command; to gather, to unite",pictophonetic,thread -丝,"silk, fine thread; wire; strings",ideographic,"Simplified form of 絲, two threads" -绛,deep red; a river in Shanxi province,pictophonetic,silk -绢,a kind of thick stiff silk,pictophonetic,silk -絻,mourning veil,pictophonetic,silk -绑,"to tie, to fasten, to bind",pictophonetic,thread -绡,raw silk,pictophonetic,silk -绠,thick rope; well-rope,pictophonetic,thread -绨,"coarse pongee, heavy silk",pictophonetic,silk -绣,to embroider; embroidery; ornament,pictophonetic,silk -绥,"to soothe, to pacify, to appease",pictophonetic,silk -经,"the classics; to experience, to undergo",pictophonetic,thread -综,to sum up; to arrange threads for weaving,pictophonetic,thread -绿,green; chlorine,pictophonetic,silk -绸,"silk cloth, satin damask",pictophonetic,silk -绻,"attached, inseparable, in love",pictophonetic,thread -綦,dark gray; variegated; superlative,pictophonetic,silk -线,"line, thread, wire; clue, trail",pictophonetic,thread -绶,a silk ribbon used as a seal,pictophonetic,silk -维,"to preserve, to maintain, to hold together",pictophonetic,thread -綮,embroidered banner,ideographic,A silk 糸 banner over a door 户 -绾,"to string together, to bind up",pictophonetic,thread -纲,"program, outline; principle, guiding thread",pictophonetic,thread -网,net; network,pictographic,A net for catching fish -绷,"to bind, to strap, to draw firm",pictophonetic,thread -缀,"to connect, to join; to patch up, to stitch together",ideographic,To bind 叕 by thread 纟; 叕 also provides the pronunciation -綷,five-color silk,pictophonetic,silk -纶,silk thread; to twist together; to classify,ideographic,To spin thread 纟 into order 仑; 仑 also provides the pronunciation -绺,"skein; tuft, lock; wrinkle",ideographic,A wrinkle 咎 in a silk 纟 garment; 纟 also provides the pronunciation -绮,"fine silk; elegant, beautiful",pictophonetic,silk -绽,to crack; to burst open; to split at the seams,pictophonetic,thread -绰,"graceful, delicate; spacious",pictophonetic,silk -绫,"thin silk, damask silk",pictophonetic,silk -绵,"continuous, unbroken; cotten, silk; soft, downy",ideographic,A continuous thread 纟 of silk 帛 -绲,"belt, cord, sash; hemming; to sew",pictophonetic,thread -缁,black silk,ideographic,Black 甾 silk 纟; 甾 also provides the pronunciation -紧,"tense, tight, taut; firm, secure",pictophonetic,silk -绯,"crimson, scarlet; purple",pictophonetic,silk -繁,"complex, difficult; many, diverse",pictophonetic,silk -绪,"mental state; thread, clue",pictophonetic,thread -绱,"the sole of a shoe; to patch, to sole",pictophonetic,thread -缃,light-yellow color,pictophonetic,silk -缂,the woof of a woven item,pictophonetic,thread -缉,"to sieze, to arrest; to stich closely",pictophonetic,thread -缎,satin,pictophonetic,silk -缔,"to tie, to join; knot, connection",pictophonetic,thread -缗,fishing line; cord; a string of coins,pictophonetic,thread -缘,"reason, cause; fate; margin, hem",pictophonetic,thread -褓,swaddling cloth; infancy,ideographic,A cloth 衤 used to protect 保 an infant; 保 also provides the pronunciation -缌,fine linen,pictophonetic,silk -编,"to knit, to weave; to arrange, to compile",pictophonetic,thread -缓,"slow, gradual; to postpone, to delay",pictophonetic,thread -缅,"distant, remote; to think of",pictophonetic,thread -纬,warp and woof; lines of latitude,pictophonetic,thread -缑,a tassel on a sword hilt; surname,pictophonetic,silk -缈,"dim, indistinct; distant; minute",ideographic,A veil 纟 over the eyes 眇; 眇 also provides the pronunciation -练,"to drill, to exercise; to practice, to train",pictophonetic,thread -缏,"hem; to braid, to plait",pictophonetic,thread -缇,"orange-red silk; red, brown",pictophonetic,silk -致,"to send; to present, to deliver; to cause; consequence",pictophonetic,rap -萦,"to coil, to entangle, to entwine",pictophonetic,thread -缙,red silk,pictophonetic,silk -缢,to hang; to strangle,pictophonetic,thread -缒,"to climb a rope; to hang, to rappel",pictophonetic,thread -绉,"crepe, imitation silk; wrinkles, creases",pictophonetic,silk -缣,fine silk,pictophonetic,silk -缊,"tangled hemp, raveled silk; vague, confused",pictophonetic,silk -缚,"to tie, to bind",pictophonetic,thread -缜,"fine, detailed; closely woven",pictophonetic,thread -缟,plain white silk,pictophonetic,silk -缛,"elegant, decorative, adorned",pictophonetic,silk -县,"county, district, subdivision",, -縩,the sound of fabric rustling,pictophonetic,silk -缝,"to sew, to mend",pictophonetic,thread -缡,"bridal veil; to tie, to bind",pictophonetic,silk -缩,"to withdraw, to shrink, to pull back; abbreviation",pictophonetic,thread -纵,"to indulge in, to give free reign to",pictophonetic,thread -缧,"chains, bonds",pictophonetic,thread -纤,"fine, delicate; tiny, minute",pictophonetic,silk -缦,"plain silk; simple, plain",pictophonetic,silk -絷,"to tie up, to shackle; to imprison, to confine",ideographic,To capture 执 and bind 糸 someone; 执 also provides the pronunciation -缕,"strand, thread; detailed, precise",pictophonetic,thread -缥,"dim, misty, indistinct; a silk veil",pictophonetic,silk -縻,"harness, halter; to tie up",pictophonetic,thread -总,"to gather, to collect; overall, altogether",ideographic,Many mouths 口 speaking with one mind 心 -绩,"achievements, merit",ideographic,To complete 纟 one's duties 责; 责 also provides the pronunciation -缫,"to draw, to reel in",pictophonetic,thread -缪,"to prepare; error, mistake; attached",pictophonetic,thread -繇,"cause, means, reason",pictophonetic,link -缯,"silk; to tie, to bind; surname",pictophonetic,silk -织,"to knit, to weave; to organize, to unite",pictophonetic,thread -缮,"to repair, to mend; to transcribe, to rewrite",pictophonetic,thread -缭,confused; to bind; to wind around,pictophonetic,thread -绕,"to entwine, to wind around; to orbit, to revolve",pictophonetic,thread -缋,"to sketch, to paint, to draw; multicolored",pictophonetic,silk -襁,swaddling cloth,pictophonetic,cloth -绳,"string, rope, cord; to control",pictophonetic,thread -绘,"to sketch, to paint, to draw",pictophonetic,silk -茧,"cocoon; callus, blister",ideographic,A silk cocoon 艹 spun by a worm 虫 -缰,"bridle, reins",pictophonetic,thread -缳,"noose; to hang; to tie, to bind",pictophonetic,thread -缲,"to spool, to reel",pictophonetic,thread -缴,"to deliver, to submit, to hand over",pictophonetic,thread -绎,to unravel; to interpret,pictophonetic,thread -继,"to continue, to carry on; to succeed, to inherit",pictophonetic,thread -缤,"abundant, diverse, variegated",pictophonetic,thread -缱,"attached, inseparable, in love; entangled",pictophonetic,thread -缬,knot; to tie a knot,pictophonetic,thread -纩,"cotton, silk",pictophonetic,silk -续,"continuous, serial",pictophonetic,thread -缠,"to wrap, to entangle; to involve; to bother, to annoy",pictophonetic,thread -缨,"tassel, ribbon; to bother, to annoy",pictophonetic,thread -缵,"to continue, to carry on; to succeed",pictophonetic,thread -纛,"banner, streamer",ideographic,A silk 系 banner 県; 毒 provides the pronunciation -缆,"cable, hawser, heavy-duty rope",pictophonetic,thread -缶,earthen crock or jar; pottery,pictographic,An earthen jar -缸,"earthen jug, crock, cistern",pictophonetic,pottery -缺,"to lack, to be short; vacancy, gap, deficit",pictophonetic,jar -钵,earthen basin; alms bowl,pictophonetic,gold -罄,"empty; to exhaust, to run out, to use up",pictophonetic,pottery -罅,"crack, fissure, split",ideographic,The sound 虖 of pottery 缶 breaking -罐,"jar, jug, pitcher, pot",pictophonetic,jar -罒,"net, network",, -罓,"net, network",pictographic,A net for catching fish; compare 网 -罕,"rare, scarce; surname",ideographic,An empty 干 fishing net ⺳; 干 also provides the pronunciation -罘,a screen used in ancient times,pictophonetic,net -罟,"net, snare; to implicate",pictophonetic,net -罡,the stars at the end of the Big Dipper,pictophonetic,net -罨,medical compress; fishing net,pictophonetic,net -罩,"cover, shroud; basket for catching fish",pictophonetic,net -罪,"sin, vice; fault, guilt; crime",ideographic,A net 罒 of wrongdoing 非 -置,"to lay out, to place, to set aside",pictophonetic,net -罚,"penalty, fine; to punish, to penalize",ideographic,Simplified form of 罰; to punish 刂 the accused 詈 -罱,fishing net,pictophonetic,net -署,"bureau, public office; to sign",pictophonetic,network -骂,"to accuse, to blame, to curse, to scold",pictophonetic,mouth -罢,"to cease, to finish, to stop, to quit",ideographic,"Stuck in a net 罒, unable to leave 去" -罹,"sorrow, grief; to incur, to meet with",pictophonetic,heart -罾,a large square net for catching fish,pictophonetic,net -罗,"gauze, net; to collect, to display",pictophonetic,net -罴,"brown bear, Ursus arctos",, -羁,"halter; to restrain, to hold, to control",ideographic,A leather 革 halter used to control 罒a horse  马 -羊,"sheep, goat",pictographic,A sheep's head with horns -芈,the bleating of sheep; surname,, -羌,Qiang nationality; surname,pictophonetic, -羍,,pictophonetic,sheep -美,"beautiful, pretty; pleasing",ideographic,A person 大 wearing an elegant crown 羊 -羔,lamb,pictophonetic,sheep -羚,a species of antelope,pictophonetic,sheep -羝,"ram, he-goat",pictophonetic,sheep -羞,"shame, disgrace; shy, ashamed",ideographic,An ugly 丑 sheep 羊 -群,"group, crowd; multitude, mob",pictophonetic,sheep -羟,hydroxide,pictophonetic, -羧,carboxyl group,, -羡,"to envy, to covet; to admire, to praise",ideographic,Someone who has a whole row 次 of sheep 羊 -义,"right conduct, propriety; justice",pictophonetic,sheep; simplified form of 義 -羯,"wether, castrated ram; deer skin",pictophonetic,sheep -羰,carbonyl group,pictophonetic,carbon -羲,"an ancient emperor; breath, vapor",, -膻,a flock of sheep; a rank odor,pictophonetic,meat -羸,"exhausted, weak; emaciated, lean",, -羹,"soup, broth",ideographic,A pleasing 美 lamb 羔 soup -羼,"to confuse, to mix; to interpolate",pictophonetic,body -羽,"feather, plume; wings",pictographic,Two feathers or wings -羿,a legendary archer,ideographic,A man drawing 廾 an arrow 羽 -翁,"old man; father, father-in-law",pictophonetic,feather -翅,wings; fins,pictophonetic,wings -翊,"flying; to assist, to help; to respect",pictophonetic,wings -翌,"bright; dawn, daybreak; tomorrow",, -翎,"plume, tail feathers",pictophonetic,plume -翏,the sound of the wind; to soar,ideographic,To feel the wind 羽 in one's 人 hair 彡 -习,"to study, to practice; habit",, -翔,"to soar, to hover, to glide",pictophonetic,wings -翕,to agree; to open and close the mouth,ideographic,Birds 羽 flocking together 合 -翟,long-tailed pheasant; plume; surname,ideographic,A bird 隹 with a plumed 羽 tail -翠,"kingfisher; jade, emerald",pictophonetic,wings -翡,"kingfisher; jade, emerald",pictophonetic,plume -翥,to soar; to take off,pictophonetic,wings -翦,"scissors; to cut, to clip; to annihilate",pictophonetic,feather -翩,"to fly, to flutter",pictophonetic,wings -翮,"quill, feather stem",pictophonetic,feather -翰,"pen, pencil, writing brush",pictophonetic,plume -翱,to soar; to roam,pictophonetic,wings -翘,"outstanding; to elevate, to lift, to raise",pictophonetic,wings -翻,"to upset, to capsize, to flip over",pictophonetic,wings -翼,"wings, fins; shelter",pictophonetic,wings -耀,"to sparkle, to shine, to dazzle; glory",ideographic,A peacock 翟 with a brilliant 光 tail -老,"old, aged; experienced",pictographic,A person bent over with long hair 匕 and a crutch; compare 耂 -耄,"selderly person; old, senile",pictophonetic,old -者,that which; they who; those who,, -耆,"man of sixty; aged, old",pictophonetic,old -耋,aged; in one's eighties,pictophonetic,old -而,"and, and then, and yet; but",, -耍,"to play, to frolic, to amuse",ideographic,A woman 女 wearing a beard 而 for disguise -耐,"to resist, to bear; patient, enduring",, -耒,plow,pictographic,The handle of a plow -耔,to hoe the soil around one's plants,pictophonetic,plow -耖,,pictophonetic,plow -耗,"to consume, to use up; to squander, to waste",pictophonetic,plow -耘,to weed,pictophonetic,plow -耙,to rake,pictophonetic,plow -耜,"plow, spade",pictophonetic,plow -耠,"to dig, to till",pictophonetic,plow -耤,to plow; to rely on,pictophonetic,plow -耦,"to plow side-by-side; pair, couple; a team of two",pictophonetic,plow -耨,"to hoe, to rake; to weed",pictophonetic,plow -耩,to plow; to sow,ideographic,To dig a hole 冓 with a plow 耒 -耪,"to cultivate, to plow",pictophonetic,plow -耧,a drill for sowing grain,pictophonetic,plow -耢,a kind of farm tool,pictophonetic,plow -耱,a kind of farm tool,pictophonetic,plow -耳,"ear; to hear, to hear of; handle",pictographic,An ear -耵,earwax,pictophonetic,ear -耶,used in transliterations,pictophonetic,ear -耷,drooping ears,pictophonetic,ear -耽,to indulge; to delay,pictophonetic,ear -耿,"bright, shining; brave, loyal",pictophonetic,fire -聃,ears without rims; a nickname,pictophonetic,ear -聆,"to hear, to listen",pictophonetic,ear -聊,"somewhat, slightly, at least",pictophonetic,ear -聒,"clamor, din, hubbub",ideographic,The sound 耳 of a bell 舌 -聘,"to employ, to engage; betrothed",pictophonetic,ear -聚,"to assemble, to collect, to meet",ideographic,"People standing side-by-side 乑, hand-to-ear 取" -闻,"news; to hear, to smell; to make known",pictophonetic,ear -联,"ally, associate; to connect, to join",pictophonetic,ear -聪,"sharp (of sight and hearing); intelligent, clever, bright",pictophonetic,ear -聱,"bent, twisted; overcomplicated",pictophonetic,ear -声,"sound, noise; voice, tone, music",ideographic,Simplified form of 聲; see that character for the etymology -耸,"to excite, to urge; to raise; to shrug; lofty, towering",pictophonetic,ear -聩,deaf,pictophonetic,ear -聂,to whisper; surname,ideographic,A pair 双 of ears 耳 -职,"duty, profession; office, post",pictophonetic,ear -聍,earwax,pictophonetic,ear -聋,deaf,pictophonetic,ear -聿,"writing brush, pencil; thereupon",pictographic,A hand 彐 holding a brush; compare 肀 -肄,"to learn, to practice, to study, to toil",, -肃,"to pay respects; solemn, reverent",, -肆,to indulge; excess; four (bankers' anti-fraud numeral),ideographic,Having long 镸 hair 聿 -肇,"to begin, to start; to originate",, -肉,meat; flesh,pictographic,Meat on the ribs of an animal -肋,ribs; chest,pictophonetic,flesh -肌,"flesh, skin; muscle, tissue; meat on bones",pictophonetic,flesh -肯,"to agree to, to consent, to permit; ready, willing",ideographic,To stop 止 flexing one's muscles ⺼ -胳,arms; armpit,pictophonetic,flesh -肓,abdominal cavity; the area between the heart and diaphragm,pictophonetic,flesh -肖,"to resemble, to look like; to be like",pictophonetic,"flesh - ""in the flesh""" -肘,"elbow, shoulder; to help someone carry a load",pictographic,A arm carrying an object 寸 at the side of the body ⺼ -肙,a small worm; to twist; to surround; empty,ideographic,A head 口 on a long body ⺼ -肚,"belly; abdomen, bowels",pictophonetic,flesh -肜,to sacrifice on two successive days,pictophonetic,meat -肝,liver,pictophonetic,flesh -肟,"oxime, oximide, -oxil",pictophonetic,organic compound -股,"share, portion; thighs, haunches, rump",pictophonetic,flesh -肢,limbs,pictophonetic,flesh -肥,"fat, plump, obese; fertile",pictophonetic,flesh -胚,embryo; an unfinished thing,pictophonetic,flesh -肩,"shoulders; to shoulder, to bear",ideographic,A man bringing home meat ⺼ for the family 户 -肪,animal fat,pictophonetic,meat -肫,"gizzard; honest, sincere",pictophonetic,meat -肭,"fat, blubber; a seal",pictophonetic,meat -肰,dog meat,ideographic,Dog 犬 meat ⺼ -肱,forearm,pictophonetic,flesh -育,"to produce, to give birth to; to educate",ideographic,A pregnant woman with a baby ⺼ in her womb -肺,lungs,pictophonetic,flesh -肼,hydrazine,pictophonetic,organic compound -肽,peptide,pictophonetic,organic compound -胂,arsine,pictophonetic,organic compound -胃,stomach,ideographic,The stomach ⺼ behind the abdominal muscles 田 -胄,helmet; descendant,pictographic,A man ⺼ wearing a helmet 由 -胍,guanidine,pictophonetic,organic compound -胎,"embryo, fetus; car tire",pictophonetic,flesh -胖,"fat, plump, obese; a fat person",pictophonetic,flesh -胗,"measles, pustules, rash",pictophonetic,flesh -胙,meat offered in sacrifice to one's ancestors,pictophonetic,meat -胛,shoulder; shoulder blade,pictophonetic,flesh -胝,"corn, callus",pictophonetic,flesh -胞,"womb, placenta, fetal membrane",pictophonetic,flesh -胠,to open; to throw away,ideographic,To leave 去 in the flesh ⺼; 去 also provides the pronunciation -胡,"recklessly, foolishly; wildly",pictophonetic,meat -胤,"heir, successor; progeny, posterity",ideographic,A small 幺 child ⺼ leaving the womb 儿 -胥,"all, together, mutually",ideographic,A body ⺼ wrapped in cloth 疋 -胩,carbylamine; isocyanide,pictophonetic,organic compound -胬,"pterygium, surfer's eye",pictophonetic,flesh -胭,"cosmetics, rouge",pictophonetic,flesh -胯,"pelvis, groin; thighs",pictophonetic,flesh -胰,pancreas; soap,pictophonetic,flesh -胱,bladder,pictophonetic,flesh -胲,hydroxylamine,pictophonetic,organic compound -胴,the large intestine; the body,pictophonetic,flesh -胸,"breast, bosom; heart, mind",ideographic,A heart ⺼ in the chest 匈; 匈 also provides the pronunciation -胺,amine,pictophonetic,organic compound -胼,"corn, callus",pictophonetic,flesh -能,"can, may; capable, full of energy",pictographic,"A bear's head 厶, body ⺼, and claws 匕" -脂,"fat, grease, lard, oil",pictophonetic,flesh -脆,"fragile, frail; brittle, crisp",ideographic,Something dangerous 危 to one's flesh ⺼ -胁,"to threaten, to coerce; ribs, flank",ideographic,To control 办 another's body ⺼ -脊,"spine, backbone; ridge",ideographic,A vertebra 人 protruding from the flesh ⺼ -脒,to open; to throw away,pictophonetic,meat -脖,neck,pictophonetic,flesh -脘,abdominal cavity,pictophonetic,flesh -胫,"calf, shinbone",pictophonetic,flesh -脞,minced meat; trifles,pictophonetic,meat -脢,flesh,pictophonetic,flesh -脩,dried meat,pictophonetic,meat -脱,"to take off, to shed; to escape from",pictophonetic,flesh -脬,bladder,pictophonetic,flesh -脯,dried meat; preserved fruits,pictophonetic,meat -脲,urea,pictophonetic,organic compound -脷,beef tongue,pictophonetic,meat -胀,"swelling, inflation",pictophonetic,flesh -脾,"spleen, pancreas; temper, disposition",pictophonetic,flesh -腆,"good, strong; prosperous; protruding",pictophonetic,flesh -腈,acrylic,pictophonetic,organic compound -腊,December; year's end sacrifice; dried meat,ideographic,A sacrifice of meat ⺼ for the past year 昔 -腋,armpit,pictophonetic,flesh -腌,"to salt, to cure; to pickle, to marinate",ideographic,Meat ⺼ left 奄 in salt; 奄 also provides the pronunciation -肾,kidney,pictophonetic,flesh -腐,"to spoil, to rot, to decay; rotten",pictophonetic,meat -腑,"bowels, entrails, viscera",pictophonetic,flesh -腓,"leg, calf; to wither, to decay",pictophonetic,flesh -腔,chest cavity; a hollow in the body,pictophonetic,flesh -腕,wrist,pictophonetic,flesh -胨,peptone,pictophonetic,organic compound -腙,an organic compound,pictophonetic,organic compound -腚,buttocks,pictophonetic,flesh -腠,subcutaneous tissue,pictophonetic,flesh -脶,fingerprint,pictophonetic,flesh -腥,"fishy, rank; raw meat",pictophonetic,meat -脑,brain,pictophonetic,flesh -腧,acupoint,pictophonetic,flesh -腩,"brisket, ribs; belly meat",pictophonetic,meat -肿,swelling; swollen; to swell,pictophonetic,flesh -腮,jaw; gills,pictophonetic,flesh -腰,"waist, lower back; middle; pocket",pictophonetic,flesh -腱,"tendon, sinew",pictophonetic,flesh -脚,"leg, foot; foundation, base",pictophonetic,flesh -腴,"fat; rich, fertile; soft, plump",pictophonetic,flesh -肠,intestines; emotions; sausage,pictophonetic,flesh -腹,"stomach, belly, abdomen; inside",pictophonetic,flesh -腺,gland,pictophonetic,flesh -腿,"legs, thighs",ideographic,Flesh ⺼ used to walk 退; 退 also provides the pronunciation -膀,"shoulder, upper arm, wing",ideographic,Flesh ⺼ beside 旁 the body; 旁 also provides the pronunciation -肷,the area between the waist and hips,pictophonetic,flesh -膂,"backbone, spinal column",pictophonetic,flesh -腽,"fat, blubber",pictophonetic,flesh -膈,diaphragm,pictophonetic,flesh -膊,"shoulder, upper arm",pictophonetic,flesh -膏,"grease, fat; ointment, paste",pictophonetic,flesh -膘,sfat; rump,pictophonetic,flesh -肤,"skin; shallow, superficial",pictophonetic,flesh -膛,chest cavity; hollow space,ideographic,A hall 堂 in one's chest ⺼; 堂 also provides the pronunciation -膜,"membrane, film; to kneel and worship",pictophonetic,flesh -胶,"glue, gum, resin, rubber; sticky; to glue",ideographic,Tendons that connect 交 muscles ⺼; 交 also provides the pronunciation -膣,vagina,pictophonetic,flesh -膦,phosphine,pictographic,An organic compound ⺼ containing phosphorous 粦; 粦 also provides the pronunciation -膨,"bloated, inflated, swollen; to swell",pictophonetic,flesh -腻,"greasy, oily, smooth; bored, tired",pictophonetic,flesh -膪,pork,pictophonetic,meat -膫,omentum; the fat covering the intestines,pictophonetic,flesh -膲,"the triple foci, the three visceral cavities",pictophonetic,flesh -膳,"meals, provisions",pictophonetic,meat -膺,"breast, chest; to bear, to undertake",pictophonetic,flesh -胆,"gallbladder; gall, guts, courage",pictophonetic,flesh -脍,"minced meat, minced fish",pictophonetic,meat -脓,pus,pictophonetic,flesh -臀,buttocks,pictophonetic,flesh -臁,"leg, calf",pictophonetic,flesh -臂,arm,pictophonetic,flesh -臃,"to swell up; swollen, fat",pictophonetic,flesh -臆,"chest, breast; thoughts, feelings",ideographic,The part of the body ⺼ that feels 意; 意 also provides the pronunciation -脸,"face, cheek; reputation",pictophonetic,flesh -臊,"shy, bashful; rank, fetid; the smell of urine",pictophonetic,flesh -臌,"swelling, edema; puffy, bloated",pictophonetic,flesh -脐,"navel; belly, underside",pictophonetic,flesh -膑,kneecap,pictophonetic,flesh -胪,"to arrange, to display",pictophonetic,flesh -裸,"bare, nude; to strip, to undress",pictophonetic,clothes -脏,"organs, viscera; dirty, filthy",pictophonetic,flesh -脔,thinly sliced meat,pictophonetic,meat -臜,"dirty, filthy",pictophonetic,meat -臣,"minister, statesman, official, vassal",, -卧,to crouch; to lie down,ideographic,A person 卜 (altered form of 人) laying in bed 臣 -臧,"good, right; generous; to command",pictophonetic,minister -临,"to draw near, to approach; to descend",, -自,"self; private, personal; from",pictographic,"A nose; in China, people refer to themselves by pointing to their noses" -臬,"provincial judge; law, rule; door post",ideographic,A notice 自 posted on a tree 木 -臭,"to reek, to smell, to stink",ideographic,The smell 自 of a dirty dog 犬 -臲,"tottering, unsteady; jumpy, jittery",pictophonetic,precarious -至,"reach, arrive; very, extremely",ideographic,A bird alighting on the ground 土 -臻,"to reach, to arrive; utmost, superior",pictophonetic,reach -臼,mortar; bone joint socket,pictographic,A mortar used to grind out powders -臽,"pit, hole",ideographic,A person ⺈ falling in a pit 臼 -臾,"moment, instant, short while",, -臿,to separate the grain from the husk,ideographic,A mortar 臼 and pestle 千 -舀,to ladle out; to scoop,ideographic,A hand 爫 fetching food from a container 臼 -舁,"to lift, to raise, to carry on one's shoulder",ideographic,Two hands 廾 lifting a mortar 臼 -舂,to grind in a mortar,pictophonetic,mortar -舄,"shoe, the sole of a shoe; magpie",pictographic,A magpie; compare 鳥 -舅,"mother's brother, uncle",pictophonetic,man -与,"and; with; to; for; to give, to grant",, -兴,"to thrive, to prosper, to flourish",, -旧,"old, ancient; former, past",ideographic,Older than 丨 the sun 日 -舋,"split, quarrel, dispute; blood sacrifice",ideographic,A sacrifice made on an altar 且 -舌,tongue; bell clapper,pictographic,A tongue 千 sticking out of a mouth 口 -舐,"to lick, to lap up",pictophonetic,tongue -舒,"relaxed, comfortable; to unfold, to stretch out",pictophonetic,home -舔,"to lick, to taste",pictophonetic,tongue -铺,"shop, store; bed, mattress",pictophonetic,money -馆,"public building; shop, house, establishment",ideographic,A public 官 building where food 饣 is served; 官 also provides the pronunciation -舛,mistaken; to be contrary; to deviate,, -舜,legendary ruler,pictophonetic,claw -舞,to dance; to brandish,ideographic,A hand 舛 holding a fan -舟,"boat, ship",pictographic,A boat -舡,"boat, ship",pictophonetic,boat -舢,"sampan, wooden boat",pictophonetic,boat -舨,"sampan, wooden boat",pictophonetic,boat -船,"ship, boat, vessel",pictophonetic,ship -航,"vessel, craft; to sail, to navigate",pictophonetic,ship -舫,"yacht, fancy boat",pictophonetic,boat -般,"sort, manner, kind, class",ideographic,Using a tool 殳 to sort items on a tray 舟 -舭,bilge,pictophonetic,boat -舲,houseboat; a small boat with windows,pictophonetic,boat -舳,the stern of a ship,pictophonetic,ship -舴,"dinghy, small boat",pictophonetic,boat -舵,"helm, rudder",pictophonetic,boat -舶,"large ship, ocean-going vessel",pictophonetic,ship -舷,"bulwarks, gunwhale",pictophonetic,ship -舸,"barge, large boat",pictophonetic,boat -舾,equipment onboard a ship,pictophonetic,ship -艄,the stern of a ship,pictophonetic,ship -艅,dispatch boat,ideographic,An extra 余 boat 舟; 余 also provides the pronunciation -艇,"dugout, punt, small boat",pictophonetic,boat -艉,the aft of a ship,ideographic,The back 尾 of a ship 舟; 尾 also provides the pronunciation -艋,small boat,pictophonetic,boat -艎,fast boat,pictophonetic,boat -艏,the prow of a ship,ideographic,The head 首 of a ship 舟; 首 also provides the pronunciation -艘,measure word for ships or vessels,pictophonetic,ship -舱,"cabin, ship's hold",ideographic,A ship's 舟 cabin 仓; 仓 also provides the pronunciation -艚,"ship, junk",pictophonetic,ship -艟,ancient warship,pictophonetic,ship -舣,to moor a boat,pictophonetic,boat -舰,warship,pictophonetic,ship -艨,a long narrow war-boat,pictophonetic,boat -舻,the prow of a ship,pictophonetic,ship -艮,"blunt; tough, chewy",, -良,"good, virtuous, respectable",, -艰,"difficult, hard; hardship",pictophonetic,tough -色,"color, tint, hue, shade; beauty, form; sex",ideographic,What a person ⺈ desires 巴 -艴,"angry, showing emotion on one's face",pictophonetic,color -艳,"beautiful, glamorous, sexy, voluptuous",ideographic,Lush 丰 and sexy 色 -草,"grass, herbs; straw, thatch",pictophonetic,grass -艹,"grass, weed, plant, herb",pictographic,Simplified form of 艸; grass sprouting -艻,sweet basil,pictophonetic,herb -艽,large-leaf gentian,pictophonetic,plant -艾,"mugwort, Artemisia vulgaris; used in transliterations",pictophonetic,grass -艿,taro,pictophonetic,plant -芄,leaf-blade vine; Metaplexis,pictophonetic,plant -芊,luxuriant foliage,ideographic,A thousand 千 plants 艹; 千 also provides the pronunciation -芋,taro,pictophonetic,plant -芍,peony; water chestnuts,pictophonetic,plant -芎,Szechuan lovage rhizome,pictophonetic,herb -芏,Shichito matgrass,pictophonetic,grass -芑,white millet,pictophonetic,grass -芒,"blade; ray; silvergrass, Miscanthus sinensis",pictophonetic,grass -芘,common mallow; Malva sylvestris,pictophonetic,plant -芙,lotus; hibiscus,pictophonetic,flower -芝,sesame; a magical mushroom,pictophonetic,plant -芟,"to weed, to mow, to scythe",ideographic,To cut grass 艹 with a scythe 殳; 殳 also provides the pronunciation -芡,"Gorgon plant, fox nut",pictophonetic,plant -芤,"China grass, ramie",pictophonetic,grass -芥,"mustard, broccoli",pictophonetic,plant -芨,Chinese elder tree,pictophonetic,plant -芩,salt-marsh plant,pictophonetic,plant -芪,celery,pictophonetic,plant -芫,a poisonous plant; Daphne genkwa,pictophonetic,plant -芬,"aroma, fragrance, perfume",pictophonetic,flower -芭,a plantain or banana palm,pictophonetic,plant -芮,"tiny, small; the water's edge",pictophonetic,grass -芯,"core, pith; the pith of a rush (Juncus effusus)",ideographic,The heart 心 of a plant 艹; 心 also provides the pronunciation -芰,water caltrop,pictophonetic,plant -花,"flower, blossom; to spend (time or money)",ideographic,A flower 艹 in bloom 化; 化 also provides the pronunciation -芳,"fragrant; beautiful, virtuous",pictophonetic,flower -芴,an edible wild plant,pictophonetic,plant -芷,an angelica herb,pictophonetic,herb -芸,"common rue; diverse, varied",pictophonetic,plant -芹,celery,pictophonetic,plant -刍,"to mow, to cut grass; hay, fodder",pictophonetic,knife -芽,"bud, shoot, sprout",pictophonetic,plant -芾,"flower; lush, luxuriant",pictophonetic,plant -苄,benzyl,pictophonetic, -苊,acenaphthene,pictophonetic, -苑,"pasture, park, garden; mansion",pictophonetic,grass -苒,"lush, luxuriant; ordered, sequential; the passage of time",pictophonetic,grass -苓,"fungus, tuber; licorice",pictophonetic,plant -苔,"moss, lichen",pictophonetic,plant -苕,"rush, reed; trumpet vine",pictophonetic,plant -苗,sprouts; Miao nationality,ideographic,Grass 艹 growing in a field 田 -苘,Indian mallow,pictophonetic,plant -苛,"severe, harsh; rigorous, exacting",pictophonetic,grass -苜,clover,pictophonetic,grass -苞,"bud, flower; rush, reed; to bloom",ideographic,A flower 艹 unfolding 包; 包 also provides the pronunciation -苟,"careless, frivolous, illicit; but, if only",pictophonetic,wild grass -苠,"number, multitude; bamboo skin",pictophonetic,plant -苡,barley,pictophonetic,grass -苣,a kind of lettuce,pictophonetic,plant -苤,kohlrabi,pictophonetic,plant -若,"if, supposing, assuming; similar",, -苦,"bitter; hardship, suffering",pictophonetic,grass -苎,"China grass, ramie",pictophonetic,grass -苫,rush or straw matting,pictophonetic,grass -苯,"benzene, benzol",pictophonetic, -英,"petal, flower, leaf; brave, heroic; English",pictophonetic,flower -苲,hornwort,pictophonetic,plant -苴,hemp; sack-cloth,pictophonetic,grass -苷,licorice,ideographic,A sweet 甘 plant 艹; 甘 also provides the pronunciation -苹,"apple; duckweed, Artemisia",pictophonetic,plant -苻,a kind of herb; Angelica anomala,pictophonetic,herb -茀,weeds; overgrowth,pictophonetic,weed -茁,"to sprout, to flourish; vigorous, healthy",ideographic,Sprouting 出 grass 艹; 出 also provides the pronunciation -茂,"thick, lush, dense; talented",pictophonetic,grass -茄,eggplant,pictophonetic,plant -茅,"rushes, reeds, grass; surname",pictophonetic,grass -茆,water mallow,pictophonetic,grass -茇,"straw, thatch",pictophonetic,grass -茈,a plant yielding a red dye,pictophonetic,plant -茉,white jasmine,pictophonetic,herb -茌,a district in Shandong,pictophonetic,plant -茗,tea; tea leaves; tea plant,pictophonetic,plant -荔,lychee,pictophonetic,plant -茚,indene,pictophonetic, -茛,ranunculus,pictophonetic,plant -茜,"reed, madder; Rubia cordifolia",pictophonetic,plant -茨,"thatching; caltrop, Tribulus terrestris",pictophonetic,grass -茫,"vague, boundless; vast, widespread",pictophonetic,grass -茬,opportunity; farmland after the harvest,pictophonetic,plant -茭,an edible aquatic grass; Zizania aquatica,pictophonetic,grass -茯,China root; medicinal fungus,pictophonetic,herb -茱,dogwood,pictophonetic,plant -兹,"now, here; this; time, year",, -茳,Shichito matgrass,pictophonetic,grass -茴,"fennel, aniseed",pictophonetic,herb -茵,"mattress, cushion; wormwood, Skimmia japon",pictophonetic,grass -茶,tea; tea leaves; tea plant,pictophonetic,plant -茸,"soft, downy; buds, sprouts",pictophonetic,grass -茹,"roots, vegetables",pictophonetic,plant -茼,chrysanthemum; Glebionis coronarium,pictophonetic,plant -荀,"plant, herb; surname",pictophonetic,herb -荃,aromatic herb; fine cloth,pictophonetic,herb -荅,"to answer; small bean; thick, heavy",pictophonetic,plant -荇,"a water plant, Nymphoides peltalum",pictophonetic,plant -荆,"thorns, brambles; surname",ideographic,A plant 艹 armed with thorns 刂 -荞,buckwheat,ideographic,A tall 乔 grass 艹; 乔 also provides the pronunciation -荏,"herb, mint; soft, pliable",pictophonetic,herb -荑,sprout; to weed,pictophonetic,weed -荒,"wasteland, desert; uncultivated",pictophonetic,grass -豆,"beans, peas; bean-shaped",pictographic,An old serving dish 口 on a stand with a lid 一 -荷,"lotus, water lily; burden, responsibility; Holland",pictophonetic,flower -荸,water chestnut,pictophonetic,plant -荻,"rush, reed; Miscanthus saccariflorus",pictophonetic,grass -荼,a bitter vegetable,pictophonetic,plant -荽,coriander,pictophonetic,herb -莆,a kind of legendary tree,pictophonetic,plant -莉,jasmine,pictophonetic,flower -莎,a kind of sedge grass that used to be woven into raincoats,pictophonetic,grass -莒,"taro, hemp; herb;",pictophonetic,plant -莓,moss; edible berries,pictophonetic,grass -茎,"stem, stalk",pictophonetic,grass -莘,"numerous, long; a marsh plant with a medicinal root",pictophonetic,plant -莛,blades of grass,pictophonetic,grass -莜,Avena nuda; a bamboo basket,pictophonetic,plant -莞,"to smile; club-rush, Scirpus lacustris",pictophonetic,plant -莠,"weeds, tares; evil, undesirable",pictophonetic,weed -荚,seed-pod,pictophonetic,plant -苋,amaranth,pictophonetic,plant -莨,Japanese belladonna; Scopolia japonica,pictophonetic,plant -莩,"culm, stem; the membrane lining a stem",pictophonetic,grass -莪,"mugwort, Artemisia",pictophonetic,grass -莫,cannot; do not; is not; negative,, -莰,camphane,pictophonetic, -莽,"thicket, underbrush; rude, impertinent",ideographic,"A dog 犬 surrounded by weeds 艹, 廾" -莿,thorn,ideographic,A plant 艹 that pricks 刺; 刺 also provides the pronunciation -菀,luxuriant foliage,pictophonetic,grass -菁,turnip; a flower of the leek family,pictophonetic,plant -菅,coarse grass; Themedia forskali,pictophonetic,grass -菇,mushroom,pictophonetic,plant -菊,chrysanthemum,pictophonetic,flower -菌,"mushroom; bacteria, germ, microbe",pictophonetic,plant -菏,a river in Shandong province,ideographic,A green 艹 river 河; 河 also provides the pronunciation -菐,thicket,, -菔,turnip,pictophonetic,plant -菖,"iris, sweet flag, Calamus",pictophonetic,grass -菘,"celery, cabbage",pictophonetic,plant -菜,"vegetables; order, dish; food",pictophonetic,plant -菝,Smilax china,pictophonetic,plant -菟,"creeper, parasitic vine; Cuscuta sinensis ",pictophonetic,plant -菠,spinach,pictophonetic,plant -菡,lotus blossom,pictophonetic,plant -菥,pennycress,pictophonetic,plant -菩,"herb, aromatic plant",pictophonetic,herb -菪,"henbane, nightshade",pictophonetic,plant -华,flowery; illustrious; Chinese,pictophonetic,ten -菰,wild rice; Zizania latifolia,pictophonetic,grass -菱,"water chestnut, water caltrop",pictophonetic,grass -菲,"fragrant; rich, luxuriant; the Philippines",pictophonetic,grass -菸,"tobacco, dried leaves; to fade",pictophonetic,plant -菹,salted or pickled vegetables,pictophonetic,plant -菽,legumes,pictophonetic,plant -萁,"pulses, legumes",pictophonetic,plant -萃,"grassy; thick, dense, close; to gather, to assemble",pictophonetic,grass -萄,grapes,pictophonetic,plant -萆,castor oil; the castor-oil plant,pictophonetic,plant -苌,Averrhora carambola; surname,pictophonetic,plant -莱,"weed, goosefoot; fallow field; used in transliterations",pictophonetic,grass -萋,luxuriant foliage,pictophonetic,grass -萌,"bud, germ, sprout; to bud",pictophonetic,plant -萍,"duckweed; to travel, to wander",pictophonetic,grass -萎,"to wither, to wilt",pictophonetic,plant -萏,lotus,pictophonetic,plant -萑,"grass, hay, straw",pictophonetic,grass -萘,naphthalene,pictophonetic, -萜,terpene,pictophonetic, -萱,"day-lily, Hemerocallis fulva",pictophonetic,plant -莴,lettuce,pictophonetic,plant -萸,dogwood,pictophonetic,plant -萼,the stem and calyx of a flower,pictophonetic,plant -落,"to fall, to drop; surplus, net income",pictophonetic,plant -葄,straw mat; straw cushion or pillow,pictophonetic,grass -葆,"dense foliage; to cover, to conceal; to preserve",pictophonetic,grass -葑,the rape-turnip,pictophonetic,plant -荭,herb,pictophonetic,herb -着,"to make a move, to take action",, -著,"to show, to prove, to make known",pictophonetic,plant -葙,feather cockscomb; Celosia argentea,pictophonetic,plant -葚,mulberry fruit,pictophonetic,plant -葛,an edible bean; vine; surname,pictophonetic,plant -葡,"grapes; Portugal, Portuguese",pictophonetic,plant -董,"to direct, to supervise; surname",pictophonetic,plant -荮,grass,pictophonetic,grass -苇,reed,pictophonetic,grass -葩,"petal, corolla; flower",pictophonetic,plant -葫,bottle-gourd,pictophonetic,plant -葭,"bulrush, reed; flute, whistle",pictophonetic,grass -药,"drugs, medicine; the leaf of the Dahurian angelica plant",pictophonetic,plant -葳,flourishing; luxuriant,pictophonetic,grass -葵,sunflower; to measure,pictophonetic,plant -葶,yellow whitlow-grass; Draba nemerosa,pictophonetic,grass -荤,non-vegetarian food; garlic; a foul smell,pictophonetic,plant -葸,"afraid, bashful, insecure",pictophonetic,heart -葺,"thatch; to fix, to repair",pictophonetic,grass -蒂,root cause; the stem of a fruit; the peduncle of a flower,pictophonetic,plant -蒎,pinane,pictophonetic, -蒐,"collect, gather, assemble; seek; spring hunt; assemble for war",, -莼,an edible water plant; Brasenia,pictophonetic,plant -莳,"to transplant, to grow; dill, Anethum graveolens",pictophonetic,herb -蒗,an herb; a place name,pictophonetic,herb -蒜,garlic,pictophonetic,herb -蒟,betel pepper; Amorphophallus konjac,pictophonetic,plant -蒡,great burdock; Arctium lappa,pictophonetic,plant -蒦,to measure; to calculate,, -蒭,"to mow, to cut grass; hay, fodder",ideographic,To mow 芻 grass 艹; 芻 also provides the pronunciation -蒯,"reed, rush; Scirpus cyperinus",ideographic,A shoot 萠 that is cut 刂 for building material -蒲,"vine, rush",pictophonetic,plant -蒴,"capsule, seed-pod",pictophonetic,plant -蒸,"steam, vapor; to evaporate",ideographic,Steam 烝 provides the meaning and sound -蒹,common reed; Phragmites communis,pictophonetic,grass -蒺,"furze, gorse",pictophonetic,plant -蒻,cattail; young rush,pictophonetic,grass -苍,"dark blue; deep green; old, hoary",pictophonetic,grass -蒽,anthracene,pictophonetic, -蒿,"mugwort, wormwood, Artemisia; to give off a scent",pictophonetic,plant -荪,"aromatic grass; flower, iris",pictophonetic,grass -蓁,abundant; luxuriant foliage,pictophonetic,grass -蓂,a lucky place,pictophonetic,grass -蓄,"to store, to save, to hoard, to gather",pictophonetic,plant -蓉,"lotus, hibiscus; Chengdu, Sichuan",pictophonetic,flower -蓊,luxuriant foliage,pictophonetic,grass -盖,"to cover, to hide, to protect",ideographic,A dish 皿 with a lid 羊 -蓍,"yarrow, milfoil; a plant used in divination",pictophonetic,plant -蓐,"straw mat; rushes, reeds",pictophonetic,grass -蓓,flower bud,pictophonetic,plant -蓔,a kind of grass,pictophonetic,grass -蓖,the castor-oil plant; Ricinus commumis,pictophonetic,plant -蓬,"disheveled, unkempt; a type of raspberry",pictophonetic,plant -莲,"lotus, water lily; paradise",pictophonetic,flower -苁,a medicinal herb; Boschniakia glabra,pictophonetic,herb -蓰,to increase five-fold,pictophonetic,grass -蓼,"knotweed, polygonum",pictophonetic,grass -荜,a kind of bean; Piper longtum,pictophonetic,plant -蓿,"alfalfa, clover, lucerne",pictophonetic,grass -蔌,vegetables; surname,ideographic,Plants 艹 that can be eaten 欶; 欶 also provides the pronunciation -蔑,"to disdain, to disregard, to slight",, -蔓,"vine, tendril, creeper",ideographic,A long 曼 plant 艹 ; 曼 also provides the pronunciation -蔗,sugar cane,pictophonetic,plant -蔚,"thick, luxuriant; resplendent, ornamental",pictophonetic,grass -蒌,Artemisia stelleriana,pictophonetic,grass -蔟,nest; silkworm frame; to collect,pictophonetic,grass -蔡,a species of tortoise; surname,, -蒋,Hydropyrum latifalium; surname,pictophonetic,grass -葱,"scallions, leeks, green onions",pictophonetic,grass -茑,mistletoe; parasitic plants,pictophonetic,weed -蔫,"withered, faded, decayed; calm",pictophonetic,grass -蔬,"vegetables, greens",pictophonetic,plant -麻,"hemp, flax, sesame; numb",ideographic,Hemp plants 林 growing in a greenhouse 广 -蔸,measure word for plants,pictophonetic,plant -蔻,"nutmeg, cardamom",pictophonetic,herb -蔽,"to cover, to hide, to shelter",pictophonetic,grass -荨,nettle,pictophonetic,grass -蕃,"abundant, flourishing; barbarians, foreigners",pictophonetic,grass -蒇,"to solve, to finish, to complete",, -蕈,"mushroom, fungus; mildew, mold",pictophonetic,plant -蕉,"banana, plantain",pictophonetic,plant -蕑,a climbing plant; Valeriana villosa,pictophonetic,plant -荬,endive; sow-thistle,pictophonetic,plant -莸,Caryopteris divaricata,pictophonetic,plant -蕖,lotus,pictophonetic,plant -荛,"fuel, firewood; grass, shrub; Wikstroemia japonica",pictophonetic,grass -蕙,a fragrant orchid; Coumarouna odorata,pictophonetic,plant -蕞,"small, petty; to assemble",pictophonetic,grass -蕠,a plant with roots used for red dye; Rubia cordifolia,pictophonetic,plant -蒉,edible amaranth; straw basket,pictophonetic,plant -蕤,"soft, delicate; overgrowth, drooping leaves",pictophonetic,grass -蕨,common bracken; Pteris aquilina,pictophonetic,plant -芜,weeds; overgrowth,pictophonetic,weed -萧,"mournful, desolate; common Artemisa",pictophonetic,solemn -蓣,yam,pictophonetic,plant -蕹,an edible water plant; Ipomoea aquatica,pictophonetic,plant -蕺,Houttuynia cordata,pictophonetic,plant -蕻,"budding, flourishing",pictophonetic,grass -蕾,flower bud,pictophonetic,plant -薄,"thin, slight; meager, weak; poor, stingy",pictophonetic,grass -薅,to weed; to eradicate,pictophonetic,weed -薇,a kind of fern; Osmunda regalis,pictophonetic,plant -荟,"abundant, flourishing",pictophonetic,grass -蓟,"cirsium, thistle; surname",pictophonetic,plant -芗,"fragrant, aromatic; the smell of herbs",pictophonetic,herb -薏,lotus seed; the seed of the Job's tear plant,pictophonetic,plant -蔷,rose,pictophonetic,flower -薛,"wormwood, marsh grass; a feudal state",ideographic,A kind of bitter 辛 grass 艹 -薜,evergreen shrub; Ligusticum,pictophonetic,plant -莶,vine,pictophonetic,plant -薤,"shallots, scallions; Allium bakeri",pictophonetic,grass -荐,"to recommend; to recur, to repeat",ideographic,A perennial; grass 艹 that survives 存 year-after-year -薨,the death of a prince; to swarm,pictophonetic,death -萨,Buddhist diety; used in transliterations,, -薪,"fuel, firewood; salary",ideographic,Freshly-cut 新 wood 艹; 新 also provides the pronunciation -薯,"yam, tuber, potato",pictophonetic,plant -薰,a medicinal herb; to cauterize,pictophonetic,herb -薳,"milkwort, snakeroot; a medicinal herb",pictophonetic,herb -苧,"China grass, ramie",pictophonetic,grass -薶,"sto bury; to dirty, to soil",ideographic,A fox 貍 burying something in the grass 艹 -薷,Elshotria paltrini,pictophonetic,plant -薹,"sedge, grass; Cyperus rotundus",pictophonetic,grass -荠,water chestnut; water caltrop,pictophonetic,plant -藁,"straw, hay; withered, dry",pictophonetic,grass -藇,"fine, beautiful; surname",pictophonetic,grass -藉,"by means of; excuse, pretext; to rely on",ideographic,A plow 耤 is the means used to grow crops 艹 -蓝,blue; indigo plant; surname,pictophonetic,plant -荩,"loyal, faithful; a perennial weed",pictophonetic,weed -藏,"to conceal, to hide; to hoard, to store",pictophonetic,grass -藐,"to despise, to disdain; to disregard, to slight",, -藒,an aromatic herb,pictophonetic,herb -藕,lotus root,pictophonetic,plant -藘,madder; Rubia,pictophonetic,plant -藜,pigweed; Chenopodium album,pictophonetic,grass -艺,"art; talent, ability; craft",pictophonetic,grass -藨,a kind of raspberry,pictophonetic,plant -藩,"boundary, fence, outlying border",pictophonetic,grass -薮,"swamp, marsh; wild country",pictophonetic,grass -苈,magnolia; Drabanemerosa hebecarpa,pictophonetic,plant -蔼,"lush; friendly, affable",pictophonetic,grass -蔺,"hay, straw; surname",pictophonetic,grass -藻,"splendid, magnificent; algae",pictophonetic,grass -藿,"betony, bishop's wort; lophanthus rugosus",pictophonetic,herb -蕲,"to pray, to implore; herb; Artemesia",pictophonetic,herb -蘅,wild ginger; Asarum blumei,pictophonetic,herb -芦,"rushes, reeds",pictophonetic,grass -蕴,"to collect, to gather, to store; profound",pictophonetic,plant -蘑,mushroom,pictophonetic,plant -蘘,wild ginger,pictophonetic,herb -藓,"lichen, moss",pictophonetic,grass -蔹,wild vine; Vitis pentaphylla,pictophonetic,plant -茏,tall grass; water-weeds,pictophonetic,grass -蘧,Dianthus superbus; surname,pictophonetic,plant -蘩,Artemisia stellariana,pictophonetic,plant -兰,"orchid; elegant, graceful",pictographic,An orchid in bloom -蘵,Physalis angulata,pictophonetic,plant -蘸,"to dip (in ink, sauce, etc); to remarry",ideographic,To perform a rite 醮 again (like a perennial 艹) -蓠,red algae; Gracilaria verrucosa,pictophonetic,plant -蘼,millet,pictophonetic,grass -萝,"carrot, radish, turnip",pictophonetic,plant -虍,tiger,, -虎,"tiger; brave, fierce; surname",ideographic,A tiger 虍 standing on a rock 几; 虍 also provides the pronunciation -虐,"cruel, harsh, oppressive",ideographic,A tiger 虍 baring its claws 彐 -虒,an amphibious beast resembling a tiger with one horn; place name,ideographic,A tiger 虎 with one horn 厂 -虔,"reverent, devout",, -处,"to reside at, to live in; place, locale; department",ideographic,To go somewhere 夂 and put down a flag 卜 -虖,"to cry, to howl, to roar",ideographic,A tiger's 虍 roar 乎; 乎 also provides the pronunciation -虚,"false; worthless, hollow, empty; vain",ideographic,A tiger 虍 stalking in the bushes 业 -虏,"prisoner; to capture, to imprison, to sieze",pictophonetic,strength -虞,"anxious, concerned, worried",pictophonetic,tiger -号,"mark, sign; symbol; number; to call, to cry, to roar",pictophonetic,mouth -虢,an ancient feudal State in Shenxi and Hunan,, -亏,"to lose, to fail; loss, damages; deficient",, -虫,"insect, worm; mollusk",pictophonetic, -虬,young dragon,, -虰,dragonfly,ideographic,An adult male 丁 insect 虫; 丁 also provides the pronunciation -虱,"bug, louse, parasite",pictophonetic,insect -蛇,snake,pictophonetic,worm -虹,rainbow,pictophonetic,insect -虺,a large venomous snake,pictophonetic,worm -虻,"horsefly, gadfly",pictophonetic,insect -虼,flea,pictophonetic,insect -蚊,"mosquito, gnat",pictophonetic,insect -蚋,"mosquito, gnat",pictophonetic,insect -蚌,"oysters, mussels; mother-of-pearl",pictophonetic,mollusk -蚍,"mussels, shellfish",pictophonetic,mollusk -蚓,earthworm (2),pictophonetic,worm -蚖,"salamander, newt",pictophonetic,worm -蚜,"aphid, plant louse",pictophonetic,insect -蚣,centipede,pictophonetic,insect -蚤,flea; louse,pictophonetic,insect -蚧,horny toad; red-spotted lizard,pictophonetic,insect -蚨,"a kind of water beetle; cash, dollars, money",pictophonetic,insect -蚩,"worm; ignorant, rustic; to laugh at",pictophonetic,worm -蚪,tadpole,pictophonetic,worm -蚯,earthworm (1),pictophonetic,worm -蚰,millipede,pictophonetic,insect -蚱,"grasshopper; locust, cicada",pictophonetic,insect -蚴,larva,ideographic,An immature 幼 insect 虫; 幼 also provides the pronunciation -蚵,oyster,pictophonetic,mollusk -蚶,"clam, bivalve; Arca inflata",ideographic,A sweet 甘 mollusk 虫; 甘 also provides the pronunciation -蚺,boa constrictor,pictophonetic,worm -蛀,"termite, bookworm; to bore, to eat into",pictophonetic,insect -蛄,mole cricket,pictophonetic,insect -蛆,maggot,pictophonetic,insect -蛉,"dragonfly, sandfly; Libellulidae",pictophonetic,insect -蛋,egg,pictophonetic,insect -蛐,cricket; worm,pictophonetic,insect -蛑,a marine crab,pictophonetic,insect -蛘,rice weevil,pictophonetic,insect -蛙,frog,pictophonetic,insect -蛛,spider,pictophonetic,insect -蛜,woodlouse,pictophonetic,insect -蛞,"snail, slug; mole cricket",pictophonetic,insect -蛟,a legendary scaled dragon,pictophonetic,worm -蛤,clam,pictophonetic,mollusk -蛩,"cricket, locust; anxious",pictophonetic,insect -蛭,leech,pictophonetic,worm -蛵,dragonfly,pictophonetic,insect -蛸,octopus; long-legged spider; mantis nest,pictophonetic,mollusk -蛹,"pupa, chrysalis",pictophonetic,insect -蛱,"butterfly, nymphalid",pictophonetic,insect -蜕,to molt,ideographic,An insect 虫 changing 兑 its skin; 兑 also provides the pronunciation -蛾,moth,pictophonetic,insect -蜀,the name of an ancient state,, -蜃,clam; sea serpent,pictophonetic,mollusk -蚬,"clam, bivalve; Cyclina orientalis",pictophonetic,mollusk -蜇,jellyfish,pictophonetic,mollusk -蜈,centipede,pictophonetic,insect -蜉,wasp; mayfly; large ant,pictophonetic,insect -蜊,clam,pictophonetic,mollusk -螂,"mantis, dung beetle",pictophonetic,insect -蜍,toad (2),pictophonetic,mollusk -蜎,mosquito larva,pictophonetic,insect -蜒,millipede,pictophonetic,insect -蜓,dragonfly,pictophonetic,insect -蜘,spider,pictophonetic,insect -蜚,cockroach,pictophonetic,insect -蜜,"honey, nectar; sweet",pictophonetic,insect -蜞,"lightfoot crab; worm, leech",pictophonetic,insect -蜢,grasshopper,pictophonetic,insect -蜣,dung beetle,pictophonetic,insect -蜥,lizard,pictophonetic,worm -蝶,butterfly,pictophonetic,insect -蜩,"cicada, broad locust",pictophonetic,insect -蜮,toad; legendary turtle,pictophonetic,worm -蜱,"tick, mite",pictophonetic,insect -蜴,lizard,pictophonetic,worm -蜷,to curl one's body; to wriggle like a worm,ideographic,To curl up 卷 like a worm 虫; 卷 also provides the pronunciation -霓,"rainbow; colorful, variegated",ideographic,The child 兒 of a rain cloud 雨 -蜻,dragonfly,pictophonetic,insect -蜾,solitary wasp; potter wasp,pictophonetic,insect -蜿,"to creep, to crawl",ideographic,Crooked 宛 like an insect 虫; 宛 also provides the pronunciation -蝌,tadpole,pictophonetic,worm -蝎,scorpion,pictophonetic,insect -蝓,snail,pictophonetic,mollusk -蚀,"to nibble at, to erode; an eclipse",ideographic,An insect 虫 bite 饣; 饣 also provides the pronunciation -蝗,locust,pictophonetic,insect -蝙,bat,pictophonetic,insect -猬,"porcupine, hedgehog; many, varied; vulgar, low",pictophonetic,animal -蝠,bat,pictophonetic,insect -蠕,"wasp; to wriggle, to squirm",pictophonetic,insect -蝣,mayfly; Ephemera strigata,pictophonetic,insect -蝤,"grub, larva",pictophonetic,insect -蝥,Spanish fly; grain-eating grub,pictophonetic,insect -虾,"shrimp, prawn",pictophonetic,insect -蝮,"viper, venomous snake",pictophonetic,worm -蝰,forest viper; meadow viper,pictophonetic,worm -蝴,butterfly,pictophonetic,insect -蜗,snail; Eulota callizoma,pictophonetic,mollusk -蝻,immature locust,pictophonetic,insect -蝽,bedbug,pictophonetic,insect -螃,crab,pictophonetic,insect -蛳,a snail with a spiral shell,pictophonetic,mollusk -螅,intestinal worm,pictophonetic,worm -螈,silkworm,pictophonetic,insect -螉,wasp,pictophonetic,insect -螋,"earwig, millipede, spider",pictophonetic,insect -融,"to melt, to fuse; to blend, to harmonize",pictophonetic,cauldron -螓,a small cicada with a square head,pictophonetic,insect -螗,a kind of cicada,pictophonetic,insect -蚂,ant; leech,pictophonetic,insect -螟,"caterpillar, larva",pictophonetic,insect -萤,"firefly, glow-worm",pictophonetic,insect -螫,"poison, sting; poisonous insect",pictophonetic,insect -螬,grubs found in fruit,pictophonetic,insect -螭,cruel; a young dragon,pictophonetic,worm -螯,"claws, pincers",pictophonetic,insect -螳,praying mantis,pictophonetic,insect -螵,chrysalis,pictophonetic,insect -螺,"spiral shell, conch; spiral",pictophonetic,insect -蝼,mole cricket; Gryllotalpa africana,pictophonetic,insect -螽,katydid,pictophonetic,insect -蟀,cricket (2),pictophonetic,insect -蛰,to hibernate,pictophonetic,insect -蟆,"frog, toad",pictophonetic,insect -蝈,"cicada, grasshopper; small green frog",pictophonetic,insect -蟊,Spanish fly; grain-eating grub,pictophonetic,insect -蟋,cricket (1),pictophonetic,insect -螨,"mite, insect",pictophonetic,insect -蟑,cockroach,pictophonetic,insect -蟒,"python, boa constrictor",pictophonetic,insect -蟓,silkworm,pictophonetic,insect -蟛,land-crab; Grapsus,pictophonetic,insect -蟜,insect,pictophonetic,insect -蟟,cicada,pictophonetic,insect -蟠,"to occupy; to coil; curled up, coiled",pictophonetic,insect -蟢,spider; caulking,pictophonetic,insect -虮,"nits, lice",pictophonetic,insect -蟥,leech,pictophonetic,worm -蟪,a kind of cicada; Platypleura,pictophonetic,insect -蝉,cicada; continuous,pictophonetic,insect -蟭,"mite, larva; mantis egg",pictophonetic,insect -蟮,earthworm,pictophonetic,worm -蛲,parasitic worm; human pinworm,pictophonetic,worm -蛏,razor clam,pictophonetic,mollusk -蟹,"crab, brachyura",pictophonetic,insect -蚁,ant,pictophonetic,insect -蟾,toad (1),pictophonetic,insect -蠃,solitary wasp; paper wasp,ideographic,A wasp 虫 building a nest in dead 吂 flesh ⺼ -蝇,"fly, musca",ideographic,Insects 虫 that toads 黾 feed on -虿,scorpion,pictophonetic,insect -蠊,cockroach,pictophonetic,insect -蛴,"grubs, maggots",pictophonetic,insect -蝾,lizard,pictophonetic,worm -蠓,"midge, sandfly",pictophonetic,insect -蚝,a poisonous hairy caterpillar,ideographic,A hairy 毛 worm 虫; 毛 also provides the pronunciation -蠖,inch-worm; looper caterpiller,pictophonetic,worm -蠛,small fly,pictophonetic,insect -蜡,"candle, wax; maggot",pictophonetic,insect -蠡,termite; to bore,pictophonetic,insect -蛎,oyster,pictophonetic,mollusk -蟏,a long-legged spider,pictophonetic,insect -蠮,bee,pictophonetic,insect -蛊,"poison, venom; to bewitch, to harm",pictophonetic,insect -蠲,"millipede; glow-worm; bright, clear",pictophonetic,insect -蠵,large turtle,pictophonetic,worm -蚕,silkworm,pictophonetic,insect -蠹,"moth, bookworm; moth-eaten, worm-eaten",pictophonetic,insect -蛮,"barbarians; barbarous, rude, savage",ideographic,Like 亦 insects 虫 -蠼,earwig,pictophonetic,insect -血,blood,ideographic,A chalice 皿 filled with blood 丿 -行,"to go, to walk, to move; professional",ideographic,To take small steps 亍 with one's feet 彳 -衍,to overflow; to spread out,ideographic,Water 氵 going in all directions 行 -术,"skill, art; method, technique; trick",, -衖,"alley, lane",pictophonetic,step -街,"street, road, thoroughfare",pictophonetic,walk -衙,public office; official residence,pictophonetic,go -卫,"to guard, to protect, to defend",, -衡,"to measure, to weigh; to consider, to judge",ideographic,A big 大 horn 角; 行 provides the pronunciation -衢,"highway; thoroughfare, intersection",pictophonetic,step -衣,"cloth; clothes, apparel; dress, coat",pictographic,A woman's dress -衤,cloth,, -表,"to show, to express, to display; outside, appearance; a watch",ideographic,Fur 毛 clothing 衣; a shawl or wrap -衩,"shorts, panties; a slit in a robe",pictophonetic,clothes -衫,"shirt, robe, jacket, gown",pictophonetic,clothes -衰,"weak, feeble; to decline, to falter",ideographic,A person in a robe 衣 with an injury 一 to his head 口 -衲,"to sew, to mend; quilt; patch; cassock",pictophonetic,cloth -衷,"sincere, heartfelt",ideographic,A person in a robe 衣 with his heart 中 marked; 中 also provides the pronunciation -衹,"only, merely, just",pictophonetic,cloth -邪,"wrong, evil, demonic; perverse, depraved, heterodox",, -衽,"collar, lapel",pictophonetic,clothes -衾,"quilt, coverlet",pictophonetic,cloth -衿,"collar, lapel",pictophonetic,clothes -袁,robe; surname,ideographic,A person 口 wearing a robe 衣 -袂,sleeves,pictophonetic,clothes -袈,Buddhist cassock,pictophonetic,clothes -袋,"bag, sack; pocket, pouch",pictophonetic,clothes -袍,"robe, gown, cloak",ideographic,A cloth 衤 wrap 包; 包 also provides the pronunciation -袒,"to strip, to bare",pictophonetic,clothes -袖,sleeve,pictophonetic,clothes -衮,imperial robe; ceremonial dress,ideographic,A duke 公 in his robes 衣 -袟,"bag, satchel; book cover",pictophonetic,cloth -袢,robe,pictophonetic,clothes -袤,longitude; lengthwise; length,pictophonetic,cloth -被,"bedding; a passive particle meaning ""by""",pictophonetic,cloth -袮,"thee, thou; ""you"" when referring to a diety",pictophonetic,you -袱,apants; trousers; panties,ideographic,Something wrapped 伏 in cloth 衤; 伏 also provides the pronunciation -裤,"pants, trousers",pictophonetic,clothes -袷,lined garment,pictophonetic,clothes -袼,"gusset, cloth fitting-sleeve",pictophonetic,cloth -裁,"to trim, to reduce, to cut; judgment",ideographic,To cut 戈 cloth 衣 -裂,"to split, to rend; crevice, crack",pictophonetic,cloth -裇,shirt,pictophonetic,clothes -裉,a garment seam,pictophonetic,clothes -裎,to take off clothes; to bare oneself,ideographic,Take take off clothes 衤; to show 呈 oneself -里,unit of distance equal to 0.5km; village; lane,ideographic,Unit of measure for farm 田 land 土 -裒,"to gather, to collect, to assemble; to praise",pictophonetic,cloth -裔,"progeny, descendants",pictophonetic,bright -裕,"rich, plentiful, abundant",pictophonetic,clothes -裘,fur coat; surname,pictophonetic,clothes -补,"to fix, to mend, to patch, to restore",pictophonetic,cloth -装,"dress, clothes, attire; to wear, to install",pictophonetic,clothes -裟,cassock; monk's robe,pictophonetic,cloth -裨,"to aid, to benefit, to help, to supplement",pictographic,Clothing 衤 for the poor 卑; 卑 also provides the pronunciation -裰,to mend clothes,ideographic,To patch up 叕 clothing 衤; 叕 also provides the pronunciation -裱,to hang (a banner); to mount (a map or scroll),ideographic,To display 表 a cloth 衤 map; 表 also provides the pronunciation -裳,"skirt, petticoat; beautiful",pictophonetic,clothes -裴,flowing gown; surname,pictophonetic,clothes -裹,"to wrap, to encircle; to confine, to bind",pictophonetic,clothes -裼,to take off a top; to divest,ideographic,To change 易 one's top 衤; 易 also provides the pronunciation -裾,"hem, lapel; skirt",pictophonetic,clothes -褂,"coat, jacket; gown, robe",pictophonetic,clothes -褊,"4cramped, narrow; crowded; urgent",pictophonetic,cloth -褐,"coarse wool; dull, brown",pictophonetic,cloth -褒,"to cite; to honor, to praise; to recommend",pictophonetic,clothes -褙,paper or cloth pasted together,pictophonetic,cloth -褚,"bag, valise; to pad, to stuff; surname",pictophonetic,cloth -褟,"singlet, inner shirt; to sew",pictophonetic,clothes -褡,"girdle, loincloth; bag, pouch",pictophonetic,clothes -褥,"mattress, cushion; bedding",pictophonetic,cloth -褪,"to strip, to undress; to fade, to fall off",ideographic,Th take off 退 clothing 衤; 退 also provides the pronunciation -褫,"to strip, to tear off, to undress",pictophonetic,clothes -褰,4undergarment; to pick up one's skirt,pictophonetic,clothes -褱,"to wrap, to conceal; to carry in one's bosom or up one's sleeve",pictophonetic,cloth -裢,a folding purse kept in one's belt,pictophonetic,cloth -褵,bridal veil,pictophonetic,clothes -褶,"wrinkle, pleat, crease",pictophonetic,cloth -褛,"lapel, collar; tattered, threadbare",pictophonetic,cloth -亵,"dirty, ragged; slight, insult, disrespect",ideographic,Hands grasping 执 and tearing apart a dress 衣 -襄,"to aid, to help, to assist; to undress",ideographic,Using two hands 口 to help someone remove their clothes 衣 -裥,"pleats, folds",pictophonetic,cloth -杂,"mix, blend; various, miscellaneous",, -袯,raincoat,pictophonetic,clothes -袄,"coat, jacket, outerware",pictophonetic,clothes -裣,draw one's hands into sleeve,pictophonetic,cloth -襞,"pleat, fold, crease",pictophonetic,cloth -襟,"lapel, collar",ideographic,Cloth 衤 that restricts 禁; 禁 also provides the pronunciation -裆,the crotch or seat of a pair of pants,pictophonetic,clothes -襢,"to strip, to lay bare; naked, bare",ideographic,The truth 亶 hidden under one's robes 衤; 亶 also provides the pronunciation -褴,"ragged, tattered, threadbare",pictophonetic,cloth -襦,"coat, jacket; fine silk fabric",pictophonetic,clothes -袜,"socks, stockings",pictophonetic,clothes -襫,raincoat,pictophonetic,clothes -衬,"underwear, lining; in contrast",pictophonetic,clothes -袭,"to attack, to raid; to inherit",pictophonetic,dragon -襻,"loop, belt, band",ideographic,A belt that holds up 攀 clothes 衤; 攀 also provides the pronunciation -襾,cover,, -西,"west, western, westward",pictographic,"A bird settling into its nest, representing sunset; compare 東" -要,"essential, necessary; to ask for; to coerce; to demand",ideographic,A woman 女 with hands on her waist 覀 -覃,"to reach, to spread to; deep, extensive",ideographic,From the east 早 to the west 覀  -覆,to cover; to overturn; to repeat; to reply,pictophonetic,cover -霸,"tyrant; to usurp, to rule by might",pictophonetic,rain -见,"to see, to observe, to meet, to appear",ideographic,Simplified form of 見; a man 儿 with the eye 目 emphasized -觅,to seek; to search,ideographic,To search for something with eyes 见 and hands 爫 -觇,"to peek, to watch; to investigate, to spy on",ideographic,To watch 见 and observe 占; 占 also provides the pronunciation -觋,wizard,ideographic,One who learns 见 magic 巫 -觎,"to covet, to desire, to long for",pictophonetic,eye -亲,"relatives, parents; intimate; the hazelnut tree",ideographic,A tree 木 bearing fruit 立 -觊,"to covet, to desire, to long for",pictophonetic,eye -觏,to meet unexpectedly,pictophonetic,meet -觐,an audience with the emperor,pictophonetic,meet -觑,"to peep, to watch, to spy on",pictophonetic,see -觉,"conscious; to nap, to sleep; to wake up",pictophonetic,see -览,"to look over, to inspect, to view, to perceive",pictophonetic,see -觌,"audience, interview; face-to-face meeting",pictophonetic,meet -观,"to observe, to spectate; appearance, view",ideographic,To see 见 again 又 -角,"angle, corner; horn, horn-shaped",pictographic,A rhinoceros or other animal horn -觖,to long for; to criticize; dissatisfied,pictophonetic,horn -觚,"jug, goblet; rule, law",pictophonetic,horn -觜,beak,pictophonetic,horn -解,"to explain; to loosen; to unfasten, to untie",ideographic,To cut 刀 the horns 角 off of an ox 牛; 角 also provides the pronunciation -觥,a horn of wine,pictophonetic,horn -觫,"to start, to tremble with fear",pictophonetic,horn -觱,Tartar horn; chill wind,pictophonetic,horn -觳,"goblet, horn; frightened",pictophonetic,horn -觞,wine cup; to propose a toast; feast,pictophonetic,horn -觯,a horn of wine,pictophonetic,horn -触,"to butt, to gore, to ram; to touch",pictophonetic,horn -言,"words, speech; to speak, to say",ideographic,A tongue sticking out of a mouth 口 -讠,"words, speech; to speak, to say",, -订,to make an order; to draw up an agreement,pictophonetic,speech -讣,"obituary, death notice",pictophonetic,speech -訇,a crashing sound,pictophonetic,speech -计,"to calculate, to count; to plan, to reckon; plot, scheme",pictophonetic,speech -讯,"news, information; to question, to interrogate",pictophonetic,speech -讧,confusion; internal strife,ideographic,Dissent 讠 among workers 工; 工 also provides the pronunciation -讨,"to haggle, to discuss; to demand, to ask for",ideographic,To ask 讠 for something 寸 -讦,"to accuse, to pry; to expose secrets",ideographic,Invasive 干 words 讠 -训,"to teach, to instruct; pattern, example; exegesis",pictophonetic,speech -讪,"to abuse, to slander, to vilify; to ridicule",pictophonetic,speech -讫,"to finish, to conclude; to exhaust",pictophonetic,speech -记,"mark, sign; to note, to record",ideographic,A private 己 note 讠; 己 also provides the pronunciation -讹,"to swindle, to cheat; wrong, error; falsehood",pictophonetic,speech -讶,"amazed, surprised; to express surprise",pictophonetic,speech -讼,"to accuse, to argue; to dispute, to litigate",pictophonetic,speech -诀,"to take leave of, to bid farewell; knack, trick",ideographic,Words 讠 said at a parting 夬; 夬 also provides the pronunciation -讷,"inarticulate, slow; to mumble, to stammer",pictophonetic,speech -访,"to visit; to inquire, to ask",pictophonetic,speech -设,"to build, to design; to establish; to offer",pictophonetic,speech -许,"to consent, to permit; to promise, to betroth",pictophonetic,speech -诃,"to scold loudly, to curse, to abuse",pictophonetic,speech -诊,to diagnose; to examine a patient,pictophonetic,speech -证,"to prove, to verify; certificate, proof",ideographic,To speak 讠 the truth 正; 正 also provides the pronunciation -訾,"to criticize, to bad-mouth; defect; betrayal",pictophonetic,speech -诂,"explanation; to comment, to explain",pictophonetic,speech -诋,"to slander; to condem, to reproach",pictophonetic,speech -詈,"to curse, to scold; to accuse",ideographic,To implicate 罒 someone by one's words 言 -讵,an interjection of surprise,pictophonetic,speech -诈,"to cheat, to defraud; sly, treacherous",pictophonetic,speech -诒,"to bequeath, to pass on",pictophonetic,speech -诏,"to proclaim, to decree; imperial decree",ideographic,To issue 讠 a decree 召; 召 also provides the pronunciation -评,"to appraise, to criticize, to evaluate",pictophonetic,speech -诎,"to stutter, to exhaust; to crouch, to bend",pictophonetic,speech -诅,"to curse; to pledge, to swear",pictophonetic,speech -咏,"to sing, to hum, to chant",pictophonetic,mouth -诩,"to brag, to boast; popular, well-known",pictophonetic,speech -询,"to ask about, to inquire into; to consult",pictophonetic,speech -诣,"to reach; achievement, accomplishment",ideographic,To meet 讠 a goal 旨; 旨 also provides the pronunciation -试,"to try, to experiment; exam, test",pictophonetic,speech -诗,"poetry; poem, verse, ode",pictophonetic,speech -诧,"surprised, shocked",pictophonetic,speech -诟,"to abuse, to scold; to berate, to insult",pictophonetic,speech -诡,"to cheat, to defraud; sly, treacherous",pictophonetic,speech -诠,"to expound, to explain, to comment on",pictophonetic,speech -诘,"to question, to interrogate",pictophonetic,speech -话,"talk, speech; language, dialect",ideographic,A spoken 讠 tongue 舌; 舌 also provides the pronunciation -该,"should, ought to, must",pictophonetic,speech -详,"complete, detailed, thorough",pictophonetic,speech -诜,to question; to inform,pictophonetic,speech -酬,"to toast, to entertain; to reward, to compensate",pictophonetic,wine -詹,"talkative, verbose; surname",pictophonetic,speech -诙,"to tease, to joke with; to ridicule, to mock",pictophonetic,speech -诖,"error, mistake; to deceive, to mislead",pictophonetic,speech -诔,"to praise, to eulogize",pictophonetic,speech -诛,"to execute, to kill; to punish",pictophonetic,speech -诓,"to swindle, to cheat; to lie",pictophonetic,speech -认,"to know, to recognize, to understand",pictophonetic,speech -诳,"to lie, to deceive; to delude, to cheat",ideographic,Mad 狂 speech 讠; 狂 also provides the pronunciation -诶,"oh, hey; surprise (tone 2), disagreement (tone 3), agreement (tone 4)",ideographic,To verbally 讠 confirm 矣 ; 矣 also provides the pronunciation -誓,"to swear, to pledge; oath",ideographic,Words 言 that must not be broken 折; 折 also provides the pronunciation -诞,"to give birth, to bear children; birth, birthday",pictophonetic,speech -诱,"to tempt, to persuade, to entice; guide",ideographic,To use elegant 秀 words 讠; 秀 also provides the pronunciation -誙,"definitely, sure!",pictophonetic,speech -诮,"to scold, to blame; to ridicule, to criticize",pictophonetic,speech -语,"words, language; saying, expression",pictophonetic,words -诚,"honest, sincere, true; actually, really",pictophonetic,speech -诫,"to warn, to admonish; warning",ideographic,Words 讠 of warning 戒; 戒 also provides the pronunciation -诬,"to slander, to defame; a false accusation",ideographic,To start 讠 a witch-hunt 巫; 巫 also provides the pronunciation -误,"error, fault, mistake; to delay",pictophonetic,speech -诰,"to grant; to notify, to inform; to order",ideographic,To verbally 讠 inform 告; 告 also provides the pronunciation -诵,"to chant, to recite, to repeat, to read aloud",pictophonetic,speech -诲,"to teach, to instruct; to encourage, to urge",pictophonetic,speech -说,"to speak, to say; to scold, to upbraid",pictophonetic,speech -谁,who? whom? whose? anyone?,pictophonetic,speech -课,"subject, lesson, course; classwork",pictophonetic,speech -谇,"to slander, to defame; to berate",pictophonetic,speech -诽,"to condemn, to slander, to vilify",pictophonetic,speech -谊,"friendship; appropriate, suitable",ideographic,Fitting 宜 speech 讠; 宜 also provides the pronunciation -訚,respectful; to speak gently,pictophonetic,speech -调,"tune, melody, key; to transfer, to exchange",pictophonetic,speech -谄,"to flatter, to cajole; toady, yes-man",pictophonetic,speech -谆,"earnest, patient, sincere",ideographic,One who freely shares 享 advice 讠; 享 also provides the pronunciation -谈,"to talk, to chat; conversation; surname",pictophonetic,speech -诿,"to shirk, to pass the buck, to make excuses",pictophonetic,speech -请,"to ask, to request; to invite; please",pictophonetic,speech -诤,"to admonish, to warn; to criticize",ideographic,Fighting 争 words 讠; 争 also provides the pronunciation -诹,"to consult, to confer with; to select, to choose",ideographic,To receive 取 advice 讠; 取 also provides the pronunciation -诼,"gossip, rumors; to slander",pictophonetic,speech -谅,"to excuse, to forgive; to guess, to presume",pictophonetic,speech -论,debate; discussion,ideographic,Speech 讠 that explains the logic 仑; 仑 also provides the pronunciation -谂,"to counsel, to consult for",ideographic,To give thoughtful 念 advice 讠 -谀,"to flatter, to cajole",pictophonetic,speech -谍,to spy; an intelligence report,pictophonetic,speech -谝,"to brag, to boast; to quibble",pictophonetic,speech -谥,posthumous name or title,pictophonetic,speech -诨,"joke, jest; nickname; obscene joke",pictophonetic,speech -谔,"candid, frank; honest speech",pictophonetic,speech -谛,"careful, attentive; to examine; the truth",pictophonetic,speech -谐,"to joke, to jest; to harmonize, to agree",pictophonetic,speech -谏,"to admonish, to remonstrate",pictophonetic,speech -谕,to proclaim; to instruct; edict,pictophonetic,speech -谘,"to consult, to confer with; recommendation, advice",ideographic,To discuss 讠 a plan 咨; 咨 also provides the pronunciation -讳,"taboo; to shun, to conceal, to avoid mentioning",pictophonetic,speech -谙,"well-versed in, fully acquainted with",pictophonetic,speech -谌,"faithful, sincere; surname",pictophonetic,speech -讽,"sarcastic; to chant, to mock, to ridicule",pictophonetic,speech -诸,"all, many, various; surname",pictophonetic,speech -谚,"proverb, maxim",ideographic,Elegant 彦 words 讠; 彦 also provides the pronunciation -谖,"to forget; to cheat, to lie",pictophonetic,speech -诺,"to promise; to approve, to assent to",pictophonetic,speech -谋,"to plan, to scheme; strategem",pictophonetic,speech -谒,"to visit, to pay respects",pictophonetic,speech -谓,"to call, to say, to tell; name, title; meaning",pictophonetic,speech -誊,"to copy, to transcribe",pictophonetic,speech -诌,"to quip, to play with words, to talk nonsense",pictophonetic,words -謇,to stutter; to speak boldly,pictophonetic,speech -谎,to lie,pictophonetic,speech -谜,"riddle, puzzle, conundrum",ideographic,Bewitching 迷 words 讠; 迷 also provides the pronunciation -谧,"calm, quiet, still; cautious",pictophonetic,speech -谑,to jeer,ideographic,To use cruel 虐 words 讠; 虐 also provides the pronunciation -谡,"to raise; to start, to prepare",pictophonetic,speech -谤,"to slander, to defame",pictophonetic,speech -谦,"humble, modest",pictophonetic,speech -讲,"talk, speech, lecture; to speak, to explain",pictophonetic,speech -谢,to thank; to refuse politely,pictophonetic,speech -谣,"rumor; folksong, ballad",pictophonetic,speech -謦,to speak softly,pictophonetic,speech -谟,"to scheme, to plan; to practice",pictophonetic,speech -谪,"to censure, to blame; to exile, to banish",pictophonetic,speech -谬,"absurd; error, exaggeration",pictophonetic,speech -谫,shallow; stupid,pictophonetic,speech -讴,songs; to sing,pictophonetic,speech -谨,"prudent, cautious, attentive",pictophonetic,speech -谩,"to slight, to insult; to deceive",pictophonetic,speech -谲,"cunning, crafty, sly",ideographic,A bright 矞 wit 讠; 矞 also provides the pronunciation -讥,"to ridicule, to mock, to jeer",pictophonetic,speech -谮,to slander,pictophonetic,speech -识,"knowledge; to understand, to recognize, to know",pictophonetic,speech -谯,"tower; to ridicule, to blame; surname",pictophonetic,speech -谭,surname,pictophonetic,speech -谱,"chart, list, table; spectrum; musical score",pictophonetic,speech -警,"to guard, to watch; alarm, alert",pictophonetic,speech -谵,"talkative; incoherent, babbling",ideographic,Verbose 詹 speech 讠; 詹 also provides the pronunciation -譬,"example; metaphor, simile",pictophonetic,speech -译,"to translate, to interpret; to encode, to decode",pictophonetic,speech -议,"to consult, to talk over; to criticize, to discuss",pictophonetic,speech -谴,"to scold, to reprimand, to abuse",pictophonetic,speech -护,"to defend, to guard, to protect; shelter; endorse",ideographic,Guarding 扌 a home 户; 户 also provides the pronunciation -誉,"fame, reputation; to praise",ideographic,Word 言 of one's success 兴 -读,"to study, to learn; to read, to pronounce",ideographic,To show off 卖 one's literacy 讠 -赞,"to help, to support; to laud, to praise",pictophonetic,money -变,"to change, to transform, to alter; rebel",, -雠,"enemy, rival, opponent",ideographic,Two birds 隹 exchanging angry words 讠; 雔 provides the pronunciation -谗,"to slander, to defame; to misrepresent",pictophonetic,speech -让,"to allow, to permit, to yield",pictophonetic,speech -谰,"to slander, to defame; a false accusation",pictophonetic,speech -谶,"prophecy; hint, omen",pictophonetic,speech -谠,"counsel, advice; to speak out",pictophonetic,speech -谳,"to decide, to judge; decision, verdict",pictophonetic,speech -讬,"to commission, to entrust, to rely on",ideographic,To depend on 乇 someone's word 讠; 乇 also provides the pronunciation -豁,"clear, open; exempt",pictophonetic,valley -豇,kidney bean; black-eyed pea,pictophonetic,beans -岂,what; how,pictophonetic, -豉,fermented beans,pictophonetic,beans -豊,"abundant, lush, bountiful, plenty",ideographic,A stalk bent crooked 曲 by the weight of its beans 豆 -豌,peas,pictophonetic,peas -豕,"pig, boar",pictographic,A pig drawn on its side -豖,a shackled pig,pictographic,A pig 豕 in shackles 丶 -豚,suckling pig; to suckle,pictographic,A pig 豕 suckling at its mother's teat ⺼ -象,"elephant; ivory; figure, image",pictophonetic,boar -豢,"domestic animal; to feed, to raise",pictophonetic,pig -豦,wild boar; to fight,ideographic,A boar 豕 fighting a tiger 虍 -豪,"brave, heroic, chivalrous",pictophonetic,boar -豫,relaxed; hesitant,pictophonetic,elephant -猪,"pig, hog, wild boar",pictophonetic,animal -豱,short-snouted pig,pictophonetic,pig -豳,a Zhou-dynasty state,pictophonetic,mountain -豸,badger; legendary beast,, -豹,"leopard, panther; surname",pictophonetic,beast -豺,"wolf; cruel, mean, wicked",pictophonetic,beast -豻,"prison, jail; a wild dog",pictophonetic,beast -貂,"sable, mink, marten",pictophonetic,beast -貅,"fierce; brave, courageous",pictophonetic,badger -貉,raccoon dog,pictophonetic,beast -貊,leopard; an ancient tribe in northeast China,ideographic,A tribe of a hundred 百 wild beasts 豸 -貌,"countenance, appearance",ideographic,A beast's 豸 appearance 皃; 皃 also provides the pronunciation -猫,cat,pictophonetic,animal -貔,"fox, leopard, panther",pictophonetic,beast -貘,"panther, tapir",pictophonetic,beast -贝,"sea shell; money, currency",pictographic,"A sea shell, once used as currency" -贞,"virtuous, chaste, pure; loyal",, -负,"load, burden; to carry, to bear",ideographic,A person 人 carrying a lot of money 贝 -财,"riches, wealth, valuables",pictophonetic,money -贡,"to offer, to contribute; tribute, gifts",pictophonetic,money -贫,"poor, needy, impoverished; lacking",ideographic,Money 贝 that must be split 分; 分 also provides the pronunciation -货,"products, merchandise; goods, commodities",pictophonetic,money -贩,"merchant, peddler; to deal in, to trade",pictophonetic,money -贪,"greedy, covetous; corrupt",pictophonetic,money -贯,"to pierce, to string up; a string of 1000 coins",pictophonetic,money -责,"one's responsibility, duty",ideographic,Money 贝 that must be repaid -贮,"to store, to stockpile, to hoard",ideographic,Money 贝 kept under one 一 roof 宀 -贳,to borrow; to pardon; loan,pictophonetic,money -赀,"wealth, property; to estimate, to count",pictophonetic,money -贰,two (bankers' anti-fraud numeral),ideographic,A banker's 贝 two 二 with accents to prevent forgery -贵,"expensive, costly; valuable, precious",pictophonetic,money -贬,"to devalue, to demote; to criticize, to censure",ideographic,To devalue 乏 currency 贝 -买,"to buy, to purchase; to bribe, to persuade",, -贷,to borrow; to lend; to pardon,pictophonetic,money -贶,"to bestow, to grant; surname",pictophonetic,money -费,"expenses, fees; to cost, to spend; wasteful",pictophonetic,money -贴,"to stick, to paste; attached; allowance, subsidy",pictophonetic,money -贻,"to hand down, to give to, to bequeath",pictophonetic,money -贸,"commerce, trade",pictophonetic,money -贺,to congratulate; to send a present,ideographic,To add 加 to someone else's fortune 贝 -贲,to forge ahead; energetic; surname,, -赂,bribery; to bribe; to present,, -赁,"to rent, to lease; to hire; employee",ideographic,Someone 任 working for money 贝 -贿,"to bribe; riches, wealth",ideographic,To possess 有 wealth 贝 -赅,to include; to prepare for,pictophonetic,money -资,"wealth, property, capital",pictophonetic,money -贾,"merchant; to buy, to trade; surname",pictophonetic,money -贼,"thief, traitor; cunning, sly",pictophonetic,weapons -賏,necklace; pearls or shells strung together,ideographic,Two shells 貝 strung together -赈,"to relieve, to aid; rich",pictophonetic,money -赊,to buy and sell on credit,pictophonetic,money -宾,"guest, visitor; surname; submit",ideographic,A solider 兵 quartered under one's roof 宀 -赇,to bribe,ideographic,To beseech 求 with money 贝; 求 also provides the pronunciation -赒,to give to charity; to give alms,pictophonetic,money -赉,"to bestow, to confer; surname",pictophonetic,money -赐,to give; to bestow a favor; to appoint,pictophonetic,money -赏,"reward; to appreciate; to bestow, to grant",pictophonetic,money -赔,"to compensate, to pay damages, to suffer a loss",pictophonetic,money -赓,to continue a song,pictophonetic,shell -贤,"virtuous, worthy; good, able",pictophonetic,money -卖,to sell; to betray; to show off,pictophonetic,buy -贱,"cheap, low, mean, worthless",ideographic,Costing little 戋 money 贝; 戋 also provides the pronunciation -赋,"tax; to give, to bestow",ideographic,Money 贝 used to raise an army 武; 武 also provides the pronunciation -赕,"fine, penalty",pictophonetic,money -质,"essence, nature; material, substance",pictophonetic,shell -赍,"gift, present; offering",ideographic,Money 贝 from 从 someone -账,"accounts, bills; credit, debt",pictophonetic,money -赌,"to bet, to gamble, to wager",pictophonetic,money -赖,"to depend on, to rely on; to bilk, to deny; poor",pictophonetic,money -赚,"to earn, to profit, to make money",pictophonetic,money -赙,to contribute to funeral expenses,pictophonetic,money -购,"to buy, to purchase",pictophonetic,money -赛,"to compete, to contend; contest, race",pictophonetic,money -赜,"abstruse, deep, profound",pictophonetic,minister -贽,tribute; a gift given to a superior,pictophonetic,money -赘,"unnecessary, superfluous",pictophonetic,leisure -赠,"to bestow, to confer, to present a gift",pictophonetic,money -赝,"false, bogus; counterfeit; a sham",ideographic,"""Wild goose"" 雁 money 贝; 雁 also provides the pronunciation" -赡,"rich, elegant; to support, to provide for",pictophonetic,money -赢,"to win, to gain; surplus, profit",pictophonetic,money -赆,farewell present,pictophonetic,money -赃,"booty, loot; stolen goods; to bribe",pictophonetic,money -赑,strong,, -赎,ransom; to buy; to redeem,ideographic,To sell 卖 a soul for money 贝; 卖 also provides the pronunciation -赤,"red, scarlet; blushing; bare, naked",ideographic,A person 土 whose cheeks are burning 火 -赦,"to forgive, to pardon, to remit",pictophonetic,let go -赧,"to blush, to turn red",pictophonetic,red -赫,"bright, radiant, glowing",ideographic,Blushing 赤 bright red 赤 -赭,"hematite; ochre, reddish-brown",pictophonetic,red -走,"to walk, to run, to flee",ideographic,Someone 土 stepping with their foot 止 -赳,"gallant, valiant",pictophonetic,walk -赴,"to attend, to go to, to be present",pictophonetic,walk -起,"to begin, to initiate; to rise, to stand up",pictophonetic,walk -赸,to jump; to leave,pictophonetic,flee -趁,"to take advantage of, to seize an opportunity",pictophonetic,walk -趄,"weak, lame",pictophonetic,walk -超,"to jump over, to leap over; to overtake, to surpass",pictophonetic,run -越,"to exceed, to surpass, to transcend",pictophonetic,run -趑,to falter; to be unable to move,ideographic,Unable to put one foot 走 after the other 次; 次 also provides the pronunciation -趔,"to stumble; to halt, to check",pictophonetic,walk -赶,"to pursue, to overtake; to hurry; to expel",pictophonetic,run -赵,ancient state; surname,, -趣,interest; interesting; what attracts one's attention,pictophonetic,walk -趦,to falter; to be unable to move,pictophonetic,walk -趋,"to hurry, to hasten; to approach, to be attracted to",pictophonetic,run -趯,to jump,pictophonetic,flee -趱,"to urge, to hasten; to go in a hurry",pictophonetic,run -足,"foot; to attain, to satisfy; enough",pictographic,The leg 口 above the foot -趴,"prone, lying down, leaning over",pictophonetic,foot -趵,the noise of tramping feet,pictophonetic,foot -趺,"to sit cross-legged; tarsus, instep",pictophonetic,foot -趼,"blister, callus",pictophonetic,foot -趾,"toe; tracks, footprints",pictophonetic,foot -趿,to tread on; slipshod,pictophonetic,foot -跂,"to creep, to crawl",pictophonetic,foot -跆,"to trample, to kick",pictophonetic,foot -跋,"to walk, to travel; epilogue, colophon",pictophonetic,foot -跌,"to stumble, to slip, to fall",ideographic,To lose 失 one's footing 足 -跎,"to stumble, to falter, to vacillate",pictophonetic,foot -跏,"to squat, to sit cross-legged",pictophonetic,foot -跑,"to run, to flee, to escape",pictophonetic,foot -跖,the sole of the foot,pictophonetic,foot -跗,"arch, instep",pictophonetic,foot -跚,"to stagger, to limp",pictophonetic,foot -跛,lame,pictophonetic,foot -距,"distance, gap",pictophonetic,foot -跟,"heel; to accompany, to follow; with",pictophonetic,foot -迹,"trace, sign, mark, footprint",pictophonetic,walk -跣,barefoot,pictophonetic,foot -跤,"to tumble, to fall; to wrestle",pictophonetic,foot -跺,to stamp the feet,pictophonetic,foot -跨,"to straddle, to ride; to span, to stretch across",pictophonetic,foot -跪,to kneel,pictophonetic,foot -跫,the sound of footsteps,pictophonetic,foot -跬,"short step, half-pace",pictophonetic,foot -路,"road, path, street; journey",pictophonetic,foot -跳,"to hop, to skip; to jump, to leap; to vault; to dance",pictophonetic,foot -踩,to step on; to stamp,pictophonetic,foot -跽,to kneel; to get on hands and knees,pictophonetic,foot -踅,to pace; to turn around midway,pictophonetic,foot -踉,"to hop, to jump; hurried, urgent",pictophonetic,foot -踊,to leap,pictophonetic,foot -踏,"to trample, to tread on, to walk over",pictophonetic,foot -践,"to trample, to tread on, to walk over",pictophonetic,foot -踔,"to stride, to excel, to get ahead",pictophonetic,foot -踘,ball,pictophonetic,foot -踝,ankle,pictophonetic,foot -踞,"to crouch, to squat; to occupy",ideographic,To sit 居 on one's feet 足; 居 also provides the pronunciation -踟,"hesitant, undecided; embarrassed",pictophonetic,foot -踢,to kick,pictophonetic,foot -踣,"stiff, corpse-like; rigor mortis",pictophonetic,foot -踥,to take small steps,pictophonetic,foot -踪,"footprints, traces, tracks",pictophonetic,foot -踮,to tip-toe,pictophonetic,foot -逾,"to jump over; to exceed, to surpass",pictophonetic,walk -踱,"to pace, to stroll, to walk slowly",pictophonetic,foot -踵,"heel; to follow; to visit, to call on",pictophonetic,foot -踶,paw,pictophonetic,foot -踹,"to trample, to tread on; to kick; to crush",pictophonetic,foot -踺,to somersault,pictophonetic,foot -踽,to walk alone; self-reliant; hunch-backed,pictophonetic,foot -蹀,"to skip, to dance; to put a foot down",pictophonetic,foot -蹁,to limp,pictophonetic,foot -蹂,"to trample, to tread on",pictophonetic,foot -蹄,hoof; pig's trotter,pictophonetic,foot -蹇,"lame, crippled; nag, donkey; slow, difficult",pictophonetic,foot -蹈,"to dance, to stamp the feet",pictophonetic,foot -蹉,"slip, mistake, error",ideographic,A footstep 足 in error 差; 差 also provides the pronunciation -蹊,"trail, footpath",pictophonetic,foot -蹋,"to step on, to tread on",pictophonetic,foot -跄,"to stagger, to stumble",pictophonetic,foot -跸,to clear the way; to make way for the emperor,pictophonetic,foot -蹙,"to frown, to knit the brows; distressed",pictophonetic,grieving -蹚,"to trample, to wade; muddy, wet",pictophonetic,foot -蹡,to limp; to lurch,pictophonetic,foot -蹒,"to stagger, to limp",pictophonetic,foot -蹦,"to jump, to bounce on; bright",pictophonetic,foot -蹧,to spoil; to ruin,pictophonetic,foot -蹩,to limp,ideographic,A broken 敝 foot 足; 敝 also provides the pronunciation -蹬,to step on; to wear; to face bad luck,pictophonetic,foot -蹭,"to shuffle; to procrastinate, to freeload, to dilly-dally",pictophonetic,foot -蹯,paw,pictophonetic,foot -蹲,"to squat, to crouch",pictophonetic,foot -蹴,to leap; to kick; solemn,ideographic,To approach 就 in one leap 足; 足 also provides the pronunciation -蹶,"to stumble, to fall; to trample",pictophonetic,foot -跷,to stand on tiptoe; stilts,pictophonetic,foot -蹼,webbed feet,pictophonetic,foot -躁,"tense, irritable; rash, hot-tempered",pictophonetic,foot -跶,"to stumble, to slip",pictophonetic,foot -躅,"to walk carefully; to hesitate, to falter",pictophonetic,foot -躇,"to hesitate, to falter; undecided",pictophonetic,foot -趸,to buy or sell wholesale,ideographic,A ten-thousand 万 square-foot 足 warehouse -踌,"to falter, to hesitate; smug, self-satisfied",pictophonetic,foot -跻,"to ascend, to rise",pictophonetic,foot -跃,"to skip, to jump, to frolic",pictophonetic,foot -躐,to stride over; to step across,pictophonetic,foot -踯,"to hesitate, to waver; irresolute",pictophonetic,foot -跞,"to walk, to move",pictophonetic,foot -踬,"to stumble, to totter; to fail, to be frustrated",pictophonetic,foot -躔,"to follow, to imitate; path, rut",pictophonetic,foot -蹰,"to falter, to waver, to hesitate",pictophonetic,foot -跹,to walk about; to revolve; to dance,pictophonetic,foot -躞,to walk,pictophonetic,foot -蹑,"to tip-toe, to walk quietly",ideographic,To walk 足 quietly 聂; 聂 also provides the pronunciation -蹿,"to jump, to leap; to gush, to spurt",pictophonetic,foot -躜,to jump,pictophonetic,foot -躏,"to trample, to oppress; to overrun",pictophonetic,foot -身,"body, torso; person; pregnancy",pictographic,A pregnant woman -躬,"to bow; personally, in person; oneself",ideographic,To bow 弓 one's body 身; 弓 also provides the pronunciation -躲,"to evade, to escape; to hide, to take shelter",pictophonetic,body -躺,"to recline, to lie down",pictophonetic,body -躯,the human body,pictophonetic,body -軃,to hang down,, -车,"cart, vehicle; to move in a cart",pictographic,"Simplified form of 車, a cart with two wheels, seen from above" -轧,"to crush, to grind; mill, roller",pictophonetic,cart -轨,"track, rut, path",pictophonetic,cart -军,"army, military; soldiers, troops",ideographic,Soldiers 冖 (distorted 力) in a cart 车 -轩,pavilion; carriage; balcony,pictophonetic,cart -轫,brake,pictophonetic,cart -轭,"yoke, restraint, collar",pictophonetic,cart -软,"soft, pliable, flexible; weak",pictophonetic,cart -轷,surname,pictophonetic,cart -轸,a cross board at rear of a carriage,pictophonetic,cart -轱,"wheel; to revolve, to turn",pictophonetic,wheel -轴,"axle, pivot, shaft; axis",pictophonetic,wheel -轵,the end of an axle that extends beyond the hub,pictophonetic,wheel -轺,light carriage,pictophonetic,cart -轲,axle,pictophonetic,wheel -轶,"to surpass, to overtake, to excel",pictophonetic,cart -轼,carriage crossbar,pictophonetic,cart -輂,horse-drawn carriage,pictophonetic,cart -较,to compare; relatively; more,pictophonetic,cart -辂,"chariot, carriage",pictophonetic,cart -辁,limited (in talent or ability); a solid wheel without spokes,ideographic,A complete 全 wheel 车; 全 also provides the pronunciation -载,"load; to carry, to convey, to transport",pictophonetic,cart -轾,the back of a cart,pictophonetic,cart -辄,"often, readily; scattered; the weapon-rack of a chariot",pictophonetic,cart -辅,"side road; to assist, to coach, to tutor",pictophonetic,cart -轻,"light, gentle; simple, easy",pictophonetic,cart -辆,measure word for vehicles,ideographic,Two 两 carts 车; 两 also provides the pronunciation -辎,"supply cart, covered wagon, dray",pictophonetic,cart -辉,"brightness, luster",pictophonetic,light -辋,tire; wheel rim,pictophonetic,wheel -辍,"to suspend, to stop, to halt",pictophonetic,cart -辊,"to revolve, to turn; a stone roller",pictophonetic,wheel -辇,hand-cart; to transport by carriage,ideographic,Two people 夫 riding in a cart 车 -辈,"generation, lifetime; contemporary",pictophonetic,wheel -轮,"wheel; to turn, to revolve; to recur",pictophonetic,wheel -辌,"carriage, hearse",pictophonetic,cart -辑,"to gather, to collect; to edit, to compile",pictophonetic,cart -辏,wheel hub; to converge,pictophonetic,wheel -输,"to carry, to haul, to transport",pictophonetic,cart -辐,"ray, spoke",pictophonetic,cart -辗,to roll over; to turn on a side,pictophonetic,cart -舆,"cart, palanquin, sedan chair",ideographic,A cart 车 carried on one's shoulder 舁 -辒,hearse,pictophonetic,cart -毂,the hub of a wheel,pictophonetic,wheel -辖,"to control, to have jurisdiction; the linchpin of a wheel",pictophonetic,cart -辕,axle; magistrate's office; surname,pictophonetic,wheel -辘,"windlass, pulley, capstan",pictophonetic,wheel -转,"to move, to convey; to turn, to revolve, to circle; to forward mail",pictophonetic,cart -辙,"track, rut; stuck in a rut",ideographic,Something left 育 by a cart 车 when it moves 攵 -轿,"sedan-chair, palanquin, litter",ideographic,A lofty 乔 carriage 车; 乔 also provides the pronunciation -辚,the rumbling of wheels,pictophonetic,cart -轗,to fail; to face misfortune,pictophonetic,cart -轘,"punishment, torture; to tear asunder between two chariots",pictophonetic,cart -轰,"rumble, explosion, blast",ideographic,The thunderous sound of a pair 双 of carts 车 -辔,"bridle, reins",ideographic,Rope 纟 yoking a horse to a chariot 车 by its mouth 口 -轹,to run over something in a vehicle,pictophonetic,cart -轳,"pulley, windlass, capstan",pictophonetic,wheel -辛,"bitter; toilsome, laborious; 8th heavenly stem",pictographic,A hot iron used to brand prisoners and slaves -辜,"crime, offense, sin",pictophonetic,bitter -辟,"law, rule; to open up, to develop",ideographic,"A body 尸 decapitated 口 by a sword 辛 , representing the law" -辣,"pepper; hot, spicy; cruel",pictophonetic,bitter -辞,"words, speech; to resign, to take leave",ideographic,Bitter 辛 words 舌 -办,"to set up; to manage, to run; to deal with, to handle",pictophonetic,strength -辨,"to recognize, to distinguish, to discriminate",ideographic,To separate 刂 two alternatives 辛 -辫,"braid, pigtail, plait; queue",pictophonetic,thread -辩,"to argue, to dispute; to discuss, to debate",ideographic,A bitter 辛 exchange of words 讠 -辰,"early morning; fortune, good luck; 5th terrestrial branch",, -辱,"to insult, to humiliate, to abuse",, -农,"agriculture, farming; farmer",pictographic,"Simplified form of 農, tilling the field 田 with a hoe 辰" -辵,to walk; walking,pictophonetic,foot -辶,to walk; walking,pictographic,A foot stepping -迂,"abstruse, pedantic, unrealistic",pictophonetic,walk -迄,"to extend, to reach; till, until",pictophonetic,walk -迅,"quick, hasty; sudden, rapid",ideographic,To walk 辶 quickly 卂; 卂 also provides the pronunciation -迎,"to welcome, to receive, to greet",pictophonetic,walk -近,"to approach; near, close; intimate",pictophonetic,walk -迓,to receive a guest,pictophonetic,walk -返,"to restore, to return, to revert to",ideographic,To walk 辶 backwards 反; 反 also provides the pronunciation -迕,"obstinate, perverse",pictophonetic,walk -迢,"distant, far",pictophonetic,walk -迤,"winding, meandering",pictophonetic,walk -迦,used in transliterations,pictophonetic,walk -迨,"while, until; to seize, to arrest",pictophonetic,walk -迪,"to advance, to enlighten, to make progress",ideographic,To walk 辶 with purpose 由 -迭,"repeatedly, frequently",pictophonetic,walk -迮,to press; hasty; cramped,pictophonetic,walk -述,"to express, to state; to narrate, to tell",pictophonetic,walk -迶,to walk,pictophonetic,walk -迷,"to bewitch, to charm; a fan of; infatuated",pictophonetic,walk -迸,"to gush, to burst; to crack, to split",pictophonetic,walk -追,"to pursue, to chase after; to expel",pictophonetic,walk -退,"to retreat, to step back, to withdraw",pictophonetic,walk -送,"to see off, to send off, to dispatch; to give",ideographic,A person waving 关 to someone walking away 辶 -适,"match, comfortable; just",pictophonetic,walk -逃,"to abscond, to dodge, to escape, to flee",pictophonetic,walk -逄,surname,pictophonetic,walk -逅,to meet unexpectedly,pictophonetic,walk -逆,"to disobey, to rebel; traitor, rebel",ideographic,A disobedient 屰 person 辶; 屰 also provides the pronunciation -逋,"to flee, to run away; to leave a debt unsettled",pictophonetic,walk -逍,"to ramble, to stroll; to jaunt, to loiter",pictophonetic,walk -透,"to pierce, to penetrate, to pass through; thorough",pictophonetic,walk -逐,to pursue; to expel; step by step,pictophonetic,walk -逑,"to unite, to collect; pair, match",pictophonetic,walk -途,"way, road, path, journey, course",pictophonetic,walk -迳,"way, path; straight, direct; to approach",pictophonetic,walk -逖,"distant, far; to keep at a distance",pictophonetic,walk -逗,"to entice, to tempt; to arouse, to stir",pictophonetic,walk -这,"this, these; such; here",, -通,"to pass through, to open, to connect; to communicate; common",pictophonetic,walk -逛,"to ramble, to stroll, to wander",pictophonetic,walk -逝,"to die, to pass away",pictophonetic,walk -逞,"indulge oneself; brag, show off",pictophonetic,walk -速,"prompt, quick, speedy",pictophonetic,walk -造,"to build, to construct, to invent, to manufacture",pictophonetic,walk -逡,"to withdraw, to retreat, to fall back",pictophonetic,walk -逢,"to happen to meet; chance meeting, coincidence",pictophonetic,walk -连,"to join, to connect; continuous; even",ideographic,A cart 车 moving 辶 goods between cities -逭,"to flee, to escape, to avoid",pictophonetic,walk -逮,"to catch, to seize; to arrive, to reach",pictophonetic,walk -逯,to leave without a reason; surname,pictophonetic,walk -进,"to advance, to make progress; to come in, to enter",pictophonetic,walk -逵,"thoroughfare, crossroads",pictophonetic,walk -逶,"winding, curving; to swagger",pictophonetic,walk -逸,"to flee, to escape, to break loose",ideographic,To run 辶 like a rabbit 兔 -遁,"to flee, to escape; to hide, to conceal oneself",ideographic,To escape 辶 to shelter 盾; 盾 also provides the pronunciation -遂,"to fail; to follow, to comply with",pictophonetic,walk -遄,to hurry; to go to and fro,pictophonetic,walk -遇,"to meet, to encounter, to come across",pictophonetic,walk -运,"to run; ship, transport; fortune, luck",pictophonetic,walk -过,"pass; to go across, to pass through",pictophonetic,walk -遏,"to curb, to check, to stop, to suppress",pictophonetic,walk -遐,"distant, far; to abandon, to cast away",pictophonetic,walk -遑,"leisurely; hurried, anxious",pictophonetic,walk -遒,"robust, strong; unyielding",pictophonetic,walk -道,"method, way; path, road",pictophonetic,walk -达,"to reach, to arrive at; intelligent",pictophonetic, -违,"to violate, to disobey, to defy; to separate from",pictophonetic,walk -遘,to meet; to come across,pictophonetic,walk -遥,"distant, remote",pictophonetic,walk -遛,"to walk, to stroll",pictophonetic,walk -逊,"humble, modest; to yield",pictophonetic,walk -递,"to deliver, to hand over; substitute",pictophonetic,walk -远,"distant, remote, far; profound",pictophonetic,walk -遢,"careless, negligent, slipshod",pictophonetic,walk -遣,"to send, to dispatch; to exile, to send off",pictophonetic,walk -遨,"to ramble, to roam; to travel for pleasure",ideographic,To walk 辶 about 敖; 敖 also provides the pronunciation -遭,"to meet, to encounter, to come across",pictophonetic,walk -遮,"to cover, to protect, to shield",pictophonetic,walk -迟,"tardy, slow, late; to delay",pictophonetic,walk -遴,"to select, to choose; surname",pictophonetic,walk -遵,"to follow, to comply with; to honor",ideographic,To follow 辶 or honor 尊 someone; 尊 also provides the pronunciation -迁,"to shift, to move; to transfer, to change",pictophonetic,walk -选,"to select, to elect, to choose; election",pictophonetic,walk -遗,to lose; a lost article,ideographic,To leave 辶 something valuable 贵 behind -辽,"distant, far",pictophonetic,walk -遽,"rapid, sudden, unexpected",pictophonetic,walk -避,"to avoid, to turn away; to escape, to hide",pictophonetic,foot -邀,"to invite, to welcome; to intercept, to meet",pictophonetic,foot -迈,"old; to pass by, to take a stride",ideographic,To take ten thousand 万 steps 辶 -邂,an unexpected meeting,pictophonetic,walk -邃,"profound, mysterious, deep",pictophonetic,cave -还,"also, besides; still, yet; to return",ideographic,Not 不 moving 辶 -迩,"near, close; recent",pictophonetic,walk -邈,"distant, remote; profound",pictophonetic,walk -边,"border, edge, margin, side",pictophonetic,walk -邋,sloppy; rags,pictophonetic,walk -逻,"to patrol, to inspect; patrol, watch; logic",pictophonetic,walk -逦,"winding, meandering",pictophonetic,walk -邑,"area, district, city, state",ideographic,A place 口 where people hope 巴 to settle -邕,former or literary name for Nanning (in Guangxi),ideographic,The area 邑 around a river 巛 -邗,an ancient place in the state of Wu,pictophonetic,place -邘,a state in Henan province,pictophonetic,place -邙,a mountain in Henan province,pictophonetic,place -邛,mound; in distress,pictophonetic,hill -邠,a county in Shaanxi province,pictophonetic,place -邡,a district in Sichuan province,pictophonetic,place -邢,a state in Hebei province; surname,pictophonetic,place -那,"that, that one, those",, -邦,"country, nation, state",ideographic,A bountiful 丰 place 阝 -邨,"village, hamlet; rustic",ideographic,A rustic 屯 town 阝; 阝 also provides the pronunciation -邯,a district in Hebei province,pictophonetic,place -邰,a state in Shanxi province; surname,pictophonetic,place -邱,"mound, hill; grave; surname",ideographic,A place 阝 on a hill 丘; 丘 also provides the pronunciation -邳,a department in the state of Lu,pictophonetic,place -邴,"an ancient city; pleased, happy; surname",pictophonetic,city -邵,various place names; surname,pictophonetic,place -邶,a place in Henan province,pictophonetic,place -邸,official residence,pictophonetic,place -邾,an ancient feudal state in Shandong province,pictophonetic,place -郄,surname,, -郅,"to grow, to flourish; superlative",pictophonetic,city -郇,an ancient feudal state in Shaanxi province,pictophonetic,place -郊,"suburbs, outskirts; wasteland, open space",pictophonetic,place -郎,"gentleman, young man; husband",ideographic,A man from a good 良 place 阝;  良 also provides the pronunciation -郗,an ancient city; surname,pictophonetic,city -郛,suburbs; city walls,pictophonetic,city -郜,a feudal state in Shantong; surname,pictophonetic,place -郝,a place in Shanxi province; surname,pictophonetic,place -郏,a county in Henan province; surname,pictophonetic,place -郡,"county, region, administrative division",pictophonetic,place -郢,a state in Hubei province,pictophonetic,place -郤,"crack, crevice; gap, interval; surname",pictophonetic,valley -部,"department, ministry; division, unit; part, section",pictophonetic,place -郫,,pictophonetic,place -郭,city limits; surname,ideographic,A tall building 享 at the edge of a city 阝 -郯,an ancient city; surname,pictophonetic,city -郴,a county in Hunan province; surname,pictophonetic,place -邮,mail; post office,pictophonetic,place -都,"all, each, entirely, whole; metropolis; capital",pictophonetic,city -郾,a county in Henan province,pictophonetic,place -鄂,Hubei province; startled,pictophonetic,place -鄄,a district in Shandong province,pictophonetic,place -郓,an ancient town; surname,pictophonetic,town -乡,"country, village; rural",, -鄋,a county in Shandong province,pictophonetic,place -邹,an ancient state; surname,pictophonetic,place -邬,various place names; surname,pictophonetic,place -郧,a county in Hubei province,pictophonetic,place -鄙,"rustic, vulgar; to despise, to scorn",pictophonetic,village -鄞,a county in Zhejiang province,pictophonetic,place -鄢,a district in Henan province,pictophonetic,place -鄣,an ancient city in Jiangsu province,pictophonetic,city -鄦,surname,pictophonetic,place -邓,surname,pictophonetic,place -郑,state in today's Henan; surname,ideographic,A city 阝 guarding a pass 关 -鄯,an ancient district in Gansu province,pictophonetic,place -邻,neighbor; neighborhood,pictophonetic,town -鄱,a county and lake in Jiangxi province,pictophonetic,place -郸,a county in Hebei province,pictophonetic,place -邺,a place in Henan province,pictophonetic,place -郐,a state in Henan province,pictophonetic,place -鄹,the name of a state; surname,pictophonetic,place -邝,surname,pictophonetic,place -酃,a district in Hunan province,pictophonetic,place -酆,the name of a Zhou-period state,pictophonetic,place -郦,a place in Henan province,pictophonetic,place -酉,wine; wine vessel; chemical,pictographic,A vessel half-filled with wine -酊,"drunk, intoxicated",pictophonetic,wine -酋,"chief of tribe, chieftain",pictographic,A feathered crown -酌,"to pour wine, to drink wine; to deliberate, to consider",pictophonetic,wine -配,"to blend, to mix; to fit, to match",pictophonetic,wine -酎,"double-fermented wine, vintage wine",pictophonetic,wine -酏,millet wine,pictophonetic,wine -酐,anhydride,pictophonetic,chemical -酒,"wine, spirits, liquor, alcohol",ideographic,A jar 酉 of wine 氵; 酉 also provides the pronunciation -酕,"drunk, blotto",pictophonetic,wine -酖,"poison, bad wine; addicted",ideographic,Suspect 冘 wine 酉 -酗,"violent, raging drunk, blotto",ideographic,A dangerous 凶 drunk 酉 -酚,carbolic acid; phenol,pictophonetic,chemical -酞,phthalein,pictophonetic,chemical -酡,"ruddy, flushed",pictophonetic,wine -酢,a toast to the host,pictophonetic,wine -酣,to enjoy liquor,pictophonetic,wine -酤,to sell liquor,pictophonetic,wine -酥,"butter; crispy, flaky; fluffy, light",pictophonetic,grain -酩,"drunk, tipsy, intoxicated",pictophonetic,wine -酪,"cream, cheese; koumiss",pictophonetic,wine -酮,ketone,pictophonetic,chemical -酯,ester,pictophonetic,chemical -酰,acylate,pictophonetic,chemical -酲,hangover; uncomfortable,pictophonetic,wine -酴,"yeast; wine; to leaven, to ferment",pictophonetic,wine -酵,yeast; to leaven,pictophonetic,wine -酶,enzyme; to ferment,pictophonetic,chemical -酷,"strong, stimulating; ruthless, intense",pictophonetic,wine -酸,"tart, sour; spoiled; acid",ideographic,Wine 酉 aged too long 夋; 夋 also provides the pronunciation -酹,to pour out a libation; to sprinkle,ideographic,A pinch 寽 of wine 酉; 寽 also provides the pronunciation -醄,"drunk, flushed, happy",pictophonetic,wine -醅,unstrained spirits,pictophonetic,wine -醇,"rich, pure, as good as wine",ideographic,Wine 酉 fit to be savored 享 -醉,"intoxicated, drunk; addicted",pictophonetic,wine -醋,"vinegar; jealousy, envy",ideographic,Aged 昔 wine 酉; wine gone sour -醌,quinone,pictophonetic,chemical -醍,essential oil of butter,pictophonetic,wine -醐,the purest cream,pictophonetic,wine -醑,"to filter, to strain",pictophonetic,wine -醒,"to wake up, to startle; to sober up",pictophonetic,wine -醚,ether,pictophonetic,chemical -醛,aldehyde,pictophonetic,chemical -酝,"liquor, spirits, wine; to ferment",pictophonetic,wine -醢,minced pickled meat; to mince,ideographic,Meat 皿 left in wine 酉; 右 provides the pronunciation -醣,carbohydrate,pictophonetic,chemical -醪,"unfiltered wine; sediment, dregs",pictophonetic,wine -医,"to cure, to heal, to treat; doctor; medicine",pictophonetic,arrow -酱,"sauce, paste, jam",pictophonetic,wine -醭,"mold, pond scum",pictophonetic,wine -醮,"to anoint, to perform a rite; Daoist or Buddhist ceremony",pictophonetic,wine -醯,"vinegar, acid; to pickle",pictophonetic,wine -酦,"to ferment, to brew",pictophonetic,wine -醴,sweet wine; sweet spring water,pictophonetic,wine -醵,to contribute for drinks; to pool money,pictophonetic,wine -醺,"drunk, intoxicated",pictophonetic,wine -酿,"to ferment, to brew",pictophonetic,wine -衅,"to quarrel, to dispute; a blood sacrifice",pictophonetic,blood -酾,"to filter, to strain",pictophonetic,wine -酽,"thick, strong (as a beverage)",ideographic,Hard 严 liquor 酉; 严 also provides the pronunciation -釆,"to distinguish; to pick, to gather, to collect",ideographic,Rice 米 ready to be picked -釉,"enamel, glaze",pictophonetic,collect -释,"to explain, to interpret; to release",pictophonetic,collect -重,"heavy, weighty; to double, to repeat",ideographic,A burden carried for a thousand 千 miles 里 -量,"measure, volume; amount, quantity",pictophonetic,unit -金,"gold, metal; money",pictographic,A cast-iron bell -钆,gadolinium,pictophonetic,metal -钇,yttrium,pictophonetic,metal -钌,ruthenium,pictophonetic,metal -钊,"to endeavor, to strive; to encourage; to cut",ideographic,A metal 钅 knife 刂; 刂 also provides the pronunciation -钉,"nail, spike",ideographic,A metal 钅 nail 丁; 丁 also provides the pronunciation -钋,polonium,pictophonetic,metal -釜,"cauldron, kettle, pot",pictophonetic,metal -针,"needle, pin, tack; acupuncture",ideographic,A metal 钅 pin 十 -钓,"fishhook; to fish, to lure",ideographic,A metal 钅 hook 勺; 勺 also provides the pronunciation -钐,samarium,pictophonetic,metal -钏,"bracelet, armlet",pictophonetic,metal -钒,vanadium,pictophonetic,metal -钗,ornamental hairpin,ideographic,A metal 钅 fork 叉; 叉 also provides the pronunciation -钍,thorium,pictophonetic,metal -钕,neodymium,pictophonetic,metal -钎,awl; a tool for boring holes,ideographic,A metal 钅 awl 千; 千 also provides the pronunciation -钯,palladium,pictophonetic,metal -钫,francium,pictophonetic,metal -钭,wine flagon,ideographic,A metal 钅 flask 斗; 斗 also provides the pronunciation -鈆,lead (element),pictophonetic,metal -铅,lead,pictophonetic,metal -钚,plutonium,pictophonetic,metal -钠,"sodium, natrium; to sharpen wood",pictophonetic,metal -钝,"blunt, obtuse; dull, flat; dim-witted",pictophonetic,metal -钩,"hook, barb, sickle; to hook, to link",ideographic,A metal 钅 hook 勾; 勾 also provides the pronunciation -钤,"lock, latch; to stamp, to seal",pictophonetic,metal -钣,metal plate; sheet metal,pictophonetic,metal -钞,"bank note, paper money; to counterfeit",pictophonetic,money -钮,"button, knob; surname",pictophonetic,metal -钧,unit of weight equal to thirty catties; your (formal),pictophonetic,gold -钙,calcium,pictophonetic,metal -钬,holmium,pictophonetic,metal -钛,titanium,pictophonetic,metal -钪,scandium,pictophonetic,metal -鈬,bell; surname,pictophonetic,bell -铌,niobium,pictophonetic,metal -铈,cerium,pictophonetic,metal -钶,columbium,pictophonetic,metal -铃,small bell,pictophonetic,bell -钴,cobalt; clothes-iron,pictophonetic,metal -钹,cymbals,pictophonetic,bell -铍,beryllium,pictophonetic,metal -钰,rare treasure,ideographic,A treasure of gold 钅 and jade 玉; 玉 also provides the pronunciation -钸,plutonium,pictophonetic,metal -铀,uranium,pictophonetic,metal -钿,hairpin; gold-inlaid item; filigree,pictophonetic,gold -钾,potassium,pictophonetic,metal -鉄,"iron; strong, solid, firm",pictophonetic,metal -钜,"steel, iron; great",pictophonetic,metal -铊,thallium,pictophonetic,metal -铉,a device for carrying a tripod,pictophonetic,metal -铋,bismuth,pictophonetic,metal -铂,platinum; thin sheet metal,pictophonetic,metal -钷,promethium,pictophonetic,metal -钳,"pincers, pliers, tongs; to compress",pictophonetic,metal -铆,rivet,pictophonetic,metal -钺,"broad-axe; halberd, battle-axe",ideographic,A metal 钅 axe 戉; 戉 also provides the pronunciation -钲,an army's marching gong,pictophonetic,bell -钼,molybdenum,pictophonetic,metal -钽,tantalum,pictophonetic,metal -铰,"hinge; scissors, shears; to cut",ideographic,Objects with a metal 钅 joint 交; 交 also provides the pronunciation -铒,erbium,pictophonetic,metal -铬,chromium,pictophonetic,metal -鉾,spear,pictophonetic,metal -铪,hafnium,pictophonetic,metal -银,"silver; cash, money, wealth",pictophonetic,money -铳,ancient weapon; blunderbuss,pictophonetic,metal -铜,"copper, bronze",pictophonetic,metal -銎,an axe's eyehole (for hanging it up),pictophonetic,metal -铣,mill,pictophonetic,metal -铨,"to weigh, to measure; to select, to elect; to estimate",pictophonetic,metal -铢,"a unit of weight, about 1 gram",pictophonetic,metal -铭,"to engrave, to inscribe",ideographic,To carve 钅 one's name 名; 名 also provides the pronunciation -铫,hoe; spear; surname,pictophonetic,metal -铑,rhodium,pictophonetic,metal -铷,rubidium,pictophonetic,metal -铱,iridium,pictophonetic,metal -铟,indium,pictophonetic,metal -铵,ammonium,pictophonetic,metal -铥,thulium,pictophonetic,metal -铕,europium,pictophonetic,metal -铯,cesium,pictophonetic,metal -铐,"shackles, manacles",pictophonetic,metal -铞,sword,pictophonetic,metal -锐,"sharp, pointed; keen, acute",pictophonetic,metal -销,"to fuse, to melt; to market, to sell",pictophonetic,metal -锈,"to rust, to corrode",pictophonetic,metal -锑,antimony,pictophonetic,metal -銾,mercury (element),ideographic,Metal 釒 that flows like water 水; 工 provides the pronunciation -铝,aluminum,pictophonetic,metal -锒,"chain, lock; ornament",pictophonetic,metal -锌,zinc,pictophonetic,metal -钡,barium,pictophonetic,metal -鋈,gold- or silver-plated; to plate,pictophonetic,metal -铤,"ingots, metal bars; to hurry",pictophonetic,metal -铗,"tongs, pincers; dagger, sword",ideographic,Metal 钅 used to grasp 夹 items; 夹 also provides the pronunciation -锋,"spear-point; edge, point, tip",pictophonetic,metal -锊,"a unit of weight, about 6 ounces",pictophonetic,metal -锓,to carve,pictophonetic,metal -铘,sword,ideographic,A metal 钅 weapon 邪; 邪 also provides the pronunciation -锄,"hoe; to eradicate, to weed out",ideographic,A metal 钅 tool 助; 助 also provides the pronunciation -锃,"to polish, to shine",pictophonetic,metal -锔,curium,pictophonetic,metal -锇,osmium,pictophonetic,metal -铓,"sword-point; sharp, pointed",ideographic,A metal 钅 blade 芒; 芒 also provides the pronunciation -铖,surname,pictophonetic,gold -锆,zirconium,pictophonetic,metal -锂,lithium,pictophonetic,metal -铽,terbium,pictophonetic,metal -锯,"a saw; to saw, to amputate",pictophonetic,metal -鉴,"mirror, looking glass; to reflect",pictophonetic,metal -钢,"steel; hard, strong, tough",pictophonetic,metal -锞,ingot; acrobatic move,pictophonetic,gold -锖,the color of a mineral,ideographic,A metallic 钅 color 青; 青 also provides the pronunciation -锫,berkelium,pictophonetic,metal -锩,to bend iron,pictophonetic,metal -锥,"gimlet, drill, awl; to drill, to bore",pictophonetic,metal -锕,actinium,pictophonetic,metal -锟,a legendary sword,pictophonetic,metal -锤,hammer,pictophonetic,metal -锱,half-pound; an ancient unit of weight,pictophonetic,metal -铮,clanging sound; a small gong,pictophonetic,bell -锛,adze,pictophonetic,metal -锬,long spear,pictophonetic,metal -锭,"spindle, ingot; tablet, slab",pictophonetic,metal -钱,"money, currency, coins",pictophonetic,money -锦,"brocade, tapestry; embroidered",ideographic,Silk 帛 inlaid with gold 钅; 钅 also provides the pronunciation -锚,anchor,pictophonetic,metal -锡,"tin; to bestow, to confer",pictophonetic,metal -锢,"to run hot metal through a mold; to confine, to restrain, to stop",ideographic,To forge 固 metal 钅; 固 also provides the pronunciation -错,"error, mistake; incorrect, wrong",ideographic,Gold 钅 that once was 昔 but is lost -録,to copy,ideographic,To carve 釒 a record 录; 录 also provides the pronunciation -锰,manganese,pictophonetic,metal -铼,rhenium,pictophonetic,metal -锝,technetium,pictophonetic,metal -锨,shovel,pictophonetic,metal -锪,a kind of tool,pictophonetic,metal -钔,mendelevium,pictophonetic,metal -锴,high-quality iron,pictophonetic,metal -锅,"cooking-pot, saucepan",pictophonetic,metal -镀,"to plate, to gild, to coat",pictophonetic,gold -锷,"high, lofty; sharp; a knife's edge",pictophonetic,metal -铡,a sickle used to cut grass or hay,ideographic,A metal 钅 knife 刂; 则 also provides the pronunciation -锻,"to temper, to refine; to forge metal",pictophonetic,metal -锸,"spade, shovel; marking pin",pictophonetic,metal -锲,"sickle; to cut, to carve, to engrave",ideographic,Something engraved 契 in metal 钅; 契 also provides the pronunciation -锘,nobelium,pictophonetic,metal -鍪,iron pan; metal cap,pictophonetic,metal -锹,shovel,pictophonetic,metal -锾,"to measure; money, coins",pictophonetic,money -键,"lock, door bolt; key",pictophonetic,metal -锶,strontium,pictophonetic,metal -锗,germanium,pictophonetic,metal -钟,clock; bell,pictophonetic,metal -镁,magnesium,pictophonetic,metal -锿,einsteinium,pictophonetic,metal -镅,americium,pictophonetic,metal -镑,pound sterling,pictophonetic,money -鎏,pure gold,pictophonetic,gold -镕,"mold; to fuse, to melt, to smelt",ideographic,A mold that holds 容 hot metal 钅; 容 also provides the pronunciation -锁,"lock, padlock; chains, shackles",pictophonetic,metal -镉,cadmium,pictophonetic,metal -镈,"large bell; hoe, spade",pictophonetic,bell -钨,"tungsten, wolfram",pictophonetic,metal -蓥,"to polish, to shine",ideographic,To polish 艹 a metal 金 cover 冖 -镏,to distill; lutetium; surname,ideographic,A metal 钅 still 留; 留 also provides the pronunciation -铠,"armor, chain mail",pictophonetic,metal -铩,spear; to injure,ideographic,A metal 钅 weapon 杀 -锼,to carve,pictophonetic,metal -镐,stove; bright,pictophonetic,metal -镇,"calm, composed; to control, to suppress",pictophonetic,metal -镒,a measure of weight used for gold,pictophonetic,gold -镍,nickel,pictophonetic,metal -镓,gallium,pictophonetic,metal -镎,neptunium,pictophonetic,metal -镞,"arrowhead, barb; quick, swift",pictophonetic,metal -镟,lathe,pictophonetic,metal -链,"chain, wire; chains, shackles",ideographic,Metal 钅 that joins 连; 连 also provides the pronunciation -鏊,a flat iron cooking-plate for cakes,pictophonetic,metal -镆,sword,pictophonetic,metal -镝,dysprosium,pictophonetic,metal -鏖,to fight to the death; to engage in a fierce battle,pictophonetic,metal -铿,"to strike, to beat; gong, resounding noise",pictophonetic,bell -锵,"clang; jingle, tinkle",pictophonetic,bell -镗,"awl, boring tool",pictophonetic,metal -镘,trowel,pictophonetic,metal -镛,a large bell used as musical instrument,pictophonetic,bell -镜,"mirror, glass; lens, glasses",pictophonetic,metal -镖,"spear, harpoon, dart; to escort",pictophonetic,metal -镂,"to inlay; to engrave, to carve; tattoo",pictophonetic,metal -錾,"chisel, engraving tool",ideographic,A metal 金 cutting tool 斩; 斩 also provides the pronunciation -镚,"dime, small coin",pictophonetic,money -铧,"spade, shovel, plowshare",pictophonetic,metal -镤,protactinium,pictophonetic,metal -镪,"coins, money, wealth",pictophonetic,money -铙,"cymbals, hand-bell; to disturb",pictophonetic,bell -镣,"fetters, leg-irons",pictophonetic,metal -铹,lawrencium,pictophonetic,metal -镦,ferrule; to castrate,pictophonetic,metal -镡,"dagger, dirk, short-sword",pictophonetic,metal -镫,lamp; a kind of cooking vessel,pictophonetic,metal -镢,hoe,pictophonetic,metal -镨,praseodymium,pictophonetic,metal -锎,caesium,pictophonetic,metal -锏,rapier; mace,pictophonetic,metal -镄,fermium,pictophonetic,metal -镌,"engraving tool; to carve, to engrave",pictophonetic,metal -镯,"bracelet, armband; small bell",pictophonetic,metal -镭,radium,pictophonetic,metal -铁,"iron; strong, solid, firm",pictophonetic,metal -铎,bell; surname,pictophonetic,bell -铛,frying pan; warming vessel,pictophonetic,metal -鐾,a flat iron cooking-plate for cakes,pictophonetic,metal -镱,ytterbium,pictophonetic,metal -铸,"to melt, to cast; to mint, to coin",pictophonetic,metal -镬,"cauldron, large iron pot",pictophonetic,metal -镔,high-quality iron,pictophonetic,metal -镲,cymbals,pictophonetic,bell -钻,"diamond; to bore, to drill, to pierce",pictophonetic,metal -镴,"tin, solder",pictophonetic,metal -铄,"to melt, to smelt; polish, shine",pictophonetic,metal -鑢,"file, rasp; to file, to polish",pictophonetic,metal -镳,"bit, bridle; to ride",ideographic,A metal bit 钅 used to saddle 麃 a horse -镥,lutetium,pictophonetic,metal -鑫,prosperity; used in names of people and shops,ideographic,"Much gold 金, representing wealth" -镧,lanthanum,pictophonetic,metal -钥,"lock, key",pictophonetic,metal -镶,"inset, inlay; to set, to mount; to fill",pictophonetic,metal -镊,"tweezers, forceps, pliers; to nip, to pluck",pictophonetic,metal -镩,"iron, pick, poker",pictophonetic,metal -锣,gong,pictophonetic,bell -銮,bells hung on a horse; imperial,ideographic,A bell 金 dangling from a tassel 亦 -凿,"chisel; to bore, to pierce",ideographic,A drill 丵 making a hole 凵 -锺,"cup, glass, goblet; surname",pictophonetic,metal -长,"long, lasting; to excel in",ideographic,Simplified form of 長; an old man with long hair and a cane -镸,long; lasting; to excel in,, -门,"gate, door, entrance, opening",pictographic,An open doorway or gate -闩,"bolt, latch, crossbar",ideographic,A bar 一 laid across a gate 门 -闪,"flash, lightning; to dodge, to evade",ideographic,A man 人 just glimpsed through a door 门 -闫,village gate,pictophonetic,gate -闭,"to shut, to close; to obstruct, to block",ideographic,A door 门 blocked by bars 才 -开,"to open; to start, to initiate, to begin",ideographic,Simplified form of 開; hands 廾 lifting the latch 一 of a door -闶,door,pictophonetic,door -闳,"barrier, gate; vast, wide; to expand",pictophonetic,gate -闰,"intercalary; extra, surplus",pictophonetic,royal decree -闲,"fence, guard; to defend; idle time",ideographic,A wooden fence 木 with a door 门 -閒,"leisure, idle time; tranquil, peaceful, calm",ideographic,The moon 月 seen through a door 門; night-time -间,"between, among; midpoint; space, place, locality",ideographic,The sun 日 shining through a doorway 门 -闵,"to mourn, to grieve; to incite, to urge on",pictophonetic,culture -闹,"busy, lively; to dispute, to quarrel",ideographic,As busy as the market 市 gate 门 -阂,"separated, blocked; to prevent, to block",pictophonetic,gate -阁,"cabinet, chamber, pavilion",pictophonetic,door -阀,"clique, valve; a powerful and influential group",pictophonetic,gate -閦,"busy, crowded; used in transliterations",ideographic,A crowd 众 walking through a gate 門 -闺,women's quarters; lady's apartment,pictophonetic,gate -闽,Fujian province; a river; a tribe,pictophonetic,insect -阃,threshold; women's quarters,pictophonetic,gate -阆,"high door, high gate; high, lofty",ideographic,A lofty 良 gate 门; 良 also provides the pronunciation -闾,a village of twenty-five families,pictophonetic,gate -阅,"to examine, to inspect; to read, to review",, -阊,the gates of heaven; the main gate of a palace,ideographic,A heavenly 昌 gate 门; 昌 also provides the pronunciation -阉,eunuch; to castrate,pictophonetic,gate -阎,village gate; surname,pictophonetic,gate -阏,"to block, to obstruct, to stop up",pictophonetic,gate -阍,"gatekeeper; gate, door",pictophonetic,gate -阈,"threshold; separated, confined",ideographic,Separated 或 by a gate 门 -阌,a place in the Henan province,, -阒,"alone; quiet, still",pictophonetic,gate -闱,"gate, door; living quarters",pictophonetic,gate -阕,"to close, to shut; watchtower",pictophonetic,gate -阑,"screen door, railing, fence",pictophonetic,door -阇,a Buddhist high priest,, -阗,a place in Xinjiang province,, -阖,"to close; whole, entire, all",pictophonetic,gate -阙,palace; watchtower,pictophonetic,gate -闯,"to rush in, to charge in, to burst in",ideographic,A horse 马 charging through a gate 门 -关,"frontier pass; to close, to shut; relation",, -阚,"to glance, to peep; to growl, to roar",pictophonetic,gate -阐,to disclose; to explain; to open,pictophonetic,gate -闼,"door, gate; the door to an inner room",pictophonetic,door -阜,"mound; abundant, ample, numerous",, -阞,sedimentary layer; mineral vein,pictophonetic,place -阡,path; a foot-path between fields,pictophonetic,hill -阢,"worried, apprehensive",pictophonetic, -阪,"hillside, slope",pictophonetic,hill -阮,ancient musical instrument; surname,pictophonetic, -防,"to protect, to defend, to guard against",pictophonetic,wall -阻,"to hinder, to impede; to obstruct, to oppose",pictophonetic,place -阼,the steps leading to the eastern door,pictophonetic,hill -阽,,, -阿,"an initial particle, a prefix used for names; used in transliterations",pictophonetic,place -陀,"steep bank, rough terrain",pictophonetic,hill -陂,"dam, embankment; reservoir",pictophonetic,hill -陋,"coarse, crude; narrow; ugly",pictophonetic,village -陌,"strange, unfamiliar; a foot path between rice fields",ideographic,"A large 百 city 阝, representing an unfamiliar place" -降,"to descend, to fall; to drop, to lower",pictophonetic,hill -陏,"to accompany, to follow; to listen to; to submit to",, -限,"boundary, limit, line",pictophonetic,place -陔,"ledge, step, terrace; slope",pictophonetic,hill -陉,"defile, gorge, mountain pass",pictophonetic,hill -陛,throne; steps leading to the throne,pictophonetic,hill -陜,narrow; mountain pass,ideographic,The space between 夾 two hills 阝; 夾 also provides the pronunciation -陕,mountain pass; the Shanxi province,ideographic,A place 阝 wedged in a valley 夹 -陟,to climb; to advance; progress,pictophonetic,walk -陡,"steep, sloping; sudden, abrupt",pictophonetic,hill -院,"court, yard, courtyard; school",pictophonetic,place -阵,"row, column; ranks, troop formation",ideographic,A formation 阝of soldiers 车 -除,"to eliminate, to remove, to wipe out",ideographic,The waste 余 produced by a city 阝 -陪,"to accompany, to be with, to keep company",pictophonetic,place -陬,"corner, cranny, niche",pictophonetic,place -阴,"the female principle; dark, shaded; hidden, implicit, secret",ideographic,The place 阝 of the moon 月; compare 阳 -陲,"frontier, border",pictophonetic,place -陈,"to display, to exhibit; to plead; surname",ideographic,To place 阝 facing east 东 -陴,parapet; city wall,pictophonetic,city -陵,"hill, mound; mausoleum",ideographic,A hill 阝 where people are laid to rest 夌; 夌 also provides the pronunciation -陶,"pottery, ceramics",ideographic,A mound 阝 of clay 匋; 匋 also provides the pronunciation -陷,"to sink, to plunge; trap, pitfall",ideographic,A place 阝 with a pit 臽; 臽 also provides the pronunciation -陆,"land, continent; six (bankers' anti-fraud numeral)",pictophonetic,place -阳,"the male principle; bright, sunny; clear, lit, open",ideographic,The place 阝 of the sun 日; compare 阴 -隅,"corner, cranny, niche",pictophonetic,place -隆,"prosperous, plentiful, abundant",, -隈,"bay, cove, inlet",pictophonetic,place -陧,"chaos, disorder",pictophonetic,city -队,"team, group, band, army unit; measure word for groups of people",ideographic,A group of people 人 gathered in one place 阝 -隋,the Sui dynasty; surname,, -隍,"dry ditch, dry moat",pictophonetic,place -隔,"to separate, to partition, to divide",pictophonetic,wall -陨,"to slip, to fall; to drop; to die",pictophonetic,place -隗,"high, lofty; surname",pictophonetic,hill -隘,"narrow, confined; a strategic pass",pictophonetic,hill -隙,"crack, fissure, split; grudge",ideographic,A crack 日 dividing two things 小; 阝 provides the pronunciation -际,"border, boundary, juncture",pictophonetic,hill -障,"to separate; shield, barricade",pictophonetic,wall -隧,"tunnel, underground passage; a path to a tomb",pictophonetic,place -随,"to follow, to listen to, to submit to",ideographic,To walk 迶 to the city 阝; to follow a path -险,"narrow pass, strategic point",pictophonetic,hill -隰,"swamp, marsh, damp lowland",pictophonetic,place -隐,"to hide, to conceal; secret, hidden",ideographic,A place 阝 to hide when worried 急 -隳,to destroy; to overthrow,pictophonetic, -陇,a mountain located in the Shanxi provice,pictophonetic,place -隶,subservient; servant,ideographic,A hand 彐 threshing rice -隹,short-tailed bird; sparrow,pictographic,A bird facing left; compare 鳥 -隼,"falcon, eagle; an aquiline nose",pictophonetic,bird -雀,sparrow,ideographic,A small 小 bird 隹 -雁,wild goose,pictophonetic,bird -雄,"alpha male, hero; manly",pictophonetic,bird -雅,"elegant, graceful, refined",pictophonetic,bird -集,"to gather, to collect; set, collection",ideographic,Birds 隹 flocking on a tree 木 -雈,owl,pictophonetic,bird -雉,pheasant; crenellated wall,pictophonetic,bird -隽,"superior, outstanding, talented",ideographic,Someone aiming a bow 乃 at a small bird 隹 -雌,"female; feminine; gentle, soft",pictophonetic,bird -雍,"harmony, union; harmonious",ideographic,Birds 乡 living together in a village 乡 -雎,"osprey, fish hawk; to hold back",pictophonetic,bird -雒,fearful; a black horse with a white mane,, -虽,"although, even though",, -双,"pair, couple; both; measure word for things that come in pairs",ideographic,Two hands 又 side-by-side -雚,heron; small cup,pictophonetic,bird -雏,"chick, fledging; infant, toddler",pictophonetic,bird -鸡,chicken,ideographic,Another 又 kind of bird 鸟 -难,"hard, difficult, arduous; unable",ideographic,A hand 又 trying to grasp at a bird 隹 -雨,rain,pictographic,Rain drops falling from a cloud 帀 -雩,to offer a sacrifice for rain,ideographic,To sacrifice 亏 for rain 雨; 雨 also provides the pronunciation -雪,"snow; wipe away shame, avenge",pictophonetic,rain -雯,cloud patterns; storm clouds,pictophonetic,rain -零,"zero; fragment, fraction",pictophonetic,raindrop -雷,thunder; surname,ideographic,A storm 雨 over the fields 田 -雹,hail,pictophonetic,rain -电,electricity; electric; lightning,ideographic,Simplified form of 電; lightning 申 from a storm cloud 雨 -需,"to need, to require; must",ideographic,Rain 雨 needed for crops to grow -霂,"drizzle, shower, light rain",pictophonetic,rain -霄,"clouds, mist; sky",ideographic,To look like 肖 rain 雨; 肖 also provides the pronunciation -霅,thunder,ideographic,The sound 言 of a storm 雨 -霆,a sudden peal of thunder,pictophonetic,rain -震,"shake, quake, tremor; to excite",pictophonetic,rain -霈,torrential rains; the flow of water,ideographic,Rain 雨 causing a flood 沛; 沛 also provides the pronunciation -霉,"mildew, mold, rot",pictophonetic,rain -霍,"quickly, suddenly; surname",ideographic,Birds 隹 caught in a sudden storm 雨 -霎,"drizzle, light rain; fleeting, passing",pictophonetic,rain -霏,"rainfall, snowfall",pictophonetic,rain -霖,monsoon; a long spell of rain,pictophonetic,rain -霜,"frost; frozen, crystallized, candied",pictophonetic,rain -霝,raindrops,ideographic,Falling rain 雨 drops 口 -霞,rosy clouds,pictophonetic,rain -霡,"drizzle, light rain; favors, gifts",pictophonetic,rain -霢,"drizzle, light rain; favors, gifts",pictophonetic,rain -雾,"fog, mist, vapor, fine spray",pictophonetic,rain -霪,monsoon; a long and heavy rain,ideographic,An obscene 淫 amount of rain 雨; 淫 also provides the pronunciation -霰,"hail, sleet",pictophonetic,rain -露,"dew; leak; bare, exposed; to reveal, to show",pictophonetic,rain -霹,"thunderclap, crashing thunder",pictophonetic,rain -霁,to subside; to clear up after a storm; to stop being angry,pictophonetic,rain -霾,"fog, mist; smoke, smog; dust storm",pictophonetic,rain -雳,"thunderclap, crashing thunder",pictophonetic,rain -霭,"fog, haze; calm, peaceful",pictophonetic,rain -灵,"spirit, soul; spiritual world",pictophonetic,fire -靑,blue,, -青,"nature's color; blue, green, black; young",, -靖,"to pacify, to appease; calm, peaceful",ideographic,As peaceful 立 as nature 青; 青 also provides the pronunciation -靓,ornament; pretty; to apply make-up,pictophonetic,appear -靛,"indigo, blue dye",pictophonetic,blue -静,"still, quiet, motionless, gentle",pictophonetic,nature -非,"not, negative, non-; to oppose",ideographic,Two bird's wings opposed; two people back-to-back -靠,"nearby; to depend on, to lean on, to trust",pictophonetic,people back-to-back -靡,"to scatter, to disperse; to divide",pictophonetic,wrong -面,"face; surface, side; plane, dimension",pictographic,A person's face -腼,"modest, bashful",pictophonetic,flesh -靥,dimples,pictophonetic,face -革,"leather, animal hide; to reform; to remove",pictographic,An animal being skinned -韧,"tough, strong; pliable",pictophonetic,leather -靳,a strap on a horse's breast,pictophonetic,leather -靴,boots,pictophonetic,leather -靶,"target, mark",pictophonetic,leather -靼,the Tartars,pictophonetic,leather -鼗,small revolving drum with knobs,pictophonetic,drum -鞅,the strap over a horse's neck,pictophonetic,leather -鞋,"shoes, footwear in general",pictophonetic,leather -鞍,saddle,pictophonetic,leather -巩,"to bind, to guard, to strengthen; firm, secure, strong",pictophonetic,all -鞘,"scabbard, sheath",pictophonetic,leather -鞠,"to bow, to bend; to nourish, to rear",pictophonetic,leather -鞣,"to tan, to soften",ideographic,To soften 柔 leather 革; 柔 also provides the pronunciation -鞫,"to question, to interrogate",pictophonetic,crash -鞭,"whip; to lash, to flog",pictophonetic, -鞮,leather shoes,pictophonetic,leather -鞲,leather bracer,pictophonetic,leather -鞴,"to saddle up, to ride",, -鞒,"boot, mud shoe, snowshoe",pictophonetic,leather -鞑,the Tartars,pictophonetic,leather -鞯,saddle blanket,pictophonetic,leather -韦,tanned leather; surname,, -韩,"Korea, especially South Korea; surname",, -韪,right; proper; perpriety,pictophonetic,right -韬,"sheath, scabbard, bow case",pictophonetic,leather -韫,"to contain; to hide, to conceal",pictophonetic,leather -韭,"scallion, leek, chive",pictographic,Chives 非 growing in the ground 一 -韱,wild onions or leeks,ideographic,Harvesting 戈 scallions 韭 -音,"sound, tone, pitch, pronunciation",ideographic,A tongue 立 forming a sound in the mouth 日 -韶,"beautiful, excellent, harmonious; music from the Shun dynasty",ideographic,Imperial 召 music 音; 召 also provides the pronunciation -韵,rhyme; vowel,ideographic,Of equal 匀 tone 音; 匀 also provides the pronunciation -响,"to make noise, to make sound; sound",pictophonetic,mouth -页,"page, sheet, leaf",pictographic,A person's head -顶,"top, summit, peak; to carry on the head",pictophonetic,head -顷,a moment; a unit of area equal to 100 mu,, -项,"neck, nape; item; a term in an equation",pictophonetic,head -顺,"to submit to, to obey, to go along with",pictophonetic,head -顸,"stupid; having a large, flat face",ideographic,One with a dry 干 face 页; 干 also provides the pronunciation -须,beard; must; necessary,ideographic,Hair 彡 growing on the face 页 -顼,"anxious, grieving",, -颂,"to laud, to acclaim; ode, hymn",pictophonetic,page -颀,tall and slim; slender,pictophonetic,leaf -颃,"to dive, to fly downward",pictophonetic,leaf -预,"to prepare, to arrange; in advance",pictophonetic,page -顽,"stubborn, recalcitrant, obstinate",pictophonetic,head -颁,"to bestow, to confer; to publish",ideographic,To pass out 分 a booklet 页; 分 also provides the pronunciation -顿,to pause; to bow; to arrange,pictophonetic,head -颇,"rather, quite; partial, biased",pictophonetic,leaf -领,"neck, collar; lead, guide",pictophonetic,head -颌,mouth; jaw,pictophonetic,head -额,"forehead; quota, amount",pictophonetic,head -颉,"contest; to fly, to soar",pictophonetic,leaf -颐,"cheeks, jaw; chin; rear; to nourish",pictophonetic,head -颏,chin,pictophonetic,head -头,"head; chief, boss; first, top",pictophonetic,high -颊,"cheeks, jaw",ideographic,The jaw in 夹 the head 页; 夹 also provides the pronunciation -颔,"chin, jowl; to nod",pictophonetic,head -颈,"neck, throat",pictophonetic,head -频,"frequency; repeatedly, again and again",, -颗,"grain, kernel",pictophonetic,grain -题,"forehead; headline, title; theme",pictophonetic,head -颚,jaw,pictophonetic,head -颜,"face, facial appearance",pictophonetic,head -颛,"good, honest, simple; respectful",pictophonetic,head -颡,forehead; to kowtow,pictophonetic,head -颠,"peak, summit, top; to upset",pictophonetic,head -类,"category, class, group, kind; similar to; to resemble",, -颟,"to idle, to dawdle; thoughtless, careless",, -颢,"bright, luminous; white, hoary",, -顾,to look back; to look at; to look after,pictophonetic,head -颤,"to shiver, to tremble; trembling",pictophonetic,leaf -颥,the temporal bone,pictophonetic,head -显,"clear, evident; prominent; to show",pictophonetic,sun -颦,to frown; to knit the brows,pictophonetic,despise -颅,skull,pictophonetic,head -颞,the temporal bone,pictophonetic,head -颧,cheekbones,pictophonetic,head -风,"wind; air; customs, manners; news",, -飐,to sway in the wind,pictophonetic,wind -飑,"storm, whirlwind",ideographic,Wind 风 that wraps 包 on itself; 包 also provides the pronunciation -飓,"cyclone, gale, typhoon",pictophonetic,wind -飖,floating in the air; drifting on the wind,pictophonetic,wind -飕,a chill breeze; to blow; the sound of the wind,pictophonetic,wind -飘,"to drift, to float, to flutter",pictophonetic,wind -飙,whirlwind (1),ideographic,Storm 猋 winds 风; 猋 also provides the pronunciation -飚,whirlwind (2),ideographic,A particularly fierce 焱 storm 风 -飞,"to fly, to dart; high",pictographic,A bird flapping its wings -食,food; to eat,pictographic,A dish of food 良 with a lid on top 人 -饣,food; to eat,, -饥,"hungry, starving; hunger, famine",pictophonetic,food -饲,"to raise animals; to nourish, to feed",pictophonetic,food -飧,"dinner, supper; cooked food",ideographic,An evening 夕 meal 食 -饨,stuffed dumplings,pictophonetic,food -饪,cooked food; to cook until well-done,pictophonetic,food -饫,"full, satiated; to confer",pictophonetic,eat -飬,to offer a sacrifice,pictophonetic,food -饬,order; command; give command,pictophonetic,strength -饭,"meal, food; cooked rice",pictophonetic,food -饴,"syrup; sweet-meat, sweet-cake",pictophonetic,food -饱,satisfied; to eat one's fill,pictophonetic,food -饰,"to decorate, to adorn; ornament",pictophonetic,cloth -饺,stuffed dumplings,pictophonetic,food -饸,buckwheat or sorghum noodles,pictophonetic,food -饼,"rice-cake, pastry, biscuit",pictophonetic,food -饷,rations and pay for soldiers,pictophonetic,food -养,"to raise, to rear, to bring up; to support",pictophonetic,child -饵,"bait; cake; dumplings; to bait, to entice",pictophonetic,food -饹,buckwheat or sorghum noodles,pictophonetic,food -餐,"to eat, to dine; meal, food",pictophonetic,food -饽,"cake, biscuit",pictophonetic,food -馁,"famished, hungry, starving",pictophonetic,food -饿,hungry; greedy,ideographic,To want 我 food 饣; 我 also provides the pronunciation -馂,leftovers,ideographic,Food 饣 left over 夋; 夋 also provides the pronunciation -馀,"surplus, remainder, excess",ideographic,Extra 余 food 饣; 余 also provides the pronunciation -馄,dumpling soup; wonton,pictophonetic,food -饯,to send off; farewell dinner; preserves,pictophonetic,food -馅,"filling, stuffing; secret",ideographic,Food 饣 stuffed in a hole 臽; 臽 also provides the pronunciation -餮,"glutton, greedy person; insatiable dragon",pictophonetic,eat -糇,dried rice; dry rations,pictophonetic,rice -饧,"syrup, molasses, malt sugar; sticky",pictophonetic,food -馇,"to stir, to cook, to boil; porridge",pictophonetic,food -饩,sacrficial victim; gift; grain,pictophonetic,food -馈,"gift, present",ideographic,Expensive 贵 food 饣; 贵 also provides the pronunciation -馏,"distill, distillation",ideographic,Distilled 留 wine 饣; 留 also provides the pronunciation -馊,"spoiled, rotten; stale, rancid",ideographic,Old 叟 food 饣; 叟 also provides the pronunciation -馍,bread,pictophonetic,food -馒,steamed buns; steamed dumplings,pictophonetic,food -馐,"food, meal; to eat; to offer",pictophonetic,food -馑,a time of famine or crop failure,ideographic,A time of little 堇 food 饣; 堇 also provides the pronunciation -馓,fried round cakes of wheat flour,pictophonetic,food -饶,"abundant, bountiful",pictophonetic,food -饔,breakfast; to eat prepared food,pictophonetic,food -饕,"gluttonous; greedy, covetous",pictophonetic,eat -飨,banquet; to host a banquet,pictophonetic,food -餍,"full, satiated; to eat one's fill",pictophonetic,eat -馋,"greedy, gluttonous; lewd, lecherous",pictophonetic,eat -馕,naan,pictophonetic,food -首,"chief, head, leader",ideographic,A deer's head 自 adorned with antlers 丷 -馗,"cheekbone; path, road, intersection",pictophonetic,head -馘,to cut off the left ear; to tally the enemy's dead,ideographic,To cut off 或 the enemy's ears 首; 或 also provides the pronunciation -香,"incense; fragrant, aromatic",ideographic,A herb 禾 with a sweet 甘 smell -馥,"scent, fragrance, aroma",pictophonetic,fragrant -馨,"fragrant, aromatic",pictophonetic,incense -马,horse; surname,pictographic,"Simplified form of 馬, a horse galloping to the left" -驭,"to drive, to ride; to manage, to control",pictophonetic,horse -冯,to gallop; by dint of; surname,pictophonetic,horse -驰,"speed, haste; to run, to gallop",pictophonetic,horse -驯,"tame, obedient, docile",pictophonetic,horse -驴,"donkey, ass",pictophonetic,horse -驳,"variegated, motley; to refuse, to dispute",pictophonetic,horse -驻,"stable; station, garrison",pictophonetic,horse -驽,"tired old horse; old, weak",pictophonetic,horse -驹,"colt; fleet, swift; surname",pictophonetic,horse -驵,"excellent horse, noble steed",pictophonetic,horse -驾,"to drive, to ride, to sail; carriage, cart",pictophonetic,horse -骀,"tired old horse; tired, exhaused",pictophonetic,horse -驸,extra horse; imperial son-in-law,pictophonetic,horse -驶,"to drive, to pilot, to ride; fast, quick",pictophonetic,horse -驼,camel; humpback; to carry on one's back,pictophonetic,horse -驷,a team of four horses,ideographic,Four 四 horses 马; 四 also provides the pronunciation -骈,a team of horses; to associate; to join,ideographic,A team of horses 马 working together 并 -骇,"to terrify, to shock, to frighten",pictophonetic,horse -骆,camel,pictophonetic,horse -骏,an excellent horse; a noble steed,pictophonetic,horse -骋,"to gallop, to hasten, to hurry",pictophonetic,horse -骓,piebald horse,pictophonetic,horse -骒,"mare, jenny",pictophonetic,horse -骑,"to ride, to mount; cavalry",pictophonetic,horse -骐,piebald horse; excellent horse,pictophonetic,horse -验,"to examine, to inspect, to test, to verify",pictophonetic,horse -骛,"to gallop, to pursue, to run",ideographic,A horse 马 working hard 敄; 敄 also provides the pronunciation -骗,"to cheat, to defraud, to swindle",pictophonetic,horse -鬃,mane; neck bristles,pictophonetic,hair -骞,"to lift, to raise; to fly, to soar",ideographic,A soldier 宀 mounting a horse 马 -骘,stallion; to determine; to promote,ideographic,To climb 陟 on a horse 马; 陟 also provides the pronunciation -骝,a legendary horse,pictophonetic,horse -腾,"to fly, to soar; to gallop, to prance; rising, steaming",pictophonetic,horse -驺,mounted escort; groom,pictophonetic,horse -骚,"to annoy, to bother; to disturb, to harrass",ideographic,A flea 蚤 biting a horse 马; 蚤 also provides the pronunciation -骟,"to castrate, to geld",pictophonetic,horse -骡,mule,pictophonetic,horse -蓦,"suddenly, quickly, abruptly",pictophonetic,horse -骜,"wild horse, mustang; wild, free",ideographic,A rambling 敖 horse 马; 敖 also provides the pronunciation -骖,the two outside horses in a team of four,pictophonetic,horse -骠,"charger, steed; swift, valiant",pictophonetic,horse -骢,buckskin horse,pictophonetic,horse -骅,an excellent horse,pictophonetic,horse -骕,a famous horse,pictophonetic,horse -骁,"valiant, brave; skilled; a noble steed",pictophonetic,horse -骣,"wild horse, mustang; wild, free",pictophonetic,horse -骄,"haughty, spirited; a wild stallion",ideographic,A proud 乔 horse 马; 乔 also provides the pronunciation -惊,"to frighten, to startle; surprise, alarm",pictophonetic,heart -驿,relay station,pictophonetic,horse -骤,"procedure; sudden, abrupt; to gallop",pictophonetic,horse -骧,to gallop about with the head uplifted,pictophonetic,horse -骥,"a thoroughbred horse; refined, virtuous",pictophonetic,horse -骦,horse,pictophonetic,horse -骊,a pure-black horse; a pair of horses,pictophonetic,horse -骨,"bone; skeleton; frame, framework",ideographic,Flesh ⺼ and bones 冎 -肮,"dirty, filthy",pictophonetic,meat -骰,"die, dice",ideographic,Tools 殳 made of bone 骨 -骱,skeletal joint,ideographic,A bony 骨 joint 介; 介 also provides the pronunciation -骶,"coccyx, sacrum",pictophonetic,bone -骷,skeleton,pictophonetic,bone -骸,"skeleton, body; leg bone",pictophonetic,bone -骺,epiphysis; the tip of a long bone,ideographic,The end 后 of a bone 骨; 后 also provides the pronunciation -骼,"bone, skeleton; corpse",pictophonetic,bone -鲠,"fish bones; honest, upright",pictophonetic,fish -髀,"buttocks, thigh; thigh bone",ideographic,A low 卑 bone 骨; 卑 also provides the pronunciation -髁,"thigh bone, hip bone, kneecap",pictophonetic,bone -髂,"pelvis, hip bone",pictophonetic,bone -髅,"skull, skeleton",pictophonetic,bone -髑,skull,pictophonetic,bone -髓,"substance, essence; bone marrow",pictophonetic,bone -体,"body; group, class; form, style, system",, -髌,kneecap,pictophonetic,bone -髋,"hip, pelvis",pictophonetic,bone -高,"tall, lofty; high, elevated",pictographic,A tall palace -髟,long hair,ideographic,Long 镸 hair 彡 -髡,to shear a tree; an ancient punishment,pictophonetic,shave -髯,"mustache, beard",pictophonetic,hair -髦,"fashionable, in vogue; mane, flowing hair",pictophonetic,hair -髫,"bangs, children's hairstyle; youngster",pictophonetic,hair -髭,mustache,pictophonetic,hair -髹,red lacquer; to lacquer,pictophonetic,hair -髻,"bun, topknot",pictophonetic,hair -鬄,wig,ideographic,To exchange 易 hair 髟; 易 also provides the pronunciation -鬈,curly hair; fine growth of hair,ideographic,Curled 卷 hair 髟; 卷 also provides the pronunciation -鬏,"coiffure, topknot",pictophonetic,hair -鬒,glossy black hair,pictophonetic,hair -鬟,to dress the hair in a coiled knot; maid,ideographic,A round 睘 topknot 髟; 睘 also provides the pronunciation -鬓,hair on temples,pictophonetic,hair -鬣,a man's whiskers; a horse's mane; a fish's fin,ideographic,Whiskers 巤 of hair 髟; 巤 also provides the pronunciation -阋,"feud; to fight, to quarrel",pictophonetic,fight -阄,"chance, risk; to draw lots",, -鬯,sacrificial wine; unhindered,, -鬲,"earthen pot, iron cauldron",pictographic,A cauldron 口 with three legs 冂丷 -鬻,"to vend, sell",ideographic,To sell porridge 粥 steaming in a pot 鬲 -鬼,"ghost; demon; sly, mischievous",pictographic,A ghost with a scary face -魁,"chief, leader; best; monstrous",ideographic,One who fought 斗 a ghost 鬼; 鬼 also provides the pronunciation -魃,drought demon,pictophonetic,demon -魄,"vigor, soul, body; the dark side of the moon",pictophonetic,spirit -魅,"magic, enchantment, charm; a forest demon",ideographic,A forest 未 demon 鬼; 未 also provides the pronunciation -魆,black; sudden; to beguile,pictophonetic,demon -魈,mischievious mountain spirit,pictophonetic,demon -魍,"demon, mountain spirit",pictophonetic,demon -魉,a kind of monster,pictophonetic,ghost -魏,the kingdom of Wei; surname,pictophonetic,ghost -魑,a mountain demon resembling a tiger,pictophonetic,demon -魔,"demon, evil spirit; magic, spell",pictophonetic,demon -魖,black,pictophonetic,black -魇,"nightmare, bad dream",pictophonetic,ghost -鱼,fish,pictographic,A fish swimming upwards -魠,Japanese mackerel,pictophonetic,fish -鲁,"foolish, stupid, rash; vulgar",ideographic,To talk 日 like a fish 鱼 -鲂,bream,pictophonetic,fish -鱿,cuttlefish,pictophonetic,fish -鲅,Chinese mackerel,pictophonetic,fish -鲆,sole,pictophonetic,fish -鲧,"giant fish; Gun, mythical father of the emperor Yu",pictophonetic,fish -鲇,sheatfish; Parasilurus asotus,pictophonetic,fish -鲐,mackerel; Pneumatophorus japonicus,pictophonetic,fish -鲍,abalone; dried fish; surname,pictophonetic,fish -鲋,carp; Carassicus auratus,pictophonetic,fish -鲒,clam; oyster,pictophonetic,fish -鲕,roe,pictophonetic,fish -鮨,sushi; seasoned rice mixed with fish,pictophonetic,fish -鲔,little tuna; Euthynnus alletteratus,pictophonetic,fish -鲛,shark,pictophonetic,fish -鲑,salmon; Spheroides vermicularis,pictophonetic,fish -鲩,carp,pictophonetic,fish -鲤,carp,pictophonetic,fish -鲨,shark,pictophonetic,fish -鲻,mullet,pictophonetic,fish -鲯,ray-finned fish; Coryphaena hippurus,pictophonetic,fish -鲭,mackerel,pictophonetic,fish -鲞,dried fish,pictophonetic,fish -鲷,porgy; Pagrosomus major,pictophonetic,fish -鲴,fish guts,pictophonetic,fish -鲱,herring,pictophonetic,fish -鲵,salamander; Cryptobranchus japonicus,pictophonetic,fish -鲲,spawn; roe; fry,pictophonetic,fish -鲳,"silvery pomfret, Stromateoides argenteus",pictophonetic,fish -鲸,whale,pictophonetic,fish -鲮,carp,pictophonetic,fish -鲰,small fish; small; minnow,pictophonetic,fish -鲶,catfish; sheat,pictophonetic,fish -鳀,anchovy,pictophonetic,fish -鲫,crucian carp; Carassius auratus,pictophonetic,fish -鳊,bream,pictophonetic,fish -鲗,cuttlefish,pictophonetic,fish -鲽,flatfish; flounder; sole,pictophonetic,fish -鳇,sturgeon,pictophonetic,fish -鳅,loach,pictophonetic,fish -鳄,alligator,pictophonetic,fish -鳆,abalone,pictophonetic,fish -鳃,fish gills,pictophonetic,fish -鳑,carp,pictophonetic,fish -鲥,Reeves' shad; hilsa herring,pictophonetic,fish -鳏,huge fish; widower; bachelor,pictophonetic,fish -鳎,sole,pictophonetic,fish -鳐,the nautilus; the ray,pictophonetic,fish -鳍,fin,pictophonetic,fish -鲢,"silver carp, hypophthalmiathys",pictophonetic,fish -鳌,huge sea turtle,pictophonetic,fish -鳓,Chinese herring; shad,pictophonetic,fish -鳘,codfish,pictophonetic,fish -鲦,minnow,pictophonetic,fish -鲣,"skipjack, bonito",pictophonetic,fish -鳗,eel,pictophonetic,fish -鳔,swim bladder,pictophonetic,fish -鱄,anchovy,pictophonetic,fish -鳙,bighead,pictophonetic,fish -鳕,codfish,pictophonetic,fish -鳖,turtle,pictophonetic,fish -鳟,barbel,pictophonetic,fish -鳝,eel,pictophonetic,fish -鳜,mandarin fish,pictophonetic,fish -鳞,fish scales,pictophonetic,fish -鲟,sturgeon,pictophonetic,fish -鲼,fish,pictophonetic,fish -鲎,king crab,pictophonetic,fish -鲙,minced fish; hash,pictophonetic,fish -鳣,sturgeon,pictophonetic,fish -鱥,minnow,pictophonetic,fish -鳢,snakehead,pictophonetic,fish -鲚,anchovy,pictophonetic,fish -鲈,perch; sea bass,pictophonetic,fish -鲡,eel,pictophonetic,fish -鸟,bird,pictographic,"Simplified form of 烏, a bird" -凫,wild duck; teal; swim,pictophonetic,bird -鸠,"pigeon; to collect, to assemble",pictophonetic,bird -凤,male phoenix; symbol of joy,pictophonetic,simplified form of 鳥 bird -鸣,a bird call or animal cry; to make a sound,ideographic,The sound 口 a bird 鸟 makes -鸢,kite; Milvus species (various),pictophonetic,bird -鴂,tailorbird; working bird,pictophonetic,bird -鸩,a bird resembling the secretary falcon,pictophonetic,bird -鸨,bustard; procuress; Otis species (various),pictophonetic,bird -鸦,crow; Corvus species (various),pictophonetic,bird -鸰,"lark, wagtail; Motacilla species (various)",pictophonetic,bird -鴔,"hoopoe, crested bird",pictophonetic,bird -鸵,ostrich,pictophonetic,bird -鸳,male mandarin duck (Aix galericulata),pictophonetic,bird -鸲,mynah; Erithacus species (various),pictophonetic,bird -鸮,owl,pictophonetic,bird -鸱,"kite, horned owl; wine cups",pictophonetic,bird -鸪,species of Taiwan pigeon,pictophonetic,bird -鸯,female mandarin duck (Aix galericulata),pictophonetic,bird -鸭,duck; Anas species (various),pictophonetic,bird -鸸,swallow,pictophonetic,bird -鸹,crow,pictophonetic,bird -鸻,"plover, wading bird",ideographic,A wading 行 bird 鸟; 鸟 also provides the pronunciation -鸿,a species of wild swan; vast,pictophonetic,bird -鸽,"pigeon, dove; Columba species (various)",pictophonetic,bird -鸺,"horned owl, scops chinensis",pictophonetic,bird -鹃,cuckoo,pictophonetic,bird -鹆,mynah; Acridotheres tristis,pictophonetic,bird -鹁,a species of pigeon,pictophonetic,bird -鹈,pelican,pictophonetic,bird -鹄,swan,pictophonetic,bird -鹉,species of parrot,pictophonetic,bird -鹌,quail; Coturnix coturnix,pictophonetic,bird -鹏,fabulous bird of enormous size,pictophonetic,bird -鹎,"bulbul, songbird; Pycnonotidae",pictophonetic,bird -鹊,magpie; Pica species (various),pictophonetic,bird -鹍,a bird resembling a crane,pictophonetic,bird -鸫,thrush; Turdus species (various),pictophonetic,bird -鹑,quail; Turnix species (various),pictophonetic,bird -鹒,oriole,pictophonetic,bird -鹋,emu,pictophonetic,bird -鹙,waterfowl; Garrulus glandarius,pictophonetic,bird -鹕,pelican,pictophonetic,bird -鹗,"osprey, fishhawk",pictophonetic,bird -鹛,cormorant,pictophonetic,bird -鹜,duck,pictophonetic,bird -鸧,oriole,pictophonetic,bird -莺,"oriole, green finch; Sylvia species (various)",ideographic,A bird 鸟 covered in 冖 green 艹 feathers -鹤,crane; Grus species (various),pictophonetic,bird -鹠,owl,pictophonetic,bird -鹡,wagtail,pictophonetic,bird -鹘,a kind of pigeon; treron permagna,pictophonetic,bird -鹣,phoenix; fabulous mythical bird,pictophonetic,bird -鹚,cormorant,pictophonetic,bird -鹞,sparrow hawk; Circus species (various),pictophonetic,bird -鷄,chicken,pictophonetic,bird -鹧,partridge,pictophonetic,bird -鸥,"seagull, tern; Larus species (various)",pictophonetic,bird -鸷,"hawk, vulture",pictophonetic,bird -鹨,Anthus species (various),pictophonetic,bird -鸶,the eastern egret,pictophonetic,bird -鹪,wren,pictophonetic,bird -鹔,the turquoise kingfisher,pictophonetic,bird -鹩,wren,pictophonetic,bird -鹫,"condor, vulture",pictophonetic,bird -鹇,"silver pheasant, Lophura nycthemera; Lophura species (various)",pictophonetic,bird -鹬,"snipe, kingfisher",pictophonetic,bird -鹰,"eagle, falcon, hawk",pictophonetic,bird -鹭,"heron, egret; Ardea species (various)",pictophonetic,bird -鹱,waterfowl,pictophonetic,bird -鸬,cormorant,pictophonetic,bird -鹴,eagle,pictophonetic,bird -鹦,parrot,pictophonetic,bird -鹳,"crane, stork; Ciconia species (various)",pictophonetic,bird -鹂,Chinese oriole; Oriolus oriolus,pictophonetic,bird -鸾,fabulous bird,pictophonetic,bird -鹾,salty; salt,pictophonetic,salt -碱,"alkaline, alkali, lye, salt",pictophonetic,mineral -盐,salt,, -鹿,deer; surname,pictographic,"A deer with an antlered head, two legs, and a tail" -麂,a species of deer,pictophonetic,deer -麃,"to plow, to till",ideographic,Tracks 灬 left by a deer 鹿 -麇,hornless deer; to collect; to band together,pictophonetic,deer -麈,a species of deer,pictophonetic,deer -麋,elk; surname,pictophonetic,deer -麟,female unicorn,pictophonetic,deer -麒,mythical unicorn,pictophonetic,deer -麓,the base of a hill; foothill,pictophonetic,forest -丽,"beautiful, elegant, magnificent",ideographic,Simplified form of 麗; the antlers of a deer 鹿 -麝,musk deer,pictophonetic,deer -麦,"wheat, barley, oats",ideographic,Simplified form of 麦; grains 來 ready to be harvested 夂 -麯,"yeast, leaven",pictophonetic,wheat -麴,yeast; to leaven; surname,pictophonetic,wheat -么,interrogative particle,, -麽,interrogative particle,pictophonetic, -麾,"pennant, flag, banner; to signal to",, -麿,"I, you, personal name marker",, -黄,yellow; surname,pictographic,A jade pendant -黉,school,, -黍,broomcorn millet; glutinous millet,ideographic,Grain 禾 that can be fermented to make wine 氺 -黎,"many, numerous; black; surname",, -黏,"to stick to; glutinous, sticky; glue",pictophonetic,millet -黑,"black; dark; evil, sinister",ideographic,A man's face blacked by soot from a fire 灬 -黔,black; the Guizhou province,pictophonetic,black -默,"silent; quiet, still; dark",pictographic,A dog 犬 watching in the dark 黑 -黛,to blacken one's eyebrows; black,pictophonetic,black -黜,"to dismiss; to downgrade, to demote",pictophonetic,black -黝,black,pictophonetic,black -点,"dot, point, speck",pictophonetic,fire -黟,ebony; shining black,pictophonetic,black -黠,"sly, cunning, shrewd; artful",pictophonetic,sinister -黢,black,pictophonetic,black -黥,to tattoo; to brand the face of criminals,pictophonetic,black -黧,"a dark, sallow colour",pictophonetic,black -党,"political party, gang, faction",pictophonetic,elder brother -黯," black; dark; sullen, dreary",pictophonetic,black -黪,grey-black,pictophonetic,black -黩,"to dishonor, to defile, to corrupt; soiled",pictophonetic,black -黹,"embroidery, needlework",, -黻,special pattern of embroidery,pictophonetic,embroidery -黼,embroidered official or sacrificial robe,pictophonetic,embroidery -黾,"frog, toad; to strive, to endeavor",pictographic,Simplified form of 黽; a frog with bug-eyes -鼋,"large turtle, sea turtle",pictophonetic,toad -鼂,a kind of sea turtle; surname,pictophonetic,toad -鼍,"large reptile, water lizard",pictophonetic,frog -鼎,"large, three-legged bronze cauldron",pictographic,A cauldron on its bronze tripod -鼐,incense tripod,pictophonetic,tripod -鼙,drum carried on horseback,pictophonetic,drum -鼠,"rat, mouse",pictographic,"A mouse, with two paws to the left and the tail to the right" -鼢,a variety of mole,pictophonetic,rat -鼩,shrew,pictophonetic,rat -鼬,"weasel, mustela itatis",pictophonetic,rat -鼯,flying squirrel,pictophonetic,mouse -鼱,shrew,pictophonetic,rat -鼹,a kind of insectivorous rodent,pictophonetic,rat -鼷,mouse,pictophonetic,mouse -鼻,nose; first,pictophonetic,self -鼽,sclogged nose,pictophonetic,nose -鼾,to snore loudly,pictophonetic,nose -齐,"even, uniform, of equal length",, -齌,to rage,pictophonetic,rage -齑,"to smash into pieces, to pulverize; hash",pictophonetic, -齿,"teeth; gears, cogs; age",pictographic,Teeth 人凵; 止 provides the pronunciation -龀,to lose one's baby teeth,pictophonetic,teeth -龅,buck teeth,pictophonetic,teeth -龇,to bare one's teeth; crooked teeth,pictophonetic,teeth -龃,irregular teeth; discord,pictophonetic,teeth -龆,to lose one's baby teeth,pictophonetic,teeth -龄,age; years,pictophonetic,age -龈,gums,pictophonetic,teeth -齧,"to bite, to gnaw; to erode, to wear down",pictophonetic,teeth -龊,"narrow, small-minded; dirty (2)",pictophonetic,teeth -龉,uneven teeth; to disagree,pictophonetic,teeth -齱,uneven teeth; buck-toothed,pictophonetic,teeth -龋,tooth decay,pictophonetic,teeth -齵,uneven teeth; buck-toothed,pictophonetic,teeth -腭,"palate, the roof of the mouth",pictophonetic,flesh -龌,"narrow, small-minded; dirty (1)",pictophonetic,teeth -龙,dragon; symbol of the emperor,pictographic,A dragon -庞,"disorderly, messy; huge, big",ideographic,A dragon 龙 inside a house 广 -龚,"to give, to present; reverential",pictophonetic,dragon -龛,"niche, shrine",pictophonetic,dragon -龟,"turtle, tortoise; cuckold",pictographic,A turtle; compare 龜 -龠,"flute; pipe, ancient measure",pictographic,Panpipes -龥,"to beg, to implore",pictophonetic,leaf diff --git a/static/data/hanzipinyin.csv b/static/data/hanzipinyin.csv deleted file mode 100644 index 3c76ed3..0000000 --- a/static/data/hanzipinyin.csv +++ /dev/null @@ -1,9053 +0,0 @@ -hanzi_id,pinyin_id -1,1162 -2,70 -3,473 -4,992 -5,1523 -6,121 -7,833 -8,962 -9,1039 -10,1240 -11,1434 -12,40 -13,21 -14,1515 -15,341 -16,1417 -17,9 -17,418 -18,14 -19,414 -20,363 -21,308 -22,669 -23,974 -24,31 -25,1019 -26,70 -27,557 -28,962 -29,921 -30,986 -31,1076 -32,1486 -33,465 -34,621 -35,1063 -36,713 -37,70 -38,1264 -39,1062 -40,360 -41,1291 -42,950 -43,66 -44,117 -45,696 -46,203 -47,1280 -48,904 -49,59 -50,1003 -50,1062 -51,382 -52,1104 -53,294 -54,1410 -55,1452 -56,914 -57,1202 -58,487 -59,1288 -60,669 -61,1480 -62,552 -63,930 -64,154 -7052,142 -65,23 -66,915 -1022,1416 -7195,144 -67,390 -68,627 -69,38 -1562,464 -2093,76 -2547,76 -70,441 -80,219 -5839,1302 -7237,432 -78,1059 -1470,1402 -1564,1073 -1900,1080 -86,1304 -87,1033 -111,1147 -5885,884 -90,445 -91,209 -95,1152 -730,478 -690,147 -541,1392 -3490,129 -3844,1294 -5814,131 -131,740 -138,36 -491,971 -135,679 -4004,161 -137,1304 -3515,102 -2120,1220 -124,976 -6217,153 -600,448 -448,154 -5853,195 -144,103 -649,1302 -147,1075 -178,964 -712,1042 -192,402 -1344,1359 -265,634 -702,1043 -316,755 -1110,799 -2457,1145 -4424,1444 -166,1347 -592,968 -316,756 -657,166 -1556,952 -6092,991 -193,693 -1717,154 -2277,1128 -2207,225 -6831,1068 -1765,85 -6786,691 -1120,1377 -2972,98 -3178,1156 -3274,86 -4044,410 -2290,961 -2890,56 -5390,724 -664,215 -1139,826 -6854,529 -447,674 -1303,398 -331,1203 -76,1484 -997,485 -356,1444 -628,910 -400,946 -428,147 -1890,393 -1368,1303 -5791,722 -6358,1261 -452,768 -464,1377 -489,1182 -510,412 -2499,461 -515,1016 -514,377 -3034,879 -3554,1312 -6516,1003 -5897,936 -515,1019 -3623,104 -752,1069 -4059,811 -5002,977 -1579,977 -4640,1104 -6726,1063 -537,822 -6390,1002 -547,1188 -6266,559 -606,647 -3073,82 -6212,41 -630,1225 -651,1002 -6756,691 -162,66 -1304,506 -667,804 -6197,523 -1092,925 -6166,365 -1864,75 -6028,1403 -708,365 -1742,1201 -2047,480 -1870,121 -718,832 -740,1224 -4872,236 -830,60 -1513,443 -3059,996 -719,774 -4929,576 -720,986 -5747,910 -747,524 -751,535 -1920,843 -792,1156 -797,131 -803,903 -5811,625 -804,343 -973,101 -2986,792 -5669,1052 -6701,68 -842,271 -4553,895 -6530,798 -844,894 -4793,34 -5968,995 -862,835 -6640,577 -77,1278 -745,437 -892,1203 -810,885 -906,136 -4136,1147 -3846,1296 -533,1150 -1115,539 -133,718 -4539,1387 -810,884 -3346,993 -7231,887 -3464,935 -1202,462 -1220,1201 -4344,828 -1224,843 -1226,473 -1232,537 -1241,1215 -2702,1336 -1264,191 -1791,1066 -1293,853 -1715,40 -5983,1410 -1294,1052 -2476,1314 -6991,969 -1298,468 -6638,948 -1998,1027 -4065,328 -3584,175 -6780,714 -3071,1329 -2522,1389 -531,415 -2563,117 -1306,390 -1364,993 -1311,1301 -1965,890 -1327,495 -2144,1528 -2487,680 -2517,941 -1473,829 -5674,950 -1475,1401 -3234,656 -1712,1185 -2309,502 -3348,709 -5226,632 -1736,1301 -6390,966 -1721,966 -4677,1405 -6714,464 -5636,172 -5907,194 -1494,1098 -2624,927 -5670,61 -370,943 -104,1163 -5774,1332 -1545,1293 -1552,1471 -434,788 -2486,452 -3617,610 -2392,1473 -6291,219 -514,380 -6697,1142 -1600,1124 -6083,1291 -2152,1308 -1606,1448 -1612,1272 -1527,1355 -5392,905 -1714,940 -6877,382 -6836,1331 -1738,1053 -1127,428 -1740,402 -6011,714 -6218,801 -1762,593 -5705,941 -140,142 -2531,1260 -6110,1376 -1090,1502 -1483,941 -2636,993 -5606,179 -5408,1286 -1934,223 -145,970 -4697,1297 -1780,457 -2043,149 -1823,1304 -202,380 -1842,483 -2233,1149 -6834,1028 -546,1003 -4049,1148 -1878,730 -1880,971 -1897,418 -2031,41 -3850,83 -896,595 -1484,773 -5573,1086 -2093,73 -306,986 -446,1046 -5853,219 -2137,1125 -2143,369 -1809,519 -619,172 -6151,166 -6236,1135 -2157,396 -2175,941 -6625,1201 -2179,156 -1342,880 -1595,1303 -1587,600 -4550,941 -2182,1166 -2989,1501 -4078,50 -7265,189 -3213,504 -6617,61 -630,1305 -6632,805 -6551,1528 -2186,1136 -3010,461 -2197,340 -676,939 -743,884 -2271,1493 -2281,226 -2288,485 -4341,975 -4377,971 -2292,542 -450,698 -2295,983 -2321,924 -2387,211 -2400,80 -444,1361 -2405,938 -3169,448 -2421,1150 -2446,638 -2454,737 -2459,775 -6137,1136 -2464,162 -1232,534 -2481,134 -343,1148 -748,341 -2484,164 -2500,368 -6796,330 -2504,234 -2513,1410 -2519,1354 -4287,1033 -6908,1434 -2569,1215 -6737,45 -5617,665 -2520,406 -2546,1085 -2529,1302 -2559,1277 -6769,1268 -3791,142 -161,675 -2596,286 -1535,871 -2607,286 -2616,763 -2625,126 -2634,122 -1163,69 -6722,941 -2635,1131 -2635,1206 -1470,1400 -4981,1215 -2639,356 -6751,565 -2448,1147 -2642,182 -2978,1145 -4612,969 -74,118 -528,666 -2665,177 -4762,763 -2666,446 -2673,165 -2686,1147 -3714,455 -4284,1096 -2716,1164 -2407,1027 -2732,759 -4416,966 -4007,420 -5512,290 -5428,1118 -2649,740 -6209,968 -2765,511 -5965,1407 -6223,415 -7287,702 -2629,391 -603,104 -2779,797 -2157,397 -2839,738 -2861,1258 -6828,68 -2862,1007 -95,1154 -2889,354 -2956,1454 -509,871 -704,88 -1943,1088 -4308,1220 -4685,1404 -186,393 -2980,219 -4936,958 -674,71 -5980,1040 -231,131 -4001,422 -1737,1051 -3032,306 -2213,155 -798,883 -3062,55 -3067,406 -4200,485 -3071,1327 -3103,980 -6742,1452 -6736,1091 -3150,211 -3186,228 -4879,904 -5700,49 -5818,921 -3187,696 -3256,1026 -2824,1241 -4003,160 -3300,698 -3530,48 -3382,483 -3484,240 -2626,87 -3720,936 -4824,134 -2552,1304 -5396,1242 -6686,1067 -3650,366 -3778,1022 -7177,885 -3858,945 -3867,355 -514,1484 -1127,377 -3920,209 -3974,1038 -2209,782 -4002,358 -729,821 -2451,1306 -2231,1305 -4041,231 -32,1485 -3121,1265 -2778,994 -4045,356 -3521,1335 -5573,876 -4050,1066 -4068,1116 -4346,1249 -4096,456 -4115,267 -4118,1331 -4134,1303 -4007,428 -5692,963 -4143,1302 -7129,599 -4384,459 -1761,274 -4255,1292 -2465,959 -4286,208 -5395,1003 -5767,1220 -4247,326 -4319,1153 -4361,137 -4363,1032 -4368,852 -336,589 -4372,1014 -4376,1125 -833,1074 -4732,1150 -4412,190 -5102,771 -617,770 -6476,1071 -2193,348 -3014,1265 -3532,1265 -4414,423 -3709,953 -4447,950 -175,1235 -6747,1324 -1860,435 -4450,962 -5741,1301 -4495,1235 -5178,349 -4507,724 -4419,847 -4513,666 -4788,648 -7257,1313 -1273,913 -135,652 -4520,1156 -285,1055 -522,684 -1724,1149 -4566,939 -1279,1304 -1511,785 -2780,170 -4601,525 -4602,1500 -2285,779 -4620,129 -4624,121 -416,968 -4618,1064 -6717,753 -1725,1052 -1893,128 -2905,1296 -4828,1296 -767,826 -4849,457 -4019,255 -4853,774 -4871,477 -2174,1220 -4921,1007 -4971,670 -5134,302 -4660,1150 -307,1074 -5921,1399 -3298,147 -1131,1149 -1044,996 -2417,985 -1882,418 -581,766 -2183,529 -5020,164 -5825,953 -5839,1305 -2874,792 -5914,308 -2541,41 -5226,726 -75,1129 -735,66 -6723,1129 -5401,881 -6759,433 -3094,1225 -5572,1100 -5582,38 -381,1026 -6544,1152 -7017,748 -232,425 -4061,1304 -170,1347 -5679,1021 -5082,368 -3404,1392 -5684,959 -6365,1087 -5685,638 -6242,39 -240,142 -4080,1154 -5584,199 -5688,958 -6456,69 -1759,191 -7083,969 -5699,1242 -3385,855 -7254,442 -5306,191 -1200,488 -2177,1205 -6388,1154 -5766,143 -5858,1217 -4164,278 -6667,785 -5896,270 -3165,1054 -5900,787 -1504,11 -5048,1496 -6059,1461 -4989,1150 -497,938 -6060,980 -2242,1142 -6070,126 -1868,41 -4963,405 -3087,873 -6107,959 -6122,179 -6123,721 -6136,1172 -6150,1452 -5852,1382 -6180,545 -6200,1221 -3723,1309 -2069,144 -6205,669 -98,1252 -1888,195 -6230,428 -6253,193 -321,414 -514,381 -6359,1417 -212,1094 -6398,1140 -5572,1077 -6510,1258 -5908,293 -5936,294 -6521,1476 -4140,38 -6627,316 -1938,1503 -6629,1273 -6752,143 -6754,1099 -1963,1226 -4064,1140 -154,956 -2734,1375 -3558,1346 -6777,104 -6859,819 -3293,487 -6866,656 -300,174 -5849,906 -6873,270 -6899,174 -4268,391 -6943,289 -615,1281 -1701,1249 -1055,408 -433,1061 -6967,994 -1241,980 -112,1117 -6998,773 -4186,715 -7014,503 -844,897 -7118,687 -3592,1133 -7133,341 -3337,425 -3149,240 -6315,687 -1183,144 -7243,409 -1557,1171 -4022,774 -243,1425 -507,1239 -7268,994 -70,1143 -3476,1207 -83,1236 -3502,1052 -155,868 -435,822 -445,583 -6347,1149 -480,446 -582,943 -1337,618 -673,307 -3595,1143 -1157,1086 -4851,740 -3474,49 -1196,938 -1583,1226 -2756,673 -5577,961 -5609,837 -6560,749 -1516,822 -1537,606 -1551,1231 -1783,520 -1716,1502 -6148,191 -2070,85 -2640,131 -2733,753 -3647,1047 -3091,1360 -2538,1200 -3504,116 -3743,691 -4208,655 -4533,488 -4839,1134 -5047,948 -6325,87 -6367,1046 -6756,694 -922,408 -6788,1026 -4672,1064 -6823,130 -5046,673 -6940,1066 -6998,774 -7077,435 -7124,794 -71,817 -72,993 -6738,939 -3127,884 -1723,1304 -1831,1062 -942,1054 -1838,1127 -5004,1286 -1221,456 -648,1040 -1371,773 -1381,39 -1707,766 -2832,66 -1367,1400 -1363,313 -1709,1013 -3925,55 -1844,115 -1858,1431 -2166,611 -2984,111 -2164,833 -2229,269 -3280,1457 -2523,1111 -3826,264 -5404,1230 -2606,61 -2981,103 -1702,1156 -3460,115 -3602,64 -3197,391 -1603,534 -4747,312 -6302,1066 -1215,961 -2893,1314 -5247,929 -4570,1515 -1854,1086 -4187,1523 -6835,1069 -4893,587 -7041,278 -7096,1482 -7109,297 -3755,1161 -73,1278 -74,349 -302,994 -551,743 -2367,346 -80,220 -5231,1132 -4131,306 -1306,394 -3024,355 -1393,596 -6389,673 -182,1400 -6698,1240 -2647,1095 -3133,1123 -4429,786 -4752,1051 -149,46 -3859,1291 -200,950 -5623,1175 -210,391 -663,212 -303,1058 -4756,41 -3871,964 -1571,1279 -3117,311 -943,883 -1336,626 -1255,1101 -2136,1055 -318,179 -372,1465 -5786,1028 -4442,1519 -5277,738 -449,766 -3207,1071 -5911,376 -629,178 -6677,369 -2682,687 -4050,1069 -4375,666 -705,1185 -2127,940 -4280,664 -3908,41 -5097,333 -1118,535 -6696,149 -732,1303 -5713,941 -1911,1150 -3350,50 -1111,129 -3153,1164 -1312,39 -1406,276 -1734,428 -2656,1468 -1550,174 -1305,480 -4040,950 -3589,639 -1568,948 -2651,1272 -7206,949 -1602,504 -2744,1183 -1621,1188 -3857,86 -1645,1058 -1278,157 -1782,837 -6561,1142 -1804,376 -181,1456 -1938,1500 -749,901 -2187,21 -282,984 -3130,1150 -6887,1302 -2539,341 -2548,313 -2619,1441 -2628,250 -707,87 -2741,850 -2949,637 -2834,939 -2950,1046 -478,326 -2614,1040 -277,38 -5888,305 -3048,339 -3057,391 -4184,250 -3068,730 -3567,687 -6600,516 -3069,1027 -4891,14 -3093,952 -275,448 -4985,1401 -2508,729 -736,1500 -3162,54 -3194,285 -2758,311 -1112,147 -3308,133 -855,147 -204,995 -3847,1197 -3517,956 -3626,1296 -3759,164 -3829,108 -2261,1288 -323,1088 -3856,507 -3881,719 -3883,363 -2609,439 -4009,920 -2266,1258 -4175,1071 -5111,182 -6354,1517 -4940,1064 -5115,740 -4289,334 -4953,956 -2792,659 -5051,1442 -6578,971 -4333,1523 -6814,193 -3607,262 -6012,513 -6231,148 -4572,1528 -6517,967 -4623,743 -2813,948 -454,994 -4823,986 -4825,669 -4261,266 -2618,1311 -1775,433 -4856,242 -4877,172 -2691,946 -4960,956 -2034,9 -1203,967 -4573,1400 -4740,724 -5385,637 -5067,1147 -5143,1186 -6897,366 -5203,691 -141,151 -5359,1386 -5367,363 -714,232 -1084,1513 -377,1122 -502,424 -1781,1425 -1955,829 -2112,671 -3269,1444 -4842,938 -4939,393 -5585,1187 -6507,1179 -1510,1403 -5883,435 -5892,1140 -3493,684 -3495,101 -5988,1149 -902,1184 -3428,205 -4776,1467 -7138,43 -6734,1039 -7186,98 -6008,794 -723,833 -6089,1210 -6157,614 -6860,502 -6173,439 -605,1299 -2614,1042 -6297,454 -3842,740 -3129,86 -1611,547 -6388,1230 -1321,1408 -6541,950 -4140,460 -6681,1 -6699,243 -1370,965 -724,1147 -4968,191 -6869,775 -5122,306 -1808,712 -2875,1441 -6954,946 -1573,1061 -7208,714 -6780,709 -77,1277 -6832,66 -1770,1254 -5193,1432 -949,404 -5008,286 -119,1220 -201,1349 -255,943 -276,768 -375,1250 -519,1086 -654,1296 -608,1304 -655,103 -7271,1226 -3354,873 -736,1503 -4585,1411 -4691,1147 -5781,437 -751,536 -3435,1078 -774,1052 -2035,741 -875,1261 -930,1274 -5107,1370 -1141,275 -1175,1220 -1219,175 -1220,1202 -1259,378 -1295,113 -1313,839 -1556,954 -1558,131 -1814,950 -4420,1164 -1642,382 -1654,745 -691,1444 -2312,54 -2498,1080 -576,950 -571,986 -2664,876 -2044,666 -2723,1074 -2846,169 -2882,707 -2885,197 -2965,846 -3104,996 -4239,1288 -3193,917 -3200,867 -5201,909 -3271,745 -2905,938 -2773,1078 -1766,789 -1418,311 -3816,915 -3761,1034 -5509,1355 -4405,428 -6372,38 -4288,819 -5724,1145 -535,1048 -4613,1403 -5894,1430 -2878,126 -4863,144 -3364,1128 -2339,1509 -3609,226 -3615,44 -4951,488 -3699,86 -1629,692 -1055,410 -713,1309 -6971,262 -3896,1311 -3994,70 -4124,949 -5243,61 -4182,1039 -4305,1328 -453,207 -6848,692 -1563,414 -4637,967 -4703,958 -4854,1147 -4949,197 -5017,1250 -5048,1270 -5055,9 -3793,1496 -1566,35 -5268,1438 -5297,1432 -5400,142 -5586,1272 -5672,393 -5719,370 -2039,1515 -5776,822 -5781,511 -5802,144 -5847,41 -5923,1394 -6091,793 -6175,1314 -6224,396 -6253,196 -1181,65 -6415,770 -6688,1064 -2474,426 -6807,1076 -6849,884 -6854,532 -6856,873 -6861,25 -5009,786 -6930,1342 -6937,1308 -7278,69 -3424,639 -268,666 -128,1360 -243,1426 -265,636 -305,1094 -498,364 -520,910 -1155,1258 -1220,1204 -1253,1180 -1338,561 -1433,946 -1591,964 -1609,1313 -1665,1376 -1717,158 -6853,819 -2219,162 -2241,1476 -2424,161 -2456,371 -2510,1107 -543,1071 -2856,475 -2931,810 -3026,455 -3032,309 -4274,665 -3113,1215 -3330,909 -3573,74 -3665,889 -3706,144 -3884,910 -4432,1164 -402,39 -4822,272 -4934,58 -5081,908 -1235,1386 -5437,406 -5702,443 -5720,1288 -5732,1134 -5937,950 -5993,438 -6133,1058 -6190,1162 -6333,976 -6518,306 -3611,1115 -6686,954 -6707,1064 -6708,714 -6886,373 -1387,128 -79,938 -79,994 -103,404 -108,976 -114,359 -136,143 -3763,665 -5733,274 -153,815 -659,177 -156,41 -2878,651 -113,903 -1523,868 -227,406 -233,1164 -245,608 -283,195 -294,1514 -304,1083 -2742,14 -1746,391 -4766,95 -333,990 -337,721 -6949,212 -1882,420 -345,945 -350,259 -326,40 -2489,1076 -352,1425 -353,520 -359,528 -2348,1009 -311,179 -378,1276 -4911,255 -4868,131 -384,967 -2979,1453 -386,1069 -409,949 -641,855 -437,329 -80,217 -80,216 -1515,39 -2139,402 -457,948 -5721,1103 -494,448 -216,212 -197,1154 -5893,393 -1869,190 -2564,1159 -4005,1390 -6093,1106 -6111,1150 -1543,1302 -517,809 -520,909 -6865,431 -5579,131 -856,752 -3028,190 -4054,1298 -5808,1161 -325,901 -2320,961 -6793,373 -7226,920 -580,666 -6900,1304 -525,202 -2215,983 -2661,1314 -2293,50 -341,1431 -6241,1108 -2404,1392 -2336,59 -2427,1343 -3538,364 -5108,836 -2684,311 -1546,1077 -661,1076 -695,51 -706,939 -2110,914 -6163,74 -724,1149 -217,773 -6389,675 -280,1021 -560,752 -2476,1313 -3653,1177 -784,750 -1565,1282 -2125,936 -4718,1037 -2185,815 -2211,986 -2246,117 -2386,1212 -2231,1302 -2250,977 -2476,1333 -955,144 -4217,347 -3323,337 -4584,1152 -6186,591 -4552,124 -6030,142 -5973,126 -6245,191 -6794,818 -744,939 -1560,1111 -5850,144 -757,689 -3731,144 -5931,1454 -765,871 -48,907 -1811,49 -811,1373 -1127,420 -812,977 -2987,401 -923,1227 -3249,146 -1113,147 -1114,534 -113,907 -5812,352 -1133,991 -1216,809 -1905,1348 -2017,1068 -1299,772 -2021,1345 -1353,335 -1358,553 -1359,369 -1474,153 -3921,1145 -1477,391 -1480,1074 -5575,1314 -1518,1304 -1506,116 -4560,559 -473,787 -4331,938 -3059,997 -1517,1106 -3898,39 -6154,195 -4201,1186 -4320,1217 -1592,1040 -2378,575 -1598,1078 -1712,1188 -3208,1288 -5580,892 -1873,402 -1875,889 -1902,191 -1913,302 -1922,1150 -3081,1034 -2012,25 -1927,380 -1930,1395 -7222,310 -1932,620 -2013,433 -1939,402 -1941,939 -1969,766 -1970,1052 -1975,126 -1987,917 -1540,778 -1990,375 -2001,936 -2008,1052 -2010,129 -2028,142 -1432,855 -1929,1425 -2048,919 -2049,153 -2050,1294 -2080,380 -883,995 -2090,447 -2092,1078 -2106,912 -2655,1430 -2154,1430 -2218,1131 -5758,1349 -2192,427 -2203,629 -1020,938 -2261,1287 -126,65 -4737,157 -2310,1185 -2317,1247 -466,308 -2346,395 -2382,1177 -662,565 -1261,1008 -2422,859 -2731,884 -2455,766 -2468,741 -4620,132 -6757,654 -2429,230 -2471,971 -5684,980 -697,666 -2552,1305 -477,146 -966,291 -5669,1056 -3326,1399 -6760,1101 -2572,970 -2577,1150 -2582,1058 -2621,1448 -4731,1417 -6216,144 -2675,121 -2977,1149 -3135,850 -4385,971 -2027,144 -2824,1243 -3260,949 -3261,142 -3314,1355 -3343,298 -3420,941 -3490,131 -1708,1424 -733,88 -5600,484 -1098,858 -5622,218 -3604,1325 -3629,497 -1528,941 -1538,349 -4238,1304 -1836,1370 -2173,1133 -5826,1078 -3873,131 -1839,1008 -2596,175 -2718,1191 -4508,325 -5906,794 -3916,939 -1879,1102 -3930,526 -4401,391 -4054,1087 -392,1499 -242,387 -4092,356 -4101,1236 -5237,447 -237,884 -497,940 -688,901 -12,1528 -2294,1476 -3183,934 -3909,255 -4751,1094 -4790,1137 -6114,1026 -3746,211 -3766,667 -4259,1067 -431,1134 -4265,966 -4301,39 -4303,642 -5172,87 -4337,135 -2313,917 -4422,395 -4483,949 -4516,1123 -4588,962 -4039,320 -4590,980 -4682,729 -4812,35 -6192,534 -4598,758 -5784,483 -2056,299 -762,389 -4742,938 -4786,41 -4795,562 -766,519 -4846,1074 -4901,971 -1120,1378 -5001,1085 -5006,1311 -2629,394 -6182,1304 -5204,375 -5213,634 -3927,888 -6003,941 -4358,819 -4991,977 -5231,1184 -5264,1143 -6926,297 -5398,1101 -5573,1453 -114,855 -5587,1319 -2794,819 -438,536 -2377,1478 -7196,73 -2797,785 -2655,1433 -375,1173 -4452,366 -5748,736 -5749,1067 -5770,104 -5804,927 -5805,11 -2190,478 -3156,480 -5856,1340 -6838,1101 -4058,311 -5871,1069 -5904,1399 -775,1257 -3466,924 -5944,635 -1317,994 -1946,783 -2061,730 -5710,1112 -6119,1264 -6152,195 -5207,1311 -7219,294 -6146,1080 -6164,968 -6181,1507 -6189,531 -1881,534 -6201,1515 -4710,1104 -6207,402 -2259,218 -6214,1523 -6221,920 -6225,129 -6229,1112 -2494,392 -6447,126 -6477,1096 -6502,743 -6625,1128 -4085,972 -6725,1521 -5687,785 -2776,996 -6872,1063 -4894,1147 -4858,369 -262,1303 -81,329 -82,738 -1747,168 -5688,980 -7148,43 -84,1018 -2641,349 -85,254 -2622,504 -2738,493 -3732,120 -1559,1419 -3222,673 -2459,776 -3423,492 -3598,980 -741,755 -1593,101 -4897,940 -4541,673 -6887,1305 -4735,1313 -1847,714 -1266,483 -778,102 -4264,714 -4832,1148 -4869,1159 -5666,1053 -756,991 -1793,1268 -5948,1483 -1267,885 -2746,524 -3913,1141 -2331,1526 -6204,383 -6705,691 -88,208 -1530,69 -2117,1101 -3063,11 -4913,969 -880,1425 -4628,721 -6155,1215 -6346,524 -4905,551 -3065,1026 -6352,311 -2672,1504 -6366,324 -89,1220 -3760,1064 -2275,437 -4565,1265 -1818,615 -2168,1211 -1138,1425 -1476,1469 -3411,938 -4320,1219 -4857,948 -4990,1140 -5250,428 -5284,669 -5396,1241 -1981,179 -1772,1104 -2477,1040 -92,796 -92,1314 -93,975 -94,43 -2245,521 -2650,1188 -3816,918 -7025,941 -7030,918 -4575,1055 -7153,752 -287,23 -207,38 -3634,664 -159,969 -1585,589 -229,219 -2571,285 -3263,457 -1309,53 -1374,130 -4040,948 -1539,1186 -657,71 -19,166 -678,989 -578,941 -1107,1045 -6127,1311 -903,1276 -5843,970 -2497,1500 -4090,454 -556,1299 -2327,772 -1247,971 -5018,876 -6799,753 -2160,551 -2391,211 -286,1461 -5940,1150 -2711,1186 -6765,1142 -1300,322 -3608,165 -5555,1355 -5506,147 -4153,49 -5365,41 -5441,106 -692,666 -3000,1435 -6858,270 -5842,285 -4496,939 -4527,969 -1531,326 -5026,212 -6202,1390 -6702,1258 -6296,86 -6431,212 -1178,285 -1201,948 -1268,43 -1276,666 -1777,392 -6950,1164 -4596,726 -506,18 -640,927 -1193,1148 -6267,168 -295,391 -2439,1288 -1842,406 -4679,1061 -1548,678 -1861,205 -3676,642 -1631,126 -4864,376 -4932,1153 -1788,80 -5112,73 -5706,1112 -5723,1141 -1174,292 -2843,985 -2220,859 -2291,830 -4203,289 -6822,871 -2587,1313 -2657,1281 -2659,457 -7155,988 -1871,1145 -2887,1311 -2919,410 -6833,442 -4158,427 -3408,21 -3467,1390 -846,106 -3619,356 -3862,433 -7197,714 -4511,379 -4454,259 -4491,1002 -4626,1180 -4674,385 -4705,941 -2452,817 -4843,824 -5901,1392 -3480,1134 -1412,393 -4767,1227 -7176,73 -1171,6 -7185,1138 -7146,773 -2107,1107 -3813,191 -5740,1304 -5846,41 -5972,1205 -6100,1157 -2707,794 -6149,632 -2420,752 -3253,1004 -5591,1076 -6487,382 -5996,239 -6676,1363 -6709,54 -4285,1500 -1083,570 -7049,347 -96,382 -1386,1399 -2287,1431 -97,787 -97,850 -3568,1280 -99,1184 -100,1163 -101,154 -102,116 -11,1291 -1544,1122 -2633,643 -2737,794 -3792,1366 -4147,1265 -5589,1152 -5891,179 -6774,1058 -5887,308 -7132,385 -1119,1299 -174,284 -548,1256 -5042,950 -1088,68 -1437,1062 -1522,1376 -1735,1321 -131,742 -2031,42 -2232,1225 -2521,1149 -4262,941 -4275,414 -4492,219 -4651,193 -4733,359 -5612,1430 -524,232 -5927,205 -2971,752 -5303,288 -105,268 -106,41 -107,561 -196,55 -2051,356 -4036,1299 -2608,850 -6969,51 -3429,859 -109,551 -109,1136 -110,58 -7223,347 -3285,904 -6703,1215 -3563,1335 -115,1154 -116,273 -117,233 -118,781 -118,784 -401,257 -1918,103 -2142,666 -5831,345 -6167,103 -119,1299 -675,128 -6179,1179 -4855,374 -526,962 -5001,1088 -6721,1055 -3196,644 -1285,1104 -120,40 -120,1136 -3477,1037 -4938,1201 -4179,696 -6348,1061 -761,190 -832,726 -7207,49 -121,46 -122,1136 -123,603 -123,336 -1012,65 -2489,1079 -680,1026 -3729,1107 -5521,724 -1521,766 -3301,770 -1586,130 -3661,904 -7291,792 -1230,474 -1692,39 -3139,1046 -3032,38 -4378,1127 -6762,1071 -6395,441 -4801,222 -125,995 -425,34 -2155,1114 -841,6 -2075,669 -1957,1314 -5708,494 -5909,402 -861,558 -177,966 -127,938 -4380,524 -867,218 -2583,153 -2685,800 -2649,741 -5187,991 -3080,1147 -3219,66 -3795,59 -3371,952 -3570,51 -3983,7 -4348,533 -4373,452 -4536,324 -4719,211 -4730,1134 -4918,392 -4987,1096 -5876,1161 -5912,515 -6345,649 -4532,748 -6903,208 -3963,696 -129,392 -130,1003 -309,385 -481,207 -834,820 -999,943 -1004,99 -1043,127 -1064,879 -1142,856 -1430,287 -1581,1301 -1270,655 -2528,873 -2687,835 -3221,884 -292,666 -5226,727 -3273,821 -3383,1206 -3393,1496 -3542,193 -5156,452 -3575,1390 -3601,438 -3965,1309 -3992,1108 -4117,424 -5598,402 -4895,1467 -4572,1529 -1377,952 -5401,879 -5613,684 -6711,702 -6923,696 -132,718 -132,1150 -725,959 -816,773 -2436,1341 -2158,1351 -2340,749 -3861,565 -4166,1372 -4371,1464 -5283,249 -134,980 -5978,1043 -4890,1090 -136,142 -6237,1225 -345,946 -456,432 -4984,687 -4639,364 -4574,655 -677,717 -1319,385 -1410,929 -4826,1455 -2539,344 -5235,754 -6084,766 -1998,1030 -1710,986 -5000,143 -6240,1002 -3254,506 -6136,1173 -559,393 -14,1096 -847,860 -1567,733 -3827,166 -3673,1058 -4349,1121 -1589,188 -274,721 -2036,661 -2201,357 -4169,792 -6423,480 -6435,86 -6523,321 -5063,995 -5653,1372 -3886,41 -6413,559 -4165,1291 -4867,1294 -4222,920 -3770,905 -3747,278 -5038,1438 -4486,920 -5135,1186 -5774,219 -5774,311 -4037,415 -3195,881 -4029,246 -355,188 -5898,366 -6282,642 -4941,544 -7038,793 -139,1242 -3174,895 -142,906 -2955,1005 -585,1164 -597,329 -2011,927 -2384,1440 -2493,1227 -3021,98 -5785,130 -143,994 -1252,356 -4188,177 -5048,1302 -6429,691 -653,1480 -4515,1458 -3262,1041 -4706,205 -4567,377 -2486,451 -2505,994 -2086,1064 -6402,364 -3412,1184 -3564,422 -1749,924 -3959,133 -3980,647 -4248,1411 -2225,1046 -4327,774 -4978,1386 -4919,392 -4606,169 -4840,1358 -4916,48 -5094,691 -5377,153 -243,1422 -2900,1012 -5673,157 -6862,49 -1052,245 -1623,743 -1773,427 -6690,1086 -4233,850 -146,762 -148,1119 -4725,872 -3046,1304 -320,318 -354,950 -1787,813 -1395,559 -2747,1488 -545,629 -586,619 -926,803 -1234,1496 -1537,608 -1769,191 -1827,391 -2620,299 -2790,1498 -7201,73 -7160,103 -3353,349 -4619,1309 -3599,393 -1332,21 -3768,1214 -2116,104 -4329,356 -2889,347 -4563,1261 -5619,41 -5338,1097 -1488,1525 -4510,1400 -150,939 -150,996 -151,529 -152,120 -241,41 -5399,713 -4743,54 -3621,647 -1335,380 -6387,1304 -678,990 -679,1078 -3560,1276 -889,1309 -1323,996 -1431,772 -1712,1190 -1739,1129 -638,375 -2012,104 -2541,956 -1196,41 -6390,938 -6850,23 -707,89 -2800,40 -4095,962 -4711,1196 -5779,41 -5012,103 -1813,278 -455,986 -2413,940 -4561,611 -6678,1411 -6250,915 -6329,244 -6946,1225 -1768,1175 -157,891 -6846,467 -6042,414 -1812,520 -3168,726 -4251,1425 -158,1068 -3663,771 -3171,966 -458,941 -3334,906 -3891,938 -6281,956 -2045,1452 -1785,11 -160,520 -2850,1078 -6642,753 -2575,969 -5357,637 -6492,1398 -7217,666 -163,212 -164,405 -165,316 -165,130 -4008,961 -4785,363 -3949,382 -358,99 -366,962 -717,1456 -4316,1235 -1342,881 -935,872 -1024,1500 -1286,1309 -1351,58 -2214,551 -370,947 -3630,1002 -6948,728 -247,590 -2904,980 -1549,915 -1590,983 -2274,1309 -2058,927 -5500,137 -758,546 -2019,920 -3258,917 -1281,1177 -3420,940 -7042,313 -1882,421 -4053,467 -4032,41 -3264,1114 -4302,1052 -2308,333 -3692,147 -3878,1242 -2518,936 -4598,940 -4648,147 -3128,376 -1826,70 -2200,1190 -2909,892 -1005,1392 -5775,1290 -2530,122 -5957,1384 -3251,930 -2323,147 -6568,671 -3707,1301 -550,280 -167,1347 -168,939 -169,1292 -169,1302 -3725,1064 -6264,368 -2500,372 -325,902 -429,1090 -1830,428 -4756,42 -171,651 -172,441 -173,1393 -174,283 -175,1034 -1532,393 -1944,149 -5854,1235 -176,1128 -2542,1052 -3880,191 -1672,1523 -3015,1014 -4579,1283 -179,207 -180,1352 -182,1376 -182,1399 -6750,938 -183,1304 -1520,917 -184,473 -953,332 -185,1129 -2962,993 -1953,1304 -3482,986 -2761,1400 -5712,996 -2502,1301 -5942,1129 -187,1061 -7166,446 -3819,1032 -6199,1304 -188,524 -189,1349 -190,1002 -191,752 -191,41 -252,648 -417,1201 -1239,507 -3140,212 -2212,554 -2394,283 -4474,1461 -4748,748 -5947,772 -193,691 -193,692 -2964,1021 -251,244 -4002,361 -1460,9 -2798,377 -4265,968 -6647,857 -6944,144 -6905,55 -404,41 -406,970 -1575,86 -6501,950 -1134,369 -5925,1142 -493,691 -2461,1104 -1729,516 -2703,1357 -3108,139 -4067,1401 -4084,44 -2122,964 -5714,23 -6933,1068 -5851,455 -194,1478 -195,356 -5232,1164 -3158,82 -4982,139 -6086,489 -6829,1281 -1292,1059 -198,256 -199,103 -2877,1175 -201,1347 -890,129 -5935,1062 -603,105 -503,274 -5762,406 -6389,676 -203,370 -223,1502 -242,391 -1505,1507 -5807,384 -204,996 -4197,1333 -4052,232 -205,437 -405,408 -206,815 -421,666 -1234,1482 -7131,975 -7054,713 -2714,819 -1388,107 -1420,313 -6247,294 -2114,752 -1143,484 -1213,174 -1728,223 -5133,1452 -5344,1480 -1802,335 -3797,289 -5066,391 -5163,666 -5164,1265 -4497,499 -5413,134 -6768,936 -1366,355 -208,103 -1331,1285 -4881,1101 -5874,879 -209,941 -314,674 -270,1305 -6083,521 -3089,1112 -599,651 -3645,1052 -4759,1052 -5756,1161 -6749,1240 -211,359 -1970,1056 -2071,996 -2068,993 -2473,1144 -934,899 -3869,763 -5829,347 -6636,1062 -213,390 -214,935 -219,166 -5705,942 -6852,39 -215,44 -216,157 -216,161 -710,1311 -216,215 -1954,892 -5139,1399 -4782,873 -1325,181 -6257,41 -217,775 -2367,350 -5582,42 -218,590 -218,591 -281,729 -220,691 -299,273 -7260,88 -221,1291 -1467,638 -4676,1527 -932,631 -727,158 -222,1454 -222,1502 -223,1304 -7078,775 -224,943 -342,63 -224,1017 -224,731 -6128,391 -225,254 -226,433 -226,507 -2140,906 -228,1164 -948,1012 -230,1040 -4043,712 -4732,1151 -583,684 -759,69 -4610,1096 -2533,16 -3414,614 -4141,8 -369,1485 -3184,106 -4652,916 -4799,881 -6177,324 -2406,409 -3730,730 -7277,691 -7283,1042 -1501,1120 -3123,349 -2785,250 -3978,678 -234,1424 -5905,36 -235,88 -236,1125 -283,260 -1515,42 -419,85 -6583,909 -1006,1201 -2601,1073 -238,552 -239,1286 -241,439 -1146,274 -1421,147 -1553,1502 -3823,777 -6457,1232 -3602,67 -3418,320 -5064,302 -6682,552 -7290,809 -1134,372 -1339,948 -1496,603 -1821,191 -2311,38 -2487,681 -2763,764 -4256,1523 -4422,396 -4699,949 -4668,393 -5761,1304 -6019,950 -244,770 -244,833 -383,707 -4099,308 -246,524 -2121,138 -1333,469 -5231,1139 -763,158 -5976,741 -248,83 -6516,1006 -249,108 -250,804 -5922,945 -253,54 -3655,848 -254,161 -6381,597 -3374,962 -4686,941 -3017,59 -256,36 -2433,703 -257,939 -258,510 -259,958 -260,1454 -261,41 -941,918 -263,810 -264,1148 -4180,76 -6835,1070 -7152,895 -266,1226 -6795,324 -267,840 -269,68 -270,1304 -1365,1019 -271,1161 -412,1359 -315,1438 -272,88 -273,352 -275,524 -276,766 -4326,749 -5804,219 -349,128 -365,170 -6430,774 -1891,1111 -5241,904 -5376,715 -1154,393 -278,103 -4736,290 -5291,337 -6156,1360 -279,899 -3200,1502 -1626,49 -1898,1212 -2135,962 -5487,1302 -1284,904 -1459,1106 -1524,51 -2754,525 -3316,600 -2816,948 -6328,1184 -6631,191 -6751,567 -284,143 -681,1052 -3657,426 -288,1034 -289,102 -4,1421 -291,1014 -290,1411 -4019,258 -293,82 -5809,51 -296,665 -297,329 -298,392 -7229,664 -783,1220 -1101,775 -1251,1276 -1503,1308 -3832,274 -4448,1066 -3318,1301 -5359,1439 -6579,197 -6613,197 -2662,746 -4034,884 -6789,971 -4952,347 -301,142 -301,1314 -5880,175 -4339,1098 -302,1502 -3721,684 -1046,1390 -1554,382 -562,1115 -4421,525 -5574,50 -557,949 -3858,947 -2393,1173 -4345,970 -3524,671 -682,1202 -4266,1055 -4657,671 -4692,1274 -4772,1053 -5249,996 -634,954 -4120,811 -2376,1219 -3120,1229 -1729,515 -308,226 -310,13 -312,190 -313,1200 -314,668 -420,1241 -54,1461 -1776,763 -1807,688 -2475,390 -3688,1461 -6183,493 -6851,962 -7144,1071 -316,754 -5274,1104 -1647,1230 -6728,70 -317,785 -1254,1397 -319,1311 -1926,903 -321,415 -536,1454 -5560,632 -3578,1162 -970,1489 -1031,959 -1076,959 -1136,482 -1818,616 -2145,194 -2196,1234 -6681,480 -2480,191 -5299,1455 -2828,311 -3455,787 -4538,380 -2326,179 -6767,311 -5933,243 -6976,500 -322,980 -322,982 -1839,954 -324,1201 -324,489 -327,504 -423,489 -328,742 -329,971 -329,675 -330,964 -3015,820 -2244,41 -3395,956 -2025,1235 -6650,126 -331,1200 -332,828 -332,829 -373,1404 -334,986 -374,21 -335,1005 -4196,191 -635,847 -978,1502 -2708,554 -3752,1140 -338,1183 -339,137 -3693,1085 -3693,1089 -340,725 -609,1022 -344,50 -345,757 -430,1229 -361,130 -750,666 -1533,313 -2022,1085 -1991,177 -2167,166 -2224,767 -2298,159 -2356,1319 -5075,147 -5132,1005 -5402,799 -6418,1205 -346,941 -346,962 -347,130 -348,1370 -2362,347 -1509,410 -6001,986 -2678,1052 -3018,433 -3914,499 -3997,482 -6847,275 -351,1076 -2969,1075 -3335,1150 -1055,411 -5345,1080 -6957,1303 -2923,949 -1912,122 -1940,39 -2062,131 -356,1119 -5088,44 -6110,1377 -357,1140 -4644,938 -5608,394 -6040,502 -2014,471 -4344,830 -4374,1019 -4928,1085 -360,1380 -362,792 -362,854 -418,655 -363,393 -364,666 -398,1515 -4506,664 -2717,697 -1320,853 -3777,687 -2483,375 -367,980 -368,1438 -5187,992 -1976,1052 -5155,919 -214,937 -371,401 -248,80 -1411,191 -1455,956 -4093,591 -941,917 -1529,941 -2914,1053 -5772,1507 -5827,59 -6840,1507 -376,143 -2410,404 -6147,773 -1825,766 -2052,1436 -5270,878 -1997,415 -3906,154 -379,1227 -380,1267 -3845,507 -5617,667 -4970,41 -1705,1206 -3136,1078 -4455,1019 -4755,1064 -6090,46 -4336,543 -382,48 -382,51 -383,729 -385,1002 -387,1012 -4075,990 -388,1052 -389,678 -390,958 -390,59 -391,977 -3697,899 -393,380 -394,956 -395,950 -396,1177 -396,524 -397,775 -399,952 -400,965 -2998,1148 -6792,971 -1871,1143 -6730,703 -403,614 -407,1106 -408,843 -2645,285 -5330,212 -410,404 -411,205 -5045,762 -413,1235 -414,1191 -415,590 -416,967 -4985,1402 -3099,480 -848,1375 -1481,322 -3266,139 -5620,144 -6345,726 -6353,837 -4722,787 -422,623 -424,50 -425,1347 -426,104 -4986,603 -4988,603 -7193,977 -427,152 -432,1090 -604,1110 -1512,1159 -1502,143 -1525,1071 -2079,464 -523,1239 -1851,39 -3534,311 -5800,1076 -1434,1493 -1370,963 -7033,1055 -2592,1203 -3122,244 -3303,41 -4031,74 -6889,938 -5963,885 -1978,873 -3532,1268 -3686,321 -6844,116 -865,1136 -2033,142 -1356,190 -2496,1124 -3846,1300 -4295,1022 -6233,1004 -4787,61 -2462,340 -2851,1355 -2859,231 -3300,699 -3380,1368 -4192,439 -4205,1452 -1303,402 -4283,533 -4715,638 -4805,99 -4925,443 -5186,984 -4942,169 -5050,51 -6117,924 -5093,1348 -6782,941 -3338,713 -6976,499 -4740,723 -2646,470 -1405,707 -1479,1399 -3506,382 -6373,954 -593,212 -5518,19 -5496,1057 -3079,519 -4441,938 -5621,1034 -6445,1003 -4814,63 -5329,655 -436,464 -437,136 -473,785 -4435,843 -6096,1363 -6235,1387 -7235,1242 -6830,153 -1426,1053 -1412,394 -3505,249 -3600,157 -3703,1525 -439,1502 -5693,766 -440,50 -441,450 -441,453 -4849,458 -6538,352 -442,1291 -443,969 -2895,1419 -3006,671 -3205,603 -4088,1328 -4315,208 -5951,1180 -445,584 -2169,164 -3141,326 -913,373 -4866,480 -1751,356 -2479,670 -3220,871 -3396,649 -3903,977 -4304,390 -3418,321 -5665,1217 -5707,897 -6022,912 -5967,393 -1596,274 -3535,917 -2807,956 -3008,948 -2803,1148 -4977,725 -5995,943 -3961,1253 -3117,349 -6297,450 -1586,40 -3687,1429 -534,1316 -2793,993 -3610,1253 -4841,656 -5231,1131 -5601,1096 -513,1349 -6855,944 -669,779 -856,756 -2374,268 -6250,866 -1619,994 -1798,859 -6138,959 -3592,1167 -3912,405 -2820,382 -5141,925 -3820,702 -2191,175 -449,769 -4297,1150 -607,356 -5401,876 -743,754 -1054,465 -1536,144 -2410,406 -2492,966 -4143,406 -4292,1409 -6223,416 -686,664 -450,714 -2149,1274 -3244,69 -6824,492 -451,1052 -1547,845 -4465,1269 -2180,41 -5651,1066 -5955,74 -6095,25 -5730,1117 -2436,1339 -2119,1355 -3931,256 -5548,40 -6904,1068 -1499,473 -2195,43 -6605,1164 -459,973 -460,1336 -461,147 -462,1444 -463,973 -4234,666 -5674,1064 -4383,962 -6375,959 -465,974 -3622,356 -467,1159 -1311,1305 -3434,455 -468,772 -469,329 -470,326 -471,1356 -472,69 -472,86 -5875,144 -3633,1052 -4559,134 -474,320 -475,1153 -476,986 -2675,123 -5769,101 -479,207 -3497,894 -4418,1526 -5185,773 -5525,1136 -5051,1059 -484,660 -496,606 -1144,552 -1257,465 -2898,1011 -3227,994 -3228,687 -3483,485 -1243,1171 -4216,996 -4355,959 -6360,1461 -6399,437 -6620,1462 -6609,1414 -6758,173 -6772,1324 -482,906 -483,65 -3588,712 -487,684 -1021,1206 -1644,992 -2137,1126 -3457,482 -3238,406 -5747,911 -6090,1115 -6870,1126 -6882,1509 -485,340 -486,1063 -488,993 -490,1504 -492,435 -2466,191 -495,688 -6239,1419 -3092,767 -4082,428 -499,1241 -500,920 -501,806 -6172,426 -7094,25 -504,810 -947,1488 -3519,51 -505,533 -506,106 -1761,219 -2645,278 -6843,144 -507,1243 -3251,931 -1247,1361 -1001,707 -1107,990 -1704,1111 -3007,206 -5275,1355 -3239,141 -3152,589 -1588,257 -4503,702 -4534,1035 -4987,1237 -6125,939 -6810,1014 -2815,1250 -5209,1467 -508,410 -4319,1154 -5462,645 -6500,986 -6606,936 -511,435 -5570,297 -6609,1412 -512,412 -705,1188 -1400,329 -1552,1472 -1661,184 -2171,254 -2302,949 -2442,482 -2944,603 -6993,1159 -2982,994 -5596,313 -4229,9 -618,104 -1085,1163 -1904,941 -2641,350 -4209,1473 -3769,1184 -4950,390 -516,41 -516,779 -4764,143 -518,135 -5716,1507 -565,714 -2658,1129 -4997,1229 -2203,633 -2872,953 -5032,521 -521,126 -525,204 -6781,254 -6784,666 -879,488 -3644,455 -166,1350 -1958,56 -1248,1314 -1756,1150 -4434,49 -527,175 -527,238 -2540,929 -7233,349 -1318,562 -1523,869 -2453,85 -285,1056 -3548,1110 -5347,1110 -5763,88 -1124,792 -529,1272 -530,777 -2416,1427 -3936,1265 -6056,1449 -564,1197 -532,835 -6018,475 -789,589 -534,1318 -536,1451 -2653,665 -2138,1263 -2698,161 -2792,658 -2864,912 -5086,1022 -5174,1064 -5490,132 -553,211 -5013,1156 -6463,341 -7159,904 -7174,104 -538,471 -539,504 -2237,510 -6153,195 -4948,748 -540,970 -542,1476 -543,1097 -1607,729 -6411,1002 -545,630 -545,632 -1385,68 -4784,1014 -839,48 -859,1283 -1794,642 -2286,719 -2740,129 -3134,49 -3570,48 -4123,1123 -5977,1134 -664,218 -3275,334 -6293,798 -547,1265 -549,501 -3442,666 -551,747 -592,971 -2030,191 -6681,22 -3020,41 -5718,580 -552,115 -553,172 -554,938 -569,980 -555,1274 -555,50 -4002,362 -558,778 -5713,942 -4917,1294 -7230,593 -560,779 -5599,238 -3507,48 -561,396 -563,806 -548,1253 -4558,135 -566,263 -567,1205 -567,958 -568,1011 -570,1114 -572,254 -572,256 -918,221 -2718,1194 -917,629 -573,696 -1334,1304 -1380,648 -1380,650 -1314,849 -1565,1283 -1195,243 -2957,1080 -2550,1104 -3211,988 -3546,1052 -4273,1274 -4278,143 -6519,1052 -2066,1029 -4773,1067 -6735,51 -7172,25 -574,794 -575,794 -7173,311 -1833,619 -2696,208 -5481,1026 -5436,691 -7151,892 -577,933 -577,936 -1818,662 -579,41 -2217,232 -3452,637 -5342,950 -5403,852 -4484,855 -5932,1277 -4219,938 -860,665 -6397,392 -2558,968 -1862,250 -4688,345 -5204,373 -5283,250 -4578,1291 -584,684 -584,1076 -3508,873 -3550,1355 -4551,1159 -5393,622 -5960,1227 -4846,1071 -1089,1034 -587,1041 -588,1283 -589,990 -590,962 -591,884 -1641,1014 -5045,761 -594,1227 -595,82 -596,82 -1839,1009 -612,666 -598,321 -4914,632 -599,653 -4899,212 -7288,234 -1842,486 -1228,1515 -3359,299 -6890,1502 -3224,433 -6112,1136 -601,1104 -602,809 -747,527 -606,650 -722,412 -3155,232 -4186,714 -4574,656 -2258,988 -528,667 -580,667 -2474,666 -4386,1162 -2091,824 -5834,967 -610,1076 -611,294 -613,1048 -2104,1220 -5768,964 -5801,950 -614,172 -616,151 -1543,1305 -617,772 -2346,399 -2326,395 -5069,1005 -6661,637 -77,1279 -5648,1137 -2155,1371 -2223,1144 -3220,874 -4518,1515 -5167,969 -1900,936 -5630,800 -6901,958 -620,1455 -6244,986 -621,1090 -622,983 -623,493 -624,284 -626,391 -625,238 -627,190 -628,908 -1354,1175 -1733,212 -3937,483 -4965,614 -5451,82 -5092,149 -3501,817 -715,1510 -1129,994 -1233,488 -4745,1007 -1573,1063 -2644,1161 -2802,673 -3547,1091 -6643,359 -5519,488 -5462,642 -3345,263 -3893,952 -4191,179 -4389,740 -7143,1041 -4654,130 -5157,884 -5488,920 -6261,302 -7047,131 -7188,698 -631,368 -632,1371 -633,815 -2170,391 -4321,941 -636,1058 -637,1019 -639,793 -641,794 -642,669 -643,1055 -644,254 -644,256 -645,50 -646,194 -647,591 -648,98 -6155,1218 -5717,980 -1218,51 -5961,1288 -4337,976 -5943,456 -650,1112 -728,441 -4272,1054 -6098,1141 -6168,511 -6420,991 -652,595 -6220,1058 -656,927 -1564,219 -3833,1452 -2203,631 -4048,302 -3554,1307 -4887,788 -4935,950 -370,1239 -6058,465 -6062,285 -6214,1521 -6638,740 -3871,734 -658,1055 -1948,1019 -3088,101 -6307,190 -7286,139 -7280,1264 -6684,709 -660,1184 -3307,1052 -726,1134 -2772,501 -3344,142 -2783,1389 -3365,1127 -3384,1111 -662,556 -3515,347 -2770,664 -5076,377 -5840,1012 -5954,1274 -6134,147 -6170,943 -6313,1145 -6948,293 -1820,41 -3087,871 -3185,1001 -5839,1150 -7104,19 -236,1123 -4431,1304 -665,195 -666,218 -764,377 -904,687 -4331,942 -667,1000 -1250,433 -817,803 -1317,938 -2849,1526 -683,25 -3751,1272 -2698,212 -6962,726 -668,87 -670,962 -671,16 -672,1147 -5655,20 -7203,664 -2179,157 -657,1147 -4614,1147 -7164,730 -3818,1054 -2484,329 -1022,164 -7148,1416 -5635,329 -6854,885 -6734,529 -7173,1039 -6419,611 -5421,1389 -2109,986 -2994,402 -4462,456 -4829,1506 -1256,349 -3149,237 -1731,1150 -1730,669 -4694,1344 -7158,502 -7171,904 -4217,349 -682,872 -684,44 -685,502 -1329,1052 -687,1288 -4614,730 -5239,130 -5330,173 -689,1476 -797,147 -2897,741 -2953,638 -5790,675 -693,980 -694,967 -694,1022 -4957,591 -1482,172 -696,1500 -698,50 -699,353 -699,1500 -700,766 -700,895 -701,1034 -701,1357 -4514,278 -1165,772 -5323,102 -5183,969 -6870,1198 -703,1484 -11,1445 -1712,1451 -1985,104 -2723,959 -4273,1196 -2907,553 -5000,144 -5144,1355 -5346,1313 -5813,66 -772,1207 -1408,199 -1134,368 -709,1370 -711,1184 -705,1186 -705,1187 -4390,938 -1977,504 -5837,938 -1048,1304 -1147,433 -1274,703 -1832,904 -1980,926 -5079,1080 -3336,1294 -3376,1003 -3810,284 -1463,73 -5087,1240 -5595,147 -5746,962 -5899,482 -6218,802 -6638,950 -5794,439 -3544,1272 -6922,855 -216,163 -710,1315 -4646,428 -2239,7 -6911,25 -1315,943 -3201,968 -3470,1375 -3850,84 -4356,974 -5919,927 -2260,251 -2222,962 -716,1366 -718,834 -776,135 -1076,957 -6886,892 -2434,637 -5378,347 -5469,326 -6828,72 -3741,116 -4183,51 -4438,1143 -4679,1005 -2804,1179 -5371,689 -6458,524 -720,770 -5851,452 -6195,452 -6997,664 -721,693 -5675,326 -6148,257 -6044,1052 -722,492 -722,416 -1018,650 -1075,1339 -1079,1071 -726,1283 -1350,941 -727,154 -818,446 -1058,606 -729,822 -5915,885 -1234,1483 -2015,576 -2074,1397 -3151,996 -2020,1262 -730,477 -5491,391 -4206,170 -731,1227 -753,1117 -807,468 -822,1117 -943,885 -4493,1159 -7234,402 -5025,471 -5027,1062 -734,277 -735,1076 -2057,787 -6601,469 -6706,493 -2111,41 -1743,1140 -2551,1131 -4338,1338 -5114,983 -6243,678 -737,651 -738,435 -739,1101 -739,144 -5236,284 -5210,496 -6925,347 -912,45 -1438,264 -2238,106 -2283,980 -3594,222 -4918,394 -1325,183 -2181,1311 -742,58 -943,886 -1583,1211 -1302,935 -1719,967 -2906,1069 -3327,426 -1388,110 -6288,992 -871,51 -4494,637 -4942,170 -5659,408 -5663,109 -6857,970 -746,1471 -2042,807 -5803,1399 -1373,1088 -5751,1235 -2681,1141 -4936,524 -2996,1311 -1200,491 -1421,149 -1475,1402 -2578,14 -914,1062 -4700,952 -6251,35 -1345,373 -4765,41 -998,1441 -3123,350 -4600,1104 -5308,211 -4327,144 -3276,930 -5245,853 -2595,356 -6710,142 -753,1114 -754,1 -921,443 -984,1022 -755,38 -6231,149 -1774,238 -961,1496 -839,51 -857,23 -5736,82 -760,376 -929,565 -762,256 -763,154 -885,938 -885,942 -969,399 -813,394 -6741,990 -805,985 -1896,1149 -6156,1348 -53,349 -2220,777 -4879,907 -5101,172 -5145,1359 -6421,738 -6898,39 -766,70 -767,876 -858,1228 -768,1330 -769,1147 -769,1399 -1002,731 -770,70 -853,470 -771,102 -2786,448 -4357,835 -1213,218 -4488,1071 -1916,1152 -2562,871 -3236,1504 -6664,884 -6649,728 -5987,949 -772,1205 -772,1209 -773,559 -773,560 -5710,1113 -4085,969 -1033,1101 -2198,391 -2401,654 -3911,1451 -3545,1052 -4388,142 -4396,426 -4328,813 -4910,1129 -777,900 -779,47 -779,43 -780,729 -6821,129 -781,25 -782,400 -4402,183 -5215,320 -5895,768 -4238,1305 -4379,992 -4720,1029 -2039,1516 -6181,1508 -785,390 -786,1226 -787,546 -788,400 -788,479 -789,581 -3939,1224 -790,691 -790,693 -791,85 -3790,73 -4069,1109 -2156,154 -2570,1417 -3230,1311 -1383,938 -3804,1107 -7008,191 -793,1159 -794,1212 -794,517 -794,1123 -989,191 -1060,1359 -1078,603 -795,773 -795,777 -796,1451 -796,1399 -825,683 -1030,1447 -6414,467 -6771,687 -798,1 -5848,1004 -799,575 -799,619 -800,1057 -800,731 -801,242 -802,1291 -837,1094 -858,1224 -864,211 -1019,1074 -1067,711 -2348,1007 -4135,40 -1137,810 -1151,821 -5010,1251 -6255,724 -6125,942 -805,1416 -1076,980 -806,1371 -808,282 -809,238 -863,1074 -811,1392 -811,1114 -803,907 -811,1117 -810,904 -810,934 -810,936 -5547,1078 -3536,1104 -5370,8 -6663,507 -813,393 -814,395 -5735,1411 -815,804 -815,803 -969,395 -1039,399 -1066,1185 -840,648 -1042,616 -1067,715 -817,731 -860,667 -950,664 -818,449 -819,996 -820,25 -821,788 -823,439 -823,1055 -824,39 -825,682 -825,685 -826,1399 -976,961 -5738,1111 -827,336 -828,323 -829,1149 -3218,44 -1068,603 -3986,256 -2646,472 -831,938 -832,752 -832,700 -832,804 -360,1372 -834,865 -960,1010 -991,1512 -835,924 -836,1062 -838,798 -838,111 -839,66 -1407,117 -2055,526 -2083,340 -3019,926 -3960,939 -5938,393 -4132,966 -5128,341 -843,1293 -844,896 -4111,297 -845,468 -981,1529 -1082,723 -846,110 -1056,1482 -847,862 -925,975 -932,633 -932,630 -847,863 -1279,1305 -5526,288 -2955,1006 -1849,927 -849,228 -850,6 -895,78 -951,78 -851,760 -851,889 -852,847 -922,641 -854,351 -857,91 -857,93 -857,94 -3300,695 -860,663 -861,560 -861,579 -861,582 -6002,759 -862,838 -924,502 -947,1491 -939,1251 -5217,130 -5415,170 -866,1114 -868,891 -869,764 -1032,63 -870,754 -872,162 -872,180 -873,871 -874,1527 -876,6 -876,9 -877,666 -877,667 -878,1052 -1015,908 -5722,883 -1217,59 -448,1507 -1303,154 -370,398 -2788,428 -3003,1276 -3809,920 -4837,1515 -881,102 -882,1390 -884,1024 -816,776 -952,1114 -886,384 -887,968 -887,69 -888,905 -890,130 -891,1316 -936,625 -936,1345 -893,666 -894,13 -895,79 -897,1267 -898,554 -899,903 -932,632 -900,1131 -900,1156 -901,824 -1184,219 -2789,1125 -2855,1039 -4263,994 -5922,774 -6806,53 -6884,197 -905,1 -905,2 -905,3 -905,4 -905,5 -951,79 -5151,969 -907,1467 -908,439 -909,493 -910,406 -911,1264 -912,43 -5819,324 -4244,994 -915,255 -916,1266 -917,633 -795,780 -1039,395 -919,1137 -860,664 -920,211 -920,215 -1077,1173 -1053,732 -1650,856 -3106,1024 -6673,1002 -927,81 -927,142 -928,129 -928,131 -931,1136 -932,629 -1008,291 -5004,938 -933,961 -1070,702 -937,68 -938,90 -938,94 -938,137 -940,927 -1754,1129 -2082,870 -2110,918 -7164,1039 -944,855 -945,1106 -1015,909 -6978,1492 -946,675 -947,1490 -2759,168 -949,1274 -949,1196 -717,1455 -6958,552 -2237,512 -1062,885 -2300,252 -2879,1455 -4020,240 -5372,1389 -58,490 -3098,119 -6453,755 -952,1185 -952,1189 -954,853 -956,962 -957,1494 -958,2 -958,1268 -959,1096 -960,1007 -962,1515 -963,768 -963,896 -964,9 -964,41 -965,1527 -966,288 -966,289 -967,868 -968,822 -969,475 -971,1214 -5743,772 -972,1509 -974,1304 -3918,943 -975,753 -977,95 -979,1224 -980,879 -981,1527 -982,865 -983,1528 -985,883 -986,31 -986,32 -986,33 -987,430 -988,523 -989,188 -990,19 -991,1511 -992,1510 -993,425 -993,426 -994,993 -994,997 -995,754 -996,806 -1640,144 -4282,884 -1799,71 -1000,266 -1001,710 -1082,727 -4740,727 -1002,732 -1003,774 -1003,945 -1004,100 -1007,417 -1007,419 -3793,1497 -1008,288 -1009,294 -1010,657 -1011,454 -1042,614 -1086,573 -1013,184 -1014,326 -1016,1248 -1016,1422 -1017,249 -1018,647 -1018,649 -968,819 -1020,942 -1021,1131 -5821,1100 -1073,49 -2467,1202 -6935,1196 -1023,1071 -1025,392 -1025,102 -1026,678 -1027,1052 -1028,1197 -1028,482 -1029,887 -2012,24 -1030,1219 -1034,422 -1035,283 -1036,979 -1037,1022 -1038,1500 -1040,90 -1041,968 -5542,1196 -1043,927 -1043,125 -4026,340 -1045,25 -1047,38 -4974,994 -1049,8 -1049,9 -6354,546 -1050,980 -1050,1098 -1051,843 -1051,131 -1052,247 -1065,504 -3209,82 -3430,950 -3456,1479 -1711,101 -1793,1059 -6770,373 -1057,254 -1059,936 -1059,92 -1061,878 -1062,1059 -888,907 -2184,451 -1063,941 -1052,248 -1066,1427 -1069,666 -1071,936 -1072,837 -2228,817 -5099,819 -6896,1227 -1074,73 -1075,1337 -1075,1341 -5992,155 -2150,906 -1080,1197 -1081,41 -1082,724 -874,1529 -1083,569 -2317,1248 -4958,1248 -5824,1002 -1086,569 -1087,129 -6520,775 -5324,1071 -6740,1150 -7167,1261 -6337,377 -6883,263 -5799,428 -1091,949 -1091,564 -702,1044 -1092,928 -2087,41 -2099,463 -3310,1515 -3342,796 -4076,352 -4555,884 -5952,1398 -6622,716 -7180,904 -1093,1083 -2995,1112 -1094,564 -1095,467 -1095,547 -1096,1253 -1096,1455 -1097,904 -1106,721 -6751,568 -1099,1050 -1100,691 -1105,143 -1108,143 -1102,88 -1103,931 -1104,285 -1107,988 -1107,1049 -1109,1026 -445,768 -2137,583 -4524,1467 -5569,457 -1263,824 -7079,373 -6623,1388 -2683,1366 -320,316 -1116,719 -1117,915 -1117,147 -1127,429 -1149,254 -1170,764 -1262,938 -1277,1339 -7004,866 -4257,1452 -4364,59 -5870,547 -7053,551 -7084,691 -7114,201 -1119,835 -2316,139 -6196,1138 -6266,560 -1121,129 -1121,1101 -1122,752 -1260,399 -1123,101 -1125,256 -1126,39 -3489,1117 -1242,1005 -1628,945 -1750,299 -2281,227 -3035,484 -6142,894 -4243,994 -4360,71 -5199,284 -3296,738 -1128,1142 -1130,938 -1132,165 -1135,183 -78,1060 -3199,144 -1139,827 -3418,319 -1140,191 -1571,1278 -3730,1321 -1145,740 -1210,798 -1148,589 -1150,714 -1151,819 -1156,629 -1152,1225 -1152,427 -1153,1212 -2819,54 -2284,1143 -2155,1115 -7022,511 -1158,448 -1159,736 -1160,68 -1161,59 -1162,470 -1162,471 -1164,359 -1166,147 -1167,439 -1168,1277 -1169,840 -3875,232 -1172,186 -1172,382 -1173,82 -1174,297 -3099,481 -6665,1039 -6716,920 -1176,1272 -1176,49 -1177,684 -1178,219 -1179,1220 -1180,219 -1182,595 -1185,43 -1186,255 -1187,402 -1188,13 -1189,186 -1190,1148 -1191,470 -1192,41 -137,1305 -2187,612 -4581,391 -1194,41 -1195,179 -1935,219 -4227,1241 -6113,392 -1197,994 -1198,1494 -1199,835 -1803,103 -2361,1465 -4210,231 -6800,1349 -4149,996 -1204,25 -1205,250 -1206,536 -1207,576 -1208,1220 -1209,68 -1211,439 -1212,901 -1213,286 -4224,956 -1214,425 -6130,142 -5466,520 -2357,1119 -5751,1238 -1222,949 -1223,659 -1225,74 -1227,806 -1229,1302 -4615,1235 -1231,96 -3371,954 -3132,773 -5407,1301 -1236,104 -1237,1110 -1238,753 -1240,147 -5530,298 -1269,879 -1244,1312 -1245,1225 -1246,299 -1249,80 -4936,960 -5622,220 -5641,1361 -1310,875 -3360,1401 -4775,426 -1258,471 -2938,1240 -1265,80 -1268,46 -2350,1117 -6958,555 -4323,415 -5256,1519 -6100,1159 -1271,850 -1272,712 -3915,983 -5396,1243 -1275,703 -1280,1347 -1282,1164 -1283,38 -2476,1315 -1534,1023 -1287,1149 -1288,954 -1288,1067 -1289,383 -1290,1520 -1291,691 -3363,1314 -4922,118 -5862,936 -3580,927 -3849,1296 -3849,1300 -1285,1105 -4999,977 -6970,104 -7006,753 -1296,149 -1297,1515 -360,1383 -1565,1284 -3557,19 -5602,796 -3788,576 -7013,1522 -435,943 -1347,1349 -1397,1291 -6266,558 -6370,488 -2766,1071 -2133,1010 -1763,917 -7051,50 -1301,69 -522,682 -6037,438 -1376,59 -1514,146 -6645,792 -1694,143 -1790,143 -2395,475 -6852,470 -2201,355 -5446,753 -7179,939 -7139,691 -5480,589 -3046,1147 -2634,1052 -5625,191 -4717,743 -5196,211 -3041,1202 -3349,664 -3102,136 -2375,646 -3278,311 -3732,123 -6764,520 -7072,1265 -4439,1029 -4453,1173 -4468,250 -7202,787 -7163,177 -4370,702 -4838,1502 -5129,666 -7058,274 -1718,1069 -2053,1435 -7000,529 -3763,667 -6271,1033 -6675,165 -7080,589 -7091,439 -1303,396 -7137,174 -4976,712 -7162,250 -3864,521 -6916,1064 -629,428 -629,867 -1349,457 -1639,23 -5841,483 -3811,938 -4000,793 -4254,1164 -4294,1222 -4387,1162 -3620,355 -103,407 -4502,635 -1961,924 -4728,743 -5522,707 -5485,1075 -6752,144 -4599,1355 -1305,481 -1887,144 -2771,1527 -6709,57 -2561,1271 -1306,391 -1307,783 -1308,58 -784,751 -1310,183 -4157,552 -1936,906 -1315,944 -1315,946 -1315,731 -4854,1151 -1316,50 -1316,48 -1655,980 -5240,221 -5744,793 -5836,980 -6213,467 -2174,1223 -4240,1502 -1322,917 -1324,1226 -1324,1285 -1324,1117 -1326,41 -1327,496 -1328,1386 -1328,1176 -1330,433 -1395,623 -6685,349 -7039,853 -1336,1360 -1423,106 -1487,866 -4553,766 -4036,1220 -2154,1433 -6731,666 -1338,563 -2230,1169 -6343,1513 -1500,793 -3666,958 -3704,909 -4575,1056 -1340,473 -1341,1188 -1445,48 -1342,878 -32,880 -3830,97 -1343,1333 -3043,1123 -3484,238 -5160,534 -4011,748 -5435,1040 -4760,1272 -5551,74 -7007,764 -1462,270 -1346,122 -1348,49 -1435,939 -1452,1342 -4527,972 -1352,968 -1355,609 -1355,613 -1357,142 -1360,588 -1415,46 -1361,1157 -1390,667 -1362,396 -1363,314 -1364,996 -1369,1272 -1371,776 -1393,598 -5059,144 -3599,394 -1372,1502 -5298,953 -1374,128 -1514,117 -1592,1044 -6795,325 -1375,269 -1378,1311 -1379,956 -1380,355 -1382,938 -1384,892 -1399,23 -1404,22 -149,45 -2064,1288 -4775,1120 -4896,1076 -6961,868 -1389,273 -1416,520 -1390,665 -1391,1527 -1392,130 -1394,142 -1396,988 -1398,428 -1400,117 -1401,6 -1402,1042 -1403,1200 -1406,279 -1409,962 -1495,1359 -1764,88 -1413,971 -1414,637 -1417,104 -1419,11 -1422,471 -1422,552 -1424,792 -1425,257 -1427,76 -1428,1224 -1429,20 -828,327 -1430,291 -1354,1178 -5623,1178 -1434,1495 -175,1359 -1436,599 -1439,144 -1440,654 -4661,74 -1441,299 -1442,1127 -1443,664 -1444,426 -1446,1201 -1447,585 -1448,649 -1449,347 -1450,103 -1451,1062 -1453,1052 -4794,1317 -1454,1196 -1447,586 -1456,191 -1457,1274 -1458,1008 -1459,915 -1459,1032 -1461,347 -1461,350 -1464,599 -1465,74 -1466,1293 -1466,1295 -1468,1324 -1469,716 -2612,124 -3998,431 -1471,962 -1472,980 -3011,68 -4332,75 -1729,517 -2490,1140 -4478,708 -5401,882 -1478,179 -4145,835 -1663,775 -6103,819 -4253,906 -7204,716 -1485,618 -1486,1172 -6252,334 -3027,144 -2787,488 -4975,206 -1489,574 -1490,1312 -1491,1437 -1491,1196 -1492,1399 -1493,390 -3077,366 -1497,716 -1498,328 -233,1165 -2216,1183 -2725,1161 -2843,987 -2289,1212 -2389,392 -3773,994 -3834,219 -2854,696 -5820,326 -1843,324 -2377,1481 -3413,669 -4241,994 -3786,1058 -1507,895 -1508,326 -4449,1140 -6276,427 -5860,51 -3379,920 -1519,88 -1649,994 -6963,992 -2282,66 -5687,787 -4972,1494 -2527,742 -169,1305 -3528,1163 -4281,1022 -5568,1435 -6734,1013 -1526,1215 -14,1095 -1542,678 -1531,327 -2917,49 -1786,1314 -2047,481 -240,145 -368,1218 -2580,1106 -4215,1218 -5110,1272 -1541,104 -713,1310 -4847,1158 -3177,35 -3022,102 -5255,644 -6693,1273 -1780,469 -1546,1078 -1828,895 -2467,1204 -4632,1264 -5523,1152 -2403,1274 -1550,176 -3902,752 -3967,399 -2576,793 -1555,390 -1556,1007 -5959,1312 -2216,218 -1579,978 -2909,893 -1558,144 -4693,678 -3894,1235 -6382,1083 -1561,1314 -186,394 -1638,1150 -4753,1009 -6361,856 -5658,966 -5997,1148 -3938,288 -3940,191 -1214,426 -619,176 -1830,429 -2537,881 -3232,493 -3437,286 -3618,272 -3874,507 -4116,1012 -5166,311 -4717,747 -4749,691 -4508,327 -5633,779 -5683,1043 -5305,833 -4978,1384 -7030,915 -7190,956 -6063,1390 -7127,712 -6475,1366 -3905,86 -1569,1311 -1570,1278 -1572,732 -1572,735 -1574,119 -1576,680 -6060,981 -1577,234 -1577,302 -1578,734 -4820,678 -2409,1022 -1580,740 -1582,70 -3391,285 -5558,936 -5454,23 -1584,816 -2767,1280 -5429,88 -7102,994 -1587,1520 -3149,241 -4906,237 -1588,258 -4853,776 -5598,403 -1589,192 -1590,938 -2117,1044 -2476,821 -2616,765 -1594,436 -3200,1100 -6937,1310 -6282,644 -5430,819 -1596,207 -1596,208 -1597,938 -1599,1055 -2240,623 -1601,22 -1604,729 -1605,1054 -1698,716 -1681,1129 -4998,1055 -1608,986 -1609,1163 -1610,1212 -1611,1181 -2118,1314 -6437,945 -1653,44 -1671,637 -1673,142 -1699,431 -2525,731 -2526,630 -2711,1114 -2715,562 -2738,496 -2818,1114 -2946,985 -5138,1161 -5224,142 -5243,62 -6720,9 -6791,433 -7044,1071 -7216,714 -1613,41 -1614,995 -1615,1291 -1616,44 -1617,939 -1690,66 -1618,1002 -6671,393 -1620,1446 -6809,767 -1622,154 -1624,821 -1625,771 -1627,1096 -1629,691 -1630,402 -1632,906 -1633,339 -1634,307 -1635,154 -1635,819 -1635,822 -3527,948 -1636,1111 -1637,448 -1637,524 -1638,1304 -1669,311 -1643,1064 -1646,828 -4267,1140 -1648,634 -1683,1040 -1651,1467 -1651,1410 -1652,1465 -1677,129 -1697,128 -3771,994 -5514,74 -6868,881 -1654,743 -1656,798 -1657,1143 -1693,1355 -1658,1072 -1659,48 -1676,1399 -1660,1504 -2991,1459 -1662,446 -1664,112 -1664,128 -1666,60 -1667,938 -1668,1299 -3146,1502 -1670,810 -1670,1005 -1674,534 -1675,1504 -1678,1474 -1679,939 -1680,708 -1682,1196 -1682,1124 -2574,1027 -1684,647 -1685,687 -1686,424 -1687,959 -1688,794 -1688,980 -1689,41 -1691,21 -1695,792 -1695,1052 -1696,852 -1700,1249 -3324,431 -5061,1090 -5635,885 -4523,126 -3188,1138 -6646,340 -3286,1066 -1703,969 -1822,41 -1706,684 -1707,27 -718,724 -4583,1242 -3473,1257 -2412,214 -5473,1052 -5532,303 -5565,774 -5677,1053 -262,1305 -1713,1034 -5455,1313 -4588,961 -1856,51 -3231,577 -2277,1130 -2654,1088 -5120,308 -3853,392 -4588,965 -2827,659 -1818,704 -1720,1112 -1752,799 -1722,391 -7088,941 -6711,701 -2908,1365 -4725,874 -1726,489 -1727,244 -1732,1158 -3764,696 -363,394 -2785,253 -4468,253 -1741,129 -4437,773 -1744,129 -1745,139 -1748,921 -1753,1392 -1755,391 -1757,363 -1758,1254 -1758,1177 -1747,171 -1760,1235 -1760,415 -6227,59 -6043,1473 -5994,552 -2120,1223 -91,207 -7222,288 -4313,1150 -6249,1523 -1766,50 -1767,256 -4398,666 -4404,1400 -1771,793 -1773,420 -1778,1067 -1779,1094 -3612,439 -1784,191 -6942,1080 -5581,1041 -1789,553 -691,1502 -1792,977 -1795,1150 -1796,967 -1796,1022 -1797,19 -1800,680 -1801,1196 -2332,212 -6621,724 -1803,102 -6887,122 -1829,1225 -1900,1084 -4672,1304 -2700,740 -5373,936 -5605,308 -1805,843 -1806,1078 -1810,70 -4634,328 -5770,105 -6032,1153 -3836,98 -6318,66 -1815,767 -1816,595 -6075,1196 -1817,195 -4003,163 -3806,1127 -4024,1159 -1819,50 -1824,1304 -2089,873 -1830,504 -429,1093 -4626,1264 -1834,325 -1835,990 -1835,1045 -1837,971 -4689,86 -3583,492 -2482,205 -2524,1104 -3304,285 -2748,915 -6973,1002 -1840,191 -1841,772 -2166,613 -4549,975 -4674,383 -1845,941 -1846,941 -1848,541 -1850,1150 -1852,936 -1853,1272 -724,75 -1855,524 -5913,39 -1857,144 -4698,927 -5409,895 -1859,197 -3487,208 -5294,131 -1863,1127 -3982,406 -1865,1227 -1866,234 -1866,370 -1876,54 -1889,920 -1867,1152 -3375,230 -3152,591 -6013,1431 -2509,244 -1872,1459 -1873,400 -2624,928 -5674,951 -1874,1112 -1877,912 -5684,901 -6796,331 -3270,131 -3885,142 -6441,1109 -5631,1052 -2043,1528 -1882,419 -4731,1418 -4417,1046 -1883,226 -1884,1054 -1885,1201 -1886,634 -4961,1274 -2377,1479 -3368,950 -1892,59 -2911,483 -6380,1110 -1894,1052 -1895,1143 -1943,1089 -5573,1089 -1899,958 -1899,959 -3945,1467 -4595,958 -4872,231 -3514,378 -3566,679 -1942,249 -1995,941 -2151,373 -3401,250 -3277,228 -4163,249 -1949,921 -2006,903 -2812,461 -3925,57 -1901,1080 -1903,412 -1349,458 -2078,406 -1906,484 -1907,497 -1504,219 -1908,497 -1909,1304 -1909,480 -1910,1470 -1913,304 -3183,937 -1914,508 -1915,339 -1915,340 -1915,135 -4817,764 -1917,1229 -1919,1504 -1919,1152 -1921,195 -1923,1215 -2017,1070 -1924,611 -1945,589 -1925,1080 -1986,85 -1986,89 -2100,317 -1928,1205 -1931,56 -6219,25 -1933,1143 -1933,1145 -1983,1045 -1937,396 -5917,714 -2099,464 -5055,41 -3623,105 -7228,1313 -5715,46 -1947,376 -1947,391 -2101,625 -1950,1242 -2003,504 -1951,585 -1951,605 -1951,1349 -1952,1111 -3607,259 -1956,1052 -1959,927 -1960,944 -1962,1401 -4089,1520 -1964,627 -4055,329 -1966,822 -1967,448 -1968,507 -3410,406 -2010,132 -1971,1001 -1972,82 -1973,857 -1974,1011 -1974,1013 -1974,1015 -1979,41 -2568,927 -1982,1506 -1984,852 -1984,665 -1988,666 -1989,605 -2023,1444 -2040,1256 -1992,1467 -1993,1203 -2004,121 -1994,315 -1994,317 -1996,1088 -1854,1089 -2038,1515 -5252,1509 -1999,1235 -2000,117 -2002,1046 -2005,1264 -2007,929 -4789,308 -2009,1202 -3966,622 -4956,250 -2016,153 -5968,997 -2018,1180 -2202,592 -3538,367 -2024,1013 -2026,1002 -2029,340 -2032,25 -3049,320 -2034,10 -2555,591 -3345,266 -161,676 -4361,140 -3748,819 -5962,566 -2037,1039 -2041,806 -6785,8 -2046,1005 -2046,1019 -1780,458 -2054,497 -2056,300 -7239,1058 -2059,100 -2060,1505 -2060,1506 -5356,964 -2063,1002 -2065,80 -2067,813 -3469,1184 -2954,144 -2072,179 -2073,201 -1994,318 -4077,513 -2257,601 -6105,1304 -2076,855 -2077,1012 -2081,1229 -2084,970 -688,902 -2085,103 -2088,1242 -6246,58 -2094,21 -2095,308 -2096,41 -2097,688 -2098,320 -2102,48 -2103,87 -2103,85 -3029,191 -2105,321 -3162,53 -6743,80 -2108,1198 -2113,746 -2113,1177 -2115,126 -4757,962 -2384,1443 -6196,1139 -2233,1151 -6990,956 -2123,948 -2124,1007 -2126,944 -2126,731 -2128,1148 -2129,809 -2130,939 -2131,738 -2132,423 -2133,1007 -2134,949 -6341,870 -2756,676 -2189,254 -3613,87 -2141,906 -2145,259 -2410,407 -6539,1011 -2146,433 -2821,1075 -2147,973 -2148,40 -2149,1272 -4604,990 -6473,818 -6598,1184 -2153,1308 -2155,1118 -5930,635 -2156,222 -2360,710 -847,864 -210,394 -2152,1310 -2167,167 -608,1305 -1823,1305 -2401,656 -1890,175 -2444,958 -2919,409 -3494,56 -4007,425 -4051,466 -4104,819 -766,522 -5797,931 -4947,212 -5975,684 -5971,1020 -6067,466 -5970,1217 -6608,1187 -6803,156 -6870,1125 -5392,907 -7237,434 -7267,870 -2159,365 -2159,391 -3742,311 -4933,1482 -2653,667 -2161,743 -2161,814 -2162,873 -2163,774 -2163,1055 -4035,852 -2165,1002 -2257,604 -2169,230 -4739,1397 -2303,142 -4611,1521 -6913,142 -6025,501 -6290,1055 -4369,846 -2172,25 -2176,195 -2178,980 -2335,1492 -2378,578 -4106,1057 -7034,975 -4701,915 -4663,41 -2425,1510 -2186,1286 -2186,1135 -2188,249 -2784,939 -2417,987 -2970,1005 -6080,1462 -3631,103 -2193,287 -2193,349 -2194,1214 -5692,964 -1602,505 -2196,1238 -2333,1242 -3159,187 -2198,191 -2221,1304 -2199,1163 -2168,1213 -2203,632 -5434,774 -4201,1185 -6446,307 -2204,392 -2205,237 -2206,166 -2157,399 -4907,284 -2208,686 -2210,1003 -2212,475 -2414,1184 -4296,53 -3118,475 -2230,66 -2615,66 -2187,20 -2441,716 -6160,141 -2217,269 -3609,229 -5474,70 -2219,160 -2219,163 -30,983 -2226,1322 -2227,1371 -2227,1381 -2440,1463 -2230,1168 -2230,1170 -2231,1288 -2273,472 -5071,964 -2901,552 -4487,1379 -2368,347 -3900,441 -5830,1136 -2234,1019 -2235,14 -5376,712 -6995,941 -2267,559 -6061,1011 -2236,841 -549,505 -3189,992 -2239,6 -2306,1408 -4834,702 -4830,855 -2243,1527 -2247,943 -2247,1076 -2248,103 -2249,992 -2251,525 -2252,857 -2253,1183 -2254,729 -2254,723 -4844,752 -4947,215 -2307,1106 -2255,154 -2256,1280 -217,776 -6087,1040 -5442,1161 -833,398 -321,980 -6089,983 -2262,684 -2263,316 -2264,161 -2264,214 -2265,7 -5008,283 -2268,594 -2269,1061 -2270,431 -2271,1494 -1732,1160 -2272,720 -2272,721 -2273,468 -4966,547 -2276,281 -2276,282 -2354,781 -2278,940 -2279,492 -2280,998 -4395,1296 -2282,63 -2284,1145 -5640,395 -2777,328 -5060,1281 -2287,1432 -2342,1489 -2344,488 -2472,1011 -4038,917 -3835,1140 -6669,1197 -2296,509 -2297,1003 -2305,1357 -2299,222 -2299,1308 -2301,149 -2304,853 -2334,1477 -4217,350 -2309,425 -4255,1295 -6677,372 -63,1131 -2314,13 -2315,46 -2317,1245 -2318,805 -2319,975 -2319,978 -2942,1161 -6222,1034 -7212,1163 -2322,1286 -2324,64 -2325,1114 -2326,177 -2328,1024 -2329,1245 -2330,1124 -2334,1473 -2396,873 -29,922 -2337,414 -4022,776 -2338,948 -2341,1333 -2343,625 -2345,164 -2829,1109 -2406,410 -5646,672 -5711,1274 -5969,1274 -6205,672 -2347,1002 -2349,1186 -2351,753 -2352,103 -2353,32 -2355,209 -6005,956 -2358,787 -2359,726 -2360,706 -2360,708 -2362,287 -2243,1481 -2363,1148 -2364,1150 -2365,831 -2366,539 -2367,347 -2369,1136 -2370,1195 -2370,1273 -810,937 -2371,197 -2371,200 -2372,680 -2373,979 -2374,267 -2284,1146 -6595,949 -3373,275 -2379,1500 -2380,873 -2381,1420 -2383,958 -2385,405 -2385,1274 -3196,645 -2388,677 -2388,678 -6632,808 -2390,1014 -2392,1424 -743,886 -2149,1275 -2631,1333 -2792,662 -5416,255 -5460,391 -2397,137 -2397,1166 -2398,949 -5303,291 -2399,741 -2402,713 -6666,1255 -2404,1120 -2583,150 -2405,939 -4716,389 -3762,642 -6481,642 -2232,1228 -5690,773 -2408,917 -2420,756 -5157,885 -2411,256 -2415,1087 -3403,1389 -6733,1526 -2418,206 -2419,606 -2419,607 -2419,608 -2420,753 -4415,958 -2423,1076 -5720,1289 -2426,711 -2428,501 -2428,1150 -2430,1311 -2431,594 -2432,933 -2443,1414 -2435,73 -2437,1195 -2438,1462 -2440,1381 -3025,312 -3251,932 -2445,980 -6143,244 -3394,1220 -2447,571 -778,105 -2449,283 -2450,283 -2840,142 -6104,41 -5670,58 -4162,193 -5709,962 -4190,432 -862,398 -2458,340 -2460,325 -2726,359 -2463,19 -6635,1368 -2465,956 -5773,927 -6906,35 -3526,920 -2469,469 -2470,958 -425,37 -2478,1092 -2479,671 -5592,1349 -3614,455 -4665,1156 -5816,1156 -2844,1140 -2485,637 -7192,678 -7154,1094 -7178,696 -7125,665 -2488,904 -2036,662 -2491,139 -2495,1184 -2978,1143 -3107,39 -3378,1055 -4603,954 -6274,1283 -3156,289 -4756,1042 -75,1130 -2501,141 -2501,101 -2503,86 -2506,1123 -2507,306 -2507,308 -2510,1109 -3267,137 -2511,969 -2512,590 -2514,696 -2515,40 -2516,941 -3131,1133 -7161,11 -3724,474 -7040,155 -3562,1227 -2532,151 -2534,1393 -2535,1296 -2536,370 -2573,1052 -3397,1212 -3561,1052 -4012,958 -2590,881 -4236,364 -2543,1080 -2544,54 -2545,1381 -2546,1089 -2584,924 -6659,129 -2549,1423 -4814,64 -2553,144 -2554,307 -2556,1202 -2557,1206 -6041,949 -5302,1311 -7021,306 -29,923 -4044,411 -655,105 -2560,51 -657,167 -2565,1220 -2565,1299 -2566,216 -2567,104 -2610,1052 -5220,562 -7199,712 -7182,1452 -3885,1285 -3796,74 -2579,675 -2581,39 -2585,339 -2585,340 -2586,853 -3522,461 -2588,341 -2589,749 -2591,96 -2604,320 -2593,941 -2594,1382 -2993,508 -6945,274 -7198,906 -2597,1061 -2598,546 -2599,66 -2600,483 -2602,9 -2603,1313 -2605,1110 -2607,175 -2611,571 -2613,124 -3860,1115 -6500,987 -4862,766 -5544,1275 -2617,884 -2713,949 -4279,142 -6509,856 -5201,908 -2621,1397 -3322,1438 -4816,404 -2623,1436 -2624,843 -2663,334 -2721,1322 -4592,492 -4971,87 -2627,1363 -2629,393 -4962,73 -2630,1041 -2632,1142 -4100,333 -5682,968 -3299,822 -6931,80 -6891,1525 -2637,320 -2638,702 -753,1118 -2719,1117 -2801,1159 -2876,967 -3633,1056 -4688,352 -2643,1314 -2643,1162 -5575,1162 -3472,134 -6433,144 -4576,391 -6550,1355 -2645,264 -2645,275 -2645,284 -2648,1454 -2650,1185 -2652,104 -6713,603 -6394,1131 -6560,881 -3287,1125 -3369,1466 -2835,806 -3531,144 -3737,134 -4712,73 -4783,19 -5011,1331 -5950,1150 -6182,859 -6210,853 -4187,1524 -7062,175 -2657,197 -3368,948 -5147,1111 -5375,892 -2660,995 -2409,977 -4904,1094 -2662,743 -5356,939 -5235,753 -2841,642 -3659,238 -6644,1242 -3441,74 -4653,329 -5171,786 -6085,470 -2667,749 -2668,60 -4056,334 -2669,1241 -2670,157 -2670,222 -2671,1164 -3828,1338 -6395,443 -2674,255 -2670,224 -2676,368 -2677,565 -2679,44 -2680,451 -2727,767 -5593,1021 -5227,1425 -4784,1012 -2916,1022 -4562,1311 -5368,1510 -6187,216 -3672,664 -4574,654 -4907,392 -2679,43 -2805,43 -5292,299 -2858,749 -2688,274 -2689,1149 -2690,1071 -2692,943 -2693,770 -2693,771 -2693,985 -2902,984 -2936,147 -2694,552 -2695,691 -2697,1152 -2698,214 -2699,353 -2701,993 -5154,502 -2704,1138 -2705,1058 -2706,88 -2707,985 -2709,1425 -2937,666 -2709,1117 -2710,427 -2712,977 -2903,1220 -3464,937 -2719,1272 -2720,1304 -7134,146 -2722,777 -2724,1103 -2728,817 -2729,648 -2730,1123 -2731,904 -2931,950 -2733,756 -2735,962 -6982,21 -6947,1112 -2736,876 -2736,892 -6545,312 -2739,788 -2739,790 -2741,851 -4320,1222 -2743,11 -2745,1150 -2760,775 -5234,1294 -3425,284 -2749,962 -2749,984 -2865,748 -2750,977 -2751,1527 -2951,724 -2752,212 -2752,279 -2753,391 -2755,980 -3302,341 -2757,521 -3390,524 -2762,1147 -2764,949 -2768,1215 -2769,102 -1714,942 -2774,1311 -4464,191 -2775,366 -2775,364 -2948,73 -5081,911 -7130,391 -2781,1403 -2933,728 -5657,191 -4625,184 -3901,743 -2781,1405 -4480,1527 -2782,1220 -2791,1258 -2795,634 -2796,1183 -2869,800 -2799,378 -2801,1235 -2801,437 -5096,511 -2804,1258 -2806,983 -2808,443 -2809,1147 -2810,252 -2811,63 -2814,1294 -2817,1260 -2818,1186 -646,260 -4466,1225 -3485,974 -2822,950 -2823,308 -2075,821 -2825,906 -2825,836 -2826,671 -2827,661 -2830,1140 -2831,939 -2833,1241 -2835,961 -2836,1033 -2837,74 -2838,271 -2873,813 -2842,1355 -5180,303 -2845,170 -2845,252 -2846,170 -4397,1224 -2847,375 -2848,290 -2852,1465 -2853,133 -2867,669 -6779,1064 -2857,993 -2860,1333 -6628,1322 -2863,1186 -2662,744 -2866,1417 -2868,1005 -2870,996 -2871,904 -2878,649 -2879,1403 -2880,1224 -2880,664 -2881,364 -2883,1239 -2884,1221 -2884,488 -4660,1151 -2886,975 -2888,1127 -2891,1052 -2892,1012 -3690,904 -1799,68 -2894,910 -2896,126 -2899,1342 -4400,1502 -7292,126 -220,694 -6115,675 -6786,694 -4382,1314 -4946,753 -4382,1315 -6007,841 -2910,1011 -2910,1311 -2912,688 -2913,70 -2722,859 -2915,1219 -2918,654 -2920,214 -2921,927 -2921,794 -2922,1027 -2924,1008 -2925,1186 -2926,320 -2927,493 -2928,207 -2928,205 -2841,645 -2929,941 -2929,995 -2930,606 -2796,1134 -2932,853 -2934,1150 -3116,356 -2935,455 -2939,1161 -2940,712 -2941,666 -2943,1217 -2945,702 -2947,691 -5121,1017 -2952,716 -3313,1096 -2958,1333 -2959,1052 -2973,1101 -2960,6 -2960,8 -2960,27 -2960,28 -2960,29 -2960,30 -2961,38 -5893,394 -2963,1244 -2963,1101 -2966,810 -2967,1268 -2968,1080 -5035,920 -4553,46 -1586,895 -7143,130 -5121,943 -5254,1302 -5474,439 -2974,1288 -2975,870 -2975,670 -2976,142 -6052,187 -5745,1046 -3887,938 -6618,1066 -6051,231 -5999,1272 -6121,594 -6694,1150 -2983,219 -2984,112 -2985,1496 -2988,1434 -2988,401 -4107,341 -125,997 -4213,819 -747,526 -3571,490 -2990,349 -2992,53 -2997,265 -2999,66 -3001,939 -3002,152 -3004,41 -3005,404 -3009,1311 -5148,1046 -3011,48 -3011,70 -3012,1029 -3013,41 -718,337 -5445,956 -6282,645 -3016,1072 -5823,170 -657,1434 -3023,787 -5310,1112 -3028,188 -69,42 -520,911 -3028,191 -3884,911 -3030,255 -3031,1196 -691,1503 -3933,1150 -4849,456 -5131,762 -6312,424 -3033,354 -3036,1467 -3037,1311 -3038,950 -3039,1484 -3040,306 -3042,285 -3044,715 -6802,1097 -3044,713 -3045,1041 -3047,425 -3047,427 -3049,302 -3050,267 -3051,561 -3052,412 -3053,1061 -3054,1249 -3055,377 -3056,1354 -3056,54 -3058,446 -3181,1090 -3929,971 -6910,582 -3060,68 -3070,150 -3061,868 -6480,729 -6482,1080 -5090,195 -3064,822 -3503,519 -3066,46 -6469,13 -3934,1474 -5077,154 -3339,905 -3347,714 -3928,452 -4027,142 -4204,594 -5191,1200 -5262,284 -5326,97 -5448,1150 -5505,1052 -7157,212 -3072,1327 -3074,410 -3075,1327 -3076,548 -3078,793 -3259,1163 -3082,1462 -3083,1188 -3084,1052 -3085,996 -3086,1274 -3202,943 -5639,473 -3090,1502 -3246,912 -3757,59 -5388,664 -4335,927 -5766,927 -3095,1002 -3096,326 -3097,774 -3100,939 -3101,195 -3105,378 -3109,147 -3110,877 -3445,1078 -3111,50 -3112,1293 -3112,1215 -5228,174 -3243,721 -3282,329 -3316,591 -3941,775 -3942,819 -3114,467 -3115,993 -5551,77 -3118,396 -3119,329 -3120,1232 -3190,168 -3851,1320 -3888,117 -4235,666 -3124,1314 -3125,985 -3126,552 -3489,1115 -3672,667 -3422,1359 -3160,925 -3137,1034 -3138,41 -4845,919 -3140,275 -3141,191 -3142,651 -3143,895 -3144,740 -3145,307 -3147,274 -3148,691 -3357,1107 -5185,776 -4525,687 -3417,608 -5380,1063 -7093,1036 -3154,1109 -5201,910 -6462,1161 -3157,53 -3161,48 -3161,68 -3206,969 -3779,255 -3780,222 -5075,49 -5161,1524 -5334,941 -4440,212 -3163,684 -3164,941 -3426,1184 -3165,1063 -3166,1161 -3167,954 -3170,325 -3172,130 -3173,1072 -3932,666 -3332,492 -3169,524 -3175,1104 -3176,493 -3179,1361 -3180,1111 -3182,915 -3077,367 -3373,279 -6011,715 -3186,221 -3229,489 -5468,373 -3462,742 -3268,1078 -3189,1112 -3190,205 -3191,1184 -3192,1052 -3255,334 -3440,873 -4780,259 -5216,274 -3198,102 -5456,1294 -3589,1302 -5095,478 -5444,859 -5486,142 -5458,1136 -5520,263 -5450,1071 -5562,666 -3540,172 -7071,665 -3203,312 -3204,1520 -3305,128 -3209,1229 -3210,1515 -3212,1446 -3321,233 -3214,666 -3215,391 -3216,787 -3217,1323 -7063,393 -3222,675 -1920,844 -3223,1183 -3225,1399 -3226,1052 -3228,689 -7244,14 -3233,1456 -3355,669 -3235,374 -3237,257 -5202,773 -3240,714 -3241,742 -3242,691 -3691,130 -5650,1078 -3245,1467 -3247,144 -3248,1261 -5739,41 -3250,634 -4571,370 -3252,48 -3253,948 -3565,467 -3995,1041 -4630,995 -3257,1293 -3262,986 -3331,1400 -3265,212 -3405,1078 -3267,798 -3272,1109 -5774,1328 -5692,1078 -3279,507 -6640,578 -3281,538 -3283,246 -3284,948 -7232,1003 -3288,1140 -3289,920 -3290,340 -3291,958 -3292,48 -3292,68 -3293,1276 -7214,687 -3294,166 -3294,231 -3295,792 -3297,488 -5005,1304 -6224,399 -3361,303 -3306,666 -3309,1301 -3311,1140 -3312,1509 -3315,931 -3317,473 -3319,1361 -3320,1240 -3325,1055 -3325,1075 -3328,1086 -3328,74 -3329,392 -4325,938 -3333,499 -3432,730 -4763,1198 -4422,399 -2203,395 -3340,903 -3341,1197 -2093,77 -3923,39 -3345,265 -4704,41 -3351,1441 -3352,98 -3352,100 -3358,38 -3370,56 -3356,638 -3367,917 -3362,475 -3362,726 -3364,1129 -3366,1104 -3419,191 -3372,75 -6149,633 -3377,714 -3381,648 -3381,678 -4245,1149 -3385,927 -3951,54 -3386,1283 -3387,191 -3388,1272 -3389,1196 -3391,283 -3392,129 -3394,424 -3398,741 -3399,1500 -3400,1314 -3402,1297 -3402,329 -3406,665 -3407,843 -6092,1080 -1115,991 -7128,664 -3409,1196 -3410,483 -3415,1520 -3416,927 -5886,349 -3421,879 -4150,810 -5697,1276 -3426,1134 -4042,787 -3427,129 -3431,726 -3433,74 -3436,696 -3437,175 -3438,205 -3439,712 -3443,1071 -3444,74 -3446,1161 -3447,1324 -3447,702 -3448,635 -3449,671 -3450,380 -3451,126 -3453,382 -3454,1288 -4938,1204 -4905,555 -3458,881 -3459,157 -3461,716 -3463,51 -3566,678 -5478,41 -3465,935 -3582,968 -4074,850 -6783,292 -3468,976 -3471,794 -3471,974 -3591,1464 -3475,49 -7056,86 -3477,794 -3478,1150 -3479,1134 -3481,1109 -3513,179 -3484,172 -185,1130 -3498,726 -6406,1002 -3486,478 -3488,1164 -170,219 -313,1425 -3491,1302 -3492,903 -3494,54 -7183,61 -3972,1129 -7082,1200 -3496,337 -3498,649 -6600,518 -3499,1108 -3500,1143 -6893,1349 -3577,1523 -4791,994 -3509,992 -3509,1040 -3510,104 -3511,871 -3512,984 -537,102 -3516,894 -3516,830 -3518,1205 -3520,51 -3523,1057 -3523,43 -3525,1106 -3555,41 -3529,130 -4226,949 -4421,527 -3533,1032 -4144,740 -6869,776 -3537,128 -3794,1528 -3539,54 -5208,994 -3541,904 -3543,545 -4741,255 -2068,997 -3549,74 -4343,1032 -3551,1010 -3552,695 -3553,1455 -3553,1404 -137,1312 -4310,1348 -3587,1333 -3556,144 -3556,153 -3557,18 -5512,289 -3559,299 -4038,1124 -6903,210 -3569,364 -7159,774 -3572,317 -3574,144 -3576,1437 -3579,1078 -3581,1063 -3583,415 -3585,1346 -3585,1370 -3586,921 -3586,830 -3586,849 -3586,850 -4680,299 -3590,980 -5549,1196 -3593,1133 -3596,1217 -3596,1219 -3597,147 -3600,156 -3028,189 -3600,158 -3601,440 -3603,59 -3605,1008 -3606,231 -2882,710 -6386,88 -4142,958 -3616,1219 -4909,666 -4931,566 -5258,170 -5411,320 -6090,732 -6806,56 -3619,352 -3878,1104 -3624,950 -3625,774 -3627,427 -3628,1401 -4586,166 -3632,775 -3635,664 -3636,938 -3637,986 -3638,948 -3638,1003 -3639,382 -3640,259 -3641,818 -3642,726 -3643,954 -3646,853 -3648,1047 -3649,155 -3649,1047 -3651,1034 -3669,142 -3652,14 -3654,152 -6887,175 -3656,611 -3658,254 -3660,1058 -3662,376 -3663,770 -6207,401 -3664,983 -3715,843 -3667,1355 -3668,1309 -3670,191 -3671,990 -3674,69 -3675,1517 -5868,1303 -3677,179 -3678,666 -3679,1071 -3680,589 -3681,197 -3682,800 -3683,1200 -3712,980 -3684,38 -3685,1143 -3719,606 -3705,289 -3689,1285 -3694,575 -3695,885 -3695,1075 -3696,943 -3698,193 -3698,262 -3700,86 -3701,311 -3702,1186 -3728,980 -3708,971 -3710,1127 -3711,19 -3713,678 -3716,1063 -3717,1078 -5879,1150 -3718,1110 -7037,144 -3722,789 -3726,324 -3727,724 -5195,536 -3750,339 -3775,1456 -4537,1485 -3732,122 -4271,1140 -6279,1150 -4522,1437 -3733,441 -3734,428 -3735,976 -3736,142 -3737,339 -3738,44 -3739,205 -3739,377 -3740,980 -3799,792 -3799,795 -3744,402 -3783,308 -3745,433 -3766,664 -3749,943 -3789,904 -4777,375 -6927,1094 -4499,1173 -3753,767 -3754,726 -4588,14 -3756,35 -3758,892 -6718,152 -5105,986 -3765,44 -3767,983 -3769,1423 -3772,856 -3774,117 -3776,50 -3780,224 -3781,361 -3782,930 -3784,1106 -3785,130 -3787,149 -3798,488 -3800,509 -3800,1142 -3801,967 -3802,1466 -3814,1437 -3803,1455 -3805,670 -3807,714 -3808,980 -3808,1032 -3812,9 -3815,1041 -3817,136 -3821,73 -3822,1382 -3824,439 -3825,906 -634,955 -3831,691 -3837,320 -3838,187 -3839,1398 -3840,257 -7114,1183 -3841,73 -5293,1139 -3843,402 -3844,1292 -5742,1188 -6439,986 -4521,673 -4033,17 -5557,879 -3848,1197 -3852,714 -3854,82 -3854,525 -3855,185 -3855,187 -6557,806 -3863,273 -3864,441 -3865,1375 -3866,191 -3868,366 -3870,507 -3872,1047 -3876,182 -3877,1141 -3879,1444 -6299,25 -3882,994 -3883,230 -2854,699 -5019,370 -5159,426 -6632,506 -5307,1003 -3889,952 -3890,654 -3892,540 -3895,1311 -3895,45 -1926,907 -4481,404 -3897,1150 -3899,580 -3912,399 -3904,1274 -3907,964 -1226,476 -3118,476 -3910,740 -3917,376 -3919,1117 -695,48 -3920,210 -3922,1046 -3924,925 -3926,1150 -3962,164 -3930,527 -3916,942 -3935,104 -3943,130 -3944,141 -3946,45 -3947,1162 -3948,899 -3949,386 -3950,632 -3952,143 -3953,917 -3954,945 -3955,1494 -3956,1227 -3970,1405 -3957,1052 -3958,41 -3964,1193 -3964,1474 -3966,61 -3967,396 -3968,197 -3969,725 -3990,666 -3971,1234 -3987,666 -3973,1122 -3975,709 -3976,349 -3977,920 -3979,702 -3981,1062 -3982,404 -3984,164 -3985,41 -3988,433 -46,201 -3989,961 -3921,1143 -3991,635 -5446,861 -5526,291 -3993,75 -3996,80 -3999,211 -6020,1263 -4580,742 -5301,592 -6094,1349 -6351,959 -4161,630 -4152,254 -4770,691 -4109,41 -5084,1149 -5381,670 -6554,101 -6610,632 -4016,7 -1470,120 -6952,983 -7194,1062 -811,1374 -5653,1374 -4004,214 -5173,944 -4006,308 -4007,426 -692,667 -6553,212 -4010,792 -4013,23 -4014,191 -4015,117 -4017,276 -4018,958 -4631,1125 -4021,1468 -4023,991 -4025,1460 -4025,1114 -4028,1152 -4030,884 -4711,1199 -6023,986 -4044,490 -4086,1143 -4046,441 -4047,1101 -4062,39 -5467,1147 -2469,468 -5679,1029 -5626,468 -6107,190 -4828,1300 -4087,635 -4054,1300 -4055,330 -4057,404 -4045,357 -4059,809 -4059,812 -1241,895 -4060,1064 -4063,1298 -5457,1063 -4066,146 -4070,1520 -4071,324 -4071,323 -4674,386 -4072,341 -4073,1224 -48,903 -4108,380 -4079,349 -6611,1333 -4097,853 -4568,151 -6284,391 -4081,1527 -4083,1032 -4091,257 -4094,41 -4094,748 -4098,748 -4102,96 -4103,1214 -4105,1510 -6198,790 -4110,831 -4112,265 -4113,1219 -4114,320 -135,680 -4119,680 -4121,524 -4122,687 -4125,774 -6662,1286 -4126,1041 -4128,702 -4127,980 -4129,1242 -4130,1163 -4133,144 -4137,899 -4138,1293 -4139,1474 -4142,957 -4178,139 -4214,796 -4721,1059 -4146,1052 -4228,952 -4148,908 -4148,1101 -4149,1019 -4151,46 -4154,467 -4155,360 -4156,1116 -4159,1140 -4160,376 -4160,391 -5036,1308 -2356,278 -6564,943 -4167,9 -4168,524 -4170,575 -4171,755 -4172,1086 -4173,448 -4173,524 -4174,1052 -4176,1058 -4177,1210 -4220,1041 -5130,71 -6483,179 -4181,302 -4185,435 -4186,698 -4193,1160 -3010,118 -4194,962 -4189,464 -4193,1157 -4195,194 -5142,68 -4198,410 -4199,428 -4202,382 -4206,234 -4231,212 -4207,1489 -4211,7 -4211,129 -4211,131 -4212,1136 -4213,822 -4213,823 -4215,1216 -6056,1450 -4218,1029 -4221,424 -4223,1011 -4225,465 -4230,320 -4232,1428 -4237,702 -4242,1061 -4276,1338 -4246,391 -4249,1147 -4250,1519 -4252,1040 -3853,394 -4258,590 -4260,510 -4262,1122 -4979,716 -4269,38 -4270,1184 -4258,324 -4277,1357 -4279,99 -4280,1224 -4307,741 -2143,372 -4290,969 -4291,190 -4247,191 -4392,939 -5386,1148 -5918,689 -4293,349 -4294,1219 -6746,1520 -5054,956 -2971,756 -4298,1312 -4299,1400 -4300,961 -4306,729 -4309,1280 -4309,1283 -4311,162 -4312,1148 -2792,691 -4314,819 -4317,194 -4318,625 -4322,1141 -4324,946 -4334,1496 -4325,995 -6864,1489 -4330,1513 -4541,547 -5902,1164 -4340,106 -4342,1052 -6544,1155 -6658,1043 -4341,978 -4347,1181 -4350,60 -4351,194 -4352,60 -4354,512 -4353,1150 -2140,907 -4370,705 -4359,1513 -4360,1110 -1083,573 -4362,142 -7246,455 -6048,1461 -4365,143 -4366,986 -4367,1052 -4369,1464 -4381,1506 -5749,1070 -4472,337 -4391,154 -5271,1525 -7068,956 -4387,456 -4393,1134 -4506,667 -4394,906 -6798,66 -4399,511 -4500,714 -4403,396 -4406,1392 -4407,771 -4408,943 -4409,277 -4410,794 -4411,1063 -4413,1032 -4415,959 -4423,876 -4425,833 -4426,151 -4427,222 -4428,786 -4430,949 -4433,1073 -4436,191 -4450,965 -4443,828 -4456,899 -4444,1003 -4445,146 -4471,450 -4446,1370 -6566,1410 -4450,961 -6998,776 -4451,920 -1746,394 -4457,151 -4490,408 -4458,748 -4459,375 -4460,770 -4461,1464 -4463,666 -4467,191 -4469,1518 -4469,1173 -4470,1413 -4473,1392 -4475,1390 -4476,793 -4477,1515 -4479,714 -4482,433 -4485,422 -4489,213 -4489,214 -4498,1173 -4501,554 -4503,703 -4504,193 -4505,461 -4391,158 -5089,391 -7221,1040 -4509,1061 -4512,154 -4535,1440 -4544,666 -4516,593 -5232,1184 -4517,1052 -4519,1399 -4520,144 -4526,1405 -537,1055 -3769,1055 -4528,1357 -4529,1103 -48,906 -4530,1379 -4531,1452 -5225,25 -4536,311 -6019,951 -6045,475 -4540,347 -4542,954 -4543,1313 -4545,426 -4546,513 -4547,326 -4548,1500 -4550,940 -4552,58 -5178,350 -1855,523 -7108,948 -5096,1281 -4554,141 -5906,954 -4555,752 -4556,116 -4594,837 -4557,1349 -5667,232 -4564,254 -6515,443 -4569,1349 -491,972 -5182,117 -5332,128 -5984,221 -4577,1078 -4582,402 -4587,876 -4675,664 -5647,664 -4589,779 -4589,839 -4591,1454 -4592,426 -4593,962 -4593,1076 -4596,649 -4597,1109 -4600,1105 -4821,798 -4605,329 -4605,136 -4607,1071 -4608,764 -4609,502 -1970,219 -4613,1398 -4614,714 -3796,73 -4645,461 -4616,1047 -4617,994 -4621,995 -4622,117 -4727,774 -5502,1260 -5945,1173 -4627,1467 -4673,1432 -4629,697 -4632,1205 -4633,691 -4645,1235 -4635,796 -4636,1399 -4638,373 -4641,1278 -4642,1066 -4643,822 -4644,993 -4647,339 -4649,174 -4650,1500 -4655,770 -4656,334 -4658,195 -4659,502 -4662,968 -4664,1180 -4665,1159 -4666,948 -4667,150 -4667,153 -4669,1141 -4670,749 -4671,1361 -6964,1221 -4678,654 -4681,1148 -4683,263 -4683,265 -4684,324 -5578,44 -6627,318 -4625,186 -4687,1492 -4688,335 -4688,679 -4688,356 -4689,59 -4689,1159 -4690,1397 -4690,1398 -4695,927 -4696,1009 -285,941 -4702,1011 -4702,1492 -4707,1004 -4708,1076 -4709,850 -4713,1413 -4714,415 -4723,121 -4724,121 -4726,391 -4729,50 -1295,1304 -6540,915 -4734,638 -4736,291 -4737,158 -4738,664 -7257,980 -4744,325 -4746,396 -5311,956 -7141,552 -4750,425 -4754,1527 -4758,487 -4761,654 -5364,664 -873,870 -7261,102 -7061,478 -4768,41 -4769,41 -4771,698 -4774,1052 -4778,1164 -4779,949 -6077,1061 -4781,884 -531,416 -4788,650 -4818,404 -6932,492 -7150,780 -4792,439 -4796,655 -4802,1502 -4797,1400 -3869,765 -4800,151 -4798,1208 -4801,157 -4801,221 -4803,933 -4804,939 -4806,617 -4807,953 -4808,235 -4809,707 -4810,649 -4811,349 -7031,206 -4813,441 -4833,606 -4814,67 -4815,395 -4819,691 -6251,1058 -4827,19 -4831,603 -6656,144 -4835,144 -4836,41 -5450,1280 -4915,66 -4848,146 -4850,1355 -4852,139 -4875,945 -4859,1181 -4860,559 -4861,1335 -4865,970 -5608,391 -4870,777 -4873,1140 -4874,1425 -4876,1147 -4878,1040 -5330,214 -5157,886 -3778,1025 -5161,1520 -5774,718 -6461,1046 -4880,71 -4882,804 -4883,619 -4884,48 -4885,841 -4886,39 -4888,867 -4844,753 -4844,731 -4968,180 -4889,448 -4892,260 -4897,939 -4898,325 -6857,764 -4900,117 -4902,1475 -4903,311 -4908,600 -4912,508 -4914,1052 -4916,1 -4980,1371 -4920,374 -6724,1523 -4923,448 -4924,1403 -4926,1457 -4927,724 -4930,1314 -4936,980 -2209,784 -6055,422 -6587,680 -4937,142 -5492,1359 -5778,375 -4942,233 -4942,234 -4943,1004 -4944,729 -4945,109 -4946,755 -4948,750 -4954,1150 -4955,689 -797,132 -2984,114 -4959,678 -4964,843 -4967,669 -4969,80 -4972,1492 -4078,395 -4973,774 -4983,1384 -4983,1386 -5279,1361 -1838,1163 -1998,468 -2539,1455 -713,1401 -741,754 -5774,994 -4552,949 -4335,1086 -2075,1401 -5737,1103 -4992,1064 -4993,142 -4994,1185 -4995,60 -4996,142 -4999,978 -5000,142 -2529,524 -5003,1083 -5095,477 -1143,486 -5006,1315 -5007,508 -5014,743 -5015,1272 -5016,165 -5020,211 -5020,231 -5107,1345 -5021,190 -5022,691 -5023,1162 -5024,1392 -5028,754 -5030,1280 -5029,1052 -5031,142 -5033,130 -5034,321 -5037,1509 -5039,1441 -5040,1229 -5041,40 -5043,320 -5044,712 -5153,1348 -5049,391 -5052,1442 -5053,651 -5056,561 -5057,116 -5058,1002 -5060,1039 -6683,255 -5061,1031 -5062,457 -5065,255 -5317,927 -5068,1272 -5070,831 -5071,738 -5126,350 -5072,939 -5073,1022 -5074,994 -5078,1366 -5079,1083 -5080,941 -859,1284 -7103,669 -5083,903 -5083,104 -5085,41 -5085,151 -5316,1342 -5872,917 -5089,376 -5091,25 -5093,1336 -2765,514 -5098,1028 -5100,356 -5289,1105 -5103,339 -5104,40 -5105,1042 -5313,295 -5106,268 -5357,640 -5313,293 -5109,1164 -6548,170 -5113,1116 -5116,274 -5117,391 -5118,391 -5119,1184 -5561,665 -5123,306 -5123,307 -5124,155 -5125,1452 -5125,1400 -5126,349 -5163,667 -5127,1225 -5132,1052 -5202,776 -5136,956 -5137,391 -5140,952 -5366,197 -5363,728 -5146,524 -5149,395 -5149,396 -5150,1088 -5051,1443 -5184,948 -5471,321 -5152,1012 -5154,39 -5158,189 -5353,994 -5162,284 -4324,947 -5164,1527 -5165,985 -5168,1291 -5168,1080 -5169,520 -5170,86 -5171,785 -5171,117 -5175,644 -5200,410 -5176,391 -5176,265 -5177,23 -5179,810 -5181,1454 -5182,144 -5188,884 -5189,284 -5190,391 -5192,1504 -5194,155 -5197,873 -5198,1052 -5273,326 -6132,774 -6555,74 -5688,960 -5205,141 -5205,48 -5206,1409 -6369,867 -5210,493 -5211,191 -5212,1201 -5214,993 -5321,1364 -5218,406 -5219,915 -5221,515 -5222,1106 -5223,137 -5226,649 -5229,382 -5230,895 -5233,1066 -5238,1159 -5242,943 -5244,128 -5246,520 -5247,1110 -5248,1054 -5251,228 -5253,1261 -5254,1304 -5382,702 -5352,478 -5257,985 -5267,1370 -5259,936 -5260,1240 -5354,749 -5261,842 -6454,352 -5263,1333 -5265,948 -5266,939 -5364,667 -5269,31 -5272,1140 -5273,341 -5276,96 -5277,754 -5278,1301 -5280,179 -5281,60 -5281,1184 -5282,191 -5283,253 -5288,191 -6004,1063 -5362,99 -5285,1455 -5286,1054 -5287,679 -5287,714 -5289,1104 -5290,1515 -5292,297 -5183,972 -664,212 -5293,1138 -5294,144 -5295,707 -5296,1461 -6532,25 -6755,134 -5300,599 -4929,395 -5304,450 -5307,1111 -5308,363 -5308,364 -5309,1197 -5311,1012 -5312,948 -5314,86 -5315,1041 -5318,1417 -5319,1359 -5320,855 -5322,980 -5325,144 -5327,939 -5328,895 -5328,897 -5331,878 -5333,927 -5335,1066 -5336,41 -5337,1008 -5798,25 -6403,1190 -5339,191 -5340,670 -5340,1061 -5341,1078 -5343,894 -5348,130 -5349,606 -5350,292 -5350,137 -5351,1359 -5353,941 -5355,1104 -5358,968 -2216,1184 -5360,334 -5361,1019 -5369,666 -5374,994 -5379,1338 -5383,1041 -5384,364 -7218,1288 -5387,1125 -5389,324 -5391,903 -5392,906 -5537,231 -5394,1500 -5397,903 -5408,39 -5405,1034 -5406,441 -5449,1086 -7115,1419 -5410,924 -5410,926 -5412,755 -5421,1391 -5414,1366 -5415,187 -5417,70 -5418,147 -5419,44 -5420,766 -5422,964 -5423,391 -5424,1224 -5425,451 -5426,1033 -5427,86 -5465,52 -5428,1117 -5430,23 -182,1402 -5431,870 -5432,1335 -5433,1164 -5434,773 -5497,393 -5438,1040 -5438,1044 -5439,352 -5440,54 -5442,1165 -5443,38 -5461,664 -5447,1032 -5452,944 -5453,545 -5515,1135 -5458,1135 -5459,102 -5493,86 -5463,1240 -5464,146 -5465,49 -5468,375 -5553,669 -6915,950 -5470,994 -5472,1007 -5475,511 -5476,144 -5477,255 -5479,1046 -5482,800 -5550,725 -5483,115 -5484,819 -5489,193 -5490,131 -7120,380 -5494,1034 -5554,994 -5495,306 -5496,861 -5498,853 -5499,904 -6451,958 -5501,566 -5503,234 -5504,1500 -5507,95 -5508,1509 -5510,1022 -5511,488 -5512,287 -5540,920 -5513,341 -5515,1304 -5516,1441 -5517,1224 -6132,773 -5524,1321 -5527,798 -5527,802 -5528,306 -5529,1052 -5531,1127 -5533,1069 -5534,250 -5535,958 -5536,678 -5538,1054 -5539,940 -5541,927 -5543,956 -5544,1274 -5545,575 -5546,1219 -5552,1193 -5556,321 -5865,1226 -5559,337 -5561,664 -5563,1071 -5564,63 -5566,988 -5567,1052 -5571,1041 -2678,1056 -5572,1099 -5576,1069 -5582,41 -5628,1279 -5583,38 -5585,1188 -5587,1465 -5588,559 -5590,994 -5594,966 -5597,943 -5624,1265 -5603,1150 -5604,232 -4982,140 -5607,590 -5607,327 -5610,944 -5610,998 -5611,752 -5637,179 -5614,1101 -5615,825 -5616,1220 -5616,1221 -5618,281 -70,444 -6395,444 -6665,1037 -5630,802 -4897,942 -5625,255 -5627,199 -5628,1201 -5629,243 -5631,504 -5632,983 -5634,194 -788,477 -5638,1241 -5638,1163 -5642,545 -5642,549 -5643,1226 -5644,1002 -5645,912 -5646,669 -5648,1053 -5649,729 -5652,949 -5654,212 -5664,1304 -5656,670 -5660,1125 -5661,637 -5662,1359 -5668,46 -2641,310 -5671,1022 -5671,483 -6653,49 -5676,1195 -5678,142 -5680,941 -5681,772 -5686,426 -5689,980 -5691,1399 -5691,1416 -6349,1220 -5694,1515 -5695,191 -5696,904 -5698,1150 -5920,736 -5766,145 -5701,49 -5703,393 -5704,894 -5726,774 -5725,1399 -5725,1400 -5727,427 -5728,666 -5729,986 -5731,39 -6866,377 -6974,1150 -5734,1040 -5750,1291 -5752,1123 -5753,924 -5754,779 -5755,655 -6491,1240 -5757,847 -5759,848 -5760,27 -5760,28 -5760,29 -5760,30 -5760,1052 -5764,826 -5765,1014 -5766,144 -5771,750 -40,362 -5774,1334 -5777,1523 -5780,69 -5782,1197 -5783,1181 -5787,1145 -5788,1406 -5789,1184 -5791,721 -5792,1293 -5793,142 -5795,261 -5796,1304 -5806,1215 -5810,1106 -5815,499 -5817,949 -5819,313 -5822,1515 -5796,41 -5826,1079 -5828,996 -5832,949 -5833,98 -5835,297 -5835,299 -5838,1396 -5840,1014 -6615,1080 -5844,1123 -5845,257 -5855,1196 -5857,637 -5859,409 -5861,551 -5862,909 -5862,933 -2827,662 -5863,952 -5864,806 -5864,995 -5866,382 -5866,665 -5867,115 -5869,1242 -5873,1041 -5877,133 -5878,205 -5881,1191 -5882,14 -5882,873 -5884,1094 -5885,349 -5885,879 -5888,306 -5889,255 -5890,349 -2185,116 -6934,51 -5903,1304 -5910,850 -5916,181 -5916,191 -5924,76 -5926,1285 -5928,1034 -5929,1156 -5934,763 -5939,405 -5941,938 -5945,1414 -5946,393 -5949,1392 -5953,51 -5956,968 -5958,191 -5964,1137 -5966,975 -6161,996 -5971,983 -5971,1019 -5974,1399 -5979,1399 -5981,504 -5981,126 -5982,1381 -5983,986 -6025,505 -5985,175 -5986,390 -5989,473 -5990,938 -5990,994 -5990,995 -5990,996 -5990,1147 -5991,478 -6074,1150 -5993,440 -6046,1010 -5996,238 -5998,390 -6000,213 -546,1006 -2486,453 -6006,471 -6009,1032 -6010,854 -83,1073 -6016,673 -6014,941 -6015,1227 -6015,1098 -6016,675 -6017,82 -6018,473 -6021,983 -6024,1225 -6066,1240 -6076,1240 -6026,212 -6027,1019 -6037,439 -6029,432 -6031,469 -6033,428 -6034,1248 -6035,950 -6036,985 -6078,1078 -6038,260 -6039,1357 -6082,689 -6044,993 -6046,1007 -6047,191 -6049,487 -6050,1007 -6064,399 -6053,1387 -1226,475 -6054,202 -6055,424 -6057,364 -6811,983 -6064,395 -6065,1162 -6068,1235 -6069,938 -6071,684 -6072,1148 -6073,666 -6079,603 -6081,1412 -6088,470 -6120,796 -7285,25 -6097,903 -6099,773 -6135,714 -6101,1149 -6102,59 -6103,821 -6106,984 -6108,714 -6109,1046 -6116,1399 -6118,121 -6124,673 -6126,1457 -6129,1124 -6131,133 -6145,715 -6136,1169 -6136,1174 -3274,89 -6139,687 -6140,810 -6141,917 -6144,666 -6145,712 -6158,1264 -6159,1264 -6162,1112 -7225,348 -6165,46 -6169,39 -6169,40 -6256,665 -6171,402 -1813,227 -6174,1392 -6176,88 -2001,937 -6178,187 -6179,462 -6184,234 -6185,901 -6188,1071 -6191,1034 -6193,971 -6194,504 -6228,696 -3902,731 -7223,310 -6197,526 -6198,791 -628,911 -6203,1050 -4574,657 -4590,219 -6206,917 -6208,714 -6211,128 -355,192 -6215,1250 -6218,798 -5573,892 -6226,772 -433,692 -6228,698 -6232,473 -6234,19 -6238,687 -5804,928 -6248,1078 -6254,629 -6232,476 -6258,80 -6259,871 -6260,142 -6262,1032 -6263,205 -6265,1086 -6266,556 -6266,623 -1214,502 -2545,1383 -6268,1468 -6269,871 -6317,404 -6270,478 -6272,254 -6273,208 -6275,179 -6277,1161 -6278,1019 -6278,1055 -6280,1111 -6283,1224 -6285,750 -6286,880 -6287,944 -6289,75 -6292,255 -6294,483 -6295,1214 -6298,50 -6300,990 -6301,153 -6303,1509 -6304,1406 -6305,101 -6306,151 -6308,69 -6309,48 -6310,1127 -6311,1103 -6314,1274 -6316,276 -6319,843 -6320,1406 -6321,850 -6322,691 -6323,382 -6324,666 -6326,441 -6326,442 -6327,1034 -6330,1159 -6331,39 -6332,740 -6334,306 -6356,493 -6335,404 -6335,1142 -6336,1104 -6338,480 -6339,552 -6340,1461 -6340,1425 -6342,773 -6344,342 -6350,534 -6355,656 -6357,242 -6362,502 -6363,904 -6364,1103 -6368,153 -6371,647 -6374,217 -6376,1052 -6377,358 -6377,275 -6378,665 -6379,986 -6383,1301 -6384,51 -6385,195 -7142,146 -7147,53 -4045,620 -6556,698 -6651,1200 -6391,732 -6392,40 -6393,679 -6393,680 -6474,437 -6407,156 -6396,275 -4078,52 -7258,378 -7263,50 -6400,1272 -6400,1274 -6401,1252 -6404,535 -6405,626 -6407,222 -6408,368 -6409,530 -6410,49 -6412,219 -6416,1003 -6417,165 -6422,935 -6424,815 -6425,469 -6426,589 -6427,1304 -6428,819 -6602,411 -6432,255 -6434,216 -6434,219 -6436,433 -6436,507 -6438,516 -6438,1150 -6440,473 -6442,191 -6443,212 -6444,277 -6411,49 -6448,1143 -6449,356 -6450,484 -6452,35 -6455,860 -6459,1031 -6460,1054 -6460,1063 -6580,709 -6464,59 -6464,437 -6465,648 -6466,1359 -6467,38 -6468,68 -6470,445 -6471,87 -6472,1496 -6478,501 -6479,897 -6602,408 -6484,104 -6485,443 -6485,521 -6486,944 -6495,302 -6488,719 -6489,1022 -6490,64 -6493,983 -6493,984 -6494,23 -2442,486 -5277,739 -5665,1218 -6496,1220 -6497,750 -6498,665 -6499,497 -6500,983 -6582,187 -6503,822 -6504,1007 -6505,243 -6506,990 -6508,1 -6511,1399 -6512,1143 -6998,516 -6513,181 -6514,483 -6522,714 -6524,634 -6525,418 -6526,1061 -6527,933 -6528,316 -6529,806 -6531,457 -6533,1115 -6534,461 -6535,1185 -6536,1019 -6537,625 -6542,1500 -6543,1137 -6938,853 -6546,6 -6547,311 -6549,696 -6617,126 -6552,753 -6556,696 -6558,1265 -6559,1509 -6562,41 -6563,603 -6565,557 -6567,1109 -6569,21 -6570,349 -6571,425 -6571,426 -6572,19 -6573,826 -6574,1007 -6575,487 -6576,299 -6577,80 -6581,1382 -6584,284 -6585,1007 -6585,1009 -6586,575 -6588,647 -6589,465 -6590,483 -6590,1081 -6591,424 -6592,980 -6593,285 -6594,805 -6596,376 -6597,988 -6599,654 -6602,1219 -6603,179 -6604,41 -6607,205 -6612,730 -6614,713 -6616,637 -6619,603 -3464,1042 -6624,1152 -5404,1233 -6626,1201 -6630,49 -6197,527 -6633,813 -6648,642 -6634,895 -6637,948 -6637,950 -6639,340 -6641,884 -1336,628 -279,901 -6648,644 -6652,48 -6654,25 -6654,48 -6655,929 -6657,134 -2673,232 -6660,1039 -6662,454 -6668,811 -6670,475 -6672,651 -6674,104 -6679,1425 -6680,433 -1461,287 -370,773 -2143,234 -644,255 -5775,1326 -6683,177 -6683,275 -6687,1521 -6689,736 -6691,191 -6692,1058 -6695,451 -6700,1406 -7187,1150 -6704,255 -6708,698 -6712,128 -6715,1521 -6719,853 -6719,130 -6727,1053 -6728,71 -6876,1046 -6729,924 -6732,1179 -6734,1011 -4048,304 -6737,43 -6739,915 -6741,992 -6744,983 -6745,726 -6748,787 -6748,915 -45,219 -1304,1296 -3490,132 -6753,142 -1858,1433 -6992,41 -6761,356 -6763,1115 -400,735 -6766,244 -6773,691 -6775,294 -6776,294 -6778,69 -6787,1026 -6790,971 -6790,675 -3965,938 -6797,329 -6797,508 -6801,968 -6804,396 -6805,493 -6808,11 -6812,1357 -6813,983 -6815,425 -6816,770 -6817,179 -6818,1012 -6819,396 -6820,948 -6825,153 -6826,976 -6827,1061 -6832,1076 -6834,1026 -6837,870 -6839,1101 -6841,994 -6842,876 -6845,164 -6851,1076 -6853,820 -6874,712 -6863,1171 -6867,296 -6871,1359 -2424,163 -6875,603 -6878,1124 -6879,197 -6880,986 -6881,59 -6885,197 -6887,1502 -600,398 -6888,1302 -6892,547 -6894,144 -6895,990 -6895,55 -37,71 -7136,1142 -6902,884 -6907,652 -718,904 -6907,752 -6920,1118 -6909,211 -6909,215 -867,216 -6912,992 -6914,930 -6892,550 -6917,517 -6918,899 -6919,1086 -6920,1185 -6921,1055 -6923,698 -6924,1509 -6925,350 -6928,967 -6929,1485 -6936,570 -6936,571 -6939,799 -6941,393 -6943,291 -5392,903 -6975,696 -6980,724 -6945,383 -62,471 -6951,618 -6953,1385 -6955,478 -6956,393 -6959,1502 -6960,260 -6965,1179 -6966,822 -6967,941 -6968,994 -6972,1403 -6994,1066 -6977,1406 -6979,1274 -6981,349 -6983,1434 -6984,266 -6985,1455 -6986,909 -6987,1515 -6996,1324 -6988,1071 -6989,1197 -1022,289 -2998,1305 -7005,899 -6999,15 -7001,1078 -7002,427 -7003,835 -7011,707 -7009,819 -7010,1001 -7012,455 -7014,501 -7015,206 -7016,845 -7217,664 -7018,197 -7019,856 -7020,1335 -7023,1399 -7024,1094 -7026,426 -7026,504 -32,1487 -7027,1046 -7028,975 -7029,1141 -7032,684 -7035,1203 -7036,753 -7036,666 -7043,1101 -7045,121 -7046,674 -7048,1224 -7046,121 -7050,1101 -7110,200 -7055,369 -7057,157 -7059,796 -7060,593 -7064,962 -7065,34 -7066,994 -7067,130 -7069,792 -7070,917 -7073,1399 -7074,994 -7093,1033 -7075,1026 -7075,1143 -7076,1068 -7081,856 -7085,1406 -7086,593 -7087,502 -7089,193 -7090,1394 -7181,948 -7092,920 -7095,393 -7097,234 -7098,1302 -7099,785 -7100,474 -7101,59 -7105,651 -7106,340 -7107,511 -7111,1171 -7112,80 -7113,1099 -7116,1274 -7117,794 -7119,1111 -7121,901 -7122,843 -7123,1274 -7123,1123 -7126,941 -7129,436 -7135,980 -7140,391 -7147,57 -7156,144 -7145,1224 -7149,34 -7169,333 -7150,777 -7165,856 -7168,763 -7170,1033 -7175,1438 -7184,938 -7189,1500 -7191,1515 -7200,1324 -7205,1474 -7209,940 -7210,197 -7210,238 -7211,991 -7211,1051 -7213,324 -7215,994 -7220,1040 -292,667 -5303,287 -7222,291 -7224,924 -3394,422 -7227,895 -39,1065 -162,166 -2638,701 -7240,1040 -7236,87 -7238,38 -7241,1027 -7242,664 -7245,1436 -7247,1149 -7248,391 -7249,392 -7250,321 -7250,340 -7251,147 -7252,1206 -7253,552 -7255,562 -2337,416 -7256,255 -7259,1041 -7262,969 -7264,1052 -7266,1034 -7269,941 -7270,938 -1679,940 -7272,1217 -7273,172 -7274,1399 -7275,985 -7281,143 -7276,511 -7278,824 -7279,603 -7282,1406 -7284,142 -2980,905 -7289,766 -7291,991 -7291,1033 -5139,1452 -7293,144 diff --git a/static/data/initials.json b/static/data/initials.json deleted file mode 100644 index 7399635..0000000 --- a/static/data/initials.json +++ /dev/null @@ -1,92 +0,0 @@ -{ - "initials": [ - { - "id": 1, - "name": "-" - }, - { - "id": 2, - "name": "b" - }, - { - "id": 3, - "name": "p" - }, - { - "id": 4, - "name": "m" - }, - { - "id": 5, - "name": "f" - }, - { - "id": 6, - "name": "d" - }, - { - "id": 7, - "name": "t" - }, - { - "id": 8, - "name": "n" - }, - { - "id": 9, - "name": "l" - }, - { - "id": 10, - "name": "g" - }, - { - "id": 11, - "name": "k" - }, - { - "id": 12, - "name": "h" - }, - { - "id": 13, - "name": "j" - }, - { - "id": 14, - "name": "q" - }, - { - "id": 15, - "name": "x" - }, - { - "id": 16, - "name": "zh" - }, - { - "id": 17, - "name": "ch" - }, - { - "id": 18, - "name": "sh" - }, - { - "id": 19, - "name": "r" - }, - { - "id": 20, - "name": "z" - }, - { - "id": 21, - "name": "c" - }, - { - "id": 22, - "name": "s" - } - ] -} diff --git a/static/data/pinyins.json b/static/data/pinyins.json deleted file mode 100644 index d36852a..0000000 --- a/static/data/pinyins.json +++ /dev/null @@ -1,9940 +0,0 @@ -{ - "pinyins": [ - { - "id": 1, - "name": "ā", - "initial_id": 1, - "final_id": 1, - "tone_id": 1, - "sound_id": "a1" - }, - { - "id": 2, - "name": "āi", - "initial_id": 1, - "final_id": 2, - "tone_id": 1, - "sound_id": "ai1" - }, - { - "id": 3, - "name": "ái", - "initial_id": 1, - "final_id": 2, - "tone_id": 2, - "sound_id": "ai2" - }, - { - "id": 4, - "name": "ǎi", - "initial_id": 1, - "final_id": 2, - "tone_id": 3, - "sound_id": "ai3" - }, - { - "id": 5, - "name": "ài", - "initial_id": 1, - "final_id": 2, - "tone_id": 4, - "sound_id": "ai4" - }, - { - "id": 6, - "name": "ān", - "initial_id": 1, - "final_id": 3, - "tone_id": 1, - "sound_id": "an1" - }, - { - "id": 7, - "name": "ǎn", - "initial_id": 1, - "final_id": 3, - "tone_id": 3, - "sound_id": "an3" - }, - { - "id": 8, - "name": "àn", - "initial_id": 1, - "final_id": 3, - "tone_id": 4, - "sound_id": "an4" - }, - { - "id": 9, - "name": "āng", - "initial_id": 1, - "final_id": 4, - "tone_id": 1, - "sound_id": "ang1" - }, - { - "id": 10, - "name": "áng", - "initial_id": 1, - "final_id": 4, - "tone_id": 2, - "sound_id": "ang2" - }, - { - "id": 11, - "name": "àng", - "initial_id": 1, - "final_id": 4, - "tone_id": 4, - "sound_id": "ang4" - }, - { - "id": 12, - "name": "āo", - "initial_id": 1, - "final_id": 5, - "tone_id": 1, - "sound_id": "ao1" - }, - { - "id": 13, - "name": "áo", - "initial_id": 1, - "final_id": 5, - "tone_id": 2, - "sound_id": "ao2" - }, - { - "id": 14, - "name": "ǎo", - "initial_id": 1, - "final_id": 5, - "tone_id": 3, - "sound_id": "ao3" - }, - { - "id": 15, - "name": "ào", - "initial_id": 1, - "final_id": 5, - "tone_id": 4, - "sound_id": "ao4" - }, - { - "id": 16, - "name": "ē", - "initial_id": 1, - "final_id": 6, - "tone_id": 1, - "sound_id": "e1" - }, - { - "id": 17, - "name": "é", - "initial_id": 1, - "final_id": 6, - "tone_id": 2, - "sound_id": "e2" - }, - { - "id": 18, - "name": "ě", - "initial_id": 1, - "final_id": 6, - "tone_id": 3, - "sound_id": "e3" - }, - { - "id": 19, - "name": "è", - "initial_id": 1, - "final_id": 6, - "tone_id": 4, - "sound_id": "e4" - }, - { - "id": 20, - "name": "ēi", - "initial_id": 1, - "final_id": 7, - "tone_id": 1, - "sound_id": "ei1" - }, - { - "id": 21, - "name": "ēn", - "initial_id": 1, - "final_id": 8, - "tone_id": 1, - "sound_id": "en1" - }, - { - "id": 22, - "name": "èn", - "initial_id": 1, - "final_id": 8, - "tone_id": 4, - "sound_id": "en4" - }, - { - "id": 23, - "name": "ér", - "initial_id": 1, - "final_id": 10, - "tone_id": 2, - "sound_id": "er2" - }, - { - "id": 24, - "name": "ěr", - "initial_id": 1, - "final_id": 10, - "tone_id": 3, - "sound_id": "er3" - }, - { - "id": 25, - "name": "èr", - "initial_id": 1, - "final_id": 10, - "tone_id": 4, - "sound_id": "er4" - }, - { - "id": 26, - "name": "yī", - "initial_id": 1, - "final_id": 11, - "tone_id": 1, - "sound_id": "yi1" - }, - { - "id": 27, - "name": "yí", - "initial_id": 1, - "final_id": 11, - "tone_id": 2, - "sound_id": "yi2" - }, - { - "id": 28, - "name": "yǐ", - "initial_id": 1, - "final_id": 11, - "tone_id": 3, - "sound_id": "yi3" - }, - { - "id": 29, - "name": "yì", - "initial_id": 1, - "final_id": 11, - "tone_id": 4, - "sound_id": "yi4" - }, - { - "id": 30, - "name": "yā", - "initial_id": 1, - "final_id": 12, - "tone_id": 1, - "sound_id": "ya1" - }, - { - "id": 31, - "name": "yá", - "initial_id": 1, - "final_id": 12, - "tone_id": 2, - "sound_id": "ya2" - }, - { - "id": 32, - "name": "yǎ", - "initial_id": 1, - "final_id": 12, - "tone_id": 3, - "sound_id": "ya3" - }, - { - "id": 33, - "name": "yà", - "initial_id": 1, - "final_id": 12, - "tone_id": 4, - "sound_id": "ya4" - }, - { - "id": 34, - "name": "ya", - "initial_id": 1, - "final_id": 12, - "tone_id": 5, - "sound_id": "ya5" - }, - { - "id": 35, - "name": "yān", - "initial_id": 1, - "final_id": 13, - "tone_id": 1, - "sound_id": "yan1" - }, - { - "id": 36, - "name": "yán", - "initial_id": 1, - "final_id": 13, - "tone_id": 2, - "sound_id": "yan2" - }, - { - "id": 37, - "name": "yǎn", - "initial_id": 1, - "final_id": 13, - "tone_id": 3, - "sound_id": "yan3" - }, - { - "id": 38, - "name": "yàn", - "initial_id": 1, - "final_id": 13, - "tone_id": 4, - "sound_id": "yan4" - }, - { - "id": 39, - "name": "yāng", - "initial_id": 1, - "final_id": 14, - "tone_id": 1, - "sound_id": "yang1" - }, - { - "id": 40, - "name": "yáng", - "initial_id": 1, - "final_id": 14, - "tone_id": 2, - "sound_id": "yang2" - }, - { - "id": 41, - "name": "yǎng", - "initial_id": 1, - "final_id": 14, - "tone_id": 3, - "sound_id": "yang3" - }, - { - "id": 42, - "name": "yàng", - "initial_id": 1, - "final_id": 14, - "tone_id": 4, - "sound_id": "yang4" - }, - { - "id": 43, - "name": "yāo", - "initial_id": 1, - "final_id": 15, - "tone_id": 1, - "sound_id": "yao1" - }, - { - "id": 44, - "name": "yáo", - "initial_id": 1, - "final_id": 15, - "tone_id": 2, - "sound_id": "yao2" - }, - { - "id": 45, - "name": "yǎo", - "initial_id": 1, - "final_id": 15, - "tone_id": 3, - "sound_id": "yao3" - }, - { - "id": 46, - "name": "yào", - "initial_id": 1, - "final_id": 15, - "tone_id": 4, - "sound_id": "yao4" - }, - { - "id": 47, - "name": "yē", - "initial_id": 1, - "final_id": 16, - "tone_id": 1, - "sound_id": "ye1" - }, - { - "id": 48, - "name": "yé", - "initial_id": 1, - "final_id": 16, - "tone_id": 2, - "sound_id": "ye2" - }, - { - "id": 49, - "name": "yě", - "initial_id": 1, - "final_id": 16, - "tone_id": 3, - "sound_id": "ye3" - }, - { - "id": 50, - "name": "yè", - "initial_id": 1, - "final_id": 16, - "tone_id": 4, - "sound_id": "ye4" - }, - { - "id": 51, - "name": "yīn", - "initial_id": 1, - "final_id": 17, - "tone_id": 1, - "sound_id": "yin1" - }, - { - "id": 52, - "name": "yín", - "initial_id": 1, - "final_id": 17, - "tone_id": 2, - "sound_id": "yin2" - }, - { - "id": 53, - "name": "yǐn", - "initial_id": 1, - "final_id": 17, - "tone_id": 3, - "sound_id": "yin3" - }, - { - "id": 54, - "name": "yìn", - "initial_id": 1, - "final_id": 17, - "tone_id": 4, - "sound_id": "yin4" - }, - { - "id": 55, - "name": "yīng", - "initial_id": 1, - "final_id": 18, - "tone_id": 1, - "sound_id": "ying1" - }, - { - "id": 56, - "name": "yíng", - "initial_id": 1, - "final_id": 18, - "tone_id": 2, - "sound_id": "ying2" - }, - { - "id": 57, - "name": "yǐng", - "initial_id": 1, - "final_id": 18, - "tone_id": 3, - "sound_id": "ying3" - }, - { - "id": 58, - "name": "yìng", - "initial_id": 1, - "final_id": 18, - "tone_id": 4, - "sound_id": "ying4" - }, - { - "id": 59, - "name": "yō", - "initial_id": 1, - "final_id": 19, - "tone_id": 1, - "sound_id": "yo1" - }, - { - "id": 60, - "name": "yōng", - "initial_id": 1, - "final_id": 23, - "tone_id": 1, - "sound_id": "yong1" - }, - { - "id": 61, - "name": "yóng", - "initial_id": 1, - "final_id": 23, - "tone_id": 2, - "sound_id": "yong2" - }, - { - "id": 62, - "name": "yǒng", - "initial_id": 1, - "final_id": 23, - "tone_id": 3, - "sound_id": "yong3" - }, - { - "id": 63, - "name": "yòng", - "initial_id": 1, - "final_id": 23, - "tone_id": 4, - "sound_id": "yong4" - }, - { - "id": 64, - "name": "yōu", - "initial_id": 1, - "final_id": 24, - "tone_id": 1, - "sound_id": "you1" - }, - { - "id": 65, - "name": "yóu", - "initial_id": 1, - "final_id": 24, - "tone_id": 2, - "sound_id": "you2" - }, - { - "id": 66, - "name": "yǒu", - "initial_id": 1, - "final_id": 24, - "tone_id": 3, - "sound_id": "you3" - }, - { - "id": 67, - "name": "yòu", - "initial_id": 1, - "final_id": 24, - "tone_id": 4, - "sound_id": "you4" - }, - { - "id": 68, - "name": "ō", - "initial_id": 1, - "final_id": 22, - "tone_id": 1, - "sound_id": "o1" - }, - { - "id": 69, - "name": "ò", - "initial_id": 1, - "final_id": 22, - "tone_id": 4, - "sound_id": "o4" - }, - { - "id": 70, - "name": "wēng", - "initial_id": 1, - "final_id": 23, - "tone_id": 1, - "sound_id": "weng1" - }, - { - "id": 71, - "name": "wěng", - "initial_id": 1, - "final_id": 23, - "tone_id": 3, - "sound_id": "weng3" - }, - { - "id": 72, - "name": "wèng", - "initial_id": 1, - "final_id": 23, - "tone_id": 4, - "sound_id": "weng4" - }, - { - "id": 73, - "name": "ōu", - "initial_id": 1, - "final_id": 24, - "tone_id": 1, - "sound_id": "ou1" - }, - { - "id": 74, - "name": "ǒu", - "initial_id": 1, - "final_id": 24, - "tone_id": 3, - "sound_id": "ou3" - }, - { - "id": 75, - "name": "òu", - "initial_id": 1, - "final_id": 24, - "tone_id": 4, - "sound_id": "ou4" - }, - { - "id": 76, - "name": "wū", - "initial_id": 1, - "final_id": 25, - "tone_id": 1, - "sound_id": "wu1" - }, - { - "id": 77, - "name": "wú", - "initial_id": 1, - "final_id": 25, - "tone_id": 2, - "sound_id": "wu2" - }, - { - "id": 78, - "name": "wǔ", - "initial_id": 1, - "final_id": 25, - "tone_id": 3, - "sound_id": "wu3" - }, - { - "id": 79, - "name": "wù", - "initial_id": 1, - "final_id": 25, - "tone_id": 4, - "sound_id": "wu4" - }, - { - "id": 80, - "name": "wā", - "initial_id": 1, - "final_id": 26, - "tone_id": 1, - "sound_id": "wa1" - }, - { - "id": 81, - "name": "wá", - "initial_id": 1, - "final_id": 26, - "tone_id": 2, - "sound_id": "wa2" - }, - { - "id": 82, - "name": "wǎ", - "initial_id": 1, - "final_id": 26, - "tone_id": 3, - "sound_id": "wa3" - }, - { - "id": 83, - "name": "wà", - "initial_id": 1, - "final_id": 26, - "tone_id": 4, - "sound_id": "wa4" - }, - { - "id": 84, - "name": "wāi", - "initial_id": 1, - "final_id": 27, - "tone_id": 1, - "sound_id": "wai1" - }, - { - "id": 85, - "name": "wǎi", - "initial_id": 1, - "final_id": 27, - "tone_id": 3, - "sound_id": "wai3" - }, - { - "id": 86, - "name": "wài", - "initial_id": 1, - "final_id": 27, - "tone_id": 4, - "sound_id": "wai4" - }, - { - "id": 87, - "name": "wān", - "initial_id": 1, - "final_id": 28, - "tone_id": 1, - "sound_id": "wan1" - }, - { - "id": 88, - "name": "wán", - "initial_id": 1, - "final_id": 28, - "tone_id": 2, - "sound_id": "wan2" - }, - { - "id": 89, - "name": "wǎn", - "initial_id": 1, - "final_id": 28, - "tone_id": 3, - "sound_id": "wan3" - }, - { - "id": 90, - "name": "wàn", - "initial_id": 1, - "final_id": 28, - "tone_id": 4, - "sound_id": "wan4" - }, - { - "id": 91, - "name": "wāng", - "initial_id": 1, - "final_id": 29, - "tone_id": 1, - "sound_id": "wang1" - }, - { - "id": 92, - "name": "wáng", - "initial_id": 1, - "final_id": 29, - "tone_id": 2, - "sound_id": "wang2" - }, - { - "id": 93, - "name": "wǎng", - "initial_id": 1, - "final_id": 29, - "tone_id": 3, - "sound_id": "wang3" - }, - { - "id": 94, - "name": "wàng", - "initial_id": 1, - "final_id": 29, - "tone_id": 4, - "sound_id": "wang4" - }, - { - "id": 95, - "name": "yuē", - "initial_id": 1, - "final_id": 30, - "tone_id": 1, - "sound_id": "yue1" - }, - { - "id": 96, - "name": "yuè", - "initial_id": 1, - "final_id": 30, - "tone_id": 4, - "sound_id": "yue4" - }, - { - "id": 97, - "name": "wēi", - "initial_id": 1, - "final_id": 31, - "tone_id": 1, - "sound_id": "wei1" - }, - { - "id": 98, - "name": "wéi", - "initial_id": 1, - "final_id": 31, - "tone_id": 2, - "sound_id": "wei2" - }, - { - "id": 99, - "name": "wěi", - "initial_id": 1, - "final_id": 31, - "tone_id": 3, - "sound_id": "wei3" - }, - { - "id": 100, - "name": "wèi", - "initial_id": 1, - "final_id": 31, - "tone_id": 4, - "sound_id": "wei4" - }, - { - "id": 101, - "name": "wēn", - "initial_id": 1, - "final_id": 32, - "tone_id": 1, - "sound_id": "wen1" - }, - { - "id": 102, - "name": "wén", - "initial_id": 1, - "final_id": 32, - "tone_id": 2, - "sound_id": "wen2" - }, - { - "id": 103, - "name": "wěn", - "initial_id": 1, - "final_id": 32, - "tone_id": 3, - "sound_id": "wen3" - }, - { - "id": 104, - "name": "wèn", - "initial_id": 1, - "final_id": 32, - "tone_id": 4, - "sound_id": "wen4" - }, - { - "id": 105, - "name": "wō", - "initial_id": 1, - "final_id": 33, - "tone_id": 1, - "sound_id": "wo1" - }, - { - "id": 106, - "name": "wǒ", - "initial_id": 1, - "final_id": 33, - "tone_id": 3, - "sound_id": "wo3" - }, - { - "id": 107, - "name": "wò", - "initial_id": 1, - "final_id": 33, - "tone_id": 4, - "sound_id": "wo4" - }, - { - "id": 108, - "name": "yū", - "initial_id": 1, - "final_id": 34, - "tone_id": 1, - "sound_id": "yu1" - }, - { - "id": 109, - "name": "yú", - "initial_id": 1, - "final_id": 34, - "tone_id": 2, - "sound_id": "yu2" - }, - { - "id": 110, - "name": "yǔ", - "initial_id": 1, - "final_id": 34, - "tone_id": 3, - "sound_id": "yu3" - }, - { - "id": 111, - "name": "yù", - "initial_id": 1, - "final_id": 34, - "tone_id": 4, - "sound_id": "yu4" - }, - { - "id": 112, - "name": "yuān", - "initial_id": 1, - "final_id": 35, - "tone_id": 1, - "sound_id": "yuan1" - }, - { - "id": 113, - "name": "yuán", - "initial_id": 1, - "final_id": 35, - "tone_id": 2, - "sound_id": "yuan2" - }, - { - "id": 114, - "name": "yuǎn", - "initial_id": 1, - "final_id": 35, - "tone_id": 3, - "sound_id": "yuan3" - }, - { - "id": 115, - "name": "yuàn", - "initial_id": 1, - "final_id": 35, - "tone_id": 4, - "sound_id": "yuan4" - }, - { - "id": 116, - "name": "yūn", - "initial_id": 1, - "final_id": 36, - "tone_id": 1, - "sound_id": "yun1" - }, - { - "id": 117, - "name": "yún", - "initial_id": 1, - "final_id": 36, - "tone_id": 2, - "sound_id": "yun2" - }, - { - "id": 118, - "name": "yǔn", - "initial_id": 1, - "final_id": 36, - "tone_id": 3, - "sound_id": "yun3" - }, - { - "id": 119, - "name": "yùn", - "initial_id": 1, - "final_id": 36, - "tone_id": 4, - "sound_id": "yun4" - }, - { - "id": 120, - "name": "bā", - "initial_id": 2, - "final_id": 1, - "tone_id": 1, - "sound_id": "ba1" - }, - { - "id": 121, - "name": "bá", - "initial_id": 2, - "final_id": 1, - "tone_id": 2, - "sound_id": "ba2" - }, - { - "id": 122, - "name": "bǎ", - "initial_id": 2, - "final_id": 1, - "tone_id": 3, - "sound_id": "ba3" - }, - { - "id": 123, - "name": "bà", - "initial_id": 2, - "final_id": 1, - "tone_id": 4, - "sound_id": "ba4" - }, - { - "id": 124, - "name": "bāi", - "initial_id": 2, - "final_id": 2, - "tone_id": 1, - "sound_id": "bai1" - }, - { - "id": 125, - "name": "bái", - "initial_id": 2, - "final_id": 2, - "tone_id": 2, - "sound_id": "bai2" - }, - { - "id": 126, - "name": "bǎi", - "initial_id": 2, - "final_id": 2, - "tone_id": 3, - "sound_id": "bai3" - }, - { - "id": 127, - "name": "bài", - "initial_id": 2, - "final_id": 2, - "tone_id": 4, - "sound_id": "bai4" - }, - { - "id": 128, - "name": "bān", - "initial_id": 2, - "final_id": 3, - "tone_id": 1, - "sound_id": "ban1" - }, - { - "id": 129, - "name": "bǎn", - "initial_id": 2, - "final_id": 3, - "tone_id": 3, - "sound_id": "ban3" - }, - { - "id": 130, - "name": "bàn", - "initial_id": 2, - "final_id": 3, - "tone_id": 4, - "sound_id": "ban4" - }, - { - "id": 131, - "name": "bāng", - "initial_id": 2, - "final_id": 4, - "tone_id": 1, - "sound_id": "bang1" - }, - { - "id": 132, - "name": "bǎng", - "initial_id": 2, - "final_id": 4, - "tone_id": 3, - "sound_id": "bang3" - }, - { - "id": 133, - "name": "bàng", - "initial_id": 2, - "final_id": 4, - "tone_id": 4, - "sound_id": "bang4" - }, - { - "id": 134, - "name": "bāo", - "initial_id": 2, - "final_id": 5, - "tone_id": 1, - "sound_id": "bao1" - }, - { - "id": 135, - "name": "báo", - "initial_id": 2, - "final_id": 5, - "tone_id": 2, - "sound_id": "bao2" - }, - { - "id": 136, - "name": "bǎo", - "initial_id": 2, - "final_id": 5, - "tone_id": 3, - "sound_id": "bao3" - }, - { - "id": 137, - "name": "bào", - "initial_id": 2, - "final_id": 5, - "tone_id": 4, - "sound_id": "bao4" - }, - { - "id": 138, - "name": "bēi", - "initial_id": 2, - "final_id": 7, - "tone_id": 1, - "sound_id": "bei1" - }, - { - "id": 139, - "name": "běi", - "initial_id": 2, - "final_id": 7, - "tone_id": 3, - "sound_id": "bei3" - }, - { - "id": 140, - "name": "bèi", - "initial_id": 2, - "final_id": 7, - "tone_id": 4, - "sound_id": "bei4" - }, - { - "id": 141, - "name": "bēn", - "initial_id": 2, - "final_id": 8, - "tone_id": 1, - "sound_id": "ben1" - }, - { - "id": 142, - "name": "běn", - "initial_id": 2, - "final_id": 8, - "tone_id": 3, - "sound_id": "ben3" - }, - { - "id": 143, - "name": "bèn", - "initial_id": 2, - "final_id": 8, - "tone_id": 4, - "sound_id": "ben4" - }, - { - "id": 144, - "name": "bēng", - "initial_id": 2, - "final_id": 9, - "tone_id": 1, - "sound_id": "beng1" - }, - { - "id": 145, - "name": "béng", - "initial_id": 2, - "final_id": 9, - "tone_id": 2, - "sound_id": "beng2" - }, - { - "id": 146, - "name": "běng", - "initial_id": 2, - "final_id": 9, - "tone_id": 3, - "sound_id": "beng3" - }, - { - "id": 147, - "name": "bèng", - "initial_id": 2, - "final_id": 9, - "tone_id": 4, - "sound_id": "beng4" - }, - { - "id": 148, - "name": "bī", - "initial_id": 2, - "final_id": 11, - "tone_id": 1, - "sound_id": "bi1" - }, - { - "id": 149, - "name": "bí", - "initial_id": 2, - "final_id": 11, - "tone_id": 2, - "sound_id": "bi2" - }, - { - "id": 150, - "name": "bǐ", - "initial_id": 2, - "final_id": 11, - "tone_id": 3, - "sound_id": "bi3" - }, - { - "id": 151, - "name": "bì", - "initial_id": 2, - "final_id": 11, - "tone_id": 4, - "sound_id": "bi4" - }, - { - "id": 152, - "name": "biān", - "initial_id": 2, - "final_id": 13, - "tone_id": 1, - "sound_id": "bian1" - }, - { - "id": 153, - "name": "biǎn", - "initial_id": 2, - "final_id": 13, - "tone_id": 3, - "sound_id": "bian3" - }, - { - "id": 154, - "name": "biàn", - "initial_id": 2, - "final_id": 13, - "tone_id": 4, - "sound_id": "bian4" - }, - { - "id": 155, - "name": "biāo", - "initial_id": 2, - "final_id": 15, - "tone_id": 1, - "sound_id": "biao1" - }, - { - "id": 156, - "name": "biǎo", - "initial_id": 2, - "final_id": 15, - "tone_id": 3, - "sound_id": "biao3" - }, - { - "id": 157, - "name": "biào", - "initial_id": 2, - "final_id": 15, - "tone_id": 4, - "sound_id": "biao4" - }, - { - "id": 158, - "name": "biē", - "initial_id": 2, - "final_id": 16, - "tone_id": 1, - "sound_id": "bie1" - }, - { - "id": 159, - "name": "bié", - "initial_id": 2, - "final_id": 16, - "tone_id": 2, - "sound_id": "bie2" - }, - { - "id": 160, - "name": "biě", - "initial_id": 2, - "final_id": 16, - "tone_id": 3, - "sound_id": "bie3" - }, - { - "id": 161, - "name": "biè", - "initial_id": 2, - "final_id": 16, - "tone_id": 4, - "sound_id": "bie4" - }, - { - "id": 162, - "name": "bīn", - "initial_id": 2, - "final_id": 17, - "tone_id": 1, - "sound_id": "bin1" - }, - { - "id": 163, - "name": "bìn", - "initial_id": 2, - "final_id": 17, - "tone_id": 4, - "sound_id": "bin4" - }, - { - "id": 164, - "name": "bīng", - "initial_id": 2, - "final_id": 18, - "tone_id": 1, - "sound_id": "bing1" - }, - { - "id": 165, - "name": "bǐng", - "initial_id": 2, - "final_id": 18, - "tone_id": 3, - "sound_id": "bing3" - }, - { - "id": 166, - "name": "bìng", - "initial_id": 2, - "final_id": 18, - "tone_id": 4, - "sound_id": "bing4" - }, - { - "id": 167, - "name": "bō", - "initial_id": 2, - "final_id": 22, - "tone_id": 1, - "sound_id": "bo1" - }, - { - "id": 168, - "name": "bó", - "initial_id": 2, - "final_id": 22, - "tone_id": 2, - "sound_id": "bo2" - }, - { - "id": 169, - "name": "bǒ", - "initial_id": 2, - "final_id": 22, - "tone_id": 3, - "sound_id": "bo3" - }, - { - "id": 170, - "name": "bò", - "initial_id": 2, - "final_id": 22, - "tone_id": 4, - "sound_id": "bo4" - }, - { - "id": 171, - "name": "bū", - "initial_id": 2, - "final_id": 25, - "tone_id": 1, - "sound_id": "bu1" - }, - { - "id": 172, - "name": "bú", - "initial_id": 2, - "final_id": 25, - "tone_id": 2, - "sound_id": "bu2" - }, - { - "id": 173, - "name": "bǔ", - "initial_id": 2, - "final_id": 25, - "tone_id": 3, - "sound_id": "bu3" - }, - { - "id": 174, - "name": "bù", - "initial_id": 2, - "final_id": 25, - "tone_id": 4, - "sound_id": "bu4" - }, - { - "id": 175, - "name": "pā", - "initial_id": 3, - "final_id": 1, - "tone_id": 1, - "sound_id": "pa1" - }, - { - "id": 176, - "name": "pá", - "initial_id": 3, - "final_id": 1, - "tone_id": 2, - "sound_id": "pa2" - }, - { - "id": 177, - "name": "pà", - "initial_id": 3, - "final_id": 1, - "tone_id": 4, - "sound_id": "pa4" - }, - { - "id": 178, - "name": "pāi", - "initial_id": 3, - "final_id": 2, - "tone_id": 1, - "sound_id": "pai1" - }, - { - "id": 179, - "name": "pái", - "initial_id": 3, - "final_id": 2, - "tone_id": 2, - "sound_id": "pai2" - }, - { - "id": 180, - "name": "pǎi", - "initial_id": 3, - "final_id": 2, - "tone_id": 3, - "sound_id": "pai3" - }, - { - "id": 181, - "name": "pài", - "initial_id": 3, - "final_id": 2, - "tone_id": 4, - "sound_id": "pai4" - }, - { - "id": 182, - "name": "pān", - "initial_id": 3, - "final_id": 3, - "tone_id": 1, - "sound_id": "pan1" - }, - { - "id": 183, - "name": "pán", - "initial_id": 3, - "final_id": 3, - "tone_id": 2, - "sound_id": "pan2" - }, - { - "id": 184, - "name": "pàn", - "initial_id": 3, - "final_id": 3, - "tone_id": 4, - "sound_id": "pan4" - }, - { - "id": 185, - "name": "pāng", - "initial_id": 3, - "final_id": 4, - "tone_id": 1, - "sound_id": "pang1" - }, - { - "id": 186, - "name": "páng", - "initial_id": 3, - "final_id": 4, - "tone_id": 2, - "sound_id": "pang2" - }, - { - "id": 187, - "name": "pàng", - "initial_id": 3, - "final_id": 4, - "tone_id": 4, - "sound_id": "pang4" - }, - { - "id": 188, - "name": "pāo", - "initial_id": 3, - "final_id": 5, - "tone_id": 1, - "sound_id": "pao1" - }, - { - "id": 189, - "name": "páo", - "initial_id": 3, - "final_id": 5, - "tone_id": 2, - "sound_id": "pao2" - }, - { - "id": 190, - "name": "pǎo", - "initial_id": 3, - "final_id": 5, - "tone_id": 3, - "sound_id": "pao3" - }, - { - "id": 191, - "name": "pào", - "initial_id": 3, - "final_id": 5, - "tone_id": 4, - "sound_id": "pao4" - }, - { - "id": 192, - "name": "pēi", - "initial_id": 3, - "final_id": 7, - "tone_id": 1, - "sound_id": "pei1" - }, - { - "id": 193, - "name": "péi", - "initial_id": 3, - "final_id": 7, - "tone_id": 2, - "sound_id": "pei2" - }, - { - "id": 194, - "name": "pèi", - "initial_id": 3, - "final_id": 7, - "tone_id": 4, - "sound_id": "pei4" - }, - { - "id": 195, - "name": "pēn", - "initial_id": 3, - "final_id": 8, - "tone_id": 1, - "sound_id": "pen1" - }, - { - "id": 196, - "name": "pén", - "initial_id": 3, - "final_id": 8, - "tone_id": 2, - "sound_id": "pen2" - }, - { - "id": 197, - "name": "pěn", - "initial_id": 3, - "final_id": 8, - "tone_id": 3, - "sound_id": "pen3" - }, - { - "id": 198, - "name": "pēng", - "initial_id": 3, - "final_id": 9, - "tone_id": 1, - "sound_id": "peng1" - }, - { - "id": 199, - "name": "péng", - "initial_id": 3, - "final_id": 9, - "tone_id": 2, - "sound_id": "peng2" - }, - { - "id": 200, - "name": "pěng", - "initial_id": 3, - "final_id": 9, - "tone_id": 3, - "sound_id": "peng3" - }, - { - "id": 201, - "name": "pèng", - "initial_id": 3, - "final_id": 9, - "tone_id": 4, - "sound_id": "peng4" - }, - { - "id": 202, - "name": "pī", - "initial_id": 3, - "final_id": 11, - "tone_id": 1, - "sound_id": "pi1" - }, - { - "id": 203, - "name": "pí", - "initial_id": 3, - "final_id": 11, - "tone_id": 2, - "sound_id": "pi2" - }, - { - "id": 204, - "name": "pǐ", - "initial_id": 3, - "final_id": 11, - "tone_id": 3, - "sound_id": "pi3" - }, - { - "id": 205, - "name": "pì", - "initial_id": 3, - "final_id": 11, - "tone_id": 4, - "sound_id": "pi4" - }, - { - "id": 206, - "name": "piān", - "initial_id": 3, - "final_id": 13, - "tone_id": 1, - "sound_id": "pian1" - }, - { - "id": 207, - "name": "pián", - "initial_id": 3, - "final_id": 13, - "tone_id": 2, - "sound_id": "pian2" - }, - { - "id": 208, - "name": "piǎn", - "initial_id": 3, - "final_id": 13, - "tone_id": 3, - "sound_id": "pian3" - }, - { - "id": 209, - "name": "piàn", - "initial_id": 3, - "final_id": 13, - "tone_id": 4, - "sound_id": "pian4" - }, - { - "id": 210, - "name": "piāo", - "initial_id": 3, - "final_id": 15, - "tone_id": 1, - "sound_id": "piao1" - }, - { - "id": 211, - "name": "piáo", - "initial_id": 3, - "final_id": 15, - "tone_id": 2, - "sound_id": "piao2" - }, - { - "id": 212, - "name": "piǎo", - "initial_id": 3, - "final_id": 15, - "tone_id": 3, - "sound_id": "piao3" - }, - { - "id": 213, - "name": "piào", - "initial_id": 3, - "final_id": 15, - "tone_id": 4, - "sound_id": "piao4" - }, - { - "id": 214, - "name": "piē", - "initial_id": 3, - "final_id": 16, - "tone_id": 1, - "sound_id": "pie1" - }, - { - "id": 215, - "name": "piě", - "initial_id": 3, - "final_id": 16, - "tone_id": 3, - "sound_id": "pie3" - }, - { - "id": 216, - "name": "pīn", - "initial_id": 3, - "final_id": 17, - "tone_id": 1, - "sound_id": "pin1" - }, - { - "id": 217, - "name": "pín", - "initial_id": 3, - "final_id": 17, - "tone_id": 2, - "sound_id": "pin2" - }, - { - "id": 218, - "name": "pǐn", - "initial_id": 3, - "final_id": 17, - "tone_id": 3, - "sound_id": "pin3" - }, - { - "id": 219, - "name": "pìn", - "initial_id": 3, - "final_id": 17, - "tone_id": 4, - "sound_id": "pin4" - }, - { - "id": 220, - "name": "pīng", - "initial_id": 3, - "final_id": 18, - "tone_id": 1, - "sound_id": "ping1" - }, - { - "id": 221, - "name": "píng", - "initial_id": 3, - "final_id": 18, - "tone_id": 2, - "sound_id": "ping2" - }, - { - "id": 222, - "name": "pō", - "initial_id": 3, - "final_id": 22, - "tone_id": 1, - "sound_id": "po1" - }, - { - "id": 223, - "name": "pó", - "initial_id": 3, - "final_id": 22, - "tone_id": 2, - "sound_id": "po2" - }, - { - "id": 224, - "name": "pǒ", - "initial_id": 3, - "final_id": 22, - "tone_id": 3, - "sound_id": "po3" - }, - { - "id": 225, - "name": "pò", - "initial_id": 3, - "final_id": 22, - "tone_id": 4, - "sound_id": "po4" - }, - { - "id": 226, - "name": "pōu", - "initial_id": 3, - "final_id": 24, - "tone_id": 1, - "sound_id": "pou1" - }, - { - "id": 227, - "name": "póu", - "initial_id": 3, - "final_id": 24, - "tone_id": 2, - "sound_id": "pou2" - }, - { - "id": 228, - "name": "pǒu", - "initial_id": 3, - "final_id": 24, - "tone_id": 3, - "sound_id": "pou3" - }, - { - "id": 229, - "name": "pū", - "initial_id": 3, - "final_id": 25, - "tone_id": 1, - "sound_id": "pu1" - }, - { - "id": 230, - "name": "pú", - "initial_id": 3, - "final_id": 25, - "tone_id": 2, - "sound_id": "pu2" - }, - { - "id": 231, - "name": "pǔ", - "initial_id": 3, - "final_id": 25, - "tone_id": 3, - "sound_id": "pu3" - }, - { - "id": 232, - "name": "pù", - "initial_id": 3, - "final_id": 25, - "tone_id": 4, - "sound_id": "pu4" - }, - { - "id": 233, - "name": "mā", - "initial_id": 4, - "final_id": 1, - "tone_id": 1, - "sound_id": "ma1" - }, - { - "id": 234, - "name": "má", - "initial_id": 4, - "final_id": 1, - "tone_id": 2, - "sound_id": "ma2" - }, - { - "id": 235, - "name": "mǎ", - "initial_id": 4, - "final_id": 1, - "tone_id": 3, - "sound_id": "ma3" - }, - { - "id": 236, - "name": "mà", - "initial_id": 4, - "final_id": 1, - "tone_id": 4, - "sound_id": "ma4" - }, - { - "id": 237, - "name": "ma", - "initial_id": 4, - "final_id": 1, - "tone_id": 5, - "sound_id": "ma5" - }, - { - "id": 238, - "name": "mái", - "initial_id": 4, - "final_id": 2, - "tone_id": 2, - "sound_id": "mai2" - }, - { - "id": 239, - "name": "mǎi", - "initial_id": 4, - "final_id": 2, - "tone_id": 3, - "sound_id": "mai3" - }, - { - "id": 240, - "name": "mài", - "initial_id": 4, - "final_id": 2, - "tone_id": 4, - "sound_id": "mai4" - }, - { - "id": 241, - "name": "mán", - "initial_id": 4, - "final_id": 3, - "tone_id": 2, - "sound_id": "man2" - }, - { - "id": 242, - "name": "mǎn", - "initial_id": 4, - "final_id": 3, - "tone_id": 3, - "sound_id": "man3" - }, - { - "id": 243, - "name": "màn", - "initial_id": 4, - "final_id": 3, - "tone_id": 4, - "sound_id": "man4" - }, - { - "id": 244, - "name": "máng", - "initial_id": 4, - "final_id": 4, - "tone_id": 2, - "sound_id": "mang2" - }, - { - "id": 245, - "name": "mǎng", - "initial_id": 4, - "final_id": 4, - "tone_id": 3, - "sound_id": "mang3" - }, - { - "id": 246, - "name": "māo", - "initial_id": 4, - "final_id": 5, - "tone_id": 1, - "sound_id": "mao1" - }, - { - "id": 247, - "name": "máo", - "initial_id": 4, - "final_id": 5, - "tone_id": 2, - "sound_id": "mao2" - }, - { - "id": 248, - "name": "mǎo", - "initial_id": 4, - "final_id": 5, - "tone_id": 3, - "sound_id": "mao3" - }, - { - "id": 249, - "name": "mào", - "initial_id": 4, - "final_id": 5, - "tone_id": 4, - "sound_id": "mao4" - }, - { - "id": 250, - "name": "mē", - "initial_id": 4, - "final_id": 6, - "tone_id": 1, - "sound_id": "me1" - }, - { - "id": 251, - "name": "me", - "initial_id": 4, - "final_id": 6, - "tone_id": 5, - "sound_id": "me5" - }, - { - "id": 252, - "name": "méi", - "initial_id": 4, - "final_id": 7, - "tone_id": 2, - "sound_id": "mei2" - }, - { - "id": 253, - "name": "měi", - "initial_id": 4, - "final_id": 7, - "tone_id": 3, - "sound_id": "mei3" - }, - { - "id": 254, - "name": "mèi", - "initial_id": 4, - "final_id": 7, - "tone_id": 4, - "sound_id": "mei4" - }, - { - "id": 255, - "name": "mēn", - "initial_id": 4, - "final_id": 8, - "tone_id": 1, - "sound_id": "men1" - }, - { - "id": 256, - "name": "mén", - "initial_id": 4, - "final_id": 8, - "tone_id": 2, - "sound_id": "men2" - }, - { - "id": 257, - "name": "měn", - "initial_id": 4, - "final_id": 8, - "tone_id": 3, - "sound_id": "men3" - }, - { - "id": 258, - "name": "mèn", - "initial_id": 4, - "final_id": 8, - "tone_id": 4, - "sound_id": "men4" - }, - { - "id": 259, - "name": "men", - "initial_id": 4, - "final_id": 8, - "tone_id": 5, - "sound_id": "men5" - }, - { - "id": 260, - "name": "mēng", - "initial_id": 4, - "final_id": 9, - "tone_id": 1, - "sound_id": "meng1" - }, - { - "id": 261, - "name": "méng", - "initial_id": 4, - "final_id": 9, - "tone_id": 2, - "sound_id": "meng2" - }, - { - "id": 262, - "name": "měng", - "initial_id": 4, - "final_id": 9, - "tone_id": 3, - "sound_id": "meng3" - }, - { - "id": 263, - "name": "mèng", - "initial_id": 4, - "final_id": 9, - "tone_id": 4, - "sound_id": "meng4" - }, - { - "id": 264, - "name": "mī", - "initial_id": 4, - "final_id": 11, - "tone_id": 1, - "sound_id": "mi1" - }, - { - "id": 265, - "name": "mí", - "initial_id": 4, - "final_id": 11, - "tone_id": 2, - "sound_id": "mi2" - }, - { - "id": 266, - "name": "mǐ", - "initial_id": 4, - "final_id": 11, - "tone_id": 3, - "sound_id": "mi3" - }, - { - "id": 267, - "name": "mì", - "initial_id": 4, - "final_id": 11, - "tone_id": 4, - "sound_id": "mi4" - }, - { - "id": 268, - "name": "mián", - "initial_id": 4, - "final_id": 13, - "tone_id": 2, - "sound_id": "mian2" - }, - { - "id": 269, - "name": "miǎn", - "initial_id": 4, - "final_id": 13, - "tone_id": 3, - "sound_id": "mian3" - }, - { - "id": 270, - "name": "miàn", - "initial_id": 4, - "final_id": 13, - "tone_id": 4, - "sound_id": "mian4" - }, - { - "id": 271, - "name": "miāo", - "initial_id": 4, - "final_id": 15, - "tone_id": 1, - "sound_id": "miao1" - }, - { - "id": 272, - "name": "miáo", - "initial_id": 4, - "final_id": 15, - "tone_id": 2, - "sound_id": "miao2" - }, - { - "id": 273, - "name": "miǎo", - "initial_id": 4, - "final_id": 15, - "tone_id": 3, - "sound_id": "miao3" - }, - { - "id": 274, - "name": "miào", - "initial_id": 4, - "final_id": 15, - "tone_id": 4, - "sound_id": "miao4" - }, - { - "id": 275, - "name": "miē", - "initial_id": 4, - "final_id": 16, - "tone_id": 1, - "sound_id": "mie1" - }, - { - "id": 276, - "name": "miè", - "initial_id": 4, - "final_id": 16, - "tone_id": 4, - "sound_id": "mie4" - }, - { - "id": 277, - "name": "mín", - "initial_id": 4, - "final_id": 17, - "tone_id": 2, - "sound_id": "min2" - }, - { - "id": 278, - "name": "mǐn", - "initial_id": 4, - "final_id": 17, - "tone_id": 3, - "sound_id": "min3" - }, - { - "id": 279, - "name": "míng", - "initial_id": 4, - "final_id": 18, - "tone_id": 2, - "sound_id": "ming2" - }, - { - "id": 280, - "name": "mǐng", - "initial_id": 4, - "final_id": 18, - "tone_id": 3, - "sound_id": "ming3" - }, - { - "id": 281, - "name": "mìng", - "initial_id": 4, - "final_id": 18, - "tone_id": 4, - "sound_id": "ming4" - }, - { - "id": 282, - "name": "miū", - "initial_id": 4, - "final_id": 21, - "tone_id": 1, - "sound_id": "miu1" - }, - { - "id": 283, - "name": "miù", - "initial_id": 4, - "final_id": 21, - "tone_id": 4, - "sound_id": "miu4" - }, - { - "id": 284, - "name": "mō", - "initial_id": 4, - "final_id": 22, - "tone_id": 1, - "sound_id": "mo1" - }, - { - "id": 285, - "name": "mó", - "initial_id": 4, - "final_id": 22, - "tone_id": 2, - "sound_id": "mo2" - }, - { - "id": 286, - "name": "mǒ", - "initial_id": 4, - "final_id": 22, - "tone_id": 3, - "sound_id": "mo3" - }, - { - "id": 287, - "name": "mò", - "initial_id": 4, - "final_id": 22, - "tone_id": 4, - "sound_id": "mo4" - }, - { - "id": 288, - "name": "mōu", - "initial_id": 4, - "final_id": 24, - "tone_id": 1, - "sound_id": "mou1" - }, - { - "id": 289, - "name": "móu", - "initial_id": 4, - "final_id": 24, - "tone_id": 2, - "sound_id": "mou2" - }, - { - "id": 290, - "name": "mǒu", - "initial_id": 4, - "final_id": 24, - "tone_id": 3, - "sound_id": "mou3" - }, - { - "id": 291, - "name": "mú", - "initial_id": 4, - "final_id": 25, - "tone_id": 2, - "sound_id": "mu2" - }, - { - "id": 292, - "name": "mǔ", - "initial_id": 4, - "final_id": 25, - "tone_id": 3, - "sound_id": "mu3" - }, - { - "id": 293, - "name": "mù", - "initial_id": 4, - "final_id": 25, - "tone_id": 4, - "sound_id": "mu4" - }, - { - "id": 294, - "name": "fā", - "initial_id": 5, - "final_id": 1, - "tone_id": 1, - "sound_id": "fa1" - }, - { - "id": 295, - "name": "fá", - "initial_id": 5, - "final_id": 1, - "tone_id": 2, - "sound_id": "fa2" - }, - { - "id": 296, - "name": "fǎ", - "initial_id": 5, - "final_id": 1, - "tone_id": 3, - "sound_id": "fa3" - }, - { - "id": 297, - "name": "fà", - "initial_id": 5, - "final_id": 1, - "tone_id": 4, - "sound_id": "fa4" - }, - { - "id": 298, - "name": "fān", - "initial_id": 5, - "final_id": 3, - "tone_id": 1, - "sound_id": "fan1" - }, - { - "id": 299, - "name": "fán", - "initial_id": 5, - "final_id": 3, - "tone_id": 2, - "sound_id": "fan2" - }, - { - "id": 300, - "name": "fǎn", - "initial_id": 5, - "final_id": 3, - "tone_id": 3, - "sound_id": "fan3" - }, - { - "id": 301, - "name": "fàn", - "initial_id": 5, - "final_id": 3, - "tone_id": 4, - "sound_id": "fan4" - }, - { - "id": 302, - "name": "fāng", - "initial_id": 5, - "final_id": 4, - "tone_id": 1, - "sound_id": "fang1" - }, - { - "id": 303, - "name": "fáng", - "initial_id": 5, - "final_id": 4, - "tone_id": 2, - "sound_id": "fang2" - }, - { - "id": 304, - "name": "fǎng", - "initial_id": 5, - "final_id": 4, - "tone_id": 3, - "sound_id": "fang3" - }, - { - "id": 305, - "name": "fàng", - "initial_id": 5, - "final_id": 4, - "tone_id": 4, - "sound_id": "fang4" - }, - { - "id": 306, - "name": "fēi", - "initial_id": 5, - "final_id": 7, - "tone_id": 1, - "sound_id": "fei1" - }, - { - "id": 307, - "name": "féi", - "initial_id": 5, - "final_id": 7, - "tone_id": 2, - "sound_id": "fei2" - }, - { - "id": 308, - "name": "fěi", - "initial_id": 5, - "final_id": 7, - "tone_id": 3, - "sound_id": "fei3" - }, - { - "id": 309, - "name": "fèi", - "initial_id": 5, - "final_id": 7, - "tone_id": 4, - "sound_id": "fei4" - }, - { - "id": 310, - "name": "fēn", - "initial_id": 5, - "final_id": 8, - "tone_id": 1, - "sound_id": "fen1" - }, - { - "id": 311, - "name": "fén", - "initial_id": 5, - "final_id": 8, - "tone_id": 2, - "sound_id": "fen2" - }, - { - "id": 312, - "name": "fěn", - "initial_id": 5, - "final_id": 8, - "tone_id": 3, - "sound_id": "fen3" - }, - { - "id": 313, - "name": "fèn", - "initial_id": 5, - "final_id": 8, - "tone_id": 4, - "sound_id": "fen4" - }, - { - "id": 314, - "name": "fēng", - "initial_id": 5, - "final_id": 9, - "tone_id": 1, - "sound_id": "feng1" - }, - { - "id": 315, - "name": "féng", - "initial_id": 5, - "final_id": 9, - "tone_id": 2, - "sound_id": "feng2" - }, - { - "id": 316, - "name": "fěng", - "initial_id": 5, - "final_id": 9, - "tone_id": 3, - "sound_id": "feng3" - }, - { - "id": 317, - "name": "fèng", - "initial_id": 5, - "final_id": 9, - "tone_id": 4, - "sound_id": "feng4" - }, - { - "id": 318, - "name": "fó", - "initial_id": 5, - "final_id": 22, - "tone_id": 2, - "sound_id": "fo2" - }, - { - "id": 319, - "name": "fóu", - "initial_id": 5, - "final_id": 24, - "tone_id": 2, - "sound_id": "fou2" - }, - { - "id": 320, - "name": "fǒu", - "initial_id": 5, - "final_id": 24, - "tone_id": 3, - "sound_id": "fou3" - }, - { - "id": 321, - "name": "fū", - "initial_id": 5, - "final_id": 25, - "tone_id": 1, - "sound_id": "fu1" - }, - { - "id": 322, - "name": "fú", - "initial_id": 5, - "final_id": 25, - "tone_id": 2, - "sound_id": "fu2" - }, - { - "id": 323, - "name": "fǔ", - "initial_id": 5, - "final_id": 25, - "tone_id": 3, - "sound_id": "fu3" - }, - { - "id": 324, - "name": "fù", - "initial_id": 5, - "final_id": 25, - "tone_id": 4, - "sound_id": "fu4" - }, - { - "id": 325, - "name": "dā", - "initial_id": 6, - "final_id": 1, - "tone_id": 1, - "sound_id": "da1" - }, - { - "id": 326, - "name": "dá", - "initial_id": 6, - "final_id": 1, - "tone_id": 2, - "sound_id": "da2" - }, - { - "id": 327, - "name": "dǎ", - "initial_id": 6, - "final_id": 1, - "tone_id": 3, - "sound_id": "da3" - }, - { - "id": 328, - "name": "dà", - "initial_id": 6, - "final_id": 1, - "tone_id": 4, - "sound_id": "da4" - }, - { - "id": 329, - "name": "dāi", - "initial_id": 6, - "final_id": 2, - "tone_id": 1, - "sound_id": "dai1" - }, - { - "id": 330, - "name": "dǎi", - "initial_id": 6, - "final_id": 2, - "tone_id": 3, - "sound_id": "dai3" - }, - { - "id": 331, - "name": "dài", - "initial_id": 6, - "final_id": 2, - "tone_id": 4, - "sound_id": "dai4" - }, - { - "id": 332, - "name": "dān", - "initial_id": 6, - "final_id": 3, - "tone_id": 1, - "sound_id": "dan1" - }, - { - "id": 333, - "name": "dǎn", - "initial_id": 6, - "final_id": 3, - "tone_id": 3, - "sound_id": "dan3" - }, - { - "id": 334, - "name": "dàn", - "initial_id": 6, - "final_id": 3, - "tone_id": 4, - "sound_id": "dan4" - }, - { - "id": 335, - "name": "dāng", - "initial_id": 6, - "final_id": 4, - "tone_id": 1, - "sound_id": "dang1" - }, - { - "id": 336, - "name": "dǎng", - "initial_id": 6, - "final_id": 4, - "tone_id": 3, - "sound_id": "dang3" - }, - { - "id": 337, - "name": "dàng", - "initial_id": 6, - "final_id": 4, - "tone_id": 4, - "sound_id": "dang4" - }, - { - "id": 338, - "name": "dāo", - "initial_id": 6, - "final_id": 5, - "tone_id": 1, - "sound_id": "dao1" - }, - { - "id": 339, - "name": "dǎo", - "initial_id": 6, - "final_id": 5, - "tone_id": 3, - "sound_id": "dao3" - }, - { - "id": 340, - "name": "dào", - "initial_id": 6, - "final_id": 5, - "tone_id": 4, - "sound_id": "dao4" - }, - { - "id": 341, - "name": "dē", - "initial_id": 6, - "final_id": 6, - "tone_id": 1, - "sound_id": "de1" - }, - { - "id": 342, - "name": "dé", - "initial_id": 6, - "final_id": 6, - "tone_id": 2, - "sound_id": "de2" - }, - { - "id": 343, - "name": "de", - "initial_id": 6, - "final_id": 6, - "tone_id": 5, - "sound_id": "de5" - }, - { - "id": 344, - "name": "dēi", - "initial_id": 6, - "final_id": 7, - "tone_id": 1, - "sound_id": "dei1" - }, - { - "id": 345, - "name": "děi", - "initial_id": 6, - "final_id": 7, - "tone_id": 3, - "sound_id": "dei3" - }, - { - "id": 346, - "name": "dèn", - "initial_id": 6, - "final_id": 8, - "tone_id": 4, - "sound_id": "den4" - }, - { - "id": 347, - "name": "dēng", - "initial_id": 6, - "final_id": 9, - "tone_id": 1, - "sound_id": "deng1" - }, - { - "id": 348, - "name": "děng", - "initial_id": 6, - "final_id": 9, - "tone_id": 3, - "sound_id": "deng3" - }, - { - "id": 349, - "name": "dèng", - "initial_id": 6, - "final_id": 9, - "tone_id": 4, - "sound_id": "deng4" - }, - { - "id": 350, - "name": "dī", - "initial_id": 6, - "final_id": 11, - "tone_id": 1, - "sound_id": "di1" - }, - { - "id": 351, - "name": "dí", - "initial_id": 6, - "final_id": 11, - "tone_id": 2, - "sound_id": "di2" - }, - { - "id": 352, - "name": "dǐ", - "initial_id": 6, - "final_id": 11, - "tone_id": 3, - "sound_id": "di3" - }, - { - "id": 353, - "name": "dì", - "initial_id": 6, - "final_id": 11, - "tone_id": 4, - "sound_id": "di4" - }, - { - "id": 354, - "name": "diǎ", - "initial_id": 6, - "final_id": 12, - "tone_id": 3, - "sound_id": "dia3" - }, - { - "id": 355, - "name": "diān", - "initial_id": 6, - "final_id": 13, - "tone_id": 1, - "sound_id": "dian1" - }, - { - "id": 356, - "name": "diǎn", - "initial_id": 6, - "final_id": 13, - "tone_id": 3, - "sound_id": "dian3" - }, - { - "id": 357, - "name": "diàn", - "initial_id": 6, - "final_id": 13, - "tone_id": 4, - "sound_id": "dian4" - }, - { - "id": 358, - "name": "diāo", - "initial_id": 6, - "final_id": 15, - "tone_id": 1, - "sound_id": "diao1" - }, - { - "id": 359, - "name": "diǎo", - "initial_id": 6, - "final_id": 15, - "tone_id": 3, - "sound_id": "diao3" - }, - { - "id": 360, - "name": "diào", - "initial_id": 6, - "final_id": 15, - "tone_id": 4, - "sound_id": "diao4" - }, - { - "id": 361, - "name": "diē", - "initial_id": 6, - "final_id": 16, - "tone_id": 1, - "sound_id": "die1" - }, - { - "id": 362, - "name": "dié", - "initial_id": 6, - "final_id": 16, - "tone_id": 2, - "sound_id": "die2" - }, - { - "id": 363, - "name": "dīng", - "initial_id": 6, - "final_id": 18, - "tone_id": 1, - "sound_id": "ding1" - }, - { - "id": 364, - "name": "dǐng", - "initial_id": 6, - "final_id": 18, - "tone_id": 3, - "sound_id": "ding3" - }, - { - "id": 365, - "name": "dìng", - "initial_id": 6, - "final_id": 18, - "tone_id": 4, - "sound_id": "ding4" - }, - { - "id": 366, - "name": "diū", - "initial_id": 6, - "final_id": 21, - "tone_id": 1, - "sound_id": "diu1" - }, - { - "id": 367, - "name": "dōng", - "initial_id": 6, - "final_id": 23, - "tone_id": 1, - "sound_id": "dong1" - }, - { - "id": 368, - "name": "dǒng", - "initial_id": 6, - "final_id": 23, - "tone_id": 3, - "sound_id": "dong3" - }, - { - "id": 369, - "name": "dòng", - "initial_id": 6, - "final_id": 23, - "tone_id": 4, - "sound_id": "dong4" - }, - { - "id": 370, - "name": "dōu", - "initial_id": 6, - "final_id": 24, - "tone_id": 1, - "sound_id": "dou1" - }, - { - "id": 371, - "name": "dǒu", - "initial_id": 6, - "final_id": 24, - "tone_id": 3, - "sound_id": "dou3" - }, - { - "id": 372, - "name": "dòu", - "initial_id": 6, - "final_id": 24, - "tone_id": 4, - "sound_id": "dou4" - }, - { - "id": 373, - "name": "dū", - "initial_id": 6, - "final_id": 25, - "tone_id": 1, - "sound_id": "du1" - }, - { - "id": 374, - "name": "dú", - "initial_id": 6, - "final_id": 25, - "tone_id": 2, - "sound_id": "du2" - }, - { - "id": 375, - "name": "dǔ", - "initial_id": 6, - "final_id": 25, - "tone_id": 3, - "sound_id": "du3" - }, - { - "id": 376, - "name": "dù", - "initial_id": 6, - "final_id": 25, - "tone_id": 4, - "sound_id": "du4" - }, - { - "id": 377, - "name": "duān", - "initial_id": 6, - "final_id": 28, - "tone_id": 1, - "sound_id": "duan1" - }, - { - "id": 378, - "name": "duǎn", - "initial_id": 6, - "final_id": 28, - "tone_id": 3, - "sound_id": "duan3" - }, - { - "id": 379, - "name": "duàn", - "initial_id": 6, - "final_id": 28, - "tone_id": 4, - "sound_id": "duan4" - }, - { - "id": 380, - "name": "duī", - "initial_id": 6, - "final_id": 31, - "tone_id": 1, - "sound_id": "dui1" - }, - { - "id": 381, - "name": "duì", - "initial_id": 6, - "final_id": 31, - "tone_id": 4, - "sound_id": "dui4" - }, - { - "id": 382, - "name": "dūn", - "initial_id": 6, - "final_id": 32, - "tone_id": 1, - "sound_id": "dun1" - }, - { - "id": 383, - "name": "dǔn", - "initial_id": 6, - "final_id": 32, - "tone_id": 3, - "sound_id": "dun3" - }, - { - "id": 384, - "name": "dùn", - "initial_id": 6, - "final_id": 32, - "tone_id": 4, - "sound_id": "dun4" - }, - { - "id": 385, - "name": "duō", - "initial_id": 6, - "final_id": 33, - "tone_id": 1, - "sound_id": "duo1" - }, - { - "id": 386, - "name": "duó", - "initial_id": 6, - "final_id": 33, - "tone_id": 2, - "sound_id": "duo2" - }, - { - "id": 387, - "name": "duǒ", - "initial_id": 6, - "final_id": 33, - "tone_id": 3, - "sound_id": "duo3" - }, - { - "id": 388, - "name": "duò", - "initial_id": 6, - "final_id": 33, - "tone_id": 4, - "sound_id": "duo4" - }, - { - "id": 389, - "name": "tā", - "initial_id": 7, - "final_id": 1, - "tone_id": 1, - "sound_id": "ta1" - }, - { - "id": 390, - "name": "tǎ", - "initial_id": 7, - "final_id": 1, - "tone_id": 3, - "sound_id": "ta3" - }, - { - "id": 391, - "name": "tà", - "initial_id": 7, - "final_id": 1, - "tone_id": 4, - "sound_id": "ta4" - }, - { - "id": 392, - "name": "tāi", - "initial_id": 7, - "final_id": 2, - "tone_id": 1, - "sound_id": "tai1" - }, - { - "id": 393, - "name": "tái", - "initial_id": 7, - "final_id": 2, - "tone_id": 2, - "sound_id": "tai2" - }, - { - "id": 394, - "name": "tài", - "initial_id": 7, - "final_id": 2, - "tone_id": 4, - "sound_id": "tai4" - }, - { - "id": 395, - "name": "tān", - "initial_id": 7, - "final_id": 3, - "tone_id": 1, - "sound_id": "tan1" - }, - { - "id": 396, - "name": "tán", - "initial_id": 7, - "final_id": 3, - "tone_id": 2, - "sound_id": "tan2" - }, - { - "id": 397, - "name": "tǎn", - "initial_id": 7, - "final_id": 3, - "tone_id": 3, - "sound_id": "tan3" - }, - { - "id": 398, - "name": "tàn", - "initial_id": 7, - "final_id": 3, - "tone_id": 4, - "sound_id": "tan4" - }, - { - "id": 399, - "name": "tāng", - "initial_id": 7, - "final_id": 4, - "tone_id": 1, - "sound_id": "tang1" - }, - { - "id": 400, - "name": "táng", - "initial_id": 7, - "final_id": 4, - "tone_id": 2, - "sound_id": "tang2" - }, - { - "id": 401, - "name": "tǎng", - "initial_id": 7, - "final_id": 4, - "tone_id": 3, - "sound_id": "tang3" - }, - { - "id": 402, - "name": "tàng", - "initial_id": 7, - "final_id": 4, - "tone_id": 4, - "sound_id": "tang4" - }, - { - "id": 403, - "name": "tāo", - "initial_id": 7, - "final_id": 5, - "tone_id": 1, - "sound_id": "tao1" - }, - { - "id": 404, - "name": "táo", - "initial_id": 7, - "final_id": 5, - "tone_id": 2, - "sound_id": "tao2" - }, - { - "id": 405, - "name": "tǎo", - "initial_id": 7, - "final_id": 5, - "tone_id": 3, - "sound_id": "tao3" - }, - { - "id": 406, - "name": "tào", - "initial_id": 7, - "final_id": 5, - "tone_id": 4, - "sound_id": "tao4" - }, - { - "id": 407, - "name": "tè", - "initial_id": 7, - "final_id": 6, - "tone_id": 4, - "sound_id": "te4" - }, - { - "id": 408, - "name": "téng", - "initial_id": 7, - "final_id": 9, - "tone_id": 2, - "sound_id": "teng2" - }, - { - "id": 409, - "name": "tī", - "initial_id": 7, - "final_id": 11, - "tone_id": 1, - "sound_id": "ti1" - }, - { - "id": 410, - "name": "tí", - "initial_id": 7, - "final_id": 11, - "tone_id": 2, - "sound_id": "ti2" - }, - { - "id": 411, - "name": "tǐ", - "initial_id": 7, - "final_id": 11, - "tone_id": 3, - "sound_id": "ti3" - }, - { - "id": 412, - "name": "tì", - "initial_id": 7, - "final_id": 11, - "tone_id": 4, - "sound_id": "ti4" - }, - { - "id": 413, - "name": "tiān", - "initial_id": 7, - "final_id": 13, - "tone_id": 1, - "sound_id": "tian1" - }, - { - "id": 414, - "name": "tián", - "initial_id": 7, - "final_id": 13, - "tone_id": 2, - "sound_id": "tian2" - }, - { - "id": 415, - "name": "tiǎn", - "initial_id": 7, - "final_id": 13, - "tone_id": 3, - "sound_id": "tian3" - }, - { - "id": 416, - "name": "tiàn", - "initial_id": 7, - "final_id": 13, - "tone_id": 4, - "sound_id": "tian4" - }, - { - "id": 417, - "name": "tiāo", - "initial_id": 7, - "final_id": 15, - "tone_id": 1, - "sound_id": "tiao1" - }, - { - "id": 418, - "name": "tiáo", - "initial_id": 7, - "final_id": 15, - "tone_id": 2, - "sound_id": "tiao2" - }, - { - "id": 419, - "name": "tiǎo", - "initial_id": 7, - "final_id": 15, - "tone_id": 3, - "sound_id": "tiao3" - }, - { - "id": 420, - "name": "tiào", - "initial_id": 7, - "final_id": 15, - "tone_id": 4, - "sound_id": "tiao4" - }, - { - "id": 421, - "name": "tiē", - "initial_id": 7, - "final_id": 16, - "tone_id": 1, - "sound_id": "tie1" - }, - { - "id": 422, - "name": "tiě", - "initial_id": 7, - "final_id": 16, - "tone_id": 3, - "sound_id": "tie3" - }, - { - "id": 423, - "name": "tiè", - "initial_id": 7, - "final_id": 16, - "tone_id": 4, - "sound_id": "tie4" - }, - { - "id": 424, - "name": "tīng", - "initial_id": 7, - "final_id": 18, - "tone_id": 1, - "sound_id": "ting1" - }, - { - "id": 425, - "name": "tíng", - "initial_id": 7, - "final_id": 18, - "tone_id": 2, - "sound_id": "ting2" - }, - { - "id": 426, - "name": "tǐng", - "initial_id": 7, - "final_id": 18, - "tone_id": 3, - "sound_id": "ting3" - }, - { - "id": 427, - "name": "tōng", - "initial_id": 7, - "final_id": 23, - "tone_id": 1, - "sound_id": "tong1" - }, - { - "id": 428, - "name": "tóng", - "initial_id": 7, - "final_id": 23, - "tone_id": 2, - "sound_id": "tong2" - }, - { - "id": 429, - "name": "tǒng", - "initial_id": 7, - "final_id": 23, - "tone_id": 3, - "sound_id": "tong3" - }, - { - "id": 430, - "name": "tòng", - "initial_id": 7, - "final_id": 23, - "tone_id": 4, - "sound_id": "tong4" - }, - { - "id": 431, - "name": "tōu", - "initial_id": 7, - "final_id": 24, - "tone_id": 1, - "sound_id": "tou1" - }, - { - "id": 432, - "name": "tóu", - "initial_id": 7, - "final_id": 24, - "tone_id": 2, - "sound_id": "tou2" - }, - { - "id": 433, - "name": "tòu", - "initial_id": 7, - "final_id": 24, - "tone_id": 4, - "sound_id": "tou4" - }, - { - "id": 434, - "name": "tū", - "initial_id": 7, - "final_id": 25, - "tone_id": 1, - "sound_id": "tu1" - }, - { - "id": 435, - "name": "tú", - "initial_id": 7, - "final_id": 25, - "tone_id": 2, - "sound_id": "tu2" - }, - { - "id": 436, - "name": "tǔ", - "initial_id": 7, - "final_id": 25, - "tone_id": 3, - "sound_id": "tu3" - }, - { - "id": 437, - "name": "tù", - "initial_id": 7, - "final_id": 25, - "tone_id": 4, - "sound_id": "tu4" - }, - { - "id": 438, - "name": "tuān", - "initial_id": 7, - "final_id": 28, - "tone_id": 1, - "sound_id": "tuan1" - }, - { - "id": 439, - "name": "tuán", - "initial_id": 7, - "final_id": 28, - "tone_id": 2, - "sound_id": "tuan2" - }, - { - "id": 440, - "name": "tuī", - "initial_id": 7, - "final_id": 31, - "tone_id": 1, - "sound_id": "tui1" - }, - { - "id": 441, - "name": "tuí", - "initial_id": 7, - "final_id": 31, - "tone_id": 2, - "sound_id": "tui2" - }, - { - "id": 442, - "name": "tuǐ", - "initial_id": 7, - "final_id": 31, - "tone_id": 3, - "sound_id": "tui3" - }, - { - "id": 443, - "name": "tuì", - "initial_id": 7, - "final_id": 31, - "tone_id": 4, - "sound_id": "tui4" - }, - { - "id": 444, - "name": "tūn", - "initial_id": 7, - "final_id": 32, - "tone_id": 1, - "sound_id": "tun1" - }, - { - "id": 445, - "name": "tún", - "initial_id": 7, - "final_id": 32, - "tone_id": 2, - "sound_id": "tun2" - }, - { - "id": 446, - "name": "tǔn", - "initial_id": 7, - "final_id": 32, - "tone_id": 3, - "sound_id": "tun3" - }, - { - "id": 447, - "name": "tùn", - "initial_id": 7, - "final_id": 32, - "tone_id": 4, - "sound_id": "tun4" - }, - { - "id": 448, - "name": "tuō", - "initial_id": 7, - "final_id": 33, - "tone_id": 1, - "sound_id": "tuo1" - }, - { - "id": 449, - "name": "tuó", - "initial_id": 7, - "final_id": 33, - "tone_id": 2, - "sound_id": "tuo2" - }, - { - "id": 450, - "name": "tuǒ", - "initial_id": 7, - "final_id": 33, - "tone_id": 3, - "sound_id": "tuo3" - }, - { - "id": 451, - "name": "tuò", - "initial_id": 7, - "final_id": 33, - "tone_id": 4, - "sound_id": "tuo4" - }, - { - "id": 452, - "name": "ná", - "initial_id": 8, - "final_id": 1, - "tone_id": 2, - "sound_id": "na2" - }, - { - "id": 453, - "name": "nǎ", - "initial_id": 8, - "final_id": 1, - "tone_id": 3, - "sound_id": "na3" - }, - { - "id": 454, - "name": "nà", - "initial_id": 8, - "final_id": 1, - "tone_id": 4, - "sound_id": "na4" - }, - { - "id": 455, - "name": "nái", - "initial_id": 8, - "final_id": 2, - "tone_id": 2, - "sound_id": "nai2" - }, - { - "id": 456, - "name": "nǎi", - "initial_id": 8, - "final_id": 2, - "tone_id": 3, - "sound_id": "nai3" - }, - { - "id": 457, - "name": "nài", - "initial_id": 8, - "final_id": 2, - "tone_id": 4, - "sound_id": "nai4" - }, - { - "id": 458, - "name": "nān", - "initial_id": 8, - "final_id": 3, - "tone_id": 1, - "sound_id": "nan1" - }, - { - "id": 459, - "name": "nán", - "initial_id": 8, - "final_id": 3, - "tone_id": 2, - "sound_id": "nan2" - }, - { - "id": 460, - "name": "nǎn", - "initial_id": 8, - "final_id": 3, - "tone_id": 3, - "sound_id": "nan3" - }, - { - "id": 461, - "name": "nàn", - "initial_id": 8, - "final_id": 3, - "tone_id": 4, - "sound_id": "nan4" - }, - { - "id": 462, - "name": "nāng", - "initial_id": 8, - "final_id": 4, - "tone_id": 1, - "sound_id": "nang1" - }, - { - "id": 463, - "name": "náng", - "initial_id": 8, - "final_id": 4, - "tone_id": 2, - "sound_id": "nang2" - }, - { - "id": 464, - "name": "nǎng", - "initial_id": 8, - "final_id": 4, - "tone_id": 3, - "sound_id": "nang3" - }, - { - "id": 465, - "name": "nàng", - "initial_id": 8, - "final_id": 4, - "tone_id": 4, - "sound_id": "nang4" - }, - { - "id": 466, - "name": "nāo", - "initial_id": 8, - "final_id": 5, - "tone_id": 1, - "sound_id": "nao1" - }, - { - "id": 467, - "name": "náo", - "initial_id": 8, - "final_id": 5, - "tone_id": 2, - "sound_id": "nao2" - }, - { - "id": 468, - "name": "nǎo", - "initial_id": 8, - "final_id": 5, - "tone_id": 3, - "sound_id": "nao3" - }, - { - "id": 469, - "name": "nào", - "initial_id": 8, - "final_id": 5, - "tone_id": 4, - "sound_id": "nao4" - }, - { - "id": 470, - "name": "nē", - "initial_id": 8, - "final_id": 6, - "tone_id": 1, - "sound_id": "ne1" - }, - { - "id": 471, - "name": "né", - "initial_id": 8, - "final_id": 6, - "tone_id": 2, - "sound_id": "ne2" - }, - { - "id": 472, - "name": "nè", - "initial_id": 8, - "final_id": 6, - "tone_id": 4, - "sound_id": "ne4" - }, - { - "id": 473, - "name": "ne", - "initial_id": 8, - "final_id": 6, - "tone_id": 5, - "sound_id": "ne5" - }, - { - "id": 474, - "name": "něi", - "initial_id": 8, - "final_id": 7, - "tone_id": 3, - "sound_id": "nei3" - }, - { - "id": 475, - "name": "nèi", - "initial_id": 8, - "final_id": 7, - "tone_id": 4, - "sound_id": "nei4" - }, - { - "id": 476, - "name": "nèn", - "initial_id": 8, - "final_id": 8, - "tone_id": 4, - "sound_id": "nen4" - }, - { - "id": 477, - "name": "néng", - "initial_id": 8, - "final_id": 9, - "tone_id": 2, - "sound_id": "neng2" - }, - { - "id": 478, - "name": "nī", - "initial_id": 8, - "final_id": 11, - "tone_id": 1, - "sound_id": "ni1" - }, - { - "id": 479, - "name": "ní", - "initial_id": 8, - "final_id": 11, - "tone_id": 2, - "sound_id": "ni2" - }, - { - "id": 480, - "name": "nǐ", - "initial_id": 8, - "final_id": 11, - "tone_id": 3, - "sound_id": "ni3" - }, - { - "id": 481, - "name": "nì", - "initial_id": 8, - "final_id": 11, - "tone_id": 4, - "sound_id": "ni4" - }, - { - "id": 482, - "name": "niān", - "initial_id": 8, - "final_id": 13, - "tone_id": 1, - "sound_id": "nian1" - }, - { - "id": 483, - "name": "nián", - "initial_id": 8, - "final_id": 13, - "tone_id": 2, - "sound_id": "nian2" - }, - { - "id": 484, - "name": "niǎn", - "initial_id": 8, - "final_id": 13, - "tone_id": 3, - "sound_id": "nian3" - }, - { - "id": 485, - "name": "niàn", - "initial_id": 8, - "final_id": 13, - "tone_id": 4, - "sound_id": "nian4" - }, - { - "id": 486, - "name": "niáng", - "initial_id": 8, - "final_id": 14, - "tone_id": 2, - "sound_id": "niang2" - }, - { - "id": 487, - "name": "niàng", - "initial_id": 8, - "final_id": 14, - "tone_id": 4, - "sound_id": "niang4" - }, - { - "id": 488, - "name": "niǎo", - "initial_id": 8, - "final_id": 15, - "tone_id": 3, - "sound_id": "niao3" - }, - { - "id": 489, - "name": "niào", - "initial_id": 8, - "final_id": 15, - "tone_id": 4, - "sound_id": "niao4" - }, - { - "id": 490, - "name": "niē", - "initial_id": 8, - "final_id": 16, - "tone_id": 1, - "sound_id": "nie1" - }, - { - "id": 491, - "name": "nié", - "initial_id": 8, - "final_id": 16, - "tone_id": 2, - "sound_id": "nie2" - }, - { - "id": 492, - "name": "niè", - "initial_id": 8, - "final_id": 16, - "tone_id": 4, - "sound_id": "nie4" - }, - { - "id": 493, - "name": "nín", - "initial_id": 8, - "final_id": 17, - "tone_id": 2, - "sound_id": "nin2" - }, - { - "id": 494, - "name": "nǐn", - "initial_id": 8, - "final_id": 17, - "tone_id": 3, - "sound_id": "nin3" - }, - { - "id": 495, - "name": "níng", - "initial_id": 8, - "final_id": 18, - "tone_id": 2, - "sound_id": "ning2" - }, - { - "id": 496, - "name": "nǐng", - "initial_id": 8, - "final_id": 18, - "tone_id": 3, - "sound_id": "ning3" - }, - { - "id": 497, - "name": "nìng", - "initial_id": 8, - "final_id": 18, - "tone_id": 4, - "sound_id": "ning4" - }, - { - "id": 498, - "name": "niū", - "initial_id": 8, - "final_id": 21, - "tone_id": 1, - "sound_id": "niu1" - }, - { - "id": 499, - "name": "niú", - "initial_id": 8, - "final_id": 21, - "tone_id": 2, - "sound_id": "niu2" - }, - { - "id": 500, - "name": "niǔ", - "initial_id": 8, - "final_id": 21, - "tone_id": 3, - "sound_id": "niu3" - }, - { - "id": 501, - "name": "niù", - "initial_id": 8, - "final_id": 21, - "tone_id": 4, - "sound_id": "niu4" - }, - { - "id": 502, - "name": "nóng", - "initial_id": 8, - "final_id": 23, - "tone_id": 2, - "sound_id": "nong2" - }, - { - "id": 503, - "name": "nòng", - "initial_id": 8, - "final_id": 23, - "tone_id": 4, - "sound_id": "nong4" - }, - { - "id": 504, - "name": "nòu", - "initial_id": 8, - "final_id": 24, - "tone_id": 4, - "sound_id": "nou4" - }, - { - "id": 505, - "name": "nú", - "initial_id": 8, - "final_id": 25, - "tone_id": 2, - "sound_id": "nu2" - }, - { - "id": 506, - "name": "nǔ", - "initial_id": 8, - "final_id": 25, - "tone_id": 3, - "sound_id": "nu3" - }, - { - "id": 507, - "name": "nù", - "initial_id": 8, - "final_id": 25, - "tone_id": 4, - "sound_id": "nu4" - }, - { - "id": 508, - "name": "nuǎn", - "initial_id": 8, - "final_id": 28, - "tone_id": 3, - "sound_id": "nuan3" - }, - { - "id": 509, - "name": "nüē", - "initial_id": 8, - "final_id": 30, - "tone_id": 1, - "sound_id": "nve1" - }, - { - "id": 510, - "name": "nüè", - "initial_id": 8, - "final_id": 30, - "tone_id": 4, - "sound_id": "nve4" - }, - { - "id": 511, - "name": "nuó", - "initial_id": 8, - "final_id": 33, - "tone_id": 2, - "sound_id": "nuo2" - }, - { - "id": 512, - "name": "nuǒ", - "initial_id": 8, - "final_id": 33, - "tone_id": 3, - "sound_id": "nuo3" - }, - { - "id": 513, - "name": "nuò", - "initial_id": 8, - "final_id": 33, - "tone_id": 4, - "sound_id": "nuo4" - }, - { - "id": 514, - "name": "nǚ", - "initial_id": 8, - "final_id": 34, - "tone_id": 3, - "sound_id": "nv3" - }, - { - "id": 515, - "name": "nǜ", - "initial_id": 8, - "final_id": 34, - "tone_id": 4, - "sound_id": "nv4" - }, - { - "id": 516, - "name": "lā", - "initial_id": 9, - "final_id": 1, - "tone_id": 1, - "sound_id": "la1" - }, - { - "id": 517, - "name": "lá", - "initial_id": 9, - "final_id": 1, - "tone_id": 2, - "sound_id": "la2" - }, - { - "id": 518, - "name": "lǎ", - "initial_id": 9, - "final_id": 1, - "tone_id": 3, - "sound_id": "la3" - }, - { - "id": 519, - "name": "là", - "initial_id": 9, - "final_id": 1, - "tone_id": 4, - "sound_id": "la4" - }, - { - "id": 520, - "name": "lái", - "initial_id": 9, - "final_id": 2, - "tone_id": 2, - "sound_id": "lai2" - }, - { - "id": 521, - "name": "lài", - "initial_id": 9, - "final_id": 2, - "tone_id": 4, - "sound_id": "lai4" - }, - { - "id": 522, - "name": "lán", - "initial_id": 9, - "final_id": 3, - "tone_id": 2, - "sound_id": "lan2" - }, - { - "id": 523, - "name": "lǎn", - "initial_id": 9, - "final_id": 3, - "tone_id": 3, - "sound_id": "lan3" - }, - { - "id": 524, - "name": "làn", - "initial_id": 9, - "final_id": 3, - "tone_id": 4, - "sound_id": "lan4" - }, - { - "id": 525, - "name": "lāng", - "initial_id": 9, - "final_id": 4, - "tone_id": 1, - "sound_id": "lang1" - }, - { - "id": 526, - "name": "láng", - "initial_id": 9, - "final_id": 4, - "tone_id": 2, - "sound_id": "lang2" - }, - { - "id": 527, - "name": "lǎng", - "initial_id": 9, - "final_id": 4, - "tone_id": 3, - "sound_id": "lang3" - }, - { - "id": 528, - "name": "làng", - "initial_id": 9, - "final_id": 4, - "tone_id": 4, - "sound_id": "lang4" - }, - { - "id": 529, - "name": "lāo", - "initial_id": 9, - "final_id": 5, - "tone_id": 1, - "sound_id": "lao1" - }, - { - "id": 530, - "name": "láo", - "initial_id": 9, - "final_id": 5, - "tone_id": 2, - "sound_id": "lao2" - }, - { - "id": 531, - "name": "lǎo", - "initial_id": 9, - "final_id": 5, - "tone_id": 3, - "sound_id": "lao3" - }, - { - "id": 532, - "name": "lào", - "initial_id": 9, - "final_id": 5, - "tone_id": 4, - "sound_id": "lao4" - }, - { - "id": 533, - "name": "lē", - "initial_id": 9, - "final_id": 6, - "tone_id": 1, - "sound_id": "le1" - }, - { - "id": 534, - "name": "lè", - "initial_id": 9, - "final_id": 6, - "tone_id": 4, - "sound_id": "le4" - }, - { - "id": 535, - "name": "le", - "initial_id": 9, - "final_id": 6, - "tone_id": 5, - "sound_id": "le5" - }, - { - "id": 536, - "name": "lēi", - "initial_id": 9, - "final_id": 7, - "tone_id": 1, - "sound_id": "lei1" - }, - { - "id": 537, - "name": "léi", - "initial_id": 9, - "final_id": 7, - "tone_id": 2, - "sound_id": "lei2" - }, - { - "id": 538, - "name": "lěi", - "initial_id": 9, - "final_id": 7, - "tone_id": 3, - "sound_id": "lei3" - }, - { - "id": 539, - "name": "lèi", - "initial_id": 9, - "final_id": 7, - "tone_id": 4, - "sound_id": "lei4" - }, - { - "id": 540, - "name": "léng", - "initial_id": 9, - "final_id": 9, - "tone_id": 2, - "sound_id": "leng2" - }, - { - "id": 541, - "name": "lěng", - "initial_id": 9, - "final_id": 9, - "tone_id": 3, - "sound_id": "leng3" - }, - { - "id": 542, - "name": "lèng", - "initial_id": 9, - "final_id": 9, - "tone_id": 4, - "sound_id": "leng4" - }, - { - "id": 543, - "name": "lī", - "initial_id": 9, - "final_id": 11, - "tone_id": 1, - "sound_id": "li1" - }, - { - "id": 544, - "name": "lí", - "initial_id": 9, - "final_id": 11, - "tone_id": 2, - "sound_id": "li2" - }, - { - "id": 545, - "name": "lǐ", - "initial_id": 9, - "final_id": 11, - "tone_id": 3, - "sound_id": "li3" - }, - { - "id": 546, - "name": "lì", - "initial_id": 9, - "final_id": 11, - "tone_id": 4, - "sound_id": "li4" - }, - { - "id": 547, - "name": "liǎ", - "initial_id": 9, - "final_id": 12, - "tone_id": 3, - "sound_id": "lia3" - }, - { - "id": 548, - "name": "lián", - "initial_id": 9, - "final_id": 13, - "tone_id": 2, - "sound_id": "lian2" - }, - { - "id": 549, - "name": "liǎn", - "initial_id": 9, - "final_id": 13, - "tone_id": 3, - "sound_id": "lian3" - }, - { - "id": 550, - "name": "liàn", - "initial_id": 9, - "final_id": 13, - "tone_id": 4, - "sound_id": "lian4" - }, - { - "id": 551, - "name": "liáng", - "initial_id": 9, - "final_id": 14, - "tone_id": 2, - "sound_id": "liang2" - }, - { - "id": 552, - "name": "liǎng", - "initial_id": 9, - "final_id": 14, - "tone_id": 3, - "sound_id": "liang3" - }, - { - "id": 553, - "name": "liàng", - "initial_id": 9, - "final_id": 14, - "tone_id": 4, - "sound_id": "liang4" - }, - { - "id": 554, - "name": "liāo", - "initial_id": 9, - "final_id": 15, - "tone_id": 1, - "sound_id": "liao1" - }, - { - "id": 555, - "name": "liáo", - "initial_id": 9, - "final_id": 15, - "tone_id": 2, - "sound_id": "liao2" - }, - { - "id": 556, - "name": "liǎo", - "initial_id": 9, - "final_id": 15, - "tone_id": 3, - "sound_id": "liao3" - }, - { - "id": 557, - "name": "liào", - "initial_id": 9, - "final_id": 15, - "tone_id": 4, - "sound_id": "liao4" - }, - { - "id": 558, - "name": "liē", - "initial_id": 9, - "final_id": 16, - "tone_id": 1, - "sound_id": "lie1" - }, - { - "id": 559, - "name": "liě", - "initial_id": 9, - "final_id": 16, - "tone_id": 3, - "sound_id": "lie3" - }, - { - "id": 560, - "name": "liè", - "initial_id": 9, - "final_id": 16, - "tone_id": 4, - "sound_id": "lie4" - }, - { - "id": 561, - "name": "lín", - "initial_id": 9, - "final_id": 17, - "tone_id": 2, - "sound_id": "lin2" - }, - { - "id": 562, - "name": "lǐn", - "initial_id": 9, - "final_id": 17, - "tone_id": 3, - "sound_id": "lin3" - }, - { - "id": 563, - "name": "lìn", - "initial_id": 9, - "final_id": 17, - "tone_id": 4, - "sound_id": "lin4" - }, - { - "id": 564, - "name": "līng", - "initial_id": 9, - "final_id": 18, - "tone_id": 1, - "sound_id": "ling1" - }, - { - "id": 565, - "name": "líng", - "initial_id": 9, - "final_id": 18, - "tone_id": 2, - "sound_id": "ling2" - }, - { - "id": 566, - "name": "lǐng", - "initial_id": 9, - "final_id": 18, - "tone_id": 3, - "sound_id": "ling3" - }, - { - "id": 567, - "name": "lìng", - "initial_id": 9, - "final_id": 18, - "tone_id": 4, - "sound_id": "ling4" - }, - { - "id": 568, - "name": "liū", - "initial_id": 9, - "final_id": 21, - "tone_id": 1, - "sound_id": "liu1" - }, - { - "id": 569, - "name": "liú", - "initial_id": 9, - "final_id": 21, - "tone_id": 2, - "sound_id": "liu2" - }, - { - "id": 570, - "name": "liǔ", - "initial_id": 9, - "final_id": 21, - "tone_id": 3, - "sound_id": "liu3" - }, - { - "id": 571, - "name": "liù", - "initial_id": 9, - "final_id": 21, - "tone_id": 4, - "sound_id": "liu4" - }, - { - "id": 572, - "name": "lō", - "initial_id": 9, - "final_id": 22, - "tone_id": 1, - "sound_id": "lo1" - }, - { - "id": 573, - "name": "lóng", - "initial_id": 9, - "final_id": 23, - "tone_id": 2, - "sound_id": "long2" - }, - { - "id": 574, - "name": "lǒng", - "initial_id": 9, - "final_id": 23, - "tone_id": 3, - "sound_id": "long3" - }, - { - "id": 575, - "name": "lòng", - "initial_id": 9, - "final_id": 23, - "tone_id": 4, - "sound_id": "long4" - }, - { - "id": 576, - "name": "lóu", - "initial_id": 9, - "final_id": 24, - "tone_id": 2, - "sound_id": "lou2" - }, - { - "id": 577, - "name": "lǒu", - "initial_id": 9, - "final_id": 24, - "tone_id": 3, - "sound_id": "lou3" - }, - { - "id": 578, - "name": "lòu", - "initial_id": 9, - "final_id": 24, - "tone_id": 4, - "sound_id": "lou4" - }, - { - "id": 579, - "name": "lū", - "initial_id": 9, - "final_id": 25, - "tone_id": 1, - "sound_id": "lu1" - }, - { - "id": 580, - "name": "lú", - "initial_id": 9, - "final_id": 25, - "tone_id": 2, - "sound_id": "lu2" - }, - { - "id": 581, - "name": "lǔ", - "initial_id": 9, - "final_id": 25, - "tone_id": 3, - "sound_id": "lu3" - }, - { - "id": 582, - "name": "lù", - "initial_id": 9, - "final_id": 25, - "tone_id": 4, - "sound_id": "lu4" - }, - { - "id": 583, - "name": "luán", - "initial_id": 9, - "final_id": 28, - "tone_id": 2, - "sound_id": "luan2" - }, - { - "id": 584, - "name": "luǎn", - "initial_id": 9, - "final_id": 28, - "tone_id": 3, - "sound_id": "luan3" - }, - { - "id": 585, - "name": "luàn", - "initial_id": 9, - "final_id": 28, - "tone_id": 4, - "sound_id": "luan4" - }, - { - "id": 586, - "name": "lüē", - "initial_id": 9, - "final_id": 30, - "tone_id": 1, - "sound_id": "lve1" - }, - { - "id": 587, - "name": "lüè", - "initial_id": 9, - "final_id": 30, - "tone_id": 4, - "sound_id": "lve4" - }, - { - "id": 588, - "name": "lūn", - "initial_id": 9, - "final_id": 32, - "tone_id": 1, - "sound_id": "lun1" - }, - { - "id": 589, - "name": "lún", - "initial_id": 9, - "final_id": 32, - "tone_id": 2, - "sound_id": "lun2" - }, - { - "id": 590, - "name": "lǔn", - "initial_id": 9, - "final_id": 32, - "tone_id": 3, - "sound_id": "lun3" - }, - { - "id": 591, - "name": "lùn", - "initial_id": 9, - "final_id": 32, - "tone_id": 4, - "sound_id": "lun4" - }, - { - "id": 592, - "name": "luō", - "initial_id": 9, - "final_id": 33, - "tone_id": 1, - "sound_id": "luo1" - }, - { - "id": 593, - "name": "luó", - "initial_id": 9, - "final_id": 33, - "tone_id": 2, - "sound_id": "luo2" - }, - { - "id": 594, - "name": "luǒ", - "initial_id": 9, - "final_id": 33, - "tone_id": 3, - "sound_id": "luo3" - }, - { - "id": 595, - "name": "luò", - "initial_id": 9, - "final_id": 33, - "tone_id": 4, - "sound_id": "luo4" - }, - { - "id": 596, - "name": "lǘ", - "initial_id": 9, - "final_id": 34, - "tone_id": 2, - "sound_id": "lv2" - }, - { - "id": 597, - "name": "lǚ", - "initial_id": 9, - "final_id": 34, - "tone_id": 3, - "sound_id": "lv3" - }, - { - "id": 598, - "name": "lǜ", - "initial_id": 9, - "final_id": 34, - "tone_id": 4, - "sound_id": "lv4" - }, - { - "id": 599, - "name": "gā", - "initial_id": 10, - "final_id": 1, - "tone_id": 1, - "sound_id": "ga1" - }, - { - "id": 600, - "name": "gá", - "initial_id": 10, - "final_id": 1, - "tone_id": 2, - "sound_id": "ga2" - }, - { - "id": 601, - "name": "gà", - "initial_id": 10, - "final_id": 1, - "tone_id": 4, - "sound_id": "ga4" - }, - { - "id": 602, - "name": "gāi", - "initial_id": 10, - "final_id": 2, - "tone_id": 1, - "sound_id": "gai1" - }, - { - "id": 603, - "name": "gǎi", - "initial_id": 10, - "final_id": 2, - "tone_id": 3, - "sound_id": "gai3" - }, - { - "id": 604, - "name": "gài", - "initial_id": 10, - "final_id": 2, - "tone_id": 4, - "sound_id": "gai4" - }, - { - "id": 605, - "name": "gān", - "initial_id": 10, - "final_id": 3, - "tone_id": 1, - "sound_id": "gan1" - }, - { - "id": 606, - "name": "gǎn", - "initial_id": 10, - "final_id": 3, - "tone_id": 3, - "sound_id": "gan3" - }, - { - "id": 607, - "name": "gàn", - "initial_id": 10, - "final_id": 3, - "tone_id": 4, - "sound_id": "gan4" - }, - { - "id": 608, - "name": "gāng", - "initial_id": 10, - "final_id": 4, - "tone_id": 1, - "sound_id": "gang1" - }, - { - "id": 609, - "name": "gǎng", - "initial_id": 10, - "final_id": 4, - "tone_id": 3, - "sound_id": "gang3" - }, - { - "id": 610, - "name": "gàng", - "initial_id": 10, - "final_id": 4, - "tone_id": 4, - "sound_id": "gang4" - }, - { - "id": 611, - "name": "gāo", - "initial_id": 10, - "final_id": 5, - "tone_id": 1, - "sound_id": "gao1" - }, - { - "id": 612, - "name": "gǎo", - "initial_id": 10, - "final_id": 5, - "tone_id": 3, - "sound_id": "gao3" - }, - { - "id": 613, - "name": "gào", - "initial_id": 10, - "final_id": 5, - "tone_id": 4, - "sound_id": "gao4" - }, - { - "id": 614, - "name": "gē", - "initial_id": 10, - "final_id": 6, - "tone_id": 1, - "sound_id": "ge1" - }, - { - "id": 615, - "name": "gé", - "initial_id": 10, - "final_id": 6, - "tone_id": 2, - "sound_id": "ge2" - }, - { - "id": 616, - "name": "gě", - "initial_id": 10, - "final_id": 6, - "tone_id": 3, - "sound_id": "ge3" - }, - { - "id": 617, - "name": "gè", - "initial_id": 10, - "final_id": 6, - "tone_id": 4, - "sound_id": "ge4" - }, - { - "id": 618, - "name": "gěi", - "initial_id": 10, - "final_id": 7, - "tone_id": 3, - "sound_id": "gei3" - }, - { - "id": 619, - "name": "gēn", - "initial_id": 10, - "final_id": 8, - "tone_id": 1, - "sound_id": "gen1" - }, - { - "id": 620, - "name": "gén", - "initial_id": 10, - "final_id": 8, - "tone_id": 2, - "sound_id": "gen2" - }, - { - "id": 621, - "name": "gěn", - "initial_id": 10, - "final_id": 8, - "tone_id": 3, - "sound_id": "gen3" - }, - { - "id": 622, - "name": "gèn", - "initial_id": 10, - "final_id": 8, - "tone_id": 4, - "sound_id": "gen4" - }, - { - "id": 623, - "name": "gēng", - "initial_id": 10, - "final_id": 9, - "tone_id": 1, - "sound_id": "geng1" - }, - { - "id": 624, - "name": "gěng", - "initial_id": 10, - "final_id": 9, - "tone_id": 3, - "sound_id": "geng3" - }, - { - "id": 625, - "name": "gèng", - "initial_id": 10, - "final_id": 9, - "tone_id": 4, - "sound_id": "geng4" - }, - { - "id": 626, - "name": "gōng", - "initial_id": 10, - "final_id": 23, - "tone_id": 1, - "sound_id": "gong1" - }, - { - "id": 627, - "name": "gǒng", - "initial_id": 10, - "final_id": 23, - "tone_id": 3, - "sound_id": "gong3" - }, - { - "id": 628, - "name": "gòng", - "initial_id": 10, - "final_id": 23, - "tone_id": 4, - "sound_id": "gong4" - }, - { - "id": 629, - "name": "gōu", - "initial_id": 10, - "final_id": 24, - "tone_id": 1, - "sound_id": "gou1" - }, - { - "id": 630, - "name": "gǒu", - "initial_id": 10, - "final_id": 24, - "tone_id": 3, - "sound_id": "gou3" - }, - { - "id": 631, - "name": "gòu", - "initial_id": 10, - "final_id": 24, - "tone_id": 4, - "sound_id": "gou4" - }, - { - "id": 632, - "name": "gū", - "initial_id": 10, - "final_id": 25, - "tone_id": 1, - "sound_id": "gu1" - }, - { - "id": 633, - "name": "gú", - "initial_id": 10, - "final_id": 25, - "tone_id": 2, - "sound_id": "gu2" - }, - { - "id": 634, - "name": "gǔ", - "initial_id": 10, - "final_id": 25, - "tone_id": 3, - "sound_id": "gu3" - }, - { - "id": 635, - "name": "gù", - "initial_id": 10, - "final_id": 25, - "tone_id": 4, - "sound_id": "gu4" - }, - { - "id": 636, - "name": "guā", - "initial_id": 10, - "final_id": 26, - "tone_id": 1, - "sound_id": "gua1" - }, - { - "id": 637, - "name": "guǎ", - "initial_id": 10, - "final_id": 26, - "tone_id": 3, - "sound_id": "gua3" - }, - { - "id": 638, - "name": "guà", - "initial_id": 10, - "final_id": 26, - "tone_id": 4, - "sound_id": "gua4" - }, - { - "id": 639, - "name": "guāi", - "initial_id": 10, - "final_id": 27, - "tone_id": 1, - "sound_id": "guai1" - }, - { - "id": 640, - "name": "guǎi", - "initial_id": 10, - "final_id": 27, - "tone_id": 3, - "sound_id": "guai3" - }, - { - "id": 641, - "name": "guài", - "initial_id": 10, - "final_id": 27, - "tone_id": 4, - "sound_id": "guai4" - }, - { - "id": 642, - "name": "guān", - "initial_id": 10, - "final_id": 28, - "tone_id": 1, - "sound_id": "guan1" - }, - { - "id": 643, - "name": "guán", - "initial_id": 10, - "final_id": 28, - "tone_id": 2, - "sound_id": "guan2" - }, - { - "id": 644, - "name": "guǎn", - "initial_id": 10, - "final_id": 28, - "tone_id": 3, - "sound_id": "guan3" - }, - { - "id": 645, - "name": "guàn", - "initial_id": 10, - "final_id": 28, - "tone_id": 4, - "sound_id": "guan4" - }, - { - "id": 646, - "name": "guāng", - "initial_id": 10, - "final_id": 29, - "tone_id": 1, - "sound_id": "guang1" - }, - { - "id": 647, - "name": "guǎng", - "initial_id": 10, - "final_id": 29, - "tone_id": 3, - "sound_id": "guang3" - }, - { - "id": 648, - "name": "guàng", - "initial_id": 10, - "final_id": 29, - "tone_id": 4, - "sound_id": "guang4" - }, - { - "id": 649, - "name": "guī", - "initial_id": 10, - "final_id": 31, - "tone_id": 1, - "sound_id": "gui1" - }, - { - "id": 650, - "name": "guǐ", - "initial_id": 10, - "final_id": 31, - "tone_id": 3, - "sound_id": "gui3" - }, - { - "id": 651, - "name": "guì", - "initial_id": 10, - "final_id": 31, - "tone_id": 4, - "sound_id": "gui4" - }, - { - "id": 652, - "name": "gūn", - "initial_id": 10, - "final_id": 32, - "tone_id": 1, - "sound_id": "gun1" - }, - { - "id": 653, - "name": "gǔn", - "initial_id": 10, - "final_id": 32, - "tone_id": 3, - "sound_id": "gun3" - }, - { - "id": 654, - "name": "gùn", - "initial_id": 10, - "final_id": 32, - "tone_id": 4, - "sound_id": "gun4" - }, - { - "id": 655, - "name": "guō", - "initial_id": 10, - "final_id": 33, - "tone_id": 1, - "sound_id": "guo1" - }, - { - "id": 656, - "name": "guó", - "initial_id": 10, - "final_id": 33, - "tone_id": 2, - "sound_id": "guo2" - }, - { - "id": 657, - "name": "guǒ", - "initial_id": 10, - "final_id": 33, - "tone_id": 3, - "sound_id": "guo3" - }, - { - "id": 658, - "name": "guò", - "initial_id": 10, - "final_id": 33, - "tone_id": 4, - "sound_id": "guo4" - }, - { - "id": 659, - "name": "kā", - "initial_id": 11, - "final_id": 1, - "tone_id": 1, - "sound_id": "ka1" - }, - { - "id": 660, - "name": "kǎ", - "initial_id": 11, - "final_id": 1, - "tone_id": 3, - "sound_id": "ka3" - }, - { - "id": 661, - "name": "kà", - "initial_id": 11, - "final_id": 1, - "tone_id": 4, - "sound_id": "ka4" - }, - { - "id": 662, - "name": "kāi", - "initial_id": 11, - "final_id": 2, - "tone_id": 1, - "sound_id": "kai1" - }, - { - "id": 663, - "name": "kǎi", - "initial_id": 11, - "final_id": 2, - "tone_id": 3, - "sound_id": "kai3" - }, - { - "id": 664, - "name": "kài", - "initial_id": 11, - "final_id": 2, - "tone_id": 4, - "sound_id": "kai4" - }, - { - "id": 665, - "name": "kān", - "initial_id": 11, - "final_id": 3, - "tone_id": 1, - "sound_id": "kan1" - }, - { - "id": 666, - "name": "kǎn", - "initial_id": 11, - "final_id": 3, - "tone_id": 3, - "sound_id": "kan3" - }, - { - "id": 667, - "name": "kàn", - "initial_id": 11, - "final_id": 3, - "tone_id": 4, - "sound_id": "kan4" - }, - { - "id": 668, - "name": "kāng", - "initial_id": 11, - "final_id": 4, - "tone_id": 1, - "sound_id": "kang1" - }, - { - "id": 669, - "name": "káng", - "initial_id": 11, - "final_id": 4, - "tone_id": 2, - "sound_id": "kang2" - }, - { - "id": 670, - "name": "kàng", - "initial_id": 11, - "final_id": 4, - "tone_id": 4, - "sound_id": "kang4" - }, - { - "id": 671, - "name": "kāo", - "initial_id": 11, - "final_id": 5, - "tone_id": 1, - "sound_id": "kao1" - }, - { - "id": 672, - "name": "kǎo", - "initial_id": 11, - "final_id": 5, - "tone_id": 3, - "sound_id": "kao3" - }, - { - "id": 673, - "name": "kào", - "initial_id": 11, - "final_id": 5, - "tone_id": 4, - "sound_id": "kao4" - }, - { - "id": 674, - "name": "kē", - "initial_id": 11, - "final_id": 6, - "tone_id": 1, - "sound_id": "ke1" - }, - { - "id": 675, - "name": "ké", - "initial_id": 11, - "final_id": 6, - "tone_id": 2, - "sound_id": "ke2" - }, - { - "id": 676, - "name": "kě", - "initial_id": 11, - "final_id": 6, - "tone_id": 3, - "sound_id": "ke3" - }, - { - "id": 677, - "name": "kè", - "initial_id": 11, - "final_id": 6, - "tone_id": 4, - "sound_id": "ke4" - }, - { - "id": 678, - "name": "kěn", - "initial_id": 11, - "final_id": 8, - "tone_id": 3, - "sound_id": "ken3" - }, - { - "id": 679, - "name": "kèn", - "initial_id": 11, - "final_id": 8, - "tone_id": 4, - "sound_id": "ken4" - }, - { - "id": 680, - "name": "kēng", - "initial_id": 11, - "final_id": 9, - "tone_id": 1, - "sound_id": "keng1" - }, - { - "id": 681, - "name": "kěng", - "initial_id": 11, - "final_id": 9, - "tone_id": 3, - "sound_id": "keng3" - }, - { - "id": 682, - "name": "kōng", - "initial_id": 11, - "final_id": 23, - "tone_id": 1, - "sound_id": "kong1" - }, - { - "id": 683, - "name": "kǒng", - "initial_id": 11, - "final_id": 23, - "tone_id": 3, - "sound_id": "kong3" - }, - { - "id": 684, - "name": "kòng", - "initial_id": 11, - "final_id": 23, - "tone_id": 4, - "sound_id": "kong4" - }, - { - "id": 685, - "name": "kōu", - "initial_id": 11, - "final_id": 24, - "tone_id": 1, - "sound_id": "kou1" - }, - { - "id": 686, - "name": "kǒu", - "initial_id": 11, - "final_id": 24, - "tone_id": 3, - "sound_id": "kou3" - }, - { - "id": 687, - "name": "kòu", - "initial_id": 11, - "final_id": 24, - "tone_id": 4, - "sound_id": "kou4" - }, - { - "id": 688, - "name": "kū", - "initial_id": 11, - "final_id": 25, - "tone_id": 1, - "sound_id": "ku1" - }, - { - "id": 689, - "name": "kǔ", - "initial_id": 11, - "final_id": 25, - "tone_id": 3, - "sound_id": "ku3" - }, - { - "id": 690, - "name": "kù", - "initial_id": 11, - "final_id": 25, - "tone_id": 4, - "sound_id": "ku4" - }, - { - "id": 691, - "name": "kuā", - "initial_id": 11, - "final_id": 26, - "tone_id": 1, - "sound_id": "kua1" - }, - { - "id": 692, - "name": "kuǎ", - "initial_id": 11, - "final_id": 26, - "tone_id": 3, - "sound_id": "kua3" - }, - { - "id": 693, - "name": "kuà", - "initial_id": 11, - "final_id": 26, - "tone_id": 4, - "sound_id": "kua4" - }, - { - "id": 694, - "name": "kuāi", - "initial_id": 11, - "final_id": 27, - "tone_id": 1, - "sound_id": "kuai1" - }, - { - "id": 695, - "name": "kuǎi", - "initial_id": 11, - "final_id": 27, - "tone_id": 3, - "sound_id": "kuai3" - }, - { - "id": 696, - "name": "kuài", - "initial_id": 11, - "final_id": 27, - "tone_id": 4, - "sound_id": "kuai4" - }, - { - "id": 697, - "name": "kuān", - "initial_id": 11, - "final_id": 28, - "tone_id": 1, - "sound_id": "kuan1" - }, - { - "id": 698, - "name": "kuǎn", - "initial_id": 11, - "final_id": 28, - "tone_id": 3, - "sound_id": "kuan3" - }, - { - "id": 699, - "name": "kuāng", - "initial_id": 11, - "final_id": 29, - "tone_id": 1, - "sound_id": "kuang1" - }, - { - "id": 700, - "name": "kuáng", - "initial_id": 11, - "final_id": 29, - "tone_id": 2, - "sound_id": "kuang2" - }, - { - "id": 701, - "name": "kuǎng", - "initial_id": 11, - "final_id": 29, - "tone_id": 3, - "sound_id": "kuang3" - }, - { - "id": 702, - "name": "kuàng", - "initial_id": 11, - "final_id": 29, - "tone_id": 4, - "sound_id": "kuang4" - }, - { - "id": 703, - "name": "kuī", - "initial_id": 11, - "final_id": 31, - "tone_id": 1, - "sound_id": "kui1" - }, - { - "id": 704, - "name": "kuí", - "initial_id": 11, - "final_id": 31, - "tone_id": 2, - "sound_id": "kui2" - }, - { - "id": 705, - "name": "kuǐ", - "initial_id": 11, - "final_id": 31, - "tone_id": 3, - "sound_id": "kui3" - }, - { - "id": 706, - "name": "kuì", - "initial_id": 11, - "final_id": 31, - "tone_id": 4, - "sound_id": "kui4" - }, - { - "id": 707, - "name": "kūn", - "initial_id": 11, - "final_id": 32, - "tone_id": 1, - "sound_id": "kun1" - }, - { - "id": 708, - "name": "kǔn", - "initial_id": 11, - "final_id": 32, - "tone_id": 3, - "sound_id": "kun3" - }, - { - "id": 709, - "name": "kùn", - "initial_id": 11, - "final_id": 32, - "tone_id": 4, - "sound_id": "kun4" - }, - { - "id": 710, - "name": "kuǒ", - "initial_id": 11, - "final_id": 33, - "tone_id": 3, - "sound_id": "kuo3" - }, - { - "id": 711, - "name": "kuò", - "initial_id": 11, - "final_id": 33, - "tone_id": 4, - "sound_id": "kuo4" - }, - { - "id": 712, - "name": "hā", - "initial_id": 12, - "final_id": 1, - "tone_id": 1, - "sound_id": "ha1" - }, - { - "id": 713, - "name": "há", - "initial_id": 12, - "final_id": 1, - "tone_id": 2, - "sound_id": "ha2" - }, - { - "id": 714, - "name": "hāi", - "initial_id": 12, - "final_id": 2, - "tone_id": 1, - "sound_id": "hai1" - }, - { - "id": 715, - "name": "hái", - "initial_id": 12, - "final_id": 2, - "tone_id": 2, - "sound_id": "hai2" - }, - { - "id": 716, - "name": "hǎi", - "initial_id": 12, - "final_id": 2, - "tone_id": 3, - "sound_id": "hai3" - }, - { - "id": 717, - "name": "hài", - "initial_id": 12, - "final_id": 2, - "tone_id": 4, - "sound_id": "hai4" - }, - { - "id": 718, - "name": "hān", - "initial_id": 12, - "final_id": 3, - "tone_id": 1, - "sound_id": "han1" - }, - { - "id": 719, - "name": "hán", - "initial_id": 12, - "final_id": 3, - "tone_id": 2, - "sound_id": "han2" - }, - { - "id": 720, - "name": "hǎn", - "initial_id": 12, - "final_id": 3, - "tone_id": 3, - "sound_id": "han3" - }, - { - "id": 721, - "name": "hàn", - "initial_id": 12, - "final_id": 3, - "tone_id": 4, - "sound_id": "han4" - }, - { - "id": 722, - "name": "hāng", - "initial_id": 12, - "final_id": 4, - "tone_id": 1, - "sound_id": "hang1" - }, - { - "id": 723, - "name": "háng", - "initial_id": 12, - "final_id": 4, - "tone_id": 2, - "sound_id": "hang2" - }, - { - "id": 724, - "name": "hàng", - "initial_id": 12, - "final_id": 4, - "tone_id": 4, - "sound_id": "hang4" - }, - { - "id": 725, - "name": "hāo", - "initial_id": 12, - "final_id": 5, - "tone_id": 1, - "sound_id": "hao1" - }, - { - "id": 726, - "name": "háo", - "initial_id": 12, - "final_id": 5, - "tone_id": 2, - "sound_id": "hao2" - }, - { - "id": 727, - "name": "hǎo", - "initial_id": 12, - "final_id": 5, - "tone_id": 3, - "sound_id": "hao3" - }, - { - "id": 728, - "name": "hào", - "initial_id": 12, - "final_id": 5, - "tone_id": 4, - "sound_id": "hao4" - }, - { - "id": 729, - "name": "hē", - "initial_id": 12, - "final_id": 6, - "tone_id": 1, - "sound_id": "he1" - }, - { - "id": 730, - "name": "hé", - "initial_id": 12, - "final_id": 6, - "tone_id": 2, - "sound_id": "he2" - }, - { - "id": 731, - "name": "hè", - "initial_id": 12, - "final_id": 6, - "tone_id": 4, - "sound_id": "he4" - }, - { - "id": 732, - "name": "hēi", - "initial_id": 12, - "final_id": 7, - "tone_id": 1, - "sound_id": "hei1" - }, - { - "id": 733, - "name": "hén", - "initial_id": 12, - "final_id": 8, - "tone_id": 2, - "sound_id": "hen2" - }, - { - "id": 734, - "name": "hěn", - "initial_id": 12, - "final_id": 8, - "tone_id": 3, - "sound_id": "hen3" - }, - { - "id": 735, - "name": "hèn", - "initial_id": 12, - "final_id": 8, - "tone_id": 4, - "sound_id": "hen4" - }, - { - "id": 736, - "name": "hēng", - "initial_id": 12, - "final_id": 9, - "tone_id": 1, - "sound_id": "heng1" - }, - { - "id": 737, - "name": "héng", - "initial_id": 12, - "final_id": 9, - "tone_id": 2, - "sound_id": "heng2" - }, - { - "id": 738, - "name": "hèng", - "initial_id": 12, - "final_id": 9, - "tone_id": 4, - "sound_id": "heng4" - }, - { - "id": 739, - "name": "hōng", - "initial_id": 12, - "final_id": 23, - "tone_id": 1, - "sound_id": "hong1" - }, - { - "id": 740, - "name": "hóng", - "initial_id": 12, - "final_id": 23, - "tone_id": 2, - "sound_id": "hong2" - }, - { - "id": 741, - "name": "hǒng", - "initial_id": 12, - "final_id": 23, - "tone_id": 3, - "sound_id": "hong3" - }, - { - "id": 742, - "name": "hòng", - "initial_id": 12, - "final_id": 23, - "tone_id": 4, - "sound_id": "hong4" - }, - { - "id": 743, - "name": "hōu", - "initial_id": 12, - "final_id": 24, - "tone_id": 1, - "sound_id": "hou1" - }, - { - "id": 744, - "name": "hóu", - "initial_id": 12, - "final_id": 24, - "tone_id": 2, - "sound_id": "hou2" - }, - { - "id": 745, - "name": "hǒu", - "initial_id": 12, - "final_id": 24, - "tone_id": 3, - "sound_id": "hou3" - }, - { - "id": 746, - "name": "hòu", - "initial_id": 12, - "final_id": 24, - "tone_id": 4, - "sound_id": "hou4" - }, - { - "id": 747, - "name": "hū", - "initial_id": 12, - "final_id": 25, - "tone_id": 1, - "sound_id": "hu1" - }, - { - "id": 748, - "name": "hú", - "initial_id": 12, - "final_id": 25, - "tone_id": 2, - "sound_id": "hu2" - }, - { - "id": 749, - "name": "hǔ", - "initial_id": 12, - "final_id": 25, - "tone_id": 3, - "sound_id": "hu3" - }, - { - "id": 750, - "name": "hù", - "initial_id": 12, - "final_id": 25, - "tone_id": 4, - "sound_id": "hu4" - }, - { - "id": 751, - "name": "huā", - "initial_id": 12, - "final_id": 26, - "tone_id": 1, - "sound_id": "hua1" - }, - { - "id": 752, - "name": "huá", - "initial_id": 12, - "final_id": 26, - "tone_id": 2, - "sound_id": "hua2" - }, - { - "id": 753, - "name": "huà", - "initial_id": 12, - "final_id": 26, - "tone_id": 4, - "sound_id": "hua4" - }, - { - "id": 754, - "name": "huái", - "initial_id": 12, - "final_id": 27, - "tone_id": 2, - "sound_id": "huai2" - }, - { - "id": 755, - "name": "huài", - "initial_id": 12, - "final_id": 27, - "tone_id": 4, - "sound_id": "huai4" - }, - { - "id": 756, - "name": "huān", - "initial_id": 12, - "final_id": 28, - "tone_id": 1, - "sound_id": "huan1" - }, - { - "id": 757, - "name": "huán", - "initial_id": 12, - "final_id": 28, - "tone_id": 2, - "sound_id": "huan2" - }, - { - "id": 758, - "name": "huǎn", - "initial_id": 12, - "final_id": 28, - "tone_id": 3, - "sound_id": "huan3" - }, - { - "id": 759, - "name": "huàn", - "initial_id": 12, - "final_id": 28, - "tone_id": 4, - "sound_id": "huan4" - }, - { - "id": 760, - "name": "huāng", - "initial_id": 12, - "final_id": 29, - "tone_id": 1, - "sound_id": "huang1" - }, - { - "id": 761, - "name": "huáng", - "initial_id": 12, - "final_id": 29, - "tone_id": 2, - "sound_id": "huang2" - }, - { - "id": 762, - "name": "huǎng", - "initial_id": 12, - "final_id": 29, - "tone_id": 3, - "sound_id": "huang3" - }, - { - "id": 763, - "name": "huàng", - "initial_id": 12, - "final_id": 29, - "tone_id": 4, - "sound_id": "huang4" - }, - { - "id": 764, - "name": "huī", - "initial_id": 12, - "final_id": 31, - "tone_id": 1, - "sound_id": "hui1" - }, - { - "id": 765, - "name": "huí", - "initial_id": 12, - "final_id": 31, - "tone_id": 2, - "sound_id": "hui2" - }, - { - "id": 766, - "name": "huǐ", - "initial_id": 12, - "final_id": 31, - "tone_id": 3, - "sound_id": "hui3" - }, - { - "id": 767, - "name": "huì", - "initial_id": 12, - "final_id": 31, - "tone_id": 4, - "sound_id": "hui4" - }, - { - "id": 768, - "name": "hūn", - "initial_id": 12, - "final_id": 32, - "tone_id": 1, - "sound_id": "hun1" - }, - { - "id": 769, - "name": "hún", - "initial_id": 12, - "final_id": 32, - "tone_id": 2, - "sound_id": "hun2" - }, - { - "id": 770, - "name": "hǔn", - "initial_id": 12, - "final_id": 32, - "tone_id": 3, - "sound_id": "hun3" - }, - { - "id": 771, - "name": "hùn", - "initial_id": 12, - "final_id": 32, - "tone_id": 4, - "sound_id": "hun4" - }, - { - "id": 772, - "name": "huō", - "initial_id": 12, - "final_id": 33, - "tone_id": 1, - "sound_id": "huo1" - }, - { - "id": 773, - "name": "huó", - "initial_id": 12, - "final_id": 33, - "tone_id": 2, - "sound_id": "huo2" - }, - { - "id": 774, - "name": "huǒ", - "initial_id": 12, - "final_id": 33, - "tone_id": 3, - "sound_id": "huo3" - }, - { - "id": 775, - "name": "huò", - "initial_id": 12, - "final_id": 33, - "tone_id": 4, - "sound_id": "huo4" - }, - { - "id": 776, - "name": "jī", - "initial_id": 13, - "final_id": 11, - "tone_id": 1, - "sound_id": "ji1" - }, - { - "id": 777, - "name": "jí", - "initial_id": 13, - "final_id": 11, - "tone_id": 2, - "sound_id": "ji2" - }, - { - "id": 778, - "name": "jǐ", - "initial_id": 13, - "final_id": 11, - "tone_id": 3, - "sound_id": "ji3" - }, - { - "id": 779, - "name": "jì", - "initial_id": 13, - "final_id": 11, - "tone_id": 4, - "sound_id": "ji4" - }, - { - "id": 780, - "name": "jiā", - "initial_id": 13, - "final_id": 12, - "tone_id": 1, - "sound_id": "jia1" - }, - { - "id": 781, - "name": "jiá", - "initial_id": 13, - "final_id": 12, - "tone_id": 2, - "sound_id": "jia2" - }, - { - "id": 782, - "name": "jiǎ", - "initial_id": 13, - "final_id": 12, - "tone_id": 3, - "sound_id": "jia3" - }, - { - "id": 783, - "name": "jià", - "initial_id": 13, - "final_id": 12, - "tone_id": 4, - "sound_id": "jia4" - }, - { - "id": 784, - "name": "jiān", - "initial_id": 13, - "final_id": 13, - "tone_id": 1, - "sound_id": "jian1" - }, - { - "id": 785, - "name": "jiǎn", - "initial_id": 13, - "final_id": 13, - "tone_id": 3, - "sound_id": "jian3" - }, - { - "id": 786, - "name": "jiàn", - "initial_id": 13, - "final_id": 13, - "tone_id": 4, - "sound_id": "jian4" - }, - { - "id": 787, - "name": "jiāng", - "initial_id": 13, - "final_id": 14, - "tone_id": 1, - "sound_id": "jiang1" - }, - { - "id": 788, - "name": "jiǎng", - "initial_id": 13, - "final_id": 14, - "tone_id": 3, - "sound_id": "jiang3" - }, - { - "id": 789, - "name": "jiàng", - "initial_id": 13, - "final_id": 14, - "tone_id": 4, - "sound_id": "jiang4" - }, - { - "id": 790, - "name": "jiāo", - "initial_id": 13, - "final_id": 15, - "tone_id": 1, - "sound_id": "jiao1" - }, - { - "id": 791, - "name": "jiáo", - "initial_id": 13, - "final_id": 15, - "tone_id": 2, - "sound_id": "jiao2" - }, - { - "id": 792, - "name": "jiǎo", - "initial_id": 13, - "final_id": 15, - "tone_id": 3, - "sound_id": "jiao3" - }, - { - "id": 793, - "name": "jiào", - "initial_id": 13, - "final_id": 15, - "tone_id": 4, - "sound_id": "jiao4" - }, - { - "id": 794, - "name": "jiē", - "initial_id": 13, - "final_id": 16, - "tone_id": 1, - "sound_id": "jie1" - }, - { - "id": 795, - "name": "jié", - "initial_id": 13, - "final_id": 16, - "tone_id": 2, - "sound_id": "jie2" - }, - { - "id": 796, - "name": "jiě", - "initial_id": 13, - "final_id": 16, - "tone_id": 3, - "sound_id": "jie3" - }, - { - "id": 797, - "name": "jiè", - "initial_id": 13, - "final_id": 16, - "tone_id": 4, - "sound_id": "jie4" - }, - { - "id": 798, - "name": "jīn", - "initial_id": 13, - "final_id": 17, - "tone_id": 1, - "sound_id": "jin1" - }, - { - "id": 799, - "name": "jǐn", - "initial_id": 13, - "final_id": 17, - "tone_id": 3, - "sound_id": "jin3" - }, - { - "id": 800, - "name": "jìn", - "initial_id": 13, - "final_id": 17, - "tone_id": 4, - "sound_id": "jin4" - }, - { - "id": 801, - "name": "jīng", - "initial_id": 13, - "final_id": 18, - "tone_id": 1, - "sound_id": "jing1" - }, - { - "id": 802, - "name": "jǐng", - "initial_id": 13, - "final_id": 18, - "tone_id": 3, - "sound_id": "jing3" - }, - { - "id": 803, - "name": "jìng", - "initial_id": 13, - "final_id": 18, - "tone_id": 4, - "sound_id": "jing4" - }, - { - "id": 804, - "name": "jiǒng", - "initial_id": 13, - "final_id": 20, - "tone_id": 3, - "sound_id": "jiong3" - }, - { - "id": 805, - "name": "jiū", - "initial_id": 13, - "final_id": 21, - "tone_id": 1, - "sound_id": "jiu1" - }, - { - "id": 806, - "name": "jiǔ", - "initial_id": 13, - "final_id": 21, - "tone_id": 3, - "sound_id": "jiu3" - }, - { - "id": 807, - "name": "jiù", - "initial_id": 13, - "final_id": 21, - "tone_id": 4, - "sound_id": "jiu4" - }, - { - "id": 808, - "name": "juē", - "initial_id": 13, - "final_id": 30, - "tone_id": 1, - "sound_id": "jue1" - }, - { - "id": 809, - "name": "jué", - "initial_id": 13, - "final_id": 30, - "tone_id": 2, - "sound_id": "jue2" - }, - { - "id": 810, - "name": "juè", - "initial_id": 13, - "final_id": 30, - "tone_id": 4, - "sound_id": "jue4" - }, - { - "id": 811, - "name": "jū", - "initial_id": 13, - "final_id": 34, - "tone_id": 1, - "sound_id": "ju1" - }, - { - "id": 812, - "name": "jú", - "initial_id": 13, - "final_id": 34, - "tone_id": 2, - "sound_id": "ju2" - }, - { - "id": 813, - "name": "jǔ", - "initial_id": 13, - "final_id": 34, - "tone_id": 3, - "sound_id": "ju3" - }, - { - "id": 814, - "name": "jù", - "initial_id": 13, - "final_id": 34, - "tone_id": 4, - "sound_id": "ju4" - }, - { - "id": 815, - "name": "juān", - "initial_id": 13, - "final_id": 35, - "tone_id": 1, - "sound_id": "juan1" - }, - { - "id": 816, - "name": "juǎn", - "initial_id": 13, - "final_id": 35, - "tone_id": 3, - "sound_id": "juan3" - }, - { - "id": 817, - "name": "juàn", - "initial_id": 13, - "final_id": 35, - "tone_id": 4, - "sound_id": "juan4" - }, - { - "id": 818, - "name": "jūn", - "initial_id": 13, - "final_id": 36, - "tone_id": 1, - "sound_id": "jun1" - }, - { - "id": 819, - "name": "jǔn", - "initial_id": 13, - "final_id": 36, - "tone_id": 3, - "sound_id": "jun3" - }, - { - "id": 820, - "name": "jùn", - "initial_id": 13, - "final_id": 36, - "tone_id": 4, - "sound_id": "jun4" - }, - { - "id": 821, - "name": "qī", - "initial_id": 14, - "final_id": 11, - "tone_id": 1, - "sound_id": "qi1" - }, - { - "id": 822, - "name": "qí", - "initial_id": 14, - "final_id": 11, - "tone_id": 2, - "sound_id": "qi2" - }, - { - "id": 823, - "name": "qǐ", - "initial_id": 14, - "final_id": 11, - "tone_id": 3, - "sound_id": "qi3" - }, - { - "id": 824, - "name": "qì", - "initial_id": 14, - "final_id": 11, - "tone_id": 4, - "sound_id": "qi4" - }, - { - "id": 825, - "name": "qiā", - "initial_id": 14, - "final_id": 12, - "tone_id": 1, - "sound_id": "qia1" - }, - { - "id": 826, - "name": "qiǎ", - "initial_id": 14, - "final_id": 12, - "tone_id": 3, - "sound_id": "qia3" - }, - { - "id": 827, - "name": "qià", - "initial_id": 14, - "final_id": 12, - "tone_id": 4, - "sound_id": "qia4" - }, - { - "id": 828, - "name": "qiān", - "initial_id": 14, - "final_id": 13, - "tone_id": 1, - "sound_id": "qian1" - }, - { - "id": 829, - "name": "qián", - "initial_id": 14, - "final_id": 13, - "tone_id": 2, - "sound_id": "qian2" - }, - { - "id": 830, - "name": "qiǎn", - "initial_id": 14, - "final_id": 13, - "tone_id": 3, - "sound_id": "qian3" - }, - { - "id": 831, - "name": "qiàn", - "initial_id": 14, - "final_id": 13, - "tone_id": 4, - "sound_id": "qian4" - }, - { - "id": 832, - "name": "qiāng", - "initial_id": 14, - "final_id": 14, - "tone_id": 1, - "sound_id": "qiang1" - }, - { - "id": 833, - "name": "qiáng", - "initial_id": 14, - "final_id": 14, - "tone_id": 2, - "sound_id": "qiang2" - }, - { - "id": 834, - "name": "qiǎng", - "initial_id": 14, - "final_id": 14, - "tone_id": 3, - "sound_id": "qiang3" - }, - { - "id": 835, - "name": "qiàng", - "initial_id": 14, - "final_id": 14, - "tone_id": 4, - "sound_id": "qiang4" - }, - { - "id": 836, - "name": "qiāo", - "initial_id": 14, - "final_id": 15, - "tone_id": 1, - "sound_id": "qiao1" - }, - { - "id": 837, - "name": "qiáo", - "initial_id": 14, - "final_id": 15, - "tone_id": 2, - "sound_id": "qiao2" - }, - { - "id": 838, - "name": "qiǎo", - "initial_id": 14, - "final_id": 15, - "tone_id": 3, - "sound_id": "qiao3" - }, - { - "id": 839, - "name": "qiào", - "initial_id": 14, - "final_id": 15, - "tone_id": 4, - "sound_id": "qiao4" - }, - { - "id": 840, - "name": "qiē", - "initial_id": 14, - "final_id": 16, - "tone_id": 1, - "sound_id": "qie1" - }, - { - "id": 841, - "name": "qié", - "initial_id": 14, - "final_id": 16, - "tone_id": 2, - "sound_id": "qie2" - }, - { - "id": 842, - "name": "qiě", - "initial_id": 14, - "final_id": 16, - "tone_id": 3, - "sound_id": "qie3" - }, - { - "id": 843, - "name": "qiè", - "initial_id": 14, - "final_id": 16, - "tone_id": 4, - "sound_id": "qie4" - }, - { - "id": 844, - "name": "qīn", - "initial_id": 14, - "final_id": 17, - "tone_id": 1, - "sound_id": "qin1" - }, - { - "id": 845, - "name": "qín", - "initial_id": 14, - "final_id": 17, - "tone_id": 2, - "sound_id": "qin2" - }, - { - "id": 846, - "name": "qǐn", - "initial_id": 14, - "final_id": 17, - "tone_id": 3, - "sound_id": "qin3" - }, - { - "id": 847, - "name": "qìn", - "initial_id": 14, - "final_id": 17, - "tone_id": 4, - "sound_id": "qin4" - }, - { - "id": 848, - "name": "qīng", - "initial_id": 14, - "final_id": 18, - "tone_id": 1, - "sound_id": "qing1" - }, - { - "id": 849, - "name": "qíng", - "initial_id": 14, - "final_id": 18, - "tone_id": 2, - "sound_id": "qing2" - }, - { - "id": 850, - "name": "qǐng", - "initial_id": 14, - "final_id": 18, - "tone_id": 3, - "sound_id": "qing3" - }, - { - "id": 851, - "name": "qìng", - "initial_id": 14, - "final_id": 18, - "tone_id": 4, - "sound_id": "qing4" - }, - { - "id": 852, - "name": "qióng", - "initial_id": 14, - "final_id": 20, - "tone_id": 2, - "sound_id": "qiong2" - }, - { - "id": 853, - "name": "qiū", - "initial_id": 14, - "final_id": 21, - "tone_id": 1, - "sound_id": "qiu1" - }, - { - "id": 854, - "name": "qiú", - "initial_id": 14, - "final_id": 21, - "tone_id": 2, - "sound_id": "qiu2" - }, - { - "id": 855, - "name": "quē", - "initial_id": 14, - "final_id": 30, - "tone_id": 1, - "sound_id": "que1" - }, - { - "id": 856, - "name": "qué", - "initial_id": 14, - "final_id": 30, - "tone_id": 2, - "sound_id": "que2" - }, - { - "id": 857, - "name": "què", - "initial_id": 14, - "final_id": 30, - "tone_id": 4, - "sound_id": "que4" - }, - { - "id": 858, - "name": "qū", - "initial_id": 14, - "final_id": 34, - "tone_id": 1, - "sound_id": "qu1" - }, - { - "id": 859, - "name": "qú", - "initial_id": 14, - "final_id": 34, - "tone_id": 2, - "sound_id": "qu2" - }, - { - "id": 860, - "name": "qǔ", - "initial_id": 14, - "final_id": 34, - "tone_id": 3, - "sound_id": "qu3" - }, - { - "id": 861, - "name": "qù", - "initial_id": 14, - "final_id": 34, - "tone_id": 4, - "sound_id": "qu4" - }, - { - "id": 862, - "name": "quān", - "initial_id": 14, - "final_id": 35, - "tone_id": 1, - "sound_id": "quan1" - }, - { - "id": 863, - "name": "quán", - "initial_id": 14, - "final_id": 35, - "tone_id": 2, - "sound_id": "quan2" - }, - { - "id": 864, - "name": "quǎn", - "initial_id": 14, - "final_id": 35, - "tone_id": 3, - "sound_id": "quan3" - }, - { - "id": 865, - "name": "quàn", - "initial_id": 14, - "final_id": 35, - "tone_id": 4, - "sound_id": "quan4" - }, - { - "id": 866, - "name": "qún", - "initial_id": 14, - "final_id": 36, - "tone_id": 2, - "sound_id": "qun2" - }, - { - "id": 867, - "name": "xī", - "initial_id": 15, - "final_id": 11, - "tone_id": 1, - "sound_id": "xi1" - }, - { - "id": 868, - "name": "xí", - "initial_id": 15, - "final_id": 11, - "tone_id": 2, - "sound_id": "xi2" - }, - { - "id": 869, - "name": "xǐ", - "initial_id": 15, - "final_id": 11, - "tone_id": 3, - "sound_id": "xi3" - }, - { - "id": 870, - "name": "xì", - "initial_id": 15, - "final_id": 11, - "tone_id": 4, - "sound_id": "xi4" - }, - { - "id": 871, - "name": "xiā", - "initial_id": 15, - "final_id": 12, - "tone_id": 1, - "sound_id": "xia1" - }, - { - "id": 872, - "name": "xiá", - "initial_id": 15, - "final_id": 12, - "tone_id": 2, - "sound_id": "xia2" - }, - { - "id": 873, - "name": "xià", - "initial_id": 15, - "final_id": 12, - "tone_id": 4, - "sound_id": "xia4" - }, - { - "id": 874, - "name": "xiān", - "initial_id": 15, - "final_id": 13, - "tone_id": 1, - "sound_id": "xian1" - }, - { - "id": 875, - "name": "xián", - "initial_id": 15, - "final_id": 13, - "tone_id": 2, - "sound_id": "xian2" - }, - { - "id": 876, - "name": "xiǎn", - "initial_id": 15, - "final_id": 13, - "tone_id": 3, - "sound_id": "xian3" - }, - { - "id": 877, - "name": "xiàn", - "initial_id": 15, - "final_id": 13, - "tone_id": 4, - "sound_id": "xian4" - }, - { - "id": 878, - "name": "xiāng", - "initial_id": 15, - "final_id": 14, - "tone_id": 1, - "sound_id": "xiang1" - }, - { - "id": 879, - "name": "xiáng", - "initial_id": 15, - "final_id": 14, - "tone_id": 2, - "sound_id": "xiang2" - }, - { - "id": 880, - "name": "xiǎng", - "initial_id": 15, - "final_id": 14, - "tone_id": 3, - "sound_id": "xiang3" - }, - { - "id": 881, - "name": "xiàng", - "initial_id": 15, - "final_id": 14, - "tone_id": 4, - "sound_id": "xiang4" - }, - { - "id": 882, - "name": "xiāo", - "initial_id": 15, - "final_id": 15, - "tone_id": 1, - "sound_id": "xiao1" - }, - { - "id": 883, - "name": "xiáo", - "initial_id": 15, - "final_id": 15, - "tone_id": 2, - "sound_id": "xiao2" - }, - { - "id": 884, - "name": "xiǎo", - "initial_id": 15, - "final_id": 15, - "tone_id": 3, - "sound_id": "xiao3" - }, - { - "id": 885, - "name": "xiào", - "initial_id": 15, - "final_id": 15, - "tone_id": 4, - "sound_id": "xiao4" - }, - { - "id": 886, - "name": "xiē", - "initial_id": 15, - "final_id": 16, - "tone_id": 1, - "sound_id": "xie1" - }, - { - "id": 887, - "name": "xié", - "initial_id": 15, - "final_id": 16, - "tone_id": 2, - "sound_id": "xie2" - }, - { - "id": 888, - "name": "xiě", - "initial_id": 15, - "final_id": 16, - "tone_id": 3, - "sound_id": "xie3" - }, - { - "id": 889, - "name": "xiè", - "initial_id": 15, - "final_id": 16, - "tone_id": 4, - "sound_id": "xie4" - }, - { - "id": 890, - "name": "xīn", - "initial_id": 15, - "final_id": 17, - "tone_id": 1, - "sound_id": "xin1" - }, - { - "id": 891, - "name": "xìn", - "initial_id": 15, - "final_id": 17, - "tone_id": 4, - "sound_id": "xin4" - }, - { - "id": 892, - "name": "xīng", - "initial_id": 15, - "final_id": 18, - "tone_id": 1, - "sound_id": "xing1" - }, - { - "id": 893, - "name": "xíng", - "initial_id": 15, - "final_id": 18, - "tone_id": 2, - "sound_id": "xing2" - }, - { - "id": 894, - "name": "xǐng", - "initial_id": 15, - "final_id": 18, - "tone_id": 3, - "sound_id": "xing3" - }, - { - "id": 895, - "name": "xìng", - "initial_id": 15, - "final_id": 18, - "tone_id": 4, - "sound_id": "xing4" - }, - { - "id": 896, - "name": "xiōng", - "initial_id": 15, - "final_id": 20, - "tone_id": 1, - "sound_id": "xiong1" - }, - { - "id": 897, - "name": "xióng", - "initial_id": 15, - "final_id": 20, - "tone_id": 2, - "sound_id": "xiong2" - }, - { - "id": 898, - "name": "xiū", - "initial_id": 15, - "final_id": 21, - "tone_id": 1, - "sound_id": "xiu1" - }, - { - "id": 899, - "name": "xiǔ", - "initial_id": 15, - "final_id": 21, - "tone_id": 3, - "sound_id": "xiu3" - }, - { - "id": 900, - "name": "xiù", - "initial_id": 15, - "final_id": 21, - "tone_id": 4, - "sound_id": "xiu4" - }, - { - "id": 901, - "name": "xuē", - "initial_id": 15, - "final_id": 30, - "tone_id": 1, - "sound_id": "xue1" - }, - { - "id": 902, - "name": "xué", - "initial_id": 15, - "final_id": 30, - "tone_id": 2, - "sound_id": "xue2" - }, - { - "id": 903, - "name": "xuě", - "initial_id": 15, - "final_id": 30, - "tone_id": 3, - "sound_id": "xue3" - }, - { - "id": 904, - "name": "xuè", - "initial_id": 15, - "final_id": 30, - "tone_id": 4, - "sound_id": "xue4" - }, - { - "id": 905, - "name": "xū", - "initial_id": 15, - "final_id": 34, - "tone_id": 1, - "sound_id": "xu1" - }, - { - "id": 906, - "name": "xú", - "initial_id": 15, - "final_id": 34, - "tone_id": 2, - "sound_id": "xu2" - }, - { - "id": 907, - "name": "xǔ", - "initial_id": 15, - "final_id": 34, - "tone_id": 3, - "sound_id": "xu3" - }, - { - "id": 908, - "name": "xù", - "initial_id": 15, - "final_id": 34, - "tone_id": 4, - "sound_id": "xu4" - }, - { - "id": 909, - "name": "xuān", - "initial_id": 15, - "final_id": 35, - "tone_id": 1, - "sound_id": "xuan1" - }, - { - "id": 910, - "name": "xuán", - "initial_id": 15, - "final_id": 35, - "tone_id": 2, - "sound_id": "xuan2" - }, - { - "id": 911, - "name": "xuǎn", - "initial_id": 15, - "final_id": 35, - "tone_id": 3, - "sound_id": "xuan3" - }, - { - "id": 912, - "name": "xuàn", - "initial_id": 15, - "final_id": 35, - "tone_id": 4, - "sound_id": "xuan4" - }, - { - "id": 913, - "name": "xūn", - "initial_id": 15, - "final_id": 36, - "tone_id": 1, - "sound_id": "xun1" - }, - { - "id": 914, - "name": "xún", - "initial_id": 15, - "final_id": 36, - "tone_id": 2, - "sound_id": "xun2" - }, - { - "id": 915, - "name": "xùn", - "initial_id": 15, - "final_id": 36, - "tone_id": 4, - "sound_id": "xun4" - }, - { - "id": 916, - "name": "zhā", - "initial_id": 16, - "final_id": 1, - "tone_id": 1, - "sound_id": "zha1" - }, - { - "id": 917, - "name": "zhá", - "initial_id": 16, - "final_id": 1, - "tone_id": 2, - "sound_id": "zha2" - }, - { - "id": 918, - "name": "zhǎ", - "initial_id": 16, - "final_id": 1, - "tone_id": 3, - "sound_id": "zha3" - }, - { - "id": 919, - "name": "zhà", - "initial_id": 16, - "final_id": 1, - "tone_id": 4, - "sound_id": "zha4" - }, - { - "id": 920, - "name": "zhāi", - "initial_id": 16, - "final_id": 2, - "tone_id": 1, - "sound_id": "zhai1" - }, - { - "id": 921, - "name": "zhái", - "initial_id": 16, - "final_id": 2, - "tone_id": 2, - "sound_id": "zhai2" - }, - { - "id": 922, - "name": "zhǎi", - "initial_id": 16, - "final_id": 2, - "tone_id": 3, - "sound_id": "zhai3" - }, - { - "id": 923, - "name": "zhài", - "initial_id": 16, - "final_id": 2, - "tone_id": 4, - "sound_id": "zhai4" - }, - { - "id": 924, - "name": "zhān", - "initial_id": 16, - "final_id": 3, - "tone_id": 1, - "sound_id": "zhan1" - }, - { - "id": 925, - "name": "zhǎn", - "initial_id": 16, - "final_id": 3, - "tone_id": 3, - "sound_id": "zhan3" - }, - { - "id": 926, - "name": "zhàn", - "initial_id": 16, - "final_id": 3, - "tone_id": 4, - "sound_id": "zhan4" - }, - { - "id": 927, - "name": "zhāng", - "initial_id": 16, - "final_id": 4, - "tone_id": 1, - "sound_id": "zhang1" - }, - { - "id": 928, - "name": "zhǎng", - "initial_id": 16, - "final_id": 4, - "tone_id": 3, - "sound_id": "zhang3" - }, - { - "id": 929, - "name": "zhàng", - "initial_id": 16, - "final_id": 4, - "tone_id": 4, - "sound_id": "zhang4" - }, - { - "id": 930, - "name": "zhāo", - "initial_id": 16, - "final_id": 5, - "tone_id": 1, - "sound_id": "zhao1" - }, - { - "id": 931, - "name": "zháo", - "initial_id": 16, - "final_id": 5, - "tone_id": 2, - "sound_id": "zhao2" - }, - { - "id": 932, - "name": "zhǎo", - "initial_id": 16, - "final_id": 5, - "tone_id": 3, - "sound_id": "zhao3" - }, - { - "id": 933, - "name": "zhào", - "initial_id": 16, - "final_id": 5, - "tone_id": 4, - "sound_id": "zhao4" - }, - { - "id": 934, - "name": "zhē", - "initial_id": 16, - "final_id": 6, - "tone_id": 1, - "sound_id": "zhe1" - }, - { - "id": 935, - "name": "zhé", - "initial_id": 16, - "final_id": 6, - "tone_id": 2, - "sound_id": "zhe2" - }, - { - "id": 936, - "name": "zhě", - "initial_id": 16, - "final_id": 6, - "tone_id": 3, - "sound_id": "zhe3" - }, - { - "id": 937, - "name": "zhè", - "initial_id": 16, - "final_id": 6, - "tone_id": 4, - "sound_id": "zhe4" - }, - { - "id": 938, - "name": "zhēn", - "initial_id": 16, - "final_id": 8, - "tone_id": 1, - "sound_id": "zhen1" - }, - { - "id": 939, - "name": "zhěn", - "initial_id": 16, - "final_id": 8, - "tone_id": 3, - "sound_id": "zhen3" - }, - { - "id": 940, - "name": "zhèn", - "initial_id": 16, - "final_id": 8, - "tone_id": 4, - "sound_id": "zhen4" - }, - { - "id": 941, - "name": "zhēng", - "initial_id": 16, - "final_id": 9, - "tone_id": 1, - "sound_id": "zheng1" - }, - { - "id": 942, - "name": "zhěng", - "initial_id": 16, - "final_id": 9, - "tone_id": 3, - "sound_id": "zheng3" - }, - { - "id": 943, - "name": "zhèng", - "initial_id": 16, - "final_id": 9, - "tone_id": 4, - "sound_id": "zheng4" - }, - { - "id": 944, - "name": "zhī", - "initial_id": 16, - "final_id": 11, - "tone_id": 1, - "sound_id": "zhi1" - }, - { - "id": 945, - "name": "zhí", - "initial_id": 16, - "final_id": 11, - "tone_id": 2, - "sound_id": "zhi2" - }, - { - "id": 946, - "name": "zhǐ", - "initial_id": 16, - "final_id": 11, - "tone_id": 3, - "sound_id": "zhi3" - }, - { - "id": 947, - "name": "zhì", - "initial_id": 16, - "final_id": 11, - "tone_id": 4, - "sound_id": "zhi4" - }, - { - "id": 948, - "name": "zhōng", - "initial_id": 16, - "final_id": 23, - "tone_id": 1, - "sound_id": "zhong1" - }, - { - "id": 949, - "name": "zhǒng", - "initial_id": 16, - "final_id": 23, - "tone_id": 3, - "sound_id": "zhong3" - }, - { - "id": 950, - "name": "zhòng", - "initial_id": 16, - "final_id": 23, - "tone_id": 4, - "sound_id": "zhong4" - }, - { - "id": 951, - "name": "zhōu", - "initial_id": 16, - "final_id": 24, - "tone_id": 1, - "sound_id": "zhou1" - }, - { - "id": 952, - "name": "zhóu", - "initial_id": 16, - "final_id": 24, - "tone_id": 2, - "sound_id": "zhou2" - }, - { - "id": 953, - "name": "zhǒu", - "initial_id": 16, - "final_id": 24, - "tone_id": 3, - "sound_id": "zhou3" - }, - { - "id": 954, - "name": "zhòu", - "initial_id": 16, - "final_id": 24, - "tone_id": 4, - "sound_id": "zhou4" - }, - { - "id": 955, - "name": "zhū", - "initial_id": 16, - "final_id": 25, - "tone_id": 1, - "sound_id": "zhu1" - }, - { - "id": 956, - "name": "zhú", - "initial_id": 16, - "final_id": 25, - "tone_id": 2, - "sound_id": "zhu2" - }, - { - "id": 957, - "name": "zhǔ", - "initial_id": 16, - "final_id": 25, - "tone_id": 3, - "sound_id": "zhu3" - }, - { - "id": 958, - "name": "zhù", - "initial_id": 16, - "final_id": 25, - "tone_id": 4, - "sound_id": "zhu4" - }, - { - "id": 959, - "name": "zhuā", - "initial_id": 16, - "final_id": 26, - "tone_id": 1, - "sound_id": "zhua1" - }, - { - "id": 960, - "name": "zhuǎ", - "initial_id": 16, - "final_id": 26, - "tone_id": 3, - "sound_id": "zhua3" - }, - { - "id": 961, - "name": "zhuān", - "initial_id": 16, - "final_id": 28, - "tone_id": 1, - "sound_id": "zhuan1" - }, - { - "id": 962, - "name": "zhuǎn", - "initial_id": 16, - "final_id": 28, - "tone_id": 3, - "sound_id": "zhuan3" - }, - { - "id": 963, - "name": "zhuàn", - "initial_id": 16, - "final_id": 28, - "tone_id": 4, - "sound_id": "zhuan4" - }, - { - "id": 964, - "name": "zhuāng", - "initial_id": 16, - "final_id": 29, - "tone_id": 1, - "sound_id": "zhuang1" - }, - { - "id": 965, - "name": "zhuàng", - "initial_id": 16, - "final_id": 29, - "tone_id": 4, - "sound_id": "zhuang4" - }, - { - "id": 966, - "name": "zhuī", - "initial_id": 16, - "final_id": 31, - "tone_id": 1, - "sound_id": "zhui1" - }, - { - "id": 967, - "name": "zhuì", - "initial_id": 16, - "final_id": 31, - "tone_id": 4, - "sound_id": "zhui4" - }, - { - "id": 968, - "name": "zhūn", - "initial_id": 16, - "final_id": 32, - "tone_id": 1, - "sound_id": "zhun1" - }, - { - "id": 969, - "name": "zhǔn", - "initial_id": 16, - "final_id": 32, - "tone_id": 3, - "sound_id": "zhun3" - }, - { - "id": 970, - "name": "zhuō", - "initial_id": 16, - "final_id": 33, - "tone_id": 1, - "sound_id": "zhuo1" - }, - { - "id": 971, - "name": "zhuó", - "initial_id": 16, - "final_id": 33, - "tone_id": 2, - "sound_id": "zhuo2" - }, - { - "id": 972, - "name": "chā", - "initial_id": 17, - "final_id": 1, - "tone_id": 1, - "sound_id": "cha1" - }, - { - "id": 973, - "name": "chá", - "initial_id": 17, - "final_id": 1, - "tone_id": 2, - "sound_id": "cha2" - }, - { - "id": 974, - "name": "chà", - "initial_id": 17, - "final_id": 1, - "tone_id": 4, - "sound_id": "cha4" - }, - { - "id": 975, - "name": "chāi", - "initial_id": 17, - "final_id": 2, - "tone_id": 1, - "sound_id": "chai1" - }, - { - "id": 976, - "name": "chái", - "initial_id": 17, - "final_id": 2, - "tone_id": 2, - "sound_id": "chai2" - }, - { - "id": 977, - "name": "chān", - "initial_id": 17, - "final_id": 3, - "tone_id": 1, - "sound_id": "chan1" - }, - { - "id": 978, - "name": "chán", - "initial_id": 17, - "final_id": 3, - "tone_id": 2, - "sound_id": "chan2" - }, - { - "id": 979, - "name": "chǎn", - "initial_id": 17, - "final_id": 3, - "tone_id": 3, - "sound_id": "chan3" - }, - { - "id": 980, - "name": "chàn", - "initial_id": 17, - "final_id": 3, - "tone_id": 4, - "sound_id": "chan4" - }, - { - "id": 981, - "name": "chāng", - "initial_id": 17, - "final_id": 4, - "tone_id": 1, - "sound_id": "chang1" - }, - { - "id": 982, - "name": "cháng", - "initial_id": 17, - "final_id": 4, - "tone_id": 2, - "sound_id": "chang2" - }, - { - "id": 983, - "name": "chǎng", - "initial_id": 17, - "final_id": 4, - "tone_id": 3, - "sound_id": "chang3" - }, - { - "id": 984, - "name": "chàng", - "initial_id": 17, - "final_id": 4, - "tone_id": 4, - "sound_id": "chang4" - }, - { - "id": 985, - "name": "chāo", - "initial_id": 17, - "final_id": 5, - "tone_id": 1, - "sound_id": "chao1" - }, - { - "id": 986, - "name": "cháo", - "initial_id": 17, - "final_id": 5, - "tone_id": 2, - "sound_id": "chao2" - }, - { - "id": 987, - "name": "chǎo", - "initial_id": 17, - "final_id": 5, - "tone_id": 3, - "sound_id": "chao3" - }, - { - "id": 988, - "name": "chào", - "initial_id": 17, - "final_id": 5, - "tone_id": 4, - "sound_id": "chao4" - }, - { - "id": 989, - "name": "chē", - "initial_id": 17, - "final_id": 6, - "tone_id": 1, - "sound_id": "che1" - }, - { - "id": 990, - "name": "chě", - "initial_id": 17, - "final_id": 6, - "tone_id": 3, - "sound_id": "che3" - }, - { - "id": 991, - "name": "chè", - "initial_id": 17, - "final_id": 6, - "tone_id": 4, - "sound_id": "che4" - }, - { - "id": 992, - "name": "chēn", - "initial_id": 17, - "final_id": 8, - "tone_id": 1, - "sound_id": "chen1" - }, - { - "id": 993, - "name": "chén", - "initial_id": 17, - "final_id": 8, - "tone_id": 2, - "sound_id": "chen2" - }, - { - "id": 994, - "name": "chèn", - "initial_id": 17, - "final_id": 8, - "tone_id": 4, - "sound_id": "chen4" - }, - { - "id": 995, - "name": "chēng", - "initial_id": 17, - "final_id": 9, - "tone_id": 1, - "sound_id": "cheng1" - }, - { - "id": 996, - "name": "chéng", - "initial_id": 17, - "final_id": 9, - "tone_id": 2, - "sound_id": "cheng2" - }, - { - "id": 997, - "name": "chěng", - "initial_id": 17, - "final_id": 9, - "tone_id": 3, - "sound_id": "cheng3" - }, - { - "id": 998, - "name": "chèng", - "initial_id": 17, - "final_id": 9, - "tone_id": 4, - "sound_id": "cheng4" - }, - { - "id": 999, - "name": "chī", - "initial_id": 17, - "final_id": 11, - "tone_id": 1, - "sound_id": "chi1" - }, - { - "id": 1000, - "name": "chí", - "initial_id": 17, - "final_id": 11, - "tone_id": 2, - "sound_id": "chi2" - }, - { - "id": 1001, - "name": "chǐ", - "initial_id": 17, - "final_id": 11, - "tone_id": 3, - "sound_id": "chi3" - }, - { - "id": 1002, - "name": "chì", - "initial_id": 17, - "final_id": 11, - "tone_id": 4, - "sound_id": "chi4" - }, - { - "id": 1003, - "name": "chōng", - "initial_id": 17, - "final_id": 23, - "tone_id": 1, - "sound_id": "chong1" - }, - { - "id": 1004, - "name": "chóng", - "initial_id": 17, - "final_id": 23, - "tone_id": 2, - "sound_id": "chong2" - }, - { - "id": 1005, - "name": "chǒng", - "initial_id": 17, - "final_id": 23, - "tone_id": 3, - "sound_id": "chong3" - }, - { - "id": 1006, - "name": "chòng", - "initial_id": 17, - "final_id": 23, - "tone_id": 4, - "sound_id": "chong4" - }, - { - "id": 1007, - "name": "chōu", - "initial_id": 17, - "final_id": 24, - "tone_id": 1, - "sound_id": "chou1" - }, - { - "id": 1008, - "name": "chóu", - "initial_id": 17, - "final_id": 24, - "tone_id": 2, - "sound_id": "chou2" - }, - { - "id": 1009, - "name": "chǒu", - "initial_id": 17, - "final_id": 24, - "tone_id": 3, - "sound_id": "chou3" - }, - { - "id": 1010, - "name": "chòu", - "initial_id": 17, - "final_id": 24, - "tone_id": 4, - "sound_id": "chou4" - }, - { - "id": 1011, - "name": "chū", - "initial_id": 17, - "final_id": 25, - "tone_id": 1, - "sound_id": "chu1" - }, - { - "id": 1012, - "name": "chú", - "initial_id": 17, - "final_id": 25, - "tone_id": 2, - "sound_id": "chu2" - }, - { - "id": 1013, - "name": "chǔ", - "initial_id": 17, - "final_id": 25, - "tone_id": 3, - "sound_id": "chu3" - }, - { - "id": 1014, - "name": "chù", - "initial_id": 17, - "final_id": 25, - "tone_id": 4, - "sound_id": "chu4" - }, - { - "id": 1015, - "name": "chuāi", - "initial_id": 17, - "final_id": 27, - "tone_id": 1, - "sound_id": "chuai1" - }, - { - "id": 1016, - "name": "chuǎi", - "initial_id": 17, - "final_id": 27, - "tone_id": 3, - "sound_id": "chuai3" - }, - { - "id": 1017, - "name": "chuài", - "initial_id": 17, - "final_id": 27, - "tone_id": 4, - "sound_id": "chuai4" - }, - { - "id": 1018, - "name": "chuān", - "initial_id": 17, - "final_id": 28, - "tone_id": 1, - "sound_id": "chuan1" - }, - { - "id": 1019, - "name": "chuán", - "initial_id": 17, - "final_id": 28, - "tone_id": 2, - "sound_id": "chuan2" - }, - { - "id": 1020, - "name": "chuǎn", - "initial_id": 17, - "final_id": 28, - "tone_id": 3, - "sound_id": "chuan3" - }, - { - "id": 1021, - "name": "chuàn", - "initial_id": 17, - "final_id": 28, - "tone_id": 4, - "sound_id": "chuan4" - }, - { - "id": 1022, - "name": "chuāng", - "initial_id": 17, - "final_id": 29, - "tone_id": 1, - "sound_id": "chuang1" - }, - { - "id": 1023, - "name": "chuáng", - "initial_id": 17, - "final_id": 29, - "tone_id": 2, - "sound_id": "chuang2" - }, - { - "id": 1024, - "name": "chuǎng", - "initial_id": 17, - "final_id": 29, - "tone_id": 3, - "sound_id": "chuang3" - }, - { - "id": 1025, - "name": "chuàng", - "initial_id": 17, - "final_id": 29, - "tone_id": 4, - "sound_id": "chuang4" - }, - { - "id": 1026, - "name": "chuī", - "initial_id": 17, - "final_id": 31, - "tone_id": 1, - "sound_id": "chui1" - }, - { - "id": 1027, - "name": "chuí", - "initial_id": 17, - "final_id": 31, - "tone_id": 2, - "sound_id": "chui2" - }, - { - "id": 1028, - "name": "chūn", - "initial_id": 17, - "final_id": 32, - "tone_id": 1, - "sound_id": "chun1" - }, - { - "id": 1029, - "name": "chún", - "initial_id": 17, - "final_id": 32, - "tone_id": 2, - "sound_id": "chun2" - }, - { - "id": 1030, - "name": "chǔn", - "initial_id": 17, - "final_id": 32, - "tone_id": 3, - "sound_id": "chun3" - }, - { - "id": 1031, - "name": "chuō", - "initial_id": 17, - "final_id": 33, - "tone_id": 1, - "sound_id": "chuo1" - }, - { - "id": 1032, - "name": "chuò", - "initial_id": 17, - "final_id": 33, - "tone_id": 4, - "sound_id": "chuo4" - }, - { - "id": 1033, - "name": "shā", - "initial_id": 18, - "final_id": 1, - "tone_id": 1, - "sound_id": "sha1" - }, - { - "id": 1034, - "name": "shǎ", - "initial_id": 18, - "final_id": 1, - "tone_id": 3, - "sound_id": "sha3" - }, - { - "id": 1035, - "name": "shà", - "initial_id": 18, - "final_id": 1, - "tone_id": 4, - "sound_id": "sha4" - }, - { - "id": 1036, - "name": "shāi", - "initial_id": 18, - "final_id": 2, - "tone_id": 1, - "sound_id": "shai1" - }, - { - "id": 1037, - "name": "shài", - "initial_id": 18, - "final_id": 2, - "tone_id": 4, - "sound_id": "shai4" - }, - { - "id": 1038, - "name": "shān", - "initial_id": 18, - "final_id": 3, - "tone_id": 1, - "sound_id": "shan1" - }, - { - "id": 1039, - "name": "shǎn", - "initial_id": 18, - "final_id": 3, - "tone_id": 3, - "sound_id": "shan3" - }, - { - "id": 1040, - "name": "shàn", - "initial_id": 18, - "final_id": 3, - "tone_id": 4, - "sound_id": "shan4" - }, - { - "id": 1041, - "name": "shāng", - "initial_id": 18, - "final_id": 4, - "tone_id": 1, - "sound_id": "shang1" - }, - { - "id": 1042, - "name": "shǎng", - "initial_id": 18, - "final_id": 4, - "tone_id": 3, - "sound_id": "shang3" - }, - { - "id": 1043, - "name": "shàng", - "initial_id": 18, - "final_id": 4, - "tone_id": 4, - "sound_id": "shang4" - }, - { - "id": 1044, - "name": "shāo", - "initial_id": 18, - "final_id": 5, - "tone_id": 1, - "sound_id": "shao1" - }, - { - "id": 1045, - "name": "sháo", - "initial_id": 18, - "final_id": 5, - "tone_id": 2, - "sound_id": "shao2" - }, - { - "id": 1046, - "name": "shǎo", - "initial_id": 18, - "final_id": 5, - "tone_id": 3, - "sound_id": "shao3" - }, - { - "id": 1047, - "name": "shào", - "initial_id": 18, - "final_id": 5, - "tone_id": 4, - "sound_id": "shao4" - }, - { - "id": 1048, - "name": "shē", - "initial_id": 18, - "final_id": 6, - "tone_id": 1, - "sound_id": "she1" - }, - { - "id": 1049, - "name": "shé", - "initial_id": 18, - "final_id": 6, - "tone_id": 2, - "sound_id": "she2" - }, - { - "id": 1050, - "name": "shě", - "initial_id": 18, - "final_id": 6, - "tone_id": 3, - "sound_id": "she3" - }, - { - "id": 1051, - "name": "shè", - "initial_id": 18, - "final_id": 6, - "tone_id": 4, - "sound_id": "she4" - }, - { - "id": 1052, - "name": "shéi", - "initial_id": 18, - "final_id": 7, - "tone_id": 2, - "sound_id": "shei2" - }, - { - "id": 1053, - "name": "shēn", - "initial_id": 18, - "final_id": 8, - "tone_id": 1, - "sound_id": "shen1" - }, - { - "id": 1054, - "name": "shén", - "initial_id": 18, - "final_id": 8, - "tone_id": 2, - "sound_id": "shen2" - }, - { - "id": 1055, - "name": "shěn", - "initial_id": 18, - "final_id": 8, - "tone_id": 3, - "sound_id": "shen3" - }, - { - "id": 1056, - "name": "shèn", - "initial_id": 18, - "final_id": 8, - "tone_id": 4, - "sound_id": "shen4" - }, - { - "id": 1057, - "name": "shēng", - "initial_id": 18, - "final_id": 9, - "tone_id": 1, - "sound_id": "sheng1" - }, - { - "id": 1058, - "name": "shéng", - "initial_id": 18, - "final_id": 9, - "tone_id": 2, - "sound_id": "sheng2" - }, - { - "id": 1059, - "name": "shěng", - "initial_id": 18, - "final_id": 9, - "tone_id": 3, - "sound_id": "sheng3" - }, - { - "id": 1060, - "name": "shèng", - "initial_id": 18, - "final_id": 9, - "tone_id": 4, - "sound_id": "sheng4" - }, - { - "id": 1061, - "name": "shī", - "initial_id": 18, - "final_id": 11, - "tone_id": 1, - "sound_id": "shi1" - }, - { - "id": 1062, - "name": "shí", - "initial_id": 18, - "final_id": 11, - "tone_id": 2, - "sound_id": "shi2" - }, - { - "id": 1063, - "name": "shǐ", - "initial_id": 18, - "final_id": 11, - "tone_id": 3, - "sound_id": "shi3" - }, - { - "id": 1064, - "name": "shì", - "initial_id": 18, - "final_id": 11, - "tone_id": 4, - "sound_id": "shi4" - }, - { - "id": 1065, - "name": "shōu", - "initial_id": 18, - "final_id": 24, - "tone_id": 1, - "sound_id": "shou1" - }, - { - "id": 1066, - "name": "shóu", - "initial_id": 18, - "final_id": 24, - "tone_id": 2, - "sound_id": "shou2" - }, - { - "id": 1067, - "name": "shǒu", - "initial_id": 18, - "final_id": 24, - "tone_id": 3, - "sound_id": "shou3" - }, - { - "id": 1068, - "name": "shòu", - "initial_id": 18, - "final_id": 24, - "tone_id": 4, - "sound_id": "shou4" - }, - { - "id": 1069, - "name": "shū", - "initial_id": 18, - "final_id": 25, - "tone_id": 1, - "sound_id": "shu1" - }, - { - "id": 1070, - "name": "shú", - "initial_id": 18, - "final_id": 25, - "tone_id": 2, - "sound_id": "shu2" - }, - { - "id": 1071, - "name": "shǔ", - "initial_id": 18, - "final_id": 25, - "tone_id": 3, - "sound_id": "shu3" - }, - { - "id": 1072, - "name": "shù", - "initial_id": 18, - "final_id": 25, - "tone_id": 4, - "sound_id": "shu4" - }, - { - "id": 1073, - "name": "shuā", - "initial_id": 18, - "final_id": 26, - "tone_id": 1, - "sound_id": "shua1" - }, - { - "id": 1074, - "name": "shuǎ", - "initial_id": 18, - "final_id": 26, - "tone_id": 3, - "sound_id": "shua3" - }, - { - "id": 1075, - "name": "shuāi", - "initial_id": 18, - "final_id": 27, - "tone_id": 1, - "sound_id": "shuai1" - }, - { - "id": 1076, - "name": "shuǎi", - "initial_id": 18, - "final_id": 27, - "tone_id": 3, - "sound_id": "shuai3" - }, - { - "id": 1077, - "name": "shuài", - "initial_id": 18, - "final_id": 27, - "tone_id": 4, - "sound_id": "shuai4" - }, - { - "id": 1078, - "name": "shuān", - "initial_id": 18, - "final_id": 28, - "tone_id": 1, - "sound_id": "shuan1" - }, - { - "id": 1079, - "name": "shuàn", - "initial_id": 18, - "final_id": 28, - "tone_id": 4, - "sound_id": "shuan4" - }, - { - "id": 1080, - "name": "shuāng", - "initial_id": 18, - "final_id": 29, - "tone_id": 1, - "sound_id": "shuang1" - }, - { - "id": 1081, - "name": "shuǎng", - "initial_id": 18, - "final_id": 29, - "tone_id": 3, - "sound_id": "shuang3" - }, - { - "id": 1082, - "name": "shuí", - "initial_id": 18, - "final_id": 31, - "tone_id": 2, - "sound_id": "shui2" - }, - { - "id": 1083, - "name": "shuǐ", - "initial_id": 18, - "final_id": 31, - "tone_id": 3, - "sound_id": "shui3" - }, - { - "id": 1084, - "name": "shuì", - "initial_id": 18, - "final_id": 31, - "tone_id": 4, - "sound_id": "shui4" - }, - { - "id": 1085, - "name": "shǔn", - "initial_id": 18, - "final_id": 32, - "tone_id": 3, - "sound_id": "shun3" - }, - { - "id": 1086, - "name": "shùn", - "initial_id": 18, - "final_id": 32, - "tone_id": 4, - "sound_id": "shun4" - }, - { - "id": 1087, - "name": "shuō", - "initial_id": 18, - "final_id": 33, - "tone_id": 1, - "sound_id": "shuo1" - }, - { - "id": 1088, - "name": "shuò", - "initial_id": 18, - "final_id": 33, - "tone_id": 4, - "sound_id": "shuo4" - }, - { - "id": 1089, - "name": "rán", - "initial_id": 19, - "final_id": 3, - "tone_id": 2, - "sound_id": "ran2" - }, - { - "id": 1090, - "name": "rǎn", - "initial_id": 19, - "final_id": 3, - "tone_id": 3, - "sound_id": "ran3" - }, - { - "id": 1091, - "name": "ráng", - "initial_id": 19, - "final_id": 4, - "tone_id": 2, - "sound_id": "rang2" - }, - { - "id": 1092, - "name": "rǎng", - "initial_id": 19, - "final_id": 4, - "tone_id": 3, - "sound_id": "rang3" - }, - { - "id": 1093, - "name": "ràng", - "initial_id": 19, - "final_id": 4, - "tone_id": 4, - "sound_id": "rang4" - }, - { - "id": 1094, - "name": "ráo", - "initial_id": 19, - "final_id": 5, - "tone_id": 2, - "sound_id": "rao2" - }, - { - "id": 1095, - "name": "rǎo", - "initial_id": 19, - "final_id": 5, - "tone_id": 3, - "sound_id": "rao3" - }, - { - "id": 1096, - "name": "rào", - "initial_id": 19, - "final_id": 5, - "tone_id": 4, - "sound_id": "rao4" - }, - { - "id": 1097, - "name": "rě", - "initial_id": 19, - "final_id": 6, - "tone_id": 3, - "sound_id": "re3" - }, - { - "id": 1098, - "name": "rè", - "initial_id": 19, - "final_id": 6, - "tone_id": 4, - "sound_id": "re4" - }, - { - "id": 1099, - "name": "rén", - "initial_id": 19, - "final_id": 8, - "tone_id": 2, - "sound_id": "ren2" - }, - { - "id": 1100, - "name": "rěn", - "initial_id": 19, - "final_id": 8, - "tone_id": 3, - "sound_id": "ren3" - }, - { - "id": 1101, - "name": "rèn", - "initial_id": 19, - "final_id": 8, - "tone_id": 4, - "sound_id": "ren4" - }, - { - "id": 1102, - "name": "rēng", - "initial_id": 19, - "final_id": 9, - "tone_id": 1, - "sound_id": "reng1" - }, - { - "id": 1103, - "name": "réng", - "initial_id": 19, - "final_id": 9, - "tone_id": 2, - "sound_id": "reng2" - }, - { - "id": 1104, - "name": "rì", - "initial_id": 19, - "final_id": 11, - "tone_id": 4, - "sound_id": "ri4" - }, - { - "id": 1105, - "name": "róng", - "initial_id": 19, - "final_id": 23, - "tone_id": 2, - "sound_id": "rong2" - }, - { - "id": 1106, - "name": "rǒng", - "initial_id": 19, - "final_id": 23, - "tone_id": 3, - "sound_id": "rong3" - }, - { - "id": 1107, - "name": "róu", - "initial_id": 19, - "final_id": 24, - "tone_id": 2, - "sound_id": "rou2" - }, - { - "id": 1108, - "name": "ròu", - "initial_id": 19, - "final_id": 24, - "tone_id": 4, - "sound_id": "rou4" - }, - { - "id": 1109, - "name": "rú", - "initial_id": 19, - "final_id": 25, - "tone_id": 2, - "sound_id": "ru2" - }, - { - "id": 1110, - "name": "rǔ", - "initial_id": 19, - "final_id": 25, - "tone_id": 3, - "sound_id": "ru3" - }, - { - "id": 1111, - "name": "rù", - "initial_id": 19, - "final_id": 25, - "tone_id": 4, - "sound_id": "ru4" - }, - { - "id": 1112, - "name": "ruǎn", - "initial_id": 19, - "final_id": 28, - "tone_id": 3, - "sound_id": "ruan3" - }, - { - "id": 1113, - "name": "ruì", - "initial_id": 19, - "final_id": 31, - "tone_id": 4, - "sound_id": "rui4" - }, - { - "id": 1114, - "name": "rùn", - "initial_id": 19, - "final_id": 32, - "tone_id": 4, - "sound_id": "run4" - }, - { - "id": 1115, - "name": "ruó", - "initial_id": 19, - "final_id": 33, - "tone_id": 2, - "sound_id": "ruo2" - }, - { - "id": 1116, - "name": "ruò", - "initial_id": 19, - "final_id": 33, - "tone_id": 4, - "sound_id": "ruo4" - }, - { - "id": 1117, - "name": "zā", - "initial_id": 20, - "final_id": 1, - "tone_id": 1, - "sound_id": "za1" - }, - { - "id": 1118, - "name": "zá", - "initial_id": 20, - "final_id": 1, - "tone_id": 2, - "sound_id": "za2" - }, - { - "id": 1119, - "name": "zǎ", - "initial_id": 20, - "final_id": 1, - "tone_id": 3, - "sound_id": "za3" - }, - { - "id": 1120, - "name": "zāi", - "initial_id": 20, - "final_id": 2, - "tone_id": 1, - "sound_id": "zai1" - }, - { - "id": 1121, - "name": "zǎi", - "initial_id": 20, - "final_id": 2, - "tone_id": 3, - "sound_id": "zai3" - }, - { - "id": 1122, - "name": "zài", - "initial_id": 20, - "final_id": 2, - "tone_id": 4, - "sound_id": "zai4" - }, - { - "id": 1123, - "name": "zān", - "initial_id": 20, - "final_id": 3, - "tone_id": 1, - "sound_id": "zan1" - }, - { - "id": 1124, - "name": "zán", - "initial_id": 20, - "final_id": 3, - "tone_id": 2, - "sound_id": "zan2" - }, - { - "id": 1125, - "name": "zàn", - "initial_id": 20, - "final_id": 3, - "tone_id": 4, - "sound_id": "zan4" - }, - { - "id": 1126, - "name": "zāng", - "initial_id": 20, - "final_id": 4, - "tone_id": 1, - "sound_id": "zang1" - }, - { - "id": 1127, - "name": "zàng", - "initial_id": 20, - "final_id": 4, - "tone_id": 4, - "sound_id": "zang4" - }, - { - "id": 1128, - "name": "zāo", - "initial_id": 20, - "final_id": 5, - "tone_id": 1, - "sound_id": "zao1" - }, - { - "id": 1129, - "name": "záo", - "initial_id": 20, - "final_id": 5, - "tone_id": 2, - "sound_id": "zao2" - }, - { - "id": 1130, - "name": "zǎo", - "initial_id": 20, - "final_id": 5, - "tone_id": 3, - "sound_id": "zao3" - }, - { - "id": 1131, - "name": "zào", - "initial_id": 20, - "final_id": 5, - "tone_id": 4, - "sound_id": "zao4" - }, - { - "id": 1132, - "name": "zé", - "initial_id": 20, - "final_id": 6, - "tone_id": 2, - "sound_id": "ze2" - }, - { - "id": 1133, - "name": "zè", - "initial_id": 20, - "final_id": 6, - "tone_id": 4, - "sound_id": "ze4" - }, - { - "id": 1134, - "name": "zéi", - "initial_id": 20, - "final_id": 7, - "tone_id": 2, - "sound_id": "zei2" - }, - { - "id": 1135, - "name": "zěn", - "initial_id": 20, - "final_id": 8, - "tone_id": 3, - "sound_id": "zen3" - }, - { - "id": 1136, - "name": "zēng", - "initial_id": 20, - "final_id": 9, - "tone_id": 1, - "sound_id": "zeng1" - }, - { - "id": 1137, - "name": "zèng", - "initial_id": 20, - "final_id": 9, - "tone_id": 4, - "sound_id": "zeng4" - }, - { - "id": 1138, - "name": "zī", - "initial_id": 20, - "final_id": 11, - "tone_id": 1, - "sound_id": "zi1" - }, - { - "id": 1139, - "name": "zǐ", - "initial_id": 20, - "final_id": 11, - "tone_id": 3, - "sound_id": "zi3" - }, - { - "id": 1140, - "name": "zì", - "initial_id": 20, - "final_id": 11, - "tone_id": 4, - "sound_id": "zi4" - }, - { - "id": 1141, - "name": "zōng", - "initial_id": 20, - "final_id": 23, - "tone_id": 1, - "sound_id": "zong1" - }, - { - "id": 1142, - "name": "zǒng", - "initial_id": 20, - "final_id": 23, - "tone_id": 3, - "sound_id": "zong3" - }, - { - "id": 1143, - "name": "zòng", - "initial_id": 20, - "final_id": 23, - "tone_id": 4, - "sound_id": "zong4" - }, - { - "id": 1144, - "name": "zǒu", - "initial_id": 20, - "final_id": 24, - "tone_id": 3, - "sound_id": "zou3" - }, - { - "id": 1145, - "name": "zòu", - "initial_id": 20, - "final_id": 24, - "tone_id": 4, - "sound_id": "zou4" - }, - { - "id": 1146, - "name": "zū", - "initial_id": 20, - "final_id": 25, - "tone_id": 1, - "sound_id": "zu1" - }, - { - "id": 1147, - "name": "zú", - "initial_id": 20, - "final_id": 25, - "tone_id": 2, - "sound_id": "zu2" - }, - { - "id": 1148, - "name": "zǔ", - "initial_id": 20, - "final_id": 25, - "tone_id": 3, - "sound_id": "zu3" - }, - { - "id": 1149, - "name": "zù", - "initial_id": 20, - "final_id": 25, - "tone_id": 4, - "sound_id": "zu4" - }, - { - "id": 1150, - "name": "zuān", - "initial_id": 20, - "final_id": 28, - "tone_id": 1, - "sound_id": "zuan1" - }, - { - "id": 1151, - "name": "zuǎn", - "initial_id": 20, - "final_id": 28, - "tone_id": 3, - "sound_id": "zuan3" - }, - { - "id": 1152, - "name": "zuàn", - "initial_id": 20, - "final_id": 28, - "tone_id": 4, - "sound_id": "zuan4" - }, - { - "id": 1153, - "name": "zuǐ", - "initial_id": 20, - "final_id": 31, - "tone_id": 3, - "sound_id": "zui3" - }, - { - "id": 1154, - "name": "zuì", - "initial_id": 20, - "final_id": 31, - "tone_id": 4, - "sound_id": "zui4" - }, - { - "id": 1155, - "name": "zūn", - "initial_id": 20, - "final_id": 32, - "tone_id": 1, - "sound_id": "zun1" - }, - { - "id": 1156, - "name": "zǔn", - "initial_id": 20, - "final_id": 32, - "tone_id": 3, - "sound_id": "zun3" - }, - { - "id": 1157, - "name": "zuō", - "initial_id": 20, - "final_id": 33, - "tone_id": 1, - "sound_id": "zuo1" - }, - { - "id": 1158, - "name": "zuó", - "initial_id": 20, - "final_id": 33, - "tone_id": 2, - "sound_id": "zuo2" - }, - { - "id": 1159, - "name": "zuǒ", - "initial_id": 20, - "final_id": 33, - "tone_id": 3, - "sound_id": "zuo3" - }, - { - "id": 1160, - "name": "zuò", - "initial_id": 20, - "final_id": 33, - "tone_id": 4, - "sound_id": "zuo4" - }, - { - "id": 1161, - "name": "cā", - "initial_id": 21, - "final_id": 1, - "tone_id": 1, - "sound_id": "ca1" - }, - { - "id": 1162, - "name": "cāi", - "initial_id": 21, - "final_id": 2, - "tone_id": 1, - "sound_id": "cai1" - }, - { - "id": 1163, - "name": "cái", - "initial_id": 21, - "final_id": 2, - "tone_id": 2, - "sound_id": "cai2" - }, - { - "id": 1164, - "name": "cǎi", - "initial_id": 21, - "final_id": 2, - "tone_id": 3, - "sound_id": "cai3" - }, - { - "id": 1165, - "name": "cài", - "initial_id": 21, - "final_id": 2, - "tone_id": 4, - "sound_id": "cai4" - }, - { - "id": 1166, - "name": "cān", - "initial_id": 21, - "final_id": 3, - "tone_id": 1, - "sound_id": "can1" - }, - { - "id": 1167, - "name": "cán", - "initial_id": 21, - "final_id": 3, - "tone_id": 2, - "sound_id": "can2" - }, - { - "id": 1168, - "name": "cǎn", - "initial_id": 21, - "final_id": 3, - "tone_id": 3, - "sound_id": "can3" - }, - { - "id": 1169, - "name": "càn", - "initial_id": 21, - "final_id": 3, - "tone_id": 4, - "sound_id": "can4" - }, - { - "id": 1170, - "name": "cāng", - "initial_id": 21, - "final_id": 4, - "tone_id": 1, - "sound_id": "cang1" - }, - { - "id": 1171, - "name": "cáng", - "initial_id": 21, - "final_id": 4, - "tone_id": 2, - "sound_id": "cang2" - }, - { - "id": 1172, - "name": "cāo", - "initial_id": 21, - "final_id": 5, - "tone_id": 1, - "sound_id": "cao1" - }, - { - "id": 1173, - "name": "cáo", - "initial_id": 21, - "final_id": 5, - "tone_id": 2, - "sound_id": "cao2" - }, - { - "id": 1174, - "name": "cǎo", - "initial_id": 21, - "final_id": 5, - "tone_id": 3, - "sound_id": "cao3" - }, - { - "id": 1175, - "name": "cào", - "initial_id": 21, - "final_id": 5, - "tone_id": 4, - "sound_id": "cao4" - }, - { - "id": 1176, - "name": "cè", - "initial_id": 21, - "final_id": 6, - "tone_id": 4, - "sound_id": "ce4" - }, - { - "id": 1177, - "name": "cēn", - "initial_id": 21, - "final_id": 8, - "tone_id": 1, - "sound_id": "cen1" - }, - { - "id": 1178, - "name": "cén", - "initial_id": 21, - "final_id": 8, - "tone_id": 2, - "sound_id": "cen2" - }, - { - "id": 1179, - "name": "céng", - "initial_id": 21, - "final_id": 9, - "tone_id": 2, - "sound_id": "ceng2" - }, - { - "id": 1180, - "name": "cèng", - "initial_id": 21, - "final_id": 9, - "tone_id": 4, - "sound_id": "ceng4" - }, - { - "id": 1181, - "name": "cī", - "initial_id": 21, - "final_id": 11, - "tone_id": 1, - "sound_id": "ci1" - }, - { - "id": 1182, - "name": "cí", - "initial_id": 21, - "final_id": 11, - "tone_id": 2, - "sound_id": "ci2" - }, - { - "id": 1183, - "name": "cǐ", - "initial_id": 21, - "final_id": 11, - "tone_id": 3, - "sound_id": "ci3" - }, - { - "id": 1184, - "name": "cì", - "initial_id": 21, - "final_id": 11, - "tone_id": 4, - "sound_id": "ci4" - }, - { - "id": 1185, - "name": "cōng", - "initial_id": 21, - "final_id": 23, - "tone_id": 1, - "sound_id": "cong1" - }, - { - "id": 1186, - "name": "cóng", - "initial_id": 21, - "final_id": 23, - "tone_id": 2, - "sound_id": "cong2" - }, - { - "id": 1187, - "name": "còu", - "initial_id": 21, - "final_id": 24, - "tone_id": 4, - "sound_id": "cou4" - }, - { - "id": 1188, - "name": "cū", - "initial_id": 21, - "final_id": 25, - "tone_id": 1, - "sound_id": "cu1" - }, - { - "id": 1189, - "name": "cú", - "initial_id": 21, - "final_id": 25, - "tone_id": 2, - "sound_id": "cu2" - }, - { - "id": 1190, - "name": "cù", - "initial_id": 21, - "final_id": 25, - "tone_id": 4, - "sound_id": "cu4" - }, - { - "id": 1191, - "name": "cuān", - "initial_id": 21, - "final_id": 28, - "tone_id": 1, - "sound_id": "cuan1" - }, - { - "id": 1192, - "name": "cuán", - "initial_id": 21, - "final_id": 28, - "tone_id": 2, - "sound_id": "cuan2" - }, - { - "id": 1193, - "name": "cuàn", - "initial_id": 21, - "final_id": 28, - "tone_id": 4, - "sound_id": "cuan4" - }, - { - "id": 1194, - "name": "cuī", - "initial_id": 21, - "final_id": 31, - "tone_id": 1, - "sound_id": "cui1" - }, - { - "id": 1195, - "name": "cuǐ", - "initial_id": 21, - "final_id": 31, - "tone_id": 3, - "sound_id": "cui3" - }, - { - "id": 1196, - "name": "cuì", - "initial_id": 21, - "final_id": 31, - "tone_id": 4, - "sound_id": "cui4" - }, - { - "id": 1197, - "name": "cūn", - "initial_id": 21, - "final_id": 32, - "tone_id": 1, - "sound_id": "cun1" - }, - { - "id": 1198, - "name": "cún", - "initial_id": 21, - "final_id": 32, - "tone_id": 2, - "sound_id": "cun2" - }, - { - "id": 1199, - "name": "cǔn", - "initial_id": 21, - "final_id": 32, - "tone_id": 3, - "sound_id": "cun3" - }, - { - "id": 1200, - "name": "cùn", - "initial_id": 21, - "final_id": 32, - "tone_id": 4, - "sound_id": "cun4" - }, - { - "id": 1201, - "name": "cuō", - "initial_id": 21, - "final_id": 33, - "tone_id": 1, - "sound_id": "cuo1" - }, - { - "id": 1202, - "name": "cuó", - "initial_id": 21, - "final_id": 33, - "tone_id": 2, - "sound_id": "cuo2" - }, - { - "id": 1203, - "name": "cuò", - "initial_id": 21, - "final_id": 33, - "tone_id": 4, - "sound_id": "cuo4" - }, - { - "id": 1204, - "name": "sā", - "initial_id": 22, - "final_id": 1, - "tone_id": 1, - "sound_id": "sa1" - }, - { - "id": 1205, - "name": "sǎ", - "initial_id": 22, - "final_id": 1, - "tone_id": 3, - "sound_id": "sa3" - }, - { - "id": 1206, - "name": "sà", - "initial_id": 22, - "final_id": 1, - "tone_id": 4, - "sound_id": "sa4" - }, - { - "id": 1207, - "name": "sāi", - "initial_id": 22, - "final_id": 2, - "tone_id": 1, - "sound_id": "sai1" - }, - { - "id": 1208, - "name": "sài", - "initial_id": 22, - "final_id": 2, - "tone_id": 4, - "sound_id": "sai4" - }, - { - "id": 1209, - "name": "sān", - "initial_id": 22, - "final_id": 3, - "tone_id": 1, - "sound_id": "san1" - }, - { - "id": 1210, - "name": "sǎn", - "initial_id": 22, - "final_id": 3, - "tone_id": 3, - "sound_id": "san3" - }, - { - "id": 1211, - "name": "sàn", - "initial_id": 22, - "final_id": 3, - "tone_id": 4, - "sound_id": "san4" - }, - { - "id": 1212, - "name": "sāng", - "initial_id": 22, - "final_id": 4, - "tone_id": 1, - "sound_id": "sang1" - }, - { - "id": 1213, - "name": "sǎng", - "initial_id": 22, - "final_id": 4, - "tone_id": 3, - "sound_id": "sang3" - }, - { - "id": 1214, - "name": "sàng", - "initial_id": 22, - "final_id": 4, - "tone_id": 4, - "sound_id": "sang4" - }, - { - "id": 1215, - "name": "sāo", - "initial_id": 22, - "final_id": 5, - "tone_id": 1, - "sound_id": "sao1" - }, - { - "id": 1216, - "name": "sǎo", - "initial_id": 22, - "final_id": 5, - "tone_id": 3, - "sound_id": "sao3" - }, - { - "id": 1217, - "name": "sào", - "initial_id": 22, - "final_id": 5, - "tone_id": 4, - "sound_id": "sao4" - }, - { - "id": 1218, - "name": "sè", - "initial_id": 22, - "final_id": 6, - "tone_id": 4, - "sound_id": "se4" - }, - { - "id": 1219, - "name": "sēn", - "initial_id": 22, - "final_id": 8, - "tone_id": 1, - "sound_id": "sen1" - }, - { - "id": 1220, - "name": "sēng", - "initial_id": 22, - "final_id": 9, - "tone_id": 1, - "sound_id": "seng1" - }, - { - "id": 1221, - "name": "sī", - "initial_id": 22, - "final_id": 11, - "tone_id": 1, - "sound_id": "si1" - }, - { - "id": 1222, - "name": "sǐ", - "initial_id": 22, - "final_id": 11, - "tone_id": 3, - "sound_id": "si3" - }, - { - "id": 1223, - "name": "sì", - "initial_id": 22, - "final_id": 11, - "tone_id": 4, - "sound_id": "si4" - }, - { - "id": 1224, - "name": "sōng", - "initial_id": 22, - "final_id": 23, - "tone_id": 1, - "sound_id": "song1" - }, - { - "id": 1225, - "name": "sǒng", - "initial_id": 22, - "final_id": 23, - "tone_id": 3, - "sound_id": "song3" - }, - { - "id": 1226, - "name": "sòng", - "initial_id": 22, - "final_id": 23, - "tone_id": 4, - "sound_id": "song4" - }, - { - "id": 1227, - "name": "sōu", - "initial_id": 22, - "final_id": 24, - "tone_id": 1, - "sound_id": "sou1" - }, - { - "id": 1228, - "name": "sǒu", - "initial_id": 22, - "final_id": 24, - "tone_id": 3, - "sound_id": "sou3" - }, - { - "id": 1229, - "name": "sòu", - "initial_id": 22, - "final_id": 24, - "tone_id": 4, - "sound_id": "sou4" - }, - { - "id": 1230, - "name": "sū", - "initial_id": 22, - "final_id": 25, - "tone_id": 1, - "sound_id": "su1" - }, - { - "id": 1231, - "name": "sú", - "initial_id": 22, - "final_id": 25, - "tone_id": 2, - "sound_id": "su2" - }, - { - "id": 1232, - "name": "sù", - "initial_id": 22, - "final_id": 25, - "tone_id": 4, - "sound_id": "su4" - }, - { - "id": 1233, - "name": "suān", - "initial_id": 22, - "final_id": 28, - "tone_id": 1, - "sound_id": "suan1" - }, - { - "id": 1234, - "name": "suàn", - "initial_id": 22, - "final_id": 28, - "tone_id": 4, - "sound_id": "suan4" - }, - { - "id": 1235, - "name": "suī", - "initial_id": 22, - "final_id": 31, - "tone_id": 1, - "sound_id": "sui1" - }, - { - "id": 1236, - "name": "suí", - "initial_id": 22, - "final_id": 31, - "tone_id": 2, - "sound_id": "sui2" - }, - { - "id": 1237, - "name": "suǐ", - "initial_id": 22, - "final_id": 31, - "tone_id": 3, - "sound_id": "sui3" - }, - { - "id": 1238, - "name": "suì", - "initial_id": 22, - "final_id": 31, - "tone_id": 4, - "sound_id": "sui4" - }, - { - "id": 1239, - "name": "sūn", - "initial_id": 22, - "final_id": 32, - "tone_id": 1, - "sound_id": "sun1" - }, - { - "id": 1240, - "name": "sǔn", - "initial_id": 22, - "final_id": 32, - "tone_id": 3, - "sound_id": "sun3" - }, - { - "id": 1241, - "name": "suō", - "initial_id": 22, - "final_id": 33, - "tone_id": 1, - "sound_id": "suo1" - }, - { - "id": 1242, - "name": "suǒ", - "initial_id": 22, - "final_id": 33, - "tone_id": 3, - "sound_id": "suo3" - } - ] -} diff --git a/static/data/supabase-hanzi.csv b/static/data/supabase-hanzi.csv deleted file mode 100644 index 733d643..0000000 --- a/static/data/supabase-hanzi.csv +++ /dev/null @@ -1,9855 +0,0 @@ -id,form,meaning,type,etymology -1,⺮,"""bamboo"" radical in Chinese characters (Kangxi radical 118)",pictographic,"Two stalks of bamboo; see 竹" -2,㐆,"component in Chinese character 殷[yin1]",, -3,㐌,"variant of 它[ta1]",pictophonetic,"people" -4,俊,"old variant of 俊[jun4]",pictophonetic,"person" -5,㒸,"archaic variant of 遂[sui4]",, -6,罔,"old variant of 罔[wang3]",pictophonetic,"net" -7,寇,"old variant of 寇[kou4]",ideographic,"Bandits mugging 攴 a person 元 in his home 宀" -8,㔾,"""seal"" radical in Chinese characters (Kangxi radical 26)",pictographic,"A rolled-up scroll or kneeling person; compare 卩" -9,却,"old variant of 卻|却[que4]",pictophonetic,"seal" -10,厨,"old variant of 廚|厨[chu2]",pictophonetic,"building" -11,参,"variant of 參|参[can1]",pictophonetic, -12,以,"old variant of 以[yi3]",, -13,坳,"variant of 坳[ao4]",pictophonetic,"earth" -14,宿,"old variant of 宿[su4]",ideographic,"A person 亻 sleeping in a bed 百 under a roof 宀" -15,冥,"old variant of 冥[ming2]",ideographic,"The sun 日, covered 冖, with 六 providing the pronunciation" -16,最,"variant of 最[zui4]",ideographic,"To take place 取 under the sun 日 (that is, everywhere)" -17,㝵,"variant of 礙|碍[ai4]",ideographic,"A hand 寸 grabbing a shell 旦" -18,㝵,"to obtain (old variant of 得[de2])",ideographic,"A hand 寸 grabbing a shell 旦" -19,岸,"variant of 岸[an4]",ideographic,"A mountain 山 cliff 厂; 干 provides the pronunciation" -20,岛,"variant of 島|岛[dao3]",ideographic,"A bird 鸟 perched atop a mountain 山" -21,以,"old variant of 以[yi3]",, -22,帆,"variant of 帆[fan1]",pictophonetic,"cloth" -23,帽,"old variant of 帽[mao4]",pictophonetic,"towel" -24,廉,"old variant of 廉[lian2]",, -25,迥,"variant of 迥[jiong3]",ideographic,"Separated 辶 by a border 冋; 冋 also provides the pronunciation" -26,恩,"variant of 恩[en1]",pictophonetic,"heart" -27,惬,"variant of 愜|惬[qie4]",pictophonetic,"heart" -28,㥯,"cautious",pictophonetic,"heart" -29,拿,"old variant of 拿[na2]",pictophonetic,"hand" -30,捷,"variant of 捷[jie2]; quick; nimble",pictophonetic,"hand" -31,晃,"variant of 晃[huang3]",pictophonetic,"sun" -32,据,"variant of 據|据[ju4]",pictophonetic,"hand" -33,携,"old variant of 攜|携[xie2]",pictophonetic,"hand" -34,携,"old variant of 攜|携[xie2]",pictophonetic,"hand" -35,散,"variant of 散[san4]",ideographic,"A hand 攵 tossing seeds from a basket" -36,敦,"variant of 敦[dun1]",pictophonetic,"share" -37,暖,"old variant of 暖[nuan3]",pictophonetic,"sun" -38,㬎,"old variant of 顯|显[xian3]",ideographic,"Tiny 幺 motes of dust 灬 in a sunbeam 日" -39,橹,"variant of 櫓|橹[lu3]",pictophonetic,"wood" -40,饮,"old variant of 飲|饮[yin3]",pictophonetic,"food" -41,㲋,"ancient name for an animal similar to rabbit but bigger",pictographic,"A rabbit looking to the left" -42,涎,"variant of 涎[xian2]",pictophonetic,"water" -43,法,"variant of 法[fa3]",ideographic,"The course 去 followed by a stream 氵" -44,深,"old variant of 深[shen1]",ideographic,"Deep 罙 water 氵" -45,涧,"variant of 澗|涧[jian4]",ideographic,"A stream 氵 flowing through a valley 间; 间 also provides the pronunciation" -46,烨,"variant of 燁|烨[ye4]",ideographic,"A glorious 华 blaze 火; 华 also provides the pronunciation" -47,碗,"variant of 碗[wan3]",pictophonetic,"stone" -48,留,"old variant of 留[liu2]",, -49,瘪,"variant of 癟|瘪[bie3]",pictophonetic,"sickness" -50,筲,"pot-scrubbing brush made of bamboo strips; basket (container) for chopsticks; variant of 筲[shao1]",pictophonetic,"bamboo" -51,糊,"variant of 糊[hu2]",pictophonetic,"grain" -52,䍃,"(archaic) vase; pitcher",pictographic,"Pottery; compare 缶" -53,䕭,"variant of 蕁|荨[qian2]",pictophonetic,"grass" -54,䕭,"a kind of vegetable",pictophonetic,"grass" -55,蜂,"variant of 蜂[feng1]",pictophonetic,"insect" -56,恤,"variant of 恤[xu4]",pictophonetic,"heart" -57,脉,"old variant of 脈|脉[mai4]",ideographic,"Long 永 vessels through one's body ⺼" -58,卒,"variant of 卒[zu2]",pictographic,"A soldier in armor" -59,词,"old variant of 詞|词[ci2]",pictophonetic,"words" -60,獾,"variant of 獾[huan1]",pictophonetic,"animal" -61,䠀,"to squat; to sit",pictophonetic,"foot" -62,趟,"old variant of 趟[tang1]",pictophonetic,"walk" -63,射,"old variant of 射[she4]",pictographic,"A bow 身 being drawn by a hand 寸" -64,镰,"old variant of 鐮|镰[lian2]",pictophonetic,"metal" -65,飒,"variant of 颯|飒[sa4]",pictophonetic,"wind" -66,驮,"variant of 馱|驮[tuo2]",pictophonetic,"horse" -67,魂,"old variant of 魂[hun2]",pictophonetic,"spirit" -68,鲃,"used in 䰾魚|鲃鱼[ba1 yu2]",pictophonetic,"fish" -69,鹅,"variant of 鵝|鹅[e2]",pictophonetic,"bird" -70,鹮,"spoonbill; ibis; family Threskiornithidae",pictophonetic,"bird" -71,麸,"variant of 麩|麸[fu1]",pictophonetic,"wheat" -72,衄,"old variant of 衄[nu:4]",ideographic,"To be shamed 丑 by a bloody 血 nose" -73,一,"one; single; a (article); as soon as; entire; whole; all; throughout; ""one"" radical in Chinese characters (Kangxi radical 1); also pr. [yao1] for greater clarity when spelling out numbers digit by digit",ideographic,"Represents heaven (天), earth (旦), or the number 1" -74,丁,"surname Ding",pictographic,"A nail" -75,丁,"male adult; the 4th of the 10 Heavenly Stems 天干[tian1gan1]; fourth (used like ""4"" or ""D""); small cube of meat or vegetable; (literary) to encounter; (archaic) ancient Chinese compass point: 195°; (chemistry) butyl",pictographic,"A nail" -76,丂,"""breath"" or ""sigh"" component in Chinese characters",, -77,七,"seven; 7",, -78,丄,"old variant of 上[shang4]",ideographic,"One stroke on top of another; variant of 上" -79,万,"used in 万俟[Mo4 qi2]",, -80,丈,"measure of length, ten Chinese feet (3.3 m); to measure; husband; polite appellation for an older male",, -81,三,"surname San",ideographic,"Three  parallel lines; compare 一 (one) and 二 (two)" -82,三,"three; 3",ideographic,"Three  parallel lines; compare 一 (one) and 二 (two)" -83,上,"used in 上聲|上声[shang3 sheng1]",ideographic,"One stroke on top of another; compare 下 (below)" -84,上,"(bound form) up; upper; above; previous; first (of multiple parts); to climb; to get onto; to go up; to attend (class or university); (directional complement) up; (noun suffix) on; above",ideographic,"One stroke on top of another; compare 下 (below)" -85,下,"down; downwards; below; lower; later; next (week etc); second (of two parts); to decline; to go down; to arrive at (a decision, conclusion etc); measure word to show the frequency of an action",ideographic,"One stroke under another; compare 上 (above)" -86,丌,"surname Ji",pictographic,"A table" -87,丌,"""pedestal"" component in Chinese characters",pictographic,"A table" -88,丌,"archaic variant of 其[qi2]",pictographic,"A table" -89,不,"no; not so; (bound form) not; un-",ideographic,"A bird flying toward the sky 一" -90,丏,"hidden from view; barrier to ward off arrows",, -91,丐,"to beg for alms; beggar",pictographic,"A person leaning forward to ask for help" -92,丑,"surname Chou",, -93,丑,"clown; 2nd earthly branch: 1-3 a.m., 12th solar month (6th January to 3rd February), year of the Ox; ancient Chinese compass point: 30°",, -94,且,"and; moreover; yet; for the time being; to be about to; both (... and...)",pictographic,"A stone altar" -95,丕,"grand",, -96,世,"surname Shi",pictographic,"Three leaves on a branch" -97,世,"life; age; generation; era; world; lifetime; epoch; descendant; noble",pictographic,"Three leaves on a branch" -98,丘,"surname Qiu",pictographic,"Two hills" -99,丘,"mound; hillock; grave; classifier for fields",pictographic,"Two hills" -100,丙,"third of the ten Heavenly Stems 十天干[shi2 tian1 gan1]; third in order; letter ""C"" or Roman ""III"" in list ""A, B, C"", or ""I, II, III"" etc; ancient Chinese compass point: 165°; propyl",, -101,丞,"deputy",pictophonetic,"one" -102,丢,"to lose; to put aside; to throw",ideographic,"A lost 厶 jade 玉" -103,并,"and; furthermore; also; together with; (not) at all; simultaneously; to combine; to join; to merge",ideographic,"Simplified form of 並; two men standing side-by-side" -104,丨,"radical in Chinese characters (Kangxi radical 2)",, -105,丨,"vertical stroke (in Chinese characters), referred to as 豎筆|竖笔[shu4 bi3]",, -106,丩,"archaic variant of 糾|纠[jiu1]",, -107,丫,"fork; branch; bifurcation; girl",ideographic,"A forked line 丨" -108,中,"(bound form) China; Chinese; surname Zhong",ideographic,"A line 丨 through the center of a box 口" -109,中,"within; among; in; middle; center; while (doing sth); during; (dialect) OK; all right",ideographic,"A line 丨 through the center of a box 口" -110,中,"to hit (the mark); to be hit by; to suffer; to win (a prize, a lottery)",ideographic,"A line 丨 through the center of a box 口" -111,丰,"luxuriant; buxom; variant of 豐|丰[feng1]; variant of 風|风[feng1]; appearance; charm",pictographic,"An ear of grass" -112,丱,"two tufts of hair; young; underage",pictographic,"Two braids 丱 of hair" -113,丱,"archaic variant of 礦|矿[kuang4]",pictographic,"Two braids 丱 of hair" -114,串,"to string together; to skewer; to connect wrongly; to gang up; to rove; string; bunch; skewer; classifier for things that are strung together, or in a bunch, or in a row: string of, bunch of, series of; to make a swift or abrupt linear movement (like a bead on an abacus); to move across",ideographic,"Two objects 口 strung 丨 together" -115,丵,"thick grass; ""bush"" component in Chinese characters",, -116,丶,"""dot"" radical in Chinese characters (Kangxi radical 3), aka 點|点[dian3]",, -117,丷,"""eight"" component in Chinese characters; archaic variant of 八[ba1]",, -118,丸,"ball; pellet; pill",pictographic,"A fist 九 holding a pebble 丶" -119,丹,"red; pellet; powder; cinnabar",ideographic,"A red pellet 丶 from a mine 井" -120,主,"owner; master; host; individual or party concerned; God; Lord; main; to indicate or signify; trump card (in card games)",pictographic,"A lamp 王 with a flame 丶" -121,丿,"radical in Chinese characters (Kangxi radical 4), aka 撇[pie3]",, -122,乂,"to regulate; to govern; to control; to mow",ideographic,"Shears, for cultivating a garden" -123,乃,"to be; thus; so; therefore; then; only; thereupon",ideographic,"A pregnant woman; compare 孕" -124,久,"(long) time; (long) duration of time",, -125,乇,"archaic variant of 托[tuo1]",, -126,乇,"""blade of grass"" component in Chinese characters",, -127,幺,"surname Yao",, -128,幺,"youngest; most junior; tiny; one (unambiguous spoken form when spelling out numbers, esp. on telephone or in military); one or ace on dice or dominoes; variant of 吆[yao1], to shout",, -129,之,"(possessive particle, literary equivalent of 的[de5]); him; her; it",ideographic,"A foot meaning ""to follow""; cursive version of 止" -130,乍,"at first; suddenly; abruptly; to spread; (of hair) to stand on end; bristling",, -131,乎,"(classical particle similar to 於|于[yu2]) in; at; from; because; than; (classical final particle similar to 嗎|吗[ma5], 吧[ba5], 呢[ne5], expressing question, doubt or astonishment)",, -132,乏,"short of; tired",ideographic,"A foot 之 running into a wall or barrier 丿" -133,乑,"to stand side by side; variant of 眾|众[zhong4]",, -134,乒,"(onom.) ping; bing",ideographic,"A ball bouncing back and forth; compare 乓" -135,乓,"(onom.) bang",ideographic,"A ball bouncing back and forth; compare 乒" -136,乖,"(of a child) obedient, well-behaved; clever; shrewd; alert; perverse; contrary to reason; irregular; abnormal",, -137,乘,"surname Cheng",ideographic,"Two feet 北 climbing a beanstalk 禾" -138,乘,"to ride; to mount; to make use of; to avail oneself of; to take advantage of; to multiply (math.); Buddhist sect or creed",ideographic,"Two feet 北 climbing a beanstalk 禾" -139,乘,"(archaic) four horse military chariot; (archaic) four; generic term for history books",ideographic,"Two feet 北 climbing a beanstalk 禾" -140,乙,"second of the ten Heavenly Stems 十天干[shi2 tian1 gan1]; second in order; letter ""B"" or Roman ""II"" in list ""A, B, C"", or ""I, II, III"" etc; second party (in legal contract, usually 乙方[yi3 fang1], as opposed to 甲方[jia3 fang1]); ethyl; bent; winding; radical in Chinese characters (Kangxi radical 5); ancient Chinese compass point: 105°",pictographic,"A swallow" -141,乙,"turning stroke (in Chinese characters), aka 折[zhe2]",pictographic,"A swallow" -142,乚,"component in Chinese characters; archaic variant of 毫[hao2]; archaic variant of 乙[yi3]",, -143,乛,"variant of 乙[zhe2]",, -144,乜,"surname Nie",, -145,乜,"used in 乜斜[mie1xie5]; (Cantonese) what?",, -146,九,"nine; 9",pictographic,"An elbow" -147,乞,"to beg",, -148,也,"surname Ye",, -149,也,"(adverb) also; both ... and ... (before predicates only); (literary) particle having functions similar to 啊[a5]",, -150,乩,"to divine",pictophonetic,"divine" -151,乳,"breast; milk",pictophonetic,"hidden" -152,乶,"(phonetic ""pol"", used in Korean place names)",pictophonetic,"second" -153,乾,"old variant of 乾[qian2]",ideographic,"Rays 十 emanating from the 日; 乞 provides the pronunciation" -154,干,"old variant of 乾|干[gan1]",pictographic,"A club or axe" -155,乾,"surname Qian",ideographic,"Rays 十 emanating from the 日; 乞 provides the pronunciation" -156,乾,"one of the Eight Trigrams 八卦[ba1 gua4], symbolizing heaven; male principle; ☰; ancient Chinese compass point: 315° (northwest)",ideographic,"Rays 十 emanating from the 日; 乞 provides the pronunciation" -157,干,"surname Gan",pictographic,"A club or axe" -158,干,"dry; dried food; empty; hollow; taken in to nominal kinship; adoptive; foster; futile; in vain; (dialect) rude; blunt; (dialect) to cold-shoulder",pictographic,"A club or axe" -159,乿,"archaic variant of 亂|乱[luan4]",, -160,乿,"archaic variant of 治[zhi4]",, -161,乾,"variant of 乾[qian2]",ideographic,"Rays 十 emanating from the 日; 乞 provides the pronunciation" -162,干,"variant of 乾|干[gan1]",pictographic,"A club or axe" -163,乱,"in confusion or disorder; in a confused state of mind; disorder; upheaval; riot; illicit sexual relations; to throw into disorder; to mix up; indiscriminate; random; arbitrary",, -164,亅,"""vertical stroke with hook"" radical in Chinese characters (Kangxi radical 6), aka 豎鉤|竖钩[shu4gou1]",, -165,了,"(completed action marker); (modal particle indicating change of state, situation now); (modal particle intensifying preceding clause)",pictographic,"A child swaddled in blanklets; compare 子" -166,了,"to finish; to achieve; variant of 瞭|了[liao3]; to understand clearly",pictographic,"A child swaddled in blanklets; compare 子" -167,予,"(archaic) I; me",, -168,予,"(literary) to give",, -169,事,"matter; thing; item; work; affair; CL:件[jian4],樁|桩[zhuang1],回[hui2]",, -170,二,"two; 2; (Beijing dialect) stupid",ideographic,"Two  parallel lines; compare 一 (one) and 三 (three)" -171,亍,"to step with the right foot (used in 彳亍[chi4chu4])",, -172,于,"surname Yu",, -173,于,"to go; to take; sentence-final interrogative particle; variant of 於|于[yu2]",, -174,云,"(classical) to say",pictographic,"A cloud" -175,互,"mutual",ideographic,"Two hooks hooking eachother" -176,亓,"surname Qi",, -177,亓,"his; her; its; their",, -178,五,"five; 5",ideographic,"Five elements (the cross with the extra stroke) between heaven 一 and earth 一 " -179,井,"Jing, one of the 28 constellations of Chinese astronomy; surname Jing",pictographic,"A mine or well" -180,井,"a well; CL:口[kou3]; neat; orderly",pictographic,"A mine or well" -181,亘,"extending all the way across; running all the way through",ideographic,"Stretching from heaven 一 to earth 一 " -182,些,"classifier indicating a small amount or small number greater than 1: some, a few, several",pictophonetic,"two" -183,斋,"old variant of 齋|斋[zhai1]",pictophonetic,"culture" -184,亚,"Asia; Asian; Taiwan pr. [Ya3]",pictographic,"Picture of a cross-shaped house or temple" -185,亚,"second; next to; inferior; sub-; Taiwan pr. [ya3]",pictographic,"Picture of a cross-shaped house or temple" -186,亟,"urgent",, -187,亟,"repeatedly; frequently",, -188,亠,"""lid"" radical in Chinese characters (Kangxi radical 8)",, -189,亡,"to die; to lose; to be gone; to flee; deceased",ideographic,"A man 人 in a coffin; see 亾" -190,亢,"surname Kang; Kang, one of the 28 constellations",, -191,亢,"high; overbearing; excessive",, -192,交,"to hand over; to deliver; to pay (money); to turn over; to make friends; (of lines) to intersect; variant of 跤[jiao1]",ideographic,"A person with crossed (intersecting) legs" -193,亥,"12th earthly branch: 9-11 p.m., 10th solar month (7th November-6th December), year of the Boar; ancient Chinese compass point: 330°",, -194,亦,"also",ideographic,"A man standing with arrows pointing to his armpits" -195,亨,"prosperous; henry (unit of inductance)",, -196,享,"to enjoy; to benefit; to have the use of",ideographic,"Children 子 living and eating 口 in the house 亠" -197,京,"surname Jing; Jing ethnic minority; abbr. for Beijing 北京[Bei3jing1]",pictographic,"A capital building on a hill" -198,京,"capital city of a country; big; algebraic term for a large number (old); artificial mound (old)",pictographic,"A capital building on a hill" -199,亭,"pavilion; booth; kiosk; erect",pictographic,"亠, 口, and 冖 form a picture of a pavilion; 丁 provides the pronunciation" -200,亮,"bright; light; to shine; to flash; loud and clear; to show (one's passport etc); to make public (one's views etc)",pictographic,"A lit oil lamp" -201,享,"old variant of 享[xiang3]",ideographic,"Children 子 living and eating 口 in the house 亠" -202,夜,"variant of 夜[ye4]",ideographic,"A person 亻 sneaking by under cover 亠 of night 夕" -203,亳,"name of district in Anhui; capital of Yin",, -204,亶,"surname Dan",pictophonetic, -205,亶,"sincere",pictophonetic, -206,廉,"old variant of 廉[lian2]",, -207,亹,"mountain pass; defile (archaic)",, -208,亹,"resolute",, -209,人,"person; people; CL:個|个[ge4],位[wei4]",pictographic,"The legs of a human being" -210,亻,"""person"" radical in Chinese characters (Kangxi radical 9)",ideographic,"Visual abbreviation of 人" -211,亼,"variant of 集[ji2]",, -212,亡,"old variant of 亡[wang2]",ideographic,"A man 人 in a coffin; see 亾" -213,什,"what",ideographic,"A file of ten 十 people 亻" -214,什,"ten (used in fractions, writing checks etc); assorted; miscellaneous",ideographic,"A file of ten 十 people 亻" -215,仁,"humane; kernel",ideographic,"A caring relationship between two 二 people 亻" -216,仂,"surplus; tithe",pictophonetic, -217,仃,"used in 伶仃[ling2ding1]",pictophonetic,"person" -218,仄,"to tilt; narrow; uneasy; oblique tones (in Chinese poetry)",ideographic,"A man 人 taking shelter in a lean-to 厂" -219,仆,"to fall forward; to fall prostrate",pictophonetic,"person" -220,仇,"surname Qiu",pictophonetic,"person" -221,仇,"hatred; animosity; enmity; foe; enemy; to feel animosity toward (the wealthy, foreigners etc)",pictophonetic,"person" -222,仇,"spouse; companion",pictophonetic,"person" -223,仉,"surname Zhang",, -224,今,"now; the present time; current; contemporary; this (day, year etc)",ideographic,"A mouth 亼 talking about things" -225,介,"to introduce; to lie between; between; shell; armor",ideographic,"A border 八 dividing people 人" -226,仌,"old variant of 冰[bing1]",ideographic,"Old variant of 冰 (""ice-water"")" -227,仍,"still; yet; to remain; (literary) frequently; often",pictophonetic,"then" -228,从,"variant of 從|从[cong2]",ideographic,"One person 人 following another" -229,仔,"variant of 崽[zai3]; (dialect) (bound form) young man",ideographic,"A person 亻 keeping watch over a child 子; 子 also provides the pronunciation" -230,仔,"used in 仔肩[zi1 jian1]",ideographic,"A person 亻 keeping watch over a child 子; 子 also provides the pronunciation" -231,仔,"(bound form) (of domestic animals or fowl) young; (bound form) fine; detailed",ideographic,"A person 亻 keeping watch over a child 子; 子 also provides the pronunciation" -232,仕,"to serve as an official; an official; the two chess pieces in Chinese chess guarding the ""general"" or ""king"" 將|将[jiang4]",pictophonetic,"person" -233,他,"he; him (used for either sex when the sex is unknown or unimportant); (used before sb's name for emphasis); (used as a meaningless mock object); (literary) other",ideographic,"An additional, ""also"" 也  person 亻" -234,仗,"weaponry; to hold (a weapon); to wield; to rely on; to depend on; war; battle",pictophonetic,"person" -235,付,"surname Fu",ideographic,"To hand 寸 something over to someone 亻 " -236,付,"to pay; to hand over to; classifier for pairs or sets of things",ideographic,"To hand 寸 something over to someone 亻 " -237,仙,"immortal",pictophonetic,"person" -238,仝,"variant of 同[tong2] (used as a surname and in given names)",pictophonetic,"person" -239,仞,"(measure)",pictophonetic, -240,仟,"thousand (banker's anti-fraud numeral)",pictophonetic,"people" -241,仡,"used in 仡佬族[Ge1 lao3 zu2], Gelao or Klau ethnic group of Guizhou; Taiwan pr. [qi4]",, -242,仡,"strong; brave",, -243,代,"to substitute; to act on behalf of others; to replace; generation; dynasty; age; period; (historical) era; (geological) eon",ideographic,"A man 亻 caught 弋 by the passing of time" -244,令,"used in 脊令[ji2 ling2]; used in 令狐[Ling2 hu2] (Taiwan pr. [ling4])",ideographic,"A person kneeling before a master 人" -245,令,"classifier for a ream of paper",ideographic,"A person kneeling before a master 人" -246,令,"to order; to command; an order; warrant; writ; to cause; to make sth happen; virtuous; honorific title; season; government position (old); type of short song or poem",ideographic,"A person kneeling before a master 人" -247,以,"abbr. for Israel 以色列[Yi3 se4 lie4]",, -248,以,"to use; by means of; according to; in order to; because of; at (a certain date or place)",, -249,仨,"three (colloquial equivalent of 三個|三个)",pictophonetic,"three" -250,仫,"used in 仫佬族[Mu4 lao3 zu2], Mulao ethnic group of Guangxi",pictophonetic,"people" -251,仰,"surname Yang",ideographic,"To exalt 卬 a person 亻" -252,仰,"to face upward; to look up; to admire; to rely on",ideographic,"To exalt 卬 a person 亻" -253,仲,"surname Zhong",ideographic,"The middle 中 person 亻; 中 also provides the pronunciation" -254,仲,"second month of a season; middle; intermediate; second amongst brothers",ideographic,"The middle 中 person 亻; 中 also provides the pronunciation" -255,仳,"to part",pictophonetic,"person" -256,仵,"surname Wu",pictophonetic, -257,仵,"equal; well-matched; to violate",pictophonetic, -258,件,"item; component; classifier for events, things, clothes etc",ideographic,"A man 亻 dividing up a cow 牛" -259,任,"surname Ren; Ren County 任縣|任县[Ren2 Xian4] in Hebei",pictophonetic,"person" -260,任,"to assign; to appoint; to take up a post; office; responsibility; to let; to allow; to give free rein to; no matter (how, what etc); classifier for terms served in office, or for spouses, girlfriends etc (as in 前任男友)",pictophonetic,"person" -261,份,"classifier for gifts, newspaper, magazine, papers, reports, contracts etc; variant of 分[fen4]",ideographic,"The lot or portion 分 allotted to a man 亻" -262,仿,"to imitate; to copy",pictophonetic,"to imitate a person" -263,企,"(bound form) to stand on tiptoe and look; to anticipate; to look forward to; abbr. for 企業|企业[qi3ye4]; Taiwan pr. [qi4]",ideographic,"A man 人 on his feet 止; 止 also provides the pronunciation" -264,伄,"used in 伄儅[diao4 dang1]",pictophonetic,"person" -265,伉,"spouse; big and tall; strong; robust; upright and outspoken",pictophonetic,"person" -266,伊,"surname Yi; abbr. for 伊拉克[Yi1la1ke4], Iraq; abbr. for 伊朗[Yi1lang3], Iran",pictophonetic,"person" -267,伊,"(old) third person singular pronoun (""he"" or ""she""); second person singular pronoun (""you""); (May 4th period) third person singular feminine pronoun (""she""); (Classical Chinese) introductory particle with no specific meaning; that (preceding a noun)",pictophonetic,"person" -268,伍,"surname Wu",ideographic,"Five 五 people 亻; 五 also provides the pronunciation" -269,伍,"squad of five soldiers; to associate with; five (banker's anti-fraud numeral)",ideographic,"Five 五 people 亻; 五 also provides the pronunciation" -270,伎,"artistry; talent; skill; (in ancient times) female entertainer",ideographic,"A man 亻 who can support 支 someone" -271,伏,"surname Fu",ideographic,"A person 亻 acting like a dog 犬" -272,伏,"to lean over; to fall (go down); to hide (in ambush); to conceal oneself; to lie low; hottest days of summer; to submit; to concede defeat; to overcome; to subdue; volt",ideographic,"A person 亻 acting like a dog 犬" -273,伐,"to cut down; to fell; to dispatch an expedition against; to attack; to boast; Taiwan pr. [fa1]",ideographic,"A person 亻 attacked 戈" -274,休,"surname Xiu",ideographic,"A person 亻 leaning against a tree 木" -275,休,"to rest; to stop doing sth for a period of time; to cease; (imperative) don't",ideographic,"A person 亻 leaning against a tree 木" -276,伕,"variant of 夫[fu1]",ideographic,"A working 夫 man 亻; 夫 also provides the pronunciation" -277,伙,"meals (abbr. for 伙食[huo3 shi2]); variant of 夥|伙[huo3]",pictophonetic,"person" -278,伢,"(dialect) child",pictophonetic,"person" -279,伯,"variant of 霸[ba4]",pictophonetic,"person" -280,伯,"one hundred (old)",pictophonetic,"person" -281,伯,"father's elder brother; senior; paternal elder uncle; eldest of brothers; respectful form of address; Count, third of five orders of nobility 五等爵位[wu3 deng3 jue2 wei4]",pictophonetic,"person" -282,估,"to estimate",pictophonetic,"person" -283,估,"used in 估衣[gu4yi5]",pictophonetic,"person" -284,伲,"variant of 你[ni3]",pictophonetic,"people" -285,伲,"(dialect) I; my; we; our",pictophonetic,"people" -286,伴,"partner; companion; comrade; associate; to accompany",pictophonetic,"person" -287,伶,"(old) actor; actress; (meaningless bound form)",pictophonetic,"person" -288,伸,"to stretch; to extend",ideographic,"To extend your confidence 申 to another person 亻; 申 also provides the pronunciation" -289,伺,"used in 伺候[ci4hou5]",pictophonetic,"person" -290,伺,"to watch; to wait; to examine; to spy",pictophonetic,"person" -291,似,"used in 似的[shi4de5]",ideographic,"One person 亻 resembles another" -292,似,"to seem; to appear; to resemble; similar; -like; pseudo-; (more) than",ideographic,"One person 亻 resembles another" -293,伽,"traditionally used as phonetic for ""ga""; also pr. [ga1]; also pr. [qie2]",pictophonetic,"person" -294,伾,"multitudinous; powerful",ideographic,"A great 丕 man 亻; 丕 also provides the pronunciation" -295,似,"old variant of 似[si4]",ideographic,"One person 亻 resembles another" -296,佃,"to rent farmland from a landlord",ideographic,"A person 亻 on the farm 田; 田 also provides the pronunciation" -297,佃,"to cultivate; to hunt",ideographic,"A person 亻 on the farm 田; 田 also provides the pronunciation" -298,但,"but; yet; however; still; merely; only; just",pictophonetic, -299,伫,"to stand for a long time; to wait; to look forward to; to accumulate",, -300,布,"variant of 布[bu4]; to announce; to spread",ideographic,"Cloth 巾 held in a hand" -301,佉,"surname Qu",pictophonetic,"person" -302,位,"position; location; place; seat; classifier for people (honorific); classifier for binary bits (e.g. 十六位 16-bit or 2 bytes); (physics) potential",ideographic,"The place where a person 亻 stands 立" -303,低,"low; beneath; to lower (one's head); to let droop; to hang down; to incline",pictophonetic, -304,住,"to live; to dwell; to stay; to reside; to stop; (suffix indicating firmness, steadiness, or coming to a halt)",ideographic,"A person 亻 who hosts 主; 主 also provides the pronunciation" -305,佐,"to assist; assistant; aide; to accompany",pictophonetic,"person" -306,佑,"(bound form) to bless; to protect",pictophonetic,"person" -307,占,"variant of 占[zhan4]",ideographic,"To speak 口 omens ⺊" -308,何,"surname He",, -309,何,"what; how; why; which; carry",, -310,佗,"carry on the back",ideographic,"Another 它 person 亻; see 他 and 她 for modern variants" -311,佘,"surname She",pictophonetic,"person" -312,余,"surname Yu",, -313,余,"(literary) I; me; variant of 餘|余[yu2]",, -314,佚,"surname Yi",ideographic,"To lose 失 a person 亻" -315,佚,"old variant of 迭[die2]",ideographic,"To lose 失 a person 亻" -316,佚,"lost; missing; forsaken; dissolute; (of a woman) beautiful; fault; offense; hermit; variant of 逸[yi4]",ideographic,"To lose 失 a person 亻" -317,佛,"Buddha; Buddhism (abbr. for 佛陀[Fo2tuo2])",pictophonetic,"person" -318,作,"(bound form) worker; (bound form) workshop; (slang) troublesome; high-maintenance (person)",ideographic,"A person 亻 making something for the first time 乍; 乍 also provides the pronunciation" -319,作,"to do; to engage in; to write; to compose; to pretend; to feign; to regard as; to consider to be; to be; to act the part of; to feel (itchy, nauseous etc); writings; works",ideographic,"A person 亻 making something for the first time 乍; 乍 also provides the pronunciation" -320,佝,"used in 佝僂|佝偻[gou1 lou2]",, -321,佝,"used in 佝瞀[kou4mao4]",, -322,佞,"to flatter; flattery",ideographic,"Kindness 仁 toward a woman 女" -323,佟,"surname Tong",pictophonetic,"person" -324,你,"you (informal, as opposed to courteous 您[nin2])",ideographic,"Pronoun 尔 for a person 亻" -325,佣,"commission (for middleman); brokerage fee",ideographic,"An employed 用 person 亻; 用 also provides the pronunciation" -326,佤,"Wa, Kawa or Va ethnic group of Myanmar, south China and southeast Asia",pictophonetic,"people" -327,佧,"ancient name for an ethnic group in China",pictophonetic,"people" -328,佩,"to respect; to wear (belt etc)",ideographic,"Common 凡 cloth 巾 ornaments worn by people 亻" -329,佬,"male; man (Cantonese)",ideographic,"An old 老 person 亻; 老 also provides the pronunciation" -330,佯,"to feign; to pretend",pictophonetic,"person" -331,佰,"hundred (banker's anti-fraud numeral)",ideographic,"One hundred 百 people 亻; 百 also provides the pronunciation" -332,佳,"surname Jia",pictophonetic,"person" -333,佳,"beautiful; fine; good",pictophonetic,"person" -334,佴,"assistant",ideographic,"A second 耳 person 亻; 耳 also provides the pronunciation" -335,并,"to combine; to amalgamate",ideographic,"Simplified form of 並; two men standing side-by-side" -336,佶,"difficult to pronounce",pictophonetic,"person" -337,佻,"frivolous; unsteady; delay",, -338,佼,"handsome",pictophonetic,"person" -339,佽,"surname Ci",pictophonetic,"person" -340,佽,"nimble; to help",pictophonetic,"person" -341,佾,"row of dancers at sacrifices",, -342,使,"to make; to cause; to enable; to use; to employ; to send; to instruct sb to do sth; envoy; messenger",ideographic,"A person 亻 working for the government 吏" -343,侃,"upright and honest; cheerful; to chat idly; to boast; to talk smoothly",ideographic,"As trustworthy 㐰 as spring-water 川" -344,侄,"variant of 姪|侄[zhi2]",pictophonetic,"person" -345,来,"to come; (used as a substitute for a more specific verb); hither (directional complement for motion toward the speaker, as in 回來|回来[hui2lai5]); ever since (as in 自古以來|自古以来[zi4gu3 yi3lai2]); for the past (amount of time); (prefix) the coming ...; the next ... (as in 來世|来世[lai2shi4]); (between two verbs) in order to; (after a round number) approximately; (used after 得[de2] to indicate possibility, as in 談得來|谈得来[tan2de5lai2], or after 不[bu4] to indicate impossibility, as in 吃不來|吃不来[chi1bu5lai2])",ideographic,"A wheat plant that has not yet borne fruit; compare 來" -346,侈,"extravagant; wasteful; exaggerating",ideographic,"A person 亻 with more than they need 多" -347,侉,"foreign accent",pictophonetic,"person" -348,例,"example; precedent; rule; case; instance",pictophonetic,"person" -349,侌,"old variant of 陰|阴[yin1]",pictophonetic, -350,侍,"to serve; to attend upon",pictophonetic,"person" -351,侏,"dwarf",pictophonetic,"person" -352,侑,"(literary) to urge sb (to eat or drink)",pictophonetic,"person" -353,侔,"similar; comparable; equal",pictophonetic,"person" -354,仑,"to arrange",, -355,侗,"Dong ethnic group (aka Kam people)",pictophonetic,"person" -356,侗,"ignorant",pictophonetic,"person" -357,供,"to provide; to supply; to be for (the use or convenience of)",ideographic,"A person 亻 making an offering with both hands 共; 共 also provides the pronunciation" -358,供,"to lay (sacrificial offerings); (bound form) offerings; to confess (Taiwan pr. [gong1]); confession; statement (Taiwan pr. [gong1])",ideographic,"A person 亻 making an offering with both hands 共; 共 also provides the pronunciation" -359,依,"to depend on; to comply with or listen to sb; according to; in the light of",pictophonetic,"person" -360,侮,"to insult; to ridicule; to disgrace",, -361,侯,"surname Hou",pictographic,"A person 亻 who might be a target 矦" -362,侯,"marquis, second of the five orders of ancient Chinese nobility 五等爵位[wu3deng3 jue2wei4]; nobleman; high official",pictographic,"A person 亻 who might be a target 矦" -363,侵,"to invade; to encroach; to infringe; to approach",, -364,侣,"companion",pictophonetic,"person" -365,局,"narrow",ideographic,"A place where measures 尺 are discussed 口" -366,便,"plain; informal; suitable; convenient; opportune; to urinate or defecate; equivalent to 就[jiu4]: then; in that case; even if; soon afterwards",, -367,便,"used in 便宜|便宜[pian2yi5]; used in 便便[pian2pian2]; used in 便嬛[pian2xuan1]",, -368,俣,"big",pictophonetic,"person" -369,系,"to connect; to relate to; to tie up; to bind; to be (literary)",pictophonetic,"thread" -370,促,"(bound form) of short duration; hasty; rapid; (bound form) to hasten; to hurry; to urge; (literary) close by; pressed against",ideographic,"Someone 亻 on your heels 足; 足 also provides the pronunciation" -371,俄,"Russia; Russian; abbr. for 俄羅斯|俄罗斯[E2 luo2 si1]; Taiwan pr. [E4]",pictophonetic, -372,俄,"suddenly; very soon",pictophonetic, -373,俅,"ornamental cap",pictophonetic, -374,俉,"used in 逢俉[feng2wu2]",pictophonetic,"person" -375,俊,"smart; eminent; handsome; talented",pictophonetic,"person" -376,俊,"(dialectal pronunciation of 俊[jun4]); cool; neat",pictophonetic,"person" -377,俎,"a stand for food at sacrifice",pictographic,"A slab of meat on a chopping board 且" -378,俏,"good-looking; charming; (of goods) in great demand; (coll.) to season (food)",ideographic,"A similar 肖 person 亻; 肖 also provides the pronunciation" -379,俐,"clever",pictophonetic,"person" -380,俑,"wooden figures buried with the dead",pictophonetic,"person" -381,俗,"custom; convention; popular; common; coarse; vulgar; secular",pictophonetic,"person" -382,俘,"to take prisoner; prisoner of war",pictophonetic,"person" -383,俚,"old name for the 黎[Li2] ethnic group",pictophonetic,"person" -384,俚,"rustic; vulgar; unrefined; abbr. for 俚語|俚语[li3 yu3], slang",pictophonetic,"person" -385,俛,"to exhort",, -386,俯,"variant of 俯[fu3]",pictophonetic,"person" -387,俜,"used in 伶俜[ling2ping1]",ideographic,"A trusted 甹 person 亻;  甹 also provides the pronunciation" -388,保,"Bulgaria (abbr. for 保加利亞|保加利亚[Bao3jia1li4ya4])",pictophonetic,"person" -389,保,"to defend; to protect; to keep; to guarantee; to ensure; (old) civil administration unit in the baojia 保甲[bao3jia3] system",pictophonetic,"person" -390,俞,"surname Yu",, -391,俞,"variant of 腧[shu4]",, -392,俞,"yes (used by Emperor or ruler); OK; to accede; to assent",, -393,俟,"used in 万俟[Mo4 qi2]",ideographic,"A person 亻 waiting for something to finish 矣; 矣 also provides the pronunciation" -394,俟,"(literary) to wait for",ideographic,"A person 亻 waiting for something to finish 矣; 矣 also provides the pronunciation" -395,侠,"knight-errant; brave and chivalrous; hero; heroic",pictophonetic,"person" -396,信,"letter; mail; CL:封[feng1]; to trust; to believe; to profess faith in; truthful; confidence; trust; at will; at random",, -397,修,"surname Xiu",pictophonetic,"hair" -398,修,"to decorate; to embellish; to repair; to build; to write; to cultivate; to study; to take (a class)",pictophonetic,"hair" -399,俯,"to look down; to stoop",pictophonetic,"person" -400,俱,"(literary) all; both; entirely; without exception; (literary) to be together; (literary) to be alike",pictophonetic,"person" -401,效,"variant of 傚|效[xiao4]",pictophonetic,"strike" -402,俳,"not serious; variety show",pictophonetic,"person" -403,俸,"(bound form) salary; stipend",ideographic,"Wages offered 奉 to a person 亻; 奉 also provides the pronunciation" -404,俺,"I (northern dialects)",pictophonetic,"person" -405,备,"variant of 備|备[bei4]",ideographic,"To go 夂 to the farm 田 to prepare for a harvest" -406,俾,"to cause; to enable; phonetic bi; Taiwan pr. [bi4]",pictophonetic, -407,伥,"(bound form) ghost of sb devoured by a tiger who helps the tiger devour others",pictophonetic,"person" -408,俩,"two (colloquial equivalent of 兩個|两个); both; some",ideographic,"A couple 寿; 寿 also provides the pronunciation" -409,俩,"used in 伎倆|伎俩[ji4 liang3]",ideographic,"A couple 寿; 寿 also provides the pronunciation" -410,仓,"barn; granary; storehouse; cabin; hold (in ship)",ideographic,"Simplified form of 倉; grains 食 kept in storage 口" -411,个,"used in 自個兒|自个儿[zi4 ge3 r5]",ideographic,"A tally 丨 of people 人" -412,个,"(classifier used before a noun that has no specific classifier); (bound form) individual",ideographic,"A tally 丨 of people 人" -413,倌,"keeper of domestic animals; herdsman; (old) hired hand in certain trade",pictophonetic,"person" -414,倍,"(two, three etc) -fold; times (multiplier); double; to increase or multiply",, -415,倏,"sudden; abrupt; Taiwan pr. [shu4]",pictophonetic,"dog" -416,倏,"variant of 倏[shu1]",pictophonetic,"dog" -417,们,"plural marker for pronouns, and nouns referring to individuals",pictophonetic,"people" -418,倒,"to fall; to collapse; to lie horizontally; to fail; to go bankrupt; to overthrow; to change (trains or buses); to move around; to resell at a profit",pictophonetic,"person" -419,倒,"to invert; to place upside down or frontside back; to pour out; to tip out; to dump; inverted; upside down; reversed; to go backward; contrary to what one might expect; but; yet",pictophonetic,"person" -420,倔,"used in 倔強|倔强[jue2 jiang4]",ideographic,"Someone 亻 who does not bend 屈; 屈 also provides the pronunciation" -421,倔,"gruff; surly",ideographic,"Someone 亻 who does not bend 屈; 屈 also provides the pronunciation" -422,幸,"trusted; intimate; (of the emperor) to visit; variant of 幸[xing4]",ideographic,"Two men, one alive 土 and one dead 干; the living one is lucky" -423,倘,"used in 倘佯[chang2 yang2]",pictophonetic,"person" -424,倘,"if; supposing; in case",pictophonetic,"person" -425,候,"to wait; to inquire after; to watch; season; climate; (old) period of five days",pictophonetic,"person" -426,倚,"to lean on; to rely upon",pictophonetic,"person" -427,倜,"energetic; exalted; magnanimous",, -428,倝,"dawn (archaic)",pictophonetic,"sunlight" -429,倞,"strong; powerful",ideographic,"Someone 亻 living in the capital 京; 京 also provides the pronunciation" -430,倞,"distant; to seek; old variant of 亮[liang4]; bright",ideographic,"Someone 亻 living in the capital 京; 京 also provides the pronunciation" -431,借,"to borrow; (used in combination with 給|给[gei3] or 出[chu1] etc) to lend; to make use of; to avail oneself of; (sometimes followed by 著|着[zhe5]) by; with",pictophonetic,"person" -432,倡,"to initiate; to instigate; to introduce; to lead",ideographic,"Someone 亻 who lights the way 昌; 昌 also provides the pronunciation" -433,仿,"variant of 仿[fang3]",pictophonetic,"to imitate a person" -434,倥,"ignorant; blank-minded",pictophonetic,"person" -435,倥,"urgent; pressed",pictophonetic,"person" -436,倦,"tired",ideographic,"A curled-up 卷 person 亻; 卷 also provides the pronunciation" -437,倨,"(literary) haughty; arrogant",pictophonetic,"person" -438,倩,"pretty; winsome; to ask for sb's help; son-in-law (old)",ideographic,"A young 青 person 亻; 青 also provides the pronunciation" -439,倪,"surname Ni",ideographic,"A young child 兒" -440,倪,"(literary) small child; (literary) limit; bound; extremity; (literary) to differentiate; (literary) origin; cause",ideographic,"A young child 兒" -441,伦,"human relationship; order; coherence",ideographic,"The logical order 仑 of human 亻 society; 仑 also provides the pronunciation" -442,倬,"noticeable; large; clear; distinct; Taiwan pr. [zhuo2]",pictophonetic,"person" -443,倭,"dwarf; Japanese (derog.) (old)",pictophonetic,"person" -444,倮,"variant of 裸[luo3]",pictophonetic,"person" -445,睬,"variant of 睬[cai3]",pictophonetic,"eye" -446,倻,"used to represent phonetic ""ya"" in Korean names",pictophonetic,"people" -447,值,"value; (to be) worth; to happen to; to be on duty",pictophonetic,"person" -448,偃,"surname Yan",pictophonetic,"person" -449,偃,"to lie supine; to stop; to fall down",pictophonetic,"person" -450,假,"used in 假掰[gei1 bai1]",ideographic,"A false 叚 person 亻; 叚 also provides the pronunciation" -451,假,"fake; false; artificial; to borrow; if; suppose",ideographic,"A false 叚 person 亻; 叚 also provides the pronunciation" -452,假,"vacation",ideographic,"A false 叚 person 亻; 叚 also provides the pronunciation" -453,偈,"Buddhist hymn; gatha; Buddhist verse",, -454,偈,"forceful; martial",, -455,伟,"big; large; great",pictophonetic,"person" -456,偌,"so; such; to such a degree",pictophonetic,"person" -457,偎,"to cuddle",ideographic,"To cling to someone 亻 in fear 畏; 畏 also provides the pronunciation" -458,偏,"to lean; to slant; oblique; prejudiced; to deviate from average; to stray from the intended line; stubbornly; contrary to expectations",pictophonetic,"person" -459,偕,"in company with",pictophonetic,"person" -460,侃,"old variant of 侃[kan3]",ideographic,"As trustworthy 㐰 as spring-water 川" -461,做,"to make; to produce; to write; to compose; to do; to engage in; to hold (a party etc); (of a person) to be (an intermediary, a good student etc); to become (husband and wife, friends etc); (of a thing) to serve as; to be used for; to assume (an air or manner)",ideographic,"Someone 亻 who causes things to happen 故; 故 also provides the pronuncation" -462,停,"to stop; to halt; to park (a car)",pictophonetic,"person" -463,健,"healthy; to invigorate; to strengthen; to be good at; to be strong in",ideographic,"Someone 亻 who can build 建 things; 建 also provides the pronunciation" -464,逼,"variant of 逼[bi1]; to compel; to pressure",pictophonetic,"walk" -465,侧,"the side; to incline towards; to lean; inclined; lateral; side",pictophonetic,"person" -466,侧,"lean on one side",pictophonetic,"person" -467,侦,"to scout; to spy; to detect",pictophonetic,"person" -468,偶,"accidental; image; pair; mate",pictophonetic,"person" -469,偷,"to steal; to pilfer; to snatch; thief; stealthily",pictophonetic,"person" -470,咱,"variant of 咱[zan2]",pictophonetic,"mouth" -471,伪,"false; fake; forged; bogus; (prefix) pseudo-; Taiwan pr. [wei4]",pictophonetic, -472,傀,"grand; strange; exotic",pictophonetic,"person" -473,傀,"used in 傀儡[kui3lei3]",pictophonetic,"person" -474,傅,"surname Fu",ideographic,"Someone 亻 who lectures 尃; 尃 also provides the pronunciation" -475,傅,"(bound form) instructor; (literary) to instruct; to attach; to apply (makeup etc)",ideographic,"Someone 亻 who lectures 尃; 尃 also provides the pronunciation" -476,傈,"used in 傈僳[Li4 su4]",pictophonetic,"people" -477,傍,"near; approaching; to depend on; (slang) to have an intimate relationship with sb; Taiwan pr. [pang2], [bang1], [bang4]",ideographic,"Someone 亻 by your side 旁; 旁 also provides the pronunciation" -478,杰,"(bound form) hero; heroic; outstanding person; prominent; distinguished",, -479,傕,"surname Jue",pictophonetic,"person" -480,傕,"used in old names",pictophonetic,"person" -481,伧,"low fellow; rustic; rude; rough",ideographic,"A person 亻 from the farm 仓; 仓 also provides the pronunciation" -482,伞,"umbrella; parasol; CL:把[ba3]",pictographic,"An umbrella" -483,备,"(bound form) to prepare; to equip; (literary) fully; in every possible way",ideographic,"To go 夂 to the farm 田 to prepare for a harvest" -484,效,"to imitate (variant of 效[xiao4])",pictophonetic,"strike" -485,家,"used in 傢伙|家伙[jia1 huo5] and 傢俱|家俱[jia1 ju4]",pictophonetic,"roof" -486,傣,"Dai (ethnic group)",pictophonetic,"people" -487,催,"to urge; to press; to prompt; to rush sb; to hasten sth; to expedite",pictophonetic,"person" -488,佣,"to hire; to employ; servant; hired laborer; domestic help",ideographic,"An employed 用 person 亻; 用 also provides the pronunciation" -489,偬,"busy; hurried; despondent",ideographic,"Someone 亻 in a rush 怱; 怱 also provides the pronunciation" -490,傲,"proud; arrogant; to despise; unyielding; to defy",pictophonetic,"person" -491,传,"to pass on; to spread; to transmit; to infect; to transfer; to circulate; to conduct (electricity)",pictophonetic,"people" -492,传,"biography; historical narrative; commentaries; relay station",pictophonetic,"people" -493,伛,"hunchbacked",ideographic,"A person 亻 forced into a box 区" -494,债,"debt; CL:筆|笔[bi3]",ideographic,"A person's 亻 duty 责; 责 also provides the pronunciation" -495,伤,"to injure; injury; wound",, -496,傺,"to detain; to hinder",pictophonetic,"person" -497,傻,"foolish",ideographic,"A man 亻 being hit 夂 on the head 囟" -498,倾,"to overturn; to collapse; to lean; to tend; to incline; to pour out",pictophonetic,"person" -499,傿,"name of an immortal; ancient place name; surname Yan",pictophonetic,"person" -500,傿,"fraudulent price",pictophonetic,"person" -501,偻,"hunchback",pictophonetic,"person" -502,偻,"crookbacked",pictophonetic,"person" -503,仅,"barely; only; merely",pictophonetic,"person" -504,佥,"all",ideographic,"Many people gathered 亼 under one roof" -505,仙,"variant of 仙[xian1]",pictophonetic,"person" -506,像,"to resemble; to be like; to look as if; such as; appearance; image; portrait; image under a mapping (math.)",pictophonetic,"person" -507,侨,"emigrant; to reside abroad",pictophonetic,"person" -508,仆,"servant",pictophonetic,"person" -509,僖,"surname Xi",ideographic,"Someone 亻 in love 喜; 喜 also provides the pronunciation" -510,僖,"cautious; merry; joyful",ideographic,"Someone 亻 in love 喜; 喜 also provides the pronunciation" -511,僚,"surname Liao",pictophonetic,"person" -512,僚,"bureaucrat; colleague",pictophonetic,"person" -513,伪,"variant of 偽|伪[wei3]",pictophonetic, -514,侥,"by mere luck",pictophonetic,"person" -515,侥,"used in 僬僥|僬侥[Jiao1 Yao2]",pictophonetic,"person" -516,僦,"(literary) to rent; to hire; to lease",pictophonetic,"person" -517,僧,"(bound form) Buddhist monk (abbr. for 僧伽[seng1 qie2])",pictophonetic,"person" -518,偾,"to instigate; to ruin; to destroy",pictophonetic,"person" -519,僬,"used in 僬僥|僬侥[jiao1 yao2]; used in 僬僬[jiao1 jiao1]",pictophonetic,"person" -520,僭,"(bound form) to overstep one's authority",pictophonetic,"person" -521,僮,"old variant of 壯|壮, Zhuang ethnic group of Guangxi",ideographic,"A servant boy 童; 童 also provides the pronunciation" -522,僮,"servant boy",ideographic,"A servant boy 童; 童 also provides the pronunciation" -523,雇,"variant of 雇[gu4]",pictophonetic,"bird" -524,僳,"Lisu ethnic group of Yunnan",pictophonetic,"people" -525,僵,"rigid; deadlock; stiff (corpse)",pictophonetic,"person" -526,价,"price; value; (chemistry) valence",pictophonetic, -527,价,"great; good; middleman; servant",pictophonetic, -528,僻,"(bound form) remote; out of the way; off-center; eccentric",pictophonetic,"people living out of the way" -529,仪,"apparatus; rites; appearance; present; ceremony",pictophonetic, -530,俊,"variant of 俊[jun4]",pictophonetic,"person" -531,侬,"you (Wu dialect); I, me (classical)",pictophonetic,"person" -532,亿,"100 million",pictophonetic,"people" -533,儅,"stop",pictophonetic,"person" -534,儆,"to warn; to admonish",pictophonetic,"person" -535,儇,"(literary) ingenious; (literary) frivolous",pictophonetic,"person" -536,侩,"broker",ideographic,"A person 亻 who organizes a meeting 会" -537,俭,"(bound form) frugal; thrifty",pictophonetic,"person" -538,儋,"carry",pictophonetic,"person" -539,傧,"best man; to entertain",ideographic,"Someone 亻 who hosts guests 宾; 宾 also provides the pronunciation" -540,儒,"scholar; Confucian",pictophonetic,"person" -541,俦,"comrades; friends; companions",ideographic,"Someone 亻 with you all your life 寿; 寿 also provides the pronunciation" -542,侪,"a class; a company; companion",pictophonetic,"person" -543,拟,"doubtful; suspicious; variant of 擬|拟[ni3]; to emulate; to imitate",pictophonetic,"hand" -544,尽,"to the greatest extent; (when used before a noun of location) furthest or extreme; to be within the limits of; to give priority to",, -545,偿,"to repay; to compensate for; to recompense; to fulfill (hopes etc)",pictophonetic,"person" -546,儡,"used in 傀儡[kui3lei3]",pictophonetic,"person" -547,优,"excellent; superior",pictophonetic,"person" -548,储,"surname Chu; Taiwan pr. [Chu2]",pictophonetic,"person" -549,储,"(bound form) to store up; to keep in reserve; heir to the throne; Taiwan pr. [chu2]",pictophonetic,"person" -550,倏,"variant of 倏[shu1]",pictophonetic,"dog" -551,俪,"husband and wife",pictophonetic,"person" -552,傩,"to exorcise demons",pictophonetic,"person" -553,傥,"if; unexpectedly",pictophonetic,"person" -554,俨,"majestic; dignified",pictophonetic,"person" -555,儿,"variant of 人[ren2]; ""person"" radical in Chinese characters (Kangxi radical 10), occurring in 兒, 兀, 兄 etc",pictographic,"Simplified form of 兒, a picture of a child; compare 人" -556,兀,"surname Wu",ideographic,"Cutting 一 off the feet 儿" -557,兀,"cut off the feet; rising to a height; towering; bald",ideographic,"Cutting 一 off the feet 儿" -558,允,"just; fair; to permit; to allow",, -559,元,"surname Yuan; Yuan dynasty (1279-1368)",pictographic,"A man 儿 with two lines emphasizing their head 二" -560,元,"currency unit (esp. Chinese yuan); (bound form) first; original; primary; (bound form) basic; fundamental; (bound form) constituent; part; (prefix) meta-; (math.) argument; variable; era (of a reign); (Tw) (geology) eon",pictographic,"A man 儿 with two lines emphasizing their head 二" -561,兄,"elder brother",ideographic,"Older brother 儿 speaking 口 to younger ones" -562,充,"sufficient; full; to fill; to serve as; to act as; to act falsely as; to pose as",, -563,兆,"surname Zhao",pictographic,"Cracks in oracle bones used in fortune-telling" -564,兆,"(bound form) omen; to foretell; million; mega-; (Tw) trillion; tera-; (old) billion",pictographic,"Cracks in oracle bones used in fortune-telling" -565,凶,"terrible; fearful",ideographic,"A container 凵 of wickedness 乂" -566,先,"beforehand; first; earlier; at first; originally; for the time being; for now; (prefix) my late (in referring to deceased relatives older than oneself)",ideographic,"Someone stepping 止 in front of another person 儿" -567,光,"light; ray (CL:道[dao4]); bright; shiny; only; merely; used up; finished; to leave (a part of the body) uncovered",ideographic,"A person 儿 carrying a torch 火" -568,克,"abbr. for 克羅地亞|克罗地亚[Ke4 luo2 di4 ya4], Croatia; (Tw) abbr. for 克羅埃西亞|克罗埃西亚[Ke4 luo2 ai1 xi1 ya4], Croatia",ideographic,"A weapon 十 used to subdue a beast 兄" -569,克,"to be able to; to subdue; to restrain; to overcome; gram; Tibetan unit of land area, about 6 ares",ideographic,"A weapon 十 used to subdue a beast 兄" -570,兑,"surname Dui",ideographic,"A beast 兄 with two horns 丷" -571,兑,"to cash; to exchange; to add (liquid); to blend; one of the Eight Trigrams 八卦[ba1 gua4], symbolizing swamp; ☱",ideographic,"A beast 兄 with two horns 丷" -572,免,"to excuse sb; to exempt; to remove or dismiss from office; to avoid; to avert; to escape; to be prohibited",, -573,免,"old variant of 絻[wen4]",, -574,兔,"variant of 兔[tu4]",pictographic,"A rabbit" -575,儿,"child; son",pictographic,"Simplified form of 兒, a picture of a child; compare 人" -576,儿,"non-syllabic diminutive suffix; retroflex final",pictographic,"Simplified form of 兒, a picture of a child; compare 人" -577,兔,"rabbit",pictographic,"A rabbit" -578,兕,"animal cited in ancient texts, resembling a buffalo (some say rhinoceros or female rhinoceros)",, -579,兖,"used in 兗州|兖州[Yan3 zhou1]",, -580,兜,"pocket; bag; to wrap up or hold in a bag; to move in a circle; to canvas or solicit; to take responsibility for; to disclose in detail; combat armor (old)",ideographic,"A man wearing a helmet, now meaning ""pouch""" -581,兟,"to advance",ideographic,"Two people 先 marching; 先 also provides the pronunciation" -582,兜,"old variant of 兜[dou1]",ideographic,"A man wearing a helmet, now meaning ""pouch""" -583,兢,"to be fearful; apprehensive",, -584,入,"to enter; to go into; to join; to become a member of; to confirm or agree with; abbr. for 入聲|入声[ru4 sheng1]",ideographic,"An arrow indicating ""enter""" -585,内,"inside; inner; internal; within; interior",ideographic,"A man 人  entering a door 冂" -586,全,"surname Quan",ideographic,"Jade 玉 put away 入 for safe-keeping" -587,全,"all; whole; entire; every; complete",ideographic,"Jade 玉 put away 入 for safe-keeping" -588,两,"two; both; some; a few; tael, unit of weight equal to 50 grams (modern) or 1⁄16 of a catty 斤[jin1] (old)",ideographic,"Two people 从 together in a cart" -589,八,"eight; 8",ideographic,"Two bent lines meaning ""to divide""" -590,公,"public; collectively owned; common; international (e.g. high seas, metric system, calendar); make public; fair; just; Duke, highest of five orders of nobility 五等爵位[wu3 deng3 jue2 wei4]; honorable (gentlemen); father-in-law; male (animal)",ideographic,"To divide 八 what is private 厶" -591,六,"six; 6",, -592,兮,"(particle in old Chinese similar to 啊)",, -593,共,"common; general; to share; together; total; altogether; abbr. for 共產黨|共产党[Gong4 chan3 dang3], Communist party",ideographic,"Two hands 八 holding one object 廾" -594,兵,"soldiers; a force; an army; weapons; arms; military; warlike; CL:個|个[ge4]",ideographic,"Two hands 八 holding an axe 丘" -595,其,"his; her; its; their; that; such; it (refers to sth preceding it)",, -596,具,"tool; device; utensil; equipment; instrument; talent; ability; to possess; to have; to provide; to furnish; to state; classifier for devices, coffins, dead bodies",ideographic,"Two hands 八 writing on a tablet 目" -597,典,"canon; law; standard work of scholarship; literary quotation or allusion; ceremony; to be in charge of; to mortgage or pawn",ideographic,"Two hands 八 holding a book 冊" -598,兼,"double; twice; simultaneous; holding two or more (official) posts at the same time",ideographic,"A hand holding two sheafs of grain 禾" -599,冀,"short name for Hebei 河北[He2bei3]; surname Ji",pictophonetic,"north" -600,冀,"(literary) to hope for",pictophonetic,"north" -601,冂,"radical in Chinese characters (Kangxi radical 13), occurring in 用[yong4], 同[tong2], 網|网[wang3] etc, referred to as 同字框[tong2 zi4 kuang4]",, -602,冉,"variant of 冉[ran3]",, -603,円,"yen (Japanese currency); Japanese variant of 圓|圆",, -604,冉,"surname Ran",, -605,冉,"edge of a tortoiseshell; used in 冉冉[ran3 ran3]",, -606,册,"book; booklet; classifier for books",pictographic,"Bamboo strips 冂 tied together to form a book" -607,冋,"archaic variant of 坰[jiong1]",ideographic,"A plot of land 口 surrounded by a border 冂; 冂 also provides the pronunciation" -608,再,"again; once more; re-; second; another; then (after sth, and not until then); no matter how ... (followed by an adjective or verb, and then (usually) 也[ye3] or 都[dou1] for emphasis)",pictographic,"Two fish 冉 caught on a line 一" -609,冏,"velvetleaf (Abutilon avicennae), plant of the jute family; bright",ideographic,"Archaic form of 炯" -610,冒,"old variant of 冒[mao4]",pictophonetic, -611,冑,"variant of 胄[zhou4]",ideographic,"A man ⺼ wearing a helmet 由" -612,冒,"surname Mao",pictophonetic, -613,冒,"to emit; to give off; to send out (or up, forth); to brave; to face; (bound form) reckless; to falsely adopt (sb's identity etc); to feign; (literary) to cover",pictophonetic, -614,冓,"inner rooms of palace; ten billions",, -615,冕,"crown in the form of a horizontal board with hanging decorations; imperial crown",pictophonetic,"crown" -616,冖,"""cover"" radical in Chinese characters (Kangxi radical 14), occurring in 軍|军[jun1], 冠[guan1] etc, known as 禿寶蓋|秃宝盖[tu1 bao3 gai4] or 平寶蓋|平宝盖[ping2 bao3 gai4]",pictographic,"A cover-cloth" -617,冗,"extraneous; redundant; superfluous; busy schedule",ideographic,"A cover-cloth 冖 on a table 几" -618,冘,"to go forward; to advance",pictophonetic,"towel" -619,冘,"(bound form) mostly used in either 冘豫[you2 yu4] or 冘疑[you2 yi2]",pictophonetic,"towel" -620,冠,"surname Guan",ideographic,"A man 元 puts on a cap 冖 with his hand 寸" -621,冠,"hat; crown; crest; cap",ideographic,"A man 元 puts on a cap 冖 with his hand 寸" -622,冠,"to put on a hat; to be first; to dub",ideographic,"A man 元 puts on a cap 冖 with his hand 寸" -623,冡,"old variant of 蒙[meng2]",, -624,冢,"mound; burial mound; senior (i.e. eldest child or senior in rank)",pictophonetic,"shroud" -625,冣,"old variant of 聚[ju4]",pictophonetic,"cover" -626,最,"old variant of 最[zui4]",ideographic,"To take place 取 under the sun 日 (that is, everywhere)" -627,冤,"injustice; grievance; wrong",, -628,冥,"dark; deep; stupid; the underworld",ideographic,"The sun 日, covered 冖, with 六 providing the pronunciation" -629,幂,"(math.) power; exponent; to cover with a cloth; cloth cover; veil",ideographic,"A cover 冖 cloth 巾; 冖 also provides the pronunciation" -630,冫,"""ice"" radical in Chinese characters (Kangxi radical 15), occurring in 冰[bing1], 次[ci4] etc, known as 兩點水|两点水[liang3 dian3 shui3]",, -631,冬,"winter",ideographic,"A man walking 夂 on ice ⺀" -632,冰,"ice; CL:塊|块[kuai4]; to chill sth; (of an object or substance) to feel cold; (of a person) cold; unfriendly; (slang) methamphetamine",ideographic,"Ice-cold冫 water 水" -633,冱,"congealed; frozen",pictophonetic, -634,冶,"to smelt; to cast; seductive in appearance",, -635,冷,"surname Leng",pictophonetic,"ice" -636,冷,"cold",pictophonetic,"ice" -637,泯,"variant of 泯[min3]",pictophonetic,"water" -638,冼,"surname Xian",pictophonetic, -639,冽,"cold and raw",pictophonetic,"ice" -640,凄,"intense cold; frigid; dismal; grim; bleak; sad; mournful; also written 淒|凄[qi1]",pictophonetic,"ice" -641,准,"to allow; to grant; in accordance with; in the light of",pictophonetic,"water in a spirit level" -642,凇,"icicle",pictophonetic,"ice" -643,净,"variant of 淨|净[jing4]",pictophonetic,"water" -644,凋,"withered",pictophonetic,"ice" -645,凌,"surname Ling",pictophonetic,"ice" -646,凌,"to approach; to rise high; thick ice; to insult or maltreat",pictophonetic,"ice" -647,冻,"to freeze; to feel very cold; aspic or jelly",pictophonetic,"ice" -648,凛,"cold; to shiver with cold; to tremble with fear; afraid; apprehensive; strict; stern; severe; austere; awe-inspiring; imposing; majestic",pictophonetic,"ice" -649,凝,"to congeal; to concentrate attention; to stare",pictophonetic,"ice" -650,几,"small table",pictographic,"A small table; compare 丌" -651,凡,"ordinary; commonplace; mundane; temporal; of the material world (as opposed to supernatural or immortal levels); every; all; whatever; altogether; gist; outline; note of Chinese musical scale",ideographic,"A plate or flat dish; an everyday item" -652,凡,"variant of 凡[fan2]",ideographic,"A plate or flat dish; an everyday item" -653,処,"old variant of 處|处[chu3]",pictophonetic,"go" -654,凰,"phoenix",pictophonetic, -655,凯,"surname Kai",, -656,凯,"(bound form) triumphal music; (Tw) (coll.) generous with money; lavish in spending; chi (Greek letter Χχ)",, -657,凳,"bench; stool",pictophonetic,"table" -658,凭,"variant of 憑|凭[ping2]",ideographic,"Leaning on (trusting) 任 a table 几" -659,凵,"receptacle",pictographic,"A tray" -660,凶,"vicious; fierce; ominous; inauspicious; famine; variant of 兇|凶[xiong1]",ideographic,"A container 凵 of wickedness 乂" -661,凸,"to stick out; protruding; convex; male (connector etc); Taiwan pr. [tu2]",ideographic,"A rectangle with a bulge" -662,凹,"concave; depressed; sunken; indented; female (connector etc)",ideographic,"A rectangle with a hollow" -663,凹,"variant of 窪|洼[wa1]; (used in names)",ideographic,"A rectangle with a hollow" -664,出,"to go out; to come out; to arise; to occur; to produce; to yield; to go beyond; to exceed; (used after a verb to indicate an outward direction or a positive result); classifier for dramas, plays, operas etc",ideographic,"A sprout 屮 growing out of a container 凵" -665,凼,"pool; pit; ditch; cesspit",ideographic,"Water 水 in a container 凵" -666,函,"envelope; case; letter",ideographic,"Letters placed in a container 凵" -667,刀,"surname Dao",, -668,刀,"knife; blade; single-edged sword; cutlass; CL:把[ba3]; (slang) dollar (loanword); classifier for sets of one hundred sheets (of paper); classifier for knife cuts or stabs",, -669,刁,"surname Diao",, -670,刁,"artful; wicked",, -671,刂,"Kangxi radical 18 (刀[dao1]) as a vertical side element, referred to as 立刀旁[li4 dao1 pang2] or 側刀旁|侧刀旁[ce4 dao1 pang2]",, -672,刃,"edge of blade",ideographic,"A knife 刀 sharp enough to draw blood 丶" -673,分,"to divide; to separate; to distribute; to allocate; to distinguish (good and bad); (bound form) branch of (an organization); sub- (as in 分局[fen1 ju2]); fraction; one tenth (of certain units); unit of length equivalent to 0.33 cm; minute (unit of time); minute (angular measurement unit); a point (in sports or games); 0.01 yuan (unit of money)",ideographic,"Pieces 八 being further subdivided with a knife 刀 " -674,分,"part; share; ingredient; component",ideographic,"Pieces 八 being further subdivided with a knife 刀 " -675,切,"to cut; to slice; to carve; (math) tangential",pictophonetic,"knife" -676,切,"definitely; absolutely (not); (scoffing or dismissive interjection) Yeah, right.; Tut!; to grind; (bound form) close to; (bound form) eager; to correspond to; (used to indicate that the fanqie 反切[fan3 qie4] system should be applied to the previous two characters)",pictophonetic,"knife" -677,刈,"mow",pictophonetic,"knife" -678,刊,"to print; to publish; publication; periodical; to peel with a knife; to carve; to amend",pictophonetic,"knife" -679,刎,"cut across (throat)",pictophonetic,"knife" -680,刑,"surname Xing",ideographic,"A man 刂 in jail 开" -681,刑,"punishment; penalty; sentence; torture; corporal punishment",ideographic,"A man 刂 in jail 开" -682,划,"to row; to paddle; profitable; worth (the effort); it pays (to do sth)",, -683,刖,"to amputate one or both feet (punishment in imperial China) (one of the five mutilating punishments 五刑[wu3 xing2])",pictophonetic,"knife" -684,列,"to arrange; to line up; file; series; (in data tables) column; (Tw) row",pictophonetic,"line" -685,初,"at first; (at the) beginning; first; junior; basic",ideographic,"Cutting 刀 the cloth 衤 is the first step in making clothes" -686,判,"(bound form) to differentiate; to distinguish; (bound form) clearly (different); to judge; to decide; to grade; (of a judge) to sentence",pictophonetic,"knife" -687,别,"surname Bie",ideographic,"To draw boundaries 刂 between classes 另" -688,别,"to leave; to part (from); (literary) to differentiate; to distinguish; (bound form) other; another; different; don't ...!; to fasten with a pin or clip; to stick in; to insert (in order to hinder movement); (noun suffix) category (e.g. 性別|性别[xing4 bie2], 派別|派别[pai4 bie2])",ideographic,"To draw boundaries 刂 between classes 另" -689,劫,"variant of 劫[jie2]",pictophonetic,"strength" -690,劫,"variant of 劫[jie2]",pictophonetic,"strength" -691,刨,"carpenter's plane; to plane (woodwork); to shave off; to peel (with a potato peeler etc)",pictophonetic,"knife" -692,刨,"to dig; to excavate; (coll.) to exclude; not to count; to deduct; to subtract",pictophonetic,"knife" -693,利,"surname Li",ideographic,"Harvesting 刂 grain 禾" -694,利,"sharp; favorable; advantage; benefit; profit; interest; to do good to; to benefit",ideographic,"Harvesting 刂 grain 禾" -695,删,"to delete",ideographic,"To cut 刂 out passages from a book 册" -696,刮,"to scrape; to blow; to shave; to plunder; to extort",pictophonetic,"knife" -697,到,"to reach; to arrive; to leave for; to go to; to (a place); until (a time); up to (a point); (verb complement indicating arriving at a place or reaching a point); considerate; thoughtful; thorough",pictophonetic,"arrive" -698,刳,"to cut open; rip up; scoop out",pictophonetic,"knife" -699,制,"system; to control; to regulate; variant of 製|制[zhi4]",pictophonetic,"knife" -700,刷,"a brush; to paint; to daub; to brush; to scrub; (fig.) to remove; to eliminate (from a contest); to fire (from a job); (onom.) swish; rustle; to swipe (a card); to scroll on (a phone)",ideographic,"A person bent over 尸 with a towel 巾" -701,刷,"to select",ideographic,"A person bent over 尸 with a towel 巾" -702,券,"bond (esp. document split in two, with each party holding one half); contract; deed (i.e. title deeds); ticket; voucher; certificate",pictophonetic,"knife" -703,刺,"(onom.) whoosh",pictophonetic,"knife" -704,刺,"thorn; sting; thrust; to prick; to pierce; to stab; to assassinate; to murder",pictophonetic,"knife" -705,刻,"quarter (hour); moment; to carve; to engrave; to cut; oppressive; classifier for short time intervals",pictophonetic,"knife" -706,劫,"variant of 劫[jie2]",pictophonetic,"strength" -707,剁,"to chop up (meat etc); to chop off (sb's hand etc)",pictophonetic,"knife" -708,剃,"to shave",pictophonetic,"knife" -709,刭,"cut the throat",pictophonetic,"knife" -710,则,"(literary) (conjunction used to express contrast with a previous clause) but; then; (bound form) standard; norm; (bound form) principle; (literary) to imitate; to follow; classifier for written items",ideographic,"Laws inscribed 刂 on a slate 贝" -711,锉,"(literary) to fracture (a bone); (literary) to cut; to hack; variant of 銼|锉[cuo4]",pictophonetic,"metal" -712,削,"to peel with a knife; to pare; to cut (a ball at tennis etc)",pictophonetic,"knife" -713,削,"to pare; to reduce; to remove; Taiwan pr. [xue4]",pictophonetic,"knife" -714,克,"Ke (c. 2000 BC), seventh of the legendary Flame Emperors, 炎帝[Yan2 di4] descended from Shennong 神農|神农[Shen2 nong2] Farmer God",ideographic,"A weapon 十 used to subdue a beast 兄" -715,克,"variant of 克[ke4]; to subdue; to overthrow; to restrain",ideographic,"A weapon 十 used to subdue a beast 兄" -716,剋,"to scold; to beat",ideographic,"A weapon 刂 used to subdue 十 a beast 兄" -717,剌,"to slash",pictophonetic,"knife" -718,剌,"perverse; unreasonable; absurd",pictophonetic,"knife" -719,前,"front; forward; ahead; first; top (followed by a number); future; ago; before; BC (e.g. 前293年); former; formerly",, -720,刹,"Buddhist monastery, temple or shrine (abbr. for 剎多羅|刹多罗[cha4duo1luo2], Sanskrit ""ksetra"")",pictophonetic,"knife" -721,刹,"to brake",pictophonetic,"knife" -722,创,"variant of 創|创[chuang4]",pictophonetic,"knife" -723,剔,"to scrape the meat from bones; to pick (teeth etc); to weed out",pictophonetic,"knife" -724,剖,"to cut open; to analyze; Taiwan pr. [pou3]",pictophonetic,"knife" -725,创,"variant of 創|创[chuang4]",pictophonetic,"knife" -726,刚,"hard; firm; strong; just; barely; exactly",pictophonetic,"knife" -727,剜,"to scoop out; to gouge out",pictophonetic,"knife" -728,剥,"to peel; to skin; to shell; to shuck",pictophonetic,"knife" -729,剥,"to peel; to skin; to flay; to shuck",pictophonetic,"knife" -730,剞,"used in 剞劂[ji1 jue2]",pictophonetic,"knife" -731,剡,"river in Zhejiang",pictophonetic,"knife" -732,剡,"sharp",pictophonetic,"knife" -733,剩,"to remain; to be left; to have as remainder",pictophonetic,"knife" -734,剪,"surname Jian",pictophonetic,"knife" -735,剪,"scissors; shears; clippers; CL:把[ba3]; to cut with scissors; to trim; to wipe out or exterminate",pictophonetic,"knife" -736,剐,"cut off the flesh as punishment",pictophonetic,"knife" -737,副,"secondary; auxiliary; deputy; assistant; vice-; abbr. for 副詞|副词 adverb; classifier for pairs, sets of things & facial expressions",pictophonetic,"knife" -738,割,"to cut; to cut apart",pictophonetic,"knife" -739,剳,"hook; sickle",pictophonetic,"answer" -740,札,"variant of 札[zha2]",, -741,剀,"used in 剴切|剀切[kai3 qie4]",pictophonetic,"knife" -742,创,"(bound form) a wound; to wound",pictophonetic,"knife" -743,创,"to initiate; to create; to achieve (sth for the first time)",pictophonetic,"knife" -744,铲,"to level off; to root up",pictophonetic,"metal" -745,戮,"to peel with a knife; old variant of 戮[lu4]",pictophonetic,"spear" -746,剽,"to rob; swift; nimble; Taiwan pr. [piao4]",pictophonetic,"knife" -747,剿,"to plagiarize",pictophonetic,"knife" -748,剿,"to destroy; to extirpate",pictophonetic,"knife" -749,劁,"to neuter livestock",pictophonetic,"knife" -750,劂,"used in 剞劂[ji1jue2]",pictophonetic,"knife" -751,划,"to cut; to slash; to scratch (cut into the surface of sth); to strike (a match)",, -752,划,"to delimit; to transfer; to assign; to plan; to draw (a line); stroke of a Chinese character",, -753,劄,"to prick with a needle",pictophonetic,"answer" -754,札,"variant of 札[zha2]",, -755,剧,"theatrical work (play, opera, TV series etc); dramatic (change, increase etc); acute; severe",pictophonetic,"knife" -756,劈,"to hack; to chop; to split open; (of lightning) to strike",pictophonetic,"knife" -757,劈,"to split in two; to divide",pictophonetic,"knife" -758,刘,"surname Liu",pictophonetic,"knife" -759,刘,"(classical) a type of battle-ax; to kill; to slaughter",pictophonetic,"knife" -760,刽,"to amputate; to cut off; also pr. [kuai4]",pictophonetic,"knife" -761,刿,"cut; injure",pictophonetic,"knife" -762,剑,"double-edged sword; CL:口[kou3],把[ba3]; classifier for blows of a sword",pictophonetic,"knife" -763,劐,"(coll.) to slit with a knife; (variant of 耠[huo1]) hoe; to loosen soil with a hoe",pictophonetic,"knife" -764,劐,"(literary) variant of 穫|获[huo4]",pictophonetic,"knife" -765,剂,"dose (medicine)",pictophonetic,"knife" -766,剑,"variant of 劍|剑[jian4]",pictophonetic,"knife" -767,劓,"cut off the nose",ideographic,"To cut 刂 the nose 鼻; 鼻 also provides the pronunciation" -768,力,"surname Li",ideographic,"A plow's head representing strength" -769,力,"power; force; strength; ability; strenuously",ideographic,"A plow's head representing strength" -770,功,"meritorious deed or service; achievement; result; service; accomplishment; work (physics)",ideographic,"Results produced by capable 力 labor 工; 工 also provides the pronunciation" -771,加,"Canada (abbr. for 加拿大[Jia1na2da4]); surname Jia",ideographic,"Supporting a cause with the strength 力 of one's words 口" -772,加,"to add; plus; (used after an adverb such as 不, 大, 稍 etc, and before a disyllabic verb, to indicate that the action of the verb is applied to sth or sb previously mentioned); to apply (restrictions etc) to (sb); to give (support, consideration etc) to (sth)",ideographic,"Supporting a cause with the strength 力 of one's words 口" -773,劣,"inferior",pictophonetic,"inadequate" -774,劦,"unending exertion",ideographic,"Many people working 力 together" -775,劦,"variant of 協|协[xie2]; to cooperate; combined labor",ideographic,"Many people working 力 together" -776,助,"to help; to assist",pictophonetic,"strength" -777,努,"to exert; to strive",pictophonetic,"strength" -778,劫,"to rob; to plunder; to seize by force; to coerce; calamity; abbr. for kalpa 劫波[jie2 bo1]",pictophonetic,"strength" -779,劬,"labor",pictophonetic,"strength" -780,劭,"surname Shao",pictophonetic,"strength" -781,劭,"stimulate to effort",pictophonetic,"strength" -782,券,"variant of 券[quan4]",pictophonetic,"knife" -783,劵,"old variant of 倦[juan4]",pictophonetic,"strength" -784,效,"variant of 效[xiao4]",pictophonetic,"strike" -785,劼,"careful; diligent; firm",pictophonetic,"strength" -786,劾,"to impeach",pictophonetic,"strength" -787,劲,"strength; energy; enthusiasm; spirit; mood; expression; interest; CL:把[ba3]; Taiwan pr. [jing4]",pictophonetic,"strength" -788,劲,"stalwart; sturdy; strong; powerful",pictophonetic,"strength" -789,勃,"flourishing; prosperous; suddenly; abruptly",pictophonetic,"strength" -790,敕,"variant of 敕[chi4]",pictophonetic,"script" -791,勇,"brave",pictophonetic,"strength" -792,勈,"old variant of 勇[yong3]",pictophonetic,"strength" -793,勉,"to exhort; to make an effort",pictophonetic,"strength" -794,倦,"old variant of 倦[juan4]",ideographic,"A curled-up 卷 person 亻; 卷 also provides the pronunciation" -795,勐,"meng (old administrative division in Dai areas of Yunnan); variant of 猛[meng3]",pictophonetic,"strength" -796,敕,"variant of 敕[chi4]",pictophonetic,"script" -797,勒,"(literary) bridle; halter; headstall; to rein in; to compel; to force; (literary) to carve; to engrave; (literary) to command; to lead (an army etc); (physics) lux (abbr. for 勒克斯[le4 ke4 si1])",pictophonetic,"strength" -798,勒,"to strap tightly; to bind",pictophonetic,"strength" -799,动,"(of sth) to move; to set in movement; to displace; to touch; to make use of; to stir (emotions); to alter; abbr. for 動詞|动词[dong4 ci2], verb",pictophonetic,"strength" -800,勖,"exhort; stimulate",pictophonetic,"strength" -801,勘,"to investigate; to survey; to collate",pictophonetic,"strength" -802,务,"affair; business; matter; to be engaged in; to attend to; by all means",, -803,勋,"medal; merit",pictophonetic,"strength" -804,胜,"victory; success; to beat; to defeat; to surpass; victorious; superior to; to get the better of; better than; surpassing; superb (of vista); beautiful (scenery); wonderful (view); (Taiwan pr. [sheng1]) able to bear; equal to (a task)",pictophonetic,"flesh" -805,劳,"to toil; labor; laborer; to put sb to trouble (of doing sth); meritorious deed; to console (Taiwan pr. [lao4] for this sense)",ideographic,"A man lifting 力 a load 冖 of grass 艹" -806,募,"to canvass for contributions; to collect; to raise; to recruit; to enlist",pictophonetic,"strength" -807,势,"power; influence; potential; momentum; tendency; trend; situation; conditions; outward appearance; sign; gesture; male genitals",pictophonetic,"strength" -808,勤,"diligent; industrious; hardworking; frequent; regular; constant",pictophonetic,"strength" -809,剿,"variant of 剿[chao1]",pictophonetic,"knife" -810,剿,"variant of 剿[jiao3]",pictophonetic,"knife" -811,勰,"harmonious",pictophonetic,"think" -812,劢,"put forth effort",pictophonetic,"strength" -813,勋,"variant of 勛|勋[xun1]",pictophonetic,"strength" -814,勋,"variant of 勛|勋[xun1]",pictophonetic,"strength" -815,励,"surname Li",pictophonetic,"strength" -816,励,"to encourage; to urge",pictophonetic,"strength" -817,劝,"to advise; to urge; to try to persuade; to exhort; to console; to soothe",ideographic,"The power 力 beside 又 the throne" -818,勹,"archaic variant of 包[bao1]",, -819,勺,"spoon; ladle; CL:把[ba3]; abbr. for 公勺[gong1 shao2], centiliter (unit of volume)",ideographic,"A spoon 勹 with something in it 丶" -820,匀,"even; well-distributed; uniform; to distribute evenly; to share",ideographic,"Using a spoon 勹 to measure out two equal parts 冫" -821,勾,"surname Gou",, -822,勾,"to attract; to arouse; to tick; to strike out; to delineate; to collude; variant of 鉤|钩[gou1], hook",, -823,勾,"used in 勾當|勾当[gou4dang4]",, -824,勿,"do not",ideographic,"A knife 勹 cutting fragments 丿 off" -825,丐,"variant of 丐[gai4]",pictographic,"A person leaning forward to ask for help" -826,丐,"variant of 丐[gai4]",pictographic,"A person leaning forward to ask for help" -827,包,"surname Bao",ideographic,"To swaddle 勹 a baby 巳; 勹 also provides the pronunciation" -828,包,"to cover; to wrap; to hold; to include; to take charge of; to contract (to or for); package; wrapper; container; bag; to hold or embrace; bundle; packet; CL:個|个[ge4],隻|只[zhi1]",ideographic,"To swaddle 勹 a baby 巳; 勹 also provides the pronunciation" -829,匆,"hurried; hasty",, -830,匈,"Hungary; Hungarian; abbr. for 匈牙利[Xiong1 ya2 li4]",pictophonetic,"wrap" -831,匈,"old variant of 胸[xiong1]",pictophonetic,"wrap" -832,匊,"variant of 掬[ju1]",ideographic,"A handful of rice 米 in a bowl 勹" -833,匋,"pottery",pictophonetic,"pottery" -834,匍,"used in 匍匐[pu2 fu2]",pictophonetic,"wrap" -835,匏,"bottle gourd; Lagenaria vulgaris",pictophonetic,"extravagant" -836,匐,"used in 匍匐[pu2 fu2]",pictophonetic,"wrap" -837,匕,"dagger; ladle; ancient type of spoon",pictographic,"A spoon" -838,化,"variant of 花[hua1]",, -839,化,"to make into; to change into; -ization; to ... -ize; to transform; abbr. for 化學|化学[hua4 xue2]",, -840,北,"north; (classical) to be defeated",pictographic,"Two people 匕 sitting back-to-back; phonetic loan for ""north""" -841,匙,"spoon",pictophonetic,"spoon" -842,匙,"used in 鑰匙|钥匙[yao4 shi5]",pictophonetic,"spoon" -843,匚,"""right open box"" radical (Kangxi radical 22), occurring in 区, 医, 匹 etc",, -844,匝,"(literary) to encircle; to go around; to surround; (literary) whole; full; (literary) classifier for a full circuit or a turn of a coil",, -845,炕,"old variant of 炕[kang4]",pictophonetic,"fire" -846,匠,"craftsman",, -847,匡,"surname Kuang",pictophonetic,"box" -848,匡,"(literary) to rectify; (literary) to assist; (coll.) to calculate roughly; to estimate",pictophonetic,"box" -849,匣,"box",pictophonetic,"box" -850,匧,"old variant of 篋|箧[qie4]",pictophonetic,"box" -851,匪,"bandit; (literary) not",pictophonetic,"basket" -852,匦,"small box",pictophonetic,"box" -853,汇,"to remit; to converge (of rivers); to exchange",ideographic,"Water 氵 collected in a container 匚" -854,匮,"surname Kui",pictophonetic,"box" -855,匮,"variant of 櫃|柜[gui4]",pictophonetic,"box" -856,匮,"to lack; lacking; empty; exhausted",pictophonetic,"box" -857,奁,"variant of 奩|奁[lian2]",ideographic,"A man 大 packing a suitcase 区" -858,奁,"variant of 奩|奁[lian2]",ideographic,"A man 大 packing a suitcase 区" -859,匸,"""cover"" or ""conceal"" radical in Chinese characters (Kangxi radical 23) (distinguished from 匚[fang1])",, -860,匹,"mate; one of a pair",pictographic,"A roll of cloth" -861,匹,"classifier for horses, mules etc; Taiwan pr. [pi1]; ordinary person; classifier for cloth: bolt; horsepower",pictographic,"A roll of cloth" -862,匽,"to hide, to secrete, to repress; to bend",pictophonetic,"box" -863,匾,"horizontal rectangular inscribed tablet hung over a door or on a wall; shallow round woven bamboo basket",ideographic,"A board 扁 made of bamboo 匸; 扁 also provides the pronunciation" -864,匿,"to hide",pictophonetic,"box" -865,区,"surname Ou",ideographic,"A place 匸 under a lord's control 乂" -866,区,"area; region; district; small; distinguish; CL:個|个[ge4]",ideographic,"A place 匸 under a lord's control 乂" -867,十,"ten; 10",, -868,卂,"(archaic) to fly rapidly",, -869,千,"thousand",, -870,卄,"twenty, twentieth",ideographic,"Two tens 十 side by side" -871,卅,"thirty",ideographic,"Three tally marks; compare ten 十 and twenty 廿" -872,升,"to ascend; to rise to the rank of; to promote; to hoist; liter; measure for dry grain equal to one-tenth dou 斗[dou3]",, -873,午,"7th earthly branch: 11 a.m.-1 p.m., noon, 5th solar month (6th June-6th July), year of the Horse; ancient Chinese compass point: 180° (south)",, -874,卉,"plants",ideographic,"Ten 十 different types of grass 艹" -875,半,"half; semi-; incomplete; (after a number) and a half",ideographic,"A cow 牛 splitting 丷 wood in half" -876,卌,"forty",ideographic,"Four tally marks; compare ten 十, twenty 廿, and thirty 卅" -877,卑,"low; base; vulgar; inferior; humble",ideographic,"A hand 又(altered) holding an empty shell 甲 (altered)" -878,卒,"variant of 猝[cu4]",pictographic,"A soldier in armor" -879,卒,"soldier; servant; to finish; to die; finally; at last; pawn in Chinese chess",pictographic,"A soldier in armor" -880,卓,"surname Zhuo",ideographic,"To foresee ⺊ the dawn 早 coming; 早 also provides the pronunciation" -881,卓,"outstanding",ideographic,"To foresee ⺊ the dawn 早 coming; 早 also provides the pronunciation" -882,协,"to cooperate; to harmonize; to help; to assist; to join",pictophonetic,"manage" -883,南,"surname Nan",pictographic,"A musical bell" -884,南,"south",pictographic,"A musical bell" -885,博,"extensive; ample; rich; obtain; aim; to win; to get; plentiful; to gamble",pictophonetic,"ten" -886,卜,"surname Bu",pictographic,"A crack on an oracle bone" -887,卜,"(bound form) to divine",pictographic,"A crack on an oracle bone" -888,卞,"surname Bian",, -889,卞,"hurried",, -890,卟,"used in the transliteration of the names of organic compounds porphyrin 卟啉[bu3 lin2] and porphin 卟吩[bu3 fen1]",ideographic,"To speak 口 of the future 卜; 卜 also provides the pronunciation" -891,占,"to observe; to divine",ideographic,"To speak 口 omens ⺊" -892,占,"to take possession of; to occupy; to take up",ideographic,"To speak 口 omens ⺊" -893,卡,"to stop; to block; (computing) (coll.) slow; (loanword) card; CL:張|张[zhang1],片[pian4]; truck (from ""car""); calorie (abbr. for 卡路里[ka3 lu4 li3]); cassette",ideographic,"A card squeezed between 上 and 下" -894,卡,"to block; to be stuck; to be wedged; customs station; a clip; a fastener; a checkpost; Taiwan pr. [ka3]",ideographic,"A card squeezed between 上 and 下" -895,卣,"wine container",pictographic,"A wine flask" -896,卦,"divinatory diagram; one of the eight divinatory trigrams of the Book of Changes 易經|易经[Yi4 jing1]; one of the sixty-four divinatory hexagrams of the Book of Changes 易經|易经[Yi4 jing1]",pictophonetic,"divination" -897,卩,"""seal"" radical in Chinese characters (Kangxi radical 26)",pictographic,"A rolled-up scroll or kneeling person" -898,卬,"surname Ang",ideographic,"A person kneeling 卩 before a person (a king) sitting 匕" -899,卬,"I (regional colloquial); me; variant of 昂[ang2]",ideographic,"A person kneeling 卩 before a person (a king) sitting 匕" -900,卮,"goblet",, -901,卯,"mortise (slot cut into wood to receive a tenon); 4th earthly branch: 5-7 a.m., 2nd solar month (6th March-4th April), year of the Rabbit; ancient Chinese compass point: 90° (east); variant of 鉚|铆[mao3]; to exert one's strength",, -902,印,"surname Yin; abbr. for 印度[Yin4du4], India",ideographic,"A hand 爪 stamping a seal 卩" -903,印,"to print; to mark; to engrave; a seal; a print; a stamp; a mark; a trace; image",ideographic,"A hand 爪 stamping a seal 卩" -904,危,"surname Wei",ideographic,"A person 㔾 at the edge of a cliff 厃; 厃 also provides the pronunciation" -905,危,"danger; to endanger; Taiwan pr. [wei2]",ideographic,"A person 㔾 at the edge of a cliff 厃; 厃 also provides the pronunciation" -906,即,"namely; that is; i.e.; prompt; at once; at present; even if; prompted (by the occasion); to approach; to come into contact; to assume (office); to draw near",ideographic,"A hungry person卩 kneeling over food 皀; compare 既" -907,卵,"egg; ovum; spawn; (coll.) testicles; (old) penis; (expletive) fucking",pictographic,"Two ovaries containing eggs" -908,卷,"to roll up; roll; classifier for small rolled things (wad of paper money, movie reel etc)",ideographic,"A curled up scroll 㔾" -909,卷,"scroll; book; volume; chapter; examination paper; classifier for books, paintings: volume, scroll",ideographic,"A curled up scroll 㔾" -910,卸,"to unload; to unhitch; to remove or strip; to get rid of",pictophonetic,"stop" -911,恤,"anxiety; sympathy; to sympathize; to give relief; to compensate",pictophonetic,"heart" -912,却,"but; yet; however; while; to go back; to decline; to retreat; nevertheless; even though",pictophonetic,"seal" -913,卿,"high ranking official (old); term of endearment between spouses (old); (from the Tang Dynasty onwards) term used by the emperor for his subjects (old); honorific (old)",, -914,膝,"old variant of 膝[xi1]",pictophonetic,"flesh" -915,厂,"""cliff"" radical in Chinese characters (Kangxi radical 27), occurring in 原, 历, 压 etc",, -916,厄,"distressed",ideographic,"A person 㔾 being crushed under pressure 厂" -917,厓,"old form of 崖 (cliff) and 涯 (bank)",ideographic,"A cliff 厂 formed of earth 土" -918,厗,"old stone or mineral, possibly related to antimony Sb 銻|锑[ti1]",ideographic,"A bitter 辛 mineral 厂" -919,厘,"variant of 釐|厘[li2]",pictophonetic,"workshop" -920,厍,"surname She",pictophonetic, -921,厚,"thick; deep or profound; kind; generous; rich or strong in flavor; to favor; to stress",ideographic,"Sunlight 日 and children 子 in a building 厂" -922,厝,"to lay in place; to put; to place a coffin in a temporary location pending burial",ideographic,"A building 厂 containing the past 昔" -923,原,"surname Yuan; (Japanese surname) Hara",pictophonetic,"cliff" -924,原,"former; original; primary; raw; level; cause; source",pictophonetic,"cliff" -925,厕,"variant of 廁|厕[ce4]",pictophonetic,"building" -926,历,"old variant of 曆|历[li4]; old variant of 歷|历[li4]",pictophonetic,"calendar" -927,厥,"to faint; to lose consciousness; his; her; its; their",pictophonetic, -928,厪,"hut",pictophonetic,"building" -929,厪,"variant of 廑[qin2]",pictophonetic,"building" -930,厌,"(bound form) to loathe; to be fed up with; (literary) to satiate; to satisfy",pictophonetic,"cliff" -931,厮,"variant of 廝|厮[si1]",pictophonetic,"building" -932,厉,"surname Li",, -933,厉,"strict; severe",, -934,厣,"operculum (Latin: little lid); a covering flap (in various branches of anatomy)",pictophonetic,"armor" -935,厶,"old variant of 某[mou3]",pictographic,"A silk cocoon" -936,厶,"old variant of 私[si1]",pictographic,"A silk cocoon" -937,厷,"old variant of 肱[gong1]",pictographic,"A bent arm; flexing the muscles" -938,厷,"old variant of 宏[hong2]",pictographic,"A bent arm; flexing the muscles" -939,厹,"spear",, -940,厹,"to trample",, -941,去,"to go; to go to (a place); (of a time etc) last; just passed; to send; to remove; to get rid of; to reduce; to be apart from in space or time; to die (euphemism); to play (a part); (when used either before or after a verb) to go in order to do sth; (after a verb of motion indicates movement away from the speaker); (used after certain verbs to indicate detachment or separation)",, -942,叁,"variant of 參|叁[san1]",ideographic,"Three 三 with accents to prevent forgery" -943,叁,"three (banker's anti-fraud numeral)",ideographic,"Three 三 with accents to prevent forgery" -944,参,"to take part in; to participate; to join; to attend; to counsel; unequal; varied; irregular; uneven; not uniform; abbr. for 參議院|参议院 Senate, Upper House",pictophonetic, -945,参,"used in 參差|参差[cen1 ci1]",pictophonetic, -946,参,"ginseng; one of the 28 constellations",pictophonetic, -947,参,"old variant of 參|参[can1]",pictophonetic, -948,又,"(once) again; also; both... and...; and yet; (used for emphasis) anyway",pictographic,"A right hand, representing a pair; compare 左" -949,叉,"fork; pitchfork; prong; pick; cross; intersect; ""X""",ideographic,"A hand 又 grasping an object 丶" -950,叉,"to cross; be stuck",ideographic,"A hand 又 grasping an object 丶" -951,叉,"to diverge; to open (as legs)",ideographic,"A hand 又 grasping an object 丶" -952,及,"and; to reach; up to; in time for",, -953,友,"friend",ideographic,"Two hands 又 joined, representing friendship; 又 also provides the pronunciation" -954,反,"contrary; in reverse; inside out or upside down; to reverse; to return; to oppose; opposite; against; anti-; to rebel; to use analogy; instead; abbr. for 反切[fan3 qie4] phonetic system",ideographic,"A hand 又 held up against a cliff 厂" -955,叒,"old variant of 若[ruo4]; obedient; ancient mythical tree",ideographic,"Three hands 又 joined, representing unity" -956,叔,"uncle; father's younger brother; husband's younger brother; Taiwan pr. [shu2]",ideographic,"The smaller 小 brother" -957,叕,"to join together; to lack; narrow and shallow",ideographic,"Many hooks 又 forming a net" -958,取,"to take; to get; to choose; to fetch",ideographic,"A hand 又 taking the ear 耳 of a fallen enemy" -959,受,"to receive; to accept; to suffer; subjected to; to bear; to stand; pleasant; (passive marker); (LGBT) bottom",ideographic,"Something 冖 passed from one hand 爫 to another 又" -960,假,"variant of 假[jia3]; to borrow",ideographic,"A false 叚 person 亻; 叚 also provides the pronunciation" -961,叛,"to betray; to rebel; to revolt",pictophonetic,"contrary" -962,叟,"old gentleman; old man",ideographic,"A hand 又 holding up a candle, representing failing vision" -963,睿,"variant of 睿[rui4]",, -964,丛,"cluster; collection; collection of books; thicket",pictophonetic,"one" -965,口,"mouth; classifier for things with mouths (people, domestic animals, cannons, wells etc); classifier for bites or mouthfuls",pictographic,"An open mouth" -966,古,"surname Gu",ideographic,"Words passing through ten 十 mouths 口" -967,古,"ancient; old; paleo-",ideographic,"Words passing through ten 十 mouths 口" -968,句,"variant of 勾[gou1]",ideographic,"A phrase 勹 from the mouth 口" -969,句,"sentence; clause; phrase; classifier for phrases or lines of verse",ideographic,"A phrase 勹 from the mouth 口" -970,另,"other; another; separate; separately",, -971,叨,"garrulous",pictophonetic,"mouth" -972,叨,"to receive the benefit of",pictophonetic,"mouth" -973,叩,"to knock; to kowtow",pictophonetic,"kneel" -974,只,"variant of 隻|只[zhi1]",ideographic,"Simple words 八 coming from the mouth 口" -975,只,"only; merely; just",ideographic,"Simple words 八 coming from the mouth 口" -976,叫,"to shout; to call; to order; to ask; to be called; by (indicates agent in the passive mood)",pictophonetic,"mouth" -977,召,"surname Shao; name of an ancient state that existed in what is now Shaanxi Province",pictophonetic,"mouth" -978,召,"to call together; to summon; to convene; temple or monastery (used in place names in Inner Mongolia)",pictophonetic,"mouth" -979,叭,"denote a sound or sharp noise (gunfire etc)",pictophonetic,"mouth" -980,叮,"to sting or bite (of mosquito, bee etc); to say repeatedly; to urge insistently; to ask repeatedly; to stick to a point; (onom.) tinkling or jingling sound",pictophonetic,"mouth" -981,可,"(prefix) can; may; able to; -able; to approve; to permit; to suit; (particle used for emphasis) certainly; very",pictophonetic,"vigorous" -982,可,"used in 可汗[ke4 han2]",pictophonetic,"vigorous" -983,台,"Taiwan (abbr.); surname Tai",, -984,台,"(classical) you (in letters); variant of 臺|台[tai2]",, -985,叱,"to scold; shout at; to hoot at",pictophonetic,"mouth" -986,史,"surname Shi",ideographic,"A hand 乂 using a pen to record a history" -987,史,"history; annals; title of an official historian in ancient China",ideographic,"A hand 乂 using a pen to record a history" -988,右,"(bound form) right; right-hand side; (bound form) (politics) right of center; (bound form) (old) west; (literary) the right side as the side of precedence",, -989,叵,"not; thereupon",, -990,叶,"to be in harmony",, -991,司,"surname Si",ideographic,"A person speaking orders 口 and raising their arm" -992,司,"to take charge of; to manage; department (under a ministry)",ideographic,"A person speaking orders 口 and raising their arm" -993,叻,"(used in place names)",, -994,叼,"to hold with one's mouth (as a smoker with a cigarette or a dog with a bone)",pictophonetic,"mouth" -995,吁,"sh; hush",pictophonetic,"mouth" -996,吁,"variant of 籲|吁[yu4]",pictophonetic,"mouth" -997,吃,"to eat; to consume; to eat at (a cafeteria etc); to eradicate; to destroy; to absorb; to suffer (shock, injury, defeat etc)",pictophonetic,"mouth" -998,各,"each; every",ideographic,"Walking 夂 and talking 口" -999,吆,"to shout; to bawl; to yell (to urge on an animal); to hawk (one's wares)",pictophonetic,"mouth" -1000,合,"100 ml; one-tenth of a peck; measure for dry grain equal to one-tenth of sheng 升 or liter, or one-hundredth dou 斗",, -1001,合,"to close; to join; to fit; to be equal to; whole; together; round (in battle); conjunction (astronomy); 1st note of pentatonic scale; old variant of 盒[he2]",, -1002,吉,"surname Ji; abbr. for Jilin 吉林省[Ji2lin2 Sheng3]",ideographic,"The words 口 of a scholar 士" -1003,吉,"lucky; giga- (meaning billion or 10^9)",ideographic,"The words 口 of a scholar 士" -1004,吊,"to suspend; to hang up; to hang a person",, -1005,吋,"inch (English)",ideographic,"A foreign 口 inch 寸; 寸 also provides the pronunciation" -1006,同,"like; same; similar; together; alike; with",ideographic,"Sharing a common 凡 tongue 口" -1007,名,"name; noun (part of speech); place (e.g. among winners); famous; classifier for people",ideographic,"A name called out 口 to hail someone at night 夕" -1008,后,"surname Hou",, -1009,后,"empress; queen; (archaic) monarch; ruler",, -1010,吏,"minor government official or functionary (old)",, -1011,吐,"to spit; to send out (silk from a silkworm, bolls from cotton flowers etc); to say; to pour out (one's grievances)",pictophonetic,"mouth" -1012,吐,"to vomit; to throw up",pictophonetic,"mouth" -1013,向,"surname Xiang",, -1014,向,"towards; to face; to turn towards; direction; to support; to side with; shortly before; formerly; always; all along; (suffix) suitable for ...; oriented to ...",, -1015,吒,"used for the sound ""zha"" in the names of certain legendary figures (e.g. 哪吒[Ne2 zha1]); Taiwan pr. [zha4]",pictophonetic,"mouth" -1016,吒,"variant of 咤[zha4]",pictophonetic,"mouth" -1017,吖,"(used in transliterating chemical names)",pictophonetic,"mouth" -1018,咿,"variant of 咿[yi1]",pictophonetic,"mouth" -1019,君,"monarch; lord; gentleman; ruler",ideographic,"A leader 尹 giving orders 口" -1020,吝,"(bound form) stingy",, -1021,吞,"to swallow; to take",pictophonetic,"mouth" -1022,吟,"to chant; to recite; to moan; to groan; cry (of certain animals and insects); song (ancient poem)",pictophonetic,"mouth" -1023,吠,"to bark",ideographic,"The sound a dog 犬 makes with their mouth 口" -1024,吡,"used as phonetic bi- or pi-",pictophonetic,"mouth" -1025,否,"to negate; to deny; not",pictophonetic,"no" -1026,否,"clogged; evil",pictophonetic,"no" -1027,吧,"bar (loanword) (serving drinks, or providing Internet access etc); to puff (on a pipe etc); (onom.) bang; abbr. for 貼吧|贴吧[tie1 ba1]",pictophonetic,"mouth" -1028,吧,"(modal particle indicating suggestion or surmise); ...right?; ...OK?; ...I presume.",pictophonetic,"mouth" -1029,吩,"used in 吩咐[fen1fu5]; used in transliteration of chemical compounds",pictophonetic,"mouth" -1030,含,"to keep in the mouth; to contain",pictophonetic,"mouth" -1031,听,"smile (archaic)",ideographic,"Words 口 reaching an ear 斤" -1032,吭,"throat",pictophonetic,"mouth" -1033,吭,"to utter",pictophonetic,"mouth" -1034,吮,"to suck",pictophonetic,"mouth" -1035,吱,"(onom.) creaking or groaning",pictophonetic,"mouth" -1036,吱,"(onom.) chirp; squeak; creak",pictophonetic,"mouth" -1037,吲,"used in 吲哚[yin3 duo3]",ideographic,"To stretch 引 the mouth 口; 引 also provides the pronunciation" -1038,吴,"surname Wu; area comprising southern Jiangsu, northern Zhejiang and Shanghai; name of states in southern China at different historical periods",, -1039,吵,"to quarrel; to make a noise; noisy; to disturb by making a noise",pictophonetic,"mouth" -1040,呐,"battle cry",pictophonetic,"mouth" -1041,呐,"sentence-final particle (abbr. for 呢啊[ne5 a5] or variant of 哪[na5])",pictophonetic,"mouth" -1042,吸,"to breathe; to suck in; to absorb; to inhale",pictophonetic,"mouth" -1043,吹,"to blow; to play a wind instrument; to blast; to puff; to boast; to brag; to end in failure; to fall through",pictophonetic,"mouth" -1044,吻,"kiss; to kiss; mouth",pictophonetic,"mouth" -1045,吼,"to roar; to howl; to shriek; roar or howl of an animal; bellow of rage",pictophonetic,"mouth" -1046,吾,"surname Wu",pictophonetic,"mouth" -1047,吾,"(old) I; my",pictophonetic,"mouth" -1048,呀,"(particle equivalent to 啊 after a vowel, expressing surprise or doubt)",pictophonetic,"mouth" -1049,吕,"surname Lü",ideographic,"Two mouths 口 in harmony" -1050,吕,"pitchpipe, pitch standard, one of the twelve semitones in the traditional tone system",ideographic,"Two mouths 口 in harmony" -1051,呃,"(exclamation); to hiccup",pictophonetic,"mouth" -1052,呆,"foolish; stupid; expressionless; blank; to stay",ideographic,"One with wooden 木 speech 口" -1053,呈,"to present to a superior; memorial; petition; to present (a certain appearance); to assume (a shape); to be (a certain color)",ideographic,"To speak 口 before a king 王" -1054,告,"(bound form) to say; to tell; to announce; to report; to denounce; to file a lawsuit; to sue",ideographic,"To speak 口 with the force of an ox 牛" -1055,呋,"used in transliteration, e.g. 呋喃[fu1 nan2], furan or 呋喃西林[fu1 nan2 xi1 lin2], furacilinum; old variant of 趺[fu1]",pictophonetic,"mouth" -1056,叫,"variant of 叫[jiao4]",pictophonetic,"mouth" -1057,呎,"foot (unit of length equal to 0.3048 m); old form of modern 英尺[ying1 chi3]",pictophonetic, -1058,呑,"variant of 吞[tun1]",pictophonetic,"mouth" -1059,呔,"(interjection) hey!; Taiwan pr. [tai5]",pictophonetic, -1060,呔,"(dialect) non-local in one's speaking accent",pictophonetic, -1061,呢,"particle indicating that a previously asked question is to be applied to the preceding word (""What about ...?"", ""And ...?""); particle for inquiring about location (""Where is ...?""); particle signaling a pause, to emphasize the preceding words and allow the listener time to take them on board (""ok?"", ""are you with me?""); (at the end of a declarative sentence) particle indicating continuation of a state or action; particle indicating strong affirmation",pictophonetic,"mouth" -1062,呢,"woolen material",pictophonetic,"mouth" -1063,呤,"used in 呤呤[ling2 ling2]",pictophonetic,"mouth" -1064,呤,"used in 嘌呤[piao4 ling4]; Taiwan pr. [ling2]",pictophonetic,"mouth" -1065,呦,"Oh! (exclamation of dismay etc); used in 呦呦[you1 you1]",pictophonetic,"mouth" -1066,周,"surname Zhou; Zhou Dynasty (1046-256 BC)",ideographic,"Border 冂 around land 土 with a well 口" -1067,周,"to make a circuit; to circle; circle; circumference; lap; cycle; complete; all; all over; thorough; to help financially",ideographic,"Border 冂 around land 土 with a well 口" -1068,咒,"variant of 咒[zhou4]",, -1069,呫,"used in 呫嚅[che4 ru2]",ideographic,"To divine 占 with one's tongue 口" -1070,呫,"to mutter; to talk indistinctly",ideographic,"To divine 占 with one's tongue 口" -1071,呫,"to drink; to sip; to taste; to lick; whisper; petty",ideographic,"To divine 占 with one's tongue 口" -1072,呱,"crying sound of child",pictophonetic,"mouth" -1073,呲,"(coll.) to scold; to rebuke",pictophonetic,"mouth" -1074,呲,"variant of 齜|龇[zi1]",pictophonetic,"mouth" -1075,味,"taste; smell; (fig.) (noun suffix) feel; quality; sense; (TCM) classifier for ingredients of a medicine prescription",pictophonetic,"mouth" -1076,呵,"variant of 啊[a1]",pictophonetic,"mouth" -1077,呵,"expel breath; my goodness",pictophonetic,"mouth" -1078,呶,"clamor; (onom.) ""look!""",pictophonetic,"mouth" -1079,呶,"to pout",pictophonetic,"mouth" -1080,呷,"to sip; to drink; Taiwan pr. [xia2]",pictophonetic,"mouth" -1081,呸,"pah!; bah!; pooh!; to spit (in contempt)",pictophonetic,"mouth" -1082,呻,"(literary) to recite; to chant; to intone; (bound form) groan",pictophonetic,"mouth" -1083,呼,"to call; to cry; to shout; to breath out; to exhale",pictophonetic,"mouth" -1084,命,"life; fate; order or command; to assign a name, title etc",ideographic,"An order 令 given by mouth 口" -1085,咀,"to chew; to masticate",pictophonetic,"mouth" -1086,咀,"popular variant of 嘴[zui3]",pictophonetic,"mouth" -1087,咂,"to sip; to smack one's lips; to taste; to savor",pictophonetic,"mouth" -1088,咄,"(old)(interjection expressing disapproval, commiseration etc) tut!; Taiwan pr. [duo4]",pictophonetic,"mouth" -1089,咅,"pooh; pah; bah; (today used as a phonetic component in 部[bu4], 倍[bei4], 培[pei2], 剖[pou1] etc)",, -1090,咆,"to roar",pictophonetic,"mouth" -1091,和,"old variant of 和[he2]",pictophonetic,"mouth" -1092,咋,"dialectal equivalent of 怎麼|怎么[zen3me5]; Taiwan pr. [ze2]",pictophonetic,"mouth" -1093,咋,"gnaw",pictophonetic,"mouth" -1094,咋,"to shout; to show off; Taiwan pr. [ze2]",pictophonetic,"mouth" -1095,和,"surname He",pictophonetic,"mouth" -1096,和,"(joining two nouns) and; together with; with (Taiwan pr. [han4]); (math.) sum; to make peace; (sports) to draw; to tie; (bound form) harmonious; (bound form) Japan; Japanese",pictophonetic,"mouth" -1097,和,"to compose a poem in reply (to sb's poem) using the same rhyme sequence; to join in the singing; to chime in with others",pictophonetic,"mouth" -1098,和,"to complete a set in mahjong or playing cards",pictophonetic,"mouth" -1099,和,"to combine a powdery substance (flour, plaster etc) with water; Taiwan pr. [huo4]",pictophonetic,"mouth" -1100,和,"to mix (ingredients) together; to blend; classifier for rinses of clothes; classifier for boilings of medicinal herbs",pictophonetic,"mouth" -1101,咎,"fault; to blame; to punish; calamity; misfortune",pictophonetic,"mouth" -1102,咐,"used in 吩咐[fen1fu5] and 囑咐|嘱咐[zhu3fu5]",pictophonetic,"mouth" -1103,咑,"da! (sound used to move animals along)",pictophonetic,"mouth" -1104,咒,"incantation; magic spell; curse; malediction; to revile; to put a curse on sb",, -1105,咔,"(used as phonetic ""ka"")",pictophonetic,"mouth" -1106,咕,"(onom.) for the sound of a bird, an empty stomach etc",pictophonetic,"mouth" -1107,咖,"used in 咖喱[ga1 li2]",pictophonetic,"mouth" -1108,咖,"coffee; class; grade",pictophonetic,"mouth" -1109,咚,"(onom.) boom (of a drum); knock (on the door)",pictophonetic,"mouth" -1110,咠,"to whisper; to blame, to slander",ideographic,"To whisper 口 in someone's ear 耳" -1111,咢,"beat a drum; startle",, -1112,咣,"(onom.) bang; door banging shut",pictophonetic,"mouth" -1113,咤,"used in 叱咤[chi4 zha4]",pictophonetic,"mouth" -1114,咥,"gnaw; bite",pictophonetic,"mouth" -1115,咥,"loud laugh",pictophonetic,"mouth" -1116,咦,"expression of surprise",pictophonetic,"mouth" -1117,咧,"used in 咧咧[lie1 lie1]; used in 大大咧咧[da4 da4 lie1 lie1]; used in 罵罵咧咧|骂骂咧咧[ma4 ma5 lie1 lie1]",pictophonetic,"mouth" -1118,咧,"to draw back the corners of one's mouth",pictophonetic,"mouth" -1119,咧,"modal particle expressing exclamation",pictophonetic,"mouth" -1120,咨,"to consult",pictophonetic,"mouth" -1121,咩,"the bleating of sheep; final particle which transforms statements into questions that indicate doubt or surprise (Cantonese)",ideographic,"The sound a sheep 羊 makes with its mouth 口" -1122,咪,"sound for calling a cat",pictophonetic,"mouth" -1123,咫,"8 in. length unit of Zhou dynasty",pictophonetic,"ruler" -1124,咬,"to bite; to nip",pictophonetic,"mouth" -1125,咭,"variant of 嘰|叽[ji1]",pictophonetic,"mouth" -1126,咯,"(phonetic)",pictophonetic,"mouth" -1127,咯,"(final particle similar to 了[le5], indicating that sth is obvious)",pictophonetic,"mouth" -1128,咯,"to cough up; also pr. [ka3]",pictophonetic,"mouth" -1129,咱,"see 咱[zan2]",pictophonetic,"mouth" -1130,咱,"I or me; we (including both the speaker and the person spoken to)",pictophonetic,"mouth" -1131,笑,"old variant of 笑[xiao4]",ideographic,"A person 夭 with a big grin ⺮" -1132,咳,"sound of sighing; (interjection expressing surprise, sorrow, regret, disappointment etc) oh; damn; wow",pictophonetic,"mouth" -1133,咳,"cough",pictophonetic,"mouth" -1134,咴,"neigh; whinny (sound made by a horse)",pictophonetic,"mouth" -1135,咸,"surname Xian",ideographic,"One 一 voice 口 surrounded by conflict 戈" -1136,咸,"all; everyone; each; widespread; harmonious",ideographic,"One 一 voice 口 surrounded by conflict 戈" -1137,咻,"call out; jeer",pictophonetic,"mouth" -1138,呙,"surname Guo",ideographic,"Words 内 coming from a mouth 口" -1139,呙,"lopsided; Taiwan pr. [kuai1]",ideographic,"Words 内 coming from a mouth 口" -1140,咽,"throat; pharynx; narrow pass",pictophonetic,"mouth" -1141,咽,"variant of 嚥|咽[yan4]",pictophonetic,"mouth" -1142,咽,"to choke (in crying)",pictophonetic,"mouth" -1143,咾,"a noise; a sound",pictophonetic,"mouth" -1144,咿,"(onom.) to squeak",pictophonetic,"mouth" -1145,哀,"Ai (c. 2000 BC), sixth of legendary Flame Emperors 炎帝[Yan2 di4] descended from Shennong 神農|神农[Shen2 nong2] Farmer God, also known as Li 釐|厘[Li2]",pictophonetic,"mouth" -1146,哀,"sorrow; grief; pity; to grieve for; to pity; to lament; to condole",pictophonetic,"mouth" -1147,品,"(bound form) article; commodity; product; goods; (bound form) grade; rank; kind; type; variety; character; disposition; nature; temperament; to taste sth; to sample; to criticize; to comment; to judge; to size up; fret (on a guitar or lute)",ideographic,"Something that everyone is talking 口 about" -1148,哂,"(literary) to smile; to sneer",pictophonetic,"mouth" -1149,哄,"roar of laughter (onom.); hubbub; to roar (as a crowd)",pictophonetic,"mouth" -1150,哄,"to deceive; to coax; to amuse (a child)",pictophonetic,"mouth" -1151,哆,"used in 哆嗦[duo1suo5]",pictophonetic,"mouth" -1152,哇,"Wow!; sound of a child's crying; sound of vomiting",pictophonetic,"mouth" -1153,哇,"replaces 啊[a5] when following the vowel ""u"" or ""ao""",pictophonetic,"mouth" -1154,哈,"abbr. for 哈薩克斯坦|哈萨克斯坦[Ha1 sa4 ke4 si1 tan3], Kazakhstan; abbr. for 哈爾濱|哈尔滨[Ha1 er3 bin1], Harbin",pictophonetic,"mouth" -1155,哈,"(interj.) ha!; (onom. for laughter); (slang) to be infatuated with; to adore; (bound form) husky (dog) (abbr. for 哈士奇[ha1 shi4 qi2])",pictophonetic,"mouth" -1156,哈,"a Pekinese; a pug; (dialect) to scold",pictophonetic,"mouth" -1157,哉,"(exclamatory or interrogative particle)",pictophonetic,"mouth" -1158,哌,"used in transliteration",pictophonetic,"mouth" -1159,哎,"hey!; (interjection used to attract attention or to express surprise or disapprobation)",pictophonetic,"mouth" -1160,哏,"funny; amusing; sth comical",pictophonetic,"mouth" -1161,哏,"old variant of 狠[hen3]; old variant of 很[hen3]; also used as an exclamation of anger",pictophonetic,"mouth" -1162,哐,"(onom.) crash; bang; clang",pictophonetic,"mouth" -1163,哚,"used in 吲哚[yin3 duo3]",pictophonetic,"mouth" -1164,哞,"moo (sound made by cow)",pictophonetic,"mouth" -1165,员,"(bound form) person engaged in a certain field of activity; (bound form) member",pictophonetic,"money" -1166,哥,"elder brother",ideographic,"One person talking 可 over another 可" -1167,哦,"to chant",pictophonetic,"mouth" -1168,哦,"oh (interjection indicating doubt or surprise)",pictophonetic,"mouth" -1169,哦,"oh (interjection indicating that one has just learned sth)",pictophonetic,"mouth" -1170,哦,"sentence-final particle that conveys informality, warmth, friendliness or intimacy; may also indicate that one is stating a fact that the other person is not aware of",pictophonetic,"mouth" -1171,哧,"(onom.) giggling; breathing; tearing of paper, ripping of fabric etc",pictophonetic,"mouth" -1172,哨,"a whistle; sentry",pictophonetic,"mouth" -1173,哩,"mile",pictophonetic,"mouth" -1174,哩,"(modal final particle similar to 呢[ne5] or 啦[la5])",pictophonetic,"mouth" -1175,哪,"how; which",pictophonetic,"mouth" -1176,哪,"(emphatic sentence-final particle, used instead of 啊[a5] after a word ending in ""n"")",pictophonetic,"mouth" -1177,哪,"used in 哪吒[Ne2 zha1]; Taiwan pr. [nuo2]",pictophonetic,"mouth" -1178,哪,"which? (interrogative, followed by classifier or numeral-classifier)",pictophonetic,"mouth" -1179,哭,"to cry; to weep",ideographic,"To shed a tear from your eyes 口 over a person 犬" -1180,哮,"pant; roar; bark (of animals); Taiwan pr. [xiao1]",pictophonetic,"mouth" -1181,哱,"used in 呼哱哱[hu1 bo1 bo1]",pictophonetic,"mouth" -1182,哲,"wise; a sage",pictophonetic,"mouth" -1183,哳,"used in 嘲哳[zhao1 zha1]; used in 啁哳[zhao1 zha1]; Taiwan pr. [zha2]",pictophonetic, -1184,咩,"old variant of 咩[mie1]",ideographic,"The sound a sheep 羊 makes with its mouth 口" -1185,哺,"to feed",pictophonetic,"mouth" -1186,哼,"to groan; to snort; to hum; to croon; humph!",pictophonetic,"mouth" -1187,哽,"to choke with emotion; to choke on a piece of food",pictophonetic,"mouth" -1188,哿,"excellent; happy; well-being",pictophonetic,"add" -1189,唁,"to extend condolences",pictophonetic,"mouth" -1190,呗,"(bound form) to chant (from Sanskrit ""pāṭhaka"")",pictophonetic,"mouth" -1191,呗,"modal particle indicating lack of enthusiasm; modal particle indicating that things should only or can only be done a certain way",pictophonetic,"mouth" -1192,唅,"(literary) to put in the mouth",ideographic,"To hold 含 in the mouth 口; 含 also provides the pronunciation" -1193,唆,"to suck; to incite",pictophonetic,"mouth" -1194,唇,"lip",pictophonetic,"mouth" -1195,唉,"interjection or grunt of agreement or recognition (e.g. yes, it's me!); to sigh",pictophonetic,"mouth" -1196,唉,"alas; oh dear",pictophonetic,"mouth" -1197,唎,"(final particle); sound; noise",pictophonetic,"mouth" -1198,唎,"variant of 哩[li5]",pictophonetic,"mouth" -1199,唏,"sound of sobbing",pictophonetic,"mouth" -1200,唐,"Tang dynasty (618-907); surname Tang",ideographic,"Children learning how to read 口 and write 肀 in school 广" -1201,唐,"to exaggerate; empty; in vain; old variant of 螗[tang2]",ideographic,"Children learning how to read 口 and write 肀 in school 广" -1202,唑,"azole (chemistry)",pictophonetic,"mouth" -1203,唔,"oh (expression of agreement or surprise); (Cantonese) not",pictophonetic,"mouth" -1204,唣,"variant of 唣[zao4]",pictophonetic,"mouth" -1205,启,"variant of 啟|启[qi3]",ideographic,"A door 户 being opened 口" -1206,吣,"to vomit (of dogs and cats); to rail against; to talk nonsense",pictophonetic,"mouth" -1207,唣,"used in 囉唣|啰唣[luo2 zao4]",pictophonetic,"mouth" -1208,唧,"(onom.) to pump (water)",pictophonetic,"mouth" -1209,唪,"recite; chant",pictophonetic,"mouth" -1210,吟,"old variant of 吟[yin2]",pictophonetic,"mouth" -1211,唫,"to stutter; to shut one's mouth; Taiwan pr. [yin2]",pictophonetic,"mouth" -1212,唫,"variant of 崟[yin2]",pictophonetic,"mouth" -1213,唬,"a tiger's roar; to scare; to intimidate; (coll.) to fool; to bluff",pictophonetic,"mouth" -1214,售,"to sell; to make or carry out (a plan or intrigue etc)",ideographic,"A street vendor talks 口 incessantly, like a bird 隹" -1215,唯,"only; alone; -ism (in Chinese, a prefix, often combined with a suffix such as 主義|主义[zhu3 yi4] or 論|论[lun4], e.g. 唯理論|唯理论[wei2 li3 lun4], rationalism)",, -1216,唯,"yes",, -1217,唰,"(onom.) swishing; rustling",pictophonetic,"mouth" -1218,唱,"to sing; to call loudly; to chant",pictophonetic,"mouth" -1219,唳,"cry of a crane or wild goose",pictophonetic,"mouth" -1220,唵,"(interjection) oh!; (dialect) to stuff sth in one's mouth; (used in buddhist transliterations) om",pictophonetic,"mouth" -1221,唷,"(interjection expressing surprise) Oh!; My!",pictophonetic,"mouth" -1222,唷,"final particle expressing exhortation, admiration etc",pictophonetic,"mouth" -1223,念,"variant of 念[nian4], to read aloud",ideographic,"To keep the present 今 in mind 心" -1224,唼,"to speak evil; gobbling sound made by ducks",pictophonetic,"mouth" -1225,唾,"saliva; to spit",pictophonetic,"mouth" -1226,唿,"to whistle (with fingers in one's mouth); (onom.) for the sound of the wind",pictophonetic,"mouth" -1227,啁,"used in 啁哳[zhao1 zha1]; Taiwan pr. [zhou1]",pictophonetic,"mouth" -1228,啁,"twittering of birds",pictophonetic,"mouth" -1229,啃,"to gnaw; to nibble; to bite",pictophonetic,"mouth" -1230,啄,"to peck",pictophonetic,"mouth" -1231,商,"Shang Dynasty (c. 1600-1046 BC); surname Shang",pictophonetic,"bright" -1232,商,"commerce; merchant; dealer; to consult; 2nd note in pentatonic scale; quotient (as in 智商[zhi4 shang1], intelligence quotient)",pictophonetic,"bright" -1233,啉,"used in the transliteration of the names of organic compounds such as porphyrin 卟啉[bu3 lin2] and quinoline 喹啉[kui2 lin2]",pictophonetic,"mouth" -1234,啊,"interjection of surprise; Ah!; Oh!",pictophonetic,"mouth" -1235,啊,"interjection expressing doubt or requiring answer; Eh?; what?",pictophonetic,"mouth" -1236,啊,"interjection of surprise or doubt; Eh?; My!; what's up?",pictophonetic,"mouth" -1237,啊,"interjection or grunt of agreement; uhm; Ah, OK; expression of recognition; Oh, it's you!",pictophonetic,"mouth" -1238,啊,"modal particle ending sentence, showing affirmation, approval, or consent",pictophonetic,"mouth" -1239,问,"to ask; to inquire",pictophonetic,"mouth" -1240,啐,"to spit; (onom.) pshaw!; (old) to sip",pictophonetic,"mouth" -1241,喋,"old variant of 喋[die2]",pictophonetic,"mouth" -1242,启,"variant of 啟|启[qi3]",ideographic,"A door 户 being opened 口" -1243,啕,"wail",pictophonetic,"mouth" -1244,啖,"to eat; to taste; to entice (using bait)",pictophonetic,"mouth" -1245,啖,"variant of 啖[dan4]",pictophonetic,"mouth" -1246,啜,"(literary) to drink; to sip; to sob",pictophonetic,"mouth" -1247,哑,"(onom.) sound of cawing; sound of infant learning to talk; variant of 呀[ya1]",pictophonetic,"mouth" -1248,哑,"mute; dumb; incapable of speech; (of a voice) hoarse; husky; (of a bullet, bomb etc) dud",pictophonetic,"mouth" -1249,启,"Qi son of Yu the Great 禹[Yu3], reported founder of the Xia Dynasty 夏朝[Xia4 Chao2] (c. 2070-c. 1600 BC)",ideographic,"A door 户 being opened 口" -1250,启,"to open; to start; to initiate; to enlighten or awaken; to state; to inform",ideographic,"A door 户 being opened 口" -1251,啡,"(used in loanwords for its phonetic value)",pictophonetic,"mouth" -1252,衔,"variant of 銜|衔[xian2]",pictophonetic,"metal" -1253,啤,"beer",pictophonetic,"mouth" -1254,啥,"dialectal equivalent of 什麼|什么[shen2 me5]; also pr. [sha4]",pictophonetic,"mouth" -1255,啦,"(onom.) sound of singing, cheering etc; (phonetic); (dialect) to chat",pictophonetic,"mouth" -1256,啦,"sentence-final particle, contraction of 了啊, indicating exclamation; particle placed after each item in a list of examples",pictophonetic,"mouth" -1257,啪,"(onom.) bang; pop; pow",pictophonetic,"mouth" -1258,啫,"used in 啫哩[zhe3 li1]",pictophonetic,"mouth" -1259,啵,"(onom.) to bubble",ideographic,"The sound 口 of ripples in the water 波; 波 also provides the pronunciation" -1260,啵,"grammatical particle equivalent to 吧",ideographic,"The sound 口 of ripples in the water 波; 波 also provides the pronunciation" -1261,啶,"idine (chemistry)",pictophonetic,"mouth" -1262,啷,"used in 啷當|啷当[lang1 dang1]; used in onomatopoeic words such as 哐啷[kuang1 lang1]",pictophonetic,"mouth" -1263,啻,"only (classical, usually follows negative or question words); (not) just",pictophonetic,"mouth" -1264,啼,"(bound form) to cry; to weep loudly; (bound form) (of a bird or animal) to crow; to hoot; to screech",pictophonetic,"mouth" -1265,啾,"(onom.) wailing of child; chirp; kiss (Tw)",pictophonetic,"mouth" -1266,喀,"(onom.) sound of coughing or vomiting",pictophonetic,"mouth" -1267,喁,"(literary) (of a fish) to stick its mouth out of the water",pictophonetic,"mouth" -1268,喁,"(literary) (onom.) response chant, echoing another's chanted words",pictophonetic,"mouth" -1269,喂,"hello (when answering the phone)",pictophonetic,"mouth" -1270,喂,"hey; to feed (an animal, baby, invalid etc)",pictophonetic,"mouth" -1271,喃,"mumble in repetition",pictophonetic,"mouth" -1272,善,"good (virtuous); benevolent; well-disposed; good at sth; to improve or perfect",ideographic,"To give someone food 羊 and conversation 口" -1273,喆,"variant of 哲[zhe2] (used as a surname and in given names)",ideographic,"Extremely lucky 吉; 吉 also provides the pronunciation" -1274,喇,"(onom.) sound of wind, rain etc",pictophonetic,"mouth" -1275,喇,"(phonetic)",pictophonetic,"mouth" -1276,喈,"harmonious (of music)",pictophonetic,"mouth" -1277,喉,"throat; larynx",pictophonetic,"mouth" -1278,喊,"to yell; to shout; to call out for (a person)",pictophonetic,"mouth" -1279,喋,"flowing flood; to chatter",pictophonetic,"mouth" -1280,喏,"(indicating agreement) yes; all right; (drawing attention to) look!; here!; variant of 諾|诺[nuo4]",pictophonetic,"mouth" -1281,喏,"to salute; make one's curtsy",pictophonetic,"mouth" -1282,喑,"mute",pictophonetic,"mouth" -1283,咱,"variant of 咱[zan2]",pictophonetic,"mouth" -1284,喔,"(interjection) oh; I see (used to indicate realization, understanding)",pictophonetic,"mouth" -1285,喔,"(Tw) (sentence-final particle) (used to convey a friendly tone when giving an admonition or correcting sb etc)",pictophonetic,"mouth" -1286,喔,"(onom.) cry of a rooster (usu. reduplicated); Taiwan pr. [wo4]",pictophonetic,"mouth" -1287,喘,"to gasp; to pant; asthma",pictophonetic,"mouth" -1288,喙,"beak; snout; mouth; to pant",ideographic,"A hedgehog's 彖 mouth 口" -1289,唤,"to call",pictophonetic,"mouth" -1290,喜,"to be fond of; to like; to enjoy; to be happy; to feel pleased; happiness; delight; glad",ideographic,"Singing 口 and beating drums 壴" -1291,喝,"to drink; variant of 嗬[he1]",pictophonetic,"mouth" -1292,喝,"to shout",pictophonetic,"mouth" -1293,喟,"to sigh",pictophonetic,"mouth" -1294,喧,"clamor; noise",pictophonetic,"mouth" -1295,喨,"clear; resounding",pictophonetic,"mouth" -1296,丧,"mourning; funeral; (old) corpse",pictographic,"Simplified form of 喪; to cry 哭 over the dead 亡" -1297,丧,"to lose sth abstract but important (courage, authority, one's life etc); to be bereaved of (one's spouse etc); to die; disappointed; discouraged",pictographic,"Simplified form of 喪; to cry 哭 over the dead 亡" -1298,吃,"variant of 吃[chi1]",pictophonetic,"mouth" -1299,乔,"surname Qiao",ideographic,"A person 夭 on stilts" -1300,乔,"tall",ideographic,"A person 夭 on stilts" -1301,单,"surname Shan",, -1302,单,"bill; list; form; single; only; sole; odd number; CL:個|个[ge4]",, -1303,喱,"grain (unit of weight, approx. 0.065 grams); Taiwan pr. [li3]",ideographic,"A thousandth 厘 of a meal 口; 厘 also provides the pronunciation" -1304,哟,"Oh! (interjection indicating slight surprise); also pr. [yao1]",pictophonetic,"mouth" -1305,哟,"(sentence-final particle expressing exhortation); (syllable filler in a song)",pictophonetic,"mouth" -1306,喳,"used in 喳喳[cha1 cha5]",pictophonetic,"mouth" -1307,喳,"(onom.) chirp, twitter, etc",pictophonetic,"mouth" -1308,喵,"(onom.) meow; cat's mewing",pictophonetic,"mouth" -1309,喹,"used in 喹啉[kui2 lin2]",pictophonetic,"mouth" -1310,喻,"surname Yu",pictophonetic,"mouth" -1311,喻,"to describe sth as; an analogy; a simile; a metaphor; an allegory",pictophonetic,"mouth" -1312,喼,"box (dialect); used to transliterate words with sounds kip-, cap- etc",pictophonetic,"mouth" -1313,喿,"chirping of birds",ideographic,"Several birds 品 chirping in a tree 木" -1314,啼,"variant of 啼[ti2]",pictophonetic,"mouth" -1315,嗄,"variant of 啊[a2]",pictophonetic,"mouth" -1316,嗄,"hoarse",pictophonetic,"mouth" -1317,嗅,"to smell; to sniff; to nose",ideographic,"To taste 口 an odor 臭; 臭 also provides the pronunciation" -1318,呛,"to choke (because of swallowing the wrong way)",pictophonetic,"mouth" -1319,呛,"to irritate the nose; to choke (of smoke, smell etc); pungent; (coll.) (Tw) to shout at sb; to scold; to speak out against sb",pictophonetic,"mouth" -1320,啬,"stingy",, -1321,嗉,"the crop of a bird",pictophonetic,"mouth" -1322,唝,"used for transcription in 嗊吥|唝吥[Gong4 bu4]",pictophonetic,"mouth" -1323,唝,"used in the title of an ancient song, 囉嗊曲|啰唝曲[Luo2 hong3 Qu3]",pictophonetic,"mouth" -1324,嗌,"(literary) to choke; to have a blockage in the throat; Taiwan pr. [yi4]",pictophonetic,"mouth" -1325,嗌,"(literary) the throat; (literary) (military) choke point",pictophonetic,"mouth" -1326,嗍,"to suck; Taiwan pr. [shuo4]",pictophonetic,"mouth" -1327,吗,"(coll.) what?",pictophonetic,"mouth" -1328,吗,"used in 嗎啡|吗啡[ma3 fei1]",pictophonetic,"mouth" -1329,吗,"(question particle for ""yes-no"" questions)",pictophonetic,"mouth" -1330,嗐,"exclamation of regret",pictophonetic, -1331,嗑,"to crack (seeds) between one's teeth",pictophonetic,"mouth" -1332,嗒,"(onom.) used in words that describe machine gunfire, the ticking of a clock or the clatter of horse hooves etc",pictophonetic,"mouth" -1333,嗒,"to despair",pictophonetic,"mouth" -1334,嗓,"throat; voice",pictophonetic,"mouth" -1335,嗔,"to be angry at; to be displeased and annoyed",pictophonetic,"mouth" -1336,嗖,"(onom.) whooshing; swishing; rustle of skirts",pictophonetic,"mouth" -1337,呜,"(onom.) for humming or whimpering",pictophonetic,"mouth" -1338,嗜,"addicted to; fond of; stem corresponding to -phil or -phile",pictophonetic,"mouth" -1339,嗝,"hiccup; belch",pictophonetic,"mouth" -1340,嗟,"sigh; also pr. [jue1]",pictophonetic,"mouth" -1341,嗡,"(onom.) buzz; hum; drone",pictophonetic,"mouth" -1342,嗣,"succession (to a title); to inherit; continuing (a tradition); posterity",pictophonetic,"book" -1343,嗤,"laugh at; jeer; scoff at; sneer at",ideographic,"To laugh 蚩 out loud 口; 蚩 also provides the pronunciation" -1344,嗥,"to howl (like a wolf)",pictophonetic,"mouth" -1345,嗦,"to suck; used in 囉嗦|啰嗦[luo1suo5]; used in 哆嗦[duo1suo5]",pictophonetic,"mouth" -1346,嗨,"oh alas; hey!; hi! (loanword); a high (natural or drug-induced) (loanword)",pictophonetic,"mouth" -1347,唢,"used in 嗩吶|唢呐[suo3 na4]",ideographic,"A mouth 口 blowing ⺌ through a conch 贝" -1348,嗪,"used in phonetic transcription -xine, -zine or -chin",pictophonetic,"mouth" -1349,嗬,"(interjection expressing surprise) oh!; wow!",pictophonetic,"mouth" -1350,嗯,"(a groaning sound)",pictophonetic,"mouth" -1351,嗯,"(nonverbal grunt as interjection); OK, yeah; what?",pictophonetic,"mouth" -1352,嗯,"interjection indicating approval, appreciation or agreement",pictophonetic,"mouth" -1353,嗲,"coy; childish",pictophonetic,"mouth" -1354,嗵,"(onom.) thump; thud",pictophonetic,"mouth" -1355,哔,"(phonetic)",pictophonetic,"mouth" -1356,嗷,"loud clamor; the sound of wailing",pictophonetic,"mouth" -1357,嗽,"(bound form) to cough",pictophonetic,"mouth" -1358,嗾,"to urge on; incite",, -1359,嘀,"(onom.) sound of dripping water, a ticking clock etc",pictophonetic,"mouth" -1360,嘀,"used in 嘀咕[di2gu5]",pictophonetic,"mouth" -1361,嘁,"whispering sound",pictophonetic,"mouth" -1362,嘅,"possessive particle (Cantonese); Mandarin equivalent: 的[de5]",pictophonetic,"mouth" -1363,慨,"old variant of 慨[kai3]; to sigh (with emotion)",pictophonetic,"heart" -1364,叹,"to sigh; to exclaim",ideographic,"A mouth 口 exhaling 又" -1365,嘈,"bustling; tumultuous; noisy",pictophonetic,"mouth" -1366,嘉,"surname Jia",pictophonetic,"drum" -1367,嘉,"excellent; auspicious; to praise; to commend",pictophonetic,"drum" -1368,嘌,"(literary) fast; speedy; used in 嘌呤[piao4 ling4]; Taiwan pr. [piao1]",pictophonetic,"mouth" -1369,喽,"(bound form) subordinates in a gang of bandits",pictophonetic,"mouth" -1370,喽,"(final particle equivalent to 了[le5]); (particle calling attention to, or mildly warning of, a situation)",pictophonetic,"mouth" -1371,嘎,"cackling sound",pictophonetic,"mouth" -1372,嘏,"good fortune; longevity",pictophonetic,"false" -1373,嘏,"far; grand",pictophonetic,"false" -1374,呼,"variant of 呼[hu1]; to shout; to call out",pictophonetic,"mouth" -1375,呕,"vomit",pictophonetic,"mouth" -1376,啧,"(interj. of admiration or of disgust); to click one's tongue; to attempt to (find an opportunity to) speak",pictophonetic,"mouth" -1377,尝,"to taste; to try (food); to experience; (literary) ever; once",pictophonetic,"speak" -1378,嘚,"(onom.) for the sound of horsehoofs",pictophonetic,"mouth" -1379,嘛,"used in 唵嘛呢叭咪吽[an3 ma2 ni2 ba1 mi1 hong1]; (Tw) (coll.) what?",pictophonetic,"mouth" -1380,嘛,"modal particle indicating that sth is obvious; particle indicating a pause for emphasis",pictophonetic,"mouth" -1381,唛,"mark (loanword); also pr. [ma4]",pictophonetic,"mouth" -1382,嘞,"sentence-final particle similar to 了[le5], but carrying a tone of approval",pictophonetic,"mouth" -1383,嘟,"toot; honk; to pout",pictophonetic,"mouth" -1384,嘎,"old variant of 嘎[ga2]",pictophonetic,"mouth" -1385,嘢,"(Cantonese) thing; matter; stuff",pictophonetic,"mouth" -1386,嘣,"(onom.) thump; boom; bang",pictophonetic,"mouth" -1387,嘧,"(phonetic) as in pyrimidine",pictophonetic,"mouth" -1388,哗,"(onom.) bang; clang; sound of gurgling, splashing or flowing water; (interjection expressing surprise) wow",pictophonetic,"mouth" -1389,哗,"clamor; noise; (bound form) sound used to call cats",pictophonetic,"mouth" -1390,嘬,"(literary) to gnaw; to eat ravenously",pictophonetic,"mouth" -1391,嘬,"(coll.) to suck",pictophonetic,"mouth" -1392,嘭,"(onom.) bang",pictophonetic,"mouth" -1393,唠,"to chatter",pictophonetic,"mouth" -1394,唠,"to gossip; to chat (dialect)",pictophonetic,"mouth" -1395,啸,"(of people) to whistle; (of birds and animals) to screech; to howl; to roar",pictophonetic,"mouth" -1396,叽,"grumble",pictophonetic,"mouth" -1397,嘲,"to ridicule; to mock",pictophonetic,"mouth" -1398,嘲,"used in 嘲哳[zhao1 zha1]",pictophonetic,"mouth" -1399,嘴,"mouth; beak; nozzle; spout (of teapot etc); CL:張|张[zhang1],個|个[ge4]",pictophonetic,"mouth" -1400,哓,"a cry of alarm; querulous",pictophonetic,"mouth" -1401,嘶,"hiss; neigh; Ss! (sound of air sucked between the teeth, indicating hesitation or thinking over)",pictophonetic,"mouth" -1402,嗥,"variant of 嗥[hao2]",pictophonetic,"mouth" -1403,呒,"perplexed; astonished",pictophonetic,"mouth" -1404,嘹,"clear sound; cry (of cranes etc)",pictophonetic,"mouth" -1405,嘻,"laugh; giggle; (interjection expressing admiration, surprise etc)",ideographic,"A happy 喜 sound 口; 喜 also provides the pronunciation" -1406,啴,"used in 嘽嘽|啴啴[chan3chan3] and 嘽緩|啴缓[chan3huan3]",pictophonetic,"mouth" -1407,啴,"used in 嘽嘽|啴啴[tan1 tan1]",pictophonetic,"mouth" -1408,嘿,"hey",pictophonetic,"mouth" -1409,啖,"variant of 啖[dan4]",pictophonetic,"mouth" -1410,噌,"to scold; whoosh!",pictophonetic,"mouth" -1411,噌,"sound of bells etc",pictophonetic,"mouth" -1412,噍,"to chew",pictophonetic,"mouth" -1413,噎,"to choke (on); to choke up; to suffocate",pictophonetic,"mouth" -1414,嘘,"to exhale slowly; to hiss; hush!",pictophonetic,"mouth" -1415,噔,"(onom.) thud; thump",pictophonetic,"mouth" -1416,噗,"(onom.) pop; plop; pfff; putt-putt of a motor",pictophonetic,"mouth" -1417,噘,"to pout; (dialect) to scold",pictophonetic,"mouth" -1418,噙,"to hold in (usually refers the mouth or eyes)",pictophonetic,"mouth" -1419,咝,"(onom.) to hiss; to whistle; to whiz; to fizz",pictophonetic,"mouth" -1420,哒,"(phonetic); command to a horse; clatter (of horses' hoofs)",pictophonetic,"mouth" -1421,噢,"oh; ah (used to indicate realization); also pr. [ou4]",pictophonetic,"mouth" -1422,噤,"unable to speak; silent",ideographic,"Forbidden 禁 to speak 口; 禁 also provides the pronunciation" -1423,哝,"garrulous",pictophonetic,"mouth" -1424,哕,"used in 噦噦|哕哕[hui4 hui4]",pictophonetic,"mouth" -1425,哕,"to puke; to hiccup; Taiwan pr. [yue1]",pictophonetic,"mouth" -1426,器,"device; tool; utensil; CL:臺|台[tai2]",ideographic,"Four cooking vessels 口 guarded by a dog 犬" -1427,噩,"startling",ideographic,"A jade statue 王 with four holes made in it 口" -1428,噪,"(literary) (of birds or insects) to chirp; (bound form) to make a cacophonous noise",ideographic,"The sound 口 of birds chirping 喿; 喿 also provides the pronunciation" -1429,噫,"yeah (interjection of approval); to belch",pictophonetic,"mouth" -1430,噬,"to devour; to bite",pictophonetic,"mouth" -1431,嗳,"to belch; (interj. of disapproval)",pictophonetic,"mouth" -1432,嗳,"(interj. of regret)",pictophonetic,"mouth" -1433,噱,"loud laughter",pictophonetic,"mouth" -1434,哙,"surname Kuai",pictophonetic,"mouth" -1435,哙,"throat; to swallow",pictophonetic,"mouth" -1436,哙,"(interjection) hey",pictophonetic,"mouth" -1437,喷,"to spout; to spurt; to spray; to puff; (slang) to criticize scathingly (esp. online)",pictophonetic,"mouth" -1438,喷,"(of a smell) strong; peak season (of a crop); (classifier for the ordinal number of a crop, in the context of multiple harvests)",pictophonetic,"mouth" -1439,噶,"phonetic ga (used in rendering Tibetan and Mongolian sounds); Tibetan Ge: language of Buddha; (dialect) final particle similar to 了[le5] (esp. in Yunnan)",pictophonetic,"mouth" -1440,吨,"ton (loanword); Taiwan pr. [dun4]",pictophonetic,"mouth" -1441,当,"(onom.) dong; ding dong (bell)",, -1442,噻,"used in transliteration",pictophonetic,"mouth" -1443,噼,"child's buttocks (esp. Cantonese); (onom.) crack, slap, clap, clatter etc",pictophonetic,"mouth" -1444,咛,"to enjoin",pictophonetic,"mouth" -1445,嚄,"(interj.) oh!",pictophonetic,"mouth" -1446,嚄,"(interj. of surprise)",pictophonetic,"mouth" -1447,嚅,"chattering",pictophonetic,"mouth" -1448,嚆,"sound; noise",pictophonetic,"mouth" -1449,吓,"to scare; to intimidate; to threaten; (interjection showing disapproval) tut-tut; (interjection showing astonishment)",pictophonetic,"mouth" -1450,吓,"to frighten; to scare",pictophonetic,"mouth" -1451,哜,"sip",pictophonetic,"mouth" -1452,嚎,"howl; bawl",pictophonetic,"mouth" -1453,嚏,"sneeze",pictophonetic,"mouth" -1454,尝,"to taste; to experience (variant of 嘗|尝[chang2])",pictophonetic,"speak" -1455,嚓,"(onom.) scraping sound; ripping of fabric; screeching of tires",pictophonetic,"mouth" -1456,嚓,"(onom.) used in 喀嚓[ka1cha1] and 啪嚓[pa1cha1]; Taiwan pr. [ca1]",pictophonetic,"mouth" -1457,噜,"grumble; chatter",pictophonetic,"mouth" -1458,啮,"to gnaw; to erode",pictophonetic,"mouth" -1459,咽,"to swallow",pictophonetic,"mouth" -1460,呖,"sound of splitting; cracking",pictophonetic,"mouth" -1461,咙,"used in 喉嚨|喉咙[hou2 long2]",pictophonetic,"mouth" -1462,向,"to tend toward; to guide; variant of 向[xiang4]",, -1463,嚯,"(onom.) expressing admiration or surprise; (onom.) sound of a laugh",pictophonetic,"mouth" -1464,喾,"one of the five legendary emperors, also called 高辛氏[Gao1 xin1 shi4]",, -1465,严,"surname Yan",, -1466,严,"tight (closely sealed); stern; strict; rigorous; severe; father",, -1467,嘤,"calling of birds",pictophonetic,"mouth" -1468,嚷,"to shout; to bellow; to make a big deal of sth; to make a fuss about sth",pictophonetic,"mouth" -1469,嚼,"to chew; also pr. [jue2]",pictophonetic,"mouth" -1470,嚼,"used in 倒嚼[dao3 jiao4]",pictophonetic,"mouth" -1471,啭,"to sing (of birds or insects); to warble; to chirp; to twitter",pictophonetic,"mouth" -1472,嗫,"move the mouth as in speaking",pictophonetic,"mouth" -1473,嚣,"clamor",, -1474,冁,"smilingly",ideographic,"When an individual 单 opens up 展; 展 also provides the pronunciation" -1475,呓,"to talk in one's sleep",pictophonetic,"mouth" -1476,啰,"used in 囉嗦|啰嗦[luo1 suo5]",pictophonetic,"mouth" -1477,啰,"used in 囉唣|啰唣[luo2zao4]",pictophonetic,"mouth" -1478,啰,"(final exclamatory particle)",pictophonetic,"mouth" -1479,囊,"sack; purse; pocket (for money)",pictophonetic,"gate" -1480,苏,"used in 嚕囌|噜苏[lu1 su1]",pictophonetic,"plant" -1481,嘱,"to enjoin; to implore; to urge",pictophonetic,"mouth" -1482,啮,"variant of 嚙|啮[nie4]; to gnaw",pictophonetic,"mouth" -1483,囔,"muttering, indistinct speech",pictophonetic,"mouth" -1484,囗,"enclosure",, -1485,因,"old variant of 因[yin1]",, -1486,囚,"prisoner",ideographic,"A person 人 in a cell 囗" -1487,四,"four; 4",ideographic,"A child 儿 in a room with four walls 囗" -1488,囝,"child",ideographic,"A baby 子 in a crib 囗" -1489,囝,"variant of 囡[nan1]",ideographic,"A baby 子 in a crib 囗" -1490,回,"to circle; to go back; to turn around; to answer; to return; to revolve; Hui ethnic group (Chinese Muslims); time; classifier for acts of a play; section or chapter (of a classic book)",ideographic,"Originally, a spiral signifying return" -1491,囟,"fontanel (gap between the bones of an infant's skull)",ideographic,"A skull from above, with 乂 marking the fontanelle" -1492,因,"cause; reason; because",, -1493,囡,"child; daughter",ideographic,"A girl 女 in a crib 囗" -1494,囤,"bin for grain",pictophonetic,"enclosure" -1495,囤,"to store; to hoard",pictophonetic,"enclosure" -1496,囱,"variant of 窗[chuang1]",ideographic,"A fire 夂 burning and giving off smoke" -1497,囱,"chimney",ideographic,"A fire 夂 burning and giving off smoke" -1498,囫,"used in 囫圇|囫囵[hu2lun2]",pictophonetic,"enclosure" -1499,困,"to trap; to surround; hard-pressed; stranded; destitute",ideographic,"A fence 囗 built around a tree 木" -1500,囷,"granary; Taiwan pr. [jun1]",ideographic,"A bin 囗 for storing grain 禾" -1501,囹,"used in 囹圄[ling2 yu3]",pictophonetic,"enclosure" -1502,固,"hard; strong; solid; sure; assuredly; undoubtedly; of course; indeed; admittedly",pictophonetic,"border" -1503,囿,"park; to limit; be limited to",pictophonetic,"enclosure" -1504,圂,"grain-fed animals; pigsty",ideographic,"A pig 豕 in a pen 囗" -1505,圃,"garden; orchard",pictophonetic,"enclosure" -1506,圄,"prison; to imprison",pictophonetic,"enclosure" -1507,函,"variant of 函[han2]",ideographic,"Letters placed in a container 凵" -1508,囵,"used in 囫圇|囫囵[hu2lun2]",pictophonetic,"enclosure" -1509,圈,"to confine; to lock up; to pen in",pictophonetic,"enclosure" -1510,圈,"livestock enclosure; pen; fold; sty",pictophonetic,"enclosure" -1511,圈,"circle; ring; loop (CL:個|个[ge4]); classifier for loops, orbits, laps of race etc; to surround; to circle",pictophonetic,"enclosure" -1512,圉,"horse stable; frontier",pictophonetic,"enclosure" -1513,圊,"restroom; latrine",pictophonetic,"enclosure" -1514,国,"surname Guo",ideographic,"Treasure 玉 within a country's borders 囗" -1515,国,"country; nation; state; (bound form) national",ideographic,"Treasure 玉 within a country's borders 囗" -1516,围,"surname Wei",pictophonetic,"enclosure" -1517,围,"to encircle; to surround; all around; to wear by wrapping around (scarf, shawl)",pictophonetic,"enclosure" -1518,园,"surname Yuan",pictophonetic,"enclosure" -1519,园,"land used for growing plants; site used for public recreation; abbr. for a place ending in 園|园, such as a botanical garden 植物園|植物园, kindergarten 幼兒園|幼儿园 etc",pictophonetic,"enclosure" -1520,圆,"circle; round; circular; spherical; (of the moon) full; unit of Chinese currency (yuan); tactful; to make consistent and whole (the narrative of a dream or a lie)",pictophonetic,"enclosure" -1521,图,"diagram; picture; drawing; chart; map; CL:張|张[zhang1]; to plan; to scheme; to attempt; to pursue; to seek",ideographic,"Simplified form of 圖; a map of a district's 啚 borders 囗" -1522,团,"round; lump; ball; to roll into a ball; to gather; regiment; group; society; classifier for a lump or a soft mass: wad (of paper), ball (of wool), cloud (of smoke)",ideographic,"A lot of talent 才 gathered in one place 囗" -1523,圙,"used in 圐圙[ku1 lu:e4]",pictophonetic,"enclosure" -1524,圜,"circle; encircle",ideographic,"A round 睘 fence 囗" -1525,圜,"circle; round",ideographic,"A round 睘 fence 囗" -1526,土,"Tu (ethnic group); surname Tu",pictographic,"A lump of clay on a potter's wheel" -1527,土,"earth; dust; clay; local; indigenous; crude opium; unsophisticated; one of the eight categories of ancient musical instruments 八音[ba1 yin1]",pictographic,"A lump of clay on a potter's wheel" -1528,圣,"to dig",ideographic,"Simplified form of 聖; a king 王 of listening 耳  and speaking口" -1529,圣,"old variant of 聖|圣[sheng4]",ideographic,"Simplified form of 聖; a king 王 of listening 耳  and speaking口" -1530,在,"to exist; to be alive; (of sb or sth) to be (located) at; (used before a verb to indicate an action in progress)",pictophonetic,"earth" -1531,圩,"dike",pictophonetic,"earth" -1532,圩,"(dialect) country fair; country market",pictophonetic,"earth" -1533,圪,"(phonetic)",pictophonetic,"earth" -1534,圬,"to plaster; whitewash",pictophonetic,"earth" -1535,圭,"jade tablet, square at the base and rounded or pointed at the top, held by the nobility at ceremonies; sundial; (ancient unit of volume) a tiny amount; a smidgen; a speck",ideographic,"A stack of tablets" -1536,圮,"destroyed; injure",pictophonetic,"earth" -1537,圯,"bridge, bank",pictophonetic,"earth" -1538,地,"-ly; structural particle: used before a verb or adjective, linking it to preceding modifying adverbial adjunct",pictophonetic,"earth" -1539,地,"earth; ground; field; place; land; CL:片[pian4]",pictophonetic,"earth" -1540,圳,"(dialect) drainage ditch between fields (Taiwan pr. [zun4]); used in place names, notably 深圳[Shen1 zhen4]",ideographic,"A furrow cut in the earth 土 by a stream 川; 川 also provides the pronunciation" -1541,圻,"boundary; a border",pictophonetic,"earth" -1542,圾,"used in 垃圾[la1 ji1]; Taiwan pr. [se4]",pictophonetic,"earth" -1543,址,"(bound form) site; location",pictophonetic,"earth" -1544,坂,"variant of 阪[ban3]",pictophonetic,"earth" -1545,均,"equal; even; all; uniform",pictophonetic,"earth" -1546,坊,"surname Fang",pictophonetic,"earth" -1547,坊,"lane (usually as part of a street name); memorial archway",pictophonetic,"earth" -1548,坊,"workshop; mill; Taiwan pr. [fang1]",pictophonetic,"earth" -1549,坌,"variant of 坋[ben4]; old variant of 笨[ben4]",pictophonetic,"earth" -1550,坍,"to collapse",pictophonetic,"earth" -1551,坎,"pit; threshold; one of the Eight Trigrams 八卦[ba1 gua4], symbolizing water; ☵",pictophonetic,"earth" -1552,坐,"surname Zuo",ideographic,"Two people 从 sitting on the ground 土" -1553,坐,"to sit; to take a seat; to take (a bus, airplane etc); to bear fruit; variant of 座[zuo4]",ideographic,"Two people 从 sitting on the ground 土" -1554,坑,"pit; depression; hollow; tunnel; hole in the ground; (archaic) to bury alive; to hoodwink; to cheat (sb)",pictophonetic,"earth" -1555,坒,"to compare; to match; to equal",ideographic,"Comparing 比 pottery 土; 比 also provides the pronunciation" -1556,坡,"slope; CL:個|个[ge4]; sloping; slanted",pictophonetic,"earth" -1557,坤,"one of the Eight Trigrams 八卦[ba1 gua4], symbolizing earth; female principle; ☷; ancient Chinese compass point: 225° (southwest)",pictophonetic,"earth" -1558,坦,"flat; open-hearted; level; smooth",pictophonetic,"earth" -1559,坨,"(bound form) lump; heap",pictophonetic,"earth" -1560,坩,"crucible",pictophonetic,"earth" -1561,坪,"a plain; ping, unit of area equal to approx. 3.3058 square meters (used in Japan and Taiwan)",pictophonetic,"earth" -1562,坫,"stand for goblets",pictophonetic,"earth" -1563,坭,"variant of 泥[ni2]",pictophonetic,"earth" -1564,坯,"blank (e.g. for a coin); unburnt earthenware; semifinished product; Taiwan pr. [pei1]",pictophonetic,"earth" -1565,坳,"depression; cavity; hollow; Taiwan pr. [ao1]",pictophonetic,"earth" -1566,坴,"a clod of earth; land",ideographic,"Soil 土 heaped 八 on the earth 土" -1567,丘,"hillock; mound (variant of 丘[qiu1])",pictographic,"Two hills" -1568,坷,"uneven (path); unfortunate (in life)",pictophonetic,"earth" -1569,坻,"islet; rock in river",pictophonetic,"earth" -1570,坻,"place name",pictophonetic,"earth" -1571,坼,"to crack; to split; to break; to chap",pictophonetic,"earth" -1572,附,"variant of 附[fu4]",pictophonetic,"place" -1573,垂,"to hang (down); droop; dangle; bend down; hand down; bequeath; nearly; almost; to approach",pictographic,"A tree with drooping branches" -1574,垃,"used in 垃圾[la1 ji1]; Taiwan pr. [le4]",pictophonetic,"earth" -1575,型,"mold; type; style; model",pictophonetic,"earth" -1576,垌,"field; farm; used in place names",pictophonetic,"earth" -1577,垓,"boundary",pictophonetic,"earth" -1578,垔,"to restrain; to dam a stream and change its direction; a mound",pictophonetic,"earth" -1579,垚,"variant of 堯|尧, legendary emperor Yao, c. 2200 BC; embankment",ideographic,"A mound 土 of clay 土" -1580,垛,"battlement; target",pictophonetic,"earth" -1581,垛,"pile",pictophonetic,"earth" -1582,垛,"variant of 垛[duo3]",pictophonetic,"earth" -1583,垠,"limit; border; river bank",pictophonetic,"earth" -1584,垡,"to turn the soil; upturned soil; (used in place names)",pictophonetic,"earth" -1585,垢,"dirt; disgrace",pictophonetic,"earth" -1586,垣,"wall",pictophonetic,"earth" -1587,垤,"anthill; mound",pictophonetic,"earth" -1588,垧,"unit of land area (equivalent to 10 or 15 mǔ 畝|亩[mu3] in parts of northeast China, but only 3 or 5 mǔ in northwest China)",pictophonetic,"earth" -1589,垮,"to collapse (lit. or fig.)",pictophonetic,"earth" -1590,埂,"strip of high ground; low earth dyke separating fields",pictophonetic,"earth" -1591,埃,"abbr. for Egypt 埃及[Ai1 ji2]",pictophonetic,"earth" -1592,埃,"dust; dirt; angstrom; phonetic ai or e",pictophonetic,"earth" -1593,埄,"variant of 埲[beng3]",pictophonetic,"earth" -1594,埄,"landmark used during the Song Dynasty (960-1279 AD)",pictophonetic,"earth" -1595,埇,"raised path",pictophonetic,"earth" -1596,埋,"to bury",pictophonetic,"earth" -1597,埋,"used in 埋怨[man2 yuan4]",pictophonetic,"earth" -1598,城,"city walls; city; town; CL:座[zuo4],道[dao4],個|个[ge4]",pictophonetic,"earth" -1599,埏,"to mix water with clay",ideographic,"An earthen 土 roadblock 延" -1600,埏,"boundary",ideographic,"An earthen 土 roadblock 延" -1601,埒,"(literary) equal; enclosure; dike; embankment; Taiwan pr. [le4]",pictophonetic,"earth" -1602,埔,"port; wharf; pier",pictophonetic,"earth" -1603,埔,"port; flat land next to a river or ocean",pictophonetic,"earth" -1604,埕,"earthen jar",pictophonetic,"earth" -1605,埗,"wharf; dock; jetty; trading center; port; place name",pictophonetic,"earth" -1606,野,"old variant of 野[ye3]",pictophonetic,"village" -1607,埝,"earth embankment used to hold back or retain water; dike around a paddy field",pictophonetic,"earth" -1608,域,"field; region; area; domain (taxonomy)",pictophonetic,"earth" -1609,埠,"wharf; port; pier",pictophonetic,"earth" -1610,垭,"(dialect) strip of land between hills; used in place names; also pr. [ya4]",pictophonetic,"earth" -1611,埤,"low wall",pictophonetic,"earth" -1612,埭,"dam",pictophonetic,"earth" -1613,埯,"hole in the ground to plant seeds in; to make a hole for seeds; to dibble",pictophonetic,"earth" -1614,埲,"used in 塕埲[weng3beng3]; (Cantonese) classifier for walls",pictophonetic,"earth" -1615,坎,"old variant of 坎[kan3]; pit; hole",pictophonetic,"earth" -1616,埴,"soil with large clay content",pictophonetic,"earth" -1617,埵,"solid earth",pictophonetic,"earth" -1618,埶,"skill; art",ideographic,"Clay 坴 formed into a ball 丸" -1619,执,"to execute (a plan); to grasp",ideographic,"A hand 扌 clutching a pebble 丸" -1620,埸,"border",pictophonetic,"earth" -1621,培,"to bank up with earth; to cultivate (lit. or fig.); to train (people)",pictophonetic,"earth" -1622,基,"(bound form) base; foundation; (bound form) radical (chemistry); (bound form) gay (loanword from English into Cantonese, Jyutping: gei1, followed by orthographic borrowing from Cantonese)",pictophonetic,"earth" -1623,埼,"headland",pictophonetic,"earth" -1624,埽,"dike; old variant of 掃|扫[sao4]",ideographic,"To sweep 帚 away dirt 土" -1625,堀,"cave; hole",pictophonetic,"earth" -1626,堂,"(main) hall; large room for a specific purpose; CL:間|间[jian1]; relationship between cousins etc on the paternal side of a family; of the same clan; classifier for classes, lectures etc; classifier for sets of furniture",pictophonetic,"earth" -1627,坤,"variant of 坤[kun1]",pictophonetic,"earth" -1628,坚,"strong; solid; firm; unyielding; resolute",, -1629,堆,"to pile up; to heap up; a mass; pile; heap; stack; large amount",pictophonetic,"earth" -1630,堇,"clay; old variant of 僅|仅[jin3]; violet (plant)",ideographic,"Yellow 黄 earth 土" -1631,垩,"to whitewash; to plaster",pictophonetic,"earth" -1632,堋,"target in archery",pictophonetic,"earth" -1633,堍,"side of bridge",pictophonetic,"earth" -1634,垴,"small hill; used in geographic names",pictophonetic,"earth" -1635,塍,"variant of 塍[cheng2]",pictophonetic,"earth" -1636,堙,"bury; mound; to dam; close",pictophonetic,"earth" -1637,埚,"crucible",pictophonetic,"earth" -1638,堞,"battlements",ideographic,"A flat 枼 earthen 土" -1639,堠,"mounds for beacons",pictophonetic,"earth" -1640,堡,"(bound form) fortress; stronghold; (often used to transliterate -berg, -burg etc in place names); (bound form) burger (abbr. for 漢堡|汉堡[han4bao3])",ideographic,"Earthen 土 walls built for defense 保; 保 also provides the meaning" -1641,堡,"village (used in place names)",ideographic,"Earthen 土 walls built for defense 保; 保 also provides the meaning" -1642,堡,"variant of 鋪|铺[pu4]; used in place names",ideographic,"Earthen 土 walls built for defense 保; 保 also provides the meaning" -1643,堤,"dike; Taiwan pr. [ti2]",pictophonetic,"earth" -1644,阶,"variant of 階|阶[jie1]",pictophonetic,"hill" -1645,堪,"(bound form) may; can; (bound form) to endure; to bear; (in 堪輿|堪舆[kan1 yu2]) heaven (contrasted with earth 輿|舆[yu2])",ideographic,"One with a considerable amount 甚 of land 土" -1646,尧,"surname Yao; Yao or Tang Yao (c. 2200 BC), one of the Five legendary Emperors 五帝[Wu3 Di4], second son of Di Ku 帝嚳|帝喾[Di4 Ku4]",, -1647,堰,"weir",pictophonetic,"earth" -1648,报,"to announce; to inform; report; newspaper; recompense; revenge; CL:份[fen4],張|张[zhang1]",ideographic,"A hand 扌 cuffing 又 a criminal 卩, representing sentencing" -1649,场,"threshing floor; classifier for events and happenings: spell, episode, bout",pictophonetic,"earth" -1650,场,"large place used for a specific purpose; stage; scene (of a play); classifier for sporting or recreational activities; classifier for number of exams",pictophonetic,"earth" -1651,堵,"to block up (a road, pipe etc); to stop up (a hole); (fig.) (of a person) choked up with anxiety or stress; wall (literary); (classifier for walls)",pictophonetic,"earth" -1652,堿,"variant of 鹼|碱[jian3]",pictophonetic,"earth" -1653,塄,"elevated bank around a field",pictophonetic,"earth" -1654,块,"lump; chunk; piece; classifier for pieces of cloth, cake, soap etc; (coll.) classifier for money and currency units",pictophonetic,"earth" -1655,茔,"(literary) a grave",ideographic,"Grass 艹 covering a buried 土 casket 冖" -1656,塌,"to collapse; to droop; to settle down",pictophonetic,"earth" -1657,塍,"raised path between fields",pictophonetic,"earth" -1658,垲,"dry terrain",pictophonetic,"earth" -1659,塑,"to model (a figure) in clay; (bound form) plastic (i.e. the synthetic material)",pictophonetic,"earth" -1660,埘,"hen roost",pictophonetic,"earth" -1661,塔,"pagoda; tower; minaret; stupa (abbr. loanword from Sanskrit tapo); CL:座[zuo4]",pictophonetic,"earth" -1662,塕,"flying dust (dialect); dust",pictophonetic,"earth" -1663,涂,"to apply (paint etc); to smear; to daub; to blot out; to scribble; to scrawl; (literary) mud; street",pictophonetic,"water" -1664,塘,"dyke; embankment; pool or pond; hot-water bathing pool",pictophonetic,"earth" -1665,冢,"burial mound (variant of 冢[zhong3])",pictophonetic,"shroud" -1666,塞,"Serbia; Serbian; abbr. for 塞爾維亞|塞尔维亚[Sai1 er3 wei2 ya4]",pictophonetic,"earth" -1667,塞,"to stop up; to squeeze in; to stuff; cork; stopper",pictophonetic,"earth" -1668,塞,"strategic pass; tactical border position",pictophonetic,"earth" -1669,塞,"to stop up; to stuff; to cope with",pictophonetic,"earth" -1670,葬,"old variant of 葬[zang4]",ideographic,"A corpse 死 laid 廾 to rest under the grass 艹" -1671,坞,"(bound form) low area within a surrounding barrier; (literary) small castle; fort",pictophonetic,"earth" -1672,埙,"ocarina; wind instrument consisting of an egg-shaped chamber with holes",pictophonetic,"earth" -1673,塥,"dry clay lump",pictophonetic,"earth" -1674,填,"to fill or stuff; (of a form etc) to fill in",pictophonetic,"earth" -1675,塬,"plateau, esp. Loess Plateau of northwest China 黃土高原|黄土高原[Huang2 tu3 Gao1 yuan2]",pictophonetic,"earth" -1676,场,"variant of 場|场[chang2]",pictophonetic,"earth" -1677,场,"variant of 場|场[chang3]",pictophonetic,"earth" -1678,尘,"dust; dirt; earth",ideographic,"Small 小 flakes of earth 土" -1679,堑,"(bound form) moat; chasm",pictophonetic,"earth" -1680,砖,"variant of 甎|砖[zhuan1]",pictophonetic,"stone" -1681,塾,"private school",pictophonetic,"earth" -1682,墀,"courtyard",pictophonetic,"earth" -1683,墁,"to plaster",pictophonetic,"earth" -1684,境,"border; place; condition; boundary; circumstances; territory",pictophonetic,"earth" -1685,墅,"villa",pictophonetic,"country" -1686,墉,"fortified wall; city wall",pictophonetic,"earth" -1687,垫,"pad; cushion; mat; to pad out; to fill a gap; to pay for sb; to advance (money)",pictophonetic,"earth" -1688,墒,"plowed earth; soil moisture; furrow",pictophonetic,"earth" -1689,墓,"grave; tomb; mausoleum",pictophonetic,"earth" -1690,塔,"old variant of 塔[ta3]",pictophonetic,"earth" -1691,坠,"to fall; to drop; to weigh down",pictophonetic,"earth" -1692,增,"(bound form) to increase; to augment; to add to",pictophonetic,"earth" -1693,墟,"ruins; (literary) village; variant of 圩[xu1]; country fair",pictophonetic,"earth" -1694,墨,"surname Mo; abbr. for 墨西哥[Mo4xi1ge1], Mexico",ideographic,"Chalk made from black 黑 earth 土" -1695,墨,"ink stick; China ink; CL:塊|块[kuai4]; corporal punishment consisting of tattooing characters on the victim's forehead",ideographic,"Chalk made from black 黑 earth 土" -1696,墩,"block; gate pillar; pier; classifier for clusters of plants; classifier for rounds in a card game: trick; (archaic) watchtower",pictophonetic,"earth" -1697,墩,"old variant of 墩[dun1]",pictophonetic,"earth" -1698,堕,"to fall; to sink; (fig.) to degenerate",pictophonetic,"earth" -1699,坟,"grave; tomb; CL:座[zuo4]; embankment; mound; ancient book",pictophonetic,"earth" -1700,垯,"used in 圪墶|圪垯[ge1da5]",pictophonetic,"earth" -1701,墙,"variant of 牆|墙[qiang2]",pictophonetic,"earth" -1702,墼,"(bound form) unfired brick; (bound form) briquette (made of coal etc); Taiwan pr. [ji2]",pictophonetic,"earth" -1703,垦,"to reclaim (land); to cultivate",pictophonetic,"earth" -1704,壁,"wall; rampart",pictophonetic,"earth" -1705,野,"erroneous variant of 野[ye3]",pictophonetic,"village" -1706,壅,"to obstruct; to stop up; to heap soil around the roots of a plant",pictophonetic,"earth" -1707,坛,"altar; platform; rostrum; (bound form) (sporting, literary etc) circles; world",pictophonetic,"earth" -1708,壑,"gully; ravine; Taiwan pr. [huo4]",ideographic,"A ditch 㕡 carved in the earth 土; 㕡 also provides the pronunciation" -1709,压,"to press; to push down; to keep under (control); pressure",ideographic,"Soil 土 crushed under pressure 厂" -1710,压,"used in 壓根兒|压根儿[ya4 gen1 r5] and 壓馬路|压马路[ya4 ma3 lu4] and 壓板|压板[ya4 ban3]",ideographic,"Soil 土 crushed under pressure 厂" -1711,壕,"moat; (military) trench",pictophonetic,"earth" -1712,垒,"rampart; base (in baseball); to build with stones, bricks etc",pictophonetic,"earth" -1713,圹,"tomb",pictophonetic,"earth" -1714,垆,"clay; shop",ideographic,"A cottage 卢 with earthen walls 土; 卢 also provides the pronunciation" -1715,坏,"bad; spoiled; broken; to break down; (suffix) to the utmost",pictophonetic,"earth" -1716,垄,"ridge between fields; crop row; mounded soil forming a ridge in a field; grave mound",pictophonetic,"earth" -1717,垅,"old variant of 壟|垄[long3]",pictophonetic,"earth" -1718,坜,"hole, pit",pictophonetic,"earth" -1719,壤,"(bound form) soil; earth; (literary) the earth (contrasted with heaven 天[tian1])",pictophonetic,"earth" -1720,坝,"dam; dike; embankment; CL:條|条[tiao2]",pictophonetic,"earth" -1721,士,"surname Shi",, -1722,士,"member of the senior ministerial class (old); scholar (old); bachelor; honorific; soldier; noncommissioned officer; specialist worker",, -1723,壬,"ninth of the ten Heavenly Stems 十天干[shi2 tian1 gan1]; ninth in order; letter ""I"" or Roman ""IX"" in list ""A, B, C"", or ""I, II, III"" etc; ancient Chinese compass point: 345°; nona",, -1724,壮,"Zhuang ethnic group of Guangxi, the PRC's second most numerous ethnic group",pictophonetic,"soldier" -1725,壮,"to strengthen; strong; robust",pictophonetic,"soldier" -1726,壴,"surname Zhu",pictographic,"A drum 口 on a stand with feathers 土 on top" -1727,壴,"(archaic) drum",pictographic,"A drum 口 on a stand with feathers 土 on top" -1728,壹,"one (banker's anti-fraud numeral)",, -1729,壶,"pot; classifier for bottled liquid",pictographic,"A jar of wine" -1730,婿,"variant of 婿[xu4]",pictophonetic,"woman" -1731,寿,"surname Shou",ideographic,"Altered form of 老" -1732,寿,"long life; old age; age; life; birthday; funerary",ideographic,"Altered form of 老" -1733,夂,"""walk slowly"" component in Chinese characters; see also 冬字頭|冬字头[dong1 zi4 tou2]",, -1734,夅,"old variant of 降[jiang4]",, -1735,夅,"old variant of 降[xiang2]",, -1736,夆,"to butt (as horned animals)",pictophonetic,"go" -1737,夊,"see 夂[zhi3]",, -1738,夌,"to dawdle; the name of the father of the Emperor Yao",, -1739,夏,"the Xia or Hsia dynasty c. 2000 BC; Xia of the Sixteen Kingdoms (407-432); surname Xia",, -1740,夏,"summer",, -1741,夔,"one-legged mountain demon of Chinese mythology; Chinese mythical figure who invented music and dancing; Chinese rain god; surname Kui",ideographic,"A monster with a face, a nose 自, and one foot 夊" -1742,夕,"dusk; evening; Taiwan pr. [xi4]",pictographic,"A crescent moon" -1743,外,"outside; in addition; foreign; external",ideographic,"Night-time 夕 divinations 卜; the supernatural, the foreign" -1744,夗,"to turn over when asleep",ideographic,"A person 㔾 curled up at night 夕" -1745,卯,"variant of 卯[mao3]",, -1746,夙,"morning; early; long-held; long-cherished",, -1747,多,"many; much; too many; in excess; (after a numeral) ... odd; how (to what extent) (Taiwan pr. [duo2]); (bound form) multi-; poly-",ideographic,"Two nights 夕, suggesting many" -1748,夜,"night",ideographic,"A person 亻 sneaking by under cover 亠 of night 夕" -1749,够,"enough (sufficient); enough (too much); (coll.) (before adj.) really; (coll.) to reach by stretching out",pictophonetic,"more" -1750,梦,"dream (CL:場|场[chang2],個|个[ge4]); (bound form) to dream",ideographic,"Two eyes shut 林 at night 夕" -1751,夤,"late at night",pictophonetic,"night" -1752,伙,"companion; partner; group; classifier for groups of people; to combine; together",pictophonetic,"person" -1753,夥,"many; numerous",pictophonetic,"more" -1754,大,"big; large; great; older (than another person); eldest (as in 大姐[da4 jie3]); greatly; freely; fully; (dialect) father; (dialect) uncle (father's brother)",ideographic,"A man 人 with outstretched arms" -1755,大,"see 大夫[dai4 fu5]",ideographic,"A man 人 with outstretched arms" -1756,天,"day; sky; heaven",ideographic,"The heavens 一 above a man 大" -1757,太,"highest; greatest; too (much); very; extremely",ideographic,"A giant 大 with a normal-sized man 丶 for scale" -1758,夫,"husband; man; manual worker; conscripted laborer (old)",ideographic,"A man 大 wearing a coming-of-age hairpin 一" -1759,夫,"(classical) this, that; he, she, they; (exclamatory final particle); (initial particle, introduces an opinion)",ideographic,"A man 大 wearing a coming-of-age hairpin 一" -1760,夬,"decisive",, -1761,夭,"(bound form) to die prematurely (also pr. [yao3]); (literary) (of vegetation) luxuriant",pictographic,"A person with head tilted - leaning forward, running, energetic" -1762,央,"center; end; to beg; to plead",, -1763,夯,"variant of 笨[ben4]",ideographic,"A load that takes great 大 strength 力" -1764,夯,"to ram; to tamp; a rammer; a tamper; (slang) popular; hot",ideographic,"A load that takes great 大 strength 力" -1765,失,"to lose; to miss; to fail",ideographic,"Something 丿 falling from a hand 夫" -1766,夷,"non-Han people, esp. to the East of China; barbarians; to wipe out; to exterminate; to tear down; to raze",ideographic,"A man 大 armed with a bow 弓" -1767,夸,"used in 夸克[kua1 ke4]",pictophonetic,"great" -1768,夼,"low ground; hollow; depression (used in Shandong place names)",ideographic,"A great 大 river bed 川" -1769,夹,"to press from either side; to place in between; to sandwich; to carry sth under armpit; wedged between; between; to intersperse; to mix; to mingle; clip; folder; Taiwan pr. [jia2]",ideographic,"A person 夫 stuck between two others 丷" -1770,夹,"double-layered (quilt); lined (garment)",ideographic,"A person 夫 stuck between two others 丷" -1771,夹,"Taiwan pr. used in 夾生|夹生[jia1 sheng1] and 夾竹桃|夹竹桃[jia1 zhu2 tao2]",ideographic,"A person 夫 stuck between two others 丷" -1772,奄,"surname Yan",, -1773,奄,"variant of 閹|阉[yan1]; to castrate; variant of 淹[yan1]; to delay",, -1774,奄,"suddenly; abruptly; hastily; to cover; to surround",, -1775,奇,"odd (number)",ideographic,"A person 大 riding a horse 可" -1776,奇,"strange; odd; weird; wonderful; surprisingly; unusually",ideographic,"A person 大 riding a horse 可" -1777,奈,"used in expressions that convey frustration and futility, such as 無奈|无奈[wu2 nai4] and 莫可奈何|莫可奈何[mo4 ke3 nai4 he2] (literary); used for its phonetic value in writing foreign words",ideographic,"A man 大 with spirit 示" -1778,奉,"to offer (tribute); to present respectfully (to superior, ancestor, deity etc); to esteem; to revere; to believe in (a religion); to wait upon; to accept orders (from superior)",, -1779,奎,"crotch; 15th of the 28th constellations of Chinese astronomy",pictophonetic,"big" -1780,奏,"to play music; to achieve; to present a memorial to the emperor (old)",ideographic,"A report about (above) the emperor 天" -1781,奂,"surname Huan",, -1782,奂,"excellent",, -1783,契,"to carve; carved words; to agree; a contract; a deed",ideographic,"A contract signed by cutting 刀 notches 丰 in wood 木 (now changed to 大)" -1784,奓,"old variant of 侈[chi3]",ideographic,"Excessive 多 largess 大" -1785,奓,"old variant of 奢[she1]",ideographic,"Excessive 多 largess 大" -1786,奓,"to open; to spread",ideographic,"Excessive 多 largess 大" -1787,奔,"to hurry; to rush; to run quickly; to elope",ideographic,"A man 大 running through a field of grass 卉" -1788,奔,"to go to; to head for; towards; Taiwan pr. [ben1]",ideographic,"A man 大 running through a field of grass 卉" -1789,奕,"abundant; graceful",pictophonetic,"big" -1790,套,"to cover; to encase; cover; sheath; to overlap; to interleave; to model after; to copy; formula; harness; loop of rope; (fig.) to fish for; to obtain slyly; classifier for sets, collections; bend (of a river or mountain range, in place names); tau (Greek letter Ττ)",ideographic,"A man 大 wrapped in a long 镸 cloth " -1791,奘,"great",pictophonetic,"big" -1792,奘,"fat; stout",pictophonetic,"big" -1793,奚,"surname Xi",, -1794,奚,"(literary) what?; where?; why?",, -1795,奠,"to fix; to settle; a libation to the dead",ideographic,"A man 大 lifting up an offering of wine 酋" -1796,奢,"extravagant",pictophonetic,"big" -1797,奥,"Austria (abbr. for 奧地利|奥地利[Ao4 di4 li4]); Olympics (abbr. for 奧林匹克|奥林匹克[Ao4 lin2 pi3 ke4])",ideographic,"A person 大 discovering a house 宀 full of rice 米" -1798,奥,"obscure; mysterious",ideographic,"A person 大 discovering a house 宀 full of rice 米" -1799,奁,"bridal trousseau",ideographic,"A man 大 packing a suitcase 区" -1800,夺,"to seize; to take away forcibly; to wrest control of; to compete or strive for; to force one's way through; to leave out; to lose",ideographic,"A man 大 grasping something 寸" -1801,奭,"surname Shi",, -1802,奭,"(literary) majestic; magnificent; (literary) rich, deep red; (literary) angry; furious",, -1803,奋,"to exert oneself (bound form)",ideographic,"A man 大 working on the farm 田" -1804,女,"female; woman; daughter",pictographic,"A woman turned to the side" -1805,女,"archaic variant of 汝[ru3]",pictographic,"A woman turned to the side" -1806,奴,"slave",ideographic,"A woman 女 standing by her master's right hand 又; 女 also provides the pronunciation" -1807,奶,"breast; milk; to breastfeed",pictophonetic,"woman" -1808,奸,"wicked; crafty; traitor; variant of 姦|奸[jian1]",pictophonetic,"woman" -1809,她,"she",ideographic,"A woman 女 beside you 也" -1810,姹,"(literary) beautiful",pictophonetic,"woman" -1811,好,"good; appropriate; proper; all right!; (before a verb) easy to; (before a verb) good to; (before an adjective for exclamatory effect) so; (verb complement indicating completion); (of two people) close; on intimate terms; (after a personal pronoun) hello",ideographic,"A woman 女 with a son 子" -1812,好,"to be fond of; to have a tendency to; to be prone to",ideographic,"A woman 女 with a son 子" -1813,妁,"surname Suo",pictophonetic,"woman" -1814,妁,"(literary) matchmaker (on the bride's side)",pictophonetic,"woman" -1815,如,"as; as if; such as",ideographic,"A wife 女 following her husband's words 口" -1816,妃,"imperial concubine",ideographic,"One's own 己 woman 女" -1817,妄,"absurd; fantastic; presumptuous; rash",pictophonetic,"woman" -1818,妊,"pregnant; pregnancy",pictophonetic,"woman" -1819,妍,"beautiful",ideographic,"A woman 女 who appears forward or open 开" -1820,妒,"to envy (success, talent); jealous",pictophonetic,"woman" -1821,妓,"prostitute",ideographic,"A working 支 woman 女; 支 also provides the pronunciation" -1822,妖,"goblin; witch; devil; bewitching; enchanting; monster; phantom; demon",pictophonetic,"woman" -1823,妗,"wife of mother's brother",pictophonetic,"woman" -1824,妙,"clever; wonderful",pictophonetic,"woman" -1825,妆,"(of a woman) to adorn oneself; makeup; adornment; trousseau; stage makeup and costume",pictophonetic,"woman" -1826,妞,"girl",pictophonetic,"woman" -1827,妣,"deceased mother",pictophonetic,"woman" -1828,妤,"handsome; fair",pictophonetic,"woman" -1829,妥,"suitable; adequate; ready; settled",ideographic,"A hand 爫 over a woman 女, representing control" -1830,妨,"to hinder; (in the negative or interrogative) (no) harm; (what) harm",pictophonetic,"woman" -1831,妒,"variant of 妒[du4]",pictophonetic,"woman" -1832,妮,"girl; phonetic ""ni"" (in female names); Taiwan pr. [ni2]",pictophonetic,"woman" -1833,妯,"used in 妯娌[zhou2 li5]",pictophonetic,"woman" -1834,妲,"female personal name (archaic)",pictophonetic,"woman" -1835,你,"you (Note: In Taiwan, 妳 is used to address females, but in mainland China, it is not commonly used. Instead, 你 is used to address both males and females.)",ideographic,"Pronoun 尔 for a person 亻" -1836,奶,"variant of 嬭|奶[nai3]",pictophonetic,"woman" -1837,侄,"variant of 姪|侄[zhi2]",pictophonetic,"person" -1838,妹,"younger sister",pictophonetic,"woman" -1839,妻,"wife",ideographic,"A woman 女 holding a broom 十 in her hand 彐" -1840,妻,"to marry off (a daughter)",ideographic,"A woman 女 holding a broom 十 in her hand 彐" -1841,妾,"concubine; I, your servant (deprecatory self-reference for women)",ideographic,"A woman 女 branded 辛 as a slave" -1842,姆,"woman who looks after small children; (old) female tutor",pictophonetic,"woman" -1843,姊,"old variant of 姊[zi3]",, -1844,姊,"older sister; Taiwan pr. [jie3]",, -1845,始,"to begin; to start; then; only then",pictophonetic,"woman" -1846,姗,"to deprecate; lithe (of a woman's walk); leisurely; slow",pictophonetic,"woman" -1847,姐,"older sister",pictophonetic,"woman" -1848,姑,"paternal aunt; husband's sister; husband's mother (old); nun; for the time being (literary)",ideographic,"An older 古 woman 女; 古 also provides the pronunciation" -1849,姒,"surname Si",pictophonetic,"woman" -1850,姒,"wife or senior concubine of husbands older brother (old); elder sister (old)",pictophonetic,"woman" -1851,姓,"family name; surname; to be surnamed ...",pictophonetic,"woman" -1852,委,"surname Wei",, -1853,委,"same as 逶 in 逶迤 winding, curved",, -1854,委,"to entrust; to cast aside; to shift (blame etc); to accumulate; roundabout; winding; dejected; listless; committee member; council; end; actually; certainly",, -1855,姘,"to be a mistress or lover",ideographic,"An affair 并 with a woman 女; 并 also provides the pronunciation" -1856,妊,"variant of 妊[ren4]",pictophonetic,"woman" -1857,姚,"surname Yao",pictophonetic,"woman" -1858,姚,"handsome; good-looking",pictophonetic,"woman" -1859,姜,"surname Jiang",ideographic,"Simplified form of 薑; grass 艹 provides the meaning while 畺 provides the pronunciation" -1860,姜,"variant of 薑|姜[jiang1]",ideographic,"Simplified form of 薑; grass 艹 provides the meaning while 畺 provides the pronunciation" -1861,姝,"pretty woman",pictophonetic,"woman" -1862,姣,"surname Jiao",pictophonetic,"woman" -1863,姣,"cunning; pretty",pictophonetic,"woman" -1864,姥,"grandma (maternal)",ideographic,"An older 老 woman 女; 老 also provides the pronunciation" -1865,姥,"governess; old woman",ideographic,"An older 老 woman 女; 老 also provides the pronunciation" -1866,奸,"to fornicate; to defile; adultery; rape",pictophonetic,"woman" -1867,姨,"mother's sister; aunt",pictophonetic,"woman" -1868,侄,"brother's son; nephew",pictophonetic,"person" -1869,姫,"Japanese variant of 姬; princess; imperial concubine",ideographic,"A minister's 臣 consort 女" -1870,姬,"surname Ji; family name of the royal family of the Zhou Dynasty 周代[Zhou1dai4] (1046-256 BC)",ideographic,"An official 臣 woman 女" -1871,姬,"woman; concubine; female entertainer (archaic)",ideographic,"An official 臣 woman 女" -1872,姮,"feminine name (old)",pictophonetic,"woman" -1873,姻,"marriage connections",ideographic,"A woman 女 related by 因 marriage" -1874,姿,"beauty; disposition; looks; appearance",pictophonetic,"woman" -1875,威,"power; might; prestige",ideographic,"Dominating a woman 女 by force of arms 戈" -1876,娃,"baby; doll",ideographic,"A girl 女 made of beautiful jade 圭" -1877,娉,"graceful",pictophonetic,"woman" -1878,娌,"used in 妯娌[zhou2 li5]",pictophonetic,"woman" -1879,娑,"(phonetic); see 婆娑[po2 suo1]",pictophonetic,"woman" -1880,娓,"active; comply with",pictophonetic,"woman" -1881,娘,"mother; young lady; (coll.) effeminate",pictophonetic,"woman" -1882,娱,"to amuse",pictophonetic,"woman" -1883,娜,"(phonetic na); used esp. in female names such as Anna 安娜[An1 na4] or Diana 黛安娜[Dai4 an1 na4]",pictophonetic,"woman" -1884,娜,"elegant; graceful",pictophonetic,"woman" -1885,娟,"beautiful; graceful",pictophonetic,"woman" -1886,娠,"pregnant",pictophonetic,"woman" -1887,娣,"wife of a younger brother",pictophonetic,"woman" -1888,娥,"good; beautiful",pictophonetic,"woman" -1889,娩,"to give birth to a child",pictophonetic,"woman" -1890,娩,"complaisant; agreeable",pictophonetic,"woman" -1891,娭,"see 娭姐[ai1 jie3], father's mother; granny (dialect); respectful form of address for older lady",pictophonetic,"woman" -1892,娶,"to take a wife; to marry (a woman)",ideographic,"To take 取 a wife 女; 取 also provides the pronunciation" -1893,娼,"prostitute",pictophonetic,"woman" -1894,婀,"variant of 婀[e1]",pictophonetic,"woman" -1895,婀,"graceful; willowy; unstable",pictophonetic,"woman" -1896,娄,"surname Lou; one of the 28 lunar mansions in Chinese astronomy",ideographic,"A woman 女 looking up at a star 米" -1897,婆,"(bound form) grandmother; (bound form) matron; (bound form) mother-in-law; (slang) femme (in a lesbian relationship)",pictophonetic,"woman" -1898,婉,"graceful; tactful",pictophonetic,"woman" -1899,婊,"prostitute",pictophonetic,"woman" -1900,婕,"handsome",pictophonetic,"woman" -1901,婚,"to marry; marriage; wedding; to take a wife",pictophonetic,"woman" -1902,婢,"slave girl; maid servant",ideographic,"A humble 卑 woman 女; 卑 also provides the pronunciation" -1903,姻,"variant of 姻[yin1]",ideographic,"A woman 女 related by 因 marriage" -1904,妇,"woman",ideographic,"Simplified form of 婦; a woman 女 with a broom 彐" -1905,婧,"(literary) (of a woman) slender; delicate; (literary) (of a woman) talented",ideographic,"Like a young 青 woman 女; 青 also provides the pronunciation" -1906,婪,"avaricious",pictophonetic,"woman" -1907,娅,"(literary) term of address between husbands of sisters; (used to transliterate foreign names); (used in Chinese women's names)",pictophonetic,"woman" -1908,婷,"graceful",pictophonetic,"woman" -1909,婺,"beautiful",pictophonetic,"woman" -1910,婿,"son-in-law; husband",pictophonetic,"woman" -1911,妇,"old variant of 婦|妇[fu4]",ideographic,"Simplified form of 婦; a woman 女 with a broom 彐" -1912,媒,"medium; intermediary; matchmaker; go-between; abbr. for 媒體|媒体[mei2 ti3], media, esp. news media",pictophonetic,"woman" -1913,媕,"undecided",pictophonetic,"woman" -1914,媚,"flatter; charm",pictophonetic,"woman" -1915,媛,"used in 嬋媛|婵媛[chan2 yuan2] and in female names",pictophonetic,"woman" -1916,媛,"(bound form) beautiful woman",pictophonetic,"woman" -1917,媠,"old variant of 惰[duo4]",pictophonetic,"woman" -1918,媠,"beautiful",pictophonetic,"woman" -1919,娲,"surname Wa; sister of legendary emperor Fuxi 伏羲[Fu2xi1]",pictophonetic,"woman" -1920,妫,"surname Gui; name of a river",, -1921,媲,"to match; to pair",pictophonetic,"woman" -1922,媳,"daughter-in-law",pictophonetic,"woman" -1923,媵,"maid escorting bride to new home; concubine",pictophonetic,"woman" -1924,媸,"ugly woman",pictophonetic,"woman" -1925,媪,"old woman",pictophonetic,"woman" -1926,妈,"ma; mom; mother",pictophonetic,"woman" -1927,媾,"to marry; to copulate",ideographic,"To know a woman's 女 secret 冓; 冓 also provides the pronunciation" -1928,愧,"old variant of 愧[kui4]",pictophonetic,"heart" -1929,嫁,"(of a woman) to marry; to marry off a daughter; to shift (blame etc)",pictophonetic,"woman" -1930,嫂,"(bound form) older brother's wife; sister-in-law",pictophonetic,"woman" -1931,嫉,"jealousy; to be jealous of",ideographic,"An envious 疾 woman 女; 疾 also provides the pronunciation" -1932,袅,"delicate; graceful",pictophonetic,"cloth" -1933,嫌,"to dislike; suspicion; resentment; enmity; abbr. for 嫌犯[xian2 fan4], criminal suspect",pictophonetic,"woman" -1934,嫖,"to visit a prostitute",pictophonetic,"woman" -1935,妪,"old woman; to brood over; to protect",ideographic,"A woman 女 watching over her ward 区" -1936,嫘,"surname Lei",pictophonetic,"woman" -1937,嫚,"surname Man",pictophonetic,"woman" -1938,嫚,"insult",pictophonetic,"woman" -1939,嫜,"husband's father",pictophonetic,"woman" -1940,嫠,"widow",pictophonetic, -1941,嫡,"(bound form) of or by the wife, as opposed to a concubine (contrasted with 庶[shu4])",pictophonetic,"woman" -1942,嫣,"(literary) lovely; sweet",pictophonetic,"woman" -1943,嫦,"used in 嫦娥[Chang2e2]; used in female given names",pictophonetic,"woman" -1944,嫩,"young and tender; (of food) tender; lightly cooked; (of color) light; (of a person) inexperienced; unskilled",pictophonetic,"woman" -1945,嫪,"surname Lao",pictophonetic,"woman" -1946,嫪,"longing (unrequited passion)",pictophonetic,"woman" -1947,嫫,"ugly woman",pictophonetic,"woman" -1948,嫩,"old variant of 嫩[nen4]",pictophonetic,"woman" -1949,妩,"flatter; to please",pictophonetic,"woman" -1950,娴,"variant of 嫻|娴[xian2]",pictophonetic,"woman" -1951,娴,"elegant; refined; to be skilled at",pictophonetic,"woman" -1952,妫,"variant of 媯|妫[Gui1]",, -1953,娆,"graceful",pictophonetic,"woman" -1954,嬉,"amusement",pictophonetic,"woman" -1955,婵,"used in 嬋娟|婵娟[chan2 juan1] and 嬋媛|婵媛[chan2 yuan2]",pictophonetic,"woman" -1956,娇,"lovable; pampered; tender; delicate; frail",pictophonetic,"woman" -1957,嬖,"(treat as a) favorite",pictophonetic,"woman" -1958,嬗,"(literary) to go through successive changes; to evolve",pictophonetic,"woman" -1959,嫱,"female court officials",pictophonetic,"woman" -1960,嬛,"(used in names)",ideographic,"To stare 睘 after a woman 女; 睘 also provides the pronunciation" -1961,嬛,"(literary) alone; solitary (variant of 惸[qiong2]) (variant of 煢|茕[qiong2])",ideographic,"To stare 睘 after a woman 女; 睘 also provides the pronunciation" -1962,嬛,"used in 便嬛[pian2 xuan1]",ideographic,"To stare 睘 after a woman 女; 睘 also provides the pronunciation" -1963,袅,"delicate; graceful",pictophonetic,"cloth" -1964,嫒,"used in 令嬡|令嫒[ling4ai4]",pictophonetic,"woman" -1965,嬷,"dialectal or obsolete equivalent of 媽|妈[ma1]; Taiwan pr. [ma1]",pictophonetic,"woman" -1966,嫔,"imperial concubine",pictophonetic,"woman" -1967,奶,"mother; variant of 奶[nai3]",pictophonetic,"woman" -1968,婴,"infant; baby",pictophonetic,"woman" -1969,嬲,"to tease; to disturb",ideographic,"A woman 女 flirting with two men 男" -1970,嬴,"surname Ying",, -1971,嬴,"old variant of 贏|赢[ying2], to win, to profit; old variant of 盈[ying2], full",, -1972,婶,"wife of father's younger brother",pictophonetic,"woman" -1973,懒,"variant of 懶|懒[lan3]",pictophonetic,"heart" -1974,孀,"widow",pictophonetic,"woman" -1975,娘,"variant of 娘[niang2]",pictophonetic,"woman" -1976,娈,"beautiful",ideographic,"Like 亦 a woman 女" -1977,子,"son; child; seed; egg; small thing; 1st earthly branch: 11 p.m.-1 a.m., midnight, 11th solar month (7th December to 5th January), year of the rat; viscount, fourth of five orders of nobility 五等爵位[wu3 deng3 jue2 wei4]; ancient Chinese compass point: 0° (north); subsidiary; subordinate; (prefix) sub-",pictographic,"A child in a wrap, with outstretched arms but bundled legs" -1978,子,"(noun suffix)",pictographic,"A child in a wrap, with outstretched arms but bundled legs" -1979,孑,"all alone",, -1980,孓,"used in 孑孓[jie2 jue2]",pictophonetic,"seed" -1981,孔,"surname Kong",ideographic,"The mouth 乚 of a crying baby 子" -1982,孔,"hole; CL:個|个[ge4]; classifier for cave dwellings",ideographic,"The mouth 乚 of a crying baby 子" -1983,孕,"pregnant",ideographic,"A woman delivering 乃 a child 子" -1984,字,"letter; symbol; character; word; CL:個|个[ge4]; courtesy or style name traditionally given to males aged 20 in dynastic China",ideographic,"A child 子 in a house 宀; 子 also provides the pronunciation" -1985,存,"to exist; to deposit; to store; to keep; to survive",pictophonetic,"seed" -1986,孚,"to trust; to believe in",ideographic,"A bird clutching 爫 its eggs 子" -1987,孛,"comet",, -1988,孜,"used in 孜孜[zi1zi1]",pictophonetic,"script" -1989,孝,"filial piety or obedience; mourning apparel",ideographic,"A young man 子 carrying an older man 耂" -1990,孟,"surname Meng",ideographic,"A child 子 sitting on a throne 皿" -1991,孟,"first month of a season; eldest amongst brothers",ideographic,"A child 子 sitting on a throne 皿" -1992,孢,"spore",pictophonetic,"seed" -1993,季,"surname Ji",ideographic,"The time for planting seeds 子 of grain 禾" -1994,季,"season; the last month of a season; fourth or youngest amongst brothers; classifier for seasonal crop yields",ideographic,"The time for planting seeds 子 of grain 禾" -1995,孤,"lone; lonely",pictophonetic,"child" -1996,孥,"child; offspring",pictophonetic,"son" -1997,孨,"(Internet slang) the three 子's that symbolize success in life: a house, a car and a wife (房子[fang2 zi5], 車子|车子[che1 zi5] and 妻子[qi1 zi5]); (archaic) cautious; cowardly",ideographic,"Many abandoned children 子 representing an orphanage" -1998,孩,"(bound form) child",pictophonetic,"child" -1999,孙,"surname Sun",ideographic,"Simplified form of 孫; a chain 系 of descent 子" -2000,孙,"grandson; descendant",ideographic,"Simplified form of 孫; a chain 系 of descent 子" -2001,孬,"(dialect) no good (contraction of 不[bu4] + 好[hao3])",ideographic,"Not 不 good 好" -2002,孰,"who; which; what",, -2003,孱,"used in 孱頭|孱头[can4 tou5]",ideographic,"Weak 孨 in body 尸" -2004,孱,"(bound form) weak; feeble",ideographic,"Weak 孨 in body 尸" -2005,孳,"industrious; produce; bear",pictophonetic,"child" -2006,孵,"breeding; to incubate; to hatch",ideographic,"To brood 孚 over eggs 卵" -2007,学,"to learn; to study; to imitate; science; -ology",ideographic,"A building 冖 where children 子 study; ⺍ provides the pronunciation" -2008,孺,"surname Ru",pictophonetic,"child" -2009,孺,"child",pictophonetic,"child" -2010,孽,"variant of 孽[nie4]",pictophonetic,"child" -2011,孽,"son born of a concubine; disaster; sin; evil",pictophonetic,"child" -2012,孪,"twins",ideographic,"Giving birth to a second 亦 child 子" -2013,宀,"""roof"" radical (Kangxi radical 40), occurring in 家, 定, 安 etc, referred to as 寶蓋|宝盖[bao3 gai4]",, -2014,冗,"variant of 冗[rong3]",ideographic,"A cover-cloth 冖 on a table 几" -2015,它,"it",, -2016,宄,"traitor",pictophonetic,"house" -2017,宅,"residence; (coll.) to stay in at home; to hang around at home",pictophonetic,"roof" -2018,宇,"room; universe",pictophonetic,"building" -2019,守,"to guard; to defend; to keep watch; to abide by the law; to observe (rules or ritual); nearby; adjoining",ideographic,"Keeping something 寸 within one's walls 宀" -2020,安,"surname An",ideographic,"A woman 女 safe in a house 宀" -2021,安,"(bound form) calm; peaceful; to calm; to set at ease; safe; secure; in good health; content; satisfied (as in 安於|安于[an1 yu2]); to place (sb) in a suitable position (job); to install; to fix; to fit; to bring (a charge against sb); to harbor (certain intentions); ampere (abbr. for 安培[an1 pei2])",ideographic,"A woman 女 safe in a house 宀" -2022,宋,"surname Song; the Song dynasty (960-1279); Song of the Southern Dynasties (420-479) 南朝宋[Nan2chao2 Song4]",ideographic,"A building 宀 made out of wood 木" -2023,完,"to finish; to be over; whole; complete; entire",pictophonetic,"roof" -2024,宏,"great; magnificent; macro (computing); macro-",pictophonetic,"building" -2025,宓,"surname Mi",pictophonetic,"roof" -2026,宓,"still; silent",pictophonetic,"roof" -2027,宕,"dissipated; put off",ideographic,"A tunnel 宀 made in stone 石" -2028,宗,"surname Zong",ideographic,"An altar 示 to the ancestor spirits found in one's home 宀" -2029,宗,"school; sect; purpose; model; ancestor; clan; to take as one's model (in academic or artistic work); classifier for batches, items, cases (medical or legal), reservoirs",ideographic,"An altar 示 to the ancestor spirits found in one's home 宀" -2030,官,"surname Guan",, -2031,官,"government official; governmental; official; public; organ of the body; CL:個|个[ge4]",, -2032,宙,"eternity; (geology) eon",pictophonetic,"roof - the sky" -2033,定,"to fix; to set; to make definite; to subscribe to (a newspaper etc); to book (tickets etc); to order (goods etc); to congeal; to coagulate; (literary) definitely",ideographic,"A person 疋 settling under a roof 宀" -2034,宛,"surname Wan",pictophonetic,"roof" -2035,宛,"winding; as if",pictophonetic,"roof" -2036,宜,"surname Yi",ideographic,"A memorial service 且 held in a house 宀" -2037,宜,"proper; should; suitable; appropriate",ideographic,"A memorial service 且 held in a house 宀" -2038,客,"customer; visitor; guest",ideographic,"A person 各 welcomed under one's roof 宀; 各 also provides the pronunciation" -2039,宣,"surname Xuan",pictographic,"A palace, where proclamations are made" -2040,宣,"to declare (publicly); to announce",pictographic,"A palace, where proclamations are made" -2041,室,"surname Shi",pictophonetic,"roof" -2042,室,"room; work unit; grave; scabbard; family or clan; one of the 28 constellations of Chinese astronomy",pictophonetic,"roof" -2043,宥,"to forgive; to help; profound",pictophonetic,"roof" -2044,宦,"surname Huan",ideographic,"A minister 臣 in a statehouse 宀" -2045,宦,"imperial official; court eunuch",ideographic,"A minister 臣 in a statehouse 宀" -2046,宫,"surname Gong",pictophonetic,"roof" -2047,宫,"palace; temple; castration (as corporal punishment); first note in pentatonic scale",pictophonetic,"roof" -2048,宰,"to slaughter; to butcher; to kill (animals etc); (coll.) to fleece; to rip off; to overcharge; (bound form) to govern; to rule; (bound form) (a title for certain government officials in ancient China)",ideographic,"A barracks 宀 where slaves 辛 live" -2049,害,"to do harm to; to cause trouble to; harm; evil; calamity",, -2050,宴,"(bound form) feast; repose",ideographic,"A woman 女 cooking food 日 for a house 宀 banquet" -2051,宵,"night",pictophonetic,"roof" -2052,家,"home; family; (polite) my (sister, uncle etc); classifier for families or businesses; refers to the philosophical schools of pre-Han China; noun suffix for a specialist in some activity, such as a musician or revolutionary, corresponding to English -ist, -er, -ary or -ian; CL:個|个[ge4]",pictophonetic,"roof" -2053,宸,"imperial apartments",pictophonetic,"roof" -2054,容,"surname Rong",pictophonetic,"roof" -2055,容,"to hold; to contain; to allow; to tolerate; appearance; look; countenance",pictophonetic,"roof" -2056,寇,"old variant of 寇[kou4]",ideographic,"Bandits mugging 攴 a person 元 in his home 宀" -2057,宿,"surname Su",ideographic,"A person 亻 sleeping in a bed 百 under a roof 宀" -2058,宿,"lodge for the night; old; former",ideographic,"A person 亻 sleeping in a bed 百 under a roof 宀" -2059,宿,"night; classifier for nights",ideographic,"A person 亻 sleeping in a bed 百 under a roof 宀" -2060,宿,"constellation",ideographic,"A person 亻 sleeping in a bed 百 under a roof 宀" -2061,寂,"silent; solitary; Taiwan pr. [ji2]",pictophonetic,"roof" -2062,冤,"old variant of 冤[yuan1]",, -2063,寄,"to send; to mail; to entrust; to depend on; to attach oneself to; to live (in a house); to lodge; foster (son etc)",pictophonetic,"roof" -2064,寅,"3rd earthly branch: 3-5 a.m., 1st solar month (4th February-5th March), year of the Tiger; ancient Chinese compass point: 60°",, -2065,密,"surname Mi; name of an ancient state",ideographic,"A silent 宓 mountain 山; 宓 also provides the pronunciation" -2066,密,"secret; confidential; close; thick; dense",ideographic,"A silent 宓 mountain 山; 宓 also provides the pronunciation" -2067,寇,"to invade; to plunder; bandit; foe; enemy",ideographic,"Bandits mugging 攴 a person 元 in his home 宀" -2068,富,"surname Fu",pictophonetic,"roof" -2069,富,"rich; abundant; wealthy",pictophonetic,"roof" -2070,寐,"to sleep soundly",ideographic,"A bed 爿 in a house 宀; 未 provides the pronunciation" -2071,寝,"old variant of 寢|寝[qin3]",ideographic,"A person 彐冖又 lying down on a bed 丬 in their home 宀" -2072,寒,"cold; poor; to tremble",, -2073,寓,"to reside; to imply; to contain; residence",pictophonetic,"roof" -2074,宁,"old variant of 寧|宁[ning4]",pictophonetic,"roof" -2075,寞,"lonesome",pictophonetic,"roof" -2076,察,"short name for Chahar Province 察哈爾|察哈尔[Cha2 ha1 er3]",pictophonetic,"roof" -2077,察,"to examine; to inquire; to observe; to inspect; to look into; obvious; clearly evident",pictophonetic,"roof" -2078,寡,"few; scant; widowed",, -2079,寝,"(bound form) to lie down to sleep or rest; (bound form) bedroom; (bound form) imperial tomb; (literary) to stop; to cease",ideographic,"A person 彐冖又 lying down on a bed 丬 in their home 宀" -2080,寤,"to awake from sleep",pictophonetic,"roof" -2081,寥,"empty; lonesome; very few",pictophonetic,"roof" -2082,实,"real; true; honest; really; solid; fruit; seed; definitely",, -2083,宁,"abbr. for Ningxia Hui Autonomous Region 寧夏回族自治區|宁夏回族自治区[Ning2xia4 Hui2zu2 Zi4zhi4qu1]; abbr. for Nanjing 南京[Nan2jing1]; surname Ning",pictophonetic,"roof" -2084,宁,"peaceful; to pacify; to visit (one's parents etc)",pictophonetic,"roof" -2085,宁,"would rather; to prefer; how (emphatic); Taiwan pr. [ning2]",pictophonetic,"roof" -2086,寨,"stronghold; stockade; camp; (stockaded) village",ideographic,"A fortress 宀 with walls made of wood 木" -2087,审,"to examine; to investigate; carefully; to try (in court)",pictophonetic,"courtroom" -2088,写,"to write",, -2089,宽,"surname Kuan",pictophonetic,"roof" -2090,宽,"wide; broad; loose; relaxed; lenient",pictophonetic,"roof" -2091,寮,"Laos",pictophonetic,"roof" -2092,寮,"hut; shack; small window; variant of 僚[liao2]",pictophonetic,"roof" -2093,寰,"large domain; extensive region",pictophonetic,"roof" -2094,宝,"variant of 寶|宝[bao3]",ideographic,"Jade 玉 kept in one's house 宀" -2095,宠,"to love; to pamper; to spoil; to favor",pictophonetic,"roof" -2096,宝,"jewel; gem; treasure; precious",ideographic,"Jade 玉 kept in one's house 宀" -2097,寸,"a unit of length; inch; thumb",ideographic,"A hand with a dot indicating where the pulse can be felt, about an inch up the wrist" -2098,寺,"Buddhist temple; mosque; government office (old)",ideographic,"An offering 土 in your hand 寸" -2099,封,"surname Feng",ideographic,"To seal 寸 something with a handful of mortar 土" -2100,封,"to confer; to grant; to bestow a title; to seal; classifier for sealed objects, esp. letters",ideographic,"To seal 寸 something with a handful of mortar 土" -2101,尃,"to state to, to announce",pictophonetic, -2102,射,"to shoot; to launch; to allude to; radio- (chemistry)",pictographic,"A bow 身 being drawn by a hand 寸" -2103,克,"variant of 剋|克[ke4]",ideographic,"A weapon 十 used to subdue a beast 兄" -2104,将,"will; shall; to use; to take; to checkmate; just a short while ago; (introduces object of main verb, used in the same way as 把[ba3])",ideographic,"Going to bed 丬 at night 夕, a predictable future" -2105,将,"(bound form) a general; (literary) to command; to lead; (Chinese chess) general (on the black side, equivalent to a king in Western chess)",ideographic,"Going to bed 丬 at night 夕, a predictable future" -2106,将,"to desire; to invite; to request",ideographic,"Going to bed 丬 at night 夕, a predictable future" -2107,专,"for a particular person, occasion, purpose; focused on one thing; special; expert; particular (to sth); concentrated; specialized",, -2108,尉,"surname Wei",, -2109,尉,"military officer",, -2110,尉,"used in 尉遲|尉迟[Yu4 chi2] and 尉犁[Yu4 li2]",, -2111,尊,"senior; of a senior generation; to honor; to respect; honorific; classifier for cannons and statues; ancient wine vessel",ideographic,"A hand 寸 making an offering of wine 酋" -2112,寻,"to search; to look for; to seek",pictophonetic,"snout" -2113,尌,"standing up; to stand (something) up",pictophonetic,"inch" -2114,对,"right; correct; towards; at; for; concerning; regarding; to treat (sb a certain way); to face; (bound form) opposite; facing; matching; to match together; to adjust; to fit; to suit; to answer; to reply; to add; to pour in (a fluid); to check; to compare; classifier: couple; pair",ideographic,"A pair 又 of hands 寸" -2115,导,"to transmit; to lead; to guide; to conduct; to direct",ideographic,"A hand 寸 pointing the way to someplace 巳" -2116,小,"small; tiny; few; young",ideographic,"Dividing 八 by a line 亅" -2117,少,"few; less; to lack; to be missing; to stop (doing sth); seldom",pictographic,"Grains of sand; 小 provides the pronunciation and meaning" -2118,少,"young",pictographic,"Grains of sand; 小 provides the pronunciation and meaning" -2119,尔,"variant of 爾|尔[er3]",, -2120,尕,"little (dialect)",pictophonetic,"small" -2121,尖,"pointed; tapering; sharp; (of a sound) shrill; piercing; (of one's hearing, sight etc) sharp; acute; keen; to make (one's voice) shrill; sharp point; tip; the best of sth; the cream of the crop",ideographic,"A point, small 小 over big 大" -2122,尗,"archaic variant of 菽[shu1]; archaic variant of 叔[shu1]",ideographic,"The smaller 小 of two brothers" -2123,尙,"variant of 尚, still; yet; to value; to esteem",, -2124,尚,"surname Shang",, -2125,尚,"still; yet; to value; to esteem",, -2126,尜,"toy formed of a spindle with two sharp ends",ideographic,"A diamond: small 小 to big 大 to small 小" -2127,鲜,"variant of 鮮|鲜[xian3]",pictophonetic,"fish" -2128,鲜,"variant of 尟|鲜[xian3]",pictophonetic,"fish" -2129,尢,"lame",ideographic,"Cutting 一 off the feet 儿; compare 兀" -2130,尤,"surname You",pictophonetic, -2131,尤,"outstanding; particularly, especially; a fault; to express discontentment against",pictophonetic, -2132,尥,"to give a backward kick (e.g. of a horse)",, -2133,尨,"surname Pang",ideographic,"A hairy 彡 dog 犬" -2134,尨,"shaggy dog; striped",ideographic,"A hairy 彡 dog 犬" -2135,尨,"old variant of 龐|庞[pang2]; huge; enormous",ideographic,"A hairy 彡 dog 犬" -2136,尬,"embarrassing; awkward",pictophonetic,"lame" -2137,就,"(after a suppositional clause) in that case; then; (after a clause of action) as soon as; immediately after; (same as 就是[jiu4 shi4]) merely; nothing else but; simply; just; precisely; exactly; only; as little as; as much as; as many as; to approach; to move towards; to undertake; to engage in; (often followed by 著|着[zhe5]) taking advantage of; (of food) to go with; with regard to; concerning; (pattern: 就[jiu4] ... 也[ye3] ...) even if ... still ...; (pattern: 不[bu4] ... 就[jiu4] ...) if not ... then must be ...",pictophonetic,"specialty" -2138,尴,"used in 尷尬|尴尬[gan1 ga4]",pictophonetic,"lame" -2139,尸,"(literary) person representing the deceased (during burial ceremonies); (literary) to put a corpse on display (after execution); corpse (variant of 屍|尸[shi1])",pictographic,"A man keeled over" -2140,尹,"surname Yin",pictographic,"A scepter" -2141,尹,"(literary) to administer; to govern; (bound form) governor; prefect; magistrate (official title in imperial times)",pictographic,"A scepter" -2142,尺,"one of the characters used to represent a musical note in gongche notation, 工尺譜|工尺谱[gong1 che3 pu3]",ideographic,"Picture of a man measuring by pacing" -2143,尺,"a Chinese foot; one-third of a meter; a ruler; a tape-measure; one of the three acupoints for measuring pulse in Chinese medicine; CL:支[zhi1],把[ba3]",ideographic,"Picture of a man measuring by pacing" -2144,尻,"(literary) buttocks; rump; coccyx; sacrum",pictophonetic,"body" -2145,尼,"Buddhist nun; (often used in phonetic spellings)",, -2146,尾,"tail; remainder; remnant; extremity; sixth of the 28 constellations; classifier for fish",ideographic,"A furry 毛 tail behind a body 尸" -2147,尾,"horse's tail; pointed posterior section of a locust etc",ideographic,"A furry 毛 tail behind a body 尸" -2148,尿,"to urinate; urine; CL:泡[pao1]",ideographic,"A person, crouched 尸 passing water 水" -2149,尿,"(coll.) urine",ideographic,"A person, crouched 尸 passing water 水" -2150,局,"office; situation; classifier for games: match, set, round etc",ideographic,"A place where measures 尺 are discussed 口" -2151,屁,"fart; flatulence; nonsense; (usu. in the negative) what; (not) a damn thing",pictophonetic,"body" -2152,屄,"cunt (vulgar)",ideographic,"A hole 穴 in a woman's body 尸" -2153,居,"surname Ju",pictophonetic,"door" -2154,居,"(archaic) sentence-final particle expressing a doubting attitude",pictophonetic,"door" -2155,居,"to reside; to be (in a certain position); to store up; to be at a standstill; residence; house; restaurant; classifier for bedrooms",pictophonetic,"door" -2156,届,"to arrive at (place or time); period; to become due; classifier for events, meetings, elections, sporting fixtures, years (of graduation)",, -2157,屈,"surname Qu",pictophonetic,"corpse" -2158,屈,"bent; to feel wronged",pictophonetic,"corpse" -2159,屋,"(bound form) house; (bound form) room",ideographic,"To stop 至 under a roof 尸 (variant of 厂)" -2160,屌,"penis; (slang) cool or extraordinary; (Cantonese) to fuck",ideographic,"Something hanging 吊 from the body 尸; 吊 also provides the pronunciation" -2161,尸,"(bound form) corpse",pictographic,"A man keeled over" -2162,屎,"feces; excrement; a stool; (bound form) secretion (of the ear, eye etc)",ideographic,"A person, crouched 尸 defecating 米; 米 also provides the pronunciation" -2163,屏,"see 屏營|屏营[bing1 ying2]",pictophonetic,"door" -2164,屏,"to get rid of; to put aside; to reject; to keep control; to hold (one's breath)",pictophonetic,"door" -2165,屏,"(standing) screen",pictophonetic,"door" -2166,屐,"clogs",pictophonetic,"step" -2167,屑,"bits; fragments; crumbs; filings; trifling; trivial; to condescend to",pictophonetic,"body" -2168,屃,"variant of 屭|屃[xi4]",ideographic,"Simplified form of 屭; a strong 贔 body 尸" -2169,展,"surname Zhan",ideographic,"Laying out clothes 㠭 for sale in a market 尸; compare 㠭" -2170,展,"to spread out; to open up; to exhibit; to put into effect; to postpone; to prolong; exhibition",ideographic,"Laying out clothes 㠭 for sale in a market 尸; compare 㠭" -2171,屙,"(dialect) to excrete (urine or feces)",pictophonetic,"body" -2172,屉,"drawer; tier; tray",, -2173,屠,"surname Tu",pictophonetic,"corpse" -2174,屠,"to slaughter (animals for food); to massacre",pictophonetic,"corpse" -2175,屡,"time and again; repeatedly; frequently",pictophonetic,"body" -2176,屣,"slippers",ideographic,"A person 尸 walking 彳; 徙 also provides the pronunciation" -2177,层,"to pile on top of one another; layer; stratum; floor (of a building); story; (math.) sheaf; classifier for layers",ideographic,"Simplified form of 層; 曾 provides the pronunciation" -2178,履,"shoe; to tread on",ideographic,"A person 尸 walking 彳; 復 also provides the pronunciation" -2179,屦,"sandals",pictophonetic,"step" -2180,属,"category; genus (taxonomy); family members; dependents; to belong to; subordinate to; affiliated with; be born in the year of (one of the 12 animals); to be; to prove to be; to constitute",pictophonetic,"body" -2181,属,"to join together; to fix one's attention on; to concentrate on",pictophonetic,"body" -2182,屃,"see 贔屭|赑屃[Bi4 xi4]",ideographic,"Simplified form of 屭; a strong 贔 body 尸" -2183,屮,"plants sprouting",pictographic,"A sprout" -2184,屯,"to station (soldiers); to store up; village",, -2185,屯,"used in 屯邅[zhun1zhan1]",, -2186,山,"surname Shan",pictographic,"Three mountain peaks" -2187,山,"mountain; hill (CL:座[zuo4]); (coll.) small bundle of straw for silkworms to spin cocoons on",pictographic,"Three mountain peaks" -2188,屹,"high and steep",pictophonetic,"mountain" -2189,屺,"(literary) a barren hill",pictophonetic,"mountain" -2190,屾,"(literary) two mountains standing next to each other",ideographic,"Two mountains 山; 山 also provides the pronunciation" -2191,坂,"variant of 阪[ban3]",pictophonetic,"earth" -2192,岈,"see 嵖岈山[Cha2 ya2 Shan1]",pictophonetic,"mountain" -2193,岌,"lofty peak; perilous",pictophonetic,"mountain" -2194,岍,"name of a mountain",pictophonetic,"mountain" -2195,岐,"surname Qi; also used in place names",pictophonetic,"mountain" -2196,岐,"variant of 歧[qi2]",pictophonetic,"mountain" -2197,岑,"surname Cen",pictophonetic,"mountain" -2198,岑,"small hill",pictophonetic,"mountain" -2199,岔,"fork in road; bifurcation; branch in road, river, mountain range etc; to branch off; to turn off; to diverge; to stray (from the path); to change the subject; to interrupt; to stagger (times)",ideographic,"A road being split 分 by a mountain 山" -2200,岜,"stony hill; rocky mountain; (used in place names)",pictophonetic,"mountain" -2201,冈,"ridge; mound",pictographic,"Simplified form of 岡, clouds 网 forming over a mountain 山" -2202,岢,"used in 岢嵐|岢岚[Ke3 lan2]",pictophonetic,"mountain" -2203,岣,"name of a hill in Hunan",pictophonetic,"mountain" -2204,岩,"cliff; rock",ideographic,"The rocks 石 that make up a mountain 山" -2205,岫,"cave; mountain peak",pictophonetic,"mountain" -2206,岬,"cape (geography); headland",pictophonetic,"mountain" -2207,岭,"used in 岭巆|岭𫶕[ling2ying2]",pictophonetic,"mountain" -2208,岱,"Mt Tai in Shandong; same as 泰山",pictophonetic,"mountain" -2209,岳,"surname Yue",ideographic,"A mountain 山 range surrounded by hills 丘" -2210,岳,"wife's parents and paternal uncles",ideographic,"A mountain 山 range surrounded by hills 丘" -2211,岵,"(literary) mountain covered with vegetation",pictophonetic,"mountain" -2212,岷,"name of a river in Sichuan",pictophonetic,"mountain" -2213,岸,"bank; shore; beach; coast",ideographic,"A mountain 山 cliff 厂; 干 provides the pronunciation" -2214,峁,"round yellow dirt mount (in the Northwest of China)",pictophonetic,"mountain" -2215,峇,"(used in transliteration)",pictophonetic,"mountain" -2216,峇,"cave",pictophonetic,"mountain" -2217,峇,"cave; cavern; also pr. [ke1]",pictophonetic,"mountain" -2218,峋,"ranges of hills",pictophonetic,"mountain" -2219,峒,"cave; cavern",pictophonetic,"mountain" -2220,峒,"name of a mountain",pictophonetic,"mountain" -2221,峙,"used in 繁峙[Fan2 shi4]",pictophonetic,"mountain" -2222,峙,"(literary) to tower aloft",pictophonetic,"mountain" -2223,峒,"variant of 峒[tong2]",pictophonetic,"mountain" -2224,峨,"lofty; name of a mountain",pictophonetic,"mountain" -2225,峨,"variant of 峨[e2]",pictophonetic,"mountain" -2226,峪,"valley",ideographic,"A mountain 山 by a valley 谷; 谷 also provides the pronunciation" -2227,峭,"high and steep; precipitous; severe or stern",pictophonetic,"mountain" -2228,峰,"old variant of 峰[feng1]",pictophonetic,"mountain" -2229,峰,"(of a mountain) high and tapered peak or summit; mountain-like in appearance; highest level; classifier for camels",pictophonetic,"mountain" -2230,岘,"abbr. for 峴首山|岘首山[Xian4 shou3 shan1]; Mt Xianshou in Hubei; steep hill; used in place names",ideographic,"A mountain 山 that affords a good view 见; 见 also provides the pronunciation" -2231,岛,"island; CL:個|个[ge4],座[zuo4]",ideographic,"A bird 鸟 perched atop a mountain 山" -2232,峻,"(of mountains) high; harsh or severe",pictophonetic,"mountain" -2233,峡,"gorge",ideographic,"The space between 夹 two mountains 山; 夹 also provides the pronunciation" -2234,崆,"name of a mountain",pictophonetic,"mountain" -2235,崇,"surname Chong",pictophonetic,"mountain" -2236,崇,"high; sublime; lofty; to esteem; to worship",pictophonetic,"mountain" -2237,崃,"name of a mountain in Sichuan",pictophonetic,"mountain" -2238,崎,"mountainous",pictophonetic,"mountain" -2239,昆,"variant of 崑|昆[kun1]",ideographic,"Two brothers 比 under the son 日" -2240,昆,"used in place names, notably Kunlun Mountains 崑崙|昆仑[Kun1 lun2]; (also used for transliteration)",ideographic,"Two brothers 比 under the son 日" -2241,崒,"to come together; to bunch up; to concentrate",pictophonetic,"mountain" -2242,崒,"rocky peaks; lofty and dangerous",pictophonetic,"mountain" -2243,崔,"surname Cui",ideographic,"A bird 隹 faced with a mountain 山" -2244,崔,"(literary) (of mountains) lofty",ideographic,"A bird 隹 faced with a mountain 山" -2245,崖,"precipice; cliff; Taiwan pr. [yai2]",ideographic,"A mountain 山 precipice 厓; 厓 also provides the pronunciation" -2246,岗,"variant of 岡|冈 [gang1]",pictophonetic,"mountain" -2247,岗,"(bound form) hillock; mound; sentry post; policeman's beat; (bound form) job; post",pictophonetic,"mountain" -2248,仑,"variant of 崙|仑[lun2]",, -2249,仑,"used in 崑崙|昆仑[Kun1 lun2]",, -2250,崛,"towering as a peak",pictophonetic,"mountain" -2251,崞,"name of a mountain",pictophonetic,"mountain" -2252,峥,"excel; lofty",pictophonetic,"mountain" -2253,崤,"name of a mountain in Henan; also pr. [Yao2]",pictophonetic,"mountain" -2254,崦,"name of a mountain in Gansu",pictophonetic,"mountain" -2255,崧,"variant of 嵩[song1]",pictophonetic,"mountain" -2256,崩,"to collapse; to fall into ruins; death of king or emperor; demise",pictophonetic,"mountain" -2257,岽,"place name in Guangxi province",pictophonetic,"mountain" -2258,崮,"steep-sided flat-topped mountain; mesa; (element in mountain names)",pictophonetic,"mountain" -2259,崴,"to sprain (one's ankle); see 崴子[wai3 zi5]",pictophonetic,"mountain" -2260,崴,"high, lofty; precipitous",pictophonetic,"mountain" -2261,崽,"child; young animal",, -2262,崾,"(name of a mountain)",pictophonetic,"mountain" -2263,嵇,"surname Ji; name of a mountain",pictophonetic,"mountain" -2264,嵊,"name of a district in Zhejiang",pictophonetic,"mountain" -2265,嵋,"used in 峨嵋山[E2 mei2 Shan1]",pictophonetic,"mountain" -2266,嵌,"see 赤嵌樓|赤嵌楼[Chi4 kan3 lou2]",pictophonetic,"mountain" -2267,嵌,"to inlay; to embed; Taiwan pr. [qian1]",pictophonetic,"mountain" -2268,岚,"(bound form) mountain mist",ideographic,"Wind 风 blowing off the mountain 山" -2269,岩,"variant of 巖|岩[yan2]",ideographic,"The rocks 石 that make up a mountain 山" -2270,岁,"variant of 歲|岁[sui4], year; years old",, -2271,嵛,"place name in Shandong",pictophonetic,"mountain" -2272,嵞,"Mt Tu in Zhejiang; also written 涂",pictophonetic,"mountain" -2273,嵩,"lofty; Mt Song in Henan",ideographic,"A tall 高 mountain 山" -2274,嵫,"see 崦嵫[Yan1 zi1]",pictophonetic,"mountain" -2275,嵬,"rocky",pictophonetic,"mountain" -2276,嵯,"lofty (as of mountain)",pictophonetic,"mountain" -2277,嵴,"ridge; crest; apex",ideographic,"The spine 脊 of a mountain 山 range; 脊 also provides the pronunciation" -2278,嵝,"mountain peak",pictophonetic,"mountain" -2279,嶂,"cliff; range of peaks",pictophonetic,"mountain" -2280,崭,"variant of 嶄|崭[chan2]",pictophonetic,"mountain" -2281,崭,"variant of 嶄|崭[zhan3]",pictophonetic,"mountain" -2282,崭,"(literary) precipitous (variant of 巉[chan2])",pictophonetic,"mountain" -2283,崭,"towering; prominent; very; extremely; (dialect) marvelous; excellent",pictophonetic,"mountain" -2284,岖,"rugged",pictophonetic,"mountain" -2285,崂,"name of a mountain in Shandong",pictophonetic,"mountain" -2286,嶙,"ranges of hills",pictophonetic,"mountain" -2287,嶝,"path leading up a mountain",ideographic,"A road that climbs 登 a mountain 山; 登 also provides the pronunciation" -2288,峤,"highest peak",ideographic,"A tall 乔 mountain 山; 乔 also provides the pronunciation" -2289,嶡,"precipitous; mountainous",pictophonetic,"mountain" -2290,嶡,"sacrificial vessel",pictophonetic,"mountain" -2291,峄,"name of hills in Shandong",pictophonetic,"mountain" -2292,嶪,"see 岌嶪[ji2 ye4]",pictophonetic,"mountain" -2293,岙,"plain in the middle of the mountains; used in place names, esp. in 浙江[Zhe4 jiang1] and 福建[Fu2 jian4]",pictophonetic,"mountain" -2294,嶷,"name of a mountain in Hunan",pictophonetic,"mountain" -2295,嵘,"lofty",pictophonetic,"mountain" -2296,岭,"mountain range; mountain ridge",pictophonetic,"mountain" -2297,屿,"islet",pictophonetic,"mountain" -2298,岳,"surname Yue",ideographic,"A mountain 山 range surrounded by hills 丘" -2299,岳,"high mountain; highest peak of a mountain ridge",ideographic,"A mountain 山 range surrounded by hills 丘" -2300,巂,"cuckoo; revolution of a wheel",pictophonetic,"hot" -2301,巂,"place name in Sichuan",pictophonetic,"hot" -2302,岿,"high and mighty (of mountain); hilly",pictophonetic,"mountain" -2303,巍,"lofty; towering; Taiwan pr. [wei2]",pictophonetic,"mountain" -2304,峦,"mountain ranges",pictophonetic,"mountain" -2305,巅,"summit",ideographic,"The top 颠 of a mountain 山; 颠 also provides the pronunciation" -2306,岩,"variant of 岩[yan2]",ideographic,"The rocks 石 that make up a mountain 山" -2307,岩,"variant of 巖|岩[yan2]",ideographic,"The rocks 石 that make up a mountain 山" -2308,巛,"archaic variant of 川[chuan1]",pictographic,"A river flowing" -2309,川,"abbr. for Sichuan Province 四川[Si4 chuan1] in southwest China",ideographic,"A river's flow; compare 巛" -2310,川,"(bound form) river; creek; plain; an area of level country",ideographic,"A river's flow; compare 巛" -2311,州,"prefecture; (old) province; (old) administrative division; state (e.g. of US); oblast (Russia); canton (Switzerland)",ideographic,"Islands within a river 川" -2312,巠,"underground watercourse; archaic variant of 經|经[jing1]",pictophonetic,"river" -2313,巡,"to patrol; to make one's rounds; classifier for rounds of drinks",ideographic,"To walk 辶 by the river 巛; 巛 also provides the pronunciation" -2314,巢,"surname Chao",ideographic,"A nest 巛田 built in a tree 木" -2315,巢,"nest",ideographic,"A nest 巛田 built in a tree 木" -2316,巤,"old variant of 鬣[lie4]",ideographic,"A mouse's 鼠 whiskers 巛" -2317,工,"work; worker; skill; profession; trade; craft; labor",pictographic,"A spade or other workman's tool" -2318,左,"surname Zuo",pictographic,"A left hand; compare 又" -2319,左,"left; the Left (politics); east; unorthodox; queer; wrong; differing; opposite; variant of 佐[zuo3]",pictographic,"A left hand; compare 又" -2320,巧,"opportunely; coincidentally; as it happens; skillful; timely",pictophonetic,"work" -2321,巨,"very large; huge; tremendous; gigantic",ideographic,"A hand holding a large carpenter's square 工" -2322,巫,"surname Wu; also pr. [Wu2]",pictographic,"A cross-shaped divining rod" -2323,巫,"witch; wizard; shaman; also pr. [wu2]",pictographic,"A cross-shaped divining rod" -2324,差,"difference; discrepancy; (math.) difference (amount remaining after a subtraction); (literary) a little; somewhat; slightly",ideographic,"Work 工 done by a sheep 羊; incompetence" -2325,差,"different; wrong; mistaken; to fall short; to lack; not up to standard; inferior; Taiwan pr. [cha1]",ideographic,"Work 工 done by a sheep 羊; incompetence" -2326,差,"to send (on an errand); (archaic) person sent on such an errand; job; official post",ideographic,"Work 工 done by a sheep 羊; incompetence" -2327,差,"used in 參差|参差[cen1ci1]",ideographic,"Work 工 done by a sheep 羊; incompetence" -2328,巯,"hydrosulfuryl",pictophonetic, -2329,己,"self; oneself; sixth of the ten Heavenly Stems 十天干[shi2 tian1 gan1]; sixth in order; letter ""F"" or Roman ""VI"" in list ""A, B, C"", or ""I, II, III"" etc; hexa",pictographic,"A loom woven with thread" -2330,已,"already; to stop; then; afterwards",, -2331,巳,"6th earthly branch: 9-11 a.m., 4th solar month (5th May-5th June), year of the Snake; ancient Chinese compass point: 150°",, -2332,巴,"Ba state during Zhou dynasty (in east of modern Sichuan); abbr. for east Sichuan or Chongqing; surname Ba; abbr. for Palestine or Palestinian; abbr. for Pakistan",, -2333,巴,"to long for; to wish; to cling to; to stick to; sth that sticks; close to; next to; spread open; informal abbr. for bus 巴士[ba1 shi4]; bar (unit of pressure); nominalizing suffix on certain nouns, such as 尾巴[wei3 ba5], tail",, -2334,卮,"old variant of 卮[zhi1]",, -2335,巷,"lane; alley",, -2336,卺,"nuptial wine cup",pictophonetic,"seal" -2337,巽,"to obey; one of the Eight Trigrams 八卦[ba1 gua4], symbolizing wood and wind; ☴; ancient Chinese compass point: 135° (southeast)",, -2338,巾,"towel; general purpose cloth; women's headcovering (old); Kangxi radical 50",pictographic,"A curtain or towel hanging from a rack" -2339,巿,"see 韍|韨[fu2]",ideographic,"A belt 一 made of cloth 巾" -2340,匝,"variant of 匝[za1]",, -2341,市,"market; city; CL:個|个[ge4]",, -2342,布,"cloth; to declare; to announce; to spread; to make known",ideographic,"Cloth 巾 held in a hand" -2343,帆,"sail; Taiwan pr. [fan2], except 帆布[fan1 bu4] canvas",pictophonetic,"cloth" -2344,纸,"variant of 紙|纸[zhi3]",pictophonetic,"silk" -2345,希,"to hope; to admire; variant of 稀[xi1]",, -2346,帑,"state treasury; public funds",ideographic,"Records kept on cloth 巾 by servants 奴" -2347,帔,"cape",pictophonetic,"cloth" -2348,帕,"to wrap; kerchief; handkerchief; headscarf; pascal (SI unit)",ideographic,"A scarf 巾 used to maintain a girl's purity 巾" -2349,帖,"fitting snugly; appropriate; suitable; variant of 貼|贴[tie1]; to paste; to obey",ideographic,"Writing on a cloth 巾" -2350,帖,"invitation card; notice",ideographic,"Writing on a cloth 巾" -2351,帖,"rubbing from incised inscription",ideographic,"Writing on a cloth 巾" -2352,帘,"flag used as a shop sign; variant of 簾|帘[lian2]",ideographic,"A curtain 巾 at the entrance to a cave 穴" -2353,帙,"surname Zhi",pictophonetic,"curtain" -2354,帙,"book cover",pictophonetic,"curtain" -2355,帚,"broom",pictographic,"A hand 巾 holding a broom with the head 彐 held up" -2356,帛,"silk",pictophonetic,"cloth" -2357,帝,"emperor",pictographic,"An altar on which a sacrifice is being made" -2358,帅,"surname Shuai",ideographic,"An army officer carrying a weapon 刂 and a flag 巾" -2359,帅,"(bound form) commander-in-chief; (bound form) to lead; to command; handsome; graceful; dashing; elegant; (coll.) cool!; sweet!; (Chinese chess) general (on the red side, equivalent to a king in Western chess)",ideographic,"An army officer carrying a weapon 刂 and a flag 巾" -2360,师,"surname Shi",ideographic,"To skillfully wield 帀 a knife 刂" -2361,师,"teacher; master; expert; model; army division; (old) troops; to dispatch troops",ideographic,"To skillfully wield 帀 a knife 刂" -2362,裙,"old variant of 裙[qun2]",pictophonetic,"clothes" -2363,席,"surname Xi",ideographic,"A cloth 巾 or straw 艹 mat in the house 广" -2364,席,"woven mat; seat; banquet; place in a democratic assembly; classifier for banquets, conversations etc",ideographic,"A cloth 巾 or straw 艹 mat in the house 广" -2365,帐,"(bound form) curtain; tent; canopy; variant of 賬|账[zhang4]",pictophonetic,"curtain" -2366,带,"band; belt; girdle; ribbon; tire; area; zone; region; CL:條|条[tiao2]; to wear; to carry; to take along; to bear (i.e. to have); to lead; to bring; to look after; to raise",ideographic,"A belt, creasing one's robe above 卅 but not below 巾" -2367,帷,"curtain; screen",pictophonetic,"curtain" -2368,常,"surname Chang",pictophonetic,"cloth" -2369,常,"always; ever; often; frequently; common; general; constant",pictophonetic,"cloth" -2370,帽,"hat; cap",pictophonetic,"towel" -2371,帧,"frame; classifier for paintings etc; Taiwan pr. [zheng4]",pictophonetic,"cloth" -2372,帏,"curtain; women's apartment; tent",pictophonetic,"curtain" -2373,幄,"tent",ideographic,"A room 屋 made of cloth 巾; 屋 also provides the pronunciation" -2374,幅,"width; roll; classifier for textiles or pictures",ideographic,"A roll 畐 of cloth 巾; 畐 also provides the pronunciation" -2375,帮,"old variant of 幫|帮[bang1]",ideographic,"A nation's 邦 flag 巾; 邦 also provides the pronunciation" -2376,幌,"shop sign; (literary) window curtain",pictophonetic,"curtain" -2377,徽,"old variant of 徽[hui1]",, -2378,幔,"curtain",pictophonetic,"cloth" -2379,幕,"curtain or screen; canopy or tent; headquarters of a general; act (of a play)",pictophonetic,"curtain" -2380,帼,"cap worn by women; feminine",pictophonetic,"cloth" -2381,帻,"turban; head-covering",pictophonetic,"towel" -2382,幕,"old variant of 幕[mu4]; curtain; screen",pictophonetic,"curtain" -2383,帮,"old variant of 幫|帮[bang1]",ideographic,"A nation's 邦 flag 巾; 邦 also provides the pronunciation" -2384,幛,"hanging scroll",ideographic,"Writing 章 on cloth 巾; 章 also provides the pronunciation" -2385,幞,"used in 幞頭|幞头[fu2tou2]; variant of 袱[fu2]; Taiwan pr. [pu2]",pictophonetic,"towel" -2386,帜,"flag",pictophonetic,"curtain" -2387,幡,"banner",pictophonetic,"cloth" -2388,幢,"banner",pictophonetic,"curtain" -2389,幢,"classifier for buildings; carriage curtain (old)",pictophonetic,"curtain" -2390,币,"money; coins; currency; silk",ideographic,"Bills written on silk 巾" -2391,帮,"to help; to assist; to support; for sb (i.e. as a help); hired (as worker); side (of pail, boat etc); outer layer; upper (of a shoe); group; gang; clique; party; secret society",ideographic,"A nation's 邦 flag 巾; 邦 also provides the pronunciation" -2392,帱,"canopy; curtain",pictophonetic,"cloth" -2393,帱,"canopy",pictophonetic,"cloth" -2394,干,"surname Gan",pictographic,"A club or axe" -2395,干,"(bound form) to have to do with; to concern oneself with; one of the ten heavenly stems 天干[tian gan1]; (archaic) shield",pictographic,"A club or axe" -2396,平,"surname Ping",pictographic,"A leveling scale" -2397,平,"flat; level; equal; to tie (make the same score); to draw (score); calm; peaceful; abbr. for 平聲|平声[ping2 sheng1]",pictographic,"A leveling scale" -2398,年,"surname Nian",ideographic,"A man 干 carrying grain, representing the annual harvest" -2399,年,"year; CL:個|个[ge4]",ideographic,"A man 干 carrying grain, representing the annual harvest" -2400,并,"short name for Taiyuan 太原[Tai4 yuan2]",ideographic,"Simplified form of 並; two men standing side-by-side" -2401,幸,"surname Xing",ideographic,"Two men, one alive 土 and one dead 干; the living one is lucky" -2402,幸,"fortunate; lucky",ideographic,"Two men, one alive 土 and one dead 干; the living one is lucky" -2403,干,"tree trunk; main part of sth; to manage; to work; to do; capable; cadre; to kill (slang); to fuck (vulgar); (coll.) pissed off; annoyed",pictographic,"A club or axe" -2404,幻,"fantasy",ideographic,"An inversion of 予, ""to give""" -2405,幼,"young",ideographic,"One with little 幺 strength 力; 幺 also provides the pronunciation" -2406,幽,"remote; hidden away; secluded; serene; peaceful; to imprison; in superstition indicates the underworld; ancient district spanning Liaonang and Hebei provinces",ideographic,"Small niches 幺 in the mountainside 山; 幺 also provides the pronunciation" -2407,几,"almost",pictographic,"A small table; compare 丌" -2408,几,"how much; how many; several; a few",pictographic,"A small table; compare 丌" -2409,广,"""house on a cliff"" radical in Chinese characters (Kangxi radical 53), occurring in 店, 序, 底 etc",ideographic,"A lean-to 厂, suggesting a building" -2410,庀,"to prepare",pictophonetic,"house" -2411,庄,"variant of 莊|庄[zhuang1]",pictophonetic,"house" -2412,庇,"to protect; cover; shelter; hide or harbor",pictophonetic,"house" -2413,床,"bed; couch; classifier for beds; CL:張|张[zhang1]",ideographic,"A house 广 made out of wood 木; 广 also provides the pronunciation" -2414,庋,"(literary) shelf; (literary) to store; to keep; to preserve",pictophonetic,"house" -2415,序,"(bound form) order; sequence; (bound form) introductory; initial; preface",pictophonetic,"wide" -2416,底,"(equivalent to 的 as possessive particle)",pictophonetic,"building" -2417,底,"background; bottom; base; end (of the month, year etc); remnants; (math.) radix; base",pictophonetic,"building" -2418,庖,"kitchen",pictophonetic,"house" -2419,店,"inn; old-style hotel (CL:家[jia1]); (bound form) shop; store",pictophonetic,"building" -2420,庚,"age; seventh of the ten Heavenly Stems 十天干[shi2 tian1 gan1]; seventh in order; letter ""G"" or Roman ""VII"" in list ""A, B, C"", or ""I, II, III"" etc; ancient Chinese compass point: 255°; hepta",, -2421,府,"seat of government; government repository (archive); official residence; mansion; presidential palace; (honorific) Your home; prefecture (from Tang to Qing times)",pictophonetic,"wide" -2422,庠,"(archaic) a school",pictophonetic,"building" -2423,庥,"protection; shade",pictophonetic,"building" -2424,度,"to pass; to spend (time); measure; limit; extent; degree of intensity; degree (angles, temperature etc); kilowatt-hour; classifier for events and occurrences",ideographic,"Twenty 廿 people 又 meeting inside a building 广 to deliberate" -2425,度,"to estimate; Taiwan pr. [duo4]",ideographic,"Twenty 廿 people 又 meeting inside a building 广 to deliberate" -2426,座,"seat; base; stand; (archaic) suffix used in a respectful form of address, e.g. 师座|师座[shi1 zuo4]; CL:個|个[ge4]; classifier for buildings, mountains and similar immovable objects",ideographic,"A wide 广 seat 坐; 坐 also provides the pronunciation" -2427,库,"warehouse; storehouse; (file) library",ideographic,"A stable 广 where carriages 车 are parked" -2428,庭,"main hall; front courtyard; law court",ideographic,"A wide 广 couryard 廷; 廷 also provides the pronunciation" -2429,庳,"low-built house",ideographic,"A low 卑 house 广" -2430,庵,"hut; small temple; nunnery",ideographic,"A building 广 where people remain 奄; 奄 also provides the pronunciation" -2431,庶,"(bound form) ordinary; numerous; (bound form) pertaining to a concubine (contrasted with 嫡[di2])",ideographic,"Many people 灬 (twenty or more 廿) in a house 广" -2432,康,"surname Kang",ideographic,"A home 广 with a servant 隶" -2433,康,"healthy; peaceful; abundant",ideographic,"A home 广 with a servant 隶" -2434,庸,"ordinary; to use",pictophonetic, -2435,庹,"length of 2 outstretched arms",pictophonetic,"wide" -2436,庶,"old variant of 庶[shu4]",ideographic,"Many people 灬 (twenty or more 廿) in a house 广" -2437,寓,"variant of 寓[yu4]",pictophonetic,"roof" -2438,庾,"surname Yu; name of a mountain",pictophonetic,"building" -2439,厕,"restroom; toilet; lavatory; (literary) to be mingled with; to be involved in",pictophonetic,"building" -2440,厕,"used in 茅廁|茅厕[mao2 si5]",pictophonetic,"building" -2441,厢,"box (in theater); side room; side",pictophonetic,"building" -2442,厩,"stable; barn",pictophonetic,"building" -2443,厦,"abbr. for Xiamen or Amoy 廈門|厦门[Xia4 men2], Fujian",pictophonetic,"building" -2444,厦,"tall building; mansion; rear annex; lean-to; also pr. [xia4]",pictophonetic,"building" -2445,廉,"surname Lian",, -2446,廉,"incorruptible; honest; inexpensive; to investigate (old); side wall of a traditional Chinese house (old)",, -2447,廊,"corridor; veranda; porch",pictophonetic,"wide" -2448,廌,"unicorn",pictophonetic,"deer" -2449,厩,"variant of 廄|厩[jiu4]",pictophonetic,"building" -2450,廑,"careful; hut; variant of 僅|仅[jin3]",pictophonetic,"house" -2451,廑,"variant of 勤[qin2]",pictophonetic,"house" -2452,廒,"granary",pictophonetic,"building" -2453,廓,"(bound form) extensive; vast; (bound form) outline; general shape; (bound form) to expand; to extend",pictophonetic,"wide" -2454,荫,"variant of 蔭|荫[yin4], shade",ideographic,"Shade 阴 provided by a tree 艹; 阴 also provides the pronunciation" -2455,廖,"surname Liao",ideographic,"The wind 翏 blowing over a vast, empty plain 广" -2456,厨,"kitchen",pictophonetic,"building" -2457,廛,"market place",pictophonetic,"building" -2458,厮,"(bound form) together; each other; (bound form) male servant; (bound form) dude; so-and-so (used in 那廝|那厮[na4 si1] and 這廝|这厮[zhe4 si1])",pictophonetic,"building" -2459,庙,"temple; ancestral shrine; CL:座[zuo4]; temple fair; great imperial hall; imperial",ideographic,"A building 广 containing an altar 由" -2460,厂,"factory; yard; depot; workhouse; works; (industrial) plant",, -2461,庑,"variant of 蕪|芜[wu2]",pictophonetic,"house" -2462,庑,"small rooms facing or to the side of the main hall or veranda",pictophonetic,"house" -2463,废,"to abolish; to abandon; to abrogate; to discard; to depose; to oust; crippled; abandoned; waste",pictophonetic, -2464,广,"surname Guang",ideographic,"A lean-to 厂, suggesting a building" -2465,广,"wide; numerous; to spread",ideographic,"A lean-to 厂, suggesting a building" -2466,廥,"barn; granary",ideographic,"A building 广 where food is stored 會; 會 also provides the pronunciation" -2467,廨,"office",pictophonetic,"building" -2468,廪,"government granary",pictophonetic,"building" -2469,庐,"hut",ideographic,"A house 广 with an open door 户; 户 also provides the pronunciation" -2470,厅,"(reception) hall; living room; office; provincial government department",pictophonetic,"spacious" -2471,廴,"""long stride"" radical in Chinese characters (Kangxi radical 54), occurring in 建, 延, 廷 etc",pictographic,"A man walking to the left" -2472,巡,"variant of 巡[xun2]",ideographic,"To walk 辶 by the river 巛; 巛 also provides the pronunciation" -2473,延,"surname Yan",ideographic,"A foot on the road 㢟 stopped in its tracks 丿" -2474,延,"to prolong; to extend; to delay",ideographic,"A foot on the road 㢟 stopped in its tracks 丿" -2475,廷,"palace courtyard",pictophonetic,"place" -2476,迫,"variant of 迫[po4]; to persecute; to oppress; embarrassed",pictophonetic,"walk" -2477,建,"to establish; to found; to set up; to build; to construct",pictophonetic,"action" -2478,乃,"variant of 乃[nai3]",ideographic,"A pregnant woman; compare 孕" -2479,廾,"hands joined",ideographic,"Two hands 十 side by side" -2480,廿,"twenty",ideographic,"Two tens 十 side by side" -2481,弁,"(old) cap (garment); military officer of low rank (in former times); preceding",pictographic,"Two hands 廾 putting the cap 厶 on someone's head" -2482,弄,"lane; alley",ideographic,"Two hands 廾 playing with a piece of jade 玉; 廾 also provides the pronunciation" -2483,弄,"to do; to manage; to handle; to play with; to fool with; to mess with; to fix; to toy with",ideographic,"Two hands 廾 playing with a piece of jade 玉; 廾 also provides the pronunciation" -2484,弇,"to cover; trap",, -2485,弈,"ancient name for go (Chinese board game)",pictophonetic,"hands" -2486,弊,"detriment; fraud; harm; defeat",ideographic,"Two hands 廾 breaking something 敝; 敝 also provides the pronunciation" -2487,弋,"to shoot",pictographic,"Picture of an arrow shot from a bow" -2488,式,"type; form; pattern; style",ideographic,"A craftsman using an awl 弋 and a measuring square 工" -2489,弑,"to murder a superior; to murder one's parent",pictophonetic,"murder" -2490,弓,"surname Gong",pictographic,"A bow aimed to the left" -2491,弓,"a bow (weapon); CL:張|张[zhang1]; to bend; to arch (one's back etc)",pictographic,"A bow aimed to the left" -2492,吊,"a string of 100 cash (arch.); to lament; to condole with; variant of 吊[diao4]",, -2493,引,"to draw (e.g. a bow); to pull; to stretch sth; to extend; to lengthen; to involve or implicate in; to attract; to lead; to guide; to leave; to provide evidence or justification for; old unit of distance equal to 10 丈[zhang4], one-thirtieth of a km or 33.33 meters",ideographic,"To pull back a bow's 弓 drawstring 丨" -2494,弗,"(literary) not; used in transliteration",ideographic,"Two arrows 丨 pulled across a bow" -2495,弘,"great; liberal",, -2496,弛,"to unstring a bow; to slacken; to relax; to loosen",pictophonetic,"bow" -2497,弟,"younger brother; junior male; I (modest word in letter)",, -2498,弟,"variant of 悌[ti4]",, -2499,弦,"bow string; string of musical instrument; watchspring; chord (segment of curve); hypotenuse; CL:根[gen1]",pictophonetic,"bow" -2500,弧,"arc",pictophonetic,"bow" -2501,弩,"crossbow",pictophonetic,"bow" -2502,弭,"to stop; repress",, -2503,弮,"variant of 卷[juan4], curled up scroll",pictophonetic,"bow" -2504,弮,"crossbow (arch.)",pictophonetic,"bow" -2505,弱,"weak; feeble; young; inferior; not as good as; (following a decimal or fraction) slightly less than",ideographic,"Two shoots 弓 dying to frost 冫" -2506,弪,"radian (math.); now written 弧度",pictophonetic,"bow" -2507,张,"surname Zhang",pictophonetic,"bow" -2508,张,"to open up; to spread; sheet of paper; classifier for flat objects, sheet; classifier for votes",pictophonetic,"bow" -2509,强,"surname Qiang",pictophonetic,"bow" -2510,强,"stubborn; unyielding",pictophonetic,"bow" -2511,强,"strong; powerful; better; slightly more than; vigorous; violent; best in their category, e.g. see 百強|百强[bai3 qiang2]",pictophonetic,"bow" -2512,强,"to force; to compel; to strive; to make an effort",pictophonetic,"bow" -2513,弼,"to assist",, -2514,彀,"to draw a bow to the full; the range of a bow and arrow; old variant of 夠|够[gou4], enough",, -2515,别,"to make sb change their ways, opinions etc",ideographic,"To draw boundaries 刂 between classes 另" -2516,弹,"crossball; bullet; shot; shell; ball",pictophonetic,"bow" -2517,弹,"to pluck (a string); to play (a string instrument); to spring or leap; to shoot (e.g. with a catapult); (of cotton) to fluff or tease; to flick; to flip; to accuse; to impeach; elastic (of materials)",pictophonetic,"bow" -2518,强,"variant of 強|强[jiang4]",pictophonetic,"bow" -2519,强,"variant of 強|强[qiang2]",pictophonetic,"bow" -2520,强,"variant of 強|强[qiang3]",pictophonetic,"bow" -2521,弥,"full; to fill; completely; more",pictophonetic,"bow" -2522,弯,"to bend; bent; a bend; a turn (in a road etc); CL:道[dao4]",ideographic,"Like 亦 a bow 弓" -2523,彐,"pig snout (Kangxi radical 58)",, -2524,彑,"variant of 彐[ji4]",pictographic,"A head-on view of a snout" -2525,录,"to carve wood",pictographic,"A brush used to record stories" -2526,彖,"to foretell the future using the trigrams of the Book of Changes 易經|易经",ideographic,"A pig 豕 with a long snout 彑" -2527,彗,"broom",ideographic,"A hand 彐 holding a bamboo broom 丰" -2528,彘,"swine",pictophonetic,"snout" -2529,汇,"class; collection",ideographic,"Water 氵 collected in a container 匚" -2530,彝,"ancient wine vessel; ancient sacrificial vessel; Yi ethnic group; normal nature of man; laws and rules",, -2531,彟,"see 武士彠|武士彟[Wu3 Shi4 huo4]; old variant of 蒦[huo4]",pictophonetic,"measure" -2532,彡,"""bristle"" radical in Chinese characters (Kangxi radical 59)",pictographic,"Tufts of hair" -2533,形,"to appear; to look; form; shape",ideographic,"Sunlight 彡 streaming through a window 开" -2534,彤,"surname Tong",pictophonetic,"red" -2535,彤,"red",pictophonetic,"red" -2536,彦,"accomplished; elegant",pictophonetic,"hair" -2537,彧,"accomplished; elegant",, -2538,彩,"(bright) color; variety; applause; applaud; lottery prize",pictophonetic,"hair" -2539,彪,"tiger stripes; tiger cub; (old) classifier for troops",ideographic,"A tiger's 虎 stripes 彡" -2540,雕,"variant of 雕[diao1], to engrave",pictophonetic,"bird" -2541,彬,"urbane; well-bred; cultivated",pictophonetic,"hair" -2542,彭,"surname Peng",ideographic,"The sound 彡 of drums 壴" -2543,彰,"clear; conspicuous; manifest",pictophonetic,"sunlight" -2544,影,"picture; image; film; movie; photograph; reflection; shadow; trace",pictophonetic,"sunlight" -2545,彳,"step with the left foot (Kangxi radical 60); see also 彳亍[chi4 chu4]",, -2546,仿,"seemingly",pictophonetic,"to imitate a person" -2547,彷,"used in 彷徨[pang2huang2] and 彷徉[pang2yang2]",pictophonetic,"step" -2548,彸,"restless, agitated",pictophonetic,"step" -2549,役,"forced labor; corvée; obligatory task; military service; to use as servant; to enserf; servant (old); war; campaign; battle",ideographic,"A person walking over 彳 with food in hand 殳" -2550,彼,"that; those; (one) another",pictophonetic,"step" -2551,佛,"seemingly",pictophonetic,"person" -2552,往,"to go (in a direction); to; towards; (of a train) bound for; past; previous",pictophonetic,"step" -2553,征,"journey; trip; expedition; to go on long campaign; to attack",pictophonetic,"step" -2554,徂,"to go; to reach",pictophonetic,"step" -2555,往,"old variant of 往[wang3]",pictophonetic,"step" -2556,待,"to stay",ideographic,"To welcome someone arriving 彳 at the royal court 寺" -2557,待,"to wait; to treat; to deal with; to need; going to (do sth); about to; intending to",ideographic,"To welcome someone arriving 彳 at the royal court 寺" -2558,徇,"to give in to; to be swayed by (personal considerations etc); Taiwan pr. [xun2]; to follow; to expose publicly; variant of 侚[xun4]; variant of 殉[xun4]",pictophonetic,"step" -2559,很,"very; quite; (also, often used before an adjective without intensifying its meaning, i.e. as a meaningless syntactic element)",pictophonetic,"step" -2560,徉,"to walk back and forth",pictophonetic,"step" -2561,徊,"used in 徘徊[pai2 huai2]",ideographic,"To pace 彳 back and forth 回; 回 also provides the pronunciation" -2562,律,"surname Lü",ideographic,"To walk 彳 as required by law 聿" -2563,律,"law",ideographic,"To walk 彳 as required by law 聿" -2564,后,"back; behind; rear; afterwards; after; later; post-",, -2565,徐,"surname Xu",pictophonetic,"step" -2566,徐,"slowly; gently",pictophonetic,"step" -2567,径,"footpath; track; diameter; straight; directly",pictophonetic,"step" -2568,徒,"surname Tu",ideographic,"To walk 走 in someone's footsteps 彳" -2569,徒,"disciple; apprentice; believer; on foot; bare; empty; to no avail; only; prison sentence",ideographic,"To walk 走 in someone's footsteps 彳" -2570,得,"to obtain; to get; to gain; to catch (a disease); proper; suitable; proud; contented; to allow; to permit; ready; finished",ideographic,"A hand 寸 grabbing a shell 旦" -2571,得,"structural particle: used after a verb (or adjective as main verb), linking it to following phrase indicating effect, degree, possibility etc",ideographic,"A hand 寸 grabbing a shell 旦" -2572,得,"to have to; must; ought to; to need to",ideographic,"A hand 寸 grabbing a shell 旦" -2573,徘,"used in 徘徊[pai2 huai2]",pictophonetic,"step" -2574,徙,"(literary) to change one's residence",ideographic,"To step 彳 out on a long journey 歨" -2575,徜,"sit cross-legged; walk back and forth",pictophonetic,"step" -2576,从,"surname Cong",ideographic,"One person 人 following another" -2577,从,"from; through; via; (bound form) to follow; (bound form) to obey; (bound form) to engage in (an activity); (used before a negative) ever; (bound form) (Taiwan pr. [zong4]) retainer; attendant; (bound form) (Taiwan pr. [zong4]) assistant; auxiliary; subordinate; (bound form) (Taiwan pr. [zong4]) related by common paternal grandfather or earlier ancestor",ideographic,"One person 人 following another" -2578,徕,"used in 招徠|招徕[zhao1 lai2]",pictophonetic,"step" -2579,御,"(bound form) imperial; royal; (literary) to drive (a carriage); (literary) to manage; to govern",pictophonetic,"step" -2580,遍,"variant of 遍[bian4]",pictophonetic,"walk" -2581,徨,"irresolute",pictophonetic,"step" -2582,复,"to go and return; to return; to resume; to return to a normal or original state; to repeat; again; to recover; to restore; to turn over; to reply; to answer; to reply to a letter; to retaliate; to carry out",ideographic,"A person 亻 who goes  somewhere 夂 every day 日" -2583,循,"to follow; to adhere to; to abide by",pictophonetic,"step" -2584,徭,"compulsory service",pictophonetic,"step" -2585,微,"surname Wei; ancient Chinese state near present-day Chongqing; Taiwan pr. [Wei2]",, -2586,微,"tiny; miniature; slightly; profound; abtruse; to decline; one millionth part of; micro-; Taiwan pr. [wei2]",, -2587,徯,"footpath; wait for",pictophonetic,"step" -2588,徴,"Japanese variant of 徵|征",ideographic,"To march 彳 on the king's 王 orders 攵" -2589,征,"to invite; to recruit; to levy (taxes); to draft (troops); phenomenon; symptom; characteristic sign (used as proof); evidence",pictophonetic,"step" -2590,徵,"4th note in the ancient Chinese pentatonic scale 五音[wu3 yin1], corresponding to sol",pictophonetic,"step" -2591,德,"Germany; German; abbr. for 德國|德国[De2 guo2]",pictophonetic,"heart" -2592,德,"virtue; goodness; morality; ethics; kindness; favor; character; kind",pictophonetic,"heart" -2593,彻,"thorough; penetrating; to pervade; to pass through",pictophonetic,"cut" -2594,徼,"by mere luck",pictophonetic,"step" -2595,徼,"boundary; to go around",pictophonetic,"step" -2596,徽,"badge; emblem; insignia; crest; logo; coat of arms",, -2597,心,"heart; mind; intention; center; core; CL:顆|颗[ke1],個|个[ge4]",pictographic,"A heart" -2598,忄,"Kangxi radical 61 (心) as a vertical side element",, -2599,必,"certainly; must; will; necessarily",, -2600,忉,"grieved",pictophonetic,"heart" -2601,忌,"to be jealous of; fear; dread; scruple; to avoid or abstain from; to quit; to give up sth",pictophonetic,"heart" -2602,忍,"to bear; to endure; to tolerate; to restrain oneself",ideographic,"A knife 刃 piercing the heart 心; 刃 also provides the pronunciation" -2603,忐,"used in 忐忑[tan3te4]",ideographic,"A weight on 上 the heart 心" -2604,忑,"used in 忐忑[tan3te4]",ideographic,"A weight under 下 the heart 心" -2605,忒,"to err; to change",pictophonetic,"heart" -2606,忒,"(dialect) too; very; also pr. [tui1]",pictophonetic,"heart" -2607,忕,"accustomed to; habit",pictophonetic,"mind" -2608,忕,"extravagant; luxurious",pictophonetic,"mind" -2609,忖,"to ponder; to speculate; to consider; to guess",pictophonetic,"mind" -2610,志,"aspiration; ambition; the will",ideographic,"The mind 心 of a scholar 士; 士 also provides the pronunciation" -2611,忘,"to forget; to overlook; to neglect",pictophonetic,"heart" -2612,忙,"busy; hurriedly; to hurry; to rush",ideographic,"A heart 忄 faced with death 亡; 亡 also provides the pronunciation" -2613,忝,"to shame",pictophonetic,"heart" -2614,忞,"to encourage oneself",pictophonetic,"heart" -2615,忞,"ancient variant of 暋[min3]",pictophonetic,"heart" -2616,忞,"disorderly; messy; chaotic",pictophonetic,"heart" -2617,忠,"loyal; devoted; faithful",pictophonetic,"heart" -2618,忡,"grieved; distressed; sad; uneasy",pictophonetic,"heart" -2619,忤,"disobedient; unfilial",pictophonetic,"heart" -2620,忪,"used in 惺忪[xing1song1]",pictophonetic,"heart" -2621,忪,"restless; agitated",pictophonetic,"heart" -2622,快,"rapid; quick; speed; rate; soon; almost; to make haste; clever; sharp (of knives or wits); forthright; plainspoken; gratified; pleased; pleasant",ideographic,"A decisive 夬 will 忄; 夬 also provides the pronunciation" -2623,忭,"delighted; pleased",pictophonetic,"heart" -2624,忮,"(literary) (bound form) jealous",pictophonetic,"heart" -2625,忱,"sincerity; honesty",pictophonetic,"heart" -2626,念,"to read; to study (a subject); to attend (a school); to read aloud; to give (sb) a tongue-lashing (CL:頓|顿[dun4]); to miss (sb); idea; remembrance; twenty (banker's anti-fraud numeral corresponding to 廿[nian4])",ideographic,"To keep the present 今 in mind 心" -2627,忸,"accustomed to; blush; be shy",pictophonetic,"heart" -2628,忻,"happy",pictophonetic,"heart" -2629,忽,"surname Hu",pictophonetic,"heart" -2630,忽,"to neglect; to overlook; to ignore; suddenly",pictophonetic,"heart" -2631,忿,"anger; indignation; hatred",pictophonetic,"heart" -2632,怊,"(literary) sad; sorrowful; disappointed; frustrated",pictophonetic,"heart" -2633,怍,"ashamed",pictophonetic,"heart" -2634,怎,"how",pictophonetic,"heart" -2635,怏,"discontented",pictophonetic,"heart" -2636,怒,"anger; fury; flourishing; vigorous",pictophonetic,"heart" -2637,怔,"(bound form) startled; terrified; panic-stricken",pictophonetic,"heart" -2638,怔,"(dialect) to stare blankly; to be in a daze; Taiwan pr. [leng4]",pictophonetic,"heart" -2639,怕,"surname Pa",pictophonetic,"heart" -2640,怕,"to be afraid; to fear; to dread; to be unable to endure; perhaps",pictophonetic,"heart" -2641,怖,"terror; terrified; afraid; frightened",pictophonetic,"heart" -2642,怙,"to rely on; father (formal)",pictophonetic,"heart" -2643,怛,"distressed; alarmed; shocked; grieved",pictophonetic,"heart" -2644,思,"to think; to consider",ideographic,"Weighing something with your mind 囟 (altered) and heart 心" -2645,怠,"idle; lazy; negligent; careless",pictophonetic,"mind" -2646,怡,"harmony; pleased",pictophonetic,"heart" -2647,急,"urgent; pressing; rapid; hurried; worried; to make (sb) anxious",pictophonetic,"heart" -2648,怦,"(onom.) the thumping of one's heart",pictophonetic,"heart" -2649,性,"nature; character; property; quality; attribute; sexuality; sex; gender; suffix forming adjective from verb; suffix forming noun from adjective, corresponding to -ness or -ity; essence; CL:個|个[ge4]",pictophonetic,"heart" -2650,怨,"to blame; (bound form) resentment; hatred; grudge",pictophonetic,"heart" -2651,怩,"shy; timid; bashful; to look ashamed",pictophonetic,"heart" -2652,怪,"bewildering; odd; strange; uncanny; devil; monster; to wonder at; to blame; quite; rather",, -2653,怫,"anger",pictophonetic,"heart" -2654,怫,"anxious",pictophonetic,"heart" -2655,怯,"timid; cowardly; rustic; Taiwan pr. [que4]",pictophonetic,"heart" -2656,匆,"variant of 匆[cong1]",, -2657,恍,"variant of 恍[huang3]",pictophonetic,"heart" -2658,怵,"fearful; timid; to fear",pictophonetic,"heart" -2659,恁,"to think; this; which?; how? (literary); Taiwan pr. [ren4]",pictophonetic,"heart" -2660,恁,"old variant of 您[nin2]",pictophonetic,"heart" -2661,恂,"sincere",pictophonetic,"heart" -2662,恃,"(bound form) to rely on; (literary) one's mother",pictophonetic,"heart" -2663,恒,"surname Heng",ideographic,"A constant 亘 heart 忄; 亘 also provides the pronunciation" -2664,恒,"permanent; constant; fixed; usual; ordinary; rule (old); one of the 64 hexagrams of the Book of Changes (䷟)",ideographic,"A constant 亘 heart 忄; 亘 also provides the pronunciation" -2665,恍,"(bound form) in a hazy state of mind; (bound form) to snap out of that state; used in 恍如[huang3 ru2] and 恍若[huang3 ruo4]",pictophonetic,"heart" -2666,恐,"afraid; frightened; to fear",pictophonetic,"heart" -2667,恒,"variant of 恆|恒[heng2]",ideographic,"A constant 亘 heart 忄; 亘 also provides the pronunciation" -2668,恓,"troubled; vexed",pictophonetic, -2669,恕,"to forgive",pictophonetic,"heart" -2670,恙,"sickness",pictophonetic,"heart" -2671,恚,"rage",pictophonetic,"heart" -2672,恝,"indifferent",pictophonetic,"heart" -2673,怪,"variant of 怪[guai4]",, -2674,吝,"variant of 吝[lin4]",, -2675,恢,"to restore; to recover; great",pictophonetic,"heart" -2676,恣,"to abandon restraint; to do as one pleases; comfortable (dialect)",pictophonetic,"heart" -2677,恤,"anxiety; sympathy; to sympathize; to give relief; to compensate",pictophonetic,"heart" -2678,耻,"(bound form) shame; humiliation; disgrace",pictophonetic,"ear" -2679,恧,"ashamed",pictophonetic,"heart" -2680,恨,"to hate; to regret",pictophonetic,"heart" -2681,恩,"favor; grace; kindness",pictophonetic,"heart" -2682,恪,"surname Ke",pictophonetic,"heart" -2683,恪,"respectful; scrupulous",pictophonetic,"heart" -2684,恫,"frighten",pictophonetic,"heart" -2685,恬,"quiet; calm; tranquil; peaceful",pictophonetic,"heart" -2686,恭,"respectful",pictophonetic,"heart" -2687,息,"breath; news; interest (on an investment or loan); to cease; to stop; to rest; Taiwan pr. [xi2]",ideographic,"To breathe (life, 心) through one's nose 自; 心 also provides the pronunciation" -2688,恰,"exactly; just",pictophonetic,"heart" -2689,恿,"to urge; to incite",pictophonetic,"heart" -2690,悃,"sincere",pictophonetic,"heart" -2691,悄,"used in 悄悄[qiao1 qiao1]",pictophonetic,"heart" -2692,悄,"quiet; sad",pictophonetic,"heart" -2693,悦,"pleased",pictophonetic,"heart" -2694,悉,"in all cases; know",pictophonetic,"mind" -2695,悌,"to do one's duty as a younger brother",ideographic,"Fraternal 弟 respect 忄; 弟 also provides the pronunciation" -2696,悍,"heroic; intrepid; valiant; dauntless; fierce; ferocious; violent",pictophonetic,"heart" -2697,悒,"anxiety; worry",pictophonetic,"heart" -2698,悔,"(bound form) to regret; to repent",pictophonetic,"heart" -2699,悖,"to go against; to be contrary to; perverse; rebellious",pictophonetic,"heart" -2700,悚,"frightened",pictophonetic,"heart" -2701,悛,"to reform",pictophonetic,"heart" -2702,悝,"to laugh at",pictophonetic,"heart" -2703,悝,"worried; afflicted",pictophonetic,"heart" -2704,悟,"to comprehend; to apprehend; to become aware",pictophonetic,"mind" -2705,悠,"long or drawn out; remote in time or space; leisurely; to swing; pensive; worried",pictophonetic,"heart" -2706,患,"to suffer (from illness); to contract (a disease); misfortune; trouble; danger; worry",pictophonetic,"heart" -2707,匆,"variant of 匆[cong1]",, -2708,悧,"used in 憐悧|怜悧[lian2li4]",ideographic,"One with a sharp 刂 wit 忄; 利 also provides the pronunciation" -2709,您,"you (courteous, as opposed to informal 你[ni3])",ideographic,"You 你 said with affection 心" -2710,悱,"to want to articulate one's thoughts but be unable to",pictophonetic,"heart" -2711,悲,"sad; sadness; sorrow; grief",pictophonetic,"heart" -2712,德,"variant of 德[de2]",pictophonetic,"heart" -2713,悴,"haggard; sad; downcast; distressed",pictophonetic,"heart" -2714,怅,"regretful; upset; despairing; depressed",pictophonetic,"heart" -2715,闷,"stuffy; shut indoors; to smother; to cover tightly",pictophonetic,"heart" -2716,闷,"bored; depressed; melancholy; sealed; airtight; tightly closed",pictophonetic,"heart" -2717,悸,"to palpitate",pictophonetic,"heart" -2718,悻,"angry",pictophonetic,"heart" -2719,悼,"to mourn; to lament",pictophonetic,"heart" -2720,凄,"variant of 淒|凄[qi1]; sad; mournful",pictophonetic,"ice" -2721,情,"(bound form) feelings; emotion; sentiment; passion; (bound form) situation; condition",pictophonetic,"heart" -2722,惆,"forlorn; vexed; disappointed",pictophonetic,"heart" -2723,惋,"to sigh in regret or pity; Taiwan pr. [wan4]",pictophonetic,"heart" -2724,婪,"old variant of 婪[lan2]",pictophonetic,"woman" -2725,惑,"to confuse; to be puzzled",ideographic,"An uncertain 或 heart 心; 或 also provides the pronunciation" -2726,惓,"earnest",pictophonetic,"heart" -2727,惕,"fearful; respectful",pictophonetic,"heart" -2728,惘,"disappointed; perplexed",pictophonetic,"heart" -2729,惙,"mournful; uncertain",pictophonetic,"heart" -2730,惚,"used in 恍惚[huang3hu1]",ideographic,"To neglect 忽 the mind 忄; 忽 also provides the pronunciation" -2731,惛,"confused; forgetful; silly",ideographic,"Night falling 昏 on the mind 忄; 昏 also provides the pronunciation" -2732,惜,"to cherish; to begrudge; to pity; Taiwan pr. [xi2]",ideographic,"To feel 忄 for the past 昔; 昔 also provides the pronunciation" -2733,惝,"disappointed; listless; frightened; also pr. [tang3]",pictophonetic,"heart" -2734,惟,"-ism; only",, -2735,惠,"surname Hui",pictophonetic,"heart" -2736,惠,"(bound form) act of kindness (from a superior); (honorific prefix) kind (as in 惠顧|惠顾[hui4 gu4])",pictophonetic,"heart" -2737,恶,"used in 惡心|恶心[e3 xin1]",pictophonetic,"heart" -2738,恶,"evil; fierce; vicious; ugly; coarse; to harm",pictophonetic,"heart" -2739,恶,"to hate; to loathe; ashamed; to fear; to slander",pictophonetic,"heart" -2740,恿,"old variant of 恿[yong3]",pictophonetic,"heart" -2741,惦,"to think of; to remember; to miss",pictophonetic,"mind" -2742,德,"variant of 德[de2]",pictophonetic,"heart" -2743,惰,"lazy",pictophonetic,"mind" -2744,恼,"to get angry",pictophonetic,"heart" -2745,恽,"surname Yun",ideographic,"To plan 忄 for a battle 军; 军 also provides the pronunciation" -2746,想,"to think (about); to think of; to devise; to think (that); to believe (that); to desire; to want (to); to miss (feel wistful about the absence of)",pictophonetic,"mind" -2747,惴,"anxious; worried",pictophonetic,"heart" -2748,惶,"(bound form) fear; dread; anxiety; trepidation",pictophonetic,"heart" -2749,蠢,"variant of 蠢[chun3]; stupid",pictophonetic,"worm" -2750,惹,"to provoke; to irritate; to vex; to stir up; to anger; to attract (troubles); to cause (problems)",pictophonetic,"heart" -2751,惺,"tranquil; understand",ideographic,"A brilliant 星 mind 忄; 星 also provides the pronunciation" -2752,恻,"sorrowful",pictophonetic,"heart" -2753,愀,"change countenance; worry",pictophonetic,"heart" -2754,愁,"to worry about",pictophonetic,"heart" -2755,愆,"fault; transgression",pictophonetic,"heart" -2756,愈,"the more...(the more...); to recover; to heal; better",pictophonetic,"heart" -2757,愉,"pleased",pictophonetic,"heart" -2758,愍,"variant of 憫|悯[min3]",pictophonetic,"heart" -2759,愎,"perverse; obstinate; willful",ideographic,"To persist 复 in error 忄; 复 also provides the pronunciation" -2760,意,"Italy; Italian (abbr. for 意大利[Yi4 da4 li4])",pictophonetic,"heart" -2761,意,"idea; meaning; thought; to think; wish; desire; intention; to expect; to anticipate",pictophonetic,"heart" -2762,愕,"startled",pictophonetic,"heart" -2763,恪,"variant of 恪[ke4]",pictophonetic,"heart" -2764,愚,"to be stupid; to cheat or deceive; me or I (modest)",pictophonetic,"heart" -2765,爱,"to love; to be fond of; to like; affection; to be inclined (to do sth); to tend to (happen)",ideographic,"To bring a friend 友 into one's house 冖" -2766,惬,"cheerful; satisfied",pictophonetic,"heart" -2767,感,"to feel; to move; to touch; to affect; feeling; emotion; (suffix) sense of ~",ideographic,"Two hearts 心 beating together 咸" -2768,愣,"to look distracted; to stare blankly; distracted; blank; (coll.) unexpectedly; rash; rashly",pictophonetic,"heart" -2769,愧,"ashamed",pictophonetic,"heart" -2770,悫,"honest",pictophonetic,"heart" -2771,愫,"guileless; sincere",ideographic,"With a pure 素 heart 忄; 素 also provides the pronunciation" -2772,诉,"variant of 訴|诉[su4]",ideographic,"Words 讠 of blame 斥; 斥 also provides the pronunciation" -2773,怆,"mournful; sad; grieved; sorry",pictophonetic,"heart" -2774,恺,"joyful; kind",pictophonetic,"heart" -2775,博,"old variant of 博[bo2]",pictophonetic,"ten" -2776,忾,"anger",ideographic,"A heart 忄 full of anger 气; 气 also provides the pronunciation" -2777,愿,"honest and prudent; variant of 願|愿[yuan4]",pictophonetic,"heart" -2778,恿,"old variant of 恿[yong3]",pictophonetic,"heart" -2779,栗,"(literary) cold; chilly; (bound form) to tremble with fear",ideographic,"A tree 木 bearing nuts 覀; compare 果" -2780,慈,"compassionate; gentle; merciful; kind; humane",pictophonetic,"heart" -2781,慊,"dissatisfied",pictophonetic,"heart" -2782,慊,"contented",pictophonetic,"heart" -2783,态,"(bound form); appearance; shape; form; state; attitude; (grammar) voice",pictophonetic,"heart" -2784,慌,"to get panicky; to lose one's head; (coll.) (after 得[de2]) unbearably; terribly",pictophonetic,"heart" -2785,愠,"indignant; feel hurt",pictophonetic,"heart" -2786,慎,"careful; cautious",pictophonetic,"heart" -2787,慕,"to admire",pictophonetic,"heart" -2788,惨,"miserable; wretched; cruel; inhuman; disastrous; tragic; dim; gloomy",pictophonetic,"heart" -2789,惭,"variant of 慚|惭[can2]",pictophonetic,"heart" -2790,惭,"ashamed",pictophonetic,"heart" -2791,慝,"evil thought",ideographic,"To hide 匿 evil in one's heart 心" -2792,恸,"grief",ideographic,"Moving 动 and sad 忄; 动 also provides the pronunciation" -2793,慢,"slow",pictophonetic,"heart" -2794,惯,"accustomed to; used to; indulge; to spoil (a child)",pictophonetic,"heart" -2795,悫,"honest",pictophonetic,"heart" -2796,慧,"intelligent",pictophonetic,"mind" -2797,慨,"indignant; generous; to sigh (with emotion)",pictophonetic,"heart" -2798,怄,"to annoy; to irritate; to be annoyed; to sulk",pictophonetic,"heart" -2799,怂,"variant of 㞞|𪨊[song2]",pictophonetic,"heart" -2800,怂,"used in 慫恿|怂恿[song3yong3]; (literary) terrified",pictophonetic,"heart" -2801,虑,"to think over; to consider; anxiety",ideographic,"A tiger 虍 striking fear into the heart 心" -2802,慰,"to comfort; to console; to reassure",pictophonetic,"heart" -2803,悭,"stingy",ideographic,"Having a hard 坚 heart 忄; 坚 also provides the pronunciation" -2804,慑,"terrified",pictophonetic,"heart" -2805,慵,"lethargic",pictophonetic,"heart" -2806,庆,"to celebrate",ideographic,"A great 大 celebration in a house 广" -2807,慷,"used in 慷慨|慷慨[kang1 kai3]",pictophonetic,"heart" -2808,戚,"variant of 戚[qi1]; grief; sorrow",ideographic,"A younger brother 尗 killed in a war 戈" -2809,戚,"variant of 慼|戚[qi1]",ideographic,"A younger brother 尗 killed in a war 戈" -2810,欲,"desire; appetite; passion; lust; greed",pictophonetic,"lack" -2811,忧,"to worry; to concern oneself with; worried; anxiety; sorrow; (literary) to observe mourning",pictophonetic,"heart" -2812,憩,"variant of 憩[qi4]",pictophonetic,"mind" -2813,惫,"exhausted",pictophonetic,"ponder" -2814,憋,"to choke; to stifle; to restrain; to hold back; to hold in (urine); to hold (one's breath)",pictophonetic,"heart" -2815,憎,"to detest",pictophonetic,"heart" -2816,怜,"to pity",pictophonetic,"heart" -2817,凭,"to lean against; to rely on; on the basis of; no matter (how, what etc); proof",ideographic,"Leaning on (trusting) 任 a table 几" -2818,愦,"confused; troubled",pictophonetic,"heart" -2819,憔,"haggard",pictophonetic,"heart" -2820,惮,"dread; fear; dislike",pictophonetic,"heart" -2821,憝,"dislike; hate",pictophonetic,"heart" -2822,愤,"indignant; anger; resentment",pictophonetic,"heart" -2823,憧,"used in 憧憬[chong1jing3]; used in 憧憧[chong1chong1]",pictophonetic,"heart" -2824,憨,"silly; simple-minded; foolish; naive; sturdy; tough; heavy (of rope)",pictophonetic,"heart" -2825,憩,"to rest",pictophonetic,"mind" -2826,悯,"to sympathize; to pity; to feel compassion for; (literary) to feel sorrow; to be grieved",pictophonetic,"heart" -2827,憬,"awaken",pictophonetic,"mind" -2828,怃,"(literary) to have tender affection for; (literary) discouraged; disappointed; (literary) startled",pictophonetic,"heart" -2829,宪,"statute; constitution",pictophonetic,"roof" -2830,忆,"to recollect; to remember; memory",pictophonetic,"heart" -2831,憷,"to be afraid",ideographic,"A pained 楚 heart 忄; 楚 also provides the pronunciation" -2832,憾,"regret (sense of loss or dissatisfaction)",pictophonetic,"heart" -2833,懂,"to understand; to comprehend",pictophonetic,"mind" -2834,勤,"variant of 勤[qin2]; industrious; solicitous",pictophonetic,"strength" -2835,恳,"earnest",pictophonetic,"heart" -2836,懈,"lax; negligent",pictophonetic,"heart" -2837,应,"surname Ying; Taiwan pr. [Ying4]",, -2838,应,"to agree (to do sth); should; ought to; must; (legal) shall",, -2839,应,"to answer; to respond; to comply with; to deal or cope with",, -2840,懊,"to regret",pictophonetic,"heart" -2841,懋,"to be hardworking; luxuriant; splendid",pictophonetic,"heart" -2842,怿,"pleased; rejoice",pictophonetic,"heart" -2843,懔,"fear",pictophonetic,"heart" -2844,懞,"variant of 蒙[meng2]",pictophonetic,"heart" -2845,怼,"(Internet slang) to attack verbally; to publicly criticize; to call out",pictophonetic,"heart" -2846,怼,"dislike; hate",pictophonetic,"heart" -2847,懑,"melancholy",ideographic,"With a heavy 满 heart 心; 满 also provides the pronunciation" -2848,懦,"(bound form) cowardly; faint-hearted",pictophonetic,"heart" -2849,恹,"used in 懨懨|恹恹[yan1 yan1]",pictophonetic,"heart" -2850,懮,"grievous; relaxed",pictophonetic,"heart" -2851,惩,"to punish; to reprimand; to warn",pictophonetic,"heart" -2852,懵,"stupid",pictophonetic,"mind" -2853,懒,"lazy",pictophonetic,"heart" -2854,怀,"surname Huai",pictophonetic,"heart" -2855,怀,"bosom; heart; mind; to think of; to harbor in one's mind; to conceive (a child)",pictophonetic,"heart" -2856,悬,"to hang or suspend; to worry; public announcement; unresolved; baseless; without foundation",ideographic,"Pride 心  in one's country 县, expressed by a flag; 县 also provides the pronunciation" -2857,忏,"(bound form) to feel remorse; (bound form) scripture read to atone for sb's sins (from Sanskrit ""ksama"")",pictophonetic,"heart" -2858,惧,"to fear",pictophonetic,"heart" -2859,欢,"variant of 歡|欢[huan1]",, -2860,慑,"afraid; be feared; to fear; to frighten; to intimidate",pictophonetic,"heart" -2861,懿,"(literary) exemplary; virtuous",pictophonetic,"heart" -2862,恋,"to feel attached to; to long for; to love",pictophonetic,"heart" -2863,戆,"stupid (Wu dialect)",pictophonetic,"mind" -2864,戆,"simple; honest",pictophonetic,"mind" -2865,戈,"surname Ge",pictographic,"A spear pointing to the bottom-right" -2866,戈,"dagger-axe; abbr. for 戈瑞[ge1 rui4]; (Tw) abbr. for 戈雷[ge1 lei2]",pictographic,"A spear pointing to the bottom-right" -2867,戉,"variant of 鉞|钺[yue4]",pictographic,"An axe swinging to the left" -2868,戊,"fifth of the ten Heavenly Stems 十天干[shi2 tian1 gan1]; fifth in order; letter ""E"" or Roman ""V"" in list ""A, B, C"", or ""I, II, III"" etc; penta",, -2869,戌,"used in 屈戌兒|屈戌儿[qu1 qu5 r5]",, -2870,戌,"11th earthly branch: 7-9 p.m., 9th solar month (8th October-6th November), year of the Dog; ancient Chinese compass point: 300°",, -2871,戍,"garrison",ideographic,"Arms 戈 surrounding the country 丶" -2872,戎,"surname Rong",ideographic,"A hand holding a lance 戈" -2873,戎,"generic term for weapons (old); army (matters); military affairs",ideographic,"A hand holding a lance 戈" -2874,成,"surname Cheng",, -2875,成,"to succeed; to finish; to complete; to accomplish; to become; to turn into; to be all right; OK!; one tenth",, -2876,我,"I; me; my",ideographic,"A hand 扌 holding a weapon 戈" -2877,戒,"to guard against; to exhort; to admonish or warn; to give up or stop doing sth; Buddhist monastic discipline; ring (for a finger)",ideographic,"Two hands 廾 brandishing a spear 戈" -2878,戋,"narrow; small",, -2879,戕,"to kill; to injure; Taiwan pr. [qiang2]",pictophonetic,"spear" -2880,或,"maybe; perhaps; might; possibly; or",ideographic,"To defend yourself 口 with a spear 戈; ""or else""" -2881,戚,"surname Qi",ideographic,"A younger brother 尗 killed in a war 戈" -2882,戚,"relatives; kin; grief; sorrow; battle-axe",ideographic,"A younger brother 尗 killed in a war 戈" -2883,戛,"lance; to tap; to scrape; to chirp; custom",ideographic,"To strike 戈 someone on the nose 自" -2884,戛,"variant of 戛[jia2]",ideographic,"To strike 戈 someone on the nose 自" -2885,戟,"halberd; long-handled weapon with pointed tip and crescent blade; combined spear and battle-ax",ideographic,"An axe 戈 with blades on both sides 龺" -2886,戠,"to gather; old variant of 埴[zhi2]",pictophonetic,"spear" -2887,戡,"kill; suppress",pictophonetic,"spear" -2888,戢,"surname Ji",pictophonetic,"spear" -2889,戢,"to restrain oneself; to collect; to hoard; to store up; to cease",pictophonetic,"spear" -2890,戤,"infringe upon a trade mark",pictophonetic,"overflow" -2891,戥,"small steelyard for weighing money",pictophonetic,"spear" -2892,戗,"contrary; pushing against; bump; knock; used as equivalent for 搶|抢[qiang1]",pictophonetic,"spear" -2893,戬,"carry to the utmost; to cut",pictophonetic,"spear" -2894,截,"to cut off (a length); to stop; to intercept; section; chunk; length",ideographic,"A bird 隹 cut off from its nest 十 by a weapon 戈" -2895,戮,"to kill",pictophonetic,"spear" -2896,戏,"variant of 戲|戏[xi4]",ideographic,"A hand 又 doing tricks with a spear 戈" -2897,战,"to fight; fight; war; battle",pictophonetic,"spear" -2898,戏,"trick; drama; play; show; CL:齣|出[chu1],場|场[chang3],臺|台[tai2]",ideographic,"A hand 又 doing tricks with a spear 戈" -2899,戳,"to jab; to poke; to stab; (coll.) to sprain; to blunt; to fuck (vulgar); to stand; to stand (sth) upright; stamp; seal",pictophonetic,"spear" -2900,戴,"surname Dai",, -2901,戴,"to put on or wear (glasses, hat, gloves etc); to respect; to bear; to support",, -2902,户,"a household; door; family",pictographic,"Simplified form of 戶; a door swinging on its hinge" -2903,厄,"variant of 厄[e4]",ideographic,"A person 㔾 being crushed under pressure 厂" -2904,卯,"old variant of 卯[mao3]",, -2905,戽,"water bucket for irrigation",pictophonetic,"bucket" -2906,戾,"to bend; to violate; to go against; ruthless and tyrannical",ideographic,"A dog 犬 that won't come indoors 户" -2907,房,"surname Fang",pictophonetic,"door" -2908,房,"house; room; CL:間|间[jian1]; branch of an extended family; classifier for family members (or concubines)",pictophonetic,"door" -2909,所,"actually; place; classifier for houses, small buildings, institutions etc; that which; particle introducing a relative clause or passive; CL:個|个[ge4]",ideographic,"An axe 斤 swung at a door 户" -2910,扁,"surname Pian",, -2911,扁,"flat; (coll.) to beat (sb) up; old variant of 匾[bian3]",, -2912,扁,"(bound form) small",, -2913,扂,"door latch",pictophonetic,"door" -2914,扃,"(literary) to shut or bolt a door; door",pictophonetic,"door" -2915,扆,"surname Yi",ideographic,"A cloth 衣 door 户; 衣 also provides the pronunciation" -2916,扆,"screen",ideographic,"A cloth 衣 door 户; 衣 also provides the pronunciation" -2917,扇,"to fan; to slap sb on the face",ideographic,"A feathered 羽 fan in the shape of a folding door 户" -2918,扇,"fan; sliding, hinged or detachable flat part of sth; classifier for doors, windows etc",ideographic,"A feathered 羽 fan in the shape of a folding door 户" -2919,扈,"surname Hu",pictophonetic,"city" -2920,扈,"retinue",pictophonetic,"city" -2921,扉,"door with only one leaf",pictophonetic,"door" -2922,手,"hand; (formal) to hold; person engaged in certain types of work; person skilled in certain types of work; personal(ly); convenient; classifier for skill; CL:雙|双[shuang1],隻|只[zhi1]",pictographic,"A hand with the fingers splayed" -2923,扌,"""hand"" radical in Chinese characters (Kangxi radical 64), occurring in 提, 把, 打 etc",pictographic,"A hand with the fingers splayed; compare 手" -2924,才,"ability; talent; sb of a certain type; a capable individual; then and only then; just now; (before an expression of quantity) only",ideographic,"A sprout growing in the ground, representing a budding talent" -2925,扎,"to prick; to run or stick (a needle etc) into; mug or jug used for serving beer (loanword from ""jar"")",ideographic,"A hand 扌 tying a bundle with string 乚" -2926,扎,"used in 掙扎|挣扎[zheng1 zha2]",ideographic,"A hand 扌 tying a bundle with string 乚" -2927,扒,"to peel; to skin; to tear; to pull down; to cling to (sth on which one is climbing); to dig",pictophonetic,"hand" -2928,扒,"to rake up; to steal; to braise; to crawl",pictophonetic,"hand" -2929,打,"dozen (loanword)",pictophonetic,"hand" -2930,打,"to beat; to strike; to hit; to break; to type; to mix up; to build; to fight; to fetch; to make; to tie up; to issue; to shoot; to calculate; to play (a game); since; from",pictophonetic,"hand" -2931,扔,"to throw; to throw away",pictophonetic,"hand" -2932,払,"to take; to fetch",pictophonetic,"hand" -2933,払,"Japanese variant of 拂[fu2]",pictophonetic,"hand" -2934,托,"to hold up in one's hand; to support with one's palm; sth serving as a support: a prop, a rest (e.g. arm rest); (bound form) a shill; to ask; to beg; to entrust (variant of 託|托[tuo1]); torr (unit of pressure)",ideographic,"Using one's hands 扌 for support 乇; 乇 also provides the pronunciation" -2935,扛,"to raise aloft with both hands; (of two or more people) to carry sth together",ideographic,"Labor 工 done by hand 扌; 工 also provides the pronunciation" -2936,扛,"to carry on one's shoulder; (fig.) to take on (a burden, duty etc)",ideographic,"Labor 工 done by hand 扌; 工 also provides the pronunciation" -2937,捍,"variant of 捍[han4]",pictophonetic,"hand" -2938,扢,"clean; to rub",pictophonetic,"hand" -2939,扢,"sprightful",pictophonetic,"hand" -2940,扣,"to fasten; to button; button; buckle; knot; to arrest; to confiscate; to deduct (money); discount; to knock; to smash, spike or dunk (a ball); to cover (with a bowl etc); (fig.) to tag a label on sb; (Tw) (loanword) code",pictophonetic,"hand" -2941,扦,"short slender pointed piece of metal, bamboo etc; skewer; prod used to extract samples from sacks of grain etc; (dialect) to stick in; to bolt (a door); to arrange (flowers in a vase); to graft (tree); to pedicure; to peel (an apple etc)",pictophonetic,"hand" -2942,扭,"to turn; to twist; to wring; to sprain; to swing one's hips",pictophonetic,"hand" -2943,扮,"to disguise oneself as; to dress up; to play (a role); to put on (an expression)",pictophonetic,"hand" -2944,扯,"to pull; to tear; (of cloth, thread etc) to buy; to chat; to gossip; (coll.) (Tw) ridiculous; hokey",pictophonetic,"hand" -2945,扳,"to pull; to turn (sth) around; to turn around (a situation); to recoup",pictophonetic,"hand" -2946,扳,"variant of 攀[pan1]",pictophonetic,"hand" -2947,扶,"to support with the hand; to help sb up; to support oneself by holding onto something; to help",pictophonetic,"hand" -2948,批,"to ascertain; to act on; to criticize; to pass on; classifier for batches, lots, military flights; tier (for the ranking of universities and colleges)",pictophonetic,"hand" -2949,扼,"to grip forcefully; to clutch at; to guard; to control; to hold",pictophonetic,"hand" -2950,找,"to try to find; to look for; to call on sb; to find; to seek; to return; to give change",ideographic,"To go searching with a spear 戈 in hand 扌" -2951,承,"surname Cheng; Cheng (c. 2000 BC), third of the legendary Flame Emperors 炎帝[Yan2 di4] descended from Shennong 神農|神农[Shen2 nong2] Farmer God",ideographic,"Three hands 手 lifting a dead body 了" -2952,承,"to bear; to carry; to hold; to continue; to undertake; to take charge; owing to; due to; to receive",ideographic,"Three hands 手 lifting a dead body 了" -2953,技,"skill",pictophonetic,"hand" -2954,抃,"to applaud",pictophonetic,"hand" -2955,抄,"to make a copy; to plagiarize; to search and seize; to raid; to grab; to go off with; to take a shortcut; to make a turning move; to fold one's arms",pictophonetic,"hand" -2956,抉,"to pick out; to single out",ideographic,"To choose 夬 by hand 扌; 夬 also provides the pronunciation" -2957,把,"to hold; to grasp; to hold a baby in position to help it urinate or defecate; handlebar; classifier: handful, bundle, bunch; classifier for things with handles; (used to put the object before the verb: 把[ba3] + {noun} + {verb})",pictophonetic,"hand" -2958,把,"handle",pictophonetic,"hand" -2959,抑,"to restrain; to restrict; to keep down; or",pictophonetic,"hand" -2960,抒,"to express; to give expression to; variant of 紓|纾[shu1]; to relieve",pictophonetic,"give" -2961,抓,"to grab; to catch; to arrest; to snatch; to scratch",ideographic,"A hand 扌 with claws 爪; 爪 also provides the pronunciation" -2962,投,"to throw (sth in a specific direction: ball, javelin, grenade etc); to cast (a ballot); to cast (a glance, a shadow etc); to put in (money for investment, a coin to operate a slot machine); to send (a letter, a manuscript etc); to throw oneself into (a river, a well etc to commit suicide); to go to; to seek refuge; to place oneself into the hands of; (coll.) to rinse (clothes) in water",pictophonetic,"hand" -2963,抖,"to tremble; to shake out; to reveal; to make it in the world",pictophonetic,"hand" -2964,抗,"to resist; to fight; to defy; anti-",ideographic,"Fighting 亢 with bare hands 扌; 亢 also provides the pronunciation" -2965,折,"to snap; to break (a stick, a bone etc); (bound form) to sustain a loss (in business)",ideographic,"A hand 扌 wielding an axe 斤" -2966,折,"to turn sth over; to turn upside down; to tip sth out (of a container)",ideographic,"A hand 扌 wielding an axe 斤" -2967,折,"to break; to fracture; to snap; to suffer loss; to bend; to twist; to turn; to change direction; convinced; to convert into (currency); discount; rebate; tenth (in price); classifier for theatrical scenes; to fold; accounts book",ideographic,"A hand 扌 wielding an axe 斤" -2968,拗,"variant of 拗[ao4]",pictophonetic,"hand" -2969,抨,"attack; impeach",pictophonetic,"hand" -2970,披,"to drape over one's shoulders; to open; to unroll; to split open; to spread out",ideographic,"To put on 扌 fur 皮; 皮 also provides the pronunciation" -2971,抬,"to lift; to raise; (of two or more persons) to carry",pictophonetic,"hand" -2972,抱,"to hold; to carry (in one's arms); to hug; to embrace; to surround; to cherish; (coll.) (of clothes) to fit nicely",ideographic,"To wrap 包 in one's arms 扌; 包 also provides the pronunciation" -2973,抵,"to press against; to support; to prop up; to resist; to equal; to balance; to make up for; to mortgage; to arrive at; to clap (one's hands) lightly (expressing delight) (Taiwan pr. [zhi3] for this sense)",pictophonetic,"hand" -2974,抹,"to wipe",pictophonetic,"hand" -2975,抹,"to smear; to wipe; to erase; classifier for wisps of cloud, light-beams etc",pictophonetic,"hand" -2976,抹,"to plaster; to go around; to skirt",pictophonetic,"hand" -2977,抻,"to pull; to stretch; to draw sth out",pictophonetic,"hand" -2978,押,"to mortgage; to pawn; to detain in custody; to escort and protect; (literary) to sign",pictophonetic,"hand" -2979,抽,"to draw out; to pull out from in between; to remove part of the whole; (of certain plants) to sprout or bud; to whip or thrash",pictophonetic,"hand" -2980,抿,"to smooth hair with a wet brush; (of a mouth, wing etc) to close lightly; to sip",pictophonetic,"hand" -2981,拂,"old variant of 弼[bi4]",pictophonetic,"hand" -2982,拂,"to flick; to brush off; (of a breeze) to brush lightly over; (literary) to run counter to",pictophonetic,"hand" -2983,拄,"to lean on; to prop on",pictophonetic,"hand" -2984,拆,"to tear open; to tear down; to tear apart; to open",pictophonetic,"hand" -2985,拇,"thumb; big toe",pictophonetic,"hand" -2986,拈,"to nip; to grasp with the fingers; to fiddle with; Taiwan pr. [nian2]",ideographic,"To divine 占 by hand 扌; 占 also provides the pronunciation" -2987,拉,"to pull; to play (a bowed instrument); to drag; to draw; to chat; (coll.) to empty one's bowels",pictophonetic,"hand" -2988,拊,"pat",pictophonetic,"hand" -2989,抛,"to throw; to toss; to fling; to cast; to abandon",pictophonetic,"hand" -2990,拌,"to mix; to mix in; to toss (a salad)",pictophonetic,"hand" -2991,拍,"to pat; to clap; to slap; to swat; to take (a photo); to shoot (a film); racket (sports); beat (music)",pictophonetic,"hand" -2992,拎,"to lift up; to carry in one's hand; Taiwan pr. [ling1]",pictophonetic,"hand" -2993,拿,"variant of 拿[na2]",pictophonetic,"hand" -2994,拐,"to turn (a corner etc); to kidnap; to swindle; to misappropriate; seven (used as a substitute for 七[qi1]); variant of 枴|拐[guai3]",ideographic,"To take another 另 by force 扌" -2995,拑,"pliers; pincers; to clamp",pictophonetic,"hand" -2996,拒,"to resist; to repel; to refuse",pictophonetic,"hand" -2997,拓,"surname Tuo",pictophonetic,"hand" -2998,拓,"to make a rubbing (e.g. of an inscription)",pictophonetic,"hand" -2999,拓,"to expand; to push sth with the hand; to develop; to open up",pictophonetic,"hand" -3000,拔,"to pull up; to pull out; to draw out by suction; to select; to pick; to stand out (above level); to surpass; to seize",pictophonetic,"hand" -3001,拖,"variant of 拖[tuo1]",pictophonetic,"hand" -3002,拖,"to drag; to tow; to trail; to hang down; to mop (the floor); to delay; to drag on",pictophonetic,"hand" -3003,拗,"to bend in two so as to break; to defy; to disobey; also pr. [ao3]",pictophonetic,"hand" -3004,拗,"stubborn; obstinate",pictophonetic,"hand" -3005,拘,"to capture; to restrain; to constrain; to adhere rigidly to; inflexible",pictophonetic,"hand" -3006,拙,"awkward; clumsy; dull; inelegant; (polite) my; Taiwan pr. [zhuo2]",pictophonetic,"hand" -3007,拚,"to strive for; to struggle; to disregard; to reject",pictophonetic,"hand" -3008,拚,"variant of 拼[pin1]",pictophonetic,"hand" -3009,招,"to recruit; to provoke; to beckon; to incur; to infect; contagious; a move (chess); a maneuver; device; trick; to confess",ideographic,"A call 召 to arms 扌; 召 also provides the pronunciation" -3010,拜,"to bow to; to pay one's respects; (bound form) to extend greetings (on a specific occasion); to make a courtesy call; (bound form) (of a monarch) to appoint sb to (a position) by performing a ceremony; to acknowledge sb as one's (master, godfather etc); (used before some verbs to indicate politeness)",ideographic,"Two hands 手 put together in respect" -3011,括,"(bound form) to tie up; to tighten up; (bound form) to include; to comprise; to put (text) in brackets; Taiwan pr. [gua1]",pictophonetic,"hand" -3012,拭,"to wipe",pictophonetic,"hand" -3013,拮,"antagonistic; laboring hard; pressed",pictophonetic,"hand" -3014,拯,"to raise; to aid; to support; to save; to rescue",ideographic,"To give 丞 a hand 扌; 丞 also provides the pronunciation" -3015,拱,"to cup one's hands in salute; to surround; to arch; to dig earth with the snout; arched",pictophonetic,"hand" -3016,拳,"fist; boxing",pictophonetic,"hand" -3017,拴,"to tie up",pictophonetic,"hand" -3018,拶,"(literary) to force; to coerce",pictophonetic,"hand" -3019,拶,"to press or squeeze hard",pictophonetic,"hand" -3020,拷,"to beat; to flog; to examine under torture; (computing) to copy (abbr. for 拷貝|拷贝[kao3 bei4])",ideographic,"To question 考 by hand 扌; 考 also provides the pronunciation" -3021,拼,"to piece together; to join together; to stake all; adventurous; at the risk of one's life; to spell",pictophonetic,"hand" -3022,拽,"to drag; to haul",ideographic,"To pull 曳 by hand 扌; 曳 also provides the pronunciation" -3023,拽,"to throw; to fling",ideographic,"To pull 曳 by hand 扌; 曳 also provides the pronunciation" -3024,拽,"alternate writing of 跩[zhuai3]",ideographic,"To pull 曳 by hand 扌; 曳 also provides the pronunciation" -3025,拽,"to pull; to tug at (sth)",ideographic,"To pull 曳 by hand 扌; 曳 also provides the pronunciation" -3026,拾,"to ascend in light steps",ideographic,"To gather 合 things in one's hands 扌" -3027,拾,"to pick up; to collate or arrange; ten (banker's anti-fraud numeral)",ideographic,"To gather 合 things in one's hands 扌" -3028,拿,"to hold; to seize; to catch; to apprehend; to take; (used in the same way as 把[ba3]: to mark the following noun as a direct object)",pictophonetic,"hand" -3029,持,"to hold; to grasp; to support; to maintain; to persevere; to manage; to run (i.e. administer); to control",pictophonetic,"hand" -3030,指,"finger; to point at or to; to indicate or refer to; to depend on; to count on; (of hair) to stand on end",ideographic,"To point 旨 by hand 扌; 旨 also provides the pronunciation" -3031,挈,"to raise; to lift; to take along (e.g. one's family)",pictophonetic,"hand" -3032,按,"to press; to push; to leave aside or shelve; to control; to restrain; to keep one's hand on; to check or refer to; according to; in the light of; (of an editor or author) to make a comment",pictophonetic,"hand" -3033,挎,"to carry (esp. slung over the arm, shoulder or side)",pictophonetic,"hand" -3034,挑,"to carry on a shoulder pole; to choose; to pick; to nitpick",pictophonetic,"hand" -3035,挑,"to raise; to dig up; to poke; to prick; to incite; to stir up",pictophonetic,"hand" -3036,挖,"to dig; to excavate; to scoop out",ideographic,"To dig out 扌 a hollow 穵; 穵 also provides the pronunciation" -3037,挨,"in order; in sequence; close to; adjacent to",pictophonetic,"hand" -3038,挨,"to suffer; to endure; to pull through (hard times); to delay; to stall; to play for time; to dawdle",pictophonetic,"hand" -3039,挪,"to shift; to move",pictophonetic,"hand" -3040,挫,"obstructed; to fail; to oppress; to repress; to lower the tone; to bend back; to dampen",pictophonetic,"hand" -3041,振,"to shake; to flap; to vibrate; to resonate; to rise up with spirit; to rouse oneself",pictophonetic,"hand" -3042,挲,"variant of 挲[suo1]",pictophonetic,"hand" -3043,挲,"feel; to fondle",pictophonetic,"hand" -3044,弄,"old variant of 弄[nong4]",ideographic,"Two hands 廾 playing with a piece of jade 玉; 廾 also provides the pronunciation" -3045,挹,"(literary) to scoop up; to ladle out; (literary) to draw toward oneself",pictophonetic,"hand" -3046,挺,"straight; erect; to stick out (a part of the body); to (physically) straighten up; to support; to withstand; outstanding; (coll.) quite; very; classifier for machine guns",pictophonetic,"hand" -3047,挽,"to pull; to draw (a cart or a bow); to roll up; to coil; to carry on the arm; to lament the dead; (fig.) to pull against; to recover",pictophonetic,"hand" -3048,挟,"old variant of 夾|夹[jia1]",ideographic,"Wedged 夹 in one's arms 扌; 夹 also provides the pronunciation" -3049,挟,"(bound form) to clasp under the arm; (bound form) to coerce; (bound form) to harbor (resentment etc); Taiwan pr. [xia2]",ideographic,"Wedged 夹 in one's arms 扌; 夹 also provides the pronunciation" -3050,捂,"to enclose; to cover with the hand (one's eyes, nose or ears); to cover up (an affair); contrary; to contradict",ideographic,"To resist 吾 by hand 扌; 吾 also provides the pronunciation" -3051,捃,"gather; to sort",pictophonetic,"hand" -3052,救,"variant of 救[jiu4]",pictophonetic,"hand" -3053,捅,"to poke; to jab; to give (sb) a nudge; to prod; to disclose; to reveal",pictophonetic,"hand" -3054,捆,"a bunch; to tie together; bundle",pictophonetic,"hand" -3055,捉,"to clutch; to grab; to capture",pictophonetic,"hand" -3056,捋,"to smooth or arrange sth using one's fingers; to stroke",ideographic,"To take 扌 a handful 寽; 寽 also provides the pronunciation" -3057,捋,"to hold sth long and run one's hand along it",ideographic,"To take 扌 a handful 寽; 寽 also provides the pronunciation" -3058,捌,"eight (banker's anti-fraud numeral); split",ideographic,"To separate 别 by hand 扌; 别 also provides the pronunciation" -3059,捍,"to ward off (a blow); to withstand; to defend",pictophonetic,"hand" -3060,捎,"to bring sth to sb; to deliver",pictophonetic,"hand" -3061,捏,"to hold between the thumb and fingers; to pinch; to mold (using the fingers); to hold (lit. in one's hand and fig.); to join together; to fabricate (a story, a report, etc)",pictophonetic,"hand" -3062,捐,"to relinquish; to abandon; to contribute; to donate; (bound form) tax; levy",pictophonetic,"hand" -3063,捕,"to catch; to seize; to capture",pictophonetic,"hand" -3064,捧,"to hold or offer with both hands; to sing the praises of; classifier for what can be held in both hands",ideographic,"An offering 奉 made with two hands 扌; 奉 also provides the pronunciation" -3065,舍,"to give up; to abandon; to give alms",pictophonetic,"the shape of a roof" -3066,捩,"tear; twist",pictophonetic,"hand" -3067,扪,"lay hands on; to cover",pictophonetic,"hand" -3068,捭,"to spread out; to open",pictophonetic,"hand" -3069,捭,"variant of 擘[bo4]; to separate; to split",pictophonetic,"hand" -3070,据,"used in 拮据[jie2 ju1]",pictophonetic,"hand" -3071,据,"variant of 據|据[ju4]",pictophonetic,"hand" -3072,捱,"variant of 挨[ai2]",pictophonetic,"hand" -3073,卷,"to roll up; to sweep up; to carry along; a roll; classifier for rolls, spools etc",ideographic,"A curled up scroll 㔾" -3074,捶,"to beat (with a stick or one's fist); to thump; to pound",pictophonetic,"hand" -3075,捷,"Czech; Czech Republic; abbr. for 捷克[Jie2 ke4]",pictophonetic,"hand" -3076,捷,"victory; triumph; quick; nimble; prompt",pictophonetic,"hand" -3077,捺,"to press down firmly; to suppress; right-falling stroke in Chinese characters (e.g. the last stroke of 大[da4])",pictophonetic,"hand" -3078,捻,"to twirl (in the fingers)",pictophonetic,"hand" -3079,掀,"to lift (a lid); to rock; to convulse",pictophonetic,"hand" -3080,掂,"to weigh in the hand; to estimate",pictophonetic,"hand" -3081,扫,"to sweep (with a brush or broom); to sweep away; to wipe out; to get rid of; to sweep (one's eyes etc) over; to scan",ideographic,"Simplified form of 掃; to use 扌 a broom 帚; 帚 also provides the pronunciation" -3082,扫,"(bound form) a (large) broom",ideographic,"Simplified form of 掃; to use 扌 a broom 帚; 帚 also provides the pronunciation" -3083,抡,"to swing (one's arms, a heavy object); to wave (a sword, one's fists); to fling (money)",pictophonetic,"hand" -3084,抡,"to select",pictophonetic,"hand" -3085,掇,"to pick up; to collect; to gather up",pictophonetic,"hand" -3086,授,"(bound form) to confer; to give; (bound form) to teach; to instruct; (literary) to appoint",pictophonetic,"hand" -3087,掉,"to fall; to drop; to lag behind; to lose; to go missing; to reduce; fall (in prices); to lose (value, weight etc); to wag; to swing; to turn; to change; to exchange; to swap; to show off; to shed (hair); (used after certain verbs to express completion, fulfillment, removal etc)",pictophonetic,"hand" -3088,掊,"take up in both hands",pictophonetic,"hand" -3089,掊,"break up; hit",pictophonetic,"hand" -3090,掌,"palm of the hand; sole of the foot; paw; horseshoe; to slap; to hold in one's hand; to wield",pictophonetic,"hand" -3091,掎,"drag",pictophonetic,"hand" -3092,掏,"to fish out (from pocket); to scoop",pictophonetic,"hand" -3093,掐,"to pick (flowers); to pinch; to nip; to pinch off; to clutch; (slang) to fight",pictophonetic,"hand" -3094,排,"a row; a line; to set in order; to arrange; to line up; to eliminate; to drain; to push open; platoon; raft; classifier for lines, rows etc",pictophonetic,"hand" -3095,掖,"to tuck (into a pocket); to hide; to conceal",pictophonetic,"hand" -3096,掖,"to support by the arm; to help; to promote; at the side; also pr. [yi4]",pictophonetic,"hand" -3097,掘,"to dig",pictophonetic,"hand" -3098,挣,"used in 掙扎|挣扎[zheng1 zha2]",ideographic,"To fight 争 by hand 扌; 争 also provides the pronunciation" -3099,挣,"to struggle to get free; to strive to acquire; to make (money)",ideographic,"To fight 争 by hand 扌; 争 also provides the pronunciation" -3100,挂,"to hang; to suspend (from a hook etc); to hang up (the phone); (of a line) to be dead; to be worried; to be concerned; (dialect) to make a phone call; to register (at a hospital); to make an appointment (with a doctor); (slang) to kill; to die; to be finished; to fail (an exam); classifier for sets or clusters of objects",pictophonetic,"hand" -3101,掠,"to take over by force; to rob; to plunder; to brush over; to skim; to sweep",pictophonetic,"hand" -3102,采,"to pick; to pluck; to collect; to select; to choose; to gather",ideographic,"A hand picking 爫 fruit from a tree 木" -3103,探,"to explore; to search out; to scout; to visit; to stretch forward",pictophonetic,"hand" -3104,掣,"to pull; to draw; to pull back; to withdraw; to flash past",pictophonetic,"hand" -3105,接,"to receive; to answer (the phone); to meet or welcome sb; to connect; to catch; to join; to extend; to take one's turn on duty; to take over for sb",pictophonetic,"hand" -3106,控,"to control; to accuse; to charge; to sue; to invert a container to empty it; (suffix) (slang) buff; enthusiast; devotee; -phile or -philia",pictophonetic,"hand" -3107,推,"to push; to cut; to refuse; to reject; to decline; to shirk (responsibility); to put off; to delay; to push forward; to nominate; to elect; massage",pictophonetic,"hand" -3108,掩,"to cover up; to conceal; to close (a door, book etc); (coll.) to get (one's fingers etc) caught when closing a door or lid; (literary) to launch a surprise attack",pictophonetic,"hand" -3109,措,"to handle; to manage; to put in order; to arrange; to administer; to execute; to take action on; to plan",pictophonetic,"hand" -3110,掬,"to hold in one's hands; classifier for a double handful; Taiwan pr. [ju2]",ideographic,"To take 扌a handful 匊; 匊 also provides the pronunciation" -3111,掭,"to smooth (a brush) against the inkstone (after dipping it in ink)",pictophonetic,"hand" -3112,掮,"to carry on the shoulder",ideographic,"To bear 扌 on the shoulders 肩; 肩 also provides the pronunciation" -3113,掰,"to break off or break open sth with one's hands; (fig.) to break off (a relationship)",ideographic,"To tear something 分 with both hands 手" -3114,掱,"variant of 扒[pa2] in 扒手[pa2 shou3]",ideographic,"Someone with three hands 手, representing sleight-of-hand" -3115,掱,"variant of 手[shou3] in 扒手[pa2 shou3]",ideographic,"Someone with three hands 手, representing sleight-of-hand" -3116,碰,"variant of 碰[peng4]",pictophonetic,"rock" -3117,掾,"official",pictophonetic,"hand" -3118,拣,"to choose; to pick; to sort out; to pick up",pictophonetic,"hand" -3119,揄,"to draw out; to let hanging",pictophonetic,"hand" -3120,揆,"consider; estimate",pictophonetic,"hand" -3121,揉,"to knead; to massage; to rub",ideographic,"A gentle 柔 hand 扌; 柔 also provides the pronunciation" -3122,揍,"to hit; to beat (sb); (coll.) to smash (sth)",pictophonetic,"hand" -3123,揎,"to roll up one's sleeves; to slap with the palm",pictophonetic,"hand" -3124,描,"to depict; to trace (a drawing); to copy; to touch up",pictophonetic,"hand" -3125,提,"used in 提防[di1 fang5] and 提溜[di1 liu5]",pictophonetic,"hand" -3126,提,"to carry (hanging down from the hand); to lift; to put forward; to mention; to raise (an issue); upwards character stroke; lifting brush stroke (in painting); scoop for measuring liquid",pictophonetic,"hand" -3127,捏,"variant of 捏[nie1]",pictophonetic,"hand" -3128,插,"to insert; stick in; pierce; to take part in; to interfere; to interpose",pictophonetic,"hand" -3129,揖,"to greet by raising clasped hands",pictophonetic,"hand" -3130,扬,"abbr. for Yangzhou 揚州|扬州[Yang2zhou1] in Jiangsu; surname Yang",pictophonetic,"hand" -3131,扬,"to raise; to hoist; the action of tossing or winnowing; scattering (in the wind); to flutter; to propagate",pictophonetic,"hand" -3132,换,"to exchange; to change (clothes etc); to substitute; to switch; to convert (currency)",pictophonetic,"hand" -3133,揞,"to apply (medicinal powder to a wound); to cover up; to conceal",pictophonetic,"hand" -3134,揠,"to eradicate; to pull up",pictophonetic,"hand" -3135,握,"to hold; to grasp; to clench (one's fist); (bound form) to have in one's control; classifier: a handful",pictophonetic,"hand" -3136,揣,"to put into (one's pockets, clothes); Taiwan pr. [chuai3]",pictophonetic,"hand" -3137,揣,"to estimate; to guess; to figure; to surmise",pictophonetic,"hand" -3138,揩,"to wipe",pictophonetic,"hand" -3139,揪,"to seize; to clutch; to grab firmly and pull",pictophonetic,"hand" -3140,揭,"surname Jie",pictophonetic,"hand" -3141,揭,"to take the lid off; to expose; to unmask",pictophonetic,"hand" -3142,挥,"to wave; to brandish; to command; to conduct; to scatter; to disperse",ideographic,"To direct an army 军 by hand 扌" -3143,揲,"sort out divining stalks",pictophonetic,"hand" -3144,援,"to help; to assist; to aid",ideographic,"To lead 爰 by hand 扌; 爰 also provides the pronunciation" -3145,揶,"to gesticulate; to play antics",pictophonetic,"hand" -3146,插,"old variant of 插[cha1]",pictophonetic,"hand" -3147,揸,"to stretch fingers out",pictophonetic,"hand" -3148,背,"variant of 背[bei1]",pictophonetic,"flesh" -3149,构,"variant of 構|构[gou4]; (Tw) (coll.) variant of 夠|够[gou4]; to reach by stretching",pictophonetic,"wood" -3150,揿,"variant of 撳|揿[qin4]",pictophonetic,"hand" -3151,搋,"to knead; to rub; to clear a drain with a pump; to conceal sth in one's bosom; to carry sth under one's coat",pictophonetic,"hand" -3152,搌,"to sop up; to dab",pictophonetic,"hand" -3153,损,"to decrease; to lose; to damage; to harm; (coll.) to ridicule; to deride; (coll.) caustic; sarcastic; nasty; mean; one of the 64 hexagrams of the Book of Changes: ䷨",pictophonetic,"hand" -3154,搏,"to fight; to combat; to seize; (of heart) to beat",pictophonetic,"hand" -3155,搐,"to twitch; to have a spasm",pictophonetic,"hand" -3156,搓,"to rub or roll between the hands or fingers; to twist",pictophonetic,"hand" -3157,搔,"to scratch; old variant of 騷|骚[sao1]",ideographic,"To scratch 扌 a flea bite 蚤; 蚤 also provides the pronunciation" -3158,摇,"surname Yao",pictophonetic,"hand" -3159,摇,"to shake; to rock; to row; to crank",pictophonetic,"hand" -3160,捣,"to pound; to beat; to hull; to attack; to disturb; to stir",pictophonetic,"hand" -3161,搛,"to pick up with chopsticks",ideographic,"To grip 扌with chopsticks 兼; 兼 also provides the pronunciation" -3162,搜,"to search",pictophonetic,"hand" -3163,搞,"to do; to make; to go in for; to set up; to get hold of; to take care of",pictophonetic,"hand" -3164,搠,"daub; thrust",pictophonetic,"hand" -3165,搡,"to push forcefully; to shove",pictophonetic,"hand" -3166,扼,"variant of 扼[e4]",pictophonetic,"hand" -3167,捶,"variant of 捶[chui2]",pictophonetic,"hand" -3168,搦,"(literary) to hold (in the hand); to challenge; to provoke",pictophonetic,"hand" -3169,搪,"to keep out; to hold off; to ward off; to evade; to spread; to coat; to smear; to daub",pictophonetic,"hand" -3170,搬,"to move (i.e. relocate oneself); to move (sth relatively heavy or bulky); to shift; to copy indiscriminately",pictophonetic,"hand" -3171,搭,"to put up; to build (scaffolding); to hang (clothes on a pole); to connect; to join; to arrange in pairs; to match; to add; to throw in (resources); to take (boat, train); variant of 褡[da1]",pictophonetic,"hand" -3172,掏,"variant of 掏[tao1]",pictophonetic,"hand" -3173,搴,"to seize; to pull; to hold up the hem of clothes",pictophonetic,"hand" -3174,抢,"(literary) to knock against (esp. to knock one's head on the ground in grief or rage); opposite in direction; contrary",pictophonetic,"hand" -3175,抢,"to fight over; to rush; to scramble; to grab; to rob; to snatch",pictophonetic,"hand" -3176,搽,"to apply (ointment, powder); to smear; to paint on",pictophonetic,"hand" -3177,榨,"variant of 榨[zha4]; to press; to extract (juice)",pictophonetic,"tree" -3178,搿,"to hug",ideographic,"To clasp 合 with both hands 手" -3179,摀,"variant of 捂[wu3]; to cover",pictophonetic,"hand" -3180,摁,"to press (with one's finger or hand)",pictophonetic,"hand" -3181,扛,"old variant of 扛[gang1]",ideographic,"Labor 工 done by hand 扌; 工 also provides the pronunciation" -3182,掴,"to slap; also pr. [guo2]",pictophonetic,"hand" -3183,摒,"to discard; to get rid of",pictophonetic,"hand" -3184,摔,"to throw down; to fall; to drop and break",pictophonetic,"hand" -3185,摘,"to take; to pick (flowers, fruit etc); to pluck; to remove; to take off (glasses, hat etc); to select; to pick out; to borrow money at a time of urgent need",ideographic,"To pick 扌 a fruit off a branch 啇" -3186,掼,"to fling; to fall; to wear",pictophonetic,"hand" -3187,摞,"to pile up; to stack; a pile; a stack",ideographic,"To pile up 累 by hand 扌; 累 also provides the pronunciation" -3188,搂,"to draw towards oneself; to gather; to gather up (one's gown, sleeves etc); to grab (money); to extort",pictophonetic,"hand" -3189,搂,"to hug; to embrace; to hold in one's arms",pictophonetic,"hand" -3190,摧,"to break; to destroy; to devastate; to ravage; to repress",pictophonetic,"hand" -3191,摩,"to rub",pictophonetic,"hand" -3192,摭,"pick up; to select",pictophonetic,"hand" -3193,挚,"surname Zhi",ideographic,"To shake 执 hands 手; 执 also provides the pronunciation" -3194,挚,"sincere",ideographic,"To shake 执 hands 手; 执 also provides the pronunciation" -3195,抠,"to dig; to pick; to scratch (with a finger or sth pointed); to carve; to cut; to study meticulously; stingy; miserly; to lift up (esp. the hem of a robe)",pictophonetic,"hand" -3196,抟,"to roll up into a ball with one's hands (variant of 團|团[tuan2]); (literary) to circle; to wheel",pictophonetic,"hand" -3197,摸,"to feel with the hand; to touch; to stroke; to grope; to steal; to abstract",pictophonetic,"hand" -3198,摸,"variant of 摹[mo2]",pictophonetic,"hand" -3199,摹,"(bound form) to imitate; to copy",pictophonetic,"hand" -3200,折,"variant of 折[zhe2]; to fold",ideographic,"A hand 扌 wielding an axe 斤" -3201,摺,"document folded in accordion form; to fold",ideographic,"Skill 習 in paper-folding扌 ; 習 also provides the pronunciation" -3202,掺,"to mix (variant of 攙|搀[chan1])",pictophonetic,"hand" -3203,掺,"to grasp",pictophonetic,"hand" -3204,摽,"(literary) to wave away; to discard",pictophonetic,"hand" -3205,摽,"to bind tightly; to link (arms); to hang around with; to stick close to (sb); to compete; (literary) to hit; to beat",pictophonetic,"hand" -3206,撂,"to put down; to leave behind; to throw or knock down; to abandon or discard",pictophonetic,"hand" -3207,撅,"to protrude; to stick out; to pout (also written 噘); to embarrass (people)",pictophonetic,"hand" -3208,撇,"to cast away; to fling aside",pictophonetic,"hand" -3209,撇,"to throw; to cast; left-slanting downward brush stroke (calligraphy)",pictophonetic,"hand" -3210,捞,"to fish up; to dredge up",pictophonetic,"hand" -3211,撑,"to support; to prop up; to push or move with a pole; to maintain; to open or unfurl; to fill to bursting point; brace; stay; support",pictophonetic,"hand" -3212,撒,"to let go; to cast; to let loose; to discharge; to give expression to; (coll.) to pee",ideographic,"To scatter 散 seeds by hand 扌; 散 also provides the pronunciation" -3213,撒,"to scatter; to sprinkle; to spill",ideographic,"To scatter 散 seeds by hand 扌; 散 also provides the pronunciation" -3214,挠,"to scratch; to thwart; to yield",pictophonetic,"hand" -3215,撕,"to tear",pictophonetic,"hand" -3216,撖,"surname Han; Taiwan pr. [Gan3]",pictophonetic,"hand" -3217,撙,"to reduce or cut down on; to rein in; to restrain",pictophonetic,"hand" -3218,撞,"to knock against; to bump into; to run into; to meet by accident",pictophonetic,"hand" -3219,挢,"to raise; to lift; to pretend; counterfeit; unyielding; variant of 矯|矫[jiao3]; to correct",pictophonetic,"hand" -3220,操,"old variant of 操[cao1]",pictophonetic,"hand" -3221,掸,"to brush away; to dust off; brush; duster; CL:把[ba3]",pictophonetic,"hand" -3222,撤,"to remove; to take away",, -3223,拨,"to push aside with the hand, foot, a stick etc; to dial; to allocate; to set aside (money); to poke (the fire); to pluck (a string instrument); to turn round; classifier: group, batch",ideographic,"To dispatch 发 goods by hand 扌" -3224,扯,"variant of 扯[che3]; to pull; to tear",pictophonetic,"hand" -3225,撩,"to lift up (sth hanging down); to raise (hem of skirt); to pull up (sleeve); to sprinkle (water with cupped hands)",pictophonetic,"hand" -3226,撩,"to tease; to provoke; to stir up (emotions)",pictophonetic,"hand" -3227,抚,"to comfort; to console; to stroke; to caress; an old term for province or provincial governor",pictophonetic,"hand" -3228,撬,"to lift; to pry open; to lever open",pictophonetic,"hand" -3229,播,"to sow; to scatter; to spread; to broadcast; Taiwan pr. [bo4]",ideographic,"To sow seeds 番 by hand 扌; 番 also provides the pronunciation" -3230,撮,"to pick up (a powder etc) with the fingertips; to scoop up; to collect together; to extract; to gather up; classifier: pinch; Taiwan pr. [cuo4]",pictophonetic,"hand" -3231,撮,"classifier for hair or grass: tuft; Taiwan pr. [cuo4]",pictophonetic,"hand" -3232,撰,"to compose; to compile",pictophonetic,"hand" -3233,扑,"to throw oneself at; to pounce on; to devote one's energies; to flap; to flutter; to dab; to pat; to bend over",pictophonetic,"hand" -3234,揿,"to press (with one's hand or finger)",pictophonetic,"hand" -3235,挞,"(bound form) to whip; to flog; (loanword) tart",pictophonetic,"hand" -3236,撼,"to shake; to vibrate",pictophonetic,"hand" -3237,挝,"ancient weapon with a tip shaped like a hand or claw",pictophonetic,"hand" -3238,挝,"beat",pictophonetic,"hand" -3239,捡,"to pick up; to collect; to gather",pictophonetic,"hand" -3240,擀,"to roll (dough etc)",pictophonetic,"hand" -3241,拥,"to hold in one's arms; to embrace; to surround; to gather around; to throng; to swarm; (bound form) to support (as in 擁護|拥护[yong1 hu4]); (literary) to have; to possess; Taiwan pr. [yong3]",pictophonetic,"hand" -3242,擂,"to pound (with a mortar and pestle); to hit (a person); to beat (a drum); to bang on (a door); (dialect) to scold",pictophonetic,"hand" -3243,擂,"(bound form) platform for a martial art contest; Taiwan pr. [lei2]",pictophonetic,"hand" -3244,掳,"(bound form) to capture (sb)",ideographic,"To catch 虏 someone by the hand 扌; 虏 also provides the pronunciation" -3245,擅,"without authority; to usurp; to arrogate to oneself; to monopolize; expert in; to be good at",pictophonetic,"hand" -3246,择,"to select; to choose; to pick over; to pick out; to differentiate; to eliminate; also pr. [zhai2]",, -3247,击,"to hit; to strike; to break; Taiwan pr. [ji2]",ideographic,"Simplified form of 擊; 手 provides the meaning" -3248,挡,"to resist; to obstruct; to hinder; to keep off; to block (a blow); to get in the way of; cover; gear (e.g. in a car's transmission)",ideographic,"A hand 扌 raised at the right time 当; 当 also provides the pronunciation" -3249,挡,"to arrange; to put in order",ideographic,"A hand 扌 raised at the right time 当; 当 also provides the pronunciation" -3250,操,"to grasp; to hold; to operate; to manage; to control; to steer; to exercise; to drill (practice); to play; to speak (a language)",pictophonetic,"hand" -3251,操,"variant of 肏[cao4]",pictophonetic,"hand" -3252,擎,"to raise; to hold up; to lift up",pictophonetic,"hand" -3253,擐,"pass through; to get into (armor)",ideographic,"To don 扌 clothes 衣; 睘 also provides the pronunciation" -3254,擒,"to capture",ideographic,"To catch 禽 by hand 扌; 禽 also provides the pronunciation" -3255,担,"to undertake; to carry; to shoulder; to take responsibility",pictophonetic,"hand" -3256,担,"picul (100 catties, 50 kg); two buckets full; carrying pole and its load; classifier for loads carried on a shoulder pole",pictophonetic,"hand" -3257,携,"old variant of 攜|携[xie2]",pictophonetic,"hand" -3258,擗,"to beat the breast",pictophonetic,"hand" -3259,擘,"thumb; to break; to tear; to pierce; to split",pictophonetic,"hand" -3260,据,"according to; to act in accordance with; to depend on; to seize; to occupy",pictophonetic,"hand" -3261,挤,"to crowd in; to cram in; to force others aside; to press; to squeeze; to find (time in one's busy schedule)",pictophonetic,"hand" -3262,抬,"variant of 抬[tai2]",pictophonetic,"hand" -3263,擢,"to pull out; to select; to promote",pictophonetic,"hand" -3264,擤,"to blow (one's nose)",ideographic,"To use a hand 扌 to blow the nose 鼻" -3265,擦,"to rub; to scratch; to wipe; to polish; to apply (lipstick, lotion etc); to brush (past); to shred (a vegetable etc)",pictophonetic,"hand" -3266,举,"variant of 舉|举[ju3]",pictophonetic,"hand" -3267,拟,"to plan to; to draft (a plan); to imitate; to assess; to compare; pseudo-",pictophonetic,"hand" -3268,摈,"to reject; to expel; to discard; to exclude; to renounce",pictophonetic,"hand" -3269,拧,"to pinch; wring",pictophonetic,"hand" -3270,拧,"mistake; to twist",pictophonetic,"hand" -3271,拧,"stubborn",pictophonetic,"hand" -3272,搁,"to place; to put aside; to shelve",pictophonetic,"hand" -3273,搁,"to bear; to stand; to endure",pictophonetic,"hand" -3274,掷,"to toss; to throw dice; Taiwan pr. [zhi2]",pictophonetic,"hand" -3275,扩,"to enlarge",pictophonetic,"wide" -3276,撷,"to collect; Taiwan pr. [jie2]",pictophonetic,"hand" -3277,摆,"to arrange; to exhibit; to move to and fro; a pendulum",pictophonetic,"hand" -3278,擞,"shake; trembling",pictophonetic,"hand" -3279,撸,"(dialect) to rub one's hand along; to fire (an employee); to reprimand",pictophonetic,"hand" -3280,扰,"to disturb",pictophonetic,"hand" -3281,擿,"to select; to nitpick; to expose",ideographic,"To select 扌 a match 適; 適 also provides the pronunciation" -3282,擿,"to scratch; old variant of 擲|掷[zhi4]",ideographic,"To select 扌 a match 適; 適 also provides the pronunciation" -3283,攀,"to climb (by pulling oneself up); to implicate; to claim connections of higher status",pictophonetic,"hand" -3284,摅,"set forth; to spread",pictophonetic,"hand" -3285,撵,"to expel; to oust; (dialect) to chase after; to try to catch up with",pictophonetic,"hand" -3286,攉,"to shovel",ideographic,"To motion 霍 with the hand 扌; 霍 also provides the pronunciation" -3287,拢,"to gather together; to collect; to approach; to draw near to; to add; to sum up; to comb (hair)",pictophonetic,"hand" -3288,拦,"to block sb's path; to obstruct; to flag down (a taxi)",pictophonetic,"hand" -3289,撄,"oppose; to attack",pictophonetic,"hand" -3290,攘,"(literary) to push up one's sleeves; (literary) to reject; to resist; (literary) to seize; to steal; (literary) to perturb; Taiwan pr. [rang2]",pictophonetic,"hand" -3291,搀,"to take by the arm and assist; to mix; to blend; to dilute; to adulterate",pictophonetic,"hand" -3292,撺,"rush; stir up; throw; fling; hurry; rage",pictophonetic,"hand" -3293,携,"to carry; to take along; to bring along; to hold (hands); also pr. [xi1]",pictophonetic,"hand" -3294,摄,"(bound form) to take in; to absorb; to assimilate; to take (a photo); (literary) to conserve (one's health); (literary) to act for",pictophonetic,"hand" -3295,攒,"to bring together",pictophonetic,"hand" -3296,攒,"to collect; to hoard; to accumulate; to save",pictophonetic,"hand" -3297,挛,"(bound form) (of muscles) to cramp; to spasm",pictophonetic,"hand" -3298,摊,"to spread out; vendor's stand",pictophonetic,"hand" -3299,攥,"(coll.) to hold; to grip; to grasp",pictophonetic,"hand" -3300,挡,"variant of 擋|挡[dang3]",ideographic,"A hand 扌 raised at the right time 当; 当 also provides the pronunciation" -3301,搅,"to disturb; to annoy; to mix; to stir",pictophonetic,"hand" -3302,攫,"to seize; to snatch; to grab",pictophonetic,"hand" -3303,揽,"to monopolize; to seize; to take into one's arms; to embrace; to fasten (with a rope etc); to take on (responsibility etc); to canvass",pictophonetic,"hand" -3304,攮,"to fend off; to stab",pictophonetic,"hand" -3305,支,"surname Zhi",ideographic,"A hand 又 holding a branch 十 for support" -3306,支,"to support; to sustain; to erect; to raise; branch; division; to draw money; classifier for rods such as pens and guns, for army divisions and for songs or compositions",ideographic,"A hand 又 holding a branch 十 for support" -3307,攴,"to tap; to knock lightly; old variant of 撲|扑[pu1]",pictographic,"A hand 又 wielding a stick ⺊" -3308,攵,"variant of 攴[pu1]",pictographic,"A fist made with one's right hand" -3309,收,"to receive; to accept; to collect; to put away; to restrain; to stop; in care of (used on address line after name)",pictophonetic,"hand" -3310,考,"to beat; to hit; variant of 考[kao3]; to inspect; to test; to take an exam",pictophonetic,"old" -3311,攸,"distant, far; adverbial prefix",, -3312,改,"to change; to alter; to transform; to correct",ideographic,"A hand with a stick 攵 disciplining a kneeling child 己" -3313,攻,"to attack; to accuse; to study; (LGBT) top",pictophonetic,"rap" -3314,放,"to put; to place; to release; to free; to let go; to let out; to set off (fireworks)",pictophonetic,"let go" -3315,政,"political; politics; government",pictophonetic,"script" -3316,叩,"old variant of 叩[kou4]; to knock",pictophonetic,"kneel" -3317,敃,"strong; robust; vigorous",pictophonetic,"rap" -3318,故,"happening; instance; reason; cause; intentional; former; old; friend; therefore; hence; (of people) to die, dead",pictophonetic,"tap" -3319,效,"effect; efficacy; to imitate",pictophonetic,"strike" -3320,敉,"peaceful",pictophonetic,"script" -3321,叙,"variant of 敘|叙[xu4]",pictophonetic,"again" -3322,敏,"quick; nimble; agile; quick-witted; smart",pictophonetic,"strike" -3323,救,"to save; to assist; to rescue",pictophonetic,"hand" -3324,敕,"imperial orders",pictophonetic,"script" -3325,敖,"surname Ao",, -3326,敖,"variant of 遨[ao2]",, -3327,败,"to defeat; to damage; to lose (to an opponent); to fail; to wither",pictophonetic,"rap" -3328,叙,"abbr. for Syria 敘利亞|叙利亚[Xu4 li4 ya4]",pictophonetic,"again" -3329,叙,"to narrate; to chat",pictophonetic,"again" -3330,教,"surname Jiao",pictophonetic,"script" -3331,教,"to teach",pictophonetic,"script" -3332,教,"religion; teaching; to make; to cause; to tell",pictophonetic,"script" -3333,敝,"my (polite); poor; ruined; shabby; worn out; defeated",pictophonetic,"strike" -3334,敞,"open to the view of all; spacious; to open wide; to disclose",pictophonetic,"let go" -3335,敢,"to dare; daring; (polite) may I venture",ideographic,"A hand with a stick 攵 striking a beast 耳" -3336,散,"scattered; loose; to come loose; to fall apart; leisurely; powdered medicine",ideographic,"A hand 攵 tossing seeds from a basket" -3337,散,"to scatter; to break up (a meeting etc); to disperse; to disseminate; to dispel; (coll.) to sack",ideographic,"A hand 攵 tossing seeds from a basket" -3338,敦,"kindhearted; place name",pictophonetic,"share" -3339,敪,"to weigh; to cut; to come without being invited",pictophonetic,"rap" -3340,敫,"surname Jiao",, -3341,敫,"bright; glittery; Taiwan pr. [jiao4]",, -3342,敬,"(bound form) respectful; to respect; to offer politely",, -3343,扬,"variant of 揚|扬[yang2]",pictophonetic,"hand" -3344,敲,"to hit; to strike; to tap; to rap; to knock; to rip sb off; to overcharge",pictophonetic,"strike" -3345,整,"(bound form) whole; complete; entire; (before a measure word) whole; (before or after number + measure word) exactly; (bound form) in good order; tidy; neat; (bound form) to put in order; to straighten; (bound form) to repair; to mend; to renovate; (coll.) to fix sb; to give sb a hard time; to mess with sb; (dialect) to tinker with; to do sth to",pictophonetic,"order" -3346,敌,"(bound form) enemy; (bound form) to be a match for; to rival; (bound form) to resist; to withstand",pictophonetic,"strike" -3347,敷,"to spread; to lay out; to apply (powder, ointment etc); sufficient (to cover); enough",pictophonetic,"tap" -3348,数,"to count; to count as; to regard as; to enumerate; to list",pictophonetic,"script" -3349,数,"number; figure; several; a few",pictophonetic,"script" -3350,数,"(literary) frequently; repeatedly",pictophonetic,"script" -3351,驱,"variant of 驅|驱[qu1]",pictophonetic,"horse" -3352,敻,"surname Xiong",pictophonetic,"go" -3353,敛,"(literary) to hold back; (literary) to restrain; to control (oneself); to collect; to gather; Taiwan pr. [lian4]",pictophonetic,"strike" -3354,敛,"variant of 殮|殓[lian4]",pictophonetic,"strike" -3355,毙,"to die; to shoot dead; to reject; to fall forward; (suffix) to death",pictophonetic,"death" -3356,文,"surname Wen",pictographic,"A tattooed chest, representing writing" -3357,文,"language; culture; writing; formal; literary; gentle; (old) classifier for coins; Kangxi radical 67",pictographic,"A tattooed chest, representing writing" -3358,斌,"variant of 彬[bin1]",pictophonetic,"culture" -3359,斐,"phonetic fei or fi; (literary) (bound form) rich with literary elegance; phi (Greek letter Φφ)",pictophonetic,"culture" -3360,斑,"spot; colored patch; stripe; spotted; striped; variegated",ideographic,"Markings 文 in jade 王" -3361,斓,"used in 斑斕|斑斓[ban1 lan2]",pictophonetic,"script" -3362,斗,"abbr. for the Big Dipper constellation 北斗星[Bei3 dou3 xing1]",ideographic,"A hand holding a measuring dipper" -3363,斗,"dry measure for grain equal to ten 升[sheng1] or one-tenth of a 石[dan4]; decaliter; peck; cup or dipper shaped object; old variant of 陡[dou3]",ideographic,"A hand holding a measuring dipper" -3364,料,"material; stuff; grain; feed; to expect; to anticipate; to guess",ideographic,"A hand measuring 斗 a cup of rice 米" -3365,斛,"ancient measuring vessel; fifty liters; dry measure for grain equal to five dou 五斗 (before Tang, ten pecks)",pictophonetic,"measuring cup" -3366,斜,"inclined; slanting; oblique; tilting",pictophonetic,"measuring cup" -3367,斟,"to pour; to deliberate",pictophonetic,"measuring cup" -3368,斡,"to turn",, -3369,斤,"catty; (PRC) weight equal to 500 g; (Tw) weight equal to 600 g; (HK, Malaysia, Singapore) slightly over 604 g",, -3370,斥,"to blame; to reprove; to reprimand; to expel; to oust; to reconnoiter; (of territory) to expand; saline marsh",ideographic,"Someone scolded for cutting themselves 丶 with an axe 斤" -3371,斧,"hatchet",pictophonetic,"axe" -3372,斫,"to chop; to hack; to carve wood",pictophonetic,"axe" -3373,斩,"to behead (as form of capital punishment); to chop",pictophonetic,"axe" -3374,斯,"Slovakia; Slovak; abbr. for 斯洛伐克[Si1 luo4 fa2 ke4]",, -3375,斯,"(phonetic); this",, -3376,新,"abbr. for Xinjiang 新疆[Xin1jiang1]; abbr. for Singapore 新加坡[Xin1jia1po1]; surname Xin",ideographic,"A freshly chopped 斤 tree 亲" -3377,新,"new; newly; meso- (chemistry)",ideographic,"A freshly chopped 斤 tree 亲" -3378,斫,"to chop; to carve wood",pictophonetic,"axe" -3379,斫,"variant of 斲|斫[zhuo2]",pictophonetic,"axe" -3380,断,"to break; to snap; to cut off; to give up or abstain from sth; to judge; (usu. used in the negative) absolutely; definitely; decidedly",ideographic,"Using an axe 斤 to harvest grain 米" -3381,方,"surname Fang",, -3382,方,"square; power or involution (math.); upright; honest; fair and square; direction; side; party (to a contract, dispute etc); place; method; prescription (medicine); just when; only or just; classifier for square things; abbr. for square or cubic meter",, -3383,于,"(of time or place) in; at; on; (indicating any indirect relation) to; toward; vis-à-vis; with regard to; for; (indicating a source) from; out of; (used in comparison) than; (used in the passive voice) by",, -3384,於,"surname Yu; Taiwan pr. [Yu2]",, -3385,於,"(literary) Oh!; Ah!",, -3386,施,"surname Shi",, -3387,施,"(bound form) to put into effect (regulations etc); to distribute (alms etc); to apply (fertilizer etc)",, -3388,斿,"scallops along lower edge of flag",, -3389,旁,"one side; other; different; lateral component of a Chinese character (such as 刂[dao1], 亻[ren2] etc)",pictophonetic,"stand" -3390,旗,"flag; variant of 旗[qi2]",pictophonetic,"square" -3391,旃,"felt; silken banner",pictophonetic,"flag" -3392,旄,"banner decorated with animal's tail",ideographic,"A flag 方 made of fur 毛; 毛 also provides the pronunciation" -3393,旄,"variant of 耄[mao4]",ideographic,"A flag 方 made of fur 毛; 毛 also provides the pronunciation" -3394,旅,"trip; travel; to travel; brigade (army)",ideographic,"A man 方 traveling with a pack 氏 on his back" -3395,旆,"pennant; streamer",pictophonetic,"flag" -3396,旋,"to revolve; a loop; a circle",ideographic,"An army 方 marching under a flag 疋" -3397,旋,"to whirl; immediately; variant of 鏇|镟[xuan4]",ideographic,"An army 方 marching under a flag 疋" -3398,旌,"banner; make manifest",pictophonetic,"flag" -3399,旎,"fluttering of flags",pictophonetic,"flag" -3400,族,"race; nationality; ethnicity; clan; by extension, social group (e.g. office workers 上班族)",ideographic,"A group of people that swear by 矢 a single flag 方" -3401,旒,"tassel",pictophonetic,"flag" -3402,旖,"fluttering of flag",pictophonetic,"flag" -3403,旗,"banner; flag; (in Qing times) Manchu (cf. 八旗[Ba1 qi2]); administrative subdivision in inner Mongolia equivalent to 縣|县[xian4] county; CL:面[mian4]",pictophonetic,"square" -3404,旡,"choke on something eaten",, -3405,既,"already; since; both... (and...)",ideographic,"A person 旡 turning away from food 皀; compare 即" -3406,祸,"old variant of 禍|祸[huo4]",pictophonetic,"spirit" -3407,日,"abbr. for 日本[Ri4 ben3], Japan",pictographic,"The sun" -3408,日,"sun; day; date, day of the month",pictographic,"The sun" -3409,旦,"(literary) dawn; daybreak; dan, female role in Chinese opera (traditionally played by specialized male actors)",ideographic,"The sun 日 rising over the horizon 一" -3410,旨,"imperial decree; purport; aim; purpose",ideographic,"A spoon 匕 aimed for the mouth 日" -3411,早,"early; morning; Good morning!; long ago; prematurely",ideographic,"The first rays 十 of the sun 日" -3412,旬,"ten days; ten years; full period",ideographic,"A cycle 勹 of ten days 日; a traditional week" -3413,旭,"dawn; rising sun",pictophonetic,"sun" -3414,旮,"used in 旮旯[ga1 la2]",, -3415,旯,"used in 旮旯[ga1 la2]",, -3416,旰,"sunset; evening",pictophonetic,"sun" -3417,旱,"drought",ideographic,"The sun 日 baking a desert 干; 干 also provides the pronunciation" -3418,时,"old variant of 時|时[shi2]",pictophonetic,"day" -3419,旺,"prosperous; flourishing; (of flowers) blooming; (of fire) roaring",pictophonetic,"sun" -3420,春,"old variant of 春[chun1]",pictophonetic,"sun" -3421,昀,"sun light; used in personal name",pictophonetic,"sun" -3422,昂,"to lift; to raise; to raise one's head; high; high spirits; soaring; expensive",pictophonetic,"sun" -3423,昃,"afternoon; decline",ideographic,"The sun 日 at a slant 仄; 仄 also provides the pronunciation" -3424,昆,"descendant; elder brother; a style of Chinese poetry",ideographic,"Two brothers 比 under the son 日" -3425,升,"variant of 升[sheng1]",, -3426,昇,"(used as a surname and in given names)",ideographic,"The rising 升 sun 日; 升 also provides the pronunciation" -3427,昉,"dawn; to begin",pictophonetic,"sun" -3428,昊,"surname Hao",ideographic,"The sun 日 high in the sky 天" -3429,昊,"vast and limitless; the vast sky",ideographic,"The sun 日 high in the sky 天" -3430,昌,"surname Chang",ideographic,"Speaking 曰 in the daytime 日" -3431,昌,"(bound form) prosperous; flourishing",ideographic,"Speaking 曰 in the daytime 日" -3432,明,"Ming Dynasty (1368-1644); surname Ming; Ming (c. 2000 BC), fourth of the legendary Flame Emperors, 炎帝[Yan2di4] descended from Shennong 神農|神农[Shen2nong2] Farmer God",ideographic,"The light of the sun 日 and moon 月" -3433,明,"bright; opposite: dark 暗[an4]; (of meaning) clear; to understand; next; public or open; wise; generic term for a sacrifice to the gods",ideographic,"The light of the sun 日 and moon 月" -3434,昏,"muddle-headed; twilight; to faint; to lose consciousness",ideographic,"Th sun 日 setting behind a village 氏" -3435,易,"surname Yi; abbr. for 易經|易经[Yi4jing1], the Book of Changes",, -3436,易,"easy; amiable; to change; to exchange; prefix corresponding to the English adjective suffix ""-able"" or ""-ible""",, -3437,昔,"surname Xi",ideographic,"Twenty 廿 days ago 日" -3438,昔,"former times; the past; Taiwan pr. [xi2]",ideographic,"Twenty 廿 days ago 日" -3439,昕,"dawn",pictophonetic,"sun" -3440,慎,"old variant of 慎[shen4]",pictophonetic,"heart" -3441,昜,"old variant of 陽[yang2]",ideographic,"Bright and open, like the dawn 旦" -3442,昝,"surname Zan",, -3443,星,"star; heavenly body; satellite; small amount",pictophonetic,"sun" -3444,映,"to reflect (light); to shine; to project (an image onto a screen etc)",pictophonetic,"sun" -3445,春,"surname Chun",pictophonetic,"sun" -3446,春,"spring (season); gay; joyful; youthful; love; lust; life",pictophonetic,"sun" -3447,昧,"to conceal; dark",pictophonetic,"sun" -3448,昨,"yesterday",pictophonetic,"day" -3449,昫,"variant of 煦[xu4]; balmy; nicely warm; cozy",pictophonetic,"sun" -3450,昏,"old variant of 昏[hun1]",ideographic,"Th sun 日 setting behind a village 氏" -3451,昭,"bright; clear; manifest; to show clearly",pictophonetic,"sun" -3452,是,"to be (followed by substantives only); correct; right; true; (respectful acknowledgement of a command) very well; (adverb for emphatic assertion)",ideographic,"To speak 日 directly 疋" -3453,是,"variant of 是[shi4]",ideographic,"To speak 日 directly 疋" -3454,昱,"bright light",pictophonetic,"sun" -3455,昴,"the Pleiades",pictophonetic,"sun" -3456,昵,"variant of 暱|昵[ni4]",pictophonetic,"sun" -3457,昶,"(of the day) long; old variant of 暢|畅[chang4]",ideographic,"A long 永 day 日; 永 also provides the pronunciation" -3458,晁,"surname Chao",pictophonetic,"sun" -3459,时,"surname Shi",pictophonetic,"day" -3460,时,"o'clock; time; when; hour; season; period",pictophonetic,"day" -3461,晃,"to dazzle; to flash past",pictophonetic,"sun" -3462,晃,"to sway; to shake; to wander about",pictophonetic,"sun" -3463,晋,"surname Jin; the Jin Dynasties (265-420); Western Jin 西晉|西晋[Xi1 Jin4] (265-316), Eastern Jin 東晉|东晋[Dong1 Jin4] (317-420) and Later Jin Dynasty (936-946); short name for Shanxi province 山西[Shan1xi1]",ideographic,"An advance to the second 亚 day 日" -3464,晋,"to move forward; to promote; to advance",ideographic,"An advance to the second 亚 day 日" -3465,晌,"part of the day; midday",pictophonetic,"sun" -3466,晏,"surname Yan",ideographic,"A woman safe in a house 安 at sunset 日" -3467,晏,"late; quiet",ideographic,"A woman safe in a house 安 at sunset 日" -3468,晒,"variant of 曬|晒[shai4]",pictophonetic,"sun" -3469,晗,"before daybreak; dawn about to break; (used in given names)",pictophonetic,"sun" -3470,晚,"evening; night; late",ideographic,"Avoiding 免 the sun 日; 免 also provides the pronunciation" -3471,昼,"daytime",ideographic,"When the sun is a foot 尺 above the horizon 旦" -3472,晟,"surname Cheng",pictophonetic,"sun" -3473,晟,"brightness of sun; splendor; also pr. [cheng2]",pictophonetic,"sun" -3474,晡,"3-5 p.m.",pictophonetic,"sun" -3475,晤,"to meet (socially)",pictophonetic,"sun" -3476,晦,"(bound form) last day of a lunar month; (bound form) dark; gloomy; (literary) night",pictophonetic,"sun" -3477,晨,"morning; dawn; daybreak",pictophonetic,"sun" -3478,晬,"1st birthday of a child",pictophonetic,"sun" -3479,普,"general; popular; everywhere; universal",ideographic,"Everyone 並 under the sun 日" -3480,景,"surname Jing",ideographic,"The sun 日 rising over a city 京; 京 also provides the pronunciation" -3481,景,"(bound form) scenery; circumstance; situation; scene (of a play); (literary) sunlight",ideographic,"The sun 日 rising over a city 京; 京 also provides the pronunciation" -3482,晰,"clear; distinct",pictophonetic,"sun" -3483,晴,"clear; fine (weather)",pictophonetic,"sun" -3484,晶,"crystal",ideographic,"Many suns 日, suggesting a bright and glittering gem" -3485,晷,"sundial",pictophonetic,"sun" -3486,智,"(literary) wise; wisdom",ideographic,"Known 知 clearly 日; 知 also provides the pronunciation" -3487,暗,"variant of 暗[an4]",pictophonetic,"sun" -3488,晾,"to dry in the air; (fig.) to cold-shoulder",pictophonetic,"sun" -3489,暄,"genial and warm",pictophonetic,"sun" -3490,暆,"(of the sun) declining",pictophonetic,"sun" -3491,暇,"leisure",pictophonetic,"sun" -3492,晕,"confused; dizzy; giddy; to faint; to swoon; to lose consciousness; to pass out",pictophonetic,"sun" -3493,晕,"dizzy; halo; ring around moon or sun",pictophonetic,"sun" -3494,晖,"sunshine; to shine upon; variant of 輝|辉[hui1]",pictophonetic,"sun" -3495,暋,"unhappy; worried; depressed",ideographic,"Strong 敃 sunlight 日; 敃 also provides the pronunciation" -3496,暋,"(literary) rude and unreasonable",ideographic,"Strong 敃 sunlight 日; 敃 also provides the pronunciation" -3497,暌,"in opposition to; separated from",pictophonetic,"sun" -3498,映,"old variant of 映[ying4]",pictophonetic,"sun" -3499,暑,"heat; hot weather; summer heat",pictophonetic,"sun" -3500,暖,"warm; to warm",pictophonetic,"sun" -3501,暗,"dark; to turn dark; secret; hidden; (literary) confused; ignorant",pictophonetic,"sun" -3502,暝,"dark",pictophonetic,"sun" -3503,暠,"bright; white",pictophonetic,"sun" -3504,皓,"variant of 皓[hao4]",pictophonetic,"white" -3505,暡,"used in 暡曚[weng3 meng2]",pictophonetic,"sun" -3506,畅,"free; unimpeded; smooth; at ease; free from worry; fluent",pictophonetic,"open" -3507,暨,"and; to reach to; the limits",pictophonetic,"dawn" -3508,暂,"temporary; Taiwan pr. [zhan4]",pictophonetic,"sun" -3509,暮,"evening; sunset",pictophonetic,"sun" -3510,昵,"familiar; intimate; to approach",pictophonetic,"sun" -3511,暴,"surname Bao",ideographic,"A man with head 日 and hands 共 tormenting a deer 水" -3512,暴,"sudden; violent; cruel; to show or expose; to injure",ideographic,"A man with head 日 and hands 共 tormenting a deer 水" -3513,暹,"sunrise",ideographic,"The sun 日 moving 辶; 隹 provides the pronunciation" -3514,暾,"sun above the horizon",pictophonetic,"sun" -3515,晔,"bright light; to sparkle",ideographic,"A flower 华 blooming in the sun 日" -3516,历,"calendar",pictophonetic,"calendar" -3517,昙,"dark clouds",ideographic,"The sun 日 hidden behind a cloud 云" -3518,晓,"dawn; daybreak; to know; to let sb know; to make explicit",pictophonetic,"sun" -3519,向,"variant of 向[xiang4]; direction; orientation; to face; to turn toward; to; towards; shortly before; formerly",, -3520,暧,"(of daylight) dim; obscure; clandestine; dubious",pictophonetic,"sun" -3521,曙,"(bound form) daybreak; dawn; Taiwan pr. [shu4]",pictophonetic,"sun" -3522,曚,"twilight before dawn",pictophonetic,"sun" -3523,曛,"twilight; sunset",pictophonetic,"sun" -3524,曜,"bright; glorious; one of the seven planets of premodern astronomy",ideographic,"A spectacular 翟 star 日; 翟 also provides the pronunciation" -3525,曝,"to air; to sun",pictophonetic,"sun" -3526,旷,"to neglect; to skip (class or work); to waste (time); vast; loose-fitting",ideographic,"A wide 广 plain under the sun 日; 广 also provides the pronunciation" -3527,叠,"variant of 疊|叠[die2]",ideographic,"Clothes 叒 stacked on top of a drawer 冝" -3528,曦,"(literary) sunlight (usu. in early morning)",pictophonetic,"sun" -3529,曩,"in former times",pictophonetic,"sun" -3530,晒,"(of the sun) to shine on; to bask in (the sunshine); to dry (clothes, grain etc) in the sun; (fig.) to expose and share (one's experiences and thoughts) on the Web (loanword from ""share""); (coll.) to give the cold shoulder to",pictophonetic,"sun" -3531,曰,"to speak; to say",ideographic,"Picture of an open 一 mouth 口" -3532,曱,"used in 曱甴[yue1 zha2]",pictophonetic, -3533,曲,"surname Qu",pictographic,"A folded object 曰" -3534,曲,"bent; crooked; wrong",pictographic,"A folded object 曰" -3535,曲,"tune; song; CL:支[zhi1]",pictographic,"A folded object 曰" -3536,曳,"to drag; to pull; Taiwan pr. [yi4]",, -3537,更,"to change or replace; to experience; one of the five two-hour periods into which the night was formerly divided; watch (e.g. of a sentry or guard)",, -3538,更,"more; even more; further; still; still more",, -3539,曷,"why; how; when; what; where",ideographic,"Variant of 何" -3540,书,"abbr. for 書經|书经[Shu1 jing1]",ideographic,"A mark made by a pen ⺺" -3541,书,"book; letter; document; CL:本[ben3],冊|册[ce4],部[bu4]; to write",ideographic,"A mark made by a pen ⺺" -3542,曹,"surname Cao; Zhou Dynasty vassal state",, -3543,曹,"class or grade; generation; plaintiff and defendant (old); government department (old)",, -3544,曼,"handsome; large; long",ideographic,"Two hands 日, 又 pulling an eye open 罒" -3545,曾,"surname Zeng",ideographic,"A rice cooker on heat 日, building up steam 丷 and letting it off" -3546,曾,"once; already; ever (in the past); former; previously; (past tense marker used before verb or clause)",ideographic,"A rice cooker on heat 日, building up steam 丷 and letting it off" -3547,曾,"great- (grandfather, grandchild etc)",ideographic,"A rice cooker on heat 日, building up steam 丷 and letting it off" -3548,替,"to substitute for; to take the place of; to replace; for; on behalf of; to stand in for",ideographic,"One man 夫 replacing another; 日 provides the pronunciation" -3549,最,"most; the most; -est (superlative suffix)",ideographic,"To take place 取 under the sun 日 (that is, everywhere)" -3550,朁,"if, supposing, nevertheless",, -3551,会,"can; to have the skill; to know how to; to be likely to; to be sure to; to meet; to get together; meeting; gathering; (suffix) union; group; association; (bound form) a moment (Taiwan pr. [hui3])",ideographic,"People 人 speaking 云" -3552,会,"to balance an account; accounting; accountant",ideographic,"People 人 speaking 云" -3553,月,"moon; month; monthly; CL:個|个[ge4],輪|轮[lun2]",pictographic,"A crescent moon" -3554,有,"to have; there is; (bound form) having; with; -ful; -ed; -al (as in 有意[you3 yi4] intentional)",pictophonetic, -3555,朊,"protein",pictophonetic,"meat" -3556,朋,"friend",ideographic,"Two people 月 walking together" -3557,服,"clothes; dress; garment; to serve (in the military, a prison sentence etc); to obey; to be convinced (by an argument); to convince; to admire; to acclimatize; to take (medicine); mourning clothes; to wear mourning clothes",ideographic,"A person 卩 putting on 又 a coat 月" -3558,服,"classifier for medicine: dose; Taiwan pr. [fu2]",ideographic,"A person 卩 putting on 又 a coat 月" -3559,朐,"surname Qu",pictophonetic,"moon" -3560,朔,"beginning; first day of lunar month; north",pictophonetic,"moon" -3561,朕,"(used by an emperor or king) I; me; we (royal ""we""); (literary) omen",, -3562,朗,"clear; bright",pictophonetic,"moon" -3563,望,"full moon; to hope; to expect; to visit; to gaze (into the distance); to look towards; towards",ideographic,"A king 王 gazing at the moon 月; 亡 provides the pronunciation" -3564,朝,"abbr. for 朝鮮|朝鲜[Chao2 xian3] Korea",pictophonetic,"moon" -3565,朝,"imperial or royal court; government; dynasty; reign of a sovereign or emperor; court or assembly held by a sovereign or emperor; to make a pilgrimage to; facing; towards",pictophonetic,"moon" -3566,朝,"morning",pictophonetic,"moon" -3567,期,"variant of 期[qi1]; period; cycle",pictophonetic,"moon" -3568,期,"a period of time; phase; stage; classifier for issues of a periodical, courses of study; time; term; period; to hope; Taiwan pr. [qi2]",pictophonetic,"moon" -3569,望,"15th day of month (lunar calendar); old variant of 望[wang4]",ideographic,"A king 王 gazing at the moon 月; 亡 provides the pronunciation" -3570,朦,"used in 朦朧|朦胧[meng2 long2]",pictophonetic,"moon" -3571,胧,"used in 朦朧|朦胧[meng2 long2]",pictophonetic,"moon" -3572,木,"surname Mu",pictographic,"A tree" -3573,木,"(bound form) tree; (bound form) wood; unresponsive; numb; wooden",pictographic,"A tree" -3574,未,"not yet; did not; have not; not; 8th earthly branch: 1-3 p.m., 6th solar month (7th July-6th August), year of the Sheep; ancient Chinese compass point: 210°",ideographic,"A wheat plant that has not yet borne fruit; compare 來" -3575,末,"tip; end; final stage; latter part; inessential detail; powder; dust; opera role of old man",ideographic,"The top 一 of a tree 木" -3576,本,"(bound form) root; stem; (bound form) origin; source; (bound form) one's own; this; (bound form) this; the current (year etc); (bound form) original; (bound form) inherent; originally; initially; capital; principal; classifier for books, periodicals, files etc",ideographic,"A tree 木 with its roots highlighted" -3577,札,"thin piece of wood used a writing tablet (in ancient China); a kind of official document (in former times); letter; note; plague",, -3578,朮,"variant of 術|术[shu4]",ideographic,"Variant of 术" -3579,朮,"variant of 術|术[zhu2]",ideographic,"Variant of 术" -3580,朱,"surname Zhu",ideographic,"The color of the sap 一 of some trees 木" -3581,朱,"vermilion",ideographic,"The color of the sap 一 of some trees 木" -3582,朴,"surname Piao; Korean surname (Park, Pak or Bak); also pr. [Pu2]",pictophonetic,"tree" -3583,朴,"used in 朴刀[po1dao1]",pictophonetic,"tree" -3584,朴,"Celtis sinensis var. japonica",pictophonetic,"tree" -3585,朵,"flower; earlobe; fig. item on both sides; classifier for flowers, clouds etc",ideographic,"Flowers 几 blooming on a tree 木" -3586,朵,"variant of 朵[duo3]",ideographic,"Flowers 几 blooming on a tree 木" -3587,朽,"rotten",ideographic,"The wood of a dying 丂 tree 木" -3588,朿,"stab",, -3589,杆,"pole; CL:條|条[tiao2],根[gen1]",pictophonetic,"wood" -3590,杈,"fork of a tree; pitchfork",ideographic,"Where two branches 木 fork 叉; 叉 also provides the pronunciation" -3591,杈,"branches of a tree; fork of a tree",ideographic,"Where two branches 木 fork 叉; 叉 also provides the pronunciation" -3592,杉,"China fir; Cunninghamia lanceolata; also pr. [sha1]",pictophonetic,"tree" -3593,杌,"low stool",ideographic,"A tree 木 stump 兀; 兀 also provides the pronunciation" -3594,李,"surname Li",pictophonetic,"wood" -3595,李,"plum",pictophonetic,"wood" -3596,杏,"apricot; (bound form) almond",ideographic,"A open mouth 口, waiting for fruit to fall from the tree 木" -3597,材,"material; timber; ability; aptitude; a capable individual; coffin (old)",pictophonetic,"wood" -3598,村,"village",pictophonetic,"tree" -3599,杓,"(literary) handle of a spoon or ladle; (literary) collective name for the three stars that form the handle of the Big Dipper",ideographic,"A wooden 木 spoon 勺" -3600,杓,"ladle (variant of 勺[shao2])",ideographic,"A wooden 木 spoon 勺" -3601,杖,"a staff; a rod; cane; walking stick; to flog with a stick (old)",pictophonetic,"wood" -3602,杜,"surname Du",pictophonetic,"tree" -3603,杜,"birchleaf pear (tree); to stop; to prevent; to restrict",pictophonetic,"tree" -3604,杞,"Qi, a Zhou Dynasty vassal state; surname Qi",pictophonetic,"tree" -3605,杞,"Chinese wolfberry shrub (Lycium chinense); willow",pictophonetic,"tree" -3606,束,"surname Shu",ideographic,"Lumber 木 bound by rope 口" -3607,束,"to bind; bunch; bundle; classifier for bunches, bundles, beams of light etc; to control",ideographic,"Lumber 木 bound by rope 口" -3608,杠,"flagpole; footbridge",ideographic,"A wooden 木 lever 工; 工 also provides the pronunciation" -3609,杠,"variant of 槓|杠[gang4]",ideographic,"A wooden 木 lever 工; 工 also provides the pronunciation" -3610,杪,"the limit; tip of branch",ideographic,"The tip 少 of a branch 木; 少 also provides the pronunciation" -3611,杭,"surname Hang; abbr. for Hangzhou 杭州[Hang2zhou1]",pictophonetic,"tree" -3612,杯,"cup; trophy cup; classifier for certain containers of liquids: glass, cup",pictophonetic,"tree" -3613,杰,"variant of 傑|杰[jie2]",, -3614,东,"surname Dong",pictographic,"Simplified form of 東, the sun 日 rising behind a tree 木" -3615,东,"east; host (i.e. sitting on east side of guest); landlord",pictographic,"Simplified form of 東, the sun 日 rising behind a tree 木" -3616,杲,"high; sun shines brightly; to shine",ideographic,"The sun 日 rising over the woods 木" -3617,杳,"dark and quiet; disappear",ideographic,"The sun 日 setting below the woods 木" -3618,杵,"pestle; to poke",pictophonetic,"wood" -3619,杷,"handle or shaft (of an axe etc); hoe; to harrow",pictophonetic,"tree" -3620,杷,"used in 枇杷[pi2 pa5]",pictophonetic,"tree" -3621,杼,"shuttle of a loom",pictophonetic,"tree" -3622,松,"surname Song",pictophonetic,"tree" -3623,松,"pine; CL:棵[ke1]",pictophonetic,"tree" -3624,板,"board; plank; plate; shutter; table tennis bat; clappers (music); CL:塊|块[kuai4]; accented beat in Chinese music; hard; stiff; to stop smiling or look serious",pictophonetic,"wood" -3625,枇,"used in 枇杷[pi2 pa5]",pictophonetic,"tree" -3626,枉,"to twist; crooked; unjust; in vain",pictophonetic,"wood" -3627,枋,"Santalum album; square wooden pillar",ideographic,"A square 方 log 木; 方 also provides the pronunciation" -3628,楠,"variant of 楠[nan2]",pictophonetic,"tree" -3629,析,"to separate; to divide; to analyze",ideographic,"Chopping 斤 wood 木; 斤 also provides the pronunciation" -3630,枒,"the coconut tree; rim",pictophonetic,"tree" -3631,枓,"square base for Chinese flagstaff",pictophonetic,"wood" -3632,枕,"(bound form) pillow; to rest one's head on (Taiwan pr. [zhen4])",pictophonetic,"wood" -3633,林,"surname Lin; Japanese surname Hayashi",ideographic,"Two trees 木 representing a forest" -3634,林,"(bound form) woods; forest; (bound form) circle(s) (i.e. specific group of people); (bound form) a collection (of similar things)",ideographic,"Two trees 木 representing a forest" -3635,枘,"tenon; tool handle; wedge",pictophonetic,"wood" -3636,枚,"surname Mei",pictophonetic,"tree" -3637,枚,"classifier for coins, rings, badges, pearls, sporting medals, rockets, satellites etc; tree trunk; whip; wooden peg, used as a gag for marching soldiers (old)",pictophonetic,"tree" -3638,果,"fruit; result; resolute; indeed; if really",ideographic,"Fruit 田 growing on a tree 木" -3639,枝,"branch; classifier for sticks, rods, pencils etc",pictophonetic,"tree" -3640,枯,"(of plants) withered; (of wells, rivers, etc) dried up; (bound form) dull; boring; (bound form) residue of pressed oilseeds",ideographic,"An old 古 tree 木; 古 also provides the pronunciation" -3641,枰,"chess-like game",ideographic,"A flat 平 piece of wood 木; 平 also provides the pronunciation" -3642,枳,"(orange); hedge thorn",pictophonetic,"tree" -3643,拐,"cane; walking stick; crutch; old man's staff",ideographic,"To take another 另 by force 扌" -3644,枵,"(archaic) hollow of a tree; (literary) empty; hollow",pictophonetic,"tree" -3645,架,"to support; frame; rack; framework; classifier for planes, large vehicles, radios etc",pictophonetic,"wood" -3646,枷,"cangue (wooden collar like stocks used to restrain and punish criminals in China)",pictophonetic,"wood" -3647,枸,"bent; crooked",pictophonetic,"tree" -3648,枸,"Chinese wolfberry (Lycium chinense)",pictophonetic,"tree" -3649,枸,"Citrus medica",pictophonetic,"tree" -3650,柁,"main beam of roof",pictophonetic,"wood" -3651,柃,"Eurya japonica",pictophonetic,"tree" -3652,柄,"handle or shaft (of an axe etc); (of a flower, leaf or fruit) stem; sth that affords an advantage to an opponent; classifier for knives or blades",pictophonetic,"tree" -3653,柊,"used in 柊葉|柊叶[zhong1 ye4]",ideographic,"A winter 冬 tree 木; 冬 also provides the pronunciation" -3654,柏,"surname Bai; Taiwan pr. [Bo2]",pictophonetic,"tree" -3655,柏,"cedar; cypress; Taiwan pr. [bo2]",pictophonetic,"tree" -3656,柏,"(used for transcribing names)",pictophonetic,"tree" -3657,柏,"variant of 檗[bo4]",pictophonetic,"tree" -3658,某,"some; a certain; sb or sth indefinite; such-and-such",ideographic,"The sweet 甘 fruit of a certain tree 木" -3659,柑,"large tangerine",ideographic,"A tree 木 bearing sweet fruit 甘; 甘 also provides the pronunciation" -3660,柒,"seven (banker's anti-fraud numeral)",ideographic,"Seven 七 with accents to prevent forgery " -3661,染,"to dye; to catch (a disease); to acquire (bad habits etc); to contaminate; to add color washes to a painting",ideographic,"Water 氵 and wine 九 mixed in a wooden 木 bowl" -3662,柔,"soft; flexible; supple; yielding; rho (Greek letter Ρρ)",ideographic,"Wood 木 so soft it can be cut 矛" -3663,柘,"a thorny tree; sugarcane; Cudrania triloba; three-bristle cudrania (Cudrania tricuspidata); Chinese mulberry (Cudrania)",pictophonetic,"tree" -3664,柙,"cage; pen; scabbard",pictophonetic,"wood" -3665,柚,"pomelo (Citrus maxima or C. grandis); shaddock; oriental grapefruit",pictophonetic,"tree" -3666,柜,"variant of 櫃|柜[gui4]",pictophonetic,"wood" -3667,柜,"Salix multinervis",pictophonetic,"wood" -3668,柝,"watchman's rattle",, -3669,柞,"oak; Quercus serrata",pictophonetic,"tree" -3670,楠,"variant of 楠[nan2]",pictophonetic,"tree" -3671,柢,"foundation; root",pictophonetic,"tree" -3672,查,"surname Zha",, -3673,查,"to research; to check; to investigate; to examine; to refer to; to look up (e.g. a word in a dictionary)",, -3674,查,"variant of 楂[zha1]",, -3675,柩,"bier",ideographic,"A wooden 木 coffin 匛; 匛 also provides the pronunciation" -3676,柬,"abbr. for 柬埔寨[Jian3 pu3 zhai4], Cambodia",ideographic,"A bound 束 package" -3677,柬,"card; note; letter; old variant of 揀|拣[jian3]",ideographic,"A bound 束 package" -3678,柯,"surname Ke",pictophonetic,"wood" -3679,柯,"(literary) branch; stem; stalk; (literary) ax handle",pictophonetic,"wood" -3680,柰,"Chinese pear-leaved crab-apple",pictophonetic,"tree" -3681,柱,"pillar; CL:根[gen1]",pictophonetic,"tree" -3682,柳,"surname Liu",pictophonetic,"tree" -3683,柳,"willow",pictophonetic,"tree" -3684,柴,"surname Chai",pictophonetic,"wood" -3685,柴,"firewood; lean (of meat); thin (of a person)",pictophonetic,"wood" -3686,栅,"fence; also pr. [shan1]",ideographic,"A fence 册 made of wood 木; 册 also provides the pronunciation" -3687,柿,"old variant of 柿[shi4]",pictophonetic,"tree" -3688,拐,"variant of 枴|拐[guai3]",ideographic,"To take another 另 by force 扌" -3689,柿,"persimmon",pictophonetic,"tree" -3690,柳,"old variant of 柳[liu3]",pictophonetic,"tree" -3691,栓,"bottle stopper; plug; (gun) bolt; (grenade) pin",pictophonetic,"wood" -3692,栗,"surname Li",ideographic,"A tree 木 bearing nuts 覀; compare 果" -3693,栗,"chestnut",ideographic,"A tree 木 bearing nuts 覀; compare 果" -3694,栝,"Juniperus chinensis; measuring-frame",pictophonetic,"tree" -3695,刊,"old variant of 刊[kan1]; to peel with a knife; to carve; to amend",pictophonetic,"knife" -3696,校,"to check; to collate; to proofread",pictophonetic,"wood" -3697,校,"(bound form) school; college; (bound form) (military) field officer",pictophonetic,"wood" -3698,柏,"variant of 柏[bai3]",pictophonetic,"tree" -3699,栩,"used in 栩栩[xu3 xu3]; jolcham oak (Quercus serrata)",pictophonetic,"tree" -3700,株,"tree trunk; stump (tree root); a plant; classifier for trees or plants; strain (biology); to involve others (in shady business)",pictophonetic,"tree" -3701,筏,"variant of 筏[fa2]",pictophonetic,"bamboo" -3702,栱,"post",pictophonetic,"wood" -3703,栲,"chinquapin (Castanopsis fargesii and other spp.), genus of evergreen trees",pictophonetic,"tree" -3704,栳,"basket",pictophonetic,"wood" -3705,栴,"used in 栴檀[zhan1 tan2]",pictophonetic,"tree" -3706,核,"pit; stone; nucleus; nuclear; to examine; to check; to verify",pictophonetic,"tree" -3707,根,"root; basis; classifier for long slender objects, e.g. cigarettes, guitar strings; CL:條|条[tiao2]; radical (chemistry)",pictophonetic,"tree" -3708,格,"square; frame; rule; (legal) case; style; character; standard; pattern; (grammar) case; (classical) to obstruct; to hinder; (classical) to arrive; to come; (classical) to investigate; to study exhaustively",pictophonetic,"wood" -3709,栽,"to plant; to grow; to insert; to erect (e.g. a bus stop sign); to impose sth on sb; to stumble; to fall down",pictophonetic,"tree" -3710,桀,"(emperor of Xia dynasty); cruel",pictophonetic,"tree" -3711,桁,"cangue (stocks to punish criminals)",pictophonetic,"wood" -3712,桁,"pole plate; purlin (cross-beam in roof); ridge-pole",pictophonetic,"wood" -3713,桂,"surname Gui; abbr. for Guangxi Autonomous Region 廣西壯族自治區|广西壮族自治区[Guang3xi1 Zhuang4zu2 Zi4zhi4qu1]",pictophonetic,"tree" -3714,桂,"cassia; laurel",pictophonetic,"tree" -3715,桃,"peach",pictophonetic,"tree" -3716,桄,"used in 桄榔[guang1lang2]",pictophonetic,"tree" -3717,桄,"woven wood and bamboo utensil; classifier for threads and strings",pictophonetic,"tree" -3718,桅,"mast",pictophonetic,"wood" -3719,框,"frame (e.g. door frame); casing; fig. framework; template; to circle (i.e. draw a circle around sth); to frame; to restrict; Taiwan pr. [kuang1]",pictophonetic,"wood" -3720,案,"(legal) case; incident; record; file; table",pictophonetic,"wood" -3721,桉,"Eucalyptus globulus; Taiwan pr. [an4]",pictophonetic,"tree" -3722,桌,"table; desk; classifier for tables of guests at a banquet etc",, -3723,桎,"fetters",pictophonetic,"wood" -3724,桐,"tree name (variously Paulownia, Firmiana or Aleurites)",pictophonetic,"tree" -3725,桑,"surname Sang",ideographic,"A tree 木 bearing berries 叒" -3726,桑,"(bound form) mulberry tree",ideographic,"A tree 木 bearing berries 叒" -3727,桑,"old variant of 桑[sang1]",ideographic,"A tree 木 bearing berries 叒" -3728,桓,"surname Huan",pictophonetic,"tree" -3729,桓,"Chinese soapberry (Sapindus mukurossi); big; pillar (old)",pictophonetic,"tree" -3730,桔,"Platycodon grandiflorus; water bucket",pictophonetic,"tree" -3731,桔,"variant of 橘[ju2]",pictophonetic,"tree" -3732,桕,"Tallow tree; Sapium sebiferum",pictophonetic,"tree" -3733,桫,"horse chestnut; Stewartia pseudocamellia (botany)",pictophonetic,"tree" -3734,杯,"variant of 杯[bei1]",pictophonetic,"tree" -3735,桲,"flail",pictophonetic,"tree" -3736,桲,"used in 榲桲|榅桲[wen1po5]; Taiwan pr. [bo2]",pictophonetic,"tree" -3737,桴,"beam; rafter",pictophonetic,"wood" -3738,桶,"bucket; (trash) can; barrel (of oil etc); CL:個|个[ge4],隻|只[zhi1]",pictophonetic,"wood" -3739,桷,"rafter; malus toringo",pictophonetic,"tree" -3740,柳,"old variant of 柳[liu3]",pictophonetic,"tree" -3741,杆,"stick; pole; lever; classifier for long objects such as guns",pictophonetic,"wood" -3742,梁,"Liang Dynasty (502-557); Later Liang Dynasty (907-923); surname Liang",ideographic,"A wooden 木 bridge built 刅 over a river 氵" -3743,梁,"roof beam; beam (structure); bridge",ideographic,"A wooden 木 bridge built 刅 over a river 氵" -3744,梃,"a club (weapon)",pictophonetic,"wood" -3745,梅,"surname Mei",pictophonetic,"tree" -3746,梅,"plum; plum flower; Japanese apricot (Prunus mume)",pictophonetic,"tree" -3747,梆,"watchman's rattle",pictophonetic,"wood" -3748,梏,"braces (med.); fetters; manacles",pictophonetic,"wood" -3749,梓,"Chinese catalpa (Catalpa ovata), a tree that serves as a symbol of one's hometown and whose wood is used to make various items; (bound form) printing blocks",pictophonetic,"tree" -3750,栀,"gardenia; cape jasmine (Gardenia jasminoides); same as 梔子|栀子[zhi1 zi5]",pictophonetic,"tree" -3751,梗,"branch; stem; stalk; CL:根[gen1]; to block; to hinder; (neologism that evolved from 哏[gen2], initially in Taiwan, during the first decade of the 21st century) memorable creative idea (joke, catchphrase, meme, neologism, witty remark etc); prominent feature of a creative work (punchline of a joke, trope in a drama, special ingredient in a dish, riff in a pop song etc)",pictophonetic,"tree" -3752,枧,"bamboo conduit; wooden peg; spout; same as 筧|笕",pictophonetic,"tree" -3753,条,"strip; item; article; clause (of law or treaty); classifier for long thin things (ribbon, river, road, trousers etc)",, -3754,枭,"owl; valiant; trafficker",ideographic,"A bird 鸟 roosting in a tree 木" -3755,梢,"tip of branch",pictophonetic,"tree" -3756,梣,"Chinese ash (Fraxinus chinensis)",pictophonetic,"tree" -3757,梧,"Sterculia platanifolia",pictophonetic,"tree" -3758,梨,"pear; CL:個|个[ge4]",pictophonetic,"tree" -3759,梭,"(textiles) shuttle",pictophonetic,"wood" -3760,梯,"ladder; stairs",pictophonetic,"wood" -3761,械,"appliance; tool; weapon; shackles; also pr. [jie4]",pictophonetic,"wood" -3762,梳,"to comb; (bound form) a comb",pictophonetic,"wood" -3763,梵,"abbr. for 梵教[Fan4 jiao4] Brahmanism; abbr. for Sanskrit 梵語|梵语[Fan4 yu3] or 梵文[Fan4 wen2]; abbr. for 梵蒂岡|梵蒂冈[Fan4 di4 gang1], the Vatican",pictophonetic,"forest" -3764,弃,"to abandon; to relinquish; to discard; to throw away",ideographic,"Two hands 廾 discarding a dead, swaddled baby 亠厶" -3765,棉,"generic term for cotton or kapok; cotton; padded or quilted with cotton",ideographic,"Silk 帛 picked off a tree 木" -3766,棋,"variant of 棋[qi2]",pictophonetic,"wood" -3767,棋,"chess; chess-like game; a game of chess; CL:盤|盘[pan2]; chess piece; CL:個|个[ge4],顆|颗[ke1]",pictophonetic,"wood" -3768,棍,"stick; rod; truncheon; scoundrel; villain",pictophonetic,"wood" -3769,棒,"stick; club; cudgel; smart; capable; strong; wonderful; classifier for legs of a relay race",pictophonetic,"wood" -3770,棕,"palm; palm fiber; coir (coconut fiber); brown",pictophonetic,"tree" -3771,枨,"door post",pictophonetic,"wood" -3772,枣,"(bound form) jujube; Chinese date (Zizyphus jujuba)",ideographic,"Dates ⺀ falling off a tree 朿" -3773,棘,"thorns",pictophonetic,"thorn" -3774,棚,"shed; canopy; shack",pictophonetic,"wood" -3775,栋,"classifier for houses or buildings; ridgepole (old)",pictophonetic,"wood" -3776,棠,"cherry-apple",pictophonetic,"tree" -3777,棣,"Kerria japonica",pictophonetic,"tree" -3778,栈,"a wooden or bamboo pen for sheep or cattle; wood or bamboo trestlework; a warehouse; (computing) stack",pictophonetic,"wood" -3779,森,"Mori (Japanese surname)",ideographic,"Many trees 木 forming a forest" -3780,森,"(bound form) densely wooded; (fig.) (bound form) multitudinous; gloomy; forbidding",ideographic,"Many trees 木 forming a forest" -3781,棰,"to flog; whip",pictophonetic,"wood" -3782,棱,"square beam; variant of 稜|棱[leng2]",pictophonetic,"wood" -3783,栖,"to perch; to rest (of birds); to dwell; to live; to stay",pictophonetic,"tree" -3784,棵,"classifier for trees, cabbages, plants etc",pictophonetic,"tree" -3785,梾,"used in 棶木|梾木[lai2 mu4]",pictophonetic,"tree" -3786,棹,"variant of 桌[zhuo1]",pictophonetic,"wood" -3787,棺,"coffin",pictophonetic,"wood" -3788,棻,"aromatic wood; perfume; fragrance",pictophonetic,"tree" -3789,棼,"beams in roof; confused",pictophonetic,"forest" -3790,碗,"variant of 碗[wan3]",pictophonetic,"stone" -3791,椅,"chair",pictophonetic,"wood" -3792,椆,"species of tree resistant to cold weather",pictophonetic,"tree" -3793,乘,"old variant of 乘[cheng2]",ideographic,"Two feet 北 climbing a beanstalk 禾" -3794,椋,"used in 椋鳥|椋鸟[liang2 niao3]",pictophonetic,"tree" -3795,植,"to plant",pictophonetic,"tree" -3796,椎,"hammer; mallet (variant of 槌[chui2]); to hammer; to bludgeon (variant of 捶[chui2])",pictophonetic,"wood" -3797,椎,"(bound form) vertebra",pictophonetic,"wood" -3798,桠,"forking branch",pictophonetic,"tree" -3799,椐,"Zelkowa acuminata",pictophonetic,"tree" -3800,椒,"pepper",pictophonetic,"tree" -3801,碇,"variant of 碇[ding4]",pictophonetic,"rock" -3802,椥,"used in 檳椥|槟椥[Bin1 zhi1]",pictophonetic,"tree" -3803,椪,"used in 椪柑[peng4 gan1]",pictophonetic,"tree" -3804,椰,"(bound form) coconut palm; Taiwan pr. [ye2]",pictophonetic,"tree" -3805,椴,"Chinese linden (Tilia chinensis)",pictophonetic,"tree" -3806,棕,"variant of 棕[zong1]",pictophonetic,"tree" -3807,缄,"(wooden) box; cup; old variant of 緘|缄[jian1]; letter",pictophonetic,"silk" -3808,椹,"variant of 葚[shen4]",pictophonetic,"wood" -3809,椽,"beam; rafter; classifier for rooms",pictophonetic,"wood" -3810,笺,"variant of 箋|笺[jian1]",pictophonetic,"bamboo" -3811,椿,"Chinese toon (Toona sinensis); tree of heaven (Ailanthus altissima); (literary metaphor) father",pictophonetic,"tree" -3812,楂,"fell trees; raft; to hew",pictophonetic,"wood" -3813,楂,"Chinese hawthorn",pictophonetic,"wood" -3814,匾,"basket-couch in coffin",ideographic,"A board 扁 made of bamboo 匸; 扁 also provides the pronunciation" -3815,杨,"surname Yang",pictophonetic,"tree" -3816,杨,"poplar",pictophonetic,"tree" -3817,枫,"maple (genus Acer)",pictophonetic,"tree" -3818,楔,"wedge; to hammer in (variant of 揳[xie1])",pictophonetic,"wood" -3819,楗,"material (such as rocks, earth, bamboo etc) used to hastily repair a dike; (literary) door bar (vertical bar used to prevent the horizontal movement of a door bolt)",pictophonetic,"wood" -3820,楙,"Cydonia japonica",pictophonetic,"tree" -3821,楚,"surname Chu; abbr. for Hubei 湖北省[Hu2bei3 Sheng3] and Hunan 湖南省[Hu2nan2 Sheng3] provinces together; Chinese kingdom during the Spring and Autumn and Warring States Periods (722-221 BC)",, -3822,楚,"distinct; clear; orderly; pain; suffering; deciduous bush used in Chinese medicine (genus Vitex); punishment cane (old)",, -3823,楛,"(tree)",ideographic,"A bitter 苦 plant 木; 苦 also provides the pronunciation" -3824,楛,"broken utensil",ideographic,"A bitter 苦 plant 木; 苦 also provides the pronunciation" -3825,楝,"Melia japonica",pictophonetic,"tree" -3826,楞,"variant of 稜|棱[leng2], corner; square beam; edge; arris (curve formed by two surfaces meeting at an edge); used in 楞迦[Leng2 jia1], Sri Lanka",pictophonetic,"tree" -3827,楞,"variant of 愣[leng4]; to look distracted; to stare blankly; distracted; blank",pictophonetic,"tree" -3828,楠,"Machilus nanmu; Chinese cedar; Chinese giant redwood",pictophonetic,"tree" -3829,楣,"lintel; crossbeam",pictophonetic,"wood" -3830,楦,"(wooden) shoe last; variant of 楦[xuan4]",pictophonetic,"wood" -3831,楦,"to block (a hat); to stretch (a shoe)",pictophonetic,"wood" -3832,桢,"evergreen shrub",pictophonetic,"tree" -3833,楫,"oar (archaic)",pictophonetic,"wood" -3834,业,"surname Ye",, -3835,业,"line of business; industry; occupation; job; employment; school studies; enterprise; property; (Buddhism) karma; deed; to engage in; already",, -3836,楮,"Broussonetia kasinoki",pictophonetic,"tree" -3837,梅,"variant of 梅[mei2]",pictophonetic,"tree" -3838,极,"extremely; pole (geography, physics); utmost; top",pictophonetic,"wood" -3839,楷,"Chinese pistachio tree (Pistacia chinensis)",ideographic,"The script 木 used by commoners 皆" -3840,楷,"model; pattern; regular script (calligraphic style)",ideographic,"The script 木 used by commoners 皆" -3841,楸,"Catalpa; Mallotus japonicus",pictophonetic,"tree" -3842,楹,"pillar",pictophonetic,"wood" -3843,榀,"classifier for roof beams and trusses",pictophonetic,"wood" -3844,概,"(bound form) general; approximate; without exception; categorically; (bound form) bearing; deportment",pictophonetic,"tree" -3845,榆,"elm",pictophonetic,"tree" -3846,榔,"tall tree (archaic)",pictophonetic,"tree" -3847,榕,"Rong, another name for Fuzhou 福州[Fu2 zhou1]",pictophonetic,"tree" -3848,榕,"Chinese banyan (Ficus microcarpa)",pictophonetic,"tree" -3849,矩,"variant of 矩[ju3]",pictophonetic,"arrow" -3850,榛,"(bound form) hazelnut tree (Corylus heterophylla)",pictophonetic,"tree" -3851,搒,"to row; oar; Taiwan pr. [beng4]",, -3852,搒,"to whip; Taiwan pr. [beng4]",, -3853,榜,"notice or announcement; list of names; public roll of successful examinees",ideographic,"A sign posted 旁 on a tree 木; 旁 also provides the pronunciation" -3854,榧,"Torreya nucifera",pictophonetic,"tree" -3855,榨,"to press; to extract (juice); device for extracting juice, oils etc",pictophonetic,"tree" -3856,杩,"headboard",pictophonetic,"tree" -3857,榫,"(cabinetmaking) tenon",pictophonetic,"wood" -3858,榭,"pavilion",pictophonetic,"wood" -3859,荣,"surname Rong",ideographic,"Grass 艹 and trees 木 flourishing in a garden 冖" -3860,荣,"glory; honor; thriving",ideographic,"Grass 艹 and trees 木 flourishing in a garden 冖" -3861,榱,"rafter (classical)",pictophonetic,"wood" -3862,榅,"used in 榲桲|榅桲[wen1po5]",pictophonetic,"tree" -3863,榴,"pomegranate",pictophonetic,"tree" -3864,榷,"footbridge; toll, levy; monopoly",pictophonetic,"wood" -3865,榻,"couch",ideographic,"A bed of wood 木 and feathers 羽 to sleep in at night 日" -3866,桤,"alder",pictophonetic,"tree" -3867,槁,"variant of 槁[gao3]; dried up",pictophonetic,"tree" -3868,槁,"dried up (wood); dead tree",pictophonetic,"tree" -3869,槃,"variant of 盤|盘; wooden tray",pictophonetic,"wood" -3870,槊,"long lance",pictophonetic,"wood" -3871,构,"to construct; to form; to make up; to compose; literary composition; paper mulberry (Broussonetia papyrifera)",pictophonetic,"wood" -3872,槌,"mallet; pestle; beetle (for wedging or ramming)",pictophonetic,"wood" -3873,枪,"surname Qiang",pictophonetic,"wood" -3874,枪,"gun; firearm; rifle; spear; thing with shape or function similar to a gun; CL:支[zhi1],把[ba3],桿|杆[gan3],條|条[tiao2],枝[zhi1]; to substitute for another person in a test; to knock; classifier for rifle shots",pictophonetic,"wood" -3875,槎,"a raft made of bamboo or wood; to fell trees; to hew",pictophonetic,"wood" -3876,槐,"Chinese scholar tree (Sophora japonica); Japanese pagoda tree",pictophonetic,"tree" -3877,梅,"old variant of 梅[mei2]",pictophonetic,"tree" -3878,杠,"coffin-bearing pole (old); thick pole; bar; rod; thick line; to mark with a thick line; to sharpen (a knife, razor etc); to get into a dispute with; standard; criterion; hyphen; dash",ideographic,"A wooden 木 lever 工; 工 also provides the pronunciation" -3879,槔,"water pulley",pictophonetic,"wood" -3880,桌,"old variant of 桌[zhuo1]",, -3881,槜,"see 槜李[zui4 li3]; see 槜李[Zui4 li3]",pictophonetic,"tree" -3882,梿,"see 槤枷|梿枷[lian2 jia1], flail; to thresh (using a flail)",pictophonetic,"wood" -3883,椠,"wooden tablet; edition",pictophonetic,"wood" -3884,椁,"outer coffin",pictophonetic,"wood" -3885,概,"old variant of 概[gai4]",pictophonetic,"tree" -3886,槭,"maple; also pr. [zu2]; Taiwan pr. [cu4]",pictophonetic,"tree" -3887,槲,"Mongolian oak (Quercus dentata); see also 槲樹|槲树[hu2 shu4]",pictophonetic,"tree" -3888,桨,"oar; paddle; CL:隻|只[zhi1]",pictophonetic,"wood" -3889,槺,"empty space inside a building",pictophonetic,"wood" -3890,规,"variant of 規|规[gui1]",pictophonetic,"observe" -3891,槽,"trough; manger; groove; channel; (Tw) (computing) hard drive",pictophonetic,"wood" -3892,槿,"Hibiscus syriacus; transient",pictophonetic,"tree" -3893,桩,"stump; stake; pile; classifier for events, cases, transactions, affairs etc",pictophonetic,"wood" -3894,乐,"surname Le",ideographic,"Simplified form of 樂, a musical instrument with wood 木, strings 幺, and a pick 白" -3895,乐,"surname Yue",ideographic,"Simplified form of 樂, a musical instrument with wood 木, strings 幺, and a pick 白" -3896,乐,"happy; cheerful; to laugh",ideographic,"Simplified form of 樂, a musical instrument with wood 木, strings 幺, and a pick 白" -3897,乐,"music",ideographic,"Simplified form of 樂, a musical instrument with wood 木, strings 幺, and a pick 白" -3898,枞,"fir tree",pictophonetic,"wood" -3899,枞,"used in 樅陽|枞阳[Zong1yang2]",pictophonetic,"wood" -3900,樆,"manjack or cordia (genus Cordia)",pictophonetic,"tree" -3901,樆,"rowan or mountain ash (genus Sorbus)",pictophonetic,"tree" -3902,樊,"surname Fan",pictophonetic,"big" -3903,樊,"(literary) fence",pictophonetic,"big" -3904,橹,"old variant of 櫓|橹[lu3]",pictophonetic,"wood" -3905,梁,"variant of 梁[liang2]",ideographic,"A wooden 木 bridge built 刅 over a river 氵" -3906,楼,"surname Lou",pictophonetic,"wood" -3907,楼,"house with more than 1 story; storied building; floor; CL:層|层[ceng2],座[zuo4],棟|栋[dong4]",pictophonetic,"wood" -3908,樗,"simaroubaceae",pictophonetic,"tree" -3909,樘,"a pillar",pictophonetic,"tree" -3910,樘,"pillar; door post; door or window frame; classifier for doors or windows",pictophonetic,"tree" -3911,标,"mark; sign; label; to mark with a symbol, label, lettering etc; to bear (a brand name, registration number etc); prize; award; bid; target; quota; (old) the topmost branches of a tree; visible symptom; classifier for military units",pictophonetic,"wood" -3912,樛,"surname Jiu",ideographic,"Branches 木 bowing in the wind 翏; 翏 also provides the pronunciation" -3913,樛,"to hang down",ideographic,"Branches 木 bowing in the wind 翏; 翏 also provides the pronunciation" -3914,枢,"(bound form) hinge; pivot (usu. fig.)",pictophonetic,"tree" -3915,樟,"camphor; Cinnamonum camphara",pictophonetic,"tree" -3916,模,"to imitate; model; norm; pattern",pictophonetic,"tree" -3917,模,"mold; die; matrix; pattern",pictophonetic,"tree" -3918,样,"manner; pattern; way; appearance; shape; classifier: kind, type",pictophonetic,"tree" -3919,樨,"Osmanthus fragrans",pictophonetic,"tree" -3920,樵,"firewood; gather wood",ideographic,"Wood 木 for burning 焦; 焦 also provides the pronunciation" -3921,朴,"plain and simple; Taiwan pr. [pu2]",pictophonetic,"tree" -3922,树,"tree; CL:棵[ke1]; to cultivate; to set up",pictophonetic,"tree" -3923,桦,"(botany) birch (genus Betula)",pictophonetic,"tree" -3924,樽,"goblet; bottle; wine-jar",ideographic,"A hand 寸 raising a wooden 木 wine jar 酉; 尊 also provides the pronunciation" -3925,樾,"shade of trees",pictophonetic,"tree" -3926,橄,"used in 橄欖|橄榄[gan3lan3]",pictophonetic,"tree" -3927,橇,"sled; sleigh",pictophonetic,"wood" -3928,桡,"radius (anatomy); bone of the forearm",pictophonetic,"wood" -3929,桥,"bridge; CL:座[zuo4]",pictophonetic,"wood" -3930,橐,"sack; tube open at both ends; (onom.) footsteps",, -3931,橘,"mandarin orange (Citrus reticulata); tangerine",pictophonetic,"tree" -3932,橙,"orange tree; orange (color)",pictophonetic,"tree" -3933,橛,"a peg; low post",pictophonetic,"wood" -3934,橛,"old variant of 橛[jue2]",pictophonetic,"wood" -3935,机,"surname Ji",ideographic,"A table 几 made of wood 木; 几 also provides the pronunciation" -3936,机,"(bound form) machine; mechanism; (bound form) aircraft; (bound form) an opportunity; (bound form) crucial point; pivot; (bound form) quick-witted; flexible; (bound form) organic",ideographic,"A table 几 made of wood 木; 几 also provides the pronunciation" -3937,橡,"oak; Quercus serrata",pictophonetic,"tree" -3938,椭,"ellipse",pictophonetic,"wood" -3939,蕊,"variant of 蕊[rui3]",pictophonetic,"plant" -3940,横,"horizontal; across; crosswise; horizontal stroke (in Chinese characters); to place (sth) flat (on a surface); to cross (a river, etc); in a jumble; chaotic; (in fixed expressions) harsh and unreasonable; violent",pictophonetic,"tree" -3941,横,"harsh and unreasonable; unexpected",pictophonetic,"tree" -3942,橾,"old variant of 鍬|锹[qiao1]",pictophonetic,"wood" -3943,橾,"the hole in the center of a wheel accommodating the axle (archaic)",pictophonetic,"wood" -3944,檀,"surname Tan",pictophonetic,"tree" -3945,檀,"sandalwood; hardwood; purple-red",pictophonetic,"tree" -3946,檩,"cross-beam; ridge-pole",pictophonetic,"wood" -3947,檃,"tool used for shaping wood (old)",pictophonetic,"wood" -3948,檄,"dispatch; order",, -3949,柽,"tamarisk",pictophonetic,"tree" -3950,檎,"used in 林檎[lin2qin2]",pictophonetic,"tree" -3951,檐,"eaves; ledge or brim",pictophonetic,"wood" -3952,檑,"logs rolled down in defense of city",ideographic,"A thundering 雷 log 木 trap ; 雷 also provides the pronunciation" -3953,档,"(Tw) gear (variant of 擋|挡[dang3])",pictophonetic,"wood" -3954,档,"(bound form) shelves (for files); pigeonholes; (bound form) files; crosspiece (of a table etc); (bound form) (of goods) grade; vendor's open-air stall; (Tw) timeslot for a show or program; classifier for shows; classifier for events, affairs etc; Taiwan pr. [dang3]",pictophonetic,"wood" -3955,檗,"Phellodendron amurense",pictophonetic,"tree" -3956,桧,"used in 秦檜|秦桧[Qin2 Hui4]; Taiwan pr. [Kuai4]",pictophonetic,"tree" -3957,桧,"Chinese juniper (Juniperus chinensis); (old) coffin lid decoration; Taiwan pr. [kuai4]",pictophonetic,"tree" -3958,楫,"variant of 楫[ji2]",pictophonetic,"wood" -3959,檠,"instrument for straightening bows",pictophonetic,"wood" -3960,检,"to check; to examine; to inspect; to exercise restraint",pictophonetic,"wood" -3961,樯,"boom; mast",pictophonetic,"wood" -3962,檫,"Chinese sassafras; Sassafras tzumu",pictophonetic,"tree" -3963,檬,"used in 檸檬|柠檬[ning2meng2]",pictophonetic,"tree" -3964,梼,"dunce; blockhead",pictophonetic,"wood" -3965,台,"desk; table; counter",, -3966,槟,"betel palm (Areca catechu); betel nut; Taiwan pr. [bin1]",pictophonetic,"tree" -3967,檵,"fringe flower (Loropetalum chinense), evergreen shrub",pictophonetic,"tree" -3968,檵,"variant of 杞[qi3], wolfberry shrub (Lycium chinense)",pictophonetic,"tree" -3969,柠,"used in 檸檬|柠檬[ning2meng2]",pictophonetic,"tree" -3970,槛,"banister; balustrade; cage for animal or prisoner; to transport caged prisoner on a cart",pictophonetic,"wood" -3971,槛,"door sill; threshold",pictophonetic,"wood" -3972,棹,"oar (archaic); scull; paddle; to row; a boat",pictophonetic,"wood" -3973,柜,"cupboard; cabinet; wardrobe",pictophonetic,"wood" -3974,櫆,"see 櫆師|櫆师[kui2 shi1] Polaris, the north star",pictophonetic,"star" -3975,凳,"variant of 凳[deng4]",pictophonetic,"table" -3976,橹,"scull (single oar worked from side to side over the stern of a boat) (free word)",pictophonetic,"wood" -3977,榈,"palm tree",pictophonetic,"tree" -3978,栉,"comb; to comb; to weed out; to eliminate; Taiwan pr. [jie2]",ideographic,"A wooden 木 comb 节; 节 also provides the pronunciation" -3979,椟,"cabinet; case; casket",pictophonetic,"wood" -3980,橼,"Citrus medica",pictophonetic,"tree" -3981,栎,"oak; Quercus serrata",pictophonetic,"tree" -3982,橱,"wardrobe; closet; cabinet",ideographic,"A wooden 木 cabinet 厨; 厨 also provides the pronunciation" -3983,槠,"Quercus glanca",pictophonetic,"tree" -3984,栌,"capital (of column); smoke tree",pictophonetic,"tree" -3985,枥,"type of oak; stable (for horses)",pictophonetic,"tree" -3986,橥,"Zelkova acuminata",pictophonetic,"wood" -3987,榇,"Sterculia plantanifolia; coffin",pictophonetic,"wood" -3988,蘖,"new shoot growing from cut branch or stump",pictophonetic,"tree" -3989,栊,"(literary) window; (literary) cage for animals",pictophonetic,"wood" -3990,榉,"Zeikowa acuminata",pictophonetic,"tree" -3991,棂,"(bound form) a (window) lattice; latticework",pictophonetic,"wood" -3992,樱,"cherry",pictophonetic,"tree" -3993,栏,"fence; railing; hurdle; column or box (of text or other data)",pictophonetic,"wood" -3994,权,"surname Quan",pictophonetic,"wood" -3995,权,"authority; power; right; (literary) to weigh; expedient; temporary",pictophonetic,"wood" -3996,椤,"see 桫欏|桫椤[suo1 luo2]",pictophonetic,"tree" -3997,栾,"surname Luan",pictophonetic,"tree" -3998,栾,"Koelreuteria paniculata",pictophonetic,"tree" -3999,榄,"(bound form) olive",pictophonetic,"tree" -4000,郁,"variant of 鬱|郁[yu4]",pictophonetic,"city" -4001,棂,"variant of 櫺|棂[ling2]",pictophonetic,"wood" -4002,欠,"to owe; to lack; (literary) to be deficient in; (bound form) yawn; to raise slightly (a part of one's body)",ideographic,"A man 人 yawning ⺈" -4003,次,"next in sequence; second; the second (day, time etc); secondary; vice-; sub-; infra-; inferior quality; substandard; order; sequence; hypo- (chemistry); classifier for enumerated events: time",ideographic,"A person 欠 yawning multiple times 冫" -4004,欣,"happy",pictophonetic,"lack" -4005,欲,"to wish for; to desire; variant of 慾|欲[yu4]",pictophonetic,"lack" -4006,欶,"to suck; to drink",pictophonetic,"yawn" -4007,欷,"to sob",pictophonetic,"yawn" -4008,欸,"(indicating response); (sadly sighing); also pr. [ei4]",, -4009,欸,"(literary) to rebuke loudly; (literary) to sigh",, -4010,欸,"hey (used to draw attention)",, -4011,欸,"eh; huh (used to express surprise)",, -4012,欸,"hmm (used to express disapproval)",, -4013,欸,"yes (used to express agreement)",, -4014,欹,"interjection",pictophonetic,"lack" -4015,欺,"to take unfair advantage of; to deceive; to cheat",pictophonetic,"lack" -4016,欻,"(onom.) crashing sound",ideographic,"To fan 欠 flames 炎; 欠 also provides the pronunciation" -4017,欻,"suddenly; also pr. [hu1]",ideographic,"To fan 欠 flames 炎; 欠 also provides the pronunciation" -4018,钦,"surname Qin",pictophonetic,"gold" -4019,钦,"to respect; to admire; to venerate; by the emperor himself",pictophonetic,"gold" -4020,款,"section; paragraph; funds; CL:筆|笔[bi3],個|个[ge4]; classifier for versions or models (of a product)",pictophonetic,"owe" -4021,欿,"discontented with oneself",pictophonetic,"pit" -4022,歃,"to drink",pictophonetic,"breathe" -4023,歆,"pleased; moved",pictophonetic,"lack" -4024,歇,"to rest; to take a break; to stop; to halt; (dialect) to sleep; a moment; a short while",pictophonetic,"yawn" -4025,歉,"to apologize; to regret; deficient",pictophonetic,"lack" -4026,歌,"song; CL:支[zhi1],首[shou3]; to sing",pictophonetic,"breath" -4027,叹,"variant of 嘆|叹[tan4]",ideographic,"A mouth 口 exhaling 又" -4028,欧,"Europe (abbr. for 歐洲|欧洲[Ou1zhou1]); surname Ou",, -4029,欧,"(used for transliteration); old variant of 謳|讴[ou1]",, -4030,歔,"to snort",pictophonetic,"breathe" -4031,歙,"name of a district in Anhui",pictophonetic,"breathe" -4032,歛,"to desire; to give",pictophonetic,"lack" -4033,歛,"variant of 斂|敛[lian3]",pictophonetic,"lack" -4034,欤,"(literary) (final particle similar to 嗎|吗[ma5], 呢[ne5] or 啊[a1])",pictophonetic,"lack" -4035,欢,"joyous; happy; pleased",, -4036,止,"to stop; to prohibit; until; only",pictographic,"A foot" -4037,正,"first month of the lunar year",ideographic,"A foot 止 stopping in the right place 一" -4038,正,"straight; upright; proper; main; principal; to correct; to rectify; exactly; just (at that time); right (in that place); (math.) positive",ideographic,"A foot 止 stopping in the right place 一" -4039,此,"this; these",pictophonetic,"sitting man" -4040,步,"surname Bu",ideographic,"Modern form of 歨; putting one foot 止 in front of the other" -4041,步,"a step; a pace; walk; march; stages in a process; situation",ideographic,"Modern form of 歨; putting one foot 止 in front of the other" -4042,武,"surname Wu",ideographic,"To stop someone 止 with an arrow 弋" -4043,武,"martial; military",ideographic,"To stop someone 止 with an arrow 弋" -4044,歧,"divergent; side road",pictophonetic,"stop" -4045,歨,"old variant of 步[bu4]",ideographic,"Putting one foot 止 in front of the other" -4046,歪,"askew; at a crooked angle; devious; noxious; (coll.) to lie on one's side",ideographic,"Not 不 straight 正" -4047,歪,"to sprain (one's ankle) (Tw)",ideographic,"Not 不 straight 正" -4048,歰,"archaic variant of 澀|涩[se4]",ideographic,"Two people 止 exchanging sharp words 刃" -4049,岁,"classifier for years (of age); year; year (of crop harvests)",, -4050,历,"old variant of 歷|历[li4]",pictophonetic,"calendar" -4051,历,"to experience; to undergo; to pass through; all; each; every; history",pictophonetic,"calendar" -4052,归,"surname Gui",ideographic,"Simplified form of 歸; a wife 帚 returning home; 追 provides the pronunciation" -4053,归,"to return; to go back to; to give back to; (of a responsibility) to be taken care of by; to belong to; to gather together; (used between two identical verbs) despite; to marry (of a woman) (old); division on the abacus with a one-digit divisor",ideographic,"Simplified form of 歸; a wife 帚 returning home; 追 provides the pronunciation" -4054,歹,"bad; wicked; evil; Kangxi radical 78",pictographic,"A corpse" -4055,歺,"second-round simplified character for 餐[can1]",ideographic,"A corpse; compare 歹" -4056,歺,"old variant of 歹[dai3]",ideographic,"A corpse; compare 歹" -4057,死,"to die; impassable; uncrossable; inflexible; rigid; extremely; damned",ideographic,"A person kneeling 匕 before a corpse 歹" -4058,殁,"to end; to die",pictophonetic,"death" -4059,夭,"to die prematurely (variant of 夭[yao1])",pictographic,"A person with head tilted - leaning forward, running, energetic" -4060,殂,"to die",pictophonetic,"death" -4061,殃,"calamity",pictophonetic,"death" -4062,殄,"to exterminate",pictophonetic,"death" -4063,殆,"(literary) dangerous; perilous; (literary) almost; well-nigh",pictophonetic,"death" -4064,殉,"to be buried with the dead; to die for a cause",pictophonetic,"death" -4065,殊,"different; unique; special; very; (classical) to behead; to die; to cut off; to separate; to surpass",pictophonetic,"depraved" -4066,殍,"die of starvation",pictophonetic,"death" -4067,殖,"to grow; to reproduce",pictophonetic,"corpse" -4068,殗,"sickness; repeated",pictophonetic,"death" -4069,残,"to destroy; to spoil; to ruin; to injure; cruel; oppressive; savage; brutal; incomplete; disabled; to remain; to survive; remnant; surplus",pictophonetic,"death" -4070,殛,"to put to death",pictophonetic,"death" -4071,殒,"(literary) to perish; to die",pictophonetic,"death" -4072,殇,"to die in childhood; war dead",pictophonetic,"death" -4073,殪,"to exterminate",pictophonetic,"death" -4074,殚,"entirely; to exhaust",pictophonetic,"death" -4075,僵,"variant of 僵[jiang1]",pictophonetic,"person" -4076,殓,"to prepare a dead body for coffin",pictophonetic,"corpse" -4077,殡,"a funeral; to encoffin a corpse; to carry to burial",pictophonetic,"corpse" -4078,歼,"to annihilate; abbr. for 殲擊機|歼击机[jian1 ji1 ji1], fighter plane",ideographic,"A thousand 千 corpses 歹; 千 also provides the pronunciation" -4079,殳,"surname Shu",ideographic,"A hand 又 holding a weapon 几" -4080,殳,"bamboo or wooden spear; Kangxi radical 79, occurring in 段[duan4], 毅[yi4], 殺|杀[sha1] etc",ideographic,"A hand 又 holding a weapon 几" -4081,段,"surname Duan",ideographic,"A hand using a chisel 殳 to cut stone" -4082,段,"paragraph; section; segment; stage (of a process); classifier for stories, periods of time, lengths of thread etc",ideographic,"A hand using a chisel 殳 to cut stone" -4083,殷,"surname Yin; dynasty name at the end the Shang dynasty, after its move to Yinxu 殷墟[Yin1xu1] in present-day Henan",ideographic,"A midwife 殳 to helping a pregnant woman 㐆; 㐆 also provides the pronunciation" -4084,殷,"dark red",ideographic,"A midwife 殳 to helping a pregnant woman 㐆; 㐆 also provides the pronunciation" -4085,殷,"flourishing; abundant; earnest; hospitable",ideographic,"A midwife 殳 to helping a pregnant woman 㐆; 㐆 also provides the pronunciation" -4086,殷,"roll of thunder",ideographic,"A midwife 殳 to helping a pregnant woman 㐆; 㐆 also provides the pronunciation" -4087,殸,"variant of 磬[qing4]",ideographic,"A musical 声 instrument 殳; 声 also provides the pronunciation" -4088,殹,"(archaic) (meaning unclear); (final particle)",pictophonetic,"tool" -4089,杀,"to kill; to slay; to murder; to attack; to weaken; to reduce; (dialect) to smart; (used after a verb) extremely",ideographic,"To kill 乂 someone and bury them in a coffin 木" -4090,壳,"variant of 殼|壳[qiao4]",ideographic,"A shell discarded 冗 by a soldier 士" -4091,壳,"(coll.) shell (of an egg, nut, crab etc); case; casing; housing (of a machine or device)",ideographic,"A shell discarded 冗 by a soldier 士" -4092,壳,"(bound form) shell; Taiwan pr. [ke2]",ideographic,"A shell discarded 冗 by a soldier 士" -4093,淆,"variant of 淆[xiao2]",pictophonetic,"water" -4094,肴,"variant of 肴[yao2]",pictophonetic,"meat" -4095,殿,"palace hall",, -4096,毁,"to destroy; to ruin; to defame; to slander",ideographic,"A man using a tool 殳 to strike 工 a clay vessel 臼" -4097,毅,"firm and resolute; staunch",pictophonetic,"tool" -4098,殴,"surname Ou",pictophonetic,"weapon" -4099,殴,"to beat up; to hit sb",pictophonetic,"weapon" -4100,毋,"surname Wu",, -4101,毋,"(literary) no; don't; to not have; nobody",, -4102,毌,"archaic variant of 貫|贯[guan4]",, -4103,母,"mother; elderly female relative; origin; source; (of animals) female",ideographic,"A mother's breasts" -4104,每,"each; every",pictophonetic, -4105,毒,"poison; to poison; poisonous; malicious; cruel; fierce; narcotics",pictophonetic,"a poisonous plant" -4106,毓,"(literary) to produce; to foster; to nurture",pictophonetic,"mother" -4107,比,"Belgium; Belgian; abbr. for 比利時|比利时[Bi3 li4 shi2]",ideographic,"Two spoons 匕 side-by-side; 匕 also provides the pronunciation" -4108,比,"euphemistic variant of 屄[bi1]",ideographic,"Two spoons 匕 side-by-side; 匕 also provides the pronunciation" -4109,比,"to compare; (followed by a noun and adjective) more {adj.} than {noun}; ratio; to gesture; (Taiwan pr. [bi4] in some compounds derived from Classical Chinese)",ideographic,"Two spoons 匕 side-by-side; 匕 also provides the pronunciation" -4110,毖,"careful; to prevent",pictophonetic,"compare" -4111,毗,"to adjoin; to border on",pictophonetic,"field" -4112,毗,"variant of 毗[pi2]",pictophonetic,"field" -4113,毚,"cunning; artful",ideographic,"Eating two whole rabbits 㲋 and 兔" -4114,毛,"surname Mao",, -4115,毛,"hair; feather; down; wool; mildew; mold; coarse or semifinished; young; raw; careless; unthinking; nervous; scared; (of currency) to devalue or depreciate; classifier for Chinese fractional monetary unit ( = 角[jiao3] , = one-tenth of a yuan or 10 fen 分[fen1])",, -4116,毪,"a type of woolen fabric made in Tibet",pictophonetic,"fur" -4117,毫,"hair; drawing brush; (in the) least; one thousandth; currency unit, 0.1 yuan",pictophonetic,"hair" -4118,毯,"blanket; rug",pictophonetic,"fur" -4119,毳,"crisp; brittle; fine animal hair",ideographic,"Many fine hairs 毛 forming a pelt" -4120,毹,"rug",pictophonetic,"fur" -4121,毽,"shuttlecock",pictophonetic,"feathers" -4122,毵,"long-haired; shaggy",pictophonetic,"feathers" -4123,牦,"yak (Bos grunniens)",ideographic,"The fur 毛 of an ox 牛; 毛 also provides the pronunciation" -4124,氅,"overcoat",pictophonetic,"fur" -4125,氆,"used in 氆氌|氆氇[pu3 lu5]",pictophonetic,"fur" -4126,毡,"felt (fabric)",pictophonetic,"fur" -4127,毡,"variant of 氈|毡[zhan1]",pictophonetic,"fur" -4128,氇,"used in 氆氌|氆氇[pu3lu5]",pictophonetic,"fur" -4129,氍,"woolen rug",pictophonetic,"fur" -4130,氏,"clan name; maiden name",ideographic,"A person bowing down" -4131,氏,"see 月氏[Yue4 zhi1] and 閼氏|阏氏[yan1 zhi1]",ideographic,"A person bowing down" -4132,氐,"name of an ancient tribe",pictophonetic,"clan" -4133,氐,"foundation; on the whole",pictophonetic,"clan" -4134,民,"surname Min",ideographic,"An eye 巳 pierced by a dagger 戈, an old mark of slavery" -4135,民,"(bound form) the people; inhabitants of a country",ideographic,"An eye 巳 pierced by a dagger 戈, an old mark of slavery" -4136,氓,"used in 流氓[liu2 mang2]",pictophonetic,"citizens" -4137,氓,"common people",pictophonetic,"citizens" -4138,氕,"protium 1H; light hydrogen, the most common isotope of hydrogen, having no neutron, so atomic weight 1",pictophonetic,"gas" -4139,氖,"neon (chemistry)",pictophonetic,"gas" -4140,氘,"deuterium 2H; heavy hydrogen, isotope of hydrogen having 1 neutron in its nucleus, so atomic weight 2",pictophonetic,"gas" -4141,氙,"xenon (chemistry)",pictophonetic,"gas" -4142,氚,"(chemistry) tritium",pictophonetic,"gas" -4143,氛,"miasma; vapor",pictophonetic,"air" -4144,氜,"old name for 氦[hai4], helium",ideographic,"The gas 气 that comprises the sun 日" -4145,氜,"old variant of 陽|阳[yang2]",ideographic,"The gas 气 that comprises the sun 日" -4146,氟,"fluorine (chemistry)",pictophonetic,"gas" -4147,氡,"radon (chemistry)",pictophonetic,"gas" -4148,气,"gas; air; smell; weather; to make angry; to annoy; to get angry; vital energy; qi",ideographic,"A person 亻 breathing air" -4149,氤,"used in 氤氳|氤氲[yin1 yun1]",pictophonetic,"gas" -4150,氦,"helium (chemistry)",pictophonetic,"gas" -4151,氧,"oxygen (chemistry)",pictophonetic,"gas" -4152,氨,"ammonia",pictophonetic,"gas" -4153,氪,"krypton (chemistry)",pictophonetic,"gas" -4154,氢,"hydrogen (chemistry)",pictophonetic,"gas" -4155,氩,"argon (chemistry)",pictophonetic,"gas" -4156,氮,"nitrogen (chemistry)",pictophonetic,"gas" -4157,氯,"chlorine (chemistry)",pictophonetic,"gas" -4158,氰,"cyanogen (CN)2; ethanedinitrile; Taiwan pr. [qing1]",pictophonetic,"gas" -4159,氲,"used in 氤氳|氤氲[yin1 yun1]",pictophonetic,"air" -4160,水,"surname Shui",pictographic,"A river running between two banks; compare 川" -4161,水,"water; river; liquid; beverage; additional charges or income; (of clothes) classifier for number of washes",pictographic,"A river running between two banks; compare 川" -4162,氵,"""water"" radical in Chinese characters (Kangxi radical 85), occurring in 沒|没[mei2], 法[fa3], 流[liu2] etc; see also 三點水|三点水[san1 dian3 shui3]",, -4163,冰,"variant of 冰[bing1]",ideographic,"Ice-cold冫 water 水" -4164,永,"forever; always; perpetual",, -4165,氹,"variant of 凼[dang4]",ideographic,"A furrow 乙 filled with water 水" -4166,氺,"archaic variant of 水[shui3]",ideographic,"A river running between two banks; compare 川 and 水" -4167,氽,"to float; to deep-fry",pictophonetic,"water" -4168,泛,"variant of 泛[fan4]",pictophonetic,"water" -4169,氿,"mountain spring",pictophonetic,"water" -4170,汀,"sandbar; shoal; sandbank",pictophonetic,"water" -4171,汁,"juice",pictophonetic,"water" -4172,求,"to seek; to look for; to request; to demand; to beseech",, -4173,汆,"quick-boil; to boil for a short time",pictophonetic,"water" -4174,汊,"branching stream",ideographic,"A stream 氵 that forks 叉; 叉 also provides the pronunciation" -4175,泛,"variant of 泛[fan4]",pictophonetic,"water" -4176,汐,"night tides; evening ebbtide; Taiwan pr. [xi4]",ideographic,"The evening 夕 tide 氵; 夕 also provides the pronunciation" -4177,汔,"near",pictophonetic,"water" -4178,汕,"bamboo fish trap; used in names of places connected with Shantou 汕頭|汕头[Shan4 tou2]",pictophonetic,"water" -4179,汗,"see 可汗[ke4 han2], 汗國|汗国[han2 guo2]",pictophonetic,"water" -4180,汗,"perspiration; sweat; CL:滴[di1],頭|头[tou2],身[shen1]; to be speechless (out of helplessness, embarrassment etc) (Internet slang used as an interjection)",pictophonetic,"water" -4181,污,"variant of 污[wu1]",pictophonetic,"water" -4182,汛,"high water; flood; to sprinkle water",pictophonetic,"water" -4183,汜,"stream which returns after branching",pictophonetic,"water" -4184,汝,"thou",pictophonetic,"water" -4185,汞,"mercury (chemistry)",pictophonetic,"water" -4186,江,"surname Jiang",pictophonetic,"water" -4187,江,"river; CL:條|条[tiao2],道[dao4]",pictophonetic,"water" -4188,池,"surname Chi",pictophonetic,"water" -4189,池,"pond; reservoir; moat",pictophonetic,"water" -4190,污,"dirty; filthy; foul; corrupt; to smear; to defile; dirt; filth",pictophonetic,"water" -4191,汧,"name of a river flowing through Gansu to Shaanxi Province",pictophonetic,"water" -4192,汧,"marsh; float",pictophonetic,"water" -4193,汨,"name of a river, the southern tributary of Miluo river 汨羅江|汨罗江[Mi4 luo2 jiang1]",pictophonetic,"water" -4194,汩,"confused; extinguished; (onom.) used in 汩汩[gu3 gu3]",ideographic,"The sound 曰 of a stream 氵" -4195,汪,"surname Wang",pictophonetic,"water" -4196,汪,"expanse of water; ooze; (onom.) bark; classifier for liquids: pool, puddle",pictophonetic,"water" -4197,汰,"to discard; to eliminate",pictophonetic,"water" -4198,汲,"surname Ji",pictophonetic,"water" -4199,汲,"to draw (water)",pictophonetic,"water" -4200,汴,"name of a river in Henan; Henan",pictophonetic,"water" -4201,汶,"Wen River in northwest Sichuan (same as 汶川); classical name of river in Shandong, used to refer to Qi 齊國|齐国",pictophonetic,"water" -4202,决,"to decide; to determine; to execute (sb); (of a dam etc) to breach or burst; definitely; certainly",, -4203,汽,"steam; vapor",ideographic,"Liquid 氵 gas 气; 气 also provides the pronunciation" -4204,汾,"name of a river",pictophonetic,"water" -4205,沁,"to seep; to percolate",pictophonetic,"water" -4206,沂,"Yi River, Shandong",pictophonetic,"water" -4207,沃,"fertile; rich; to irrigate; to wash (of river)",pictophonetic,"water" -4208,沅,"Yuan river in Guizhou and Hunan",pictophonetic,"water" -4209,沆,"a ferry; fog; flowing",pictophonetic,"water" -4210,沇,"surname Yan",pictophonetic,"water" -4211,沇,"archaic variant of 兗|兖[yan3]",pictophonetic,"water" -4212,沈,"surname Shen",pictophonetic,"water" -4213,沈,"variant of 沉[chen2]",pictophonetic,"water" -4214,沉,"to submerge; to immerse; to sink; to keep down; to lower; to drop; deep; profound; heavy",ideographic,"An excessive 冗 amount of water 氵" -4215,沌,"used in 混沌[hun4dun4]",pictophonetic,"water" -4216,沏,"to steep (tea)",pictophonetic,"water" -4217,沐,"to bathe; to cleanse; to receive; to be given",pictophonetic,"water" -4218,没,"(negative prefix for verbs) have not; not",pictophonetic,"water" -4219,没,"drowned; to end; to die; to inundate",pictophonetic,"water" -4220,沓,"surname Ta",, -4221,沓,"classifier for sheets of papers etc: pile, pad; Taiwan pr. [ta4]",, -4222,沓,"again and again; many",, -4223,沔,"inundation; name of a river",pictophonetic,"water" -4224,冲,"(of water) to dash against; to mix with water; to infuse; to rinse; to flush; to develop (a film); to rise in the air; to clash; to collide with",pictophonetic,"water" -4225,沙,"surname Sha",pictophonetic,"water" -4226,沙,"granule; hoarse; raspy; sand; powder; CL:粒[li4]; abbr. for Tsar or Tsarist Russia",pictophonetic,"water" -4227,沛,"copious; abundant",ideographic,"Circulating 巿 water 氵, representing a flood" -4228,沫,"foam; suds",pictophonetic,"water" -4229,沭,"river in Shandong",pictophonetic,"water" -4230,沮,"to destroy; to stop",pictophonetic,"water" -4231,沱,"tearful; to branch (of river)",pictophonetic,"water" -4232,河,"river; CL:條|条[tiao2],道[dao4]",pictophonetic,"water" -4233,沸,"to boil",pictophonetic,"water" -4234,油,"oil; fat; grease; petroleum; to apply tung oil, paint or varnish; oily; greasy; glib; cunning",pictophonetic,"water" -4235,治,"to rule; to govern; to manage; to control; to harness (a river); to treat (a disease); to wipe out (a pest); to punish; to research",ideographic,"A structure 台 that directs the flow of water 氵" -4236,沼,"pond; pool",pictophonetic,"water" -4237,沽,"abbr. for Tianjin 天津 (also 津沽)",pictophonetic,"water" -4238,沽,"to buy; to sell",pictophonetic,"water" -4239,沾,"to moisten; to be infected by; to receive benefit or advantage through a contact; to touch",pictophonetic,"water" -4240,沿,"along; to follow (a line, tradition etc); to carry on; to trim (a border with braid, tape etc); border; edge",pictophonetic,"water" -4241,况,"moreover; situation",, -4242,泄,"variant of 洩|泄[xie4]",pictophonetic,"water" -4243,泅,"to swim (bound form)",pictophonetic,"water" -4244,泆,"licentious, libertine, dissipate",pictophonetic,"water" -4245,泉,"spring (small stream); mouth of a spring; coin (archaic)",ideographic,"Water 水 flowing from a spring 白" -4246,泊,"to anchor; touch at; to moor",pictophonetic,"water" -4247,泊,"lake; Taiwan pr. [bo2]",pictophonetic,"water" -4248,泌,"used in 泌陽|泌阳[Bi4 yang2]",pictophonetic,"water" -4249,泌,"(bound form) to secrete",pictophonetic,"water" -4250,泐,"to write",ideographic,"To deposit 氵 a new silt layer 阞; 阞 also provides the pronunciation" -4251,泓,"clear; vast and deep; classifier for a body of clear water",ideographic,"Expansive 弘 water 氵; 弘 also provides the pronunciation" -4252,泔,"slop from rinsing rice",ideographic,"Sweet 甘 water 氵; 甘 also provides the pronunciation" -4253,法,"France; French; abbr. for 法國|法国[Fa3 guo2]; Taiwan pr. [Fa4]",ideographic,"The course 去 followed by a stream 氵" -4254,法,"law; method; way; to emulate; (Buddhism) dharma; (abbr. for 法家[Fa3 jia1]) the Legalists; (physics) farad (abbr. for 法拉[fa3 la1])",ideographic,"The course 去 followed by a stream 氵" -4255,泖,"still water",pictophonetic,"water" -4256,泗,"river in Shandong",pictophonetic,"water" -4257,泗,"nasal mucus",pictophonetic,"water" -4258,泙,"sound of water splashing",pictophonetic,"water" -4259,泛,"(bound form) general; non-specific; extensive; pan-; to flood; (literary) to float about; to be suffused with (a color, emotion, odor etc)",pictophonetic,"water" -4260,泠,"surname Ling",pictophonetic,"water" -4261,泠,"sound of water flowing",pictophonetic,"water" -4262,泡,"puffed; swollen; spongy; small lake (esp. in place names); classifier for urine or feces",pictophonetic,"water" -4263,泡,"bubble; foam; blister; to soak; to steep; to infuse; to dawdle; to loiter; to pick up (a girl); to get off with (a sexual partner); classifier for occurrences of an action; classifier for number of infusions",pictophonetic,"water" -4264,波,"Poland; Polish; abbr. for 波蘭|波兰[Bo1 lan2]",pictophonetic,"water" -4265,波,"wave; ripple; storm; surge",pictophonetic,"water" -4266,泣,"to sob",pictophonetic,"water" -4267,泥,"mud; clay; paste; pulp",pictophonetic,"water" -4268,泥,"restrained",pictophonetic,"water" -4269,注,"to inject; to pour into; to concentrate; to pay attention; stake (gambling); classifier for sums of money; variant of 註|注[zhu4]",pictophonetic,"water" -4270,泫,"weep",pictophonetic,"water" -4271,泮,"(literary) to melt; to dissolve",pictophonetic,"water" -4272,泯,"(bound form) to vanish; to die out; to obliterate",pictophonetic,"water" -4273,泰,"Mt Tai 泰山[Tai4 Shan1] in Shandong; abbr. for Thailand",ideographic,"Water 氺 contained by a dam" -4274,泰,"safe; peaceful; most; grand",ideographic,"Water 氺 contained by a dam" -4275,泱,"agitated (wind, cloud); boundless",pictophonetic,"water" -4276,泳,"swimming; to swim",pictophonetic,"water" -4277,泵,"pump (loanword)",ideographic,"To pull water 水 out of stone 石" -4278,洄,"eddying; whirling (of water); to go against the current",ideographic,"Swirling 回 water 氵; 回 also provides the pronunciation" -4279,洇,"variant of 湮[yan1]",pictophonetic,"water" -4280,洇,"to soak; to blotch; to splotch",pictophonetic,"water" -4281,洋,"ocean; vast; foreign; silver dollar or coin",pictophonetic,"water" -4282,洌,"pure; to cleanse",pictophonetic,"water" -4283,洎,"to reach; when",pictophonetic,"water" -4284,洗,"to wash; to bathe; to develop (photographs); to shuffle (cards etc); to erase (a recording)",pictophonetic,"water" -4285,洙,"surname Zhu",pictophonetic,"water" -4286,洙,"name of a river",pictophonetic,"water" -4287,洚,"flood",pictophonetic,"water" -4288,洛,"surname Luo; old name of several rivers (in Henan, Shaanxi, Sichuan and Anhui)",pictophonetic,"water" -4289,洛,"used in transliteration",pictophonetic,"water" -4290,洞,"cave; hole; zero (unambiguous spoken form when spelling out numbers); CL:個|个[ge4]",pictophonetic,"water" -4291,洣,"Mi river in Hunan, tributary of Xiangjiang 湘江",pictophonetic,"water" -4292,津,"abbr. for Tianjin 天津[Tian1 jin1]",pictophonetic,"water" -4293,津,"saliva; sweat; a ferry crossing; a ford (river crossing)",pictophonetic,"water" -4294,洧,"name of a river",pictophonetic,"water" -4295,洨,"Xiao River in Hebei province",pictophonetic,"water" -4296,洨,"(Tw) (vulgar) semen (from Taiwanese 潲, Tai-lo pr. [siâu])",pictophonetic,"water" -4297,泄,"(bound form) to leak out; to discharge; (fig.) to divulge",pictophonetic,"water" -4298,洪,"surname Hong",ideographic,"All 共 the water 氵; 共 also provides the pronunciation" -4299,洪,"flood; big; great",ideographic,"All 共 the water 氵; 共 also provides the pronunciation" -4300,洫,"to ditch; a moat",pictophonetic,"water" -4301,洮,"to cleanse; name of a river",pictophonetic,"water" -4302,洱,"see 洱海[Er3 hai3]",pictophonetic,"water" -4303,洲,"continent; island in a river",ideographic,"A state 州 surrounded by water 氵; 州 also provides the pronunciation" -4304,洳,"damp; boggy; marshy",pictophonetic,"water" -4305,洵,"truly; whirlpool",pictophonetic,"water" -4306,汹,"torrential rush; tumultuous",pictophonetic,"water" -4307,洹,"name of a river",pictophonetic,"water" -4308,活,"to live; alive; living; work; workmanship",pictophonetic,"water" -4309,洼,"variant of 窪|洼[wa1]",pictophonetic,"water" -4310,洽,"accord; to make contact; to agree; to consult with; extensive",ideographic,"To combine 合 two solutions 氵" -4311,派,"used in 派司[pa1 si5]",, -4312,派,"clique; school; group; faction; to dispatch; to send; to assign; to appoint; pi (Greek letter Ππ); the circular ratio pi = 3.1415926; (loanword) pie",, -4313,流,"to flow; to disseminate; to circulate or spread; to move or drift; to degenerate; to banish or send into exile; stream of water or sth resembling one; class, rate or grade",pictophonetic,"water" -4314,浙,"abbr. for Zhejiang 浙江 province in east China",pictophonetic,"water" -4315,浚,"to dredge (a river)",pictophonetic,"water" -4316,浜,"stream; creek",pictophonetic,"water" -4317,浜,"Japanese variant of 濱|滨[bin1]; used in Japanese place names such as Yokohama 橫浜|横浜[Heng2 bin1] with phonetic value hama",pictophonetic,"water" -4318,浞,"(coll.) to drench",pictophonetic,"water" -4319,浠,"name of a river in Hubei",pictophonetic,"water" -4320,浣,"to wash; to rinse; any of three 10-day division of the month (during Tang dynasty); Taiwan pr. [huan3]; also pr. [wan3]",pictophonetic,"water" -4321,浦,"surname Pu",pictophonetic,"water" -4322,浦,"river bank; shore; river drainage ditch (old)",pictophonetic,"water" -4323,浩,"grand; vast (water)",pictophonetic,"water" -4324,浪,"wave; breaker; unrestrained; dissipated; to stroll; to ramble",pictophonetic,"water" -4325,浮,"to float; superficial; floating; unstable; movable; provisional; temporary; transient; impetuous; hollow; inflated; to exceed; superfluous; excessive; surplus",pictophonetic,"water" -4326,浯,"(name of several rivers in China)",pictophonetic,"water" -4327,浴,"bath; to bathe",pictophonetic,"water" -4328,海,"surname Hai",pictophonetic,"water" -4329,海,"ocean; sea; CL:個|个[ge4],片[pian4]; great number of people or things; (dialect) numerous",pictophonetic,"water" -4330,浸,"to immerse; to soak; to steep; gradually",pictophonetic,"water" -4331,浃,"soaked; to wet; to drench; Taiwan pr. [jia2]",pictophonetic,"water" -4332,浼,"to ask a favor of",pictophonetic,"water" -4333,浽,"see 浽溦[sui1 wei1]",pictophonetic,"water" -4334,涂,"surname Tu",pictophonetic,"water" -4335,涂,"variant of 途[tu2]",pictophonetic,"water" -4336,涅,"(literary) alunite (formerly used as a black dye); (literary) to dye black",pictophonetic,"water" -4337,泾,"Jing River",pictophonetic,"water" -4338,消,"to diminish; to subside; to consume; to reduce; to idle away (the time); (after 不[bu4] or 只[zhi3] or 何[he2] etc) to need; to require; to take",pictophonetic,"water" -4339,涉,"(literary) to wade across a body of water; (bound form) to experience; to undergo; to be involved; to concern",ideographic,"To wade 步 through a stream 氵" -4340,涌,"(used in place names)",pictophonetic,"water" -4341,涌,"variant of 湧|涌[yong3]",pictophonetic,"water" -4342,涎,"saliva",pictophonetic,"water" -4343,涑,"name of a river",pictophonetic,"water" -4344,涓,"surname Juan",pictophonetic,"water" -4345,涓,"brook; to select",pictophonetic,"water" -4346,涔,"overflow; rainwater; tearful",pictophonetic,"water" -4347,涕,"tears; nasal mucus",pictophonetic,"water" -4348,莅,"river in Hebei",ideographic,"A place 位 where grass 艹 grows; 立 also provides the pronunciation" -4349,莅,"variant of 蒞|莅[li4], to attend",ideographic,"A place 位 where grass 艹 grows; 立 also provides the pronunciation" -4350,涪,"(name of a river)",pictophonetic,"water" -4351,涫,"(classical) to boil",pictophonetic,"water" -4352,涮,"to rinse; to trick; to fool sb; to cook by dipping finely sliced ingredients briefly in boiling water or soup (generally done at the dining table)",pictophonetic,"water" -4353,涯,"border; horizon; shore",pictophonetic,"water" -4354,液,"(bound form) a liquid; also pr. [yi4]",pictophonetic,"water" -4355,涵,"to contain; to include; culvert",pictophonetic,"water" -4356,涸,"to dry; to dry up",ideographic,"To run out 氵 of strength 固; 固 also provides the pronunciation" -4357,凉,"the five Liang of the Sixteen Kingdoms, namely: Former Liang 前涼|前凉 (314-376), Later Liang 後涼|后凉 (386-403), Northern Liang 北涼|北凉 (398-439), Southern Liang 南涼|南凉[Nan2 Liang2] (397-414), Western Liang 西涼|西凉 (400-421)",pictophonetic,"ice" -4358,凉,"cool; cold",pictophonetic,"ice" -4359,凉,"to let sth cool down",pictophonetic,"ice" -4360,涿,"place name",pictophonetic,"water" -4361,淀,"shallow lake",pictophonetic,"water" -4362,淄,"black; name of a river",pictophonetic,"water" -4363,淅,"(onom.) sound of rain, sleet etc",pictophonetic,"water" -4364,淆,"confused and disorderly; mixed; Taiwan pr. [yao2]",pictophonetic,"water" -4365,淇,"name of a river",pictophonetic,"water" -4366,淋,"to sprinkle; to drip; to pour; to drench",pictophonetic,"water" -4367,淋,"to filter; to strain; to drain; gonorrhea; (TCM) strangury",pictophonetic,"water" -4368,淌,"to drip; to trickle; to shed (tears)",pictophonetic,"water" -4369,淑,"(bound form) (of women) gentle; kind; lovely; admirable; (used in given names); Taiwan pr. [shu2]",pictophonetic,"water" -4370,凄,"intense cold; frigid; dismal; grim; bleak; sad; mournful",pictophonetic,"ice" -4371,淖,"surname Nao",pictophonetic,"water" -4372,淖,"slush; mud",pictophonetic,"water" -4373,淘,"to wash; to clean out; to cleanse; to eliminate; to dredge",pictophonetic,"water" -4374,淙,"noise of water",pictophonetic,"water" -4375,泪,"tears",ideographic,"Water 氵 from the eyes 目" -4376,浙,"variant of 浙[Zhe4]",pictophonetic,"water" -4377,淝,"name of a river",pictophonetic,"water" -4378,淞,"name of a river in Jiangsu Province",pictophonetic,"water" -4379,淞,"variant of 凇[song1]",pictophonetic,"water" -4380,淠,"luxuriant (of water plants)",pictophonetic,"water" -4381,淡,"insipid; diluted; weak; mild; light in color; tasteless; indifferent; (variant of 氮[dan4]) nitrogen",pictophonetic,"water" -4382,淤,"silt; river sludge; to silt up; choked with silt; variant of 瘀[yu1]",pictophonetic,"water" -4383,渌,"clear (water); strain liquids",pictophonetic,"water" -4384,淦,"name of a river",pictophonetic,"water" -4385,净,"clean; completely; only; net (income, exports etc); (Chinese opera) painted face male role",pictophonetic,"water" -4386,淩,"variant of 凌[ling2]",pictophonetic,"water" -4387,沦,"to sink (into ruin, oblivion); to be reduced to",pictophonetic,"water" -4388,淫,"excess; excessive; wanton; lewd; lascivious; obscene; depraved",, -4389,淬,"dip into water; to temper",pictophonetic,"water" -4390,淮,"name of a river",pictophonetic,"water" -4391,淯,"name of river; old name of Baihe 白河 in Henan; same as 育水",pictophonetic,"water" -4392,深,"deep (lit. and fig.)",ideographic,"Deep 罙 water 氵" -4393,淳,"genuine; pure; honest",pictophonetic,"water" -4394,渊,"deep pool; deep; profound",pictophonetic,"water" -4395,涞,"brook; ripple",pictophonetic,"water" -4396,混,"muddy; turbid (variant of 渾|浑[hun2]); brainless; foolish (variant of 渾|浑[hun2]); Taiwan pr. [hun4]",pictophonetic,"water" -4397,混,"to mix; to mingle; muddled; to drift along; to muddle along; to pass for; to get along with sb; thoughtless; reckless",pictophonetic,"water" -4398,淹,"to flood; to submerge; to drown; to irritate the skin (of liquids); to delay",pictophonetic,"water" -4399,浅,"sound of moving water",pictophonetic,"water" -4400,浅,"shallow; light (color)",pictophonetic,"water" -4401,添,"to add; to increase; to replenish",pictophonetic,"water" -4402,淼,"a flood; infinity",ideographic,"Water 水 everywhere" -4403,清,"Qing (Wade-Giles: Ch'ing) dynasty of China (1644-1911); surname Qing",pictophonetic,"water" -4404,清,"(of water etc) clear; clean; quiet; still; pure; uncorrupted; clear; distinct; to clear; to settle (accounts)",pictophonetic,"water" -4405,渖,"old variant of 瀋|沈[shen3]",pictophonetic,"water" -4406,涣,"to dissipate; to dissolve",pictophonetic,"water" -4407,渚,"islet; bank",pictophonetic,"water" -4408,减,"to lower; to decrease; to reduce; to subtract; to diminish",pictophonetic,"ice" -4409,渝,"short name for Chongqing 重慶|重庆[Chong2 qing4]; old name of Jialing River 嘉陵江[Jia1 ling2 Jiang1] in Sichuan",pictophonetic,"water" -4410,渠,"surname Qu",ideographic,"A ditch 洰 made of wood 木; 洰 also provides the pronunciation" -4411,渠,"how can it be that?",ideographic,"A ditch 洰 made of wood 木; 洰 also provides the pronunciation" -4412,渠,"(artificial) stream; canal; drain; ditch (CL:條|条[tiao2]); (literary) big; great; (dialect) he; she; him; her; (old) rim of a carriage wheel; felloe",ideographic,"A ditch 洰 made of wood 木; 洰 also provides the pronunciation" -4413,渡,"to cross; to pass through; to ferry",pictophonetic,"water" -4414,渣,"slag (in mining or smelting); dregs",pictophonetic,"water" -4415,渤,"same as 渤海[Bo2 Hai3], Bohai Sea between Liaoning and Shandong; Gulf of Zhili or Chihli",pictophonetic,"water" -4416,渥,"to enrich; to moisten",pictophonetic,"water" -4417,涡,"name of a river",ideographic,"A mouth 呙 made of water 氵" -4418,涡,"eddy; whirlpool",ideographic,"A mouth 呙 made of water 氵" -4419,渫,"surname Xie",pictophonetic,"water" -4420,渫,"to get rid of; to discharge; to dredge",pictophonetic,"water" -4421,测,"to survey; to measure; to conjecture",pictophonetic,"water" -4422,渭,"the Wei River in Shaanxi through the Guanzhong Plain 關中平原|关中平原[Guan1 zhong1 Ping2 yuan2]",pictophonetic,"water" -4423,港,"Hong Kong (abbr. for 香港[Xiang1gang3]); surname Gang",pictophonetic,"water" -4424,港,"harbor; port; CL:個|个[ge4]",pictophonetic,"water" -4425,渲,"wash (color)",pictophonetic,"water" -4426,渴,"thirsty",pictophonetic,"water" -4427,游,"surname You",ideographic,"To swim freely 斿 through the seas 氵" -4428,游,"to swim; variant of 遊|游[you2]",ideographic,"To swim freely 斿 through the seas 氵" -4429,渺,"(of an expanse of water) vast; distant and indistinct; tiny or insignificant",pictophonetic,"water" -4430,浑,"muddy; turbid; brainless; foolish; (bound form) simple; natural; (bound form) whole; entire; all over",pictophonetic,"water" -4431,湃,"used in 澎湃[peng2pai4]",pictophonetic,"water" -4432,湄,"brink; edge",pictophonetic,"water" -4433,湉,"(literary) smoothly flowing, placid (water)",ideographic,"Calm 恬 water 氵; 恬 also provides the pronunciation" -4434,凑,"to gather together, pool or collect; to happen by chance; to move close to; to exploit an opportunity",pictophonetic,"ice" -4435,湍,"to rush (of water)",pictophonetic,"water" -4436,湎,"drunk",ideographic,"A man's face 面 after drinking 氵; 面 also provides the pronunciation" -4437,湓,"flowing of water; name of a river",pictophonetic,"water" -4438,湔,"to wash; to redress (a wrong); name of a river",pictophonetic,"water" -4439,湖,"lake; CL:個|个[ge4],片[pian4]",pictophonetic,"water" -4440,湘,"abbr. for Hunan 湖南 province in south central China; abbr. for Xiangjiang river in Hunan province",pictophonetic,"water" -4441,湛,"surname Zhan",ideographic,"A deep 甚 lake 氵; 甚 also provides the pronunciation" -4442,湛,"deep; clear (water)",ideographic,"A deep 甚 lake 氵; 甚 also provides the pronunciation" -4443,浈,"river in Guangdong province",pictophonetic,"water" -4444,湟,"name of a river",pictophonetic,"water" -4445,湣,"(ancient character used in posthumous titles of monarchs); old variant of 憫|悯[min3]",pictophonetic,"water" -4446,涌,"to bubble up; to rush forth",pictophonetic,"water" -4447,湫,"marsh",pictophonetic,"water" -4448,湮,"(literary) to sink into oblivion; (literary) to silt up; Taiwan pr. [yin1]",ideographic,"A dammed 垔 stream 氵; 垔 also provides the pronunciation" -4449,湮,"variant of 洇[yin1]",ideographic,"A dammed 垔 stream 氵; 垔 also provides the pronunciation" -4450,汤,"surname Tang",pictophonetic,"water" -4451,汤,"rushing current",pictophonetic,"water" -4452,汤,"soup; hot or boiling water; decoction of medicinal herbs; water in which sth has been boiled",pictophonetic,"water" -4453,湴,"mud; slush; ooze",pictophonetic,"water" -4454,湴,"to wade through water or mud",pictophonetic,"water" -4455,淳,"old variant of 淳[chun2]",pictophonetic,"water" -4456,涅,"variant of 涅[nie4]",pictophonetic,"water" -4457,沩,"name of a river in Shanxi",pictophonetic,"water" -4458,溉,"to irrigate",pictophonetic,"water" -4459,溏,"half congealed; pond",pictophonetic,"water" -4460,源,"root; source; origin",pictophonetic,"water" -4461,准,"accurate; standard; definitely; certainly; about to become (bride, son-in-law etc); quasi-; para-",pictophonetic,"water in a spirit level" -4462,溘,"suddenly",pictophonetic,"water" -4463,溜,"to slip away; to escape in stealth; to skate",pictophonetic,"water" -4464,溜,"used in 冰溜[bing1 liu4]",pictophonetic,"water" -4465,沟,"ditch; gutter; groove; gully; ravine; CL:道[dao4]",pictophonetic,"water" -4466,溟,"to drizzle; sea",ideographic,"A gloomy 冥 rainy 氵 day" -4467,溢,"to overflow; (literary) excessive; old variant of 鎰|镒[yi4]",pictophonetic,"water" -4468,溥,"surname Pu",pictophonetic,"water" -4469,溥,"extensive; pervading",pictophonetic,"water" -4470,溦,"drizzle; fine rain",pictophonetic,"water" -4471,溧,"name of a river",pictophonetic,"water" -4472,溪,"creek; rivulet",pictophonetic,"water" -4473,温,"surname Wen",pictophonetic,"water" -4474,温,"warm; lukewarm; to warm up; (bound form) temperature; (bound form) mild; soft; tender; to review (a lesson etc); (TCM) fever; epidemic; pestilence (old variant of 瘟[wen1])",pictophonetic,"water" -4475,浉,"Shi, name of river in Xinyang 信陽|信阳, Henan",pictophonetic,"water" -4476,溯,"to go upstream; to trace the source",ideographic,"To seek the source 朔 of a river 氵" -4477,溱,"name of a river",pictophonetic,"water" -4478,溲,"to urinate",pictophonetic,"water" -4479,溴,"bromine (chemistry)",ideographic,"A noxious 臭 liquid 氵; 臭 also provides the pronunciation" -4480,溶,"to dissolve; soluble",pictophonetic,"water" -4481,溷,"privy; animal pen; muddy; disordered; to disturb",ideographic,"Water 氵 flowing through a pig-sty 圂; 圂 also provides the pronunciation" -4482,溺,"to drown; to indulge; addicted to; to spoil (a child)",pictophonetic,"water" -4483,溺,"variant of 尿[niao4]",pictophonetic,"water" -4484,溻,"(of clothes) to be soaked with sweat",pictophonetic,"water" -4485,湿,"variant of 濕|湿[shi1]",pictophonetic,"water" -4486,溽,"damp; muggy",pictophonetic,"water" -4487,滁,"name of a river in Anhui",pictophonetic,"water" -4488,滂,"rushing (water)",pictophonetic,"water" -4489,沧,"blue-green or azure (of water); vast (of water); cold",pictophonetic,"water" -4490,灭,"to extinguish or put out; to go out (of a fire etc); to exterminate or wipe out; to drown",ideographic,"To cover 一 a flame 火" -4491,滇,"abbr. for Yunnan Province 雲南|云南[Yun2 nan2] in southwest China",pictophonetic,"water" -4492,滊,"name of a river",pictophonetic,"water" -4493,滊,"saline pond",pictophonetic,"water" -4494,滋,"to grow; to nourish; to increase; to cause; juice; taste; (dialect) to spout; to spurt",pictophonetic,"water" -4495,涤,"to wash; to cleanse",pictophonetic,"water" -4496,荥,"place name",pictophonetic,"water" -4497,滏,"name of a river in Hebei",pictophonetic,"water" -4498,滑,"surname Hua",pictophonetic,"water" -4499,滑,"to slip; to slide; slippery; smooth; sly; slippery; not to be trusted",pictophonetic,"water" -4500,滓,"dregs; sediment",pictophonetic,"water" -4501,滔,"(bound form) to inundate; deluge; torrent",pictophonetic,"water" -4502,滕,"vassal state of Zhou in Shandong; Teng County in Shandong; surname Teng",, -4503,汇,"variant of 匯|汇[hui4]",ideographic,"Water 氵 collected in a container 匚" -4504,淫,"variant of 淫[yin2]",, -4505,沪,"short name for Shanghai",pictophonetic,"water" -4506,滞,"sluggish",pictophonetic,"water" -4507,渗,"to seep; to ooze; to horrify",pictophonetic,"water" -4508,滴,"a drop; to drip",pictophonetic,"water" -4509,卤,"to stew in soy sauce and spices",pictographic,"A container used to brine pickles" -4510,浒,"bank of a river",pictophonetic,"water" -4511,滹,"surname Hu; name of a river",pictophonetic,"water" -4512,浐,"name of a river in Shaanxi province; see 滻河|浐河[Chan3 He2]",pictophonetic,"water" -4513,滚,"to boil; to roll; to take a hike; Get lost!",pictophonetic,"water" -4514,满,"Manchu ethnic group",pictophonetic,"water" -4515,满,"to fill; full; filled; packed; fully; completely; quite; to reach the limit; to satisfy; satisfied; contented",pictophonetic,"water" -4516,渔,"fisherman; to fish",ideographic,"To fish 鱼 in a river氵; 鱼 also provides the pronunciation" -4517,漂,"to float; to drift",pictophonetic,"water" -4518,漂,"to bleach",pictophonetic,"water" -4519,漂,"used in 漂亮[piao4liang5]",pictophonetic,"water" -4520,漆,"paint; lacquer; CL:道[dao4]; to paint (furniture, walls etc)",ideographic,"The sap 氵 of the varnish tree 桼; 桼 also provides the pronunciation" -4521,漉,"strain liquids",pictophonetic,"water" -4522,漏,"to leak; to divulge; to leave out by mistake; waterclock or hourglass (old)",ideographic,"Water 氵 falling like raindrops 雨; 屚 provides the pronunciation" -4523,漓,"pattering (of rain); seep through",pictophonetic,"water" -4524,演,"to perform (a play etc); to stage (a show); (bound form) to develop; to play out; to carry out (a task)",pictophonetic,"water" -4525,漕,"to transport (esp. grain) by water; (literary) watercourse; canal",pictophonetic,"water" -4526,沤,"bubble; froth",pictophonetic,"water" -4527,沤,"to steep; to macerate",pictophonetic,"water" -4528,漠,"desert; unconcerned",pictophonetic,"water" -4529,汉,"Han ethnic group; Chinese (language); the Han dynasty (206 BC-220 AD)",ideographic,"Simplified form of 漢; the Han 𦰩 river 氵" -4530,汉,"man",ideographic,"Simplified form of 漢; the Han 𦰩 river 氵" -4531,涟,"ripple; tearful",pictophonetic,"water" -4532,漤,"to soak (fruits) in hot water or limewater to remove astringent taste; to marinate in salt etc; to pickle",pictophonetic,"water" -4533,漩,"whirlpool; eddy; also pr. [xuan4]",ideographic,"Swirling 旋 water 氵; 旋 also provides the pronunciation" -4534,漪,"ripple",pictophonetic,"water" -4535,漫,"free; unrestrained; to inundate",pictophonetic,"water" -4536,渍,"to soak; to be stained; stain; floodwater",pictophonetic,"water" -4537,漭,"vast; expansive (of water)",pictophonetic,"water" -4538,漯,"name of a river",pictophonetic,"water" -4539,漱,"to rinse one's mouth with water; to gargle",ideographic,"To gargle 欶 water 氵; 欶 also provides the pronunciation" -4540,涨,"to rise (of prices, rivers)",pictophonetic,"water" -4541,涨,"to swell; to distend",pictophonetic,"water" -4542,漳,"Zhang river in Fujian",pictophonetic,"water" -4543,溆,"name of a river",pictophonetic,"water" -4544,漶,"(of writing, pictures etc) indistinct due to deterioration (water damage etc); blurry; eroded",pictophonetic,"water" -4545,渐,"to imbue",pictophonetic,"water" -4546,渐,"gradual; gradually",pictophonetic,"water" -4547,漼,"having the appearance of depth",ideographic,"A deep 崔 pool 氵; 崔 also provides the pronunciation" -4548,漾,"to overflow; to ripple; used in place names; see 漾濞[Yang4 bi4]",pictophonetic,"water" -4549,浆,"thick liquid; to starch",pictophonetic,"water" -4550,浆,"variant of 糨[jiang4]",pictophonetic,"water" -4551,颍,"surname Ying; river in Henan and Anhui",pictophonetic,"water" -4552,颍,"grain husk; tip of sth short and slender",pictophonetic,"water" -4553,漱,"variant of 漱[shu4]",ideographic,"To gargle 欶 water 氵; 欶 also provides the pronunciation" -4554,泼,"to splash; to spill; rough and coarse; brutish",ideographic,"To send forth 发 water 氵" -4555,洁,"clean",pictophonetic,"water" -4556,潘,"surname Pan; Pan, faun in Greek mythology, son of Hermes",pictophonetic,"water" -4557,潜,"hidden; secret; latent; to hide; to conceal; to submerge; to dive",pictophonetic,"water" -4558,潞,"name of a river; surname Lu",pictophonetic,"water" -4559,潟,"saline land; salt marsh",pictophonetic,"water" -4560,潢,"dye paper; lake; pond; mount scroll",pictophonetic,"water" -4561,润,"moist; glossy; sleek; to moisten; to lubricate; to embellish; to enhance; profit; remuneration; (neologism c. 2021) (slang) (loanword from ""run"") to emigrate (in order to flee adverse conditions)",pictophonetic,"water" -4562,潦,"flooded; heavy rain",pictophonetic,"water" -4563,潦,"used in 潦草[liao2 cao3] and 潦倒[liao2 dao3]",pictophonetic,"water" -4564,潭,"surname Tan",pictophonetic,"water" -4565,潭,"deep pool; pond; pit (dialect); depression",pictophonetic,"water" -4566,潮,"tide; damp; moist; humid; fashionable; trendy; (coll.) inferior; substandard",pictophonetic,"water" -4567,浔,"name of a river; steep bank",pictophonetic,"water" -4568,溃,"used in 潰膿|溃脓[hui4 nong2]; Taiwan pr. [kui4]",pictophonetic,"water" -4569,溃,"(bound form) (of floodwaters) to break through a dam or dike; (bound form) to break through (a military encirclement); (bound form) to be routed; to be overrun; to fall to pieces; (bound form) to fester; to ulcerate",pictophonetic,"water" -4570,潲,"driving rain; to sprinkle",ideographic,"A little 稍 water 氵; 稍 also provides the pronunciation" -4571,滗,"to pour off (the liquid); to decant; to strain off",pictophonetic,"water" -4572,潸,"tearfully",ideographic,"Water 氵 falling from closed eyes 林" -4573,潺,"flow; trickle (of water)",pictophonetic,"water" -4574,潼,"high; name of a pass",pictophonetic,"water" -4575,潽,"to boil over",pictophonetic,"water" -4576,涠,"still water",pictophonetic,"water" -4577,涩,"astringent; tart; acerbity; unsmooth; rough (surface); hard to understand; obscure",ideographic,"Water 氵 that cuts like a knife 刃; 止 provides the pronunciation" -4578,涩,"old variant of 澀|涩[se4]",ideographic,"Water 氵 that cuts like a knife 刃; 止 provides the pronunciation" -4579,澄,"variant of 澄[cheng2]",pictophonetic,"water" -4580,澄,"surname Cheng",pictophonetic,"water" -4581,澄,"clear; limpid; to clarify; to purify",pictophonetic,"water" -4582,澄,"(of liquid) to settle; to become clear",pictophonetic,"water" -4583,浇,"to pour liquid; to irrigate (using waterwheel); to water; to cast (molten metal); to mold",pictophonetic,"water" -4584,涝,"flooded",pictophonetic,"water" -4585,澈,"clear (water); thorough",pictophonetic,"water" -4586,澉,"place name; wash",pictophonetic,"water" -4587,澌,"drain dry; to exhaust",pictophonetic,"water" -4588,澍,"moisture; timely rain",ideographic,"Rain 氵 that saves 尌 the farm; 尌 also provides the pronunciation" -4589,澎,"used in 澎湃[peng2pai4]; Taiwan pr. [peng1]",pictophonetic,"water" -4590,涧,"mountain stream",ideographic,"A stream 氵 flowing through a valley 间; 间 also provides the pronunciation" -4591,渑,"name of a river in Shandong",pictophonetic,"water" -4592,澡,"bath",pictophonetic,"water" -4593,浣,"variant of 浣[huan4]",pictophonetic,"water" -4594,泽,"pool; pond; (of metals etc) luster; favor or beneficence; damp; moist",pictophonetic,"water" -4595,澥,"(of porridge etc) to become watery; (dialect) to thin (porridge etc) by adding water etc",pictophonetic,"water" -4596,澧,"Lishui River in north Hunan, flowing into Lake Dongting 洞庭湖[Dong4ting2 Hu2]; surname Li",pictophonetic,"water" -4597,浍,"drain; stream",pictophonetic,"water" -4598,淀,"to form sediment; to precipitate",pictophonetic,"water" -4599,澳,"Macao (abbr. for 澳門|澳门[Ao4 men2]); Australia (abbr. for 澳大利亞|澳大利亚[Ao4 da4 li4 ya4])",pictophonetic,"water" -4600,澳,"deep bay; cove; harbor",pictophonetic,"water" -4601,澶,"still (as of water); still water",pictophonetic,"water" -4602,澹,"surname Tan",pictophonetic,"water" -4603,澹,"tranquil; placid; quiet",pictophonetic,"water" -4604,激,"to arouse; to incite; to excite; to stimulate; sharp; fierce; violent",pictophonetic,"water" -4605,浊,"turbid; muddy; impure",ideographic,"A pond 氵 growing scum 虫" -4606,濂,"name of a river in Hunan",pictophonetic,"water" -4607,浓,"concentrated; dense; strong (smell etc)",pictophonetic,"water" -4608,濉,"name of a river",pictophonetic,"water" -4609,濊,"vast; expansive (as of water)",pictophonetic,"water" -4610,湿,"moist; wet",pictophonetic,"water" -4611,泞,"muddy",ideographic,"Still 宁 water 氵; 宁 also provides the pronunciation" -4612,蒙,"drizzle; mist",pictophonetic,"plant" -4613,濞,"used in place names; see 漾濞[Yang4 bi4]",pictophonetic,"water" -4614,济,"used in place names associated with the Ji River 濟水|济水[Ji3 Shui3]; surname Ji",pictophonetic,"water" -4615,济,"used in 濟濟|济济[ji3 ji3]",pictophonetic,"water" -4616,济,"to cross a river; to aid or relieve; to be of help",pictophonetic,"water" -4617,濠,"trench",pictophonetic,"water" -4618,濡,"dilatory; to moisten",pictophonetic,"water" -4619,涛,"big wave; Taiwan pr. [tao2]",pictophonetic,"water" -4620,滥,"overflowing; excessive; indiscriminate",pictophonetic,"water" -4621,浚,"variant of 浚[jun4]",pictophonetic,"water" -4622,濮,"name of a river; surname Pu",pictophonetic,"water" -4623,濯,"variant of 櫂|棹[zhao4]",pictophonetic,"water" -4624,濯,"to wash; to cleanse of evil",pictophonetic,"water" -4625,潍,"name of a river",pictophonetic,"water" -4626,滨,"(bound form) water's edge; bank; shore; (bound form) to border on (a lake, river etc)",pictophonetic,"water" -4627,阔,"variant of 闊|阔[kuo4]",pictophonetic,"gate" -4628,溅,"to splash",pictophonetic,"water" -4629,泺,"name of a river",pictophonetic,"water" -4630,滤,"to strain; to filter",pictophonetic,"water" -4631,滢,"clear; limpid (of water)",ideographic,"A sparkling 莹 lake 氵; 莹 also provides the pronunciation" -4632,渎,"disrespectful; (literary) ditch",pictophonetic,"water" -4633,泻,"to flow out swiftly; to flood; a torrent; diarrhea; laxative",pictophonetic,"water" -4634,沈,"short name for 瀋陽|沈阳[Shen3 yang2]",pictophonetic,"water" -4635,沈,"(literary) juice",pictophonetic,"water" -4636,浏,"clear; deep (of water); swift",pictophonetic,"water" -4637,瀑,"shower (rain)",ideographic,"Violent 暴 water 氵; 暴 also provides the pronunciation" -4638,瀑,"waterfall",ideographic,"Violent 暴 water 氵; 暴 also provides the pronunciation" -4639,濒,"to approach; to border on; near",pictophonetic,"water" -4640,泸,"old name of a river in Jiangxi; place name",pictophonetic,"water" -4641,瀚,"ocean; vastness",pictophonetic,"water" -4642,瀛,"ocean",pictophonetic,"water" -4643,沥,"to drip; to strain or filter; a trickle",pictophonetic,"water" -4644,潇,"(of water) deep and clear; (of wind and rain) howling and pounding; (of light rain) pattering",pictophonetic,"water" -4645,潆,"eddy; small river",ideographic,"Water 氵 coiling 萦 on itself; 萦 also provides the pronunciation" -4646,瀣,"mist; vapor",pictophonetic,"water" -4647,潴,"pool; pond",pictophonetic,"water" -4648,泷,"Shuang river in Hunan and Guangdong (modern Wu river 武水)",pictophonetic,"water" -4649,泷,"rapids; waterfall; torrential (rain)",pictophonetic,"water" -4650,濑,"name of a river; rushing of water",pictophonetic,"water" -4651,弥,"brimming or overflowing",pictophonetic,"bow" -4652,潋,"full of water; trough",pictophonetic,"water" -4653,瀵,"name of a river; valley vapor",pictophonetic,"water" -4654,瀹,"to cleanse; to boil",pictophonetic,"water" -4655,澜,"swelling water",pictophonetic,"water" -4656,沣,"rainy; place name in Shaanxi; Feng River in Shaanxi 陝西|陕西, tributary of Wei River 渭水[Wei4 Shui3]",pictophonetic,"water" -4657,滠,"name of a river",pictophonetic,"water" -4658,法,"old variant of 法[fa3]; law",ideographic,"The course 去 followed by a stream 氵" -4659,灌,"to irrigate; to pour; to install (software); to record (music)",pictophonetic,"water" -4660,洒,"to sprinkle; to spray; to spill; to shed",pictophonetic,"water" -4661,漓,"name of a river",pictophonetic,"water" -4662,漓,"to seep through",pictophonetic,"water" -4663,滩,"beach; shoal; rapids; CL:片[pian4]; classifier for liquids: pool, puddle",ideographic,"Difficult 难 waters 氵 to navigate; 难 also provides the pronunciation" -4664,灏,"vast (of water)",pictophonetic,"water" -4665,灞,"name of a river",pictophonetic,"water" -4666,湾,"bay; gulf; to cast anchor; to moor (a boat)",pictophonetic,"water" -4667,滦,"river and county in Hebei Province",pictophonetic,"water" -4668,赣,"variant of 贛|赣[Gan4]",pictophonetic,"go" -4669,滟,"tossing of billows",ideographic,"Curves 艳 in the water 氵; 艳 also provides the pronunciation" -4670,火,"surname Huo",pictographic,"Flames" -4671,火,"fire; urgent; ammunition; fiery or flaming; internal heat (Chinese medicine); hot (popular); classifier for military units (old); Kangxi radical 86",pictographic,"Flames" -4672,灬,"""fire"" radical in Chinese characters (Kangxi radical 86), occurring in 熙, 然, 熊 etc",, -4673,灰,"ash; dust; lime; gray; discouraged; dejected",ideographic,"The remains of a fire 火; 火 also provides the pronunciation" -4674,灶,"kitchen stove; kitchen; mess; canteen",ideographic,"A clay 土 oven 火" -4675,灸,"moxibustion (TCM)",pictophonetic,"fire" -4676,灼,"to burn; to sear; to scorch; (bound form) bright; luminous",pictophonetic,"fire" -4677,灾,"disaster; calamity",ideographic,"A house 宀 on fire 火" -4678,炅,"surname Gui",ideographic,"A flame 火 as bright as the sun 日" -4679,炅,"(literary) bright; shining; brilliance",ideographic,"A flame 火 as bright as the sun 日" -4680,炆,"(Cantonese) to simmer; to cook over a slow fire",pictophonetic,"fire" -4681,炊,"to cook food",pictophonetic,"fire" -4682,炎,"flame; inflammation; -itis",ideographic,"Two fires 火 burning" -4683,炏,"old variant of 炎[yan2]",pictographic,"Two blades of grass; compare 艸" -4684,炒,"to sauté; to stir-fry; to speculate (in real estate etc); to scalp; to hype up; to sack; to fire (sb)",pictophonetic,"fire" -4685,炔,"surname Gui",pictophonetic,"fire" -4686,炔,"alkyne; also pr. [jue2]",pictophonetic,"fire" -4687,炕,"kang (a heatable brick bed); to bake; to dry by the heat of a fire",pictophonetic,"fire" -4688,炙,"to broil; to roast",pictophonetic,"fire" -4689,炤,"surname Zhao",pictophonetic,"fire" -4690,照,"variant of 照[zhao4]; to shine; to illuminate",pictophonetic,"fire" -4691,炫,"to dazzle; to boast; to show off; (slang) cool; awesome",pictophonetic,"fire" -4692,炬,"torch",pictophonetic,"fire" -4693,炭,"wood charcoal; coal",pictophonetic,"ashes" -4694,炮,"to sauté; to fry; to dry by heating",pictophonetic,"fire" -4695,炮,"to prepare herbal medicine by roasting or parching (in a pan)",pictophonetic,"fire" -4696,炮,"cannon; CL:座[zuo4]; firecracker",pictophonetic,"fire" -4697,炯,"bright; clear",pictophonetic,"fire" -4698,炱,"soot",pictophonetic,"fire" -4699,炳,"bright; brilliant; luminous",pictophonetic,"fire" -4700,炷,"wick of an oil lamp; to burn (incense etc); classifier for lit incense sticks",ideographic,"A lit 火 candle 主; 主 also provides the pronunciation" -4701,炸,"to deep fry; (coll.) to blanch (a vegetable); Taiwan pr. [zha4]",ideographic,"A sudden 乍 flame 火; 乍 also provides the pronunciation" -4702,炸,"to burst; to explode; to blow up; to bomb; (coll.) to fly into a rage; (coll.) to scamper off; to scatter",ideographic,"A sudden 乍 flame 火; 乍 also provides the pronunciation" -4703,为,"as (in the capacity of); to take sth as; to act as; to serve as; to behave as; to become; to be; to do; by (in the passive voice)",, -4704,为,"because of; for; to",, -4705,炻,"stoneware",ideographic,"Fired 火 clay 石; 石 also provides the pronunciation" -4706,烀,"to cook in a small quantity of water",pictophonetic,"fire" -4707,烈,"ardent; intense; fierce; stern; upright; to give one's life for a noble cause; exploits; achievements",pictophonetic,"fire" -4708,烊,"molten; smelt",pictophonetic,"fire" -4709,乌,"abbr. for Ukraine 烏克蘭|乌克兰[Wu1ke4lan2]; surname Wu",pictographic,"Simplified form of 烏; a crow; compare 鸟" -4710,乌,"crow; black",pictographic,"Simplified form of 烏; a crow; compare 鸟" -4711,烕,"old variant of 滅|灭[mie4]",ideographic,"To smother 戊 a flame 灭; 灭 also provides the pronunciation" -4712,灾,"variant of 災|灾[zai1]",ideographic,"A house 宀 on fire 火" -4713,烘,"to bake; to heat by fire; to set off by contrast",pictophonetic,"fire" -4714,烙,"to brand; to iron; to bake (in a pan)",pictophonetic,"fire" -4715,烙,"used in 炮烙[pao2luo4]",pictophonetic,"fire" -4716,烜,"brilliant",ideographic,"To bake 火 in the sun 亘; 亘 also provides the pronunciation" -4717,烝,"multitudinous; the masses; to present (to sb); to rise; to advance; to progress; archaic variant of 蒸[zheng1]",ideographic,"Boiling 灬 water 氶" -4718,烤,"to roast; to bake; to broil",pictophonetic,"fire" -4719,烯,"alkene",pictophonetic,"fire" -4720,炯,"old variant of 炯[jiong3]",pictophonetic,"fire" -4721,烃,"hydrocarbon",pictophonetic,"fire" -4722,烷,"alkane",pictophonetic,"fire" -4723,烹,"cooking method; to boil sb alive (capital punishment in imperial China)",pictophonetic,"fire" -4724,烽,"beacon fire",pictophonetic,"fire" -4725,焉,"where; how",ideographic,"A bird 鳥 with a strange head" -4726,焊,"to weld; to solder",pictophonetic,"fire" -4727,焌,"to set fire to; to ignite",pictophonetic,"fire" -4728,焌,"to extinguish a burning object; to singe sth with a smoldering object (e.g. burn a hole in one's trousers with a cigarette); to stir-fry; to pour a mixture of hot oil and flavorings over food",pictophonetic,"fire" -4729,焐,"to warm sth up",pictophonetic,"fire" -4730,焓,"enthalpy",pictophonetic,"fire" -4731,焗,"(dialect) to cook in salt or sand, inside a sealed pot; to steam; to bake",pictophonetic,"fire" -4732,焙,"to dry over a fire; to bake",pictophonetic,"fire" -4733,焚,"to burn",ideographic,"Setting fire 火 to a forest 林" -4734,无,"not to have; no; none; not; to lack; un-; -less",, -4735,焢,"angry appearance (archaic)",pictophonetic,"fire" -4736,焢,"see 焢肉[kong4 rou4]",pictophonetic,"fire" -4737,焦,"surname Jiao",ideographic,"A bird 隹 getting its tail singed 灬" -4738,焦,"burnt; scorched; charred; worried; anxious; coke; joule (abbr. for 焦耳[jiao1 er3])",ideographic,"A bird 隹 getting its tail singed 灬" -4739,焯,"to blanch (a vegetable)",pictophonetic,"fire" -4740,焰,"flame",pictophonetic,"fire" -4741,焱,"variant of 焰[yan4]",ideographic,"Many fires 火 burning" -4742,然,"correct; right; so; thus; like this; -ly",pictophonetic,"fire" -4743,煅,"variant of 鍛|锻[duan4]",pictophonetic,"fire" -4744,煆,"a raging fire",pictophonetic,"fire" -4745,煆,"raging fire",pictophonetic,"fire" -4746,炼,"to refine; to smelt",pictophonetic,"fire" -4747,煊,"variant of 暄[xuan1]",pictophonetic,"fire" -4748,煌,"brilliant",pictophonetic,"fire" -4749,煎,"to pan fry; to sauté",pictophonetic,"fire" -4750,煮,"variant of 煮[zhu3]",pictophonetic,"fire" -4751,炜,"glowing; bright; brilliant",pictophonetic,"fire" -4752,暖,"variant of 暖[nuan3]",pictophonetic,"sun" -4753,暖,"variant of 暖[nuan3], warm",pictophonetic,"sun" -4754,烟,"cigarette or pipe tobacco; CL:根[gen1]; smoke; mist; vapour; CL:縷|缕[lu:3]; tobacco plant; (of the eyes) to be irritated by smoke",pictophonetic,"fire" -4755,煜,"brilliant; glorious",ideographic,"A dazzling 昱 flame 火; 昱 also provides the pronunciation" -4756,煞,"to terminate; to cut short; to bring to a stop; to squeeze; to tighten; to damage; variant of 殺|杀[sha1]",, -4757,煞,"fiend; demon; very; (Tw) SARS (loanword)",, -4758,茕,"alone; desolate",, -4759,煤,"coal; CL:塊|块[kuai4]",pictophonetic,"fire" -4760,焕,"(bound form) shining; glowing; lustrous",pictophonetic,"fire" -4761,煦,"balmy; nicely warm; cozy; Taiwan pr. [xu3]",ideographic,"A warm 昫 fire 灬; 昫 also provides the pronunciation" -4762,照,"according to; in accordance with; to shine; to illuminate; to reflect; to look at (one's reflection); to take (a photo); photo; as requested; as before",pictophonetic,"fire" -4763,煨,"to simmer; to roast in ashes",pictophonetic,"fire" -4764,烦,"to feel vexed; to bother; to trouble; superfluous and confusing; edgy",pictophonetic,"fire" -4765,炀,"molten; smelt",pictophonetic,"fire" -4766,煮,"to cook; to boil",pictophonetic,"fire" -4767,煲,"to cook slowly over a low flame; pot; saucepan",pictophonetic,"fire" -4768,煳,"burnt; to char",ideographic,"A reckless 胡 flame 火; 胡 also provides the pronunciation" -4769,煸,"to stir-fry before broiling or stewing",pictophonetic,"fire" -4770,煺,"to pluck poultry or depilate pigs using hot water",ideographic,"To prepare 退 to cook 火; 退 also provides the pronunciation" -4771,煽,"to fan into a flame; to incite",ideographic,"To fan 扇 the flames 火; 扇 also provides the pronunciation" -4772,熄,"to extinguish; to put out (fire); to quench; to stop burning; to go out (of fire, lamp etc); to come to an end; to wither away; to die out; Taiwan pr. [xi2]",ideographic,"To end 息 a flame 火; 息 also provides the pronunciation" -4773,熙,"variant of 熙[xi1]",pictophonetic,"fire" -4774,熊,"surname Xiong",ideographic,"A bear's 能 footprints 灬" -4775,熊,"bear; (coll.) to scold; to rebuke; (coll.) weak; incapable",ideographic,"A bear's 能 footprints 灬" -4776,熏,"to smoke; to fumigate; to assail the nostrils; to perfume",pictophonetic,"fire" -4777,荧,"a glimmer; glimmering; twinkling; fluorescence; phosphorescence; perplexed; dazzled and confused; planet Mars (arch.)",pictophonetic,"fire" -4778,熔,"to smelt; to fuse",ideographic,"To form 容 hot metal 火; 容 also provides the pronunciation" -4779,炝,"to stir-fry then cook with sauce and water; to boil food briefly then dress with soy etc; to choke; to irritate (throat etc)",pictophonetic,"fire" -4780,熘,"quick-fry; sim. to stir-frying, but with cornstarch added; also written 溜",pictophonetic,"fire" -4781,熙,"(used in names); (bound form) (literary) bright; prosperous; splendid; genial",pictophonetic,"fire" -4782,熜,"chimney (old)",pictophonetic,"fire" -4783,熜,"torch made from hemp straw (old)",pictophonetic,"fire" -4784,熟,"ripe; mature; thoroughly cooked; done; familiar; acquainted; experienced; skilled; (of sleep etc) deep; profound; also pr. [shou2]",pictophonetic,"fire" -4785,熠,"to glow; to flash",pictophonetic,"fire" -4786,熨,"reconciled; smooth",pictophonetic,"fire" -4787,熨,"an iron; to iron",pictophonetic,"fire" -4788,熬,"to boil; to simmer",pictophonetic,"fire" -4789,熬,"to cook on a slow fire; to extract by heating; to decoct; to endure",pictophonetic,"fire" -4790,热,"to warm up; to heat up; hot (of weather); heat; fervent",pictophonetic,"fire" -4791,熳,"to spread",pictophonetic,"fire" -4792,熵,"entropy (character created in 1923)",pictophonetic,"fire" -4793,熹,"bright; warm",pictophonetic,"fire" -4794,炽,"to burn; to blaze; splendid; illustrious",pictophonetic,"fire" -4795,烨,"blaze of fire; glorious",ideographic,"A glorious 华 blaze 火; 华 also provides the pronunciation" -4796,燃,"to burn; to ignite; to light; fig. to spark off (hopes); to start (debate); to raise (hopes)",pictophonetic,"fire" -4797,焰,"variant of 焰[yan4]",pictophonetic,"fire" -4798,灯,"lamp; light; lantern; CL:盞|盏[zhan3]",pictophonetic,"fire" -4799,炖,"to stew",pictophonetic,"fire" -4800,燎,"to burn; to set afire",pictophonetic,"fire" -4801,燎,"to singe",pictophonetic,"fire" -4802,磷,"variant of 磷[lin2]",pictophonetic,"mineral" -4803,烧,"to burn; to cook; to stew; to bake; to roast; to heat; to boil (tea, water etc); fever; to run a temperature; (coll.) to let things go to one's head",pictophonetic,"fire" -4804,燔,"burn; to roast meat for sacrifice",ideographic,"To roast 火 meat on a spit 番; 番 also provides the pronunciation" -4805,燕,"Yan, a vassal state of Zhou in present-day Hebei and Liaoning; north Hebei; the four Yan kingdoms of the Sixteen Kingdoms, namely: Former Yan 前燕[Qian2 Yan1] (337-370), Later Yan 後燕|后燕[Hou4 Yan1] (384-409), Southern Yan 南燕[Nan2 Yan1] (398-410), Northern Yan 北燕[Bei3 Yan1] (409-436); surname Yan",ideographic,"A swallow, with its head 廿, wings 北, and tail 灬" -4806,燕,"swallow (family Hirundinidae); old variant of 宴[yan4]",ideographic,"A swallow, with its head 廿, wings 北, and tail 灬" -4807,烫,"to scald; to burn (by scalding); to blanch (cooking); to heat (sth) up in hot water; to perm; to iron; scalding hot",pictophonetic,"fire" -4808,焖,"to cook in a covered vessel; to casserole; to stew",pictophonetic,"fire" -4809,营,"camp; barracks; battalion; to build; to operate; to manage; to strive for",, -4810,燠,"warm",pictophonetic,"fire" -4811,燥,"dry; parched; impatient; vexed; (bound form) (Taiwan pr. [sao4]) minced meat",pictophonetic,"fire" -4812,灿,"glorious; bright; brilliant; lustrous; resplendent",pictophonetic,"fire" -4813,燧,"(bound form) material or tool used to light a fire by means of friction or the sun's rays; (bound form) beacon fire (alarm signal in border regions), esp. one lit during daytime to produce smoke",pictophonetic,"fire" -4814,毁,"to destroy by fire",ideographic,"A man using a tool 殳 to strike 工 a clay vessel 臼" -4815,烛,"candle; (literary) to illuminate",pictophonetic,"fire" -4816,燮,"surname Xie",, -4817,燮,"to blend; to adjust; to harmonize; harmony",, -4818,烩,"to braise; to cook (rice etc) with vegetables, meat and water",pictophonetic,"fire" -4819,燹,"conflagration",pictophonetic,"fire" -4820,熏,"variant of 熏[xun1]",pictophonetic,"fire" -4821,烬,"(bound form) cinders; ashes",ideographic,"A used up 尽 fire 火; 尽 also provides the pronunciation" -4822,焘,"cover over; to envelope",pictophonetic,"fire" -4823,焘,"used in given names",pictophonetic,"fire" -4824,爆,"to explode or burst; to quick fry or quick boil",ideographic,"A violent 暴 flame 火; 暴 also provides the pronunciation" -4825,爇,"heat; to burn",pictophonetic,"heat" -4826,爇,"burn; heat",pictophonetic,"heat" -4827,爌,"old variant of 晃[huang3]; bright",pictophonetic,"fire" -4828,爌,"see 爌肉[kong4 rou4]",pictophonetic,"fire" -4829,爌,"flame light",pictophonetic,"fire" -4830,爌,"old variant of 曠|旷[kuang4]; bright and spacious",pictophonetic,"fire" -4831,烁,"bright; luminous",ideographic,"The happy 乐 light of a flame 火" -4832,炉,"stove; furnace",ideographic,"A fire 火 in one's home 户" -4833,燮,"old variant of 燮[xie4]",, -4834,烨,"variant of 燁|烨[ye4]",ideographic,"A glorious 华 blaze 火; 华 also provides the pronunciation" -4835,烂,"soft; mushy; well-cooked and soft; to rot; to decompose; rotten; worn out; chaotic; messy; utterly; thoroughly; crappy; bad",pictophonetic,"fire" -4836,爝,"torch",pictophonetic,"fire" -4837,爨,"surname Cuan",pictophonetic,"fire" -4838,爨,"cooking-stove; to cook",pictophonetic,"fire" -4839,爪,"foot of a bird or animal; paw; claws; talons",pictographic,"A bird's talons" -4840,爪,"(coll.) foot of an animal or bird; (coll.) foot supporting a cooking pot etc",pictographic,"A bird's talons" -4841,爫,"""claw"" radical in Chinese characters (Kangxi radical 87)",pictographic,"A bird's talons; compare 爪" -4842,爬,"to crawl; to climb; to get up or sit up",pictophonetic,"claw" -4843,争,"to strive for; to vie for; to argue or debate; deficient or lacking (dialect); how or what (literary)",ideographic,"Simplified form of 爭, two hands 爪 and 彐 fighting over 亅" -4844,爯,"old variant of 稱|称[chen4]",ideographic,"A hand 爫 balancing items on a scale 冉" -4845,爯,"old variant of 稱|称[cheng1]",ideographic,"A hand 爫 balancing items on a scale 冉" -4846,爰,"surname Yuan",, -4847,爰,"therefore; consequently; thus; hence; thereupon; it follows that; where?; to change (into); ancient unit of weight and money",, -4848,为,"variant of 為|为[wei2]",, -4849,为,"variant of 為|为[wei4]",, -4850,爵,"ancient bronze wine holder with 3 legs and loop handle; nobility",ideographic,"A hand 寸 holding a goblet 良 of wine 罒" -4851,父,"father",ideographic,"A hand 乂 holding an axe 八" -4852,爸,"father; dad; pa; papa",pictophonetic,"father" -4853,爹,"dad",pictophonetic,"father" -4854,爷,"grandpa; old gentleman",pictophonetic,"father" -4855,爻,"the solid and broken lines of the eight trigrams 八卦[ba1 gua4], e.g. ☶",ideographic,"Two marks 乂 on an oracle bone" -4856,爽,"bright; clear; crisp; open; frank; straightforward; to feel well; fine; pleasurable; invigorating; to deviate",ideographic,"A person 大 breathing lots of fresh air 爻" -4857,尔,"thus; so; like that; you; thou",, -4858,丬,"""piece of wood"" radical in Chinese characters (Kangxi radical 90), mirror image of 片[pian4]",, -4859,爿,"classifier for strips of land or bamboo, shops, factories etc; slit bamboo or chopped wood (dialect)",pictographic,"Half of a tree trunk; compare 片" -4860,床,"variant of 床[chuang2]",ideographic,"A house 广 made out of wood 木; 广 also provides the pronunciation" -4861,墙,"wall (CL:面[mian4],堵[du3]); (slang) to block (a website) (usu. in the passive: 被牆|被墙[bei4 qiang2])",pictophonetic,"earth" -4862,片,"disk; sheet",pictographic,"Half of a tree trunk; compare 爿" -4863,片,"thin piece; flake; a slice; film; TV play; to slice; to carve thin; partial; incomplete; one-sided; classifier for slices, tablets, tract of land, area of water; classifier for CDs, movies, DVDs etc; used with numeral 一[yi1]: classifier for scenario, scene, feeling, atmosphere, sound etc; Kangxi radical 91",pictographic,"Half of a tree trunk; compare 爿" -4864,版,"a register; block of printing; edition; version; page",pictophonetic,"page" -4865,笺,"variant of 箋|笺[jian1]",pictophonetic,"bamboo" -4866,牌,"mahjong tile; playing card; game pieces; signboard; plate; tablet; medal; CL:片[pian4],個|个[ge4],塊|块[kuai4]",pictophonetic,"page" -4867,窗,"old variant of 窗[chuang1]",pictophonetic,"hole" -4868,闸,"old variant of 閘|闸[zha2]; sluice; lock (on waterway)",pictophonetic,"gate" -4869,牒,"(official) document; dispatch",ideographic,"Flat 片 pages 片 of wood" -4870,榜,"variant of 榜[bang3]",ideographic,"A sign posted 旁 on a tree 木; 旁 also provides the pronunciation" -4871,窗,"variant of 窗[chuang1]",pictophonetic,"hole" -4872,牖,"to enlighten; lattice window",pictophonetic,"door" -4873,牍,"documents",pictophonetic,"page" -4874,牙,"tooth; ivory; CL:顆|颗[ke1]",, -4875,牚,"variant of 撐|撑[cheng1]",pictophonetic, -4876,牛,"surname Niu",pictographic,"An ox's horned head" -4877,牛,"ox; cow; bull; CL:條|条[tiao2],頭|头[tou2]; newton (abbr. for 牛頓|牛顿[niu2 dun4]); (slang) awesome",pictographic,"An ox's horned head" -4878,牝,"(of a bird, animal or plant) female; keyhole; valley",pictophonetic,"cow" -4879,牟,"surname Mou",pictophonetic,"ox" -4880,牟,"see 牟平[Mu4 ping2]",pictophonetic,"ox" -4881,牟,"barley; to moo; to seek or obtain; old variant of 侔[mou2]; old variant of 眸[mou2]",pictophonetic,"ox" -4882,它,"it (pronoun for an animal)",, -4883,牡,"(of a bird, animal or plant) male; key; hills",pictophonetic,"ox" -4884,牢,"firm; sturdy; fold (for animals); sacrifice; prison",ideographic,"A stable 宀 where cattle are kept 牛" -4885,牧,"surname Mu",ideographic,"A hand 攵 leading an ox 牛" -4886,牧,"to herd; to breed livestock; to govern (old); government official (old)",ideographic,"A hand 攵 leading an ox 牛" -4887,物,"(bound form) thing; (literary) the outside world as distinct from oneself; people other than oneself",pictophonetic,"ox" -4888,牮,"to prop up",, -4889,牯,"bullock; cow",pictophonetic,"ox" -4890,牲,"domestic animal; sacrificial animal",pictophonetic,"ox" -4891,牴,"to butt; resist",pictophonetic,"ox" -4892,牸,"female of domestic animals",pictophonetic,"cow" -4893,特,"special; unique; distinguished; especially; unusual; very; abbr. for 特克斯[te4 ke4 si1], tex",pictophonetic,"ox" -4894,牵,"to lead along; to pull (an animal on a tether); (bound form) to involve; to draw in",ideographic,"A person 大 pulling an ox 牛 by a rope 冖" -4895,牾,"to oppose; to gore",pictophonetic,"ox" -4896,牿,"shed or pen for cattle",pictophonetic,"ox" -4897,犀,"rhinoceros; sharp",ideographic,"An ox 牛 with a tail 尾" -4898,犁,"plow",ideographic,"To use an ox 牛 to harvest 刂 grain 禾; 利 also provides the pronunciation" -4899,犂,"see 犂靬[Li2 jian1]; variant of 犁[li2]",ideographic,"To use an ox 牛 to harvest  grain 禾; compare 犁" -4900,犄,"ox-horns; wing of an army",pictophonetic,"ox" -4901,奔,"variant of 奔[ben1]",ideographic,"A man 大 running through a field of grass 卉" -4902,奔,"variant of 奔[ben4]",ideographic,"A man 大 running through a field of grass 卉" -4903,犋,"unit of animal power (sufficient to pull a plow, harrow etc)",pictophonetic,"ox" -4904,犍,"bullock; castrated bull; to castrate livestock",pictophonetic,"ox" -4905,犎,"zebu; indicus cattle; humped ox",pictophonetic,"ox" -4906,犏,"used in 犏牛[pian1 niu2]",pictophonetic,"ox" -4907,犒,"to reward or comfort with presents of food, drink etc",pictophonetic,"ox" -4908,荦,"brindled ox; clear; eminent",pictophonetic,"ox" -4909,犟,"variant of 強|强[jiang4]",pictophonetic,"ox" -4910,犊,"calf; sacrificial victim",ideographic,"To sacrifice 卖 a calf 牛" -4911,牺,"sacrifice",pictophonetic,"ox" -4912,犪,"used in 犪牛[kui2 niu2]",pictophonetic,"ox" -4913,犬,"dog; Kangxi radical 94",pictographic,"A dog turned to the side" -4914,犭,"three-stroke form of Kangxi radical 94 犬[quan3]",pictographic,"A dog turned to the side" -4915,犮,"old variant of 拔[ba2]",, -4916,犮,"old variant of 犬[quan3]",, -4917,犯,"to violate; to offend; to assault; criminal; crime; to make a mistake; recurrence (of mistake or sth bad)",pictophonetic,"dog" -4918,犰,"used in 犰狳[qiu2 yu2]",pictophonetic,"animal" -4919,犴,"jail",pictophonetic,"dog" -4920,状,"accusation; suit; state; condition; strong; great; -shaped",pictophonetic,"dog" -4921,狁,"name of a tribe",pictophonetic,"animal" -4922,狂,"mad; wild; violent",pictophonetic,"dog" -4923,狃,"accustomed to",pictophonetic,"dog" -4924,狄,"surname Di; generic name for northern ethnic minorities during the Qin and Han Dynasties (221 BC-220 AD)",pictophonetic,"animal" -4925,狄,"low ranking public official (old)",pictophonetic,"animal" -4926,狉,"puppy badger",pictophonetic,"dog" -4927,狍,"Siberian roe deer (Capreolus pygargus)",pictophonetic,"animal" -4928,狎,"(bound form) (literary) to take liberties with sb or sth; to treat frivolously",pictophonetic,"dog" -4929,狐,"fox",pictophonetic,"dog" -4930,狒,"hamadryad baboon",pictophonetic,"animal" -4931,狗,"dog; CL:隻|只[zhi1],條|条[tiao2]",pictophonetic,"dog" -4932,狙,"macaque; to spy; to lie in ambush",pictophonetic,"animal" -4933,狠,"ruthless; fierce; ferocious; determined; resolute; to harden (one's heart); old variant of 很[hen3]",pictophonetic,"dog" -4934,狡,"crafty; cunning; sly",pictophonetic,"dog" -4935,徇,"variant of 徇[xun4]",pictophonetic,"step" -4936,狨,"marmoset (zoology)",pictophonetic,"animal" -4937,狩,"to hunt; to go hunting (as winter sport in former times); hunting dog; imperial tour",pictophonetic,"dog" -4938,狳,"used in 犰狳[qiu2 yu2]",pictophonetic,"animal" -4939,狴,"(tapir)",pictophonetic,"animal" -4940,狷,"impetuous; rash; upright (character)",pictophonetic,"dog" -4941,狸,"raccoon dog; fox-like animal",pictophonetic,"dog" -4942,狭,"narrow; narrow-minded",pictophonetic,"dog" -4943,狺,"snarling of dogs",pictophonetic,"dog" -4944,狻,"(mythical animal)",pictophonetic,"animal" -4945,狼,"wolf; CL:匹[pi3],隻|只[zhi1],條|条[tiao2]",pictophonetic,"dog" -4946,狈,"a legendary wolf; distressed; wretched",pictophonetic,"dog" -4947,猁,"used in 猞猁[she1li4]",pictophonetic,"animal" -4948,悍,"variant of 悍[han4]",pictophonetic,"heart" -4949,猇,"the scream or roar of a tiger; to intimidate; to scare",pictophonetic,"tiger" -4950,猊,"(mythical animal); lion",pictophonetic,"animal" -4951,猋,"whirlwind",ideographic,"A pack of ferocious dogs 犬; a storm" -4952,猓,"monkey",pictophonetic,"animal" -4953,猖,"ferocious",pictophonetic,"dog" -4954,猗,"(interj.)",pictophonetic,"dog" -4955,狰,"hideous; fierce-looking",pictophonetic,"dog" -4956,猛,"ferocious; fierce; violent; brave; suddenly; abrupt; (slang) awesome",pictophonetic,"dog" -4957,猜,"to guess",pictophonetic,"dog" -4958,猝,"abruptly; suddenly; unexpectedly",pictophonetic,"dog" -4959,猞,"used in 猞猁[she1li4]; Taiwan pr. [she4]",pictophonetic,"animal" -4960,猢,"used in 猢猻|猢狲[hu2 sun1]",pictophonetic,"animal" -4961,猥,"humble; rustic; plentiful",pictophonetic,"dog" -4962,猿,"variant of 猿[yuan2]",pictophonetic,"animal" -4963,猩,"ape",pictophonetic,"animal" -4964,猱,"macaque (zoology); brisk and nimble; to scratch",pictophonetic,"animal" -4965,猲,"frightened; terrified",pictophonetic,"dog" -4966,猲,"short-snout dog",pictophonetic,"dog" -4967,猳,"mythical ape; variant of 豭[jia1]",pictophonetic,"animal" -4968,猴,"monkey; CL:隻|只[zhi1]",pictophonetic,"animal" -4969,猵,"a kind of otter",pictophonetic,"animal" -4970,猵,"used in 猵狙[pian4 ju1]",pictophonetic,"animal" -4971,犹,"as if; (just) like; just as; still; yet",pictophonetic,"dog" -4972,猷,"to plan; to scheme",pictophonetic,"dog" -4973,猸,"used for ferret, badger or mongoose",pictophonetic,"animal" -4974,猹,"Badger-like wild animal",pictophonetic,"animal" -4975,狲,"used in 猢猻|猢狲[hu2 sun1]; used in 兔猻|兔狲[tu4 sun1]",pictophonetic,"animal" -4976,猾,"sly",pictophonetic,"dog" -4977,猿,"ape",pictophonetic,"animal" -4978,犸,"mammoth",pictophonetic,"animal" -4979,狱,"prison",ideographic,"A guard dog 犭 talking 讠 to a prisoner 犬" -4980,狮,"(bound form) lion",pictophonetic,"animal" -4981,嗥,"old variant of 嗥[hao2]",pictophonetic,"mouth" -4982,獍,"a mythical animal that eats its mother",pictophonetic,"animal" -4983,奖,"prize; award; encouragement; CL:個|个[ge4]",pictophonetic,"big" -4984,獐,"river deer; roebuck",pictophonetic,"animal" -4985,獒,"(bound form) mastiff",pictophonetic,"dog" -4986,獗,"unruly; rude",pictophonetic,"dog" -4987,毙,"to collapse; variant of 斃|毙[bi4]; variant of 獙[bi4]",pictophonetic,"death" -4988,獠,"fierce; hunt; name of a tribe",ideographic,"Hunting with dogs 犭 and torches 尞; 尞 also provides the pronunciation" -4989,狷,"nimble; variant of 狷[juan4]; impetuous; rash",pictophonetic,"dog" -4990,独,"alone; independent; single; sole; only",pictophonetic,"dog" -4991,狯,"crafty; cunning",pictophonetic,"dog" -4992,猃,"a kind of dog with a long snout; see 獫狁|猃狁[Xian3 yun3]",pictophonetic,"dog" -4993,獬,"see 獬豸[xie4 zhi4]",pictophonetic,"animal" -4994,獯,"used in 獯鬻[Xun1 yu4]",pictophonetic,"animal" -4995,狞,"fierce-looking",pictophonetic,"dog" -4996,获,"(literary) to catch; to capture; (literary) to get; to obtain; to win",, -4997,猎,"hunting",pictophonetic,"dog" -4998,犷,"rough; uncouth; boorish",pictophonetic,"dog" -4999,兽,"beast; animal; beastly; bestial",ideographic,"An animal with horns 丷, eyes 田, nose 一, and mouth 口" -5000,獭,"otter; Taiwan pr. [ta4]",pictophonetic,"animal" -5001,献,"to offer; to present; to dedicate; to donate; to show; to put on display; worthy person (old)",pictophonetic,"dog" -5002,猕,"used in 獼猴|猕猴[mi2 hou2]",pictophonetic,"animal" -5003,獾,"badger",pictophonetic,"animal" -5004,猡,"name of a tribe",pictophonetic,"animal" -5005,玃,"legendary ape of Sichuan and Yunnan, with a penchant for carrying off girls",pictophonetic,"animal" -5006,玄,"black; mysterious",, -5007,妙,"variant of 妙[miao4]",pictophonetic,"woman" -5008,率,"rate; frequency",ideographic,"A string 幺 vibrating in an instrument 亠十" -5009,率,"to lead; to command; rash; hasty; frank; straightforward; generally; usually",ideographic,"A string 幺 vibrating in an instrument 亠十" -5010,玉,"jade",ideographic,"A necklace 丨 adorned with three pieces of jade" -5011,王,"surname Wang",ideographic,"A man 十 bridging heaven and earth (both 一)" -5012,王,"king or monarch; best or strongest of its type; grand; great",ideographic,"A man 十 bridging heaven and earth (both 一)" -5013,王,"to rule; to reign over",ideographic,"A man 十 bridging heaven and earth (both 一)" -5014,玎,"jingling; tinkling",pictophonetic,"jade" -5015,玓,"pearly",pictophonetic,"jade" -5016,玖,"black jade; nine (banker's anti-fraud numeral)",pictophonetic,"jade" -5017,玗,"semiprecious stone; a kind of jade",pictophonetic,"jade" -5018,玟,"jade-like stone",pictophonetic,"jade" -5019,玟,"veins in jade",pictophonetic,"jade" -5020,玡,"variant of 琊[ya2]",pictophonetic,"jade" -5021,玢,"(literary) a kind of jade",pictophonetic,"jade" -5022,玢,"porphyrites",pictophonetic,"jade" -5023,珏,"gems mounted together",ideographic,"Two pieces of jade 王 side by side" -5024,玩,"to play; to have fun; to trifle with; toy; sth used for amusement; curio or antique (Taiwan pr. [wan4]); to keep sth for entertainment",pictophonetic,"jade" -5025,玫,"(fine jade); used in 玫瑰[mei2 gui1]",pictophonetic,"jade" -5026,玲,"(onom.) ting-a-ling (in compounds such as 玎玲 or 玲瓏|玲珑); tinkling of gem-pendants",pictophonetic,"jade" -5027,玳,"tortoise shell; turtle",pictophonetic,"jade" -5028,玷,"blemish; disgrace; flaw in jade",pictophonetic,"jade" -5029,玻,"glass",pictophonetic,"jade" -5030,珀,"used in 琥珀[hu3 po4]",ideographic,"Clear 白 jade 王; 白 also provides the pronunciation" -5031,珂,"jade-like stone",ideographic,"Possibly 可 jade 王; 可 also provides the pronunciation" -5032,珈,"gamma; jewelry",ideographic,"Jade 王 added 加 to jewelry; 加 also provides the pronunciation" -5033,珉,"alabaster, jade-like stone",pictophonetic,"jade" -5034,珊,"coral",pictophonetic,"jade" -5035,珍,"precious thing; treasure; culinary delicacy; rare; valuable; to value highly",pictophonetic,"jade" -5036,珍,"variant of 珍[zhen1]",pictophonetic,"jade" -5037,珙,"(gem)",pictophonetic,"jade" -5038,珞,"neck-ornament",pictophonetic,"jade" -5039,珠,"bead; pearl; CL:粒[li4],顆|颗[ke1]",pictophonetic,"jade" -5040,珥,"pearl or jade earring",ideographic,"An ear 耳 ring 王; 耳 also provides the pronunciation" -5041,珧,"mother-of-pearl",pictophonetic,"jade" -5042,珩,"top gem of pendant from girdle",pictophonetic,"jade" -5043,班,"surname Ban",ideographic,"Cutting 刂 a piece of jade 王 in two, symbolizing two classes" -5044,班,"team; class; grade; (military) squad; work shift; CL:個|个[ge4]; classifier for groups of people and scheduled transport vehicles",ideographic,"Cutting 刂 a piece of jade 王 in two, symbolizing two classes" -5045,佩,"girdle ornaments",ideographic,"Common 凡 cloth 巾 ornaments worn by people 亻" -5046,现,"to appear; present; now; existing; current",ideographic,"To see 见 jade 王; 见 also provides the pronunciation" -5047,球,"ball; sphere; globe; CL:個|个[ge4]; ball game; match; CL:場|场[chang3]",pictophonetic,"jade" -5048,琅,"jade-like stone; clean and white; tinkling of pendants",pictophonetic,"jade" -5049,理,"texture; grain (of wood); inner essence; intrinsic order; reason; logic; truth; science; natural science (esp. physics); to manage; to pay attention to; to run (affairs); to handle; to put in order; to tidy up",pictophonetic,"king" -5050,琉,"precious stone",pictophonetic,"jade" -5051,琊,"used in place names, notably 瑯琊山|琅琊山[Lang2 ya2 Shan1]; Taiwan pr. [ye2]",pictophonetic,"jade" -5052,璃,"(phonetic character used in transliteration of foreign names); Taiwan pr. [li4]; variant of 璃[li2]",pictophonetic,"jade" -5053,琚,"ornamental gems for belt",pictophonetic,"jade" -5054,琛,"precious stone; gem",pictophonetic,"jade" -5055,琢,"to cut (gems)",pictophonetic,"jade" -5056,琢,"used in 琢磨[zuo2 mo5]; Taiwan pr. [zhuo2]",pictophonetic,"jade" -5057,琥,"used in 琥珀[hu3 po4]",ideographic,"A tiger's eye 虎 stone 王; 虎 also provides the pronunciation" -5058,琦,"(literary) fine jade",pictophonetic,"jade" -5059,琨,"(jade)",pictophonetic,"jade" -5060,琪,"(literary) fine jade",pictophonetic,"jade" -5061,琬,"ensign of royalty",pictophonetic,"jade" -5062,琮,"surname Cong",pictophonetic,"jade" -5063,琮,"jade tube with round hole and rectangular sides, used ceremonially in ancient times",pictophonetic,"jade" -5064,琰,"gem; glitter of gems",ideographic,"The fire 炎 in a gem 王; 炎 also provides the pronunciation" -5065,琳,"gem",pictophonetic,"jade" -5066,琴,"guqin 古琴[gu3 qin2] (a type of zither); musical instrument in general",ideographic,"Two guitar strings 玨 suggest the meaning; 今 provides the pronunciation" -5067,琵,"see 琵琶, pipa lute",pictophonetic,"guitar strings" -5068,琶,"see 琵琶, pipa lute",pictophonetic,"guitar strings" -5069,琴,"variant of 琴[qin2], guqin or zither",ideographic,"Two guitar strings 玨 suggest the meaning; 今 provides the pronunciation" -5070,珐,"enamel ware; cloisonne ware",pictophonetic,"jade" -5071,珲,"(fine jade)",pictophonetic,"jade" -5072,瑁,"(jade)",pictophonetic,"jade" -5073,瑄,"ornamental piece of jade",pictophonetic,"jade" -5074,玳,"variant of 玳[dai4]",pictophonetic,"jade" -5075,玮,"(reddish jade); precious; rare",pictophonetic,"jade" -5076,瑕,"blemish; flaw in jade",pictophonetic,"jade" -5077,瑗,"large jade ring",pictophonetic,"jade" -5078,瑙,"agate",pictophonetic,"jade" -5079,瑚,"used in 珊瑚[shan1hu2]",pictophonetic,"jade" -5080,瑛,"(literary) translucent stone similar to jade; (literary) luster of jade",pictophonetic,"jade" -5081,瑜,"excellence; luster of gems",pictophonetic,"jade" -5082,瑞,"lucky; auspicious; propitious; rayl (acoustical unit)",pictophonetic,"jade" -5083,瑟,"a type of standing harp, smaller than konghou 箜篌, with 5-25 strings",pictophonetic,"guitar strings" -5084,琉,"old variant of 琉[liu2]",pictophonetic,"jade" -5085,琐,"fragmentary; trifling",pictophonetic,"jade" -5086,瑶,"Yao ethnic group of southwest China and southeast Asia; surname Yao",pictophonetic,"jade" -5087,瑶,"jade; precious stone; mother-of-pearl; nacre; precious; used a complementary honorific",pictophonetic,"jade" -5088,莹,"luster of gems",ideographic,"Simplified form of 瑩; fiery 火 like a gem 玉" -5089,玛,"agate; cornelian",pictophonetic,"jade" -5090,瑭,"(jade)",pictophonetic,"jade" -5091,琅,"used in 瑯琊|琅琊[Lang2 ya2]",pictophonetic,"jade" -5092,琅,"(gem); tinkling of pendants",pictophonetic,"jade" -5093,瑰,"(semiprecious stone); extraordinary",pictophonetic,"jade" -5094,瑱,"(literary) jade pendants attached to an official hat and hanging beside each ear, symbolizing refusal to listen to malicious talk; (literary) to fill up",pictophonetic,"jade" -5095,瑱,"jade weight",pictophonetic,"jade" -5096,瑾,"brilliancy (of gems)",pictophonetic,"jade" -5097,璀,"luster of gems",pictophonetic,"jade" -5098,璁,"stone similar to jade",pictophonetic,"jade" -5099,璃,"colored glaze; glass",pictophonetic,"jade" -5100,璇,"(jade)",ideographic,"An orbiting 旋 gem 王; 旋 also provides the pronunciation" -5101,琏,"sacrificial vessel used for grain offerings; also pr. [lian2]",pictophonetic,"jade" -5102,璋,"jade tablet used in ceremonies, shaped like the left or right half of a ""gui"" 圭[gui1], also given to male infants to play with",pictophonetic,"jade" -5103,璐,"beautiful jade",pictophonetic,"jade" -5104,璚,"half-circle jade ring",pictophonetic,"jade" -5105,璚,"(red stone)",pictophonetic,"jade" -5106,璜,"semicircular jade ornament",pictophonetic,"jade" -5107,璞,"unpolished gem",pictophonetic,"jade" -5108,琉,"old variant of 琉[liu2]",pictophonetic,"jade" -5109,玑,"irregular pearl",pictophonetic,"jade" -5110,瑷,"fine quality jade",pictophonetic,"jade" -5111,璧,"jade annulus",pictophonetic,"jade" -5112,璨,"gem; luster of gem",ideographic,"The luster 粲 of a gem 王; 粲 also provides the pronunciation" -5113,璩,"surname Qu",pictophonetic,"jade" -5114,璩,"(jade ring)",pictophonetic,"jade" -5115,环,"surname Huan",pictophonetic,"jade" -5116,环,"ring; hoop; loop; (chain) link; classifier for scores in archery etc; to surround; to encircle; to hem in",pictophonetic,"jade" -5117,璺,"a crack (in porcelain, glassware etc); CL:道[dao4]",pictophonetic,"jade" -5118,玺,"ruler's seal",pictophonetic,"jade" -5119,璇,"variant of 璇[xuan2]",ideographic,"An orbiting 旋 gem 王; 旋 also provides the pronunciation" -5120,璃,"variant of 璃[li2]",pictophonetic,"jade" -5121,琼,"jasper; fine jade; beautiful; exquisite (e.g. wine, food); abbr. for Hainan province",pictophonetic,"jade" -5122,瑰,"old variant of 瑰[gui1]",pictophonetic,"jade" -5123,珑,"tinkling of gem-pendants",pictophonetic,"jade" -5124,璎,"necklace",pictophonetic,"jade" -5125,瓒,"libation cup",pictophonetic,"jade" -5126,瓜,"melon; gourd; squash; (slang) a piece of gossip",pictographic,"Vines growing with a melon at their base" -5127,瓞,"young melon",pictophonetic,"melon" -5128,瓠,"gourd",pictophonetic,"gourd" -5129,瓢,"dipper; ladle",pictophonetic,"gourd" -5130,瓣,"petal; segment; clove (of garlic); piece; section; fragment; valve; lamella; classifier for pieces, segments etc",pictophonetic,"melon" -5131,瓤,"pulp (of fruit); sth inside a covering; bad; weak",pictophonetic,"melon" -5132,瓦,"roof tile; abbr. for 瓦特[wa3 te4]",pictographic,"An interlocking roof tile" -5133,瓮,"variant of 甕|瓮[weng4]; earthen jar; urn",pictophonetic,"pottery" -5134,瓴,"concave channels of tiling",pictophonetic,"pottery" -5135,瓶,"bottle; vase; pitcher; CL:個|个[ge4]; classifier for wine and liquids",pictophonetic,"pottery" -5136,瓷,"chinaware; porcelain; china",pictophonetic,"pottery" -5137,瓿,"a kind of vase (old); see 安瓿[an1 bu4]",pictophonetic,"pottery" -5138,甄,"surname Zhen",pictophonetic,"pottery" -5139,甄,"to distinguish; to evaluate",pictophonetic,"pottery" -5140,瓯,"old name for Wenzhou City 溫州市|温州市[Wen1 zhou1 shi4] in Zhejiang 浙江[Zhe4 jiang1]",pictophonetic,"pottery" -5141,瓯,"(pottery) bowl or drinking vessel",pictophonetic,"pottery" -5142,甍,"rafters supporting tiles; ridge of a roof",ideographic,"Beams 罒 supporting roof 冖 tiles 瓦" -5143,砖,"variant of 磚|砖[zhuan1]",pictophonetic,"stone" -5144,甏,"a squat jar for holding wine, sauces etc",pictophonetic,"pottery" -5145,甑,"cauldron; rice pot",pictophonetic,"pottery" -5146,甓,"glazed tile",pictophonetic,"pottery" -5147,瓮,"surname Weng",pictophonetic,"pottery" -5148,瓮,"pottery container for water, wine etc",pictophonetic,"pottery" -5149,罂,"variant of 罌|罂[ying1]",pictophonetic,"pottery" -5150,甘,"surname Gan; abbr. for Gansu Province 甘肅省|甘肃省[Gan1su4 Sheng3]",ideographic,"Picture of a tongue with 一 marking the sweet spot" -5151,甘,"sweet; willing",ideographic,"Picture of a tongue with 一 marking the sweet spot" -5152,甙,"old term for 糖苷[tang2 gan1], glycoside",pictophonetic,"sweet" -5153,甚,"variant of 什[shen2]",, -5154,甚,"excessive; undue; to exceed; to be more than; very; extremely; (dialect) what; whatever (Taiwan pr. [shen2])",, -5155,甜,"sweet",ideographic,"Something tasty 甘 to the tongue 舌" -5156,尝,"old variant of 嘗|尝[chang2]",pictophonetic,"speak" -5157,生,"to be born; to give birth; life; to grow; raw; uncooked; student",ideographic," A shoot 屮 growing in the soil 土" -5158,产,"to give birth; to reproduce; to produce; product; resource; estate; property",pictophonetic, -5159,産,"Japanese variant of 產|产",pictophonetic,"birth" -5160,甥,"sister's son; nephew",pictophonetic,"boy" -5161,苏,"variant of 蘇|苏[su1]; to revive",pictophonetic,"plant" -5162,用,"to use; to employ; to have to; to eat or drink; expense or outlay; usefulness; hence; therefore",, -5163,甩,"to throw; to fling; to swing; to leave behind; to throw off; to dump (sb)",ideographic,"The opposite of ""to use"" 用" -5164,甪,"surname Lu; place name",, -5165,甫,"(classical) barely; just; just now",, -5166,甬,"Yong River 甬江[Yong3 Jiang1] in Ningbo 寧波|宁波[Ning2 bo1]; short name for Ningbo",pictophonetic, -5167,甬,"variant of 桶[tong3], bucket; (classifier) cubic dry measure (5 pecks 五斗, approx half-liter)",pictophonetic, -5168,甬,"path screened by walls on both sides",pictophonetic, -5169,甭,"(contraction of 不用[bu4 yong4]) need not; please don't",ideographic,"Not 不 needed 用; 用 also provides the pronunciation" -5170,甭,"(dialect) very",ideographic,"Not 不 needed 用; 用 also provides the pronunciation" -5171,宁,"variant of 寧|宁[ning2]",pictophonetic,"roof" -5172,田,"surname Tian",pictographic,"The plots of a rice paddy" -5173,田,"field; farm; CL:片[pian4]",pictographic,"The plots of a rice paddy" -5174,由,"to follow; from; because of; due to; by; via; through; (before a noun and a verb) it is for ... to ...",ideographic,"Road 丨 leading to the farm 田" -5175,甲,"first of the ten Heavenly Stems 十天干[shi2 tian1 gan1]; (used for an unspecified person or thing); first (in a list, as a party to a contract etc); letter ""A"" or roman ""I"" in list ""A, B, C"", or ""I, II, III"" etc; armor plating; shell or carapace; (of the fingers or toes) nail; bladed leather or metal armor (old); ranking system used in the Imperial examinations (old); civil administration unit in the baojia 保甲[bao3 jia3] system (old); ancient Chinese compass point: 75°",, -5176,申,"old name for Shanghai 上海[Shang4hai3]; surname Shen",pictographic,"A bolt of lightning" -5177,申,"to extend; to state; to explain; 9th earthly branch: 3-5 p.m., 7th solar month (7th August-7th September), year of the Monkey; ancient Chinese compass point: 240°",pictographic,"A bolt of lightning" -5178,甴,"used in 曱甴[yue1zha2]",, -5179,男,"male; Baron, lowest of five orders of nobility 五等爵位[wu3 deng3 jue2 wei4]",ideographic,"Someone who can work 力 the farm 田" -5180,甸,"surname Dian",pictophonetic,"wrap" -5181,甸,"suburbs or outskirts; one of the five degrees of official mourning attire in dynastic China; official in charge of fields (old)",pictophonetic,"wrap" -5182,甹,"chivalrous knight",, -5183,町,"(used in place names)",pictophonetic,"field" -5184,町,"raised path between fields",pictophonetic,"field" -5185,甾,"steroid nucleus",ideographic,"A farm 田 wiped out by a flood 巛" -5186,畀,"to confer on; to give to",pictophonetic,"farm" -5187,亩,"old variant of 畝|亩[mu3]",pictophonetic,"field" -5188,亩,"old variant of 畝|亩[mu3]",pictophonetic,"field" -5189,畈,"field; farm",pictophonetic,"field" -5190,耕,"variant of 耕[geng1]",pictophonetic,"plow" -5191,畋,"to cultivate (land); to hunt",ideographic,"A man 攵 working on a farm 田; 田 also provides the pronunciation" -5192,界,"(bound form) boundary; border; (bound form) realm",pictophonetic,"farm" -5193,畎,"field drains",pictophonetic,"field" -5194,畏,"to fear",pictographic,"A monster with a scary head 田" -5195,畑,"used in Japanese names with phonetic value hatake, bata etc; dry field (i.e. not paddy field)",ideographic,"A dry 火 field 田; 田 also provides the pronunciation" -5196,畔,"(bound form) side; edge; boundary",ideographic,"A farm 田 divided in half 半; 半 also provides the pronunciation" -5197,留,"to leave (a message etc); to retain; to stay; to remain; to keep; to preserve",, -5198,畚,"a basket or pan used for earth, manure etc",, -5199,畛,"border; boundary; field-path",pictophonetic,"field" -5200,畜,"livestock; domesticated animal; domestic animal",pictophonetic,"farm" -5201,畜,"to raise (animals)",pictophonetic,"farm" -5202,亩,"classifier for fields; unit of area equal to one fifteenth of a hectare",pictophonetic,"field" -5203,畟,"sharp",ideographic,"A man 夂 making a furrow 八 in a field 田" -5204,毕,"surname Bi",pictophonetic,"complete" -5205,毕,"the whole of; to finish; to complete; complete; full; finished",pictophonetic,"complete" -5206,略,"brief; sketchy; outline; summary; to omit; (bound form before a single-character verb) a bit; somewhat; slightly; plan; strategy; to capture (territory)",pictophonetic,"farm" -5207,畦,"small plot of farm land; Taiwan pr. [xi1]",pictophonetic,"field" -5208,略,"variant of 略[lu:e4]",pictophonetic,"farm" -5209,番,"surname Pan",ideographic,"Sowing seeds 米 on the farm 田" -5210,番,"(bound form) foreign (non-Chinese); barbarian; classifier for processes or actions that take time and effort; (classifier) a kind; a sort; (classifier) (used after the verb 翻[fan1] to indicate how many times a quantity doubles, as in 翻一番[fan1 yi1 fan1] ""to double"")",ideographic,"Sowing seeds 米 on the farm 田" -5211,画,"to draw; to paint; picture; painting (CL:幅[fu2],張|张[zhang1]); to draw (a line) (variant of 劃|划[hua4]); stroke of a Chinese character (variant of 劃|划[hua4]); (calligraphy) horizontal stroke (variant of 劃|划[hua4])",ideographic,"A painting on an easel; compare 畫, which includes the brush" -5212,畲,"She ethnic group",ideographic,"An extra 余 field 田; 佘 provides the pronunciation; compare 畬" -5213,畲,"cultivated field",ideographic,"An extra 余 field 田; 佘 provides the pronunciation; compare 畬" -5214,亩,"old variant of 畝|亩[mu3]",pictophonetic,"field" -5215,异,"different; other; hetero-; unusual; strange; surprising; to distinguish; to separate; to discriminate",ideographic,"Simplified form of 異; a person 共 with a scary face田" -5216,留,"old variant of 留[liu2]",, -5217,当,"to be; to act as; manage; withstand; when; during; ought; should; match equally; equal; same; obstruct; just at (a time or place); on the spot; right; just at",, -5218,当,"at or in the very same...; suitable; adequate; fitting; proper; to replace; to regard as; to think; to pawn; (coll.) to fail (a student)",, -5219,畸,"lopsided; unbalanced; abnormal; irregular; odd fractional remnant",ideographic,"Leftover 奇 farmland 田; 奇 also provides the pronunciation" -5220,畹,"a field of 20 or 30 mu",pictophonetic,"field" -5221,畺,"old variant of 疆[jiang1]",ideographic,"Lines 一 drawn between two plots of land 田" -5222,畾,"fields divided by dikes",ideographic,"Three fields 田 divided by dikes" -5223,畿,"territory around the capital",pictophonetic,"land" -5224,疃,"village; animal track",pictophonetic,"land" -5225,疆,"border; boundary",ideographic,"A bow 弓 and arrow 土 used to defend a border 畺; 畺 also provides the pronunciation" -5226,畴,"arable fields; cultivated field; class; category",pictophonetic,"farm" -5227,叠,"variant of 疊|叠[die2]",ideographic,"Clothes 叒 stacked on top of a drawer 冝" -5228,叠,"to fold; to fold over in layers; to furl; to layer; to pile up; to repeat; to duplicate",ideographic,"Clothes 叒 stacked on top of a drawer 冝" -5229,匹,"variant of 匹[pi3]; classifier for cloth: bolt",pictographic,"A roll of cloth" -5230,疋,"foot",pictographic,"A foot 止 with a leg on top" -5231,疋,"variant of 雅[ya3]",pictographic,"A foot 止 with a leg on top" -5232,疏,"variant of 疏[shu1]",ideographic,"Walking 疋 through uncultivated land 㐬" -5233,疏,"surname Shu",ideographic,"Walking 疋 through uncultivated land 㐬" -5234,疏,"to dredge; to clear away obstruction; thin; sparse; scanty; distant (relation); not close; to neglect; negligent; to present a memorial to the Emperor; commentary; annotation",ideographic,"Walking 疋 through uncultivated land 㐬" -5235,疐,"prostrate",ideographic,"A foot 疋 stuck in a field 田" -5236,疑,"(bound form) to doubt; to suspect",ideographic,"An old man walking 疋 while holding 匕 a cane 矢" -5237,疒,"sick; sickness; Kang Xi radical 104; also pr. [chuang2]",, -5238,疔,"boil; carbuncle",pictophonetic,"sickness" -5239,肛,"used in 脫疘|脱肛[tuo1 gang1]",pictophonetic,"flesh" -5240,疙,"pimple; wart",pictophonetic,"sickness" -5241,疚,"chronic disease; guilt; remorse",pictophonetic,"sickness" -5242,疝,"hernia",pictophonetic,"sickness" -5243,疣,"nodule; wart",pictophonetic,"sickness" -5244,疤,"scar; scab",pictophonetic,"sickness" -5245,疥,"scabies",pictophonetic,"sickness" -5246,疫,"(bound form) epidemic; plague",pictophonetic,"sickness" -5247,疲,"weary",pictophonetic,"sickness" -5248,疳,"rickets",pictophonetic,"sickness" -5249,疵,"blemish; flaw; defect",pictophonetic,"sickness" -5250,疸,"used in 疙疸[ge1 da5]",pictophonetic,"sickness" -5251,疸,"jaundice",pictophonetic,"sickness" -5252,疹,"measles; rash",pictophonetic,"sickness" -5253,疼,"(it) hurts; sore; to love dearly",pictophonetic,"sickness" -5254,疽,"gangrene",pictophonetic,"sickness" -5255,疾,"(bound form) disease; ailment; (bound form) swift; (literary) to hate; to abhor",pictophonetic,"sickness" -5256,痱,"variant of 痱[fei4]",pictophonetic,"sickness" -5257,痂,"scab",pictophonetic,"sickness" -5258,痄,"mumps",pictophonetic,"sickness" -5259,病,"illness; CL:場|场[chang2]; disease; to fall ill; defect",pictophonetic,"sickness" -5260,症,"disease; illness",pictophonetic,"sickness" -5261,痊,"to recover (from illness)",ideographic,"Made whole 全 after an illness 疒; 全 also provides the pronunciation" -5262,痍,"bruise; sores",pictophonetic,"sickness" -5263,蛔,"old variant of 蛔[hui2]",pictophonetic,"worm" -5264,痒,"variant of 癢|痒[yang3]; to itch; to tickle",pictophonetic,"sickness" -5265,痔,"piles; hemorrhoid",pictophonetic,"sickness" -5266,痕,"scar; traces",pictophonetic,"sickness" -5267,痘,"pimple; pustule",pictophonetic,"sickness" -5268,痉,"spasm",pictophonetic,"sickness" -5269,痛,"ache; pain; sorrow; deeply; thoroughly",pictophonetic,"sickness" -5270,痞,"constipation; lump in the abdomen",pictophonetic,"sickness" -5271,痢,"dysentery",pictophonetic,"sickness" -5272,痣,"birthmark; mole",ideographic,"The mark 志 of an illness 疒; 志 also provides the pronunciation" -5273,痤,"acne",pictophonetic,"sickness" -5274,痦,"(flat) mole",pictophonetic,"sickness" -5275,痧,"cholera",pictophonetic,"sickness" -5276,痰,"phlegm; spittle",pictophonetic,"sickness" -5277,痱,"prickly heat",pictophonetic,"sickness" -5278,痲,"leprosy; numb",pictophonetic,"sickness" -5279,痴,"imbecile; sentimental; stupid; foolish; silly",pictophonetic,"sickness" -5280,痹,"paralysis; numbness",pictophonetic,"sickness" -5281,痼,"obstinate disease; (of passion, hobbies) long-term",pictophonetic,"sickness" -5282,疴,"(literary) disease; also pr. [e1]",pictophonetic,"sickness" -5283,痿,"atrophy",pictophonetic,"sickness" -5284,瘀,"hematoma (internal blood clot); extravasated blood (spilt into surrounding tissue); contusion",pictophonetic,"sickness" -5285,瘁,"care-worn; distressed; tired; overworked; sick; weary",pictophonetic,"sickness" -5286,痖,"mute, incapable of speech; same as 啞|哑[ya3]",pictophonetic,"sickness" -5287,瘃,"chilblain",pictophonetic,"sickness" -5288,瘊,"wart",pictophonetic,"sickness" -5289,疯,"insane; mad; wild",pictophonetic,"sickness" -5290,瘌,"scabies; scald-head",pictophonetic,"sickness" -5291,疡,"ulcers; sores",pictophonetic,"sickness" -5292,瘐,"to maltreat (as prisoners)",pictophonetic,"sickness" -5293,痪,"used in 癱瘓|瘫痪[tan1huan4]",pictophonetic,"sickness" -5294,瘕,"obstruction in the intestine",pictophonetic,"sickness" -5295,瘙,"itch; old term for scabies; Taiwan pr. [sao1]",pictophonetic,"sickness" -5296,瘛,"used in 瘛瘲|瘛疭[chi4zong4]; Taiwan pr. [qi4]",pictophonetic,"sickness" -5297,瘜,"a polypus",pictophonetic,"sickness" -5298,瘗,"bury; sacrifice",pictophonetic,"earth" -5299,瘟,"epidemic; pestilence; plague; (fig.) stupid; dull; (of a performance) lackluster",pictophonetic,"sickness" -5300,瘠,"barren; lean",pictophonetic,"sickness" -5301,疮,"sore; skin ulcer",pictophonetic,"sickness" -5302,瘢,"mark; scar on the skin",pictophonetic,"sickness" -5303,瘤,"tumor",pictophonetic,"sickness" -5304,瘥,"to recover from disease",pictophonetic,"sickness" -5305,瘥,"disease",pictophonetic,"sickness" -5306,瘦,"thin; to lose weight; (of clothing) tight; (of meat) lean; (of land) unproductive",pictophonetic,"sickness" -5307,疟,"malaria",pictophonetic,"sickness" -5308,疟,"used in 瘧子|疟子[yao4 zi5]",pictophonetic,"sickness" -5309,瘩,"sore; boil; scab",pictophonetic,"sickness" -5310,瘭,"whitlow",pictophonetic,"sickness" -5311,瘰,"scrofula; tuberculosis of glands",pictophonetic,"sickness" -5312,疭,"used in 瘛瘲|瘛疭[chi4 zong4]",pictophonetic,"sickness" -5313,瘳,"to convalesce; to recover; to heal",pictophonetic,"sickness" -5314,瘴,"malaria; miasma",pictophonetic,"sickness" -5315,瘵,"focus of tubercular infection",pictophonetic,"sickness" -5316,瘸,"lame",pictophonetic,"sickness" -5317,瘘,"fistula; ulceration",pictophonetic,"sickness" -5318,瘼,"distress; sickness",pictophonetic,"sickness" -5319,癀,"used in 癀病[huang2 bing4]",pictophonetic,"sickness" -5320,疗,"to treat; to cure; therapy",ideographic,"To clear 了 an illness 疒; 了 also provides the pronunciation" -5321,癃,"infirmity; retention of urine",pictophonetic,"sickness" -5322,憔,"old variant of 憔[qiao2]",pictophonetic,"heart" -5323,瘤,"old variant of 瘤[liu2]",pictophonetic,"sickness" -5324,痨,"tuberculosis",pictophonetic,"sickness" -5325,痫,"epilepsy; insanity",pictophonetic,"sickness" -5326,废,"variant of 廢|废[fei4]; disabled",pictophonetic, -5327,瘅,"(disease)",pictophonetic,"sickness" -5328,瘅,"to hate",pictophonetic,"sickness" -5329,癌,"cancer; carcinoma; also pr. [yan2]",pictophonetic,"sickness" -5330,癍,"abnormal pigment deposit on the skin",ideographic,"A sickness 疒 that causes freckling 斑; 斑 also provides the pronunciation" -5331,愈,"variant of 愈[yu4]; to heal",pictophonetic,"heart" -5332,癔,"used in 癔病[yi4bing4] and 癔症[yi4zheng4]",pictophonetic,"sickness" -5333,癖,"habit; hobby",pictophonetic,"sickness" -5334,疠,"ulcer; plague",ideographic,"Ten thousand 万 sick people 疒" -5335,癜,"erythema; leucoderm",pictophonetic,"sickness" -5336,瘪,"deflated; shriveled; sunken; empty",pictophonetic,"sickness" -5337,痴,"variant of 痴[chi1]",pictophonetic,"sickness" -5338,痒,"to itch; to tickle",pictophonetic,"sickness" -5339,疖,"pimple; sore; boil; Taiwan pr. [jie2]",pictophonetic,"sickness" -5340,症,"abdominal tumor; bowel obstruction; (fig.) sticking point",pictophonetic,"sickness" -5341,疬,"see 瘰癧|瘰疬[luo3 li4]",pictophonetic,"sickness" -5342,癞,"scabies; skin disease",pictophonetic,"sickness" -5343,癣,"ringworm; Taiwan pr. [xian3]",pictophonetic,"sickness" -5344,瘿,"goiter; knob on tree",pictophonetic,"sickness" -5345,瘾,"addiction; craving",pictophonetic,"sickness" -5346,癯,"thin; emaciated; worn; tired",pictophonetic,"sickness" -5347,痈,"carbuncle",pictophonetic,"sickness" -5348,瘫,"paralyzed",pictophonetic,"sickness" -5349,癫,"mentally deranged; crazy",pictophonetic,"sickness" -5350,癶,"Kangxi radical 105, known as 登字頭|登字头[deng1 zi4 tou2]",pictographic,"Two feet" -5351,癸,"tenth of the ten Heavenly Stems 十天干[shi2 tian1 gan1]; tenth in order; letter ""J"" or Roman ""X"" in list ""A, B, C"", or ""I, II, III"" etc; ancient Chinese compass point: 15°; deca",, -5352,登,"to scale (a height); to ascend; to mount; to publish or record; to enter (e.g. in a register); to press down with the foot; to step or tread on; to put on (shoes or trousers) (dialect); to be gathered and taken to the threshing ground (old)",pictophonetic,"legs" -5353,发,"to send out; to show (one's feeling); to issue; to develop; to make a bundle of money; classifier for gunshots (rounds)",, -5354,白,"surname Bai",ideographic,"A burning candle; the rays of the sun" -5355,白,"white; snowy; pure; bright; empty; blank; plain; clear; to make clear; in vain; gratuitous; free of charge; reactionary; anti-communist; funeral; to stare coldly; to write wrong character; to state; to explain; vernacular; spoken lines in opera",ideographic,"A burning candle; the rays of the sun" -5356,百,"surname Bai",pictophonetic,"one" -5357,百,"hundred; numerous; all kinds of",pictophonetic,"one" -5358,皂,"soap; black",, -5359,皃,"variant of 貌[mao4]",, -5360,的,"of; ~'s (possessive particle); (used after an attribute); (used to form a nominal expression); (used at the end of a declarative sentence for emphasis); also pr. [di4] or [di5] in poetry and songs",, -5361,的,"a taxi; a cab (abbr. for 的士[di1 shi4])",, -5362,的,"really and truly",, -5363,的,"(bound form) bull's-eye; target",, -5364,皆,"all; each and every; in all cases",, -5365,皇,"surname Huang",ideographic,"A crown 白 on the head of the emperor 王" -5366,皇,"emperor; old variant of 惶[huang2]",ideographic,"A crown 白 on the head of the emperor 王" -5367,皈,"to comply with; to follow",, -5368,皋,"bank; marsh",pictophonetic, -5369,皎,"bright; white",pictophonetic,"white" -5370,皋,"high riverbank; variant of 皋[gao1]",pictophonetic, -5371,皒,"see 皒皒[e2 e2]",pictophonetic,"white" -5372,皓,"bright; luminous; white (esp. bright white teeth of youth or white hair of old age)",pictophonetic,"white" -5373,皕,"two-hundred (rarely used); 200",ideographic,"Two hundreds 百" -5374,皖,"short name for Anhui Province 安徽省[An1 hui1 Sheng3]",pictophonetic,"bright" -5375,晰,"white; variant of 晰[xi1]",pictophonetic,"sun" -5376,皑,"(literary) white as snow",pictophonetic,"white" -5377,皓,"variant of 皓[hao4]; spotlessly white",pictophonetic,"white" -5378,皤,"white",pictophonetic,"white" -5379,皦,"surname Jiao",pictophonetic,"white" -5380,皦,"sparkling; bright",pictophonetic,"white" -5381,皮,"surname Pi",pictographic,"A hand using a tool 攴 to strip the hide from a carcass" -5382,皮,"leather; skin; fur; CL:張|张[zhang1]; pico- (one trillionth); naughty",pictographic,"A hand using a tool 攴 to strip the hide from a carcass" -5383,疱,"pimple; acne; blister; boil; ulcer",pictophonetic,"sickness" -5384,皴,"chapped; cracked",pictophonetic,"hide" -5385,鼓,"old variant of 鼓[gu3]",pictophonetic,"drum" -5386,皲,"to chap",pictophonetic,"hide" -5387,皱,"to wrinkle; wrinkled; to crease",pictophonetic,"skin" -5388,皻,"chapped skin",ideographic,"Spots 虘 on the skin 皮; 虘 also provides the pronunciation" -5389,皻,"old variant of 齇[zha1]; rosacea",ideographic,"Spots 虘 on the skin 皮; 虘 also provides the pronunciation" -5390,皿,"(bound form) dish; vessel; shallow container; radical no. 108",, -5391,盂,"basin; wide-mouthed jar or pot",pictophonetic,"dish" -5392,杯,"variant of 杯[bei1]; trophy cup; classifier for certain containers of liquids: glass, cup",pictophonetic,"tree" -5393,盅,"handleless cup; goblet",pictophonetic,"dish" -5394,盆,"basin; flower pot; unit of volume equal to 12 斗[dou3] and 8 升[sheng1], approx 128 liters; CL:個|个[ge4]",pictophonetic,"dish" -5395,盍,"variant of 盍[he2]",, -5396,盈,"full; filled; surplus",pictophonetic,"dish" -5397,益,"surname Yi",ideographic,"A container 皿 overflowing with water 水" -5398,益,"benefit; profit; advantage; beneficial; to increase; to add; all the more",ideographic,"A container 皿 overflowing with water 水" -5399,碗,"variant of 碗[wan3]",pictophonetic,"stone" -5400,盍,"why not",, -5401,盎,"ancient earthenware container with a big belly and small mouth; (literary) brimming; abundant",pictophonetic,"dish" -5402,盒,"small box; case",pictophonetic,"container" -5403,盔,"helmet",pictophonetic,"dish" -5404,盛,"surname Sheng",pictophonetic,"dish" -5405,盛,"to hold; to contain; to ladle; to pick up with a utensil",pictophonetic,"dish" -5406,盛,"flourishing; vigorous; magnificent; extensively",pictophonetic,"dish" -5407,盗,"to steal; to rob; to plunder; thief; bandit; robber",, -5408,盏,"a small cup; classifier for lamps",ideographic,"A small 戋 dish 皿; 戋 also provides the pronunciation" -5409,盟,"oath; pledge; union; to ally; league, a subdivision corresponding to prefecture in Inner Mongolia",pictophonetic,"offering dish" -5410,尽,"to use up; to exhaust; to end; to finish; to the utmost; exhausted; finished; to the limit (of sth); all; entirely",, -5411,监,"to supervise; to inspect; jail; prison",, -5412,监,"supervisor",, -5413,盘,"plate; dish; tray; board; hard drive (computing); to build; to coil; to check; to examine; to transfer (property); to make over; classifier for food: dish, helping; to coil; classifier for coils of wire; classifier for games of chess",pictophonetic,"dish" -5414,盥,"to wash (especially hands)",ideographic,"Washing 水 one's hands 彐 in a basin 皿" -5415,卢,"surname Lu; abbr. for Luxembourg 盧森堡|卢森堡[Lu2sen1bao3]",, -5416,卢,"(old) rice vessel; black; old variant of 廬|庐[lu2]; (slang) (Tw) troublesome; fussy",, -5417,荡,"variant of 蕩|荡[dang4]",ideographic,"Hot water 汤 wiping out plant life 艹; 汤 also provides the pronunciation" -5418,荡,"variant of 燙|烫[tang4]; variant of 趟[tang4]",ideographic,"Hot water 汤 wiping out plant life 艹; 汤 also provides the pronunciation" -5419,目,"eye; (literary) to look; to regard; eye (of a net); mesh; mesh size; grit size (abbr. for 目數|目数[mu4 shu4]); item; section; list; catalogue; (taxonomy) order; name; title",pictographic,"An eye drawn on its side" -5420,盯,"to watch attentively; to fix one's attention on; to stare at; to gaze at",pictophonetic,"eye" -5421,盱,"surname Xu",pictophonetic,"eye" -5422,盱,"anxious; stare",pictophonetic,"eye" -5423,盲,"blind",ideographic,"Losing 亡 one's sight 目; 亡 also provides the pronunciation" -5424,直,"surname Zhi; Zhi (c. 2000 BC), fifth of the legendary Flame Emperors 炎帝[Yan2di4] descended from Shennong 神農|神农[Shen2nong2] Farmer God",ideographic,"To look someone in the eye 目" -5425,直,"straight; to straighten; fair and reasonable; frank; straightforward; (indicates continuing motion or action); vertical; vertical downward stroke in Chinese characters",ideographic,"To look someone in the eye 目" -5426,相,"surname Xiang",ideographic,"To stare 目 at a tree 木, meaning to observe" -5427,相,"each other; one another; mutually; fret on the neck of a pipa 琵琶[pi2 pa5] (a fret on the soundboard is called a 品[pin3])",ideographic,"To stare 目 at a tree 木, meaning to observe" -5428,相,"appearance; portrait; picture; government minister; (physics) phase; (literary) to appraise (esp. by scrutinizing physical features); to read sb's fortune (by physiognomy, palmistry etc)",ideographic,"To stare 目 at a tree 木, meaning to observe" -5429,盹,"doze; nap",pictophonetic,"eye" -5430,盼,"to hope for; to long for; to expect",pictophonetic,"eye" -5431,盾,"shield; (currency) Vietnamese dong; currency unit of several countries (Indonesian rupiah, Dutch gulden etc)",ideographic,"An eye 目 peering from behind a shield 厂" -5432,省,"to save; to economize; to be frugal; to omit; to delete; to leave out; province; provincial capital; a ministry (of the Japanese government)",pictophonetic,"division" -5433,省,"(bound form) to scrutinize; (bound form) to reflect (on one's conduct); (bound form) to come to realize; (bound form) to pay a visit (to one's parents or elders)",pictophonetic,"division" -5434,眄,"to ogle at; to squint at",pictophonetic,"eye" -5435,眄,"to look askance at",pictophonetic,"eye" -5436,眇,"blind in one eye; blind; tiny; humble; to stare",ideographic,"Too small 少 to be seen by the naked eye 目" -5437,眈,"gaze intently",pictophonetic,"eye" -5438,眉,"eyebrow; upper margin",ideographic,"Picture of hair 尸 above an eye 目" -5439,看,"to look after; to take care of; to watch; to guard",ideographic,"Shielding one's eyes 目 with a hand 手 to look to the distance" -5440,看,"to see; to look at; to read; to watch; to visit; to call on; to consider; to regard as; to look after; to treat (a patient or illness); to depend on; to feel (that); (after a verb) to give it a try; to watch out for",ideographic,"Shielding one's eyes 目 with a hand 手 to look to the distance" -5441,県,"Japanese variant of 縣|县; Japanese prefecture",pictophonetic,"head" -5442,视,"variant of 視|视[shi4]; variant of 示[shi4]",pictophonetic,"see" -5443,眙,"place name",pictophonetic,"eye" -5444,眚,"cataract of the eye; error",pictophonetic,"eye" -5445,真,"really; truly; indeed; real; true; genuine",ideographic,"A straight 直 (that is, level) table 几" -5446,眠,"to sleep; to hibernate",pictophonetic,"eye" -5447,视,"old variant of 視|视[shi4]",pictophonetic,"see" -5448,眢,"inflamed eyelids; parched",pictophonetic,"eye" -5449,眦,"corner of the eye; canthus; eye socket",pictophonetic,"eye" -5450,眦,"variant of 眥|眦[zi4]",pictophonetic,"eye" -5451,眨,"to blink; to wink",ideographic,"Two eyes, one open 目 and one shut 乏" -5452,眩,"dazzling; brilliant; dazzled; dizzy",pictophonetic,"eye" -5453,眭,"surname Sui",pictophonetic,"eye" -5454,眭,"to have a deep or piercing gaze",pictophonetic,"eye" -5455,眯,"to blind (as with dust); Taiwan pr. [mi3]",pictophonetic,"eye" -5456,眳,"space between the eyebrows and the eyelashes",pictophonetic,"eye" -5457,眵,"discharge (rheum) from the mucous membranes of the eyes",pictophonetic,"eye" -5458,眶,"(bound form) eye socket; Taiwan pr. [kuang1]",pictophonetic,"eye" -5459,眷,"(bound form) one's family, esp. wife and children; (literary) to regard with love and affection; to feel concern for",pictophonetic,"eye" -5460,眸,"pupil (of the eye); eye",pictophonetic,"eye" -5461,眺,"to gaze into the distance",pictophonetic,"eye" -5462,眼,"eye; small hole; crux (of a matter); CL:隻|只[zhi1],雙|双[shuang1]; classifier for big hollow things (wells, stoves, pots etc)",pictophonetic,"eye" -5463,眽,"to gaze; to ogle to look at",pictophonetic,"eye" -5464,众,"abbr. for 眾議院|众议院[Zhong4 yi4 yuan4], House of Representatives",ideographic,"Three people 人 representing a crowd" -5465,众,"crowd; multitude; many; numerous",ideographic,"Three people 人 representing a crowd" -5466,睃,"to throw a glance at; to peer at; Taiwan pr. [jun4]",pictophonetic,"eye" -5467,睇,"to look down upon (classical); to see; to look at (Cantonese); Mandarin equivalent: 看[kan4]",pictophonetic,"eye" -5468,困,"sleepy; tired",ideographic,"A fence 囗 built around a tree 木" -5469,睘,"variant of 瞏[qiong2]",, -5470,睚,"(literary) corner of the eye; canthus",pictophonetic,"eye" -5471,睛,"eye; eyeball",pictophonetic,"eye" -5472,睁,"to open (one's eyes)",pictophonetic,"eye" -5473,睐,"to glance; to look askance at",pictophonetic,"eye" -5474,眷,"(literary) to regard with love and affection; to feel concern for (variant of 眷[juan4])",pictophonetic,"eye" -5475,睡,"to sleep; to lie down",pictophonetic,"eye" -5476,睢,"surname Sui",pictophonetic,"eye" -5477,睢,"to stare",pictophonetic,"eye" -5478,督,"(bound form) to supervise",pictophonetic,"eye" -5479,睥,"used in 睥睨[pi4 ni4]; Taiwan pr. [bi4]",pictophonetic,"eye" -5480,睦,"amicable; harmonious",pictophonetic,"eye" -5481,睨,"to look askance at",pictophonetic,"eye" -5482,睪,"to spy out",ideographic,"An eye 目 on top of a tower 幸" -5483,睫,"eyelashes",pictophonetic,"eye" -5484,睬,"to pay attention; to take notice of; to care for",pictophonetic,"eye" -5485,睹,"to observe; to see",pictophonetic,"eye" -5486,睽,"separated; stare",pictophonetic,"eye" -5487,睾,"(bound form) testicle",, -5488,睿,"astute; perspicacious; farsighted",, -5489,瞀,"indistinct vision; dim",ideographic,"To make an effort 敄 to see 目 something" -5490,瞄,"to take aim; (fig.) to aim one's looks at; to glance at",pictophonetic,"eye" -5491,瞅,"(dialect) to look at",pictophonetic,"eye" -5492,眯,"to narrow one's eyes; to squint; (dialect) to take a nap",pictophonetic,"eye" -5493,瞈,"see 瞈矇|瞈蒙[weng3 meng2]",ideographic,"An old man's 翁 eyes 目; 翁 also provides the pronunciation" -5494,瞋,"(literary) to stare angrily; to glare",pictophonetic,"eye" -5495,瞌,"to doze off; sleepy",pictophonetic,"eye" -5496,瞍,"blind",ideographic,"An old man's 叟 eyes 目; 叟 also provides the pronunciation" -5497,瞎,"blind; groundlessly; foolishly; to no purpose",ideographic,"To damage 害 one's eyes 目; 害 also provides the pronunciation" -5498,瞑,"to close (the eyes)",ideographic,"One's eyes 目at night 冥; 冥 also provides the pronunciation" -5499,瞓,"to sleep (Cantonese); Mandarin equivalent: 睡[shui4]",pictophonetic,"eye" -5500,翳,"variant of 翳[yi4]",pictophonetic,"feather" -5501,眍,"to sink in (of eyes)",pictophonetic,"eye" -5502,瞒,"to conceal from; to keep (sb) in the dark",pictophonetic,"eye" -5503,瞟,"to cast a glance",pictophonetic,"eye" -5504,瞠,"stare at sth beyond reach",pictophonetic,"eye" -5505,瞢,"eyesight obscured; to feel ashamed",ideographic,"To cover 冖 one's eyes 目; 罒 provides the pronunciation" -5506,瞥,"to shoot a glance; glance; to appear in a flash",pictophonetic,"eye" -5507,瞧,"to look at; to see; to see (a doctor); to visit",pictophonetic,"eye" -5508,瞪,"to open (one's eyes) wide; to stare at; to glare at",pictophonetic,"eye" -5509,瞬,"to wink",pictophonetic,"eye" -5510,了,"(of eyes) bright; clear-sighted; to understand clearly",pictographic,"A child swaddled in blanklets; compare 子" -5511,了,"unofficial variant of 瞭[liao4]",pictographic,"A child swaddled in blanklets; compare 子" -5512,瞭,"to watch from a height or distance",pictophonetic,"eye" -5513,瞰,"to look down from a height; to spy on sth",pictophonetic,"eye" -5514,瞳,"pupil of the eye",pictophonetic,"eye" -5515,瞵,"to stare at",pictophonetic,"eye" -5516,瞻,"to gaze; to view",pictophonetic,"eye" -5517,睑,"eyelid",pictophonetic,"eye" -5518,瞽,"blind; undiscerning",pictophonetic,"eye" -5519,瞿,"surname Qu",ideographic,"A bird 隹 with two wide eyes 目" -5520,瞿,"startled; Taiwan pr. [ju4]",ideographic,"A bird 隹 with two wide eyes 目" -5521,瞅,"old variant of 瞅[chou3]",pictophonetic,"eye" -5522,蒙,"to deceive; to cheat; to hoodwink; to make a wild guess",pictophonetic,"plant" -5523,蒙,"blind; dim-sighted",pictophonetic,"plant" -5524,矍,"surname Jue",ideographic,"To startle 瞿 again 又; 瞿 also provides the pronunciation" -5525,矍,"to glance fearfully",ideographic,"To startle 瞿 again 又; 瞿 also provides the pronunciation" -5526,眬,"used in 矇矓|蒙眬[meng2 long2]",pictophonetic,"eye" -5527,矗,"lofty; upright",ideographic,"Three people standing up straight 直" -5528,瞰,"variant of 瞰[kan4]",pictophonetic,"eye" -5529,瞩,"to gaze at; to stare at",pictophonetic,"eye" -5530,矛,"spear; lance; pike",pictographic,"A spear pointed up and to the right" -5531,矜,"to boast; to esteem; to sympathize",pictophonetic,"spear" -5532,矞,"grand; elegant; propitious",ideographic,"To bore a hole with an awl 矛" -5533,矢,"arrow; dart; straight; to vow; to swear; old variant of 屎[shi3]",pictographic,"An arrow pointing upwards" -5534,矣,"classical final particle, similar to modern 了[le5]",, -5535,知,"to know; to be aware",pictophonetic,"mouth" -5536,矦,"old variant of 侯[hou2]",pictographic,"An arrow 矢 hitting a target 厃" -5537,矧,"(interrog.)",pictophonetic,"pull" -5538,矩,"carpenter's square; rule; regulation; pattern; to carve",pictophonetic,"arrow" -5539,矬,"short; dwarfish",pictophonetic,"arrow" -5540,短,"short; brief; to lack; weak point; fault",pictophonetic,"dart" -5541,矮,"(of a person) short; (of a wall etc) low; (of rank) inferior (to); lower (than)",pictophonetic,"dart" -5542,矫,"surname Jiao",pictophonetic,"arrow" -5543,矫,"used in 矯情|矫情[jiao2 qing5]",pictophonetic,"arrow" -5544,矫,"to correct; to rectify; to redress; strong; brave; to pretend; to feign; affectation",pictophonetic,"arrow" -5545,石,"surname Shi; abbr. for Shijiazhuang 石家莊|石家庄[Shi2jia1zhuang1], the capital of Hebei",ideographic,"A rock 口 at the base of a cliff 厂" -5546,石,"dry measure for grain equal to ten dou 斗[dou3]; one hundred liters; ancient pr. [shi2]",ideographic,"A rock 口 at the base of a cliff 厂" -5547,石,"rock; stone; stone inscription; one of the eight categories of ancient musical instruments 八音[ba1 yin1]",ideographic,"A rock 口 at the base of a cliff 厂" -5548,碇,"variant of 碇[ding4]",pictophonetic,"rock" -5549,矸,"used in 矸石[gan1 shi2]",pictophonetic,"rock" -5550,矻,"used in 矻矻[ku1 ku1]; Taiwan pr. [ku4]",pictophonetic,"stone" -5551,矽,"(Tw) silicon (chemistry); Taiwan pr. [xi4]",pictophonetic,"stone" -5552,砂,"sand; gravel; granule; variant of 沙[sha1]",ideographic,"Many small 少 stones 石; 少 also provides the pronunciation" -5553,砉,"sound of a thing flying fast by; whoosh; cracking sound; Taiwan pr. [huo4]",, -5554,砉,"sound of flaying",, -5555,砌,"to build by laying bricks or stones",ideographic,"To cut 切 stone 石; 切 also provides the pronunciation" -5556,砌,"used in 砌末[qie4mo5]",ideographic,"To cut 切 stone 石; 切 also provides the pronunciation" -5557,砍,"to chop; to cut down; to throw sth at sb",pictophonetic,"stone" -5558,砑,"to calender",ideographic,"Stone 石 used as teeth 牙; 牙 also provides the pronunciation" -5559,砒,"arsenic",pictophonetic,"mineral" -5560,研,"to grind; study; research",pictophonetic,"stone" -5561,砘,"(agriculture) to compact loose soil with a stone roller after sowing seeds; stone roller used for this purpose",pictophonetic,"stone" -5562,砝,"used in 砝碼|砝码[fa3 ma3]",pictophonetic,"stone" -5563,砟,"fragments",pictophonetic,"stone" -5564,砣,"steelyard weight; stone roller; to polish jade with an emery wheel",pictophonetic,"stone" -5565,砥,"baffle (pier); whetstone",pictophonetic,"stone" -5566,寨,"variant of 寨[zhai4]",ideographic,"A fortress 宀 with walls made of wood 木" -5567,砧,"anvil",pictophonetic,"stone" -5568,砩,"dam up water with rocks",pictophonetic,"rock" -5569,砩,"name of a stone",pictophonetic,"rock" -5570,砬,"a huge boulder; a towering rock",ideographic,"A large standing 立 stone 石; 立 also provides the pronunciation" -5571,砭,"ancient stone acupuncture needle; to criticize; to pierce",pictophonetic,"stone" -5572,砰,"(onom.) bang; thump",pictophonetic,"rock" -5573,炮,"variant of 炮[pao4]",pictophonetic,"fire" -5574,破,"broken; damaged; worn out; lousy; rotten; to break, split or cleave; to get rid of; to destroy; to break with; to defeat; to capture (a city etc); to expose the truth of",pictophonetic,"rock" -5575,砷,"arsenic (chemistry)",pictophonetic,"mineral" -5576,砸,"to smash; to pound; to fail; to muck up; to bungle",pictophonetic,"rock" -5577,砹,"astatine (chemistry)",pictophonetic,"mineral" -5578,砼,"concrete (construction)",pictophonetic,"stone" -5579,朱,"cinnabar",ideographic,"The color of the sap 一 of some trees 木" -5580,硅,"silicon (chemistry)",pictophonetic,"mineral" -5581,硇,"used in 硇砂[nao2 sha1]",ideographic,"A kind of mineral 石 salt 卤" -5582,硌,"(coll.) (of sth hard or rough) to press against some part of one's body causing discomfort (like a small stone in one's shoe); to hurt; to chafe",pictophonetic,"stone" -5583,硎,"whetstone",pictophonetic,"stone" -5584,硐,"variant of 洞[dong4]; cave; pit",pictophonetic,"rock" -5585,硐,"grind",pictophonetic,"rock" -5586,硒,"selenium (chemistry)",pictophonetic,"mineral" -5587,硝,"saltpeter; to tan (leather)",pictophonetic,"mineral" -5588,硖,"place name",pictophonetic,"stone" -5589,砗,"used in 硨磲|砗磲[che1 qu2]",pictophonetic,"stone" -5590,硪,"see 石硪[shi2 wo4]",pictophonetic,"stone" -5591,硫,"sulfur (chemistry)",pictophonetic,"mineral" -5592,硬,"hard; stiff; solid; (fig.) strong; firm; resolutely; uncompromisingly; laboriously; with great difficulty; good (quality); able (person); (of food) filling; substantial",pictophonetic,"stone" -5593,硭,"crude saltpeter",pictophonetic,"mineral" -5594,确,"variant of 確|确[que4]; variant of 埆[que4]",pictophonetic,"stone" -5595,砚,"ink-stone",pictophonetic,"stone" -5596,硼,"boron (chemistry)",pictophonetic,"mineral" -5597,棋,"variant of 棋[qi2]",pictophonetic,"wood" -5598,碇,"anchor",pictophonetic,"rock" -5599,碉,"rock cave (archaic)",pictophonetic,"stone" -5600,碌,"used in 碌碡[liu4 zhou5]; Taiwan pr. [lu4]",pictophonetic,"rock" -5601,碌,"(bound form used in 忙碌[mang2 lu4], 勞碌|劳碌[lao2 lu4], 庸碌[yong1 lu4] etc)",pictophonetic,"rock" -5602,碎,"(transitive or intransitive verb) to break into pieces; to shatter; to crumble; broken; fragmentary; scattered; garrulous",pictophonetic,"rock" -5603,碑,"a monument; an upright stone tablet; stele; CL:塊|块[kuai4],面[mian4]",pictophonetic,"stone" -5604,碓,"pestle; pound with a pestle",pictophonetic,"stone" -5605,碗,"bowl; cup; CL:隻|只[zhi1],個|个[ge4]",pictophonetic,"stone" -5606,碘,"iodine (chemistry)",pictophonetic,"mineral" -5607,碚,"(used in place names)",pictophonetic,"stone" -5608,碟,"dish; plate",ideographic,"A flat 枼 stone 石" -5609,碡,"stone roller (for threshing grain, leveling ground etc); Taiwan pr. [du2]",pictophonetic,"stone" -5610,碣,"stone tablet",pictophonetic,"stone" -5611,碥,"dangerous rocks jutting out over rapids",pictophonetic,"stone" -5612,碧,"green jade; bluish green; blue; jade",ideographic,"A stone 石 like amber 珀; 珀 also provides the pronunciation" -5613,硕,"large; big",ideographic,"Like a sheet 页 of stone 石" -5614,砧,"variant of 砧[zhen1]",pictophonetic,"stone" -5615,砀,"stone with color veins",ideographic,"A bright 昜 stone 石; 昜 also provides the pronunciation" -5616,碰,"to touch; to meet with; to bump",pictophonetic,"rock" -5617,碲,"tellurium (chemistry)",pictophonetic,"mineral" -5618,碳,"carbon (chemistry)",pictophonetic,"mineral" -5619,碴,"fault; glass fragment; quarrel",pictophonetic,"stone" -5620,砜,"sulfone",pictophonetic,"mineral" -5621,确,"authenticated; solid; firm; real; true",pictophonetic,"stone" -5622,码,"weight; number; code; to pile; to stack; classifier for length or distance (yard), happenings etc",pictophonetic,"stone" -5623,碾,"stone roller; roller and millstone; to grind; to crush; to husk",pictophonetic,"stone" -5624,磁,"magnetic; magnetism; porcelain",pictophonetic,"stone" -5625,磅,"scale (instrument for weighing); to weigh; (loanword) pound (unit of weight, about 454 grams); (printing) point (unit used to measure the size of type)",pictophonetic,"stone" -5626,磅,"used in 磅礴[pang2 bo2]; Taiwan pr. [pang1]",pictophonetic,"stone" -5627,磉,"stone plinth",pictophonetic,"stone" -5628,磊,"lumpy; rock pile; uneven; fig. sincere; open and honest",ideographic,"Many rocks 石 piled up" -5629,磋,"deliberate; to polish",pictophonetic,"stone" -5630,磐,"firm; stable; rock",pictophonetic,"rock" -5631,硙,"used in 磑磑|硙硙[ai2 ai2]",pictophonetic,"stone" -5632,硙,"used in 磑磑|硙硙[wei2 wei2]",pictophonetic,"stone" -5633,硙,"(literary) grindstone; (literary) to mill",pictophonetic,"stone" -5634,磔,"old term for the right-falling stroke in Chinese characters (e.g. the last stroke of 大[da4]), now called 捺[na4]; sound made by birds (onom.); (literary) to dismember (form of punishment); to spread",pictophonetic,"rock" -5635,磕,"to tap; to knock (against sth hard); to knock (mud from boots, ashes from a pipe etc)",pictophonetic,"stone" -5636,磕,"variant of 嗑[ke4]",pictophonetic,"stone" -5637,磙,"roller; to level with a roller",pictophonetic,"stone" -5638,砖,"brick; tile (floor or wall, not roof); CL:塊|块[kuai4]",pictophonetic,"stone" -5639,碌,"variant of 碌[liu4]",pictophonetic,"rock" -5640,碜,"gritty (of food); unsightly",pictophonetic,"stone" -5641,碛,"(bound form) moraine; rocks in shallow water",pictophonetic,"stone" -5642,磨,"to rub; to grind; to polish; to sharpen; to wear down; to die out; to waste time; to pester; to insist",pictophonetic,"stone" -5643,磨,"grindstone; to grind; to turn round",pictophonetic,"stone" -5644,磬,"chime stones, ancient percussion instrument made of stone or jade pieces hung in a row and struck as a xylophone",ideographic,"Stone 石 chimes 殸; 殸 also provides the pronunciation" -5645,矶,"breakwater; jetty",pictophonetic,"rock" -5646,磲,"used in 硨磲|砗磲[che1 qu2]",pictophonetic,"stone" -5647,磴,"cliff-ledge; stone step",ideographic,"Stone 石 steps for climbing 登; 登 also provides the pronunciation" -5648,磷,"(chemistry) phosphorus",pictophonetic,"mineral" -5649,磺,"sulfur",ideographic,"A yellow 黄 mineral 石; 黄 also provides the pronunciation" -5650,硗,"stony soil",pictophonetic,"stone" -5651,礁,"reef; shoal rock",pictophonetic,"rock" -5652,礅,"stone block",pictophonetic,"stone" -5653,硷,"variant of 鹼|碱[jian3]",pictophonetic,"mineral" -5654,础,"foundation; base",pictophonetic,"stone" -5655,礓,"a small stone",pictophonetic,"stone" -5656,碍,"to hinder; to obstruct; to block",pictophonetic,"stone" -5657,礞,"(mineral)",pictophonetic,"mineral" -5658,礴,"to fill; to extend",pictophonetic,"stone" -5659,礤,"shredder; grater (kitchen implement for grating vegetables); grindstone",pictophonetic,"stone" -5660,矿,"mineral deposit; ore deposit; ore; a mine",pictophonetic,"mineral" -5661,砺,"grind; sandstone",ideographic,"A stone 石 used to hone 厉 blades; 厉 also provides the pronunciation" -5662,砾,"(bound form) gravel; small stone",pictophonetic,"stone" -5663,矾,"alum",pictophonetic,"mineral" -5664,砻,"to grind; to mill",pictophonetic,"stone" -5665,示,"to show; to reveal",pictographic,"An altar" -5666,社,"(bound form) society; organization; agency; (old) god of the land",ideographic,"An earth 土 spirit 礻; 礻 also provides the pronunciation" -5667,祀,"to sacrifice; to offer libation to",pictophonetic,"spirit" -5668,祁,"surname Qi",pictophonetic,"spirit" -5669,祁,"large; vast",pictophonetic,"spirit" -5670,祆,"Ahura Mazda, the creator deity in Zoroastrianism",ideographic,"A spirit 礻 in the sky 天; 天 also provides the pronunciation" -5671,只,"variant of 只[zhi3]",ideographic,"Simple words 八 coming from the mouth 口" -5672,祇,"god of the earth",pictophonetic,"spirit" -5673,祈,"to implore; to pray; to request",pictophonetic,"spirit" -5674,祉,"felicity",pictophonetic,"spirit" -5675,祓,"to cleanse; to remove evil; ritual for seeking good fortune and avoiding disaster",pictophonetic,"spirit" -5676,秘,"variant of 秘[mi4]",pictophonetic,"grain" -5677,祖,"surname Zu",pictophonetic,"spirit" -5678,祖,"ancestor; forefather; grandparents",pictophonetic,"spirit" -5679,祗,"respectful (ly)",pictophonetic,"spirit" -5680,祘,"variant of 算[suan4], to calculate",, -5681,祚,"blessing; the throne",pictophonetic,"spirit" -5682,祛,"sacrifice to drive away calamity; to dispel; to drive away; to remove",ideographic,"To banish 去 a spirit 礻; 去 also provides the pronunciation" -5683,祜,"celestial blessing",pictophonetic,"spirit" -5684,祝,"surname Zhu",ideographic,"A person 兄 praying before an altar 礻" -5685,祝,"to pray for; to wish (sb bon voyage, happy birthday etc); person who invokes the spirits during sacrificial ceremonies",ideographic,"A person 兄 praying before an altar 礻" -5686,神,"God",pictophonetic,"spirit" -5687,神,"god; deity; supernatural; magical; mysterious; spirit; mind; energy; lively; expressive; look; expression; (coll.) awesome; amazing",pictophonetic,"spirit" -5688,祟,"evil spirit",pictophonetic,"spirit" -5689,祠,"shrine; to offer a sacrifice",pictophonetic,"spirit" -5690,祢,"you (used to address a deity)",pictophonetic,"spirit" -5691,祥,"auspicious; propitious",pictophonetic,"spirit" -5692,祧,"ancestral hall",pictophonetic,"spirit" -5693,票,"ticket; ballot; banknote; CL:張|张[zhang1]; person held for ransom; amateur performance of Chinese opera; classifier for groups, batches, business transactions",ideographic,"Flames 覀 over an altar 示, referring to a Chinese tradition of burning fake money as an offering" -5694,祭,"surname Zhai",ideographic,"Hand 寸 holding meat ⺼ over an altar 示" -5695,祭,"to offer a sacrifice to (gods or ancestors); memorial ceremony; (in classical novels) to recite an incantation to activate a magic weapon; (lit. and fig.) to wield",ideographic,"Hand 寸 holding meat ⺼ over an altar 示" -5696,祺,"auspicious; propitious; good luck; felicity; euphoria; used for 旗, e.g. in 旗袍, long Chinese dress",pictophonetic,"spirit" -5697,禄,"good fortune; official salary",pictophonetic,"spirit" -5698,禁,"to endure",pictophonetic,"altar" -5699,禁,"to prohibit; to forbid",pictophonetic,"altar" -5700,禊,"semiannual ceremony of purification",pictophonetic,"spirit" -5701,祸,"disaster; misfortune; calamity",pictophonetic,"spirit" -5702,祯,"auspicious; lucky",pictophonetic,"spirit" -5703,福,"surname Fu; abbr. for Fujian province 福建省[Fu2jian4 sheng3]",pictophonetic,"spirit" -5704,福,"good fortune; happiness; luck",pictophonetic,"spirit" -5705,祎,"excellent; precious; rare; fine; (used in given names)",pictophonetic,"spirit" -5706,禚,"place name",, -5707,禛,"to receive blessings in a sincere spirit",pictophonetic,"spirit" -5708,御,"(bound form) to defend; to resist",pictophonetic,"step" -5709,禧,"joy",ideographic,"Celebrating 喜 good fortune 礻; 壴 also provides the pronunciation" -5710,祀,"variant of 祀[si4]",pictophonetic,"spirit" -5711,禅,"dhyana (Sanskrit); Zen; meditation (Buddhism)",ideographic,"To pray 礻 alone 单; 单 also provides the pronunciation" -5712,禅,"to abdicate",ideographic,"To pray 礻 alone 单; 单 also provides the pronunciation" -5713,礼,"surname Li; abbr. for 禮記|礼记[Li3ji4], Classic of Rites",pictophonetic,"spirit" -5714,礼,"gift; rite; ceremony; CL:份[fen4]; propriety; etiquette; courtesy",pictophonetic,"spirit" -5715,祢,"surname Mi",pictophonetic,"spirit" -5716,祢,"memorial tablet in a temple commemorating a deceased father",pictophonetic,"spirit" -5717,祷,"prayer; pray; supplication",pictophonetic,"spirit" -5718,禳,"sacrifice for avoiding calamity",ideographic,"To pray 礻for help 襄; 襄 also provides the pronunciation" -5719,禸,"trample",, -5720,禹,"Yu the Great (c. 21st century BC), mythical leader who tamed the floods; surname Yu",, -5721,禺,"archaic variant of 偶[ou3]",, -5722,禺,"(archaic) district; (old) type of monkey",, -5723,离,"mythical beast (archaic)",pictographic,"An animal standing straight; 亠 is the head" -5724,禽,"generic term for birds and animals; birds; to capture (old)",ideographic,"A legendary beast 离 captured by a man 人" -5725,禾,"cereal; grain",pictographic,"A plant stalk with a sagging head" -5726,秃,"bald (lacking hair or feathers); barren; bare; denuded; blunt (lacking a point); (of a piece of writing) unsatisfactory; lacking something",ideographic,"Grains of hair 禾 on a person's head 几" -5727,秀,"(bound form) refined; elegant; graceful; beautiful; (bound form) superior; excellent; (loanword) show; (literary) to grow; to bloom; (of grain crops) to produce ears",pictophonetic,"flower" -5728,私,"personal; private; selfish",ideographic,"厶 provides the meaning and pronunciation" -5729,秉,"surname Bing",ideographic,"A hand 彐 grasping a bundle of grain 禾" -5730,秉,"to grasp; to hold; to maintain",ideographic,"A hand 彐 grasping a bundle of grain 禾" -5731,年,"grain; harvest (old); variant of 年[nian2]",ideographic,"A man 干 carrying grain, representing the annual harvest" -5732,秋,"surname Qiu",ideographic,"The time of year when farmers would burn 禾 crops 火" -5733,秋,"autumn; fall; harvest time",ideographic,"The time of year when farmers would burn 禾 crops 火" -5734,秋,"old variant of 秋[qiu1]",ideographic,"The time of year when farmers would burn 禾 crops 火" -5735,科,"branch of study; administrative section; division; field; branch; stage directions; family (taxonomy); rules; laws; to mete out (punishment); to levy (taxes etc); to fine sb; CL:個|个[ge4]",ideographic,"A hand measuring 斗 grain 禾" -5736,秒,"second (unit of time); arc second (angular measurement unit); (coll.) instantly",pictophonetic,"grain" -5737,粳,"variant of 粳[jing1]",pictophonetic,"rice" -5738,秕,"grain not fully grown; husks; withered grain; unripe grain",pictophonetic,"grain" -5739,只,"grain that has begun to ripen",ideographic,"Simple words 八 coming from the mouth 口" -5740,秘,"see 秘魯|秘鲁[Bi4 lu3]",pictophonetic,"grain" -5741,秘,"secret; secretary",pictophonetic,"grain" -5742,租,"to hire; to rent; to charter; to rent out; to lease out; rent; land tax",ideographic,"Regularly paid 且 tribute in grain 禾" -5743,秣,"feed a horse with grain; horse feed",pictophonetic,"grain" -5744,秤,"variant of 稱|称[cheng1], to weigh",ideographic,"A balance 平 used to measure grain 禾" -5745,秤,"steelyard; Roman balance; CL:臺|台[tai2]",ideographic,"A balance 平 used to measure grain 禾" -5746,秦,"surname Qin; Qin dynasty (221-207 BC) of the first emperor 秦始皇[Qin2 Shi3huang2]; short name for 陝西|陕西[Shan3xi1]",, -5747,秧,"shoots; sprouts",pictophonetic,"rice" -5748,秩,"order; orderliness; (classifier) ten years",pictophonetic,"grain" -5749,秫,"broomcorn millet (Panicum spp.); Panicum italicum; glutinous millet",pictophonetic,"grain" -5750,秭,"billion",pictophonetic,"grain" -5751,秸,"grain stalks left after threshing",pictophonetic,"grain" -5752,移,"to move; to shift; to change; to alter; to remove",, -5753,稀,"rare; uncommon; watery; sparse",pictophonetic,"grain" -5754,稂,"grass; weeds",pictophonetic,"grain" -5755,稃,"husk; outside shell of grain",pictophonetic,"grain" -5756,税,"taxes; duties",ideographic,"Grain 禾 paid as tribute 兑; 兑 also provides the pronunciation" -5757,稆,"variant of 穭|穞[lu:3]",pictophonetic,"grain" -5758,秆,"stalks of grain",ideographic,"Dried 干 grain stalks 禾; 干 also provides the pronunciation" -5759,粳,"variant of 粳[jing1]",pictophonetic,"rice" -5760,程,"surname Cheng",pictophonetic,"grain" -5761,程,"rule; order; regulations; formula; journey; procedure; sequence",pictophonetic,"grain" -5762,稍,"somewhat; a little",ideographic,"Resembling 肖 grain 禾; 肖 also provides the pronunciation" -5763,稍,"see 稍息[shao4 xi1]",ideographic,"Resembling 肖 grain 禾; 肖 also provides the pronunciation" -5764,稔,"ripe grain",pictophonetic,"grain" -5765,稗,"barnyard millet (Echinochloa crus-galli); Panicum crus-galli; (literary) insignificant; trivial",pictophonetic,"grain" -5766,稙,"early-planted crop",pictophonetic,"grain" -5767,稚,"infantile; young",pictophonetic,"grain" -5768,棱,"arris; edge; corrugation; ridges",pictophonetic,"wood" -5769,棱,"used in 穆稜|穆棱[Mu4 ling2]",pictophonetic,"wood" -5770,稞,"(wheat)",ideographic,"Grain 禾 bearing fruit 果; 果 also provides the pronunciation" -5771,禀,"to make a report (to a superior); to give; to endow; to receive; petition",ideographic,"To show 示 something to an official 亠回" -5772,稠,"dense; crowded; thick; many",pictophonetic,"grain" -5773,稨,"see 稨豆[bian3 dou4]",pictophonetic,"grain" -5774,糯,"variant of 糯[nuo4]",pictophonetic,"rice" -5775,秸,"variant of 秸[jie1]",pictophonetic,"grain" -5776,种,"seed; species; kind; type; classifier for types, kinds, sorts",pictophonetic,"grain" -5777,种,"to plant; to grow; to cultivate",pictophonetic,"grain" -5778,称,"to fit; to match; to suit; (coll.) to have; to possess; Taiwan pr. [cheng4]",, -5779,称,"to weigh; to state; to name; name; appellation; to praise",, -5780,称,"variant of 秤[cheng4]; steelyard",, -5781,稷,"millet; God of cereals worshiped by ancient rulers; minister of agriculture",pictophonetic,"grain" -5782,稹,"to accumulate; fine and close",pictophonetic,"grain" -5783,稚,"old variant of 稚[zhi4]",pictophonetic,"grain" -5784,稻,"paddy; rice (Oryza sativa)",pictophonetic,"grain" -5785,稼,"to sow grain; (farm) crop",pictophonetic,"grain" -5786,稽,"surname Ji",pictophonetic,"grain" -5787,稽,"to inspect; to check",pictophonetic,"grain" -5788,稽,"to bow to the ground",pictophonetic,"grain" -5789,稿,"variant of 稿[gao3]",pictophonetic,"grain" -5790,稿,"manuscript; draft; stalk of grain",pictophonetic,"grain" -5791,谷,"grain; corn",ideographic,"Water flowing 人 from a spring 口 through a valley 八" -5792,糠,"variant of 糠[kang1]",pictophonetic,"rice" -5793,穆,"surname Mu",pictophonetic,"grain" -5794,穆,"solemn; reverent; calm; burial position in an ancestral tomb (old); old variant of 默",pictophonetic,"grain" -5795,稚,"variant of 稚[zhi4]",pictophonetic,"grain" -5796,稣,"archaic variant of 蘇|苏[su1]; to revive",pictophonetic,"grain" -5797,积,"to amass; to accumulate; to store up; (math.) product (the result of multiplication); (TCM) constipation; indigestion",pictophonetic,"grain" -5798,颖,"head of grain; husk; tip; point; clever; gifted; outstanding",pictophonetic,"rice" -5799,穗,"abbr. for Guangzhou 廣州|广州[Guang3 zhou1]",pictophonetic,"grain" -5800,穗,"ear of grain; fringe; tassel",pictophonetic,"grain" -5801,穑,"gather in harvest",pictophonetic,"grain" -5802,秽,"(bound form) dirty; filthy",pictophonetic,"grain" -5803,糯,"variant of 糯[nuo4]",pictophonetic,"rice" -5804,颓,"variant of 頹|颓[tui2]",ideographic,"A bald 秃 head 页; 秃 also provides the pronunciation" -5805,稳,"settled; steady; stable",pictophonetic,"grain" -5806,获,"(bound form) to reap; to harvest",, -5807,穰,"surname Rang",pictophonetic,"grain" -5808,穰,"abundant; stalk of grain",pictophonetic,"grain" -5809,穴,"cave; cavity; hole; acupuncture point; Taiwan pr. [xue4]",pictographic,"The mouth of a cave" -5810,穵,"to dig; to scoop out",pictophonetic,"cave" -5811,究,"after all; to investigate; to study carefully; Taiwan pr. [jiu4]",pictophonetic,"cave" -5812,穸,"tomb",ideographic,"A dark 夕 cave 穴; 夕 also provides the pronunciation" -5813,穹,"vault; dome; the sky",ideographic,"An arched 弓 vault 穴; 弓 also provides the pronunciation" -5814,空,"empty; air; sky; in vain",pictophonetic,"cave" -5815,空,"to empty; vacant; unoccupied; space; leisure; free time",pictophonetic,"cave" -5816,阱,"variant of 阱[jing3]",ideographic,"A farm 阝 with a well 井; 井 also provides the pronunciation" -5817,穿,"to wear; to put on; to dress; to bore through; to pierce; to perforate; to penetrate; to pass through; to thread",pictophonetic,"tooth" -5818,窀,"to bury",pictophonetic,"hole" -5819,突,"to dash; to move forward quickly; to bulge; to protrude; to break through; to rush out; sudden; Taiwan pr. [tu2]",ideographic,"A dog 犬 rushing out of a cave 穴" -5820,窄,"narrow; narrow-minded; badly off",pictophonetic,"cave" -5821,窅,"sunken eyes; deep and hollow; remote and obscure; variant of 杳[yao3]",ideographic,"Sunken 穴 eyes 目" -5822,窆,"to put a coffin in the grave",pictophonetic,"hole" -5823,窈,"(literary) deep; profound; dim (variant of 杳[yao3])",pictophonetic,"cave" -5824,窒,"to obstruct; to stop up",pictophonetic,"cave" -5825,窗,"variant of 窗[chuang1]",pictophonetic,"hole" -5826,窕,"quiet and secluded; gentle, graceful, and elegant",pictophonetic,"cave" -5827,窖,"cellar",pictophonetic,"cave" -5828,窗,"window; CL:扇[shan4]",pictophonetic,"hole" -5829,窘,"distressed; embarrassed",pictophonetic,"cave" -5830,窟,"cave; hole",pictophonetic,"cave" -5831,窠,"nest",pictophonetic,"hole" -5832,窣,"used in 窸窣[xi1 su1]; Taiwan pr. [su4]",pictophonetic,"hole" -5833,窨,"to scent tea with flowers; variant of 熏[xun1]",pictophonetic,"cave" -5834,窨,"cellar",pictophonetic,"cave" -5835,窝,"nest; pit or hollow on the human body; lair; den; place; to harbor or shelter; to hold in check; to bend; classifier for litters and broods",pictophonetic,"cave" -5836,洼,"depression; low-lying area; low-lying; sunken",pictophonetic,"water" -5837,窬,"hole in a wall",pictophonetic,"hole" -5838,穷,"poor; destitute; to use up; to exhaust; thoroughly; extremely; (coll.) persistently and pointlessly",, -5839,窑,"kiln; oven; coal pit; cave dwelling; (coll.) brothel",ideographic,"An oven 穴 where pots 缶 are fired; 缶 also provides the pronunciation" -5840,窑,"variant of 窯|窑[yao2]",ideographic,"An oven 穴 where pots 缶 are fired; 缶 also provides the pronunciation" -5841,窳,"bad; useless; weak",pictophonetic,"cave" -5842,窭,"poor; rustic",pictophonetic,"hole" -5843,窸,"used in 窸窣[xi1 su1]",pictophonetic,"cave" -5844,窥,"to peep; to pry into",pictophonetic,"hole" -5845,窗,"variant of 窗[chuang1]",pictophonetic,"hole" -5846,窾,"to conceal; to hide",pictophonetic,"cave" -5847,窾,"crack; hollow; cavity; to excavate or hollow out; (onom.) water hitting rock; (old) variant of 款[kuan3]",pictophonetic,"cave" -5848,窿,"cavity; hole",pictophonetic,"hole" -5849,窜,"to flee; to scuttle; to exile or banish; to amend or edit",ideographic,"Simplified form of 竄; a mouse 鼠 running out of its hole 穴" -5850,窍,"hole; opening; orifice (of the human body); (fig.) key (to the solution of a problem)",pictophonetic,"hole" -5851,窦,"surname Dou",ideographic,"To buy someone off 卖; a nose-hole 穴" -5852,窦,"hole; aperture; (anatomy) cavity; sinus",ideographic,"To buy someone off 卖; a nose-hole 穴" -5853,灶,"variant of 灶[zao4]",ideographic,"A clay 土 oven 火" -5854,窃,"to steal; secretly; (humble) I",pictophonetic,"hole" -5855,立,"surname Li",pictographic,"A man standing on the ground 一" -5856,立,"to stand; to set up; to establish; to lay down; to draw up; at once; immediately",pictographic,"A man standing on the ground 一" -5857,站,"station; to stand; to halt; to stop; branch of a company or organization; website",pictophonetic,"stand" -5858,伫,"to stand for a long time (variant of 佇|伫[zhu4])",, -5859,并,"variant of 並|并[bing4]",ideographic,"Simplified form of 並; two men standing side-by-side" -5860,竟,"unexpectedly; actually; to go so far as to; indeed",ideographic,"A person 儿 finishing a musical piece 音" -5861,章,"surname Zhang",ideographic,"The ten 十 movements of a piece of music 音" -5862,章,"chapter; section; clause; movement (of symphony); seal; badge; regulation; order",ideographic,"The ten 十 movements of a piece of music 音" -5863,俟,"variant of 俟[si4]",ideographic,"A person 亻 waiting for something to finish 矣; 矣 also provides the pronunciation" -5864,竣,"complete; finish",pictophonetic,"stand" -5865,童,"surname Tong",ideographic,"A child standing 立 in the village 里" -5866,童,"child",ideographic,"A child standing 立 in the village 里" -5867,竦,"respectful; horrified; to raise (one's shoulders); to stand on tiptoe; to crane",, -5868,竖,"variant of 豎|竖[shu4]",ideographic,"A person 又 standing 立 as straight as a knife 刂" -5869,竭,"to exhaust",pictophonetic,"stand" -5870,端,"end; extremity; item; port; to hold sth level with both hands; to carry; regular",pictophonetic,"stand" -5871,竞,"to compete; to contend; to struggle",ideographic,"To stand up 立 to a foe 兄" -5872,竹,"bamboo; CL:棵[ke1],支[zhi1],根[gen1]; Kangxi radical 118",pictographic,"Two stalks of bamboo" -5873,竺,"surname Zhu; abbr. for 天竺[Tian1zhu2], India (esp. in Tang or Buddhist context); (archaic) Buddhism",ideographic,"A kind 二 of bamboo ⺮; ⺮ also provides the pronunciation" -5874,竺,"variant of 篤|笃[du3]",ideographic,"A kind 二 of bamboo ⺮; ⺮ also provides the pronunciation" -5875,竽,"free reed wind instrument similar to the sheng 笙[sheng1], used in ancient China",pictophonetic,"flute" -5876,竿,"pole",pictophonetic,"bamboo" -5877,笄,"15 years old; hairpin for bun",pictophonetic,"bamboo" -5878,笆,"an article made of bamboo strips; fence",pictophonetic,"bamboo" -5879,笈,"trunks (for books)",pictophonetic,"bamboo" -5880,笊,"loosely woven bamboo ladle",pictophonetic,"bamboo" -5881,笏,"(old) ceremonial tablet (held by officials at an audience)",pictophonetic,"bamboo" -5882,笑,"to laugh; to smile; to laugh at",ideographic,"A person 夭 with a big grin ⺮" -5883,笙,"sheng, a free reed wind instrument with vertical bamboo pipes",pictophonetic,"bamboo" -5884,笛,"flute",ideographic,"A bamboo ⺮ flute 由" -5885,笞,"to whip with bamboo strips",pictophonetic,"bamboo" -5886,笠,"bamboo rain hat",pictophonetic,"bamboo" -5887,笤,"broom",pictophonetic,"bamboo" -5888,笥,"square bamboo container for food or clothing",pictophonetic,"bamboo" -5889,符,"surname Fu",pictophonetic,"bamboo" -5890,符,"mark; sign; talisman; to seal; to correspond to; tally; symbol; written charm; to coincide",pictophonetic,"bamboo" -5891,笨,"stupid; foolish; silly; slow-witted; clumsy",pictophonetic,"bamboo" -5892,笪,"surname Da",pictophonetic,"bamboo" -5893,笪,"rough bamboo mat",pictophonetic,"bamboo" -5894,笫,"bamboo mat; bed mat",pictophonetic,"bamboo" -5895,第,"(prefix indicating ordinal number, as in 第六[di4 liu4] ""sixth""); (literary) grades in which successful candidates in the imperial examinations were placed; (old) residence of a high official; (literary) but; however; (literary) only; just",ideographic,"Bamboo strips ⺮ arrayed in sequence; 弟 provides the pronunciation" -5896,笮,"board under tiles on roof; narrow",pictophonetic,"bamboo" -5897,笱,"basket for trapping fish",pictophonetic,"bamboo" -5898,笳,"whistle made of reed",pictophonetic,"bamboo" -5899,笸,"flat basket-tray",pictophonetic,"bamboo" -5900,筀,"bamboo (archaic)",pictophonetic,"bamboo" -5901,筅,"bamboo brush for utensils",pictophonetic,"bamboo" -5902,笔,"pen; pencil; writing brush; to write or compose; the strokes of Chinese characters; classifier for sums of money, deals; CL:支[zhi1],枝[zhi1]",ideographic,"A bamboo rod ⺮ tipped with hair 毛" -5903,筇,"(in ancient texts) type of bamboo sometimes used as a staff",pictophonetic,"bamboo" -5904,等,"to wait for; to await; by the time; when; till; and so on; etc.; et al.; (bound form) class; rank; grade; (bound form) equal to; same as; (used to end an enumeration); (literary) (plural suffix attached to a personal pronoun or noun)",ideographic,"Bamboo strips ⺮ laid before a court 寺" -5905,筊,"bamboo rope",ideographic,"Bamboo ⺮ used to tie 交 things; 交 also provides the pronunciation" -5906,筊,"variant of 珓[jiao4]",ideographic,"Bamboo ⺮ used to tie 交 things; 交 also provides the pronunciation" -5907,筋,"muscle; tendon; veins visible under the skin; sth resembling tendons or veins (e.g. fiber in a vegetable)",ideographic,"Bamboo-like ⺮ tendons in the chest 肋" -5908,筌,"bamboo fish trap",pictophonetic,"bamboo" -5909,笋,"bamboo shoot",pictophonetic,"bamboo" -5910,筏,"raft (of logs)",pictophonetic,"bamboo" -5911,筐,"basket; CL:隻|只[zhi1]",pictophonetic,"bamboo" -5912,筑,"short name for Guiyang 貴陽|贵阳[Gui4 yang2]",ideographic,"A strong  巩 bamboo ⺮ building; ⺮ also provides the pronunciation" -5913,筑,"five-string lute; Taiwan pr. [zhu2]",ideographic,"A strong  巩 bamboo ⺮ building; ⺮ also provides the pronunciation" -5914,筒,"tube; cylinder; to encase in sth cylindrical (such as hands in sleeves etc)",pictophonetic,"bamboo" -5915,答,"bound form having the same meaning as the free word 答[da2], used in 答應|答应[da1 ying5], 答理[da1 li5] etc",, -5916,答,"to answer; to reply; to respond",, -5917,筕,"see 筕篖[hang2 tang2]",pictophonetic,"bamboo" -5918,策,"surname Ce",pictophonetic,"bamboo" -5919,策,"policy; plan; scheme; bamboo slip for writing (old); to whip (a horse); to encourage; riding crop with sharp spines (old); essay written for the imperial examinations (old); upward horizontal stroke in calligraphy",pictophonetic,"bamboo" -5920,筘,"(a measure of width of cloth)",pictophonetic,"bamboo" -5921,策,"variant of 策[ce4]",pictophonetic,"bamboo" -5922,筠,"skin of bamboo",pictophonetic,"bamboo" -5923,筢,"bamboo rake",pictophonetic,"bamboo" -5924,筦,"surname Guan",pictophonetic,"bamboo" -5925,管,"variant of 管[guan3]",pictophonetic,"bamboo" -5926,笕,"bamboo conduit; water pipe of bamboo",pictophonetic,"bamboo" -5927,筒,"variant of 筒[tong3]",pictophonetic,"bamboo" -5928,筮,"divine by stalk",pictophonetic,"divining rod" -5929,箸,"variant of 箸[zhu4]",pictophonetic,"bamboo" -5930,筱,"dwarf bamboo; thin bamboo",ideographic,"Distant 攸 bamboo ⺮; 小 provides the pronunciation" -5931,筲,"basket; bucket",pictophonetic,"bamboo" -5932,策,"variant of 策[ce4]",pictophonetic,"bamboo" -5933,筵,"bamboo mat for sitting",pictophonetic,"bamboo" -5934,筷,"chopstick",pictophonetic,"bamboo" -5935,箅,"(bound form) bamboo grid for steaming food",pictophonetic,"bamboo" -5936,个,"variant of 個|个[ge4]",ideographic,"A tally 丨 of people 人" -5937,笺,"letter; note-paper",pictophonetic,"bamboo" -5938,箍,"hoop; to bind with hoops",ideographic,"Bamboo ⺮ bindings 㧜; 㧜 also provides the pronunciation" -5939,筝,"zheng or guzheng, a long zither with moveable bridges, played by plucking the strings",pictophonetic,"bamboo" -5940,箐,"to draw a bamboo bow or crossbow",pictophonetic,"bamboo" -5941,帚,"variant of 帚[zhou3]",pictographic,"A hand 巾 holding a broom with the head 彐 held up" -5942,箔,"plaited matting (of rushes, bamboo etc); silkworm basket; metal foil; foil paper",pictophonetic,"bamboo" -5943,箕,"winnow basket",pictophonetic,"bamboo" -5944,算,"to regard as; to figure; to calculate; to compute",ideographic,"A bamboo ⺮ abacus 具" -5945,箜,"used in 箜篌[kong1 hou2]",pictophonetic,"bamboo" -5946,箝,"pliers; pincers; to clamp",ideographic,"Bamboo ⺮ used to grasp 拑 things; 拑 also provides the pronunciation" -5947,棰,"variant of 棰[chui2]",pictophonetic,"wood" -5948,管,"surname Guan",pictophonetic,"bamboo" -5949,管,"to take care (of); to control; to manage; to be in charge of; to look after; to run; to care about; tube; pipe; woodwind; classifier for tube-shaped objects; particle similar to 把[ba3] in 管...叫 constructions; writing brush; (coll.) to; towards",pictophonetic,"bamboo" -5950,箢,"used in 箢箕[yuan1 ji1] and 箢篼[yuan1 dou1]; Taiwan pr. [wan3]",pictophonetic,"bamboo" -5951,箬,"(bamboo); skin of bamboo",pictophonetic,"bamboo" -5952,箭,"arrow; CL:支[zhi1]",pictophonetic,"bamboo" -5953,箱,"box; trunk; chest",pictophonetic,"bamboo" -5954,箴,"to warn; to admonish; variant of 針|针[zhen1]",pictophonetic,"bamboo" -5955,箸,"(literary) chopsticks",pictophonetic,"bamboo" -5956,节,"see 節骨眼|节骨眼[jie1 gu5 yan3]",ideographic,"Simplified form of 節; sections of bamboo ⺮" -5957,节,"joint; node; (bound form) section; segment; solar term (one of the 24 divisions of the year in the traditional Chinese calendar); seasonal festival; (bound form) to economize; to save; (bound form) moral integrity; chastity; classifier for segments: lessons, train wagons, biblical verses etc; knot (nautical miles per hour)",ideographic,"Simplified form of 節; sections of bamboo ⺮" -5958,篁,"(bamboo); bamboo grove",pictophonetic,"bamboo" -5959,范,"pattern; model; example",pictophonetic,"plant" -5960,篆,"seal (of office); seal script (a calligraphic style); the small seal 小篆 and great seal 大篆; writing in seal script",pictophonetic,"bamboo" -5961,篇,"sheet; piece of writing; bound set of bamboo slips used for record keeping (old); classifier for written items: chapter, article",ideographic,"A bamboo ⺮ tablet 扁; 扁 also provides the pronunciation" -5962,筑,"to build; to construct; to ram; to hit; Taiwan pr. [zhu2]",ideographic,"A strong  巩 bamboo ⺮ building; ⺮ also provides the pronunciation" -5963,箧,"chest; box; trunk; suitcase; portfolio",ideographic,"A bamboo ⺮ box 匚; 夹 provides the pronunciation" -5964,篌,"used in 箜篌[kong1 hou2]",pictophonetic,"bamboo" -5965,筼,"see 篔簹|筼筜[yun2 dang1]",pictophonetic,"bamboo" -5966,篙,"pole for punting boats",pictophonetic,"bamboo" -5967,篚,"round covered basket",pictophonetic,"bamboo" -5968,篝,"bamboo frame for drying clothes; bamboo cage",pictophonetic,"bamboo" -5969,篡,"to seize; to usurp",pictophonetic,"private" -5970,笃,"serious (illness); sincere; true",, -5971,篥,"bamboos good for poles; horn",pictophonetic,"flute" -5972,篦,"fine-toothed comb; to comb",ideographic,"A bamboo ⺮ hair 囟 comb; 比 provides the pronunciation" -5973,筛,"(bound form) a sieve; to sieve; to sift; to filter; to eliminate through selection; to warm a pot of rice wine (over a fire or in hot water); to pour (wine or tea); (dialect) to strike (a gong)",pictophonetic,"bamboo" -5974,篪,"bamboo flute with 7 or 8 holes",pictophonetic,"bamboo" -5975,筚,"wicker",pictophonetic,"bamboo" -5976,篷,"sail",pictophonetic,"bamboo" -5977,篹,"ancient bamboo basket for food; variant of 匴[suan3]; bamboo container for hats",pictophonetic,"seal" -5978,篹,"to compose; to compile; food; delicacies",pictophonetic,"seal" -5979,纂,"(literary) to compile (variant of 纂[zuan3])",pictophonetic,"thread" -5980,篼,"bamboo, rattan or wicker basket; sedan chair for mountain use (Cantonese)",ideographic,"A bamboo ⺮ pouch 兜; 兜 also provides the pronunciation" -5981,篾,"the outer layer of a stalk of bamboo (or reed or sorghum); a thin bamboo strip",ideographic,"A framework 罒 made of bamboo ⺮" -5982,箦,"reed mat",pictophonetic,"bamboo" -5983,簇,"crowded; framework for silkworms; gather foliage; bunch; classifier for bunched objects",pictophonetic,"bamboo" -5984,簉,"deputy; subordinate; concubine",pictophonetic,"bamboo" -5985,簋,"ancient bronze food vessel with a round mouth and two or four handles; round basket of bamboo",ideographic,"A bamboo ⺮ basket 皿 used to store food 艮" -5986,簌,"dense vegetation; sieve",pictophonetic,"bamboo" -5987,篓,"basket",pictophonetic,"bamboo" -5988,簏,"box; basket",pictophonetic,"bamboo" -5989,蓑,"variant of 蓑[suo1]",pictophonetic,"grass" -5990,篡,"old variant of 篡[cuan4]",pictophonetic,"private" -5991,箪,"round basket for cooked rice",pictophonetic,"bamboo" -5992,簟,"fine woven grass mat",pictophonetic,"bamboo" -5993,简,"simple; uncomplicated; letter; to choose; to select; bamboo strips used for writing (old)",pictophonetic,"bamboo" -5994,篑,"basket for carrying soil",pictophonetic,"bamboo" -5995,簦,"large umbrella for stalls; an ancient kind of bamboo or straw hat",pictophonetic,"bamboo" -5996,簧,"metallic reed; spring of lock",pictophonetic,"bamboo" -5997,簪,"hairpin",pictophonetic,"bamboo" -5998,箫,"xiao, a Chinese musical instrument of ancient times, similar to panpipes",pictophonetic,"bamboo" -5999,簪,"old variant of 簪[zan1]",pictophonetic,"bamboo" -6000,檐,"variant of 檐[yan2]",pictophonetic,"wood" -6001,簸,"to winnow; to toss up and down",pictophonetic,"bamboo" -6002,簸,"used in 簸箕[bo4 ji1]",pictophonetic,"bamboo" -6003,筜,"see 篔簹|筼筜[yun2 dang1]",pictophonetic,"bamboo" -6004,签,"to sign one's name; to write brief comments on a document; inscribed bamboo stick (variant of 籤|签[qian1]); visa",pictophonetic,"bamboo" -6005,帘,"hanging screen or curtain",ideographic,"A curtain 巾 at the entrance to a cave 穴" -6006,簿,"a book; a register; account-book",pictophonetic,"bamboo" -6007,籀,"surname Zhou",ideographic,"A hand 扌 writing 留 with a bamboo ⺮ brush" -6008,籀,"(literary) seal script used throughout the pre-Han period; to recite; to read (aloud)",ideographic,"A hand 扌 writing 留 with a bamboo ⺮ brush" -6009,篮,"basket (receptacle); basket (in basketball)",pictophonetic,"bamboo" -6010,筹,"chip (in gambling); token (for counting); ticket; to prepare; to plan; to raise (funds); resource; way; means",pictophonetic,"bamboo" -6011,籍,"surname Ji",pictophonetic,"bamboo" -6012,籍,"book or record; registry; roll; place of one's family or ancestral records; membership",pictophonetic,"bamboo" -6013,藤,"variant of 藤[teng2]",pictophonetic,"plant" -6014,籑,"old variant of 撰[zhuan4]",pictophonetic,"food" -6015,馔,"old variant of 饌|馔[zhuan4]",pictophonetic,"food" -6016,签,"Japanese variant of 籤|签[qian1]",pictophonetic,"bamboo" -6017,箓,"record book; archive; Taoist written charm; document of prophecy attesting to dynastic fortunes",ideographic,"A bamboo ⺮ record 录; 录 also provides the pronunciation" -6018,箨,"sheath around joints of bamboo",pictophonetic,"bamboo" -6019,籁,"a sound; a noise; musical pipe with 3 reeds",pictophonetic,"flute" -6020,笼,"enclosing frame made of bamboo, wire etc; cage; basket; steamer basket",pictophonetic,"bamboo" -6021,笼,"to envelop; to cover; (used in 籠子|笼子[long3 zi5]) large box; Taiwan pr. [long2]",pictophonetic,"bamboo" -6022,奁,"old variant of 奩|奁[lian2]",ideographic,"A man 大 packing a suitcase 区" -6023,签,"inscribed bamboo stick (used in divination, gambling, drawing lots etc); small wood sliver; label; tag",pictophonetic,"bamboo" -6024,笾,"bamboo tazza used in ancient times to hold dry food for sacrifices or at banquets",pictophonetic,"bamboo" -6025,簖,"bamboo fish trap",pictophonetic,"bamboo" -6026,篱,"a fence",pictophonetic,"bamboo" -6027,箩,"basket",pictophonetic,"bamboo" -6028,吁,"to implore",pictophonetic,"mouth" -6029,米,"surname Mi",pictographic,"Grains of rice" -6030,米,"rice; CL:粒[li4]; meter (classifier)",pictographic,"Grains of rice" -6031,籼,"long-grained rice; same as 秈",pictophonetic,"rice" -6032,籽,"seeds",ideographic,"A grain 米 seed 子; 子 also provides the pronunciation" -6033,秕,"variant of 秕[bi3]",pictophonetic,"grain" -6034,糠,"old variant of 糠[kang1]",pictophonetic,"rice" -6035,粉,"powder; cosmetic face powder; food prepared from starch; noodles or pasta made from any kind of flour; to turn to powder; (dialect) to whitewash; white; pink; (suffix) fan (abbr. for 粉絲|粉丝[fen3 si1]); to be a fan of",pictophonetic,"grain" -6036,粑,"a round flat cake (dialect)",pictophonetic,"rice" -6037,粒,"grain; granule; classifier for small round things (peas, bullets, peanuts, pills, grains etc)",pictophonetic,"grain" -6038,粕,"grains in distilled liquor",pictophonetic,"grain" -6039,粗,"(of sth long) wide; thick; (of sth granular) coarse; (of a voice) gruff; (of sb's manner etc) rough; crude; careless; rude",pictophonetic,"grain" -6040,粘,"variant of 黏[nian2]",pictophonetic,"grain" -6041,粘,"to glue; to paste; to adhere; to stick to",pictophonetic,"grain" -6042,粞,"ground rice; thresh rice",pictophonetic,"rice" -6043,粟,"surname Su",ideographic,"A millet plant 米 bearing grain 覀" -6044,粟,"millet; (metonym) grain",ideographic,"A millet plant 米 bearing grain 覀" -6045,粢,"common millet",pictophonetic,"millet" -6046,粥,"used in 葷粥|荤粥[Xun1yu4]",ideographic,"Steaming 弓 rice 米" -6047,粥,"congee; gruel; porridge; CL:碗[wan3]",ideographic,"Steaming 弓 rice 米" -6048,磷,"variant of 磷[lin2]",pictophonetic,"mineral" -6049,妆,"variant of 妝|妆[zhuang1]",pictophonetic,"woman" -6050,粱,"sorghum",pictophonetic,"millet" -6051,粲,"beautiful; bright; splendid; smilingly",, -6052,粳,"round-grained nonglutinous rice (Japonica rice); Taiwan pr. [geng1]",pictophonetic,"rice" -6053,粤,"Cantonese; short name for Guangdong 廣東|广东[Guang3 dong1]",, -6054,粹,"pure; unmixed; essence",pictophonetic,"grain" -6055,稗,"polished rice; old variant of 稗[bai4]",pictophonetic,"grain" -6056,粼,"clear (as of water)",pictophonetic,"river" -6057,粽,"rice dumplings wrapped in leaves",pictophonetic,"rice" -6058,精,"essence; extract; vitality; energy; semen; sperm; mythical goblin spirit; highly perfected; elite; the pick of sth; proficient (refined ability); extremely (fine); selected rice (archaic)",pictophonetic,"grain" -6059,糅,"mix",pictophonetic,"grain" -6060,糈,"official pay; sacrificial rice",pictophonetic,"rice" -6061,粽,"variant of 粽[zong4]",pictophonetic,"rice" -6062,糊,"muddled; paste; scorched",pictophonetic,"grain" -6063,糊,"paste; cream",pictophonetic,"grain" -6064,糌,"zanba, Tibetan barley bread",pictophonetic,"grain" -6065,糍,"sticky rice cake",pictophonetic,"rice" -6066,糕,"cake",pictophonetic,"rice" -6067,糖,"sugar; sweets; candy; CL:顆|颗[ke1],塊|块[kuai4]",pictophonetic,"rice" -6068,糗,"surname Qiu",ideographic,"Rice 米 that stinks 臭; 臭 also provides the pronunciation" -6069,糗,"dry rations (for a journey); (dialect) (of noodles etc) to become mush (from overcooking); (coll.) embarrassing; embarrassment",ideographic,"Rice 米 that stinks 臭; 臭 also provides the pronunciation" -6070,糙,"rough; coarse (in texture)",pictophonetic,"rice" -6071,糜,"surname Mi",pictophonetic,"rice" -6072,糜,"millet",pictophonetic,"rice" -6073,糜,"rice gruel; rotten; to waste (money)",pictophonetic,"rice" -6074,糁,"to mix (of powders)",pictophonetic,"rice" -6075,粪,"manure; dung",pictophonetic,"grain" -6076,糟,"dregs; draff; pickled in wine; rotten; messy; ruined",pictophonetic,"grain" -6077,糠,"husk; (of a radish etc) spongy (and therefore unappetising)",pictophonetic,"rice" -6078,糢,"blurred",pictophonetic,"rice" -6079,粮,"grain; food; provisions; agricultural tax paid in grain",pictophonetic,"grain" -6080,糨,"(of soup, paste etc) thick",pictophonetic,"rice" -6081,糬,"used in 麻糬[ma2 shu3]",pictophonetic,"rice" -6082,糯,"glutinous rice; sticky rice",pictophonetic,"rice" -6083,团,"dumpling",ideographic,"A lot of talent 才 gathered in one place 囗" -6084,粝,"coarse rice",ideographic,"Rice 米 that must be ground 厉; 厉 also provides the pronunciation" -6085,籴,"to buy up (grain)",ideographic,"A house 入 where grain 米 is stored" -6086,粜,"to sell grain",ideographic,"A stand 出 where grain 米 is sold" -6087,糸,"fine silk; Kangxi radical 120",pictographic,"A twisted strand of silk" -6088,纟,"""silk"" radical in Chinese characters (Kangxi radical 120), occurring in 紅|红[hong2], 綠|绿[lu:4], 累[lei4] etc; also pr. [mi4]",pictographic,"A twisted strand of silk; see 糸" -6089,纠,"old variant of 糾|纠[jiu1]",ideographic,"To connect 丩 threads 纟; 丩 also provides the pronunciation" -6090,系,"system; department; faculty",pictophonetic,"thread" -6091,纠,"to gather together; to investigate; to entangle; to correct",ideographic,"To connect 丩 threads 纟; 丩 also provides the pronunciation" -6092,纪,"surname Ji; also pr. [Ji4]",pictophonetic,"thread" -6093,纪,"order; discipline; age; era; period; to chronicle",pictophonetic,"thread" -6094,纣,"Zhou, pejorative name given posthumously to the last king of the Shang dynasty, King Zhou of Shang 商紂王|商纣王[Shang1 Zhou4 Wang2] (the name refers to a crupper 紂|纣[zhou4], the piece of horse tack most likely to be soiled by the horse)",pictophonetic,"thread" -6095,纣,"crupper (harness strap running over a horse's hindquarters and under its tail)",pictophonetic,"thread" -6096,约,"to weigh in a balance or on a scale",pictophonetic,"thread" -6097,约,"to make an appointment; to invite; approximately; pact; treaty; to economize; to restrict; to reduce (a fraction); concise",pictophonetic,"thread" -6098,红,"surname Hong",pictophonetic,"silk" -6099,红,"red; popular; revolutionary; bonus",pictophonetic,"silk" -6100,纡,"surname Yu",pictophonetic,"thread" -6101,纡,"winding; twisting",pictophonetic,"thread" -6102,纥,"knot",pictophonetic,"silk" -6103,纥,"tassels",pictophonetic,"silk" -6104,纨,"white; white silk",pictophonetic,"silk" -6105,纫,"to thread (a needle); to sew; to stitch; (literary) very grateful",ideographic,"To thread 纟 a needle 刃; 刃 also provides the pronunciation" -6106,紊,"involved; tangled; disorderly; confused; chaotic; Taiwan pr. [wen4]",pictophonetic,"thread" -6107,纹,"line; trace; mark; pattern; grain (of wood etc)",pictophonetic,"thread" -6108,纳,"surname Na",pictophonetic,"silk" -6109,纳,"to receive; to accept; to enjoy; to bring into; to pay (tax etc); nano- (one billionth); to reinforce sole of shoes or stockings by close sewing",pictophonetic,"silk" -6110,纽,"to turn; to wrench; button; nu (Greek letter Νν)",pictophonetic,"thread" -6111,纾,"abundant; ample; at ease; relaxed; to free from; to relieve",ideographic,"A thread 纟 with some give 予; 予 also provides the pronunciation" -6112,纯,"pure; simple; unmixed; genuine",pictophonetic,"silk" -6113,纰,"error; carelessness; spoiled silk",pictophonetic,"silk" -6114,纱,"cotton yarn; muslin",pictophonetic,"thread" -6115,纸,"paper (CL:張|张[zhang1],沓[da2]); classifier for documents, letters etc",pictophonetic,"silk" -6116,级,"level; grade; rank; step (of stairs); CL:個|个[ge4]; classifier: step, level",pictophonetic,"silk" -6117,纷,"numerous; confused; disorderly",pictophonetic,"thread" -6118,纭,"confused; numerous",pictophonetic,"thread" -6119,纴,"to weave; to lay warp for weaving; silk thread for weaving; variant of 紉|纫, to sew; to stitch; thread",pictophonetic,"thread" -6120,素,"raw silk; white; plain, unadorned; vegetarian (food); essence; nature; element; constituent; usually; always; ever",ideographic,"A silken thread 糸 hanging off a tree 龶" -6121,纺,"to spin (cotton or hemp etc); fine woven silk fabric",pictophonetic,"thread" -6122,索,"surname Suo; abbr. for 索馬里|索马里[Suo3ma3li3], Somalia",ideographic,"A rope 糸 hanging from the ceiling 冖" -6123,索,"to search; to demand; to ask; to exact; large rope; isolated",ideographic,"A rope 糸 hanging from the ceiling 冖" -6124,扎,"variant of 紮|扎[za1]",ideographic,"A hand 扌 tying a bundle with string 乚" -6125,扎,"variant of 紮|扎[zha1]",ideographic,"A hand 扌 tying a bundle with string 乚" -6126,紫,"purple; violet",pictophonetic,"silk" -6127,扎,"to tie; to bind; classifier for flowers, banknotes etc: bundle; Taiwan pr. [zha2]",ideographic,"A hand 扌 tying a bundle with string 乚" -6128,扎,"(of troops) to be stationed (at); Taiwan pr. [zha2]",ideographic,"A hand 扌 tying a bundle with string 乚" -6129,累,"to accumulate; to involve or implicate (Taiwan pr. [lei4]); continuous; repeated",ideographic,"Simplified form of 纍; growing silk 糸 in the fields 畾; 畾 also provides the pronunciation" -6130,累,"tired; weary; to strain; to wear out; to work hard",ideographic,"Simplified form of 纍; growing silk 糸 in the fields 畾; 畾 also provides the pronunciation" -6131,细,"thin or slender; finely particulate; thin and soft; fine; delicate; trifling; (of a sound) quiet; frugal",pictophonetic,"silk" -6132,绂,"ribbon for a seal; sash",ideographic,"A thread 纟 on which ornaments are hung 犮" -6133,绁,"to tie; to bind; to hold on a leash; rope; cord",pictophonetic,"thread" -6134,绅,"member of gentry",pictophonetic,"silk" -6135,绍,"surname Shao",pictophonetic,"thread" -6136,绍,"to continue; to carry on",pictophonetic,"thread" -6137,绀,"violet or purple",pictophonetic,"silk" -6138,绋,"heavy rope; rope of a bier",pictophonetic,"thread" -6139,绐,"to cheat; to pretend; to deceive",pictophonetic,"thread" -6140,绌,"crimson silk; deficiency; to stitch",pictophonetic,"thread" -6141,终,"end; finish",pictophonetic,"thread" -6142,组,"surname Zu",pictophonetic,"thread" -6143,组,"to form; to organize; group; team; classifier for sets, series, groups of people, batteries",pictophonetic,"thread" -6144,绊,"to trip; to stumble; to hinder",pictophonetic,"thread" -6145,绗,"to quilt",pictophonetic,"thread" -6146,绁,"variant of 紲|绁[xie4]",pictophonetic,"thread" -6147,结,"(of a plant) to produce (fruit or seeds); Taiwan pr. [jie2]",pictophonetic,"thread" -6148,结,"knot; sturdy; bond; to tie; to bind; to check out (of a hotel)",pictophonetic,"thread" -6149,絓,"to hinder; to offend; to form; unique",pictophonetic,"thread" -6150,絓,"type of coarse silk; bag used to wrap silk before washing",pictophonetic,"thread" -6151,绝,"to cut short; extinct; to disappear; to vanish; absolutely; by no means",pictophonetic,"thread" -6152,絘,"ancient tax in the form of bales of cloth",pictophonetic,"silk" -6153,绦,"see 絛綸|绦纶[di2 lun2]",pictophonetic,"silk" -6154,绦,"braid; cord; sash",pictophonetic,"silk" -6155,絜,"clean",pictophonetic,"thread" -6156,絜,"marking line; pure; to regulate",pictophonetic,"thread" -6157,绔,"variant of 褲|裤[ku4]",ideographic,"Extravagant 夸 silk 纟 clothes; 夸 also provides the pronunciation" -6158,绞,"to twist (strands into a thread); to entangle; to wring; to hang (by the neck); to turn; to wind; classifier for skeins of yarn",pictophonetic,"thread" -6159,络,"small net",pictophonetic,"thread" -6160,络,"net-like object; to hold sth in place with a net; to wind; to twist; (TCM) channels in the human body",pictophonetic,"thread" -6161,绚,"adorned; swift; gorgeous; brilliant; variegated",pictophonetic,"silk" -6162,给,"to; for; for the benefit of; to give; to allow; to do sth (for sb); (grammatical equivalent of 被); (grammatical equivalent of 把); (sentence intensifier)",pictophonetic,"thread" -6163,给,"to supply; to provide",pictophonetic,"thread" -6164,绒,"velvet; woolen",pictophonetic,"silk" -6165,絮,"cotton wadding; fig. padding; long-winded",pictophonetic,"silk" -6166,统,"to gather; to unite; to unify; whole",pictophonetic,"thread" -6167,丝,"silk; thread-like thing; (cuisine) shreds or julienne strips; classifier: a trace (of smoke etc), a tiny bit etc",ideographic,"Simplified form of 絲, two threads" -6168,绛,"capital of the Jin State during the Spring and Autumn Period (770-475 BC)",pictophonetic,"silk" -6169,绛,"purple-red",pictophonetic,"silk" -6170,绝,"variant of 絕|绝[jue2]",pictophonetic,"thread" -6171,绢,"thin, tough silk fabric",pictophonetic,"silk" -6172,絻,"old variant of 冕[mian3]",pictophonetic,"silk" -6173,絻,"(old) mourning apparel",pictophonetic,"silk" -6174,绑,"to tie; bind or fasten together; to kidnap",pictophonetic,"thread" -6175,绡,"raw silk",pictophonetic,"silk" -6176,绠,"(literary) well rope (for drawing water)",pictophonetic,"thread" -6177,绨,"coarse greenish black pongee",pictophonetic,"silk" -6178,绣,"variant of 繡|绣[xiu4]",pictophonetic,"silk" -6179,绥,"to pacify; Taiwan pr. [sui1]",pictophonetic,"silk" -6180,捆,"variant of 捆[kun3]",pictophonetic,"hand" -6181,经,"surname Jing",pictophonetic,"thread" -6182,经,"classics; sacred book; scripture; to pass through; to undergo; to bear; to endure; warp (textile); longitude; menstruation; channel (TCM); abbr. for economics 經濟|经济[jing1 ji4]",pictophonetic,"thread" -6183,综,"heddle; Taiwan pr. [zong4]",pictophonetic,"thread" -6184,综,"(bound form) to synthesize; to combine; Taiwan pr. [zong4]",pictophonetic,"thread" -6185,绿,"green; (slang) (derived from 綠帽子|绿帽子[lu:4 mao4 zi5]) to cheat on (one's spouse or boyfriend or girlfriend)",pictophonetic,"silk" -6186,绸,"(light) silk; CL:匹[pi3]",pictophonetic,"silk" -6187,绻,"bound in a league",pictophonetic,"thread" -6188,綦,"dark gray; superlative; variegated",pictophonetic,"silk" -6189,线,"variant of 線|线[xian4]",pictophonetic,"thread" -6190,绶,"cord on a seal",pictophonetic,"silk" -6191,维,"abbr. for Uighur 維吾爾|维吾尔[Wei2wu2er3]; surname Wei",pictophonetic,"thread" -6192,维,"to preserve; to maintain; to hold together; dimension; vitamin (abbr. for 維生素|维生素[wei2 sheng1 su4])",pictophonetic,"thread" -6193,綮,"embroidered banner",ideographic,"A silk 糸 banner over a door 户" -6194,绾,"bind up; string together",pictophonetic,"thread" -6195,纲,"head rope of a fishing net; guiding principle; key link; class (taxonomy); outline; program",pictophonetic,"thread" -6196,网,"net; network",pictographic,"A net for catching fish" -6197,绷,"variant of 繃|绷[beng1]; variant of 繃|绷[beng3]",pictophonetic,"thread" -6198,缀,"variant of 輟|辍[chuo4]",ideographic,"To bind 叕 by thread 纟; 叕 also provides the pronunciation" -6199,缀,"to sew; to stitch together; to combine; to link; to connect; to put words together; to compose; to embellish",ideographic,"To bind 叕 by thread 纟; 叕 also provides the pronunciation" -6200,綷,"five-color silk; see 綷縩[cui4 cai4]",pictophonetic,"silk" -6201,纶,"to classify; to twist silk; silk thread",ideographic,"To spin thread 纟 into order 仑; 仑 also provides the pronunciation" -6202,绺,"skein; tuft; lock",ideographic,"A wrinkle 咎 in a silk 纟 garment; 纟 also provides the pronunciation" -6203,绮,"beautiful; open-work silk",pictophonetic,"silk" -6204,绽,"to burst open; to split at the seam",pictophonetic,"thread" -6205,绰,"to grab; to snatch up; variant of 焯[chao1]",pictophonetic,"silk" -6206,绰,"(bound form) ample; spacious; (literary) graceful; used in 綽號|绰号[chuo4 hao4] and 綽名|绰名[chuo4 ming2]",pictophonetic,"silk" -6207,绫,"damask; thin silk",pictophonetic,"silk" -6208,绵,"silk floss; continuous; soft; weak; mild-mannered (dialect)",ideographic,"A continuous thread 纟 of silk 帛" -6209,绲,"cord; embroidered sash; to sew",pictophonetic,"thread" -6210,缁,"Buddhists; black silk; dark",ideographic,"Black 甾 silk 纟; 甾 also provides the pronunciation" -6211,紧,"tight; strict; close at hand; near; urgent; tense; hard up; short of money; to tighten",pictophonetic,"silk" -6212,绯,"dark red; purple silk",pictophonetic,"silk" -6213,繁,"old variant of 繁[fan2]",pictophonetic,"silk" -6214,绪,"beginnings; clues; mental state; thread",pictophonetic,"thread" -6215,绱,"to sole a shoe",pictophonetic,"thread" -6216,缃,"light yellow color",pictophonetic,"silk" -6217,缄,"letters; to close; to seal",pictophonetic,"silk" -6218,缂,"used in 緙絲|缂丝[ke4 si1]",pictophonetic,"thread" -6219,线,"thread; string; wire; line; CL:條|条[tiao2],股[gu3],根[gen1]; (after a number) tier (unofficial ranking of a Chinese city)",pictophonetic,"thread" -6220,绵,"old variant of 綿|绵[mian2]; cotton",ideographic,"A continuous thread 纟 of silk 帛" -6221,缉,"to seize; to arrest; Taiwan pr. [qi4]",pictophonetic,"thread" -6222,缉,"to stitch finely",pictophonetic,"thread" -6223,缎,"satin",pictophonetic,"silk" -6224,缔,"closely joined; connection; knot",pictophonetic,"thread" -6225,缗,"cord; fishing-line; string of coins",pictophonetic,"thread" -6226,缘,"cause; reason; karma; fate; predestined affinity; margin; hem; edge; along",pictophonetic,"thread" -6227,褓,"variant of 褓[bao3]",ideographic,"A cloth 衤 used to protect 保 an infant; 保 also provides the pronunciation" -6228,缌,"fine linen",pictophonetic,"silk" -6229,编,"to weave; to plait; to organize; to group; to arrange; to edit; to compile; to write; to compose; to fabricate; to make up",pictophonetic,"thread" -6230,缓,"slow; unhurried; sluggish; gradual; not tense; relaxed; to postpone; to defer; to stall; to stave off; to revive; to recuperate",pictophonetic,"thread" -6231,缅,"Myanmar (formerly Burma) (abbr. for 緬甸|缅甸[Mian3 dian4])",pictophonetic,"thread" -6232,缅,"distant; remote; detailed",pictophonetic,"thread" -6233,纬,"latitude; woof (horizontal thread in weaving); weft",pictophonetic,"thread" -6234,缑,"surname Gou",pictophonetic,"silk" -6235,缑,"rope attached to a sword hilt; (archaic) hilt; sword",pictophonetic,"silk" -6236,缈,"indistinct",ideographic,"A veil 纟 over the eyes 眇; 眇 also provides the pronunciation" -6237,练,"to practice; to train; to drill; to perfect (one's skill); exercise; (literary) white silk; to boil and scour raw silk",pictophonetic,"thread" -6238,缏,"braid",pictophonetic,"thread" -6239,缇,"orange-red silk; orange-red colored",pictophonetic,"silk" -6240,致,"(bound form) fine; delicate; exquisite",pictophonetic,"rap" -6241,萦,"(literary) to wind around",pictophonetic,"thread" -6242,缙,"red silk",pictophonetic,"silk" -6243,缢,"(literary) to die by hanging or strangulation",pictophonetic,"thread" -6244,缒,"to let down with a rope",pictophonetic,"thread" -6245,绉,"crepe; wrinkle",pictophonetic,"silk" -6246,缣,"thick waterproof silk",pictophonetic,"silk" -6247,缊,"orange color; used in 絪縕|𬘡缊[yin1 yun1]",pictophonetic,"silk" -6248,缊,"hemp; vague; mysterious",pictophonetic,"silk" -6249,缚,"to bind; to tie; Taiwan pr. [fu2]",pictophonetic,"thread" -6250,缜,"fine and dense",pictophonetic,"thread" -6251,缟,"plain white silk",pictophonetic,"silk" -6252,缛,"adorned; beautiful",pictophonetic,"silk" -6253,县,"county",, -6254,绦,"variant of 絛|绦[tao1]",pictophonetic,"silk" -6255,縩,"see 綷縩[cui4 cai4]",pictophonetic,"silk" -6256,缝,"to sew; to stitch",pictophonetic,"thread" -6257,缝,"seam; crack; narrow slit; CL:道[dao4]",pictophonetic,"thread" -6258,缡,"bridal veil or kerchief",pictophonetic,"silk" -6259,缩,"to withdraw; to pull back; to contract; to shrink; to reduce; abbreviation; also pr. [su4]",pictophonetic,"thread" -6260,纵,"vertical; north-south (Taiwan pr. [zong1]); from front to back; longitudinal; lengthwise (Taiwan pr. [zong1]); military unit corresponding to an army corps (Taiwan pr. [zong1]); (bound form) to release (a captive); to indulge; to leap up; (literary) even if",pictophonetic,"thread" -6261,缧,"(literary) thick rope used to restrain a prisoner",pictophonetic,"thread" -6262,纤,"boatman's tow-rope",pictophonetic,"silk" -6263,缦,"plain thin silk; slow; unadorned",pictophonetic,"silk" -6264,絷,"to connect; to tie up",ideographic,"To capture 执 and bind 糸 someone; 执 also provides the pronunciation" -6265,缕,"strand; thread; detailed; in detail; classifier for wisps (of smoke, mist or vapor), strands, locks (of hair)",pictophonetic,"thread" -6266,缥,"used in 縹渺|缥渺[piao1 miao3]; Taiwan pr. [piao3]",pictophonetic,"silk" -6267,缥,"(literary) light blue; (literary) light blue silk fabric",pictophonetic,"silk" -6268,縻,"to tie up",pictophonetic,"thread" -6269,总,"general; overall; to sum up; in every case; always; invariably; anyway; after all; eventually; sooner or later; surely; (after a person's name) abbr. for 總經理|总经理[zong3 jing1 li3] or 總編|总编[zong3 bian1] etc",ideographic,"Many mouths 口 speaking with one mind 心" -6270,绩,"to spin (hemp etc); merit; accomplishment; Taiwan pr. [ji1]",ideographic,"To complete 纟 one's duties 责; 责 also provides the pronunciation" -6271,繁,"complicated; many; in great numbers; abbr. for 繁體|繁体[fan2 ti3], traditional form of Chinese characters",pictophonetic,"silk" -6272,绷,"to draw tight; to stretch taut; to tack (with thread or pin); (bound form) embroidery hoop; (bound form) woven bed mat",pictophonetic,"thread" -6273,绷,"to have a taut face",pictophonetic,"thread" -6274,缫,"to reel silk from cocoons",pictophonetic,"thread" -6275,缪,"surname Miao",pictophonetic,"thread" -6276,缪,"old variant of 繚|缭[liao3]",pictophonetic,"thread" -6277,缪,"mu (Greek letter Μμ)",pictophonetic,"thread" -6278,缪,"error; erroneous (variant of 謬|谬[miu4])",pictophonetic,"thread" -6279,缪,"to wind round",pictophonetic,"thread" -6280,缪,"old variant of 穆[mu4]",pictophonetic,"thread" -6281,繇,"folk-song; forced labor",pictophonetic,"link" -6282,繇,"cause; means",pictophonetic,"link" -6283,繇,"interpretations of the trigrams",pictophonetic,"link" -6284,缯,"surname Zeng",pictophonetic,"silk" -6285,缯,"silk fabrics",pictophonetic,"silk" -6286,缯,"to tie; to bind",pictophonetic,"silk" -6287,织,"to weave",pictophonetic,"thread" -6288,缮,"to repair; to mend; to rewrite; to transcribe",pictophonetic,"thread" -6289,伞,"damask silk; variant of 傘|伞[san3]",pictographic,"An umbrella" -6290,缭,"to wind round; to sew with slanting stitches",pictophonetic,"thread" -6291,绕,"to wind; to coil (thread); to rotate around; to spiral; to move around; to go round (an obstacle); to by-pass; to make a detour; to confuse; to perplex",pictophonetic,"thread" -6292,绣,"to embroider; embroidery",pictophonetic,"silk" -6293,缋,"multicolor; to draw",pictophonetic,"silk" -6294,襁,"string of copper coins; variant of 襁[qiang3]",pictophonetic,"cloth" -6295,绳,"rope; CL:根[gen1]",pictophonetic,"thread" -6296,绘,"to draw; to paint; to depict; to portray",pictophonetic,"silk" -6297,系,"to tie; to fasten; to button up",pictophonetic,"thread" -6298,系,"to connect; to arrest; to worry",pictophonetic,"thread" -6299,茧,"(bound form) cocoon; (bound form) callus (variant of 趼[jian3])",ideographic,"A silk cocoon 艹 spun by a worm 虫" -6300,缰,"variant of 韁|缰[jiang1]",pictophonetic,"thread" -6301,缳,"to bind; to tie; lace; noose (for suicide); hangman's noose",pictophonetic,"thread" -6302,缲,"hem with invisible stitches",pictophonetic,"thread" -6303,缲,"to reel silk from cocoons",pictophonetic,"thread" -6304,缴,"to hand in; to hand over; to seize",pictophonetic,"thread" -6305,绎,"continuous; to interpret; to unravel; to draw silk (old)",pictophonetic,"thread" -6306,继,"to continue; to follow after; to go on with; to succeed; to inherit; then; afterwards",pictophonetic,"thread" -6307,缤,"helter-skelter; mixed colors; in confusion",pictophonetic,"thread" -6308,缱,"attached to; loving",pictophonetic,"thread" -6309,纂,"(literary) to compile; to edit; (coll.) (hairstyle) bun; chignon (as 纂兒|纂儿[zuan3 r5]); red silk ribbon; variant of 纘|缵[zuan3]",pictophonetic,"thread" -6310,缬,"knot; tie a knot",pictophonetic,"thread" -6311,纩,"fine floss-silk or cotton",pictophonetic,"silk" -6312,续,"to continue; to replenish",pictophonetic,"thread" -6313,累,"surname Lei",ideographic,"Simplified form of 纍; growing silk 糸 in the fields 畾; 畾 also provides the pronunciation" -6314,累,"rope; to bind together; to twist around",ideographic,"Simplified form of 纍; growing silk 糸 in the fields 畾; 畾 also provides the pronunciation" -6315,缠,"to wind around; to wrap round; to coil; tangle; to involve; to bother; to annoy",pictophonetic,"thread" -6316,缨,"tassel; sth shaped like a tassel (e.g. a leaf etc); ribbon",pictophonetic,"thread" -6317,才,"(variant of 才[cai2]) just now; (variant of 才[cai2]) (before an expression of quantity) only",ideographic,"A sprout growing in the ground, representing a budding talent" -6318,纤,"fine; delicate; minute",pictophonetic,"silk" -6319,缵,"(literary) to inherit",pictophonetic,"thread" -6320,纛,"big banner; feather banner or fan",ideographic,"A silk 系 banner 県; 毒 provides the pronunciation" -6321,缆,"cable; hawser; to moor",pictophonetic,"thread" -6322,缶,"pottery",pictographic,"An earthen jar" -6323,缸,"jar; vat; classifier for loads of laundry; CL:口[kou3]",pictophonetic,"pottery" -6324,缺,"deficiency; lack; scarce; vacant post; to run short of",pictophonetic,"jar" -6325,钵,"small earthenware plate or basin; a monk's alms bowl; Sanskrit paatra",pictophonetic,"gold" -6326,瓶,"variant of 瓶[ping2]",pictophonetic,"pottery" -6327,罄,"to use up; to exhaust; empty",pictophonetic,"pottery" -6328,罅,"crack; grudge",ideographic,"The sound 虖 of pottery 缶 breaking" -6329,樽,"variant of 樽[zun1]",ideographic,"A hand 寸 raising a wooden 木 wine jar 酉; 尊 also provides the pronunciation" -6330,坛,"earthen jar",pictophonetic,"earth" -6331,瓮,"variant of 甕|瓮[weng4]",pictophonetic,"pottery" -6332,罂,"earthen jar with small mouth",pictophonetic,"pottery" -6333,罐,"can; jar; pot",pictophonetic,"jar" -6334,罒,"net (Kangxi radical 122)",, -6335,罓,"net (Kangxi radical 122)",pictographic,"A net for catching fish; compare 网" -6336,罔,"to deceive; there is none; old variant of 網|网[wang3]",pictophonetic,"net" -6337,罕,"rare",ideographic,"An empty 干 fishing net ⺳; 干 also provides the pronunciation" -6338,罘,"place name",pictophonetic,"net" -6339,罟,"to implicate; net for birds or fish",pictophonetic,"net" -6340,罡,"stars of the Big Dipper that constitute the tail of the dipper",pictophonetic,"net" -6341,罨,"foment; valve",pictophonetic,"net" -6342,罩,"to cover; to spread over; a cover; a shade; a hood; bamboo fish trap; bamboo chicken coop; (Tw) (coll.) to protect; to have sb's back; (Tw) (coll.) awesome; incredible; (Tw) (coll.) (often as 罩得住[zhao4 de2 zhu4]) to have things under control; to be able to handle it",pictophonetic,"net" -6343,罪,"guilt; crime; fault; blame; sin",ideographic,"A net 罒 of wrongdoing 非" -6344,置,"to install; to place; to put; to buy",pictophonetic,"net" -6345,罚,"to punish; to penalize; to fine",ideographic,"Simplified form of 罰; to punish 刂 the accused 詈" -6346,罱,"a kind of tool used to dredge up fish, water plants or river mud, consisting of a net attached to a pair of bamboo poles, which are used to open and close the net; to dredge with such a tool",pictophonetic,"net" -6347,署,"office; bureau; (Taiwan pr. [shu4]) to sign; to arrange",pictophonetic,"network" -6348,骂,"to scold; to abuse; to curse; CL:通[tong4],頓|顿[dun4]",pictophonetic,"mouth" -6349,罢,"to stop; to cease; to dismiss; to suspend; to quit; to finish",ideographic,"Stuck in a net 罒, unable to leave 去" -6350,罢,"(final particle, same as 吧)",ideographic,"Stuck in a net 罒, unable to leave 去" -6351,罚,"variant of 罰|罚[fa2]",ideographic,"Simplified form of 罰; to punish 刂 the accused 詈" -6352,罹,"happen to; sorrow; suffer from",pictophonetic,"heart" -6353,罾,"large square net",pictophonetic,"net" -6354,罗,"surname Luo",pictophonetic,"net" -6355,罗,"gauze; to collect; to gather; to catch; to sift",pictophonetic,"net" -6356,罴,"brown bear",, -6357,羁,"bridle; halter; to restrain; to detain; to lodge; inn",ideographic,"A leather 革 halter used to control 罒a horse  马" -6358,羊,"surname Yang",pictographic,"A sheep's head with horns" -6359,羊,"sheep; goat; CL:頭|头[tou2],隻|只[zhi1]",pictographic,"A sheep's head with horns" -6360,芈,"surname Mi",, -6361,芈,"to bleat (of a sheep)",, -6362,羌,"Qiang ethnic group of northwestern Sichuan; surname Qiang",pictophonetic, -6363,羌,"muntjac; grammar particle indicating nonsense (classical)",pictophonetic, -6364,羍,"little lamb",pictophonetic,"sheep" -6365,美,"(bound form) the Americas (abbr. for 美洲[Mei3 zhou1]); (bound form) USA (abbr. for 美國|美国[Mei3 guo2])",ideographic,"A person 大 wearing an elegant crown 羊" -6366,美,"beautiful; very satisfactory; good; to beautify; to be pleased with oneself",ideographic,"A person 大 wearing an elegant crown 羊" -6367,羔,"lamb",pictophonetic,"sheep" -6368,羌,"variant of 羌[qiang1]",pictophonetic, -6369,羚,"antelope",pictophonetic,"sheep" -6370,羝,"billy goat; ram",pictophonetic,"sheep" -6371,羞,"shy; ashamed; shame; bashful; variant of 饈|馐[xiu1]; delicacies",ideographic,"An ugly 丑 sheep 羊" -6372,群,"variant of 群[qun2]",pictophonetic,"sheep" -6373,群,"group; crowd; flock, herd, pack etc",pictophonetic,"sheep" -6374,羟,"hydroxyl (radical)",pictophonetic, -6375,羧,"carboxyl radical (chemistry)",, -6376,羡,"to envy",ideographic,"Someone who has a whole row 次 of sheep 羊" -6377,义,"surname Yi; (Tw) abbr. for 義大利|义大利[Yi4da4li4], Italy",pictophonetic,"sheep; simplified form of 義" -6378,义,"justice; righteousness; meaning; foster (father etc); adopted; artificial (tooth, limb etc); relationship; friendship",pictophonetic,"sheep; simplified form of 義" -6379,羯,"Jie people, a tribe of northern China around the 4th century",pictophonetic,"sheep" -6380,羯,"ram, esp. gelded; to castrate; deer's skin",pictophonetic,"sheep" -6381,羰,"carbonyl (radical)",pictophonetic,"carbon" -6382,羲,"same as Fuxi 伏羲[Fu2xi1], a mythical emperor; surname Xi",, -6383,膻,"a flock of sheep (or goats); old variant of 膻[shan1]; old variant of 羶[shan1]",pictophonetic,"meat" -6384,羸,"entangled; lean",, -6385,羹,"soup",ideographic,"A pleasing 美 lamb 羔 soup" -6386,羼,"to mix; to blend; to dilute; to adulterate",pictophonetic,"body" -6387,羽,"feather; 5th note in pentatonic scale",pictographic,"Two feathers or wings" -6388,羿,"surname Yi; name of a legendary archer (also called 后羿[Hou4 Yi4])",ideographic,"A man drawing 廾 an arrow 羽" -6389,翁,"surname Weng",pictophonetic,"feather" -6390,翁,"elderly man; father; father-in-law; neck feathers of a bird (old)",pictophonetic,"feather" -6391,翅,"variant of 翅[chi4]",pictophonetic,"wings" -6392,翅,"wing (of a bird or insect) (bound form)",pictophonetic,"wings" -6393,翊,"assist; ready to fly; respect",pictophonetic,"wings" -6394,翌,"bright; tomorrow",, -6395,翎,"tail feathers; plume",pictophonetic,"plume" -6396,翏,"the sound of the wind; to soar",ideographic,"To feel the wind 羽 in one's 人 hair 彡" -6397,习,"surname Xi",, -6398,习,"(bound form) to practice; to study; habit; custom",, -6399,翔,"to soar; to glide; variant of 詳|详[xiang2]; (slang) shit",pictophonetic,"wings" -6400,翕,"to open and close (the mouth etc); friendly; compliant; Taiwan pr. [xi4]",ideographic,"Birds 羽 flocking together 合" -6401,翟,"surname Di; variant of 狄[Di2], generic name for northern ethnic minorities during the Qin and Han Dynasties (221 BC-220 AD)",ideographic,"A bird 隹 with a plumed 羽 tail" -6402,翟,"surname Zhai",ideographic,"A bird 隹 with a plumed 羽 tail" -6403,翟,"long-tail pheasant",ideographic,"A bird 隹 with a plumed 羽 tail" -6404,翠,"bluish-green; green jade",pictophonetic,"wings" -6405,翡,"green jade; kingfisher",pictophonetic,"plume" -6406,翥,"to soar",pictophonetic,"wings" -6407,翦,"surname Jian",pictophonetic,"feather" -6408,翦,"variant of 剪[jian3]",pictophonetic,"feather" -6409,翩,"to fly fast",pictophonetic,"wings" -6410,玩,"variant of 玩[wan2]; Taiwan pr. [wan4]",pictophonetic,"jade" -6411,翮,"quill",pictophonetic,"feather" -6412,翰,"surname Han",pictophonetic,"plume" -6413,翰,"writing brush; writing; pen",pictophonetic,"plume" -6414,翱,"see 翱翔[ao2 xiang2]",pictophonetic,"wings" -6415,翳,"feather screen; to screen; to shade; cataract",pictophonetic,"feather" -6416,翘,"outstanding; to raise",pictophonetic,"wings" -6417,翘,"to stick up; to rise on one end; to tilt",pictophonetic,"wings" -6418,翱,"variant of 翱[ao2]",pictophonetic,"wings" -6419,翻,"to turn over; to flip over; to overturn; to rummage through; to translate; to decode; to double; to climb over or into; to cross",pictophonetic,"wings" -6420,翼,"surname Yi; alternative name for 絳|绛[Jiang4], the capital of the Jin State during the Spring and Autumn Period (770-475 BC)",pictophonetic,"wings" -6421,翼,"wing; area surrounding the bullseye of a target; to assist; one of the 28 constellations of Chinese astronomy; old variant of 翌",pictophonetic,"wings" -6422,耀,"brilliant; glorious",ideographic,"A peacock 翟 with a brilliant 光 tail" -6423,老,"prefix used before the surname of a person or a numeral indicating the order of birth of the children in a family or to indicate affection or familiarity; old (of people); venerable (person); experienced; of long standing; always; all the time; of the past; very; outdated; (of meat etc) tough",pictographic,"A person bent over with long hair 匕 and a crutch; compare 耂" -6424,考,"to check; to verify; to test; to examine; to take an exam; to take an entrance exam for; deceased father",pictophonetic,"old" -6425,耄,"extremely aged (in one's 80s or 90s); octogenarian; nonagenarian",pictophonetic,"old" -6426,者,"(after a verb or adjective) one who (is) ...; (after a noun) person involved in ...; -er; -ist; (used after a number or 後|后[hou4] or 前[qian2] to refer to sth mentioned previously); (used after a term, to mark a pause before defining the term); (old) (used at the end of a command); (old) this",, -6427,耆,"man of sixty or seventy",pictophonetic,"old" -6428,耋,"aged; in one's eighties",pictophonetic,"old" -6429,而,"and; as well as; and so; but (not); yet (not); (indicates causal relation); (indicates change of state); (indicates contrast)",, -6430,耍,"surname Shua",ideographic,"A woman 女 wearing a beard 而 for disguise" -6431,耍,"to play with; to wield; to act (cool etc); to display (a skill, one's temper etc)",ideographic,"A woman 女 wearing a beard 而 for disguise" -6432,耐,"(bound form) to bear; to endure; to withstand",, -6433,专,"variant of 專|专[zhuan1]",, -6434,端,"old variant of 端[duan1]; start; origin",pictophonetic,"stand" -6435,耒,"plow",pictographic,"The handle of a plow" -6436,耔,"hoe up soil around plants",pictophonetic,"plow" -6437,耕,"to plow; to till",pictophonetic,"plow" -6438,耖,"harrow-like implement for pulverizing clods of soil; to level ground with such an implement",pictophonetic,"plow" -6439,耗,"to waste; to spend; to consume; to squander; news; (coll.) to delay; to dilly-dally",pictophonetic,"plow" -6440,耘,"to weed",pictophonetic,"plow" -6441,耙,"a hoe; to harrow",pictophonetic,"plow" -6442,耙,"a rake",pictophonetic,"plow" -6443,耜,"plow; plowshare",pictophonetic,"plow" -6444,耠,"a hoe; to hoe; to loosen the soil with a hoe; Taiwan pr. [he2]",pictophonetic,"plow" -6445,耤,"plow",pictophonetic,"plow" -6446,耦,"a pair; a mate; a couple; to couple; plowshare",pictophonetic,"plow" -6447,耨,"hoe; to hoe; to weed",pictophonetic,"plow" -6448,耩,"to plow; to sow",ideographic,"To dig a hole 冓 with a plow 耒" -6449,耪,"to hoe",pictophonetic,"plow" -6450,耧,"drill for sowing grain",pictophonetic,"plow" -6451,耢,"a kind of farm tool (in the form of a rectangular frame) used to level the ground; to level the ground by dragging this tool",pictophonetic,"plow" -6452,耱,"see 耮|耢[lao4]",pictophonetic,"plow" -6453,耳,"ear; handle (archaeology); and that is all (Classical Chinese)",pictographic,"An ear" -6454,耵,"used in 耵聹|耵聍[ding1ning2]; Taiwan pr. [ding3]",pictophonetic,"ear" -6455,耶,"(phonetic ye)",pictophonetic,"ear" -6456,耶,"interrogative particle (classical)",pictophonetic,"ear" -6457,耶,"final particle indicating enthusiasm etc",pictophonetic,"ear" -6458,耷,"(literary) big ears; (bound form) to droop",pictophonetic,"ear" -6459,耽,"to indulge in; to delay",pictophonetic,"ear" -6460,耿,"surname Geng",pictophonetic,"fire" -6461,耿,"(literary) bright; brilliant; honest; upright",pictophonetic,"fire" -6462,聃,"ears without rim",pictophonetic,"ear" -6463,聆,"(literary) to hear; to listen",pictophonetic,"ear" -6464,聊,"(coll.) to chat; (literary) temporarily; for a while; (literary) somewhat; slightly; (literary) to depend upon",pictophonetic,"ear" -6465,聒,"raucous; clamor; unpleasantly noisy",ideographic,"The sound 耳 of a bell 舌" -6466,圣,"(bound form) peerless (in wisdom, moral virtue, skill etc); (bound form) peerless individual; paragon (sage, saint, emperor, master of a skill etc); (bound form) holy; sacred",ideographic,"Simplified form of 聖; a king 王 of listening 耳  and speaking口" -6467,聘,"to engage (a teacher etc); to hire; to betroth; betrothal gift; to get married (of woman)",pictophonetic,"ear" -6468,聚,"to assemble; to gather (transitive or intransitive); (chemistry) poly-",ideographic,"People standing side-by-side 乑, hand-to-ear 取" -6469,闻,"surname Wen",pictophonetic,"ear" -6470,闻,"to hear; news; well-known; famous; reputation; fame; to smell; to sniff at",pictophonetic,"ear" -6471,联,"(bound form) to ally oneself with; to unite; to combine; to join; (bound form) (poetry) antithetical couplet",pictophonetic,"ear" -6472,聪,"(literary) acute (of hearing); (bound form) clever; intelligent; sharp",pictophonetic,"ear" -6473,聱,"difficult to pronounce",pictophonetic,"ear" -6474,声,"sound; voice; tone; noise; reputation; classifier for sounds",ideographic,"Simplified form of 聲; see that character for the etymology" -6475,耸,"to excite; to raise up; to shrug; high; lofty; towering",pictophonetic,"ear" -6476,聩,"born deaf; deaf; obtuse",pictophonetic,"ear" -6477,聂,"surname Nie",ideographic,"A pair 双 of ears 耳" -6478,聂,"to whisper",ideographic,"A pair 双 of ears 耳" -6479,职,"office; duty",pictophonetic,"ear" -6480,聍,"used in 耵聹|耵聍[ding1ning2]",pictophonetic,"ear" -6481,听,"to listen to; to hear; to heed; to obey; a can (loanword from English ""tin""); classifier for canned beverages; to let be; to allow (Taiwan pr. [ting4]); (literary) to administer; to deal with (Taiwan pr. [ting4])",ideographic,"Words 口 reaching an ear 斤" -6482,聋,"deaf",pictophonetic,"ear" -6483,聿,"(arch. introductory particle); then; and then",pictographic,"A hand 彐 holding a brush; compare 肀" -6484,肄,"to learn; to practice or study (old)",, -6485,肃,"surname Su",, -6486,肃,"respectful; solemn; to eliminate; to clean up",, -6487,肆,"four (banker's anti-fraud numeral); unrestrained; wanton; (literary) shop",ideographic,"Having long 镸 hair 聿" -6488,肇,"at first; devise; originate",, -6489,肇,"the start; the origin",, -6490,肉,"meat; flesh; pulp (of a fruit); (coll.) (of a fruit) squashy; (of a person) flabby; irresolute; Kangxi radical 130",pictographic,"Meat on the ribs of an animal" -6491,肋,"rib; Taiwan pr. [le4]",pictophonetic,"flesh" -6492,肌,"(bound form) flesh; muscle",pictophonetic,"flesh" -6493,肯,"old variant of 肯[ken3]",ideographic,"To stop 止 flexing one's muscles ⺼" -6494,胳,"variant of 胳[ge1]",pictophonetic,"flesh" -6495,肓,"region between heart and diaphragm",pictophonetic,"flesh" -6496,肖,"surname Xiao; Taiwan pr. [Xiao4]",pictophonetic,"flesh - ""in the flesh""" -6497,肖,"similar; resembling; to resemble; to be like",pictophonetic,"flesh - ""in the flesh""" -6498,肘,"elbow; pork shoulder",pictographic,"A arm carrying an object 寸 at the side of the body ⺼" -6499,肙,"a small worm; to twist; to surround; empty",ideographic,"A head 口 on a long body ⺼" -6500,肚,"tripe",pictophonetic,"flesh" -6501,肚,"belly",pictophonetic,"flesh" -6502,肛,"anus; rectum",pictophonetic,"flesh" -6503,肜,"surname Rong",pictophonetic,"meat" -6504,肝,"liver; CL:葉|叶[ye4],個|个[ge4]; (slang) to put in long hours, typically late into the night, playing (a video game); (of a video game) involving a lot of repetition in order to progress; grindy",pictophonetic,"flesh" -6505,肟,"oxime; oximide; -oxil (chemistry)",pictophonetic,"organic compound" -6506,股,"thigh; part of a whole; portion of a sum; (stock) share; strand of a thread; low-level administrative unit, translated as ""section"" or ""department"" etc, ranked below 科[ke1]; classifier for long winding things like ropes, rivers etc; classifier for smoke, smells etc: thread, puff, whiff; classifier for bands of people, gangs etc; classifier for sudden forceful actions",pictophonetic,"flesh" -6507,肢,"limb",pictophonetic,"flesh" -6508,肥,"fat; fertile; loose-fitting or large; to fertilize; to become rich by illegal means; fertilizer; manure",pictophonetic,"flesh" -6509,胚,"variant of 胚[pei1]",pictophonetic,"flesh" -6510,肩,"shoulder; to shoulder (responsibilities etc)",ideographic,"A man bringing home meat ⺼ for the family 户" -6511,肪,"animal fat",pictophonetic,"meat" -6512,肫,"gizzard",pictophonetic,"meat" -6513,肭,"used in 膃肭|腽肭[wa4 na4]",pictophonetic,"meat" -6514,肯,"to agree; to consent; to be willing to",ideographic,"To stop 止 flexing one's muscles ⺼" -6515,肰,"dog meat; old variant of 然[ran2]",ideographic,"Dog 犬 meat ⺼" -6516,肱,"upper arm; arm",pictophonetic,"flesh" -6517,育,"to have children; to raise or bring up; to educate",ideographic,"A pregnant woman with a baby ⺼ in her womb" -6518,肴,"meat dishes; mixed viands",pictophonetic,"meat" -6519,肺,"lung; CL:個|个[ge4]",pictophonetic,"flesh" -6520,肼,"hydrazine",pictophonetic,"organic compound" -6521,肽,"peptide (two or more amino acids linked by peptide bonds CO-NH)",pictophonetic,"organic compound" -6522,胂,"arsine",pictophonetic,"organic compound" -6523,胃,"stomach; CL:個|个[ge4]",ideographic,"The stomach ⺼ behind the abdominal muscles 田" -6524,胄,"helmet; descendants",pictographic,"A man ⺼ wearing a helmet 由" -6525,背,"to be burdened; to carry on the back or shoulder",pictophonetic,"flesh" -6526,背,"the back of a body or object; to turn one's back; to hide something from; to learn by heart; to recite from memory; unlucky (slang); hard of hearing",pictophonetic,"flesh" -6527,胍,"guanidine",pictophonetic,"organic compound" -6528,胎,"fetus; classifier for litters (of puppies etc); padding (in clothing or bedding); womb carrying a fetus; (fig.) origin; source; (loanword) tire",pictophonetic,"flesh" -6529,胖,"healthy; at ease",pictophonetic,"flesh" -6530,胖,"fat; plump",pictophonetic,"flesh" -6531,胗,"gizzard",pictophonetic,"flesh" -6532,胙,"to grant or bestow; sacrificial flesh offered to the gods (old); blessing; title of a sovereign (old)",pictophonetic,"meat" -6533,胚,"embryo",pictophonetic,"flesh" -6534,胛,"shoulder blade",pictophonetic,"flesh" -6535,胝,"used in 胼胝[pian2 zhi1]",pictophonetic,"flesh" -6536,胞,"placenta; womb; born of the same parents",pictophonetic,"flesh" -6537,胠,"flank of animal; side; to pry open; to steal",ideographic,"To leave 去 in the flesh ⺼; 去 also provides the pronunciation" -6538,胡,"surname Hu",pictophonetic,"meat" -6539,胡,"non-Han people, esp. from central Asia; reckless; outrageous; what?; why?; to complete a winning hand at mahjong (also written 和[hu2])",pictophonetic,"meat" -6540,胤,"descendant; heir; offspring; posterity; to inherit",ideographic,"A small 幺 child ⺼ leaving the womb 儿" -6541,胥,"surname Xu",ideographic,"A body ⺼ wrapped in cloth 疋" -6542,胥,"all; assist; to store",ideographic,"A body ⺼ wrapped in cloth 疋" -6543,胩,"carbylamine; isocyanide",pictophonetic,"organic compound" -6544,胬,"used in 胬肉[nu3 rou4]",pictophonetic,"flesh" -6545,胭,"rouge",pictophonetic,"flesh" -6546,胯,"crotch; groin; hip",pictophonetic,"flesh" -6547,胰,"pancreas",pictophonetic,"flesh" -6548,胱,"used in 膀胱[pang2guang1]",pictophonetic,"flesh" -6549,胲,"hydroxylamine (chemistry)",pictophonetic,"organic compound" -6550,胳,"armpit",pictophonetic,"flesh" -6551,胴,"large intestine; torso",pictophonetic,"flesh" -6552,胸,"variant of 胸[xiong1]",ideographic,"A heart ⺼ in the chest 匈; 匈 also provides the pronunciation" -6553,胸,"chest; bosom; heart; mind; thorax",ideographic,"A heart ⺼ in the chest 匈; 匈 also provides the pronunciation" -6554,胺,"amine; Taiwan pr. [an1]",pictophonetic,"organic compound" -6555,胼,"used in 胼胝[pian2 zhi1]",pictophonetic,"flesh" -6556,能,"surname Neng",pictographic,"A bear's head 厶, body ⺼, and claws 匕" -6557,能,"can; to be able to; might possibly; ability; (physics) energy",pictographic,"A bear's head 厶, body ⺼, and claws 匕" -6558,脂,"fat; rouge (cosmetics); resin",pictophonetic,"flesh" -6559,脆,"old variant of 脆[cui4]",ideographic,"Something dangerous 危 to one's flesh ⺼" -6560,胁,"flank (the side of one's torso); to coerce; to threaten",ideographic,"To control 办 another's body ⺼" -6561,脆,"brittle; fragile; crisp; crunchy; clear and loud voice; neat",ideographic,"Something dangerous 危 to one's flesh ⺼" -6562,胁,"variant of 脅|胁[xie2]",ideographic,"To control 办 another's body ⺼" -6563,脉,"arteries and veins; vein (on a leaf, insect wing etc)",ideographic,"Long 永 vessels through one's body ⺼" -6564,脉,"see 脈脈|脉脉[mo4 mo4]",ideographic,"Long 永 vessels through one's body ⺼" -6565,脊,"(bound form) spine; backbone; (bound form) ridge",ideographic,"A vertebra 人 protruding from the flesh ⺼" -6566,脒,"amidine (chemistry)",pictophonetic,"meat" -6567,脖,"neck",pictophonetic,"flesh" -6568,吻,"variant of 吻[wen3]",pictophonetic,"mouth" -6569,脘,"internal cavity of stomach",pictophonetic,"flesh" -6570,胫,"lower part of leg",pictophonetic,"flesh" -6571,脞,"chopped meat; trifles",pictophonetic,"meat" -6572,脢,"meat on the back of an animal",pictophonetic,"flesh" -6573,唇,"variant of 唇[chun2]",pictophonetic,"mouth" -6574,修,"variant of 修[xiu1]",pictophonetic,"hair" -6575,脩,"dried meat presented by pupils to their teacher at their first meeting (in ancient times); dried; withered",pictophonetic,"meat" -6576,脱,"to shed; to take off; to escape; to get away from",pictophonetic,"flesh" -6577,脬,"bladder",pictophonetic,"flesh" -6578,脯,"dried meat; preserved fruit",pictophonetic,"meat" -6579,脯,"chest; breast",pictophonetic,"meat" -6580,脲,"carbamide; urea (NH2)2CO; also written 尿素",pictophonetic,"organic compound" -6581,脷,"(cattle) tongue (Cantonese)",pictophonetic,"meat" -6582,胀,"to swell; dropsical; swollen; bloated",pictophonetic,"flesh" -6583,脾,"spleen",pictophonetic,"flesh" -6584,腆,"make strong (as liquors); virtuous",pictophonetic,"flesh" -6585,腈,"acrylic",pictophonetic,"organic compound" -6586,腊,"dried meat; also pr. [xi2]",ideographic,"A sacrifice of meat ⺼ for the past year 昔" -6587,腋,"armpit; (biology) axilla; (botany) axil; Taiwan pr. [yi4]",pictophonetic,"flesh" -6588,腌,"variant of 醃|腌[yan1]",ideographic,"Meat ⺼ left 奄 in salt; 奄 also provides the pronunciation" -6589,肾,"kidney",pictophonetic,"flesh" -6590,腐,"decay; rotten",pictophonetic,"meat" -6591,腑,"internal organs",pictophonetic,"flesh" -6592,腓,"calf of leg; decay; protect",pictophonetic,"flesh" -6593,腔,"(bound form) cavity; tune; accent (in one's speech); (old) (classifier for carcasses of slaughtered livestock)",pictophonetic,"flesh" -6594,腕,"wrist; (squid, starfish etc) arm",pictophonetic,"flesh" -6595,胨,"see 蛋白腖|蛋白胨[dan4 bai2 dong4]",pictophonetic,"organic compound" -6596,腙,"hydrazone (chemistry)",pictophonetic,"organic compound" -6597,腚,"buttocks; butt",pictophonetic,"flesh" -6598,腠,"the tissue between the skin and the flesh",pictophonetic,"flesh" -6599,脶,"fingerprint",pictophonetic,"flesh" -6600,腥,"fishy (smell)",pictophonetic,"meat" -6601,脑,"brain; mind; head; essence",pictophonetic,"flesh" -6602,腧,"insertion point in acupuncture; acupoint",pictophonetic,"flesh" -6603,腩,"brisket; belly beef; spongy meat from cow's underside and neighboring ribs; see 牛腩[niu2 nan3] esp. Cantonese; erroneously translated as sirloin",pictophonetic,"meat" -6604,肿,"to swell; swelling; swollen",pictophonetic,"flesh" -6605,腮,"cheek",pictophonetic,"flesh" -6606,腰,"waist; lower back; pocket; middle; loins",pictophonetic,"flesh" -6607,腱,"tendon; sinew",pictophonetic,"flesh" -6608,脚,"foot; leg (of an animal or an object); base (of an object); CL:雙|双[shuang1],隻|只[zhi1]; classifier for kicks",pictophonetic,"flesh" -6609,脚,"role (variant of 角[jue2])",pictophonetic,"flesh" -6610,腴,"fat on belly; fertile; rich",pictophonetic,"flesh" -6611,肠,"intestines",pictophonetic,"flesh" -6612,腹,"abdomen; stomach; belly",pictophonetic,"flesh" -6613,腺,"gland",pictophonetic,"flesh" -6614,腿,"leg; CL:條|条[tiao2]",ideographic,"Flesh ⺼ used to walk 退; 退 also provides the pronunciation" -6615,膀,"upper arm; wing",ideographic,"Flesh ⺼ beside 旁 the body; 旁 also provides the pronunciation" -6616,膀,"used in 吊膀子[diao4 bang4 zi5]",ideographic,"Flesh ⺼ beside 旁 the body; 旁 also provides the pronunciation" -6617,膀,"puffed (swollen)",ideographic,"Flesh ⺼ beside 旁 the body; 旁 also provides the pronunciation" -6618,膀,"used in 膀胱[pang2guang1]",ideographic,"Flesh ⺼ beside 旁 the body; 旁 also provides the pronunciation" -6619,肷,"(usu. of an animal) the part of the side of the body between the ribs and the hipbone",pictophonetic,"flesh" -6620,膂,"backbone; strength",pictophonetic,"flesh" -6621,腽,"used in 膃肭|腽肭[wa4 na4]",pictophonetic,"flesh" -6622,膈,"diaphragm (anatomy)",pictophonetic,"flesh" -6623,膈,"used in 膈應|膈应[ge4ying5]",pictophonetic,"flesh" -6624,膊,"shoulder; upper arm",pictophonetic,"flesh" -6625,膏,"ointment; paste; CL:帖[tie3]",pictophonetic,"flesh" -6626,膏,"to moisten; to grease; to apply (cream, ointment); to dip a brush in ink",pictophonetic,"flesh" -6627,肠,"old variant of 腸|肠[chang2]",pictophonetic,"flesh" -6628,膘,"fat of a stock animal",pictophonetic,"flesh" -6629,肤,"skin",pictophonetic,"flesh" -6630,膛,"(bound form) hollow space",ideographic,"A hall 堂 in one's chest ⺼; 堂 also provides the pronunciation" -6631,膜,"membrane; film",pictophonetic,"flesh" -6632,膝,"knee",pictophonetic,"flesh" -6633,胶,"to glue; glue; gum; rubber",ideographic,"Tendons that connect 交 muscles ⺼; 交 also provides the pronunciation" -6634,膣,"vagina",pictophonetic,"flesh" -6635,膦,"phosphine",pictographic,"An organic compound ⺼ containing phosphorous 粦; 粦 also provides the pronunciation" -6636,膨,"swollen",pictophonetic,"flesh" -6637,腻,"greasy; soft; unctuous; intimate; tired of",pictophonetic,"flesh" -6638,膪,"used in 囊膪[nang1 chuai4]",pictophonetic,"meat" -6639,膫,"name of a state during Han Dynasty",pictophonetic,"flesh" -6640,膫,"male genitals; old variant of 膋[liao2]",pictophonetic,"flesh" -6641,膲,"see 三膲[san1 jiao1]",pictophonetic,"flesh" -6642,膳,"meals",pictophonetic,"meat" -6643,膺,"breast; receive",pictophonetic,"flesh" -6644,膻,"rank odor (of sheep or goats)",pictophonetic,"meat" -6645,胆,"gall bladder; courage; guts; gall; inner container (e.g. bladder of a football, inner container of a thermos)",pictophonetic,"flesh" -6646,脍,"chopped meat or fish",pictophonetic,"meat" -6647,脓,"pus",pictophonetic,"flesh" -6648,臀,"buttocks; hips; rump",pictophonetic,"flesh" -6649,臁,"sides of the lower part of the leg",pictophonetic,"flesh" -6650,臂,"arm",pictophonetic,"flesh" -6651,臃,"see 臃腫|臃肿[yong1 zhong3]",pictophonetic,"flesh" -6652,臆,"(bound form) chest; breast; (bound form) inner feelings; subjective",ideographic,"The part of the body ⺼ that feels 意; 意 also provides the pronunciation" -6653,腊,"old variant of 臘|腊[la4]",ideographic,"A sacrifice of meat ⺼ for the past year 昔" -6654,脸,"face; CL:張|张[zhang1],個|个[ge4]",pictophonetic,"flesh" -6655,臊,"to smell of urine (or sweat etc)",pictophonetic,"flesh" -6656,臊,"shame; bashfulness; to shame; to humiliate",pictophonetic,"flesh" -6657,臀,"old variant of 臀[tun2]",pictophonetic,"flesh" -6658,臌,"dropsical; swollen",pictophonetic,"flesh" -6659,脐,"(bound form) the navel; the umbilicus; (bound form) the belly flap of a crab; apron",pictophonetic,"flesh" -6660,膑,"variant of 髕|髌[bin4]",pictophonetic,"flesh" -6661,膘,"variant of 膘[biao1]",pictophonetic,"flesh" -6662,腊,"ancient practice of offering sacrifices to the gods in the 12th lunar month; the 12th lunar month; (bound form) (of meat, fish etc) cured in winter, esp. in the 12th lunar month",ideographic,"A sacrifice of meat ⺼ for the past year 昔" -6663,胭,"variant of 胭[yan1]",pictophonetic,"flesh" -6664,胪,"belly; skin; to state; to pass on information; to display",pictophonetic,"flesh" -6665,裸,"variant of 裸[luo3]",pictophonetic,"clothes" -6666,脏,"viscera; (anatomy) organ",pictophonetic,"flesh" -6667,脔,"skinny; sliced meat",pictophonetic,"meat" -6668,臜,"see 腌臢|腌臜[a1 za1]",pictophonetic,"meat" -6669,臣,"surname Chen",, -6670,臣,"state official or subject in dynastic China; I, your servant (used in addressing the sovereign); Kangxi radical 131",, -6671,卧,"to lie; to crouch",ideographic,"A person 卜 (altered form of 人) laying in bed 臣" -6672,臧,"surname Zang",pictophonetic,"minister" -6673,臧,"good; right",pictophonetic,"minister" -6674,臧,"old variant of 藏[zang4]; old variant of 臟|脏[zang4]",pictophonetic,"minister" -6675,临,"to face; to overlook; to arrive; to be (just) about to; just before",, -6676,自,"(bound form) self; oneself; from; since; naturally; as a matter of course",pictographic,"A nose; in China, people refer to themselves by pointing to their noses" -6677,臬,"guidepost; rule; standard; limit; target (old)",ideographic,"A notice 自 posted on a tree 木" -6678,臭,"stench; smelly; to smell (bad); repulsive; loathsome; terrible; bad; severely; ruthlessly; dud (ammunition)",ideographic,"The smell 自 of a dirty dog 犬" -6679,臭,"sense of smell; smell bad",ideographic,"The smell 自 of a dirty dog 犬" -6680,皋,"variant of 皋[gao1]",pictophonetic, -6681,臲,"tottering; unsteady",pictophonetic,"precarious" -6682,至,"to arrive; most; to; until",ideographic,"A bird alighting on the ground 土" -6683,致,"(literary) to send; to transmit; to convey; (bound form) to cause; to lead to; consequently",pictophonetic,"rap" -6684,台,"Taiwan (abbr.)",, -6685,台,"platform; stage; terrace; stand; support; station; broadcasting station; classifier for vehicles or machines",, -6686,臻,"to arrive; to reach (esp. perfection); utmost; (used in commercials)",pictophonetic,"reach" -6687,臼,"mortar",pictographic,"A mortar used to grind out powders" -6688,臽,"(archaic) pit; hole in the ground; (archaic) variant of 陷[xian4]",ideographic,"A person ⺈ falling in a pit 臼" -6689,臾,"surname Yu",, -6690,臾,"a moment; little while",, -6691,臿,"to separate the grain from the husk",ideographic,"A mortar 臼 and pestle 千" -6692,舀,"to ladle out; to scoop up",ideographic,"A hand 爫 fetching food from a container 臼" -6693,舁,"to lift; to raise",ideographic,"Two hands 廾 lifting a mortar 臼" -6694,舂,"to pound (grain); beat",pictophonetic,"mortar" -6695,舄,"shoe; slipper",pictographic,"A magpie; compare 鳥" -6696,舅,"maternal uncle",pictophonetic,"man" -6697,与,"variant of 歟|欤[yu2]",, -6698,与,"and; to give; together with",, -6699,与,"to take part in",, -6700,兴,"surname Xing",, -6701,兴,"to rise; to flourish; to become popular; to start; to encourage; to get up; (often used in the negative) to permit or allow (dialect); maybe (dialect)",, -6702,兴,"feeling or desire to do sth; interest in sth; excitement",, -6703,举,"to lift; to hold up; to cite; to enumerate; to act; to raise; to choose; to elect; act; move; deed",pictophonetic,"hand" -6704,旧,"old; opposite: new 新; former; worn (with age)",ideographic,"Older than 丨 the sun 日" -6705,舋,"variant of 釁|衅; quarrel; dispute; a blood sacrifice (arch.)",ideographic,"A sacrifice made on an altar 且" -6706,舌,"used in 喇舌[la3 ji1] to transcribe the Taiwanese word for ""tongue""",pictographic,"A tongue 千 sticking out of a mouth 口" -6707,舌,"tongue",pictographic,"A tongue 千 sticking out of a mouth 口" -6708,舍,"surname She",pictophonetic,"the shape of a roof" -6709,舍,"old variant of 捨|舍[she3]",pictophonetic,"the shape of a roof" -6710,舍,"residence",pictophonetic,"the shape of a roof" -6711,舐,"to lick; to lap (up)",pictophonetic,"tongue" -6712,舒,"surname Shu",pictophonetic,"home" -6713,舒,"to stretch; to unfold; to relax; leisurely",pictophonetic,"home" -6714,舔,"to lick; to lap",pictophonetic,"tongue" -6715,铺,"variant of 鋪|铺[pu4]; store",pictophonetic,"money" -6716,馆,"variant of 館|馆[guan3]",ideographic,"A public 官 building where food 饣 is served; 官 also provides the pronunciation" -6717,舛,"mistaken; erroneous; contradictory",, -6718,舜,"Shun (c. 23rd century BC), mythical sage and leader",pictophonetic,"claw" -6719,舞,"to dance; to wield; to brandish",ideographic,"A hand 舛 holding a fan" -6720,舟,"boat",pictographic,"A boat" -6721,舡,"boat; ship",pictophonetic,"boat" -6722,舢,"sampan",pictophonetic,"boat" -6723,舨,"sampan",pictophonetic,"boat" -6724,船,"variant of 船[chuan2]",pictophonetic,"ship" -6725,航,"boat; ship; craft; to navigate; to sail; to fly",pictophonetic,"ship" -6726,舫,"2 boats lashed together; large boat",pictophonetic,"boat" -6727,般,"sort; kind; class; way; manner",ideographic,"Using a tool 殳 to sort items on a tray 舟" -6728,般,"used in 般若[bo1re3]",ideographic,"Using a tool 殳 to sort items on a tray 舟" -6729,般,"see 般樂|般乐[pan2 le4]",ideographic,"Using a tool 殳 to sort items on a tray 舟" -6730,舭,"bilge",pictophonetic,"boat" -6731,舲,"small boat with windows",pictophonetic,"boat" -6732,舳,"poopdeck; stern of boat",pictophonetic,"ship" -6733,舴,"small boat",pictophonetic,"boat" -6734,舵,"helm; rudder",pictophonetic,"boat" -6735,舶,"ship",pictophonetic,"ship" -6736,舷,"side of a ship or an aircraft",pictophonetic,"ship" -6737,舸,"barge",pictophonetic,"boat" -6738,船,"boat; vessel; ship; CL:條|条[tiao2],艘[sou1],隻|只[zhi1]",pictophonetic,"ship" -6739,舾,"used in 舾裝|舾装[xi1 zhuang1]",pictophonetic,"ship" -6740,艄,"stern of boat",pictophonetic,"ship" -6741,艅,"used in 艅艎[yu2 huang2]",ideographic,"An extra 余 boat 舟; 余 also provides the pronunciation" -6742,艇,"vessel; small ship",pictophonetic,"boat" -6743,艉,"aft",ideographic,"The back 尾 of a ship 舟; 尾 also provides the pronunciation" -6744,艋,"small boat",pictophonetic,"boat" -6745,艎,"fast ship; see 艅艎, large warship",pictophonetic,"boat" -6746,艏,"bow of a ship",ideographic,"The head 首 of a ship 舟; 首 also provides the pronunciation" -6747,艘,"classifier for ships; Taiwan pr. [sao1]",pictophonetic,"ship" -6748,舱,"cabin; the hold of a ship or airplane",ideographic,"A ship's 舟 cabin 仓; 仓 also provides the pronunciation" -6749,艚,"seagoing junk",pictophonetic,"ship" -6750,艟,"see 艨艟, ancient leatherclad warship",pictophonetic,"ship" -6751,樯,"variant of 檣|樯[qiang2]",pictophonetic,"wood" -6752,橹,"variant of 櫓|橹[lu3]",pictophonetic,"wood" -6753,舣,"to moor a boat to the bank",pictophonetic,"boat" -6754,舰,"warship",pictophonetic,"ship" -6755,艨,"ancient warship; see 艨艟, ancient leatherclad warship",pictophonetic,"boat" -6756,橹,"variant of 櫓|橹[lu3]",pictophonetic,"wood" -6757,舻,"bow of ship",pictophonetic,"ship" -6758,艮,"blunt; tough; chewy",, -6759,艮,"one of the Eight Trigrams 八卦[ba1 gua4], symbolizing mountain; ☶; ancient Chinese compass point: 45° (northeast)",, -6760,良,"good; very; very much",, -6761,艰,"difficult; hard; hardship",pictophonetic,"tough" -6762,色,"color; CL:種|种[zhong3]; look; appearance; sex",ideographic,"What a person ⺈ desires 巴" -6763,色,"(coll.) color; used in 色子[shai3 zi5]",ideographic,"What a person ⺈ desires 巴" -6764,艴,"angry",pictophonetic,"color" -6765,艳,"variant of 艷|艳[yan4]",ideographic,"Lush 丰 and sexy 色" -6766,艳,"colorful; splendid; gaudy; amorous; romantic; to envy",ideographic,"Lush 丰 and sexy 色" -6767,草,"variant of 草[cao3]",pictophonetic,"grass" -6768,艹,"grass radical 草字頭兒|草字头儿[cao3 zi4 tou2 r5]",pictographic,"Simplified form of 艸; grass sprouting" -6769,艻,"used in 蘿艻|萝艻[luo2 le4]",pictophonetic,"herb" -6770,艽,"see 秦艽[qin2 jiao1]",pictophonetic,"plant" -6771,艾,"surname Ai",pictophonetic,"grass" -6772,艾,"Chinese mugwort or wormwood; moxa; to stop or cut short; phonetic ""ai"" or ""i""; abbr. for 艾滋病[ai4 zi1 bing4], AIDS",pictophonetic,"grass" -6773,艾,"variant of 刈[yi4]; variant of 乂[yi4]",pictophonetic,"grass" -6774,艿,"see 芋艿[yu4 nai3]",pictophonetic,"plant" -6775,芄,"Metaplexis stauntoni",pictophonetic,"plant" -6776,芊,"green; luxuriant growth",ideographic,"A thousand 千 plants 艹; 千 also provides the pronunciation" -6777,芋,"taro; Colocasia antiquorum; Colocasia esculenta",pictophonetic,"plant" -6778,芍,"see 芍陂[Que4 pi2]",pictophonetic,"plant" -6779,芍,"Chinese peony; Paeonia albiflora or lactiflora",pictophonetic,"plant" -6780,芎,"see 川芎[chuan1 xiong1]; Taiwan pr. [qiong1]",pictophonetic,"herb" -6781,芏,"used in 茳芏[jiang1 du4]; Taiwan pr. [tu3]",pictophonetic,"grass" -6782,芑,"Panicum miliaceum",pictophonetic,"grass" -6783,芒,"awn (of cereals); arista (of grain); tip (of a blade); Miscanthus sinensis (type of grass); variant of 邙, Mt Mang at Luoyang in Henan",pictophonetic,"grass" -6784,芘,"Malva sylvestris",pictophonetic,"plant" -6785,芙,"used in 芙蓉[fu2 rong2], lotus",pictophonetic,"flower" -6786,芝,"Zoysia pungens",pictophonetic,"plant" -6787,芟,"to cut down; to mow; to eliminate; scythe",ideographic,"To cut grass 艹 with a scythe 殳; 殳 also provides the pronunciation" -6788,芡,"Gorgon plant; fox nut (Gorgon euryale or Euryale ferox); makhana (Hindi)",pictophonetic,"plant" -6789,芤,"hollow; scallion stalk",pictophonetic,"grass" -6790,芥,"see 芥藍|芥蓝[gai4 lan2]",pictophonetic,"plant" -6791,芥,"mustard",pictophonetic,"plant" -6792,芨,"Bletilla hyacinthina (mucilaginous); Acronym for the Chinese Elder tree 菫草",pictophonetic,"plant" -6793,芩,"Phragmites japonica",pictophonetic,"plant" -6794,芪,"see 黃芪|黄芪[huang2 qi2]",pictophonetic,"plant" -6795,芫,"used in 芫荽[yan2 sui5]",pictophonetic,"plant" -6796,芫,"lilac daphne (Daphne genkwa), used in Chinese herbal medicine",pictophonetic,"plant" -6797,芬,"perfume; fragrance",pictophonetic,"flower" -6798,芭,"an unidentified fragrant plant mentioned in the Songs of Chu 楚辭|楚辞[Chu3ci2]; used in 芭蕉[ba1jiao1]; used in transliteration",pictophonetic,"plant" -6799,芮,"surname Rui",pictophonetic,"grass" -6800,芮,"small",pictophonetic,"grass" -6801,芯,"(bound form) the pith of the rush plant (used as a lampwick)",ideographic,"The heart 心 of a plant 艹; 心 also provides the pronunciation" -6802,芯,"used in 芯子[xin4 zi5]; Taiwan pr. [xin1]",ideographic,"The heart 心 of a plant 艹; 心 also provides the pronunciation" -6803,芰,"(archaic) water caltrop (Trapa natans)",pictophonetic,"plant" -6804,花,"surname Hua",ideographic,"A flower 艹 in bloom 化; 化 also provides the pronunciation" -6805,花,"flower; blossom; CL:朵[duo3],支[zhi1],束[shu4],把[ba3],盆[pen2],簇[cu4]; fancy pattern; florid; to spend (money, time); (coll.) lecherous; lustful",ideographic,"A flower 艹 in bloom 化; 化 also provides the pronunciation" -6806,花,"old variant of 花[hua1]",ideographic,"A flower 艹 in bloom 化; 化 also provides the pronunciation" -6807,芳,"fragrant",pictophonetic,"flower" -6808,芴,"(old) vaguely; suddenly",pictophonetic,"plant" -6809,芴,"fluorene C13H10; (old) name of an edible wild plant",pictophonetic,"plant" -6810,芷,"angelica (type of iris); plant root used in TCM",pictophonetic,"herb" -6811,芸,"Japanese variant of 藝|艺[yi4]",pictophonetic,"plant" -6812,芸,"common rue (Ruta graveolens); (used in old compounds relating to books because in former times rue was used to protect books from insect damage)",pictophonetic,"plant" -6813,芹,"Chinese celery",pictophonetic,"plant" -6814,刍,"to mow or cut grass; hay; straw; fodder",pictophonetic,"knife" -6815,芽,"bud; sprout",pictophonetic,"plant" -6816,芾,"see 蔽芾[bi4 fei4]",pictophonetic,"plant" -6817,芾,"luxuriance of vegetation",pictophonetic,"plant" -6818,苄,"benzyl (chemistry)",pictophonetic, -6819,苊,"acenaphthene (C12H10)",pictophonetic, -6820,苑,"surname Yuan",pictophonetic,"grass" -6821,苑,"(literary) enclosed area for growing trees, keeping animals etc; imperial garden; park; (literary) center (of arts, literature etc)",pictophonetic,"grass" -6822,苒,"luxuriant growth; passing (of time)",pictophonetic,"grass" -6823,苓,"fungus; tuber",pictophonetic,"plant" -6824,苔,"used in 舌苔[she2 tai1]",pictophonetic,"plant" -6825,苔,"moss; lichen; liverwort",pictophonetic,"plant" -6826,苕,"see 紅苕|红苕[hong2 shao2]",pictophonetic,"plant" -6827,苕,"reed grass; Chinese trumpet vine (Campsis grandiflora) (old)",pictophonetic,"plant" -6828,苗,"Hmong or Miao ethnic group of southwest China; surname Miao",ideographic,"Grass 艹 growing in a field 田" -6829,苗,"sprout",ideographic,"Grass 艹 growing in a field 田" -6830,苘,"Indian mallow (Abutilon theophrasti); Indian hemp (cannabis)",pictophonetic,"plant" -6831,苛,"severe; exacting",pictophonetic,"grass" -6832,苜,"clover",pictophonetic,"grass" -6833,苞,"bud; flower calyx; luxuriant; profuse",ideographic,"A flower 艹 unfolding 包; 包 also provides the pronunciation" -6834,苟,"surname Gou",pictophonetic,"wild grass" -6835,苟,"(literary) if indeed; (bound form) careless; negligent; (bound form) temporarily",pictophonetic,"wild grass" -6836,苠,"multitude; skin of bamboo",pictophonetic,"plant" -6837,苡,"common plantain (Plantago major)",pictophonetic,"grass" -6838,苣,"used in 萵苣|莴苣[wo1ju4]",pictophonetic,"plant" -6839,苣,"used in 苣蕒菜|苣荬菜[qu3mai5cai4]; Taiwan pr. [ju4]",pictophonetic,"plant" -6840,苤,"used in 苤藍|苤蓝[pie3 lan5]",pictophonetic,"plant" -6841,若,"used in 般若[bo1re3]; used in 蘭若|兰若[lan2re3]",, -6842,若,"to seem; like; as; if",, -6843,苦,"bitter; hardship; pain; to suffer; to bring suffering to; painstakingly",pictophonetic,"grass" -6844,苎,"Boehmeria nivea; Chinese grass",pictophonetic,"grass" -6845,苫,"straw mat; thatch",pictophonetic,"grass" -6846,苯,"benzene; benzol (chemistry)",pictophonetic, -6847,英,"United Kingdom; British; England; English; abbr. for 英國|英国[Ying1 guo2]",pictophonetic,"flower" -6848,英,"hero; outstanding; excellent; (literary) flower; blossom",pictophonetic,"flower" -6849,苲,"see 苲草[zha3 cao3]",pictophonetic,"plant" -6850,苴,"surname Ju",pictophonetic,"grass" -6851,苴,"(hemp); sack cloth",pictophonetic,"grass" -6852,苷,"licorice; glycoside",ideographic,"A sweet 甘 plant 艹; 甘 also provides the pronunciation" -6853,苹,"(artemisia); duckweed",pictophonetic,"plant" -6854,苻,"Angelica anomala",pictophonetic,"herb" -6855,茀,"luxuriant growth",pictophonetic,"weed" -6856,茁,"to display vigorous, new growth; to sprout",ideographic,"Sprouting 出 grass 艹; 出 also provides the pronunciation" -6857,茂,"luxuriant; (chemistry) cyclopentadiene",pictophonetic,"grass" -6858,范,"surname Fan",pictophonetic,"plant" -6859,茄,"phonetic character used in loanwords for the sound ""jia"", although 夾|夹[jia2] is more common",pictophonetic,"plant" -6860,茄,"eggplant",pictophonetic,"plant" -6861,茅,"surname Mao",pictophonetic,"grass" -6862,茅,"reeds; rushes",pictophonetic,"grass" -6863,茆,"variant of 茅[mao2]; thatch",pictophonetic,"grass" -6864,茆,"type of water plant; (dialect) loess hills",pictophonetic,"grass" -6865,茇,"betel",pictophonetic,"grass" -6866,茈,"used in 鳧茈|凫茈[fu2ci2]",pictophonetic,"plant" -6867,茈,"Common Gromwell or European stoneseed (Lithospermum officinale)",pictophonetic,"plant" -6868,茉,"used in 茉莉[mo4li4]",pictophonetic,"herb" -6869,茌,"name of a district in Shandong",pictophonetic,"plant" -6870,茗,"Thea sinensis; young leaves of tea",pictophonetic,"plant" -6871,荔,"variant of 荔[li4]",pictophonetic,"plant" -6872,茚,"indene (chemistry)",pictophonetic, -6873,茛,"ranunculus",pictophonetic,"plant" -6874,茜,"(bound form) Indian madder; munjeet (Rubia cordifolia); (bound form) madder red; dark red; alizarin crimson",pictophonetic,"plant" -6875,茜,"used in the transliteration of people's names",pictophonetic,"plant" -6876,茨,"Caltrop or puncture vine (Tribulus terrestris); to thatch (a roof)",pictophonetic,"grass" -6877,茫,"vast, with no clear boundary; fig. hazy; indistinct; unclear; confused",pictophonetic,"grass" -6878,茬,"stubble (crop residue); stubble (hair growth); classifier for a batch of sth produced during a particular cycle: a crop; sth just said or mentioned",pictophonetic,"plant" -6879,茭,"Zizania aquatica",pictophonetic,"grass" -6880,茯,"used in 茯苓[fu2 ling2]",pictophonetic,"herb" -6881,茱,"cornelian cherry",pictophonetic,"plant" -6882,兹,"now; here; this; time; year",, -6883,茳,"used in 茳芏[jiang1 du4]",pictophonetic,"grass" -6884,茴,"(bound form) fennel",pictophonetic,"herb" -6885,茵,"mattress",pictophonetic,"grass" -6886,茶,"tea; tea plant; CL:杯[bei1],壺|壶[hu2]",pictophonetic,"plant" -6887,茸,"(bound form) (of newly sprouted grass) soft and fine; downy",pictophonetic,"grass" -6888,茹,"surname Ru",pictophonetic,"plant" -6889,茹,"to eat; (extended meaning) to endure; putrid smell; vegetables; roots (inextricably attached to the plant)",pictophonetic,"plant" -6890,茼,"Chrysanthemum coronarium",pictophonetic,"plant" -6891,荀,"surname Xun",pictophonetic,"herb" -6892,荀,"herb (old)",pictophonetic,"herb" -6893,荃,"(fragrant plant)",pictophonetic,"herb" -6894,荅,"variant of 答[da1]",pictophonetic,"plant" -6895,荅,"variant of 答[da2]",pictophonetic,"plant" -6896,荇,"yellow floating heart (Nymphoides peltatum)",pictophonetic,"plant" -6897,草,"grass; straw; manuscript; draft (of a document); careless; rough; CL:棵[ke1],撮[zuo3],株[zhu1],根[gen1]",pictophonetic,"grass" -6898,草,"variant of 肏[cao4]",pictophonetic,"grass" -6899,荆,"chaste tree or berry (Vitex agnus-castus); alternative name for the Zhou Dynasty state of Chu 楚國|楚国[Chu3 guo2]",ideographic,"A plant 艹 armed with thorns 刂" -6900,荞,"common mallow (Malva sinensis); variant of 蕎|荞[qiao2]",ideographic,"A tall 乔 grass 艹; 乔 also provides the pronunciation" -6901,荏,"beefsteak plant (Perilla frutescens); soft; weak",pictophonetic,"herb" -6902,荑,"(grass)",pictophonetic,"weed" -6903,荑,"to weed",pictophonetic,"weed" -6904,荒,"desolate; shortage; scarce; out of practice; absurd; uncultivated; to neglect",pictophonetic,"grass" -6905,荔,"litchi",pictophonetic,"plant" -6906,豆,"legume; pulse; bean; pea (variant of 豆[dou4])",pictographic,"An old serving dish 口 on a stand with a lid 一" -6907,荷,"Holland; the Netherlands; abbr. for 荷蘭|荷兰[He2 lan2]",pictophonetic,"flower" -6908,荷,"lotus",pictophonetic,"flower" -6909,荷,"to carry on one's shoulder or back; burden; responsibility",pictophonetic,"flower" -6910,荸,"used in 荸薺|荸荠[bi2qi2]",pictophonetic,"plant" -6911,荻,"Anaphalis yedoensis (pearly everlasting reed); used in Japanese names with phonetic value Ogi",pictophonetic,"grass" -6912,荼,"thistle; common sowthistle (Sonchus oleraceus); bitter (taste); cruel; flowering grass in profusion",pictophonetic,"plant" -6913,荽,"coriander",pictophonetic,"herb" -6914,莆,"place name",pictophonetic,"plant" -6915,莉,"used in 茉莉[mo4li4]; used in the transliteration of female names",pictophonetic,"flower" -6916,庄,"surname Zhuang",pictophonetic,"house" -6917,庄,"farmstead; village; manor; place of business; banker (in a gambling game); grave or solemn; holdings of a landlord (in imperial China)",pictophonetic,"house" -6918,莎,"katydid (family Tettigoniidae); phonetic ""sha"" used in transliteration",pictophonetic,"grass" -6919,莎,"used in 莎草[suo1cao3]",pictophonetic,"grass" -6920,莒,"Zhou Dynasty vassal state in modern day Shandong Province",pictophonetic,"plant" -6921,莒,"alternative name for taro (old)",pictophonetic,"plant" -6922,莓,"berry; strawberry",pictophonetic,"grass" -6923,茎,"stalk; stem; CL:條|条[tiao2]",pictophonetic,"grass" -6924,莘,"surname Shen",pictophonetic,"plant" -6925,莘,"long; numerous",pictophonetic,"plant" -6926,莘,"Asarum; Wild ginger; also 細辛|细辛[xi4 xin1]",pictophonetic,"plant" -6927,莛,"stalk of grass",pictophonetic,"grass" -6928,莜,"see 莜麥|莜麦[you2 mai4]",pictophonetic,"plant" -6929,莞,"Skimmia japonica",pictophonetic,"plant" -6930,莞,"(district)",pictophonetic,"plant" -6931,莞,"smile",pictophonetic,"plant" -6932,莠,"Setaria viridis; vicious",pictophonetic,"weed" -6933,荚,"pod (botany)",pictophonetic,"plant" -6934,苋,"amaranth (genus Amaranthus); Joseph's coat (Amaranthus tricolor); Chinese spinach (Amaranth mangostanus)",pictophonetic,"plant" -6935,莨,"Scopalia japonica maxin",pictophonetic,"plant" -6936,莩,"membrane lining inside a cylindrical stem; culm",pictophonetic,"grass" -6937,莩,"used for 殍 piǎo, to die of starvation",pictophonetic,"grass" -6938,莪,"zedoary (Curcuma zedoaria), plant rhizome similar to turmeric",pictophonetic,"grass" -6939,莫,"surname Mo",, -6940,莫,"do not; there is none who",, -6941,莰,"camphane C10H18",pictophonetic, -6942,莽,"(bound form) dense growth of grass; (literary) vast; boundless; (bound form) boorish; reckless",ideographic,"A dog 犬 surrounded by weeds 艹, 廾" -6943,莿,"Urtica thunbergiana",ideographic,"A plant 艹 that pricks 刺; 刺 also provides the pronunciation" -6944,菀,"bound form used in 紫菀[zi3 wan3]",pictophonetic,"grass" -6945,菀,"luxuriance of growth",pictophonetic,"grass" -6946,菁,"leek flower; lush; luxuriant",pictophonetic,"plant" -6947,菅,"(grass); Themeda forsbali",pictophonetic,"grass" -6948,菇,"mushroom",pictophonetic,"plant" -6949,菊,"(bound form) chrysanthemum",pictophonetic,"flower" -6950,菌,"germ; bacteria; fungus; mold; Taiwan pr. [jun4]",pictophonetic,"plant" -6951,菌,"mushroom",pictophonetic,"plant" -6952,菏,"He river in Shandong",ideographic,"A green 艹 river 河; 河 also provides the pronunciation" -6953,菐,"thicket; tedious",, -6954,灾,"old variant of 災|灾[zai1]",ideographic,"A house 宀 on fire 火" -6955,果,"variant of 果[guo3]; fruit",ideographic,"Fruit 田 growing on a tree 木" -6956,菔,"turnip",pictophonetic,"plant" -6957,菖,"see 菖蒲[chang1 pu2]",pictophonetic,"grass" -6958,菘,"(cabbage); Brassica chinensis",pictophonetic,"plant" -6959,菜,"vegetable; greens (CL:棵[ke1]); dish (of food) (CL:樣|样[yang4],道[dao4],盤|盘[pan2]); (of one's skills etc) weak; poor; (coll.) (one's) type",pictophonetic,"plant" -6960,菝,"smilax china",pictophonetic,"plant" -6961,菟,"dodder (Cuscuta sinensis, a parasitic vine with seeds having medicinal uses); also called 菟絲子|菟丝子",pictophonetic,"plant" -6962,菠,"spinach",pictophonetic,"plant" -6963,菡,"lotus blossom",pictophonetic,"plant" -6964,菥,"see 菥蓂[xi1 mi4]",pictophonetic,"plant" -6965,菩,"Bodhisattva",pictophonetic,"herb" -6966,菪,"henbane",pictophonetic,"plant" -6967,华,"abbr. for China",pictophonetic,"ten" -6968,华,"Mount Hua 華山|华山[Hua4 Shan1] in Shaanxi; surname Hua",pictophonetic,"ten" -6969,华,"old variant of 花[hua1]; flower",pictophonetic,"ten" -6970,华,"magnificent; splendid; flowery",pictophonetic,"ten" -6971,菰,"Manchurian wild rice (Zizania latifolia), now rare in the wild, formerly harvested for its grain, now mainly cultivated for its edible stem known as 茭白筍|茭白笋[jiao1 bai2 sun3], which is swollen by a smut fungus; (variant of 菇[gu1]) mushroom",pictophonetic,"grass" -6972,菱,"water caltrop (Trapa species)",pictophonetic,"grass" -6973,菲,"abbr. for the Philippines 菲律賓|菲律宾[Fei1 lu:4 bin1]",pictophonetic,"grass" -6974,菲,"luxuriant (plant growth); rich with fragrance; phenanthrene C14H10",pictophonetic,"grass" -6975,菲,"poor; humble; unworthy; radish (old)",pictophonetic,"grass" -6976,庵,"variant of 庵[an1]",ideographic,"A building 广 where people remain 奄; 奄 also provides the pronunciation" -6977,烟,"tobacco (variant of 煙|烟[yan1])",pictophonetic,"fire" -6978,菸,"to wither; dried leaves; faded; withered",pictophonetic,"plant" -6979,菹,"marshland; swamp; salted or pickled vegetables; to mince; to shred; to mince human flesh and bones; Taiwan pr. [ju1]",pictophonetic,"plant" -6980,菽,"legumes (peas and beans)",pictophonetic,"plant" -6981,萁,"stalks of pulse",pictophonetic,"plant" -6982,萃,"collect; collection; dense; grassy; thick; assemble; gather",pictophonetic,"grass" -6983,萄,"used in 葡萄[pu2 tao5]",pictophonetic,"plant" -6984,萆,"castor seed",pictophonetic,"plant" -6985,苌,"surname Chang",pictophonetic,"plant" -6986,苌,"plant mentioned in Book of Songs, uncertainly identified as carambola or star fruit (Averrhoa carambola)",pictophonetic,"plant" -6987,莱,"name of weed plant (fat hen, goosefoot, pigweed etc); Chenopodium album",pictophonetic,"grass" -6988,萋,"Celosia argentea; luxuriant",pictophonetic,"grass" -6989,萌,"(bound form) to sprout; to bud; (coll.) cute; adorable (orthographic borrowing from Japanese 萌え ""moe"", affection for an anime or manga character); (literary) common people (variant of 氓[meng2])",pictophonetic,"plant" -6990,萍,"duckweed",pictophonetic,"grass" -6991,萎,"to wither; to drop; to decline; spiritless; Taiwan pr. [wei1]",pictophonetic,"plant" -6992,萏,"lotus",pictophonetic,"plant" -6993,萑,"a kind of reed",pictophonetic,"grass" -6994,萘,"naphthalene C10H8",pictophonetic, -6995,萜,"terpene (chemistry)",pictophonetic, -6996,万,"surname Wan",, -6997,万,"ten thousand; a great number",, -6998,萱,"orange day-lily (Hemerocallis flava)",pictophonetic,"plant" -6999,萱,"old variant of 萱[xuan1]",pictophonetic,"plant" -7000,莴,"used in 萵苣|莴苣[wo1ju4]; used in 萵筍|莴笋[wo1sun3]",pictophonetic,"plant" -7001,萸,"cornelian cherry",pictophonetic,"plant" -7002,萼,"calyx of a flower",pictophonetic,"plant" -7003,落,"to leave out; to be missing; to leave behind or forget to bring; to lag or fall behind",pictophonetic,"plant" -7004,落,"colloquial reading for 落[luo4] in certain compounds",pictophonetic,"plant" -7005,落,"to fall or drop; (of the sun) to set; (of a tide) to go out; to lower; to decline or sink; to lag or fall behind; to fall onto; to rest with; to get or receive; to write down; whereabouts; settlement",pictophonetic,"plant" -7006,葄,"straw cushion; pillow",pictophonetic,"grass" -7007,葆,"dense foliage; to cover",pictophonetic,"grass" -7008,叶,"surname Ye",, -7009,叶,"leaf; page; lobe; (historical) period; classifier for small boats",, -7010,葑,"turnip",pictophonetic,"plant" -7011,荭,"used in 葒草|荭草[hong2 cao3]",pictophonetic,"herb" -7012,着,"(chess) move; trick; all right!; (dialect) to add",, -7013,着,"to touch; to come in contact with; to feel; to be affected by; to catch fire; to burn; (coll.) to fall asleep; (after a verb) hitting the mark; succeeding in",, -7014,着,"aspect particle indicating action in progress or ongoing state",, -7015,着,"to wear (clothes); to contact; to use; to apply",, -7016,著,"to make known; to show; to prove; to write; book; outstanding",pictophonetic,"plant" -7017,葙,"see 青葙, feather cockscomb (Celosia argentea)",pictophonetic,"plant" -7018,葚,"fruit of mulberry; also pr. [ren4]",pictophonetic,"plant" -7019,葛,"surname Ge",pictophonetic,"plant" -7020,葛,"kudzu (Pueraria lobata); hemp cloth",pictophonetic,"plant" -7021,参,"variant of 參|参[shen1]",pictophonetic, -7022,葡,"Portugal; Portuguese; abbr. for 葡萄牙[Pu2 tao2 ya2]",pictophonetic,"plant" -7023,葡,"used in 葡萄[pu2 tao5]",pictophonetic,"plant" -7024,董,"surname Dong",pictophonetic,"plant" -7025,董,"to supervise; to direct; director",pictophonetic,"plant" -7026,荮,"(dialect) to wrap with straw; classifier for a bundle (of bowls, dishes etc) tied with straw",pictophonetic,"grass" -7027,苇,"reed; rush; Phragmites communis",pictophonetic,"grass" -7028,葩,"corolla of flower",pictophonetic,"plant" -7029,葫,"used in 葫蘆|葫芦[hu2lu5]",pictophonetic,"plant" -7030,葬,"to bury (the dead); to inter",ideographic,"A corpse 死 laid 廾 to rest under the grass 艹" -7031,葭,"reed; Phragmites communis",pictophonetic,"grass" -7032,药,"leaf of the iris; variant of 藥|药[yao4]",pictophonetic,"plant" -7033,葳,"luxuriant",pictophonetic,"grass" -7034,葵,"used in the names of various herbaceous plants",pictophonetic,"plant" -7035,葶,"Draba nemerosa bebe carpa",pictophonetic,"grass" -7036,荤,"strong-smelling vegetable (garlic etc); non-vegetarian food (meat, fish etc); vulgar; obscene",pictophonetic,"plant" -7037,荤,"used in 葷粥|荤粥[Xun1yu4]",pictophonetic,"plant" -7038,葸,"feel insecure; unhappy",pictophonetic,"heart" -7039,葺,"to repair",pictophonetic,"grass" -7040,蒂,"stem (of fruit)",pictophonetic,"plant" -7041,蒎,"pinane",pictophonetic, -7042,蒐,"madder (Rubia cordifolia); to hunt, esp. in spring; to gather; to collect",, -7043,莼,"edible water plant; Brasenia schreberi",pictophonetic,"plant" -7044,莳,"used in 蒔蘿|莳萝[shi2 luo2]",pictophonetic,"herb" -7045,莳,"(literary) to grow; (literary) to transplant; Taiwan pr. [shi2]",pictophonetic,"herb" -7046,蒗,"(herb); place name",pictophonetic,"herb" -7047,蒙,"surname Meng",pictophonetic,"plant" -7048,蒙,"Mongol ethnic group; abbr. for Mongolia 蒙古國|蒙古国[Meng3 gu3 guo2]; Taiwan pr. [Meng2]",pictophonetic,"plant" -7049,蒙,"(knocked) unconscious; dazed; stunned",pictophonetic,"plant" -7050,蒙,"to cover; ignorant; to suffer (misfortune); to receive (a favor); to cheat",pictophonetic,"plant" -7051,蒜,"garlic; CL:頭|头[tou2],瓣[ban4]",pictophonetic,"herb" -7052,莅,"to attend (an official function); to be present; to administer; to approach (esp. as administrator)",ideographic,"A place 位 where grass 艹 grows; 立 also provides the pronunciation" -7053,蒟,"betel",pictophonetic,"plant" -7054,蒡,"Arctium lappa; great burdock",pictophonetic,"plant" -7055,蒦,"(archaic) to measure",, -7056,蒭,"old variant of 芻|刍[chu2]",ideographic,"To mow 芻 grass 艹; 芻 also provides the pronunciation" -7057,蒯,"a rush; scirpus cyperinus",ideographic,"A shoot 萠 that is cut 刂 for building material" -7058,蒲,"surname Pu; old place name",pictophonetic,"plant" -7059,蒲,"refers to various monocotyledonous flowering plants including Acorus calamus and Typha orientalis; common cattail; bullrush",pictophonetic,"plant" -7060,蒴,"pod; capsule",pictophonetic,"plant" -7061,蒸,"to evaporate; (of cooking) to steam; torch made from hemp stalks or bamboo (old); finely chopped firewood (old)",ideographic,"Steam 烝 provides the meaning and sound" -7062,蒹,"reed",pictophonetic,"grass" -7063,蒺,"Tribulus terrestris",pictophonetic,"plant" -7064,蒻,"young rush (Typha japonica), a kind of cattail",pictophonetic,"grass" -7065,苍,"surname Cang",pictophonetic,"grass" -7066,苍,"dark blue; deep green; ash-gray",pictophonetic,"grass" -7067,蒽,"anthracene",pictophonetic, -7068,蒿,"celery wormwood (Artemisia carvifolia); to give off; to weed",pictophonetic,"plant" -7069,荪,"fragrant grass",pictophonetic,"grass" -7070,蓁,"abundant, luxuriant vegetation",pictophonetic,"grass" -7071,蓂,"lucky place",pictophonetic,"grass" -7072,蓄,"to store up; to grow (e.g. a beard); to entertain (ideas)",pictophonetic,"plant" -7073,席,"variant of 席[xi2]; woven mat",ideographic,"A cloth 巾 or straw 艹 mat in the house 广" -7074,蓉,"short name for Chengdu 成都[Cheng2 du1]",pictophonetic,"flower" -7075,蓉,"paste made by mashing beans or seeds etc; used in 芙蓉[fu2 rong2], lotus",pictophonetic,"flower" -7076,蓊,"luxuriant vegetation",pictophonetic,"grass" -7077,盖,"surname Ge",ideographic,"A dish 皿 with a lid 羊" -7078,盖,"lid; top; cover; canopy; to cover; to conceal; to build",ideographic,"A dish 皿 with a lid 羊" -7079,蓍,"yarrow (Achillea millefolium)",pictophonetic,"plant" -7080,蓐,"mat; rushes",pictophonetic,"grass" -7081,蓑,"rain coat made of straw etc",pictophonetic,"grass" -7082,蓓,"(flower) bud",pictophonetic,"plant" -7083,蓔,"a variety of grass",pictophonetic,"grass" -7084,蓔,"old variant of 䅵[zhuo2]",pictophonetic,"grass" -7085,蓖,"the castor-oil plant",pictophonetic,"plant" -7086,参,"variant of 參|参[shen1]",pictophonetic, -7087,蓬,"surname Peng",pictophonetic,"plant" -7088,蓬,"fleabane (family Asteraceae); disheveled; classifier for luxuriant plants, smoke, ashes, campfires: clump, puff",pictophonetic,"plant" -7089,莲,"lotus",pictophonetic,"flower" -7090,苁,"Boschniakia glabra",pictophonetic,"herb" -7091,蓰,"(grass); increase five fold",pictophonetic,"grass" -7092,莼,"edible water plant; Brasenia schreberi",pictophonetic,"plant" -7093,蓼,"polygonum; smartweed",pictophonetic,"grass" -7094,蓼,"luxuriant growth",pictophonetic,"grass" -7095,荜,"bean; pulse",pictophonetic,"plant" -7096,蓿,"clover; lucerne; Taiwan pr. [su4]",pictophonetic,"grass" -7097,菱,"variant of 菱[ling2]",pictophonetic,"grass" -7098,蔌,"surname Su",ideographic,"Plants 艹 that can be eaten 欶; 欶 also provides the pronunciation" -7099,蔌,"(literary) vegetables",ideographic,"Plants 艹 that can be eaten 欶; 欶 also provides the pronunciation" -7100,蔑,"to belittle; nothing",, -7101,蔓,"used in 蔓菁[man2 jing5]",ideographic,"A long 曼 plant 艹 ; 曼 also provides the pronunciation" -7102,蔓,"creeper; to spread",ideographic,"A long 曼 plant 艹 ; 曼 also provides the pronunciation" -7103,卜,"used in 蘿蔔|萝卜[luo2 bo5]",pictographic,"A crack on an oracle bone" -7104,蒂,"variant of 蒂[di4]",pictophonetic,"plant" -7105,蔗,"sugar cane",pictophonetic,"plant" -7106,蔚,"surname Yu; place name",pictophonetic,"grass" -7107,蔚,"Artemisia japonica; luxuriant; resplendent; impressive",pictophonetic,"grass" -7108,蒌,"Arthemisia vulgaris; piper betel",pictophonetic,"grass" -7109,蔟,"collect; frame for silk worm; nest",pictophonetic,"grass" -7110,蔡,"surname Cai",, -7111,蒋,"surname Jiang; Chiang Kai-shek 蔣介石|蒋介石[Jiang3 Jie4shi2]",pictophonetic,"grass" -7112,葱,"scallion; green onion",pictophonetic,"grass" -7113,茑,"parasitic mistletoe (Loranthus parasiticus), esp. on the mulberry",pictophonetic,"weed" -7114,蔫,"to fade; to wither; to wilt; listless",pictophonetic,"grass" -7115,蔬,"vegetables",pictophonetic,"plant" -7116,荫,"shade",ideographic,"Shade 阴 provided by a tree 艹; 阴 also provides the pronunciation" -7117,麻,"variant of 麻[ma2]; hemp",ideographic,"Hemp plants 林 growing in a greenhouse 广" -7118,蔸,"root and lower stem of certain plants; classifier for pieces and clumps",pictophonetic,"plant" -7119,蔻,"used in 豆蔻[dou4 kou4]",pictophonetic,"herb" -7120,蔽,"to cover; to shield; to screen; to conceal",pictophonetic,"grass" -7121,荨,"used in 蕁麻|荨麻[qian2 ma2]; also pr. [xun2]",pictophonetic,"grass" -7122,蕃,"see 吐蕃[Tu3 bo1]",pictophonetic,"grass" -7123,蕃,"variant of 番[fan1]; foreign (non-Chinese)",pictophonetic,"grass" -7124,蕃,"luxuriant; flourishing; to reproduce; to proliferate",pictophonetic,"grass" -7125,蒇,"to complete; to prepare",, -7126,蕈,"mold; mushroom",pictophonetic,"plant" -7127,蕉,"banana",pictophonetic,"plant" -7128,蕉,"see 蕉萃[qiao2 cui4]",pictophonetic,"plant" -7129,蕊,"stamen; pistil",pictophonetic,"plant" -7130,蕊,"variant of 蕊[rui3]",pictophonetic,"plant" -7131,荞,"used in 蕎麥|荞麦[qiao2 mai4]",ideographic,"A tall 乔 grass 艹; 乔 also provides the pronunciation" -7132,蕑,"surname Jian",pictophonetic,"plant" -7133,蕑,"Eupatorium chinensis",pictophonetic,"plant" -7134,荬,"used in 苣蕒菜|苣荬菜[qu3mai5cai4]",pictophonetic,"plant" -7135,芸,"see 蕓薹|芸薹[yun2 tai2]",pictophonetic,"plant" -7136,莸,"Caryopteris divaricata",pictophonetic,"plant" -7137,蕖,"lotus",pictophonetic,"plant" -7138,荛,"fuel; grass",pictophonetic,"grass" -7139,蕙,"Coumarouna odorata",pictophonetic,"plant" -7140,萼,"old variant of 萼[e4]",pictophonetic,"plant" -7141,蕞,"to assemble; small",pictophonetic,"grass" -7142,蕠,"variant of 茹[ru2]; see 蕠藘[ru2 lu:2]",pictophonetic,"plant" -7143,蒉,"surname Kui",pictophonetic,"plant" -7144,蒉,"Amaranthus mangostanus",pictophonetic,"plant" -7145,蕤,"fringe; overladen with flowers",pictophonetic,"grass" -7146,蕨,"Pteridium aquilinum; bracken",pictophonetic,"plant" -7147,荡,"to wash; to squander; to sweep away; to move; to shake; dissolute; pond",ideographic,"Hot water 汤 wiping out plant life 艹; 汤 also provides the pronunciation" -7148,芜,"overgrown with weeds",pictophonetic,"weed" -7149,萧,"surname Xiao",pictophonetic,"solemn" -7150,萧,"miserable; desolate; dreary; Chinese mugwort",pictophonetic,"solemn" -7151,蓣,"see 薯蕷|薯蓣[shu3 yu4]",pictophonetic,"plant" -7152,蕹,"water spinach or ong choy (Ipomoea aquatica), used as a vegetable in south China and southeast Asia; Taiwan pr. [yong1]",pictophonetic,"plant" -7153,蕺,"Houttuynia cordata",pictophonetic,"plant" -7154,蕻,"used in 雪裡蕻|雪里蕻[xue3 li3 hong2]; Taiwan pr. [hong4]",pictophonetic,"grass" -7155,蕻,"(literary) luxuriant; flourishing; (literary) bud; (dialect) long stem of certain vegetables",pictophonetic,"grass" -7156,蕾,"bud",pictophonetic,"plant" -7157,萱,"old variant of 萱[xuan1]",pictophonetic,"plant" -7158,薄,"surname Bo",pictophonetic,"grass" -7159,薄,"thin; cold in manner; indifferent; weak; light; infertile",pictophonetic,"grass" -7160,薄,"meager; slight; weak; ungenerous or unkind; frivolous; to despise; to belittle; to look down on; to approach or near",pictophonetic,"grass" -7161,薄,"see 薄荷[bo4 he5]",pictophonetic,"grass" -7162,薅,"to weed; to grip or clutch",pictophonetic,"weed" -7163,薇,"Osmunda regalis, a species of fern; Taiwan pr. [wei2]",pictophonetic,"plant" -7164,荟,"to flourish; luxuriant growth",pictophonetic,"grass" -7165,蓟,"surname Ji; ancient Chinese city state near present-day Beijing",pictophonetic,"plant" -7166,蓟,"cirsium; thistle",pictophonetic,"plant" -7167,芗,"aromatic herb used for seasoning; variant of 香[xiang1]",pictophonetic,"herb" -7168,薏,"see 薏苡[yi4 yi3]",pictophonetic,"plant" -7169,姜,"ginger",ideographic,"Simplified form of 薑; grass 艹 provides the meaning while 畺 provides the pronunciation" -7170,蔷,"used in 薔薇|蔷薇[qiang2 wei1]",pictophonetic,"flower" -7171,剃,"shave; to weed",pictophonetic,"knife" -7172,薛,"surname Xue; vassal state during the Zhou Dynasty (1046-256 BC)",ideographic,"A kind of bitter 辛 grass 艹" -7173,薛,"wormwood like grass (classical)",ideographic,"A kind of bitter 辛 grass 艹" -7174,薜,"Ficus pumila",pictophonetic,"plant" -7175,莶,"variant of 蘞|蔹[lian3]; Taiwan pr. [lian4]",pictophonetic,"plant" -7176,莶,"used in 豨薟|豨莶[xi1xian1]; Taiwan pr. [lian4]",pictophonetic,"plant" -7177,薤,"Allium bakeri; shallot; scallion",pictophonetic,"grass" -7178,荐,"to recommend; to offer sacrifice (arch.); grass; straw mat",ideographic,"A perennial; grass 艹 that survives 存 year-after-year" -7179,薨,"death of a prince; swarming",pictophonetic,"death" -7180,萨,"Bodhisattva; surname Sa",, -7181,薪,"(literary) firewood; fuel; (bound form) salary",ideographic,"Freshly-cut 新 wood 艹; 新 also provides the pronunciation" -7182,薯,"potato; yam",pictophonetic,"plant" -7183,熏,"fragrance; warm; to educate; variant of 熏[xun1]; to smoke; to fumigate",pictophonetic,"fire" -7184,薰,"sweet-smelling grass; Coumarouna odorata; tonka beans; coumarin",pictophonetic,"herb" -7185,薳,"surname Wei",pictophonetic,"herb" -7186,苧,"(used as a bound form in 薴烯|苧烯[ning2 xi1], limonene); tangled; in disarray",pictophonetic,"grass" -7187,薶,"old variant of 埋[mai2]",ideographic,"A fox 貍 burying something in the grass 艹" -7188,薶,"to make dirty; to soil",ideographic,"A fox 貍 burying something in the grass 艹" -7189,薷,"Elshotria paltrini",pictophonetic,"plant" -7190,薹,"Carex dispalatha",pictophonetic,"grass" -7191,荠,"see 薺菜|荠菜[ji4 cai4]",pictophonetic,"plant" -7192,荠,"used in 荸薺|荸荠[bi2qi2]",pictophonetic,"plant" -7193,藁,"variant of 槁[gao3]",pictophonetic,"grass" -7194,藇,"surname Xu",pictophonetic,"grass" -7195,藇,"beautiful",pictophonetic,"grass" -7196,借,"variant of 借[jie4]",pictophonetic,"person" -7197,藉,"surname Ji",ideographic,"A plow 耤 is the means used to grow crops 艹" -7198,藉,"to insult; to walk all over (sb)",ideographic,"A plow 耤 is the means used to grow crops 艹" -7199,藉,"sleeping mat; to placate",ideographic,"A plow 耤 is the means used to grow crops 艹" -7200,蓝,"surname Lan",pictophonetic,"plant" -7201,蓝,"blue; indigo plant",pictophonetic,"plant" -7202,荩,"Arthraxon ciliare; loyal",pictophonetic,"weed" -7203,藏,"Tibet; abbr. for Xizang or Tibet Autonomous Region 西藏[Xi1 zang4]",pictophonetic,"grass" -7204,藏,"to conceal; to hide away; to harbor; to store; to collect",pictophonetic,"grass" -7205,藏,"storehouse; depository; Buddhist or Taoist scripture",pictophonetic,"grass" -7206,藐,"to despise; small; variant of 渺[miao3]",, -7207,藒,"see 藒車|藒车[qie4 che1]",pictophonetic,"herb" -7208,藕,"root of lotus",pictophonetic,"plant" -7209,藘,"madder",pictophonetic,"plant" -7210,藜,"name of weed plant (fat hen, goosefoot, pigweed etc); Chenopodium album",pictophonetic,"grass" -7211,艺,"skill; art",pictophonetic,"grass" -7212,藤,"rattan; cane; vine",pictophonetic,"plant" -7213,药,"medicine; drug; substance used for a specific purpose (e.g. poisoning, explosion, fermenting); CL:種|种[zhong3],服[fu4],味[wei4]; to poison",pictophonetic,"plant" -7214,藨,"kind of raspberry",pictophonetic,"plant" -7215,藩,"fence; hedge; (literary) screen; barrier; vassal state; Taiwan pr. [fan2]",pictophonetic,"grass" -7216,薮,"marsh; gathering place",pictophonetic,"grass" -7217,苈,"Drabanemerosa hebecarpa",pictophonetic,"plant" -7218,薯,"variant of 薯[shu3]",pictophonetic,"plant" -7219,蔼,"friendly",pictophonetic,"grass" -7220,蔺,"surname Lin",pictophonetic,"grass" -7221,蔺,"juncus effusus",pictophonetic,"grass" -7222,藻,"aquatic grasses; elegant",pictophonetic,"grass" -7223,萱,"old variant of 萱[xuan1]",pictophonetic,"plant" -7224,藿,"Lophanthus rugosus; beans",pictophonetic,"herb" -7225,蕊,"variant of 蕊[rui3]",pictophonetic,"plant" -7226,蕲,"(herb); implore; pray; place name",pictophonetic,"herb" -7227,蘅,"Asarum blumei (wild ginger plant)",pictophonetic,"herb" -7228,芦,"rush; reed; Phragmites communis",pictophonetic,"grass" -7229,苏,"surname Su; abbr. for Soviet Union 蘇維埃|苏维埃[Su1wei2ai1] or 蘇聯|苏联[Su1lian2]; abbr. for Jiangsu 江蘇|江苏[Jiang1su1]; abbr. for Suzhou 蘇州|苏州[Su1zhou1]",pictophonetic,"plant" -7230,苏,"Perilla frutescens (Chinese basil or wild red basil); place name; to revive; used as phonetic in transliteration",pictophonetic,"plant" -7231,蕴,"to accumulate; to hold in store; to contain; to gather together; to collect; depth; inner strength; profundity",pictophonetic,"plant" -7232,苹,"used in 蘋果|苹果[ping2 guo3]",pictophonetic,"plant" -7233,萱,"old variant of 萱[xuan1]",pictophonetic,"plant" -7234,蘑,"mushroom",pictophonetic,"plant" -7235,苏,"old variant of 蘇|苏[su1]",pictophonetic,"plant" -7236,蘘,"a kind of wild ginger",pictophonetic,"herb" -7237,藓,"moss; lichen; moss on damp walls; used erroneously for 蘇|苏",pictophonetic,"grass" -7238,蔹,"trailing plant; liana; creeper; wild vine (Gynostemma pentaphyllum or Vitis pentaphylla)",pictophonetic,"plant" -7239,茏,"Polygonum posumbu",pictophonetic,"grass" -7240,花,"variant of 花[hua1]; flower; blossom; also pr. [wei3]",ideographic,"A flower 艹 in bloom 化; 化 also provides the pronunciation" -7241,蘧,"surname Qu",pictophonetic,"plant" -7242,蘧,"Dianthus superbus",pictophonetic,"plant" -7243,蘩,"Artemisia stellariana",pictophonetic,"plant" -7244,兰,"surname Lan; abbr. for Lanzhou 蘭州|兰州[Lan2zhou1], Gansu",pictographic,"An orchid in bloom" -7245,兰,"orchid (蘭花|兰花 Cymbidium goeringii); fragrant thoroughwort (蘭草|兰草 Eupatorium fortunei); lily magnolia (木蘭|木兰)",pictographic,"An orchid in bloom" -7246,蘵,"Physalis angulata",pictophonetic,"plant" -7247,蘸,"to dip in (ink, sauce etc)",ideographic,"To perform a rite 醮 again (like a perennial 艹)" -7248,蓠,"red algae; Gracilaria, several species, some edible; Japanese ogonori; arch. used for vanilla-like herb",pictophonetic,"plant" -7249,蘼,"millet",pictophonetic,"grass" -7250,萝,"radish",pictophonetic,"plant" -7251,虍,"stripes of a tiger; ""tiger"" radical in Chinese characters (Kangxi radical 141)",, -7252,虎,"tiger; CL:隻|只[zhi1]",ideographic,"A tiger 虍 standing on a rock 几; 虍 also provides the pronunciation" -7253,虐,"oppressive; tyrannical",ideographic,"A tiger 虍 baring its claws 彐" -7254,虒,"amphibious animal with one horn",ideographic,"A tiger 虎 with one horn 厂" -7255,虔,"to act with reverence; reverent",, -7256,处,"to reside; to live; to dwell; to be in; to be situated at; to stay; to get along with; to be in a position of; to deal with; to discipline; to punish",ideographic,"To go somewhere 夂 and put down a flag 卜" -7257,处,"place; location; spot; point; office; department; bureau; respect; classifier for locations or items of damage: spot, point",ideographic,"To go somewhere 夂 and put down a flag 卜" -7258,虖,"to exhale; to call; scream of tiger",ideographic,"A tiger's 虍 roar 乎; 乎 also provides the pronunciation" -7259,虚,"emptiness; void; abstract theory or guiding principles; empty or unoccupied; diffident or timid; false; humble or modest; (of health) weak; virtual; in vain",ideographic,"A tiger 虍 stalking in the bushes 业" -7260,虏,"prisoner of war; to capture; to take prisoner; (old) northern barbarian; slave",pictophonetic,"strength" -7261,虞,"surname Yu",pictophonetic,"tiger" -7262,虞,"(literary) to expect; to anticipate; (literary) to be concerned about; to be apprehensive; (literary) to deceive; to dupe",pictophonetic,"tiger" -7263,号,"roar; cry; CL:個|个[ge4]",pictophonetic,"mouth" -7264,号,"ordinal number; day of a month; mark; sign; business establishment; size; ship suffix; horn (wind instrument); bugle call; assumed name; to take a pulse; classifier used to indicate number of people",pictophonetic,"mouth" -7265,虢,"surname Guo; Guo, a kinship group whose members held dukedoms within the Zhou Dynasty realm, including Western Guo 西虢國|西虢国[Xi1 Guo2guo2] and Eastern Guo 東虢國|东虢国[Dong1 Guo2guo2]",, -7266,亏,"to lose (money); to have a deficit; to be deficient; to treat unfairly; luckily; fortunately; thanks to; (used to introduce an ironic remark about sb who has fallen short of expectations)",, -7267,虫,"variant of 蟲|虫[chong2]",pictophonetic, -7268,虬,"young dragon with horns",, -7269,虰,"see 虰蛵[ding1 xing2]",ideographic,"An adult male 丁 insect 虫; 丁 also provides the pronunciation" -7270,虱,"louse",pictophonetic,"insect" -7271,蛇,"variant of 蛇[she2]",pictophonetic,"worm" -7272,虹,"rainbow",pictophonetic,"insect" -7273,虺,"sick; with no ambition",pictophonetic,"worm" -7274,虺,"mythical venomous snake",pictophonetic,"worm" -7275,虻,"horsefly; gadfly",pictophonetic,"insect" -7276,虼,"flea",pictophonetic,"insect" -7277,蚊,"mosquito",pictophonetic,"insect" -7278,蚋,"(mosquito); Simulia lugubris; blackfly",pictophonetic,"insect" -7279,蚌,"abbr. for Bengbu prefecture-level City 蚌埠市[Beng4bu4 Shi4], Anhui",pictophonetic,"mollusk" -7280,蚌,"mussel; clam",pictophonetic,"mollusk" -7281,蚍,"see 蚍蜉[pi2 fu2]",pictophonetic,"mollusk" -7282,蚓,"used in 蚯蚓[qiu1 yin3]",pictophonetic,"worm" -7283,蚖,"Protura (soil dwelling primitive hexapod); variant of 螈, salamander; newt; triton",pictophonetic,"worm" -7284,蛔,"variant of 蛔[hui2]",pictophonetic,"worm" -7285,蚜,"aphis",pictophonetic,"insect" -7286,蚣,"scolopendra centipede",pictophonetic,"insect" -7287,蚤,"flea",pictophonetic,"insect" -7288,蚧,"see 蛤蚧[ge2 jie4]",pictophonetic,"insect" -7289,蚨,"(water-beetle); money",pictophonetic,"insect" -7290,蚩,"surname Chi",pictophonetic,"worm" -7291,蚩,"ignorant; worm",pictophonetic,"worm" -7292,蚪,"used in 蝌蚪[ke1dou3]",pictophonetic,"worm" -7293,蚯,"used in 蚯蚓[qiu1 yin3]",pictophonetic,"worm" -7294,蚰,"see 蚰蜒[you2 yan5]",pictophonetic,"insect" -7295,蚱,"grasshopper",pictophonetic,"insect" -7296,蚴,"larva",ideographic,"An immature 幼 insect 虫; 幼 also provides the pronunciation" -7297,蚵,"(Tw) oyster (from Taiwanese, Tai-lo pr. [ô])",pictophonetic,"mollusk" -7298,蚶,"small clam (Arca inflata)",ideographic,"A sweet 甘 mollusk 虫; 甘 also provides the pronunciation" -7299,蚺,"boa",pictophonetic,"worm" -7300,蛀,"termite; to bore (of insects)",pictophonetic,"insect" -7301,蛄,"see 螻蛄|蝼蛄[lou2 gu1]",pictophonetic,"insect" -7302,蛆,"maggot",pictophonetic,"insect" -7303,蛇,"snake; serpent; CL:條|条[tiao2]",pictophonetic,"worm" -7304,蛉,"sandfly",pictophonetic,"insect" -7305,蛋,"variant of 蜑[Dan4]",pictophonetic,"insect" -7306,蛋,"egg; CL:個|个[ge4],打[da2]; oval-shaped thing",pictophonetic,"insect" -7307,蛐,"cricket",pictophonetic,"insect" -7308,蛑,"marine crab",pictophonetic,"insect" -7309,蛔,"roundworm; Ascaris lumbricoides",pictophonetic,"worm" -7310,蛔,"old variant of 蛔[hui2]",pictophonetic,"worm" -7311,蛘,"a weevil found in rice etc",pictophonetic,"insect" -7312,蛙,"frog; CL:隻|只[zhi1]",pictophonetic,"insect" -7313,蛛,"(bound form) spider",pictophonetic,"insect" -7314,蛜,"woodlouse",pictophonetic,"insect" -7315,蛞,"used in 蛞螻|蛞蝼[kuo4 lou2]; used in 蛞蝓[kuo4 yu2]",pictophonetic,"insect" -7316,蛟,"a legendary dragon with the ability to control rain and floods; see also 蛟龍|蛟龙[jiao1 long2]",pictophonetic,"worm" -7317,蛤,"clam",pictophonetic,"mollusk" -7318,蛤,"frog; toad",pictophonetic,"mollusk" -7319,蛩,"anxious; grasshopper; a cricket",pictophonetic,"insect" -7320,蛭,"fluke; leech; hirudinea",pictophonetic,"worm" -7321,蛵,"see 虰蛵[ding1 xing2]",pictophonetic,"insect" -7322,蛸,"long-legged spider",pictophonetic,"mollusk" -7323,蛸,"used in 螵蛸[piao1xiao1]",pictophonetic,"mollusk" -7324,蛹,"chrysalis; pupa",pictophonetic,"insect" -7325,蛱,"see 蛺蝶|蛱蝶[jia2 die2]",pictophonetic,"insect" -7326,蜕,"skin cast off during molting; exuvia; to pupate; to molt; to slough; to cast off an old skin or shell",ideographic,"An insect 虫 changing 兑 its skin; 兑 also provides the pronunciation" -7327,蛾,"(bound form) moth",pictophonetic,"insect" -7328,蜀,"short name for Sichuan 四川[Si4 chuan1] province; one of the Three Kingdoms 三國|三国[San1 guo2] after the Han dynasty, also called 蜀漢|蜀汉[Shu3 Han4], situated around what is now Sichuan province",, -7329,蜂,"bee; wasp",pictophonetic,"insect" -7330,蜃,"giant clam; (mythology) clam-monster said to breathe out a vapor that forms a mirage of buildings",pictophonetic,"mollusk" -7331,蚬,"basket clam (clam of family Corbiculidae); (esp.) Corbicula leana 真蜆|真蚬[zhen1 xian3]",pictophonetic,"mollusk" -7332,蜇,"to sting",pictophonetic,"mollusk" -7333,蜇,"jellyfish",pictophonetic,"mollusk" -7334,蜈,"centipede",pictophonetic,"insect" -7335,蜉,"(dragon fly); (large ant); (wasp)",pictophonetic,"insect" -7336,蜊,"clam",pictophonetic,"mollusk" -7337,螂,"variant of 螂[lang2]",pictophonetic,"insect" -7338,蜍,"Bufo vulgaris; toad",pictophonetic,"mollusk" -7339,蜎,"surname Yuan",pictophonetic,"insect" -7340,蜎,"larva of mosquito",pictophonetic,"insect" -7341,蜒,"slug; used in 蜿蜒[wan1 yan2]",pictophonetic,"insect" -7342,蜓,"see 蜻蜓[qing1 ting2]",pictophonetic,"insect" -7343,蛔,"old variant of 蛔[hui2]",pictophonetic,"worm" -7344,蜘,"used in 蜘蛛[zhi1zhu1]",pictophonetic,"insect" -7345,蜚,"gad-fly",pictophonetic,"insect" -7346,蜜,"honey",pictophonetic,"insect" -7347,蜞,"grapsus",pictophonetic,"insect" -7348,蜢,"grasshopper",pictophonetic,"insect" -7349,蜣,"dung beetle",pictophonetic,"insect" -7350,蜥,"(bound form) lizard",pictophonetic,"worm" -7351,蝶,"variant of 蝶[die2]",pictophonetic,"insect" -7352,蜩,"cicada",pictophonetic,"insect" -7353,蜮,"mythical creature; toad; worm",pictophonetic,"worm" -7354,蜱,"tick (zoology)",pictophonetic,"insect" -7355,蜴,"used in 蜥蜴[xi1yi4]",pictophonetic,"worm" -7356,蜷,"to curl up (like a scroll); to huddle; Melania libertina; wriggle (as a worm)",ideographic,"To curl up 卷 like a worm 虫; 卷 also provides the pronunciation" -7357,霓,"Japanese cicada; old variant of 霓[ni2]",ideographic,"The child 兒 of a rain cloud 雨" -7358,蜻,"see 蜻蜓[qing1 ting2]",pictophonetic,"insect" -7359,蜾,"used in 蜾蠃[guo3 luo3]",pictophonetic,"insect" -7360,蜿,"used in 蜿蜒[wan1 yan2]",ideographic,"Crooked 宛 like an insect 虫; 宛 also provides the pronunciation" -7361,蝌,"used in 蝌蚪[ke1dou3]",pictophonetic,"worm" -7362,蝎,"variant of 蠍|蝎[xie1]",pictophonetic,"insect" -7363,蝓,"used in 蛞蝓[kuo4 yu2]",pictophonetic,"mollusk" -7364,蚀,"to nibble away at sth; to eat into; to erode",ideographic,"An insect 虫 bite 饣; 饣 also provides the pronunciation" -7365,蝗,"locust",pictophonetic,"insect" -7366,蝙,"used in 蝙蝠[bian1 fu2]",pictophonetic,"insect" -7367,猬,"(bound form) hedgehog",pictophonetic,"animal" -7368,蝠,"(bound form) bat",pictophonetic,"insect" -7369,蠕,"variant of 蠕[ru2]",pictophonetic,"insect" -7370,蝣,"Ephemera strigata",pictophonetic,"insect" -7371,蝤,"used in 蝤蠐|蝤蛴[qiu2 qi2]",pictophonetic,"insect" -7372,蝥,"variant of 蟊[mao2]",pictophonetic,"insect" -7373,虾,"used in 蝦蟆|虾蟆[ha2 ma5]",pictophonetic,"insect" -7374,虾,"shrimp; prawn",pictophonetic,"insect" -7375,虱,"louse",pictophonetic,"insect" -7376,蝮,"insect; poisonous snake (archaic)",pictophonetic,"worm" -7377,猿,"variant of 猿[yuan2]",pictophonetic,"animal" -7378,蝰,"used in 蝰蛇[kui2 she2]",pictophonetic,"worm" -7379,虻,"old variant of 虻[meng2]",pictophonetic,"insect" -7380,蝴,"used in 蝴蝶[hu2 die2]",pictophonetic,"insect" -7381,蝶,"(bound form) butterfly",pictophonetic,"insect" -7382,蜗,"snail; Taiwan pr. [gua1]; see 蝸牛|蜗牛[wo1 niu2]",pictophonetic,"mollusk" -7383,蝻,"immature locusts",pictophonetic,"insect" -7384,蝽,"bedbug",pictophonetic,"insect" -7385,螂,"dragonfly; mantis",pictophonetic,"insect" -7386,螃,"used in 螃蟹[pang2 xie4]",pictophonetic,"insect" -7387,蛳,"snail",pictophonetic,"mollusk" -7388,螅,"(intestinal worm)",pictophonetic,"worm" -7389,螈,"salamander; newt",pictophonetic,"insect" -7390,螉,"see 蠮螉[ye1 weng1]",pictophonetic,"insect" -7391,螋,"used in 蠼螋[qu2 sou1]",pictophonetic,"insect" -7392,融,"to melt; to thaw; to blend; to merge; to be in harmony",pictophonetic,"cauldron" -7393,融,"old variant of 融[rong2]",pictophonetic,"cauldron" -7394,螓,"small cicada with a square head",pictophonetic,"insect" -7395,螗,"variety of small cicada with a green back and a clear song (in ancient books)",pictophonetic,"insect" -7396,蚂,"dragonfly",pictophonetic,"insect" -7397,蚂,"ant",pictophonetic,"insect" -7398,蚂,"grasshopper",pictophonetic,"insect" -7399,螟,"boring insect; snout moth's larva (Aphomia gullaris or Plodia interpuncuella or Heliothus armigera etc), major agricultural pest",pictophonetic,"insect" -7400,蚊,"old variant of 蚊[wen2]",pictophonetic,"insect" -7401,萤,"firefly; glow-worm",pictophonetic,"insect" -7402,螫,"(literary) (of a bee or spider etc) to sting or bite",pictophonetic,"insect" -7403,螫,"(of a bee or spider etc) to sting or bite; (of an irritant) to make (one's eyes or skin) sting",pictophonetic,"insect" -7404,螬,"used in 蠐螬|蛴螬[qi2 cao2]",pictophonetic,"insect" -7405,螭,"dragon with horns not yet grown (in myth or heraldry); variant of 魑[chi1]",pictophonetic,"worm" -7406,螯,"nippers; claw (of crab); chela; pincers; Astacus fluviatilis",pictophonetic,"insect" -7407,螳,"praying mantis",pictophonetic,"insect" -7408,螵,"used in 螵蛸[piao1xiao1]",pictophonetic,"insect" -7409,螺,"spiral shell; snail; conch",pictophonetic,"insect" -7410,蝼,"see 螻蛄|蝼蛄[lou2 gu1]",pictophonetic,"insect" -7411,螽,"(grasshopper); Gompsocleis mikado",pictophonetic,"insect" -7412,蟀,"used in 蟋蟀[xi1 shuai4]",pictophonetic,"insect" -7413,蚊,"old variant of 蚊[wen2]",pictophonetic,"insect" -7414,蛰,"to hibernate",pictophonetic,"insect" -7415,蟆,"toad",pictophonetic,"insect" -7416,蟆,"old variant of 蟆[ma2]",pictophonetic,"insect" -7417,蝈,"small green cicada or frog (meaning unclear, possibly onom.); see 蟈蟈|蝈蝈 long-horned grasshopper",pictophonetic,"insect" -7418,蟊,"Spanish fly; grain-eating grub",pictophonetic,"insect" -7419,蟋,"used in 蟋蟀[xi1 shuai4]",pictophonetic,"insect" -7420,螨,"mite",pictophonetic,"insect" -7421,蟑,"cockroach",pictophonetic,"insect" -7422,蟒,"python",pictophonetic,"insect" -7423,蟓,"silkworm",pictophonetic,"insect" -7424,蟛,"(land-crab); grapsus sp.",pictophonetic,"insect" -7425,蟜,"surname Jiao",pictophonetic,"insect" -7426,蟜,"(insect)",pictophonetic,"insect" -7427,蟟,"see 蟭蟟[jiao1 liao2]",pictophonetic,"insect" -7428,蟠,"to coil",pictophonetic,"insect" -7429,蟢,"(spider)",pictophonetic,"insect" -7430,虮,"nymph of louse",pictophonetic,"insect" -7431,蟥,"horse-leech",pictophonetic,"worm" -7432,蟪,"(cicada); Platypleura kaempferi",pictophonetic,"insect" -7433,蝉,"cicada",pictophonetic,"insect" -7434,蟭,"eggs of mantis",pictophonetic,"insect" -7435,蟮,"see 蛐蟮[qu1 shan5]",pictophonetic,"worm" -7436,蛲,"parasitic worm; human pinworm (Enterobius vermicularis)",pictophonetic,"worm" -7437,虫,"lower form of animal life, including insects, insect larvae, worms and similar creatures; CL:條|条[tiao2],隻|只[zhi1]; (fig.) person with a particular undesirable characteristic",pictophonetic, -7438,蛏,"mussel; razor clam; Solecurtus constricta",pictophonetic,"mollusk" -7439,蟹,"crab",pictophonetic,"insect" -7440,蚁,"ant",pictophonetic,"insect" -7441,蟾,"toad (chán represents the sound of its croaking); (mythology) the three-legged toad said to exist in the moon; (metonym) the moon",pictophonetic,"insect" -7442,蠃,"used in 蜾蠃[guo3 luo3]",ideographic,"A wasp 虫 building a nest in dead 吂 flesh ⺼" -7443,蝇,"fly; musca; CL:隻|只[zhi1]",ideographic,"Insects 虫 that toads 黾 feed on" -7444,虿,"(scorpion); an insect",pictophonetic,"insect" -7445,蠊,"cockroach",pictophonetic,"insect" -7446,蝎,"scorpion",pictophonetic,"insect" -7447,蟹,"variant of 蟹[xie4]",pictophonetic,"insect" -7448,蛴,"used in 蠐螬|蛴螬[qi2 cao2]; used in 蝤蠐|蝤蛴[qiu2 qi2]",pictophonetic,"insect" -7449,蝾,"salamander",pictophonetic,"worm" -7450,茧,"variant of 繭|茧[jian3]",ideographic,"A silk cocoon 艹 spun by a worm 虫" -7451,蠓,"grasshopper; midge; sandfly",pictophonetic,"insect" -7452,蚝,"oyster",ideographic,"A hairy 毛 worm 虫; 毛 also provides the pronunciation" -7453,蠕,"to squirm; to wiggle; to wriggle; Taiwan pr. [ruan3]",pictophonetic,"insect" -7454,蠖,"looper caterpillar",pictophonetic,"worm" -7455,蠛,"minute flies",pictophonetic,"insect" -7456,蜡,"candle; wax",pictophonetic,"insect" -7457,蠡,"calabash",pictophonetic,"insect" -7458,蠡,"wood-boring insect",pictophonetic,"insect" -7459,蠢,"stupid; sluggish; clumsy; to wiggle (of worms); to move in a disorderly fashion",pictophonetic,"worm" -7460,蛎,"oyster",pictophonetic,"mollusk" -7461,蟏,"long-legged spider",pictophonetic,"insect" -7462,蜂,"old variant of 蜂[feng1]",pictophonetic,"insect" -7463,蠮,"wasp of the family Sphecidae",pictophonetic,"insect" -7464,蛊,"arch. legendary venomous insect; to poison; to bewitch; to drive to insanity; to harm by witchcraft; intestinal parasite",pictophonetic,"insect" -7465,蠲,"to deduct; to show; bright and clean; glow-worm; galleyworm; millipede",pictophonetic,"insect" -7466,蠵,"large turtles",pictophonetic,"worm" -7467,蚕,"silkworm",pictophonetic,"insect" -7468,蠹,"insect that eats into books, clothing etc; moth-eaten; worm-eaten",pictophonetic,"insect" -7469,蛮,"barbarian; bullying; very; quite; rough; reckless",ideographic,"Like 亦 insects 虫" -7470,蠼,"used in 蠼螋[qu2 sou1]",pictophonetic,"insect" -7471,血,"blood; colloquial pr. [xie3]; CL:滴[di1],片[pian4]",ideographic,"A chalice 皿 filled with blood 丿" -7472,衄,"variant of 衄[nu:4]",ideographic,"To be shamed 丑 by a bloody 血 nose" -7473,衄,"to bleed from the nose (or from the ears, gums etc); fig. to be defeated",ideographic,"To be shamed 丑 by a bloody 血 nose" -7474,众,"variant of 眾|众[zhong4]",ideographic,"Three people 人 representing a crowd" -7475,脉,"variant of 脈|脉[mai4]",ideographic,"Long 永 vessels through one's body ⺼" -7476,蔑,"defiled with blood",, -7477,行,"row; line; commercial firm; line of business; profession; to rank (first, second etc) among one's siblings (by age); (in data tables) row; (Tw) column",ideographic,"To take small steps 亍 with one's feet 彳" -7478,行,"to walk; to go; to travel; a visit; temporary; makeshift; current; in circulation; to do; to perform; capable; competent; effective; all right; OK!; will do; behavior; conduct; Taiwan pr. [xing4] for the behavior-conduct sense",ideographic,"To take small steps 亍 with one's feet 彳" -7479,衍,"to spread out; to develop; to overflow; to amplify; superfluous",ideographic,"Water 氵 going in all directions 行" -7480,术,"method; technique",, -7481,术,"various genera of flowers of Asteracea family (daisies and chrysanthemums), including Atractylis lancea",, -7482,同,"see 衚衕|胡同[hu2 tong4]",ideographic,"Sharing a common 凡 tongue 口" -7483,弄,"variant of 弄[long4]",ideographic,"Two hands 廾 playing with a piece of jade 玉; 廾 also provides the pronunciation" -7484,衖,"variant of 巷[xiang4]",pictophonetic,"step" -7485,街,"street; CL:條|条[tiao2]",pictophonetic,"walk" -7486,衔,"variant of 銜|衔[xian2]",pictophonetic,"metal" -7487,衙,"surname Ya",pictophonetic,"go" -7488,衙,"office; yamen 衙門|衙门",pictophonetic,"go" -7489,胡,"see 衚衕|胡同[hu2 tong4]",pictophonetic,"meat" -7490,卫,"surname Wei; vassal state during the Zhou Dynasty (1066-221 BC), located in present-day Henan and Hebei Provinces",, -7491,卫,"to guard; to protect; to defend; abbr. for 衛生|卫生, hygiene; health; abbr. for 衛生間|卫生间, toilet",, -7492,冲,"thoroughfare; to go straight ahead; to rush; to clash",pictophonetic,"water" -7493,冲,"powerful; vigorous; pungent; towards; in view of",pictophonetic,"water" -7494,衡,"to weigh; weight; measure",ideographic,"A big 大 horn 角; 行 provides the pronunciation" -7495,衢,"thoroughfare",pictophonetic,"step" -7496,衣,"clothes; CL:件[jian4]; Kangxi radical 145",pictographic,"A woman's dress" -7497,衣,"to dress; to wear; to put on (clothes)",pictographic,"A woman's dress" -7498,衤,"the left-radical form of Kangxi radical 145, 衣[yi1]",, -7499,表,"exterior surface; family relationship via females; to show (one's opinion); a model; a table (listing information); a form; a meter (measuring sth)",ideographic,"Fur 毛 clothing 衣; a shawl or wrap" -7500,衩,"open seam of a garment; shorts; panties",pictophonetic,"clothes" -7501,衩,"slit on either side of robe",pictophonetic,"clothes" -7502,衫,"garment; jacket with open slits in place of sleeves",pictophonetic,"clothes" -7503,衰,"variant of 縗|缞[cui1]",ideographic,"A person in a robe 衣 with an injury 一 to his head 口" -7504,衰,"(bound form) to decay; to decline; to wane",ideographic,"A person in a robe 衣 with an injury 一 to his head 口" -7505,衲,"cassock; to line",pictophonetic,"cloth" -7506,衷,"inner feelings",ideographic,"A person in a robe 衣 with his heart 中 marked; 中 also provides the pronunciation" -7507,只,"variant of 只[zhi3]",ideographic,"Simple words 八 coming from the mouth 口" -7508,衹,"robe of a Buddhist monk or nun",pictophonetic,"cloth" -7509,邪,"old variant of 邪[xie2]",, -7510,衽,"(literary) overlapping part of Chinese gown; lapel; sleeping mat",pictophonetic,"clothes" -7511,衾,"coverlet; quilt",pictophonetic,"cloth" -7512,衿,"collar; belt; variant of 襟[jin1]",pictophonetic,"clothes" -7513,袁,"surname Yuan",ideographic,"A person 口 wearing a robe 衣" -7514,袁,"long robe (old)",ideographic,"A person 口 wearing a robe 衣" -7515,袂,"sleeve of a robe",pictophonetic,"clothes" -7516,袈,"used in 袈裟[jia1 sha1]",pictophonetic,"clothes" -7517,袋,"pouch; bag; sack; pocket",pictophonetic,"clothes" -7518,袍,"gown (lined)",ideographic,"A cloth 衤 wrap 包; 包 also provides the pronunciation" -7519,袒,"to bare",pictophonetic,"clothes" -7520,袖,"sleeve; to tuck inside one's sleeve",pictophonetic,"clothes" -7521,衮,"imperial robe",ideographic,"A duke 公 in his robes 衣" -7522,袟,"surname Zhi",pictophonetic,"cloth" -7523,袟,"book cover",pictophonetic,"cloth" -7524,帙,"variant of 帙[zhi4]; variant of 秩[zhi4]; (classifier) ten years",pictophonetic,"curtain" -7525,袢,"used in 袷袢[qia1 pan4]; variant of 襻[pan4]",pictophonetic,"clothes" -7526,袤,"length; distance from north to south",pictophonetic,"cloth" -7527,被,"quilt; to cover (with); (literary) to suffer (a misfortune); used to indicate passive voice (placed before the doer of the action like ""by"" in English passive-voice sentences, or, if the doer is not mentioned, before the verb); (since c. 2009) (sarcastic or jocular) used to indicate that the following word should be regarded as being in air quotes (as in 被旅遊|被旅游[bei4 lu:3 you2] to ""go on a trip"", for example)",pictophonetic,"cloth" -7528,袮,"You; Thou (of deity); variant of 你[ni3]",pictophonetic,"you" -7529,袮,"used in rare Japanese place names such as 袮宜町 Minorimachi and 袮宜田 Minorita",pictophonetic,"you" -7530,袱,"(bound form) a cloth used to wrap or cover",ideographic,"Something wrapped 伏 in cloth 衤; 伏 also provides the pronunciation" -7531,裤,"variant of 褲|裤[ku4]",pictophonetic,"clothes" -7532,衽,"variant of 衽[ren4]",pictophonetic,"clothes" -7533,袷,"variant of 夾|夹[jia2]",pictophonetic,"clothes" -7534,袷,"used in 袷袢[qia1 pan4]",pictophonetic,"clothes" -7535,袼,"gusset; cloth fitting sleeve under armpit",pictophonetic,"cloth" -7536,裁,"to cut out (as a dress); to cut; to trim; to reduce; to diminish; to cut back (e.g. on staff); decision; judgment",ideographic,"To cut 戈 cloth 衣" -7537,裂,"to split; to crack; to break open; to rend",pictophonetic,"cloth" -7538,裇,"see T裇[T xu1]",pictophonetic,"clothes" -7539,裉,"side seam in an upper garment",pictophonetic,"clothes" -7540,袅,"delicate; graceful",pictophonetic,"cloth" -7541,夹,"variant of 夾|夹[jia2]",ideographic,"A person 夫 stuck between two others 丷" -7542,裎,"to take off one's clothes; naked",ideographic,"Take take off clothes 衤; to show 呈 oneself" -7543,裎,"an ancient type of clothing",ideographic,"Take take off clothes 衤; to show 呈 oneself" -7544,里,"variant of 裡|里[li3]",ideographic,"Unit of measure for farm 田 land 土" -7545,裒,"collect",pictophonetic,"cloth" -7546,裔,"descendants; frontier",pictophonetic,"bright" -7547,裕,"abundant",pictophonetic,"clothes" -7548,裘,"surname Qiu",pictophonetic,"clothes" -7549,裘,"fur; fur coat",pictophonetic,"clothes" -7550,裙,"skirt; CL:條|条[tiao2]",pictophonetic,"clothes" -7551,补,"to repair; to patch; to mend; to make up for; to fill (a vacancy); to supplement",pictophonetic,"cloth" -7552,装,"adornment; to adorn; dress; clothing; costume (of an actor in a play); to play a role; to pretend; to install; to fix; to wrap (sth in a bag); to load; to pack",pictophonetic,"clothes" -7553,裟,"used in 袈裟[jia1 sha1]",pictophonetic,"cloth" -7554,裙,"old variant of 裙[qun2]",pictophonetic,"clothes" -7555,里,"lining; interior; inside; internal; also written 裏|里[li3]",ideographic,"Unit of measure for farm 田 land 土" -7556,裨,"surname Pi",pictographic,"Clothing 衤 for the poor 卑; 卑 also provides the pronunciation" -7557,裨,"to benefit; to aid; advantageous; profitable",pictographic,"Clothing 衤 for the poor 卑; 卑 also provides the pronunciation" -7558,裨,"subordinate; secondary; small",pictographic,"Clothing 衤 for the poor 卑; 卑 also provides the pronunciation" -7559,裰,"to mend clothes",ideographic,"To patch up 叕 clothing 衤; 叕 also provides the pronunciation" -7560,裱,"to hang (paper); to mount (painting)",ideographic,"To display 表 a cloth 衤 map; 表 also provides the pronunciation" -7561,裳,"lower garment; skirts; petticoats; garments",pictophonetic,"clothes" -7562,裳,"used in 衣裳[yi1 shang5]",pictophonetic,"clothes" -7563,裴,"surname Pei",pictophonetic,"clothes" -7564,裴,"(of a garment) long and flowing",pictophonetic,"clothes" -7565,裴,"variant of 裴[pei2]",pictophonetic,"clothes" -7566,裸,"naked",pictophonetic,"clothes" -7567,裹,"to wrap around; bundle; parcel; package; to press into service; to pressgang; to make off with (sth)",pictophonetic,"clothes" -7568,裼,"baby's quilt",ideographic,"To change 易 one's top 衤; 易 also provides the pronunciation" -7569,裼,"to bare the upper body",ideographic,"To change 易 one's top 衤; 易 also provides the pronunciation" -7570,制,"to manufacture; to make",pictophonetic,"knife" -7571,裾,"garment",pictophonetic,"clothes" -7572,褂,"Chinese-style unlined garment; gown",pictophonetic,"clothes" -7573,复,"to repeat; to double; to overlap; complex (not simple); compound; composite; double; diplo-; duplicate; overlapping; to duplicate",ideographic,"A person 亻 who goes  somewhere 夂 every day 日" -7574,褊,"narrow; urgent",pictophonetic,"cloth" -7575,褐,"brown; gray or dark color; coarse hemp cloth; Taiwan pr. [he2]",pictophonetic,"cloth" -7576,褒,"to praise; to commend; to honor; (of clothes) large or loose",pictophonetic,"clothes" -7577,褓,"cloth for carrying baby on back",ideographic,"A cloth 衤 used to protect 保 an infant; 保 also provides the pronunciation" -7578,褙,"paper or cloth pasted together",pictophonetic,"cloth" -7579,褚,"surname Chu",pictophonetic,"cloth" -7580,褚,"padding (in garment); to store up; pocket; Taiwan pr. [chu3]",pictophonetic,"cloth" -7581,褟,"inner shirt; to sew onto clothing; see also 禢[Ta4]",pictophonetic,"clothes" -7582,褡,"pouch; sleeveless jacket",pictophonetic,"clothes" -7583,褥,"mattress",pictophonetic,"cloth" -7584,褪,"to take off (clothes); to shed feathers; (of color) to fade; to discolor",ideographic,"Th take off 退 clothing 衤; 退 also provides the pronunciation" -7585,褪,"to slip out of sth; to hide sth in one's sleeve",ideographic,"Th take off 退 clothing 衤; 退 also provides the pronunciation" -7586,褫,"to strip; to deprive of; to discharge; to dismiss; to undress",pictophonetic,"clothes" -7587,袅,"variant of 裊|袅[niao3]",pictophonetic,"cloth" -7588,褰,"to lift (clothes, sheets); lower garments",pictophonetic,"clothes" -7589,褱,"to carry in the bosom or the sleeve; to wrap, to conceal",pictophonetic,"cloth" -7590,裤,"underpants; trousers; pants",pictophonetic,"clothes" -7591,裢,"pouch hung from belt",pictophonetic,"cloth" -7592,褵,"bride's veil or kerchief",pictophonetic,"clothes" -7593,褶,"(arch.) court dress",pictophonetic,"cloth" -7594,褶,"pleat; crease; Taiwan pr. [zhe2]",pictophonetic,"cloth" -7595,褛,"soiled; tattered",pictophonetic,"cloth" -7596,亵,"obscene; disrespectful",ideographic,"Hands grasping 执 and tearing apart a dress 衣" -7597,襁,"cloth for carrying baby on back",pictophonetic,"cloth" -7598,褒,"variant of 褒[bao1]",pictophonetic,"clothes" -7599,襄,"surname Xiang",ideographic,"Using two hands 口 to help someone remove their clothes 衣" -7600,襄,"(literary) to assist",ideographic,"Using two hands 口 to help someone remove their clothes 衣" -7601,裥,"variant of 襉|裥[jian3]",pictophonetic,"cloth" -7602,裥,"(dialect) fold or pleat (in clothing)",pictophonetic,"cloth" -7603,杂,"variant of 雜|杂[za2]",, -7604,袯,"see 襏襫|袯襫[bo2 shi4]",pictophonetic,"clothes" -7605,袄,"coat; jacket; short and lined coat or robe",pictophonetic,"clothes" -7606,裣,"see 襝衽|裣衽[lian3 ren4]",pictophonetic,"cloth" -7607,襞,"creases; folds or pleats in a garment",pictophonetic,"cloth" -7608,襟,"lapel; overlap of Chinese gown; fig. bosom (the seat of emotions); to cherish (ambition, desires, honorable intentions etc) in one's bosom",ideographic,"Cloth 衤 that restricts 禁; 禁 also provides the pronunciation" -7609,裆,"crotch; seat of a pair of trousers",pictophonetic,"clothes" -7610,袒,"old variant of 袒[tan3]",pictophonetic,"clothes" -7611,襢,"unadorned but elegant dress",ideographic,"The truth 亶 hidden under one's robes 衤; 亶 also provides the pronunciation" -7612,褴,"ragged garments",pictophonetic,"cloth" -7613,襦,"jacket; short coat",pictophonetic,"clothes" -7614,袜,"socks; stockings",pictophonetic,"clothes" -7615,襫,"see 襏襫|袯襫[bo2 shi4]",pictophonetic,"clothes" -7616,衬,"(of garments) against the skin; to line; lining; to contrast with; to assist financially",pictophonetic,"clothes" -7617,袭,"(bound form) to raid; to attack; (bound form) to continue the pattern; to perpetuate; (literary) classifier for suits of clothing or sets of bedding",pictophonetic,"dragon" -7618,襻,"loop; belt; band; to tie together; to stitch together",ideographic,"A belt that holds up 攀 clothes 衤; 攀 also provides the pronunciation" -7619,襾,"cover; radical no 146",, -7620,西,"the West; abbr. for Spain 西班牙[Xi1 ban1 ya2]; Spanish",pictographic,"A bird settling into its nest, representing sunset; compare 東" -7621,西,"west",pictographic,"A bird settling into its nest, representing sunset; compare 東" -7622,要,"(bound form) to demand; to coerce",ideographic,"A woman 女 with hands on her waist 覀" -7623,要,"to want; to need; to ask for; will; shall; about to; need to; should; if (same as 要是[yao4 shi5]); (bound form) important",ideographic,"A woman 女 with hands on her waist 覀" -7624,覃,"surname Qin",ideographic,"From the east 早 to the west 覀 " -7625,覃,"surname Tan",ideographic,"From the east 早 to the west 覀 " -7626,覃,"deep",ideographic,"From the east 早 to the west 覀 " -7627,复,"variant of 復|复[fu4]; to reply to a letter",ideographic,"A person 亻 who goes  somewhere 夂 every day 日" -7628,覆,"to cover; to overflow; to overturn; to capsize",pictophonetic,"cover" -7629,霸,"variant of 霸[ba4]",pictophonetic,"rain" -7630,核,"variant of 核[he2]; to investigate",pictophonetic,"tree" -7631,羁,"variant of 羈|羁[ji1]",ideographic,"A leather 革 halter used to control 罒a horse  马" -7632,见,"to see; to meet; to appear (to be sth); to interview; opinion; view",ideographic,"Simplified form of 見; a man 儿 with the eye 目 emphasized" -7633,见,"to appear; also written 現|现[xian4]",ideographic,"Simplified form of 見; a man 儿 with the eye 目 emphasized" -7634,规,"compass; a rule; regulation; to admonish; to plan; to scheme",pictophonetic,"observe" -7635,觅,"(literary) to seek; to find",ideographic,"To search for something with eyes 见 and hands 爫" -7636,觅,"old variant of 覓|觅[mi4]",ideographic,"To search for something with eyes 见 and hands 爫" -7637,视,"(literary, or bound form) to look at",pictophonetic,"see" -7638,觇,"to observe; to spy on; Taiwan pr. [zhan1]",ideographic,"To watch 见 and observe 占; 占 also provides the pronunciation" -7639,觋,"wizard",ideographic,"One who learns 见 magic 巫" -7640,觎,"to desire passionately",pictophonetic,"eye" -7641,睹,"old variant of 睹[du3]",pictophonetic,"eye" -7642,亲,"parent; one's own (flesh and blood); relative; related; marriage; bride; close; intimate; in person; first-hand; in favor of; pro-; to kiss; (Internet slang) dear",ideographic,"A tree 木 bearing fruit 立" -7643,亲,"parents-in-law of one's offspring",ideographic,"A tree 木 bearing fruit 立" -7644,觊,"to covet; to long for",pictophonetic,"eye" -7645,觏,"complete; meet unexpectedly; see",pictophonetic,"meet" -7646,觐,"(history) to have an audience with the Emperor",pictophonetic,"meet" -7647,觑,"to spy; watch for",pictophonetic,"see" -7648,觉,"a nap; a sleep; CL:場|场[chang2]",pictophonetic,"see" -7649,觉,"to feel; to find that; thinking; awake; aware",pictophonetic,"see" -7650,览,"to look at; to view; to read",pictophonetic,"see" -7651,觌,"face to face",pictophonetic,"meet" -7652,观,"surname Guan",ideographic,"To see 见 again 又" -7653,观,"to look at; to watch; to observe; to behold; to advise; concept; point of view; outlook",ideographic,"To see 见 again 又" -7654,观,"Taoist monastery; palace gate watchtower; platform",ideographic,"To see 见 again 又" -7655,角,"surname Jue",pictographic,"A rhinoceros or other animal horn" -7656,角,"angle; corner; horn; horn-shaped; unit of money equal to 0.1 yuan, or 10 cents (a dime); CL:個|个[ge4]",pictographic,"A rhinoceros or other animal horn" -7657,角,"role (theater); to compete; ancient three legged wine vessel; third note of pentatonic scale",pictographic,"A rhinoceros or other animal horn" -7658,粗,"variant of 粗[cu1]",pictophonetic,"grain" -7659,觖,"dissatisfied",pictophonetic,"horn" -7660,觚,"goblet; rule; law",pictophonetic,"horn" -7661,觜,"number 20 of the 28 constellations 二十八宿, approx. Orion 獵戶座|猎户座",pictophonetic,"horn" -7662,觜,"variant of 嘴[zui3]",pictophonetic,"horn" -7663,解,"surname Xie",ideographic,"To cut 刀 the horns 角 off of an ox 牛; 角 also provides the pronunciation" -7664,解,"to divide; to break up; to split; to separate; to dissolve; to solve; to melt; to remove; to untie; to loosen; to open; to emancipate; to explain; to understand; to know; a solution; a dissection",ideographic,"To cut 刀 the horns 角 off of an ox 牛; 角 also provides the pronunciation" -7665,解,"to transport under guard",ideographic,"To cut 刀 the horns 角 off of an ox 牛; 角 also provides the pronunciation" -7666,解,"acrobatic display (esp. on horseback) (old); variant of 懈[xie4] and 邂[xie4] (old)",ideographic,"To cut 刀 the horns 角 off of an ox 牛; 角 also provides the pronunciation" -7667,觥,"big; cup made of horn; horn wine container",pictophonetic,"horn" -7668,觫,"used in 觳觫[hu2 su4]",pictophonetic,"horn" -7669,觱,"fever; tartar horn",pictophonetic,"horn" -7670,觳,"ancient measuring vessel (same as 斛); frightened",pictophonetic,"horn" -7671,觞,"feast; goblet",pictophonetic,"horn" -7672,觯,"goblet",pictophonetic,"horn" -7673,触,"to touch; to make contact with sth; to stir up sb's emotions",pictophonetic,"horn" -7674,言,"words; speech; to say; to talk",ideographic,"A tongue sticking out of a mouth 口" -7675,讠,"""speech"" or ""words"" radical in Chinese characters (Kangxi radical 149); see also 言字旁[yan2 zi4 pang2]",, -7676,订,"to agree; to conclude; to draw up; to subscribe to (a newspaper etc); to order",pictophonetic,"speech" -7677,讣,"to report a bereavement; obituary",pictophonetic,"speech" -7678,訇,"surname Hong",pictophonetic,"speech" -7679,訇,"sound of a crash",pictophonetic,"speech" -7680,计,"surname Ji",pictophonetic,"speech" -7681,计,"to calculate; to compute; to count; to regard as important; to plan; ruse; meter; gauge",pictophonetic,"speech" -7682,讯,"(bound form) to ask; to inquire; (bound form) to interrogate; to question; (bound form) news; information",pictophonetic,"speech" -7683,讧,"strife; disorder; rioting; fighting; Taiwan pr. [hong2]",ideographic,"Dissent 讠 among workers 工; 工 also provides the pronunciation" -7684,讨,"to invite; to provoke; to demand or ask for; to send armed forces to suppress; to denounce or condemn; to marry (a woman); to discuss or study",ideographic,"To ask 讠 for something 寸" -7685,讦,"to accuse; to pry",ideographic,"Invasive 干 words 讠" -7686,训,"to teach; to train; to admonish; (bound form) instruction (from superiors); teachings; rule",pictophonetic,"speech" -7687,讪,"to mock; to ridicule; to slander",pictophonetic,"speech" -7688,讫,"finished",pictophonetic,"speech" -7689,托,"to trust; to entrust; to be entrusted with; to act as trustee",ideographic,"Using one's hands 扌 for support 乇; 乇 also provides the pronunciation" -7690,记,"to record; to note; to memorize; to remember; mark; sign; classifier for blows, kicks, shots",ideographic,"A private 己 note 讠; 己 also provides the pronunciation" -7691,讹,"error; false; to extort",pictophonetic,"speech" -7692,讶,"astounded",pictophonetic,"speech" -7693,讼,"litigation",pictophonetic,"speech" -7694,诀,"to bid farewell; tricks of the trade; pithy mnemonic formula (e.g. Mao Zedong's 16-character mantra 十六字訣|十六字诀 on guerrilla warfare)",ideographic,"Words 讠 said at a parting 夬; 夬 also provides the pronunciation" -7695,讷,"to speak slowly; inarticulate",pictophonetic,"speech" -7696,访,"(bound form) to visit; to call on; to seek; to inquire; to investigate",pictophonetic,"speech" -7697,设,"to set up; to put in place; (math.) given; suppose; if",pictophonetic,"speech" -7698,许,"surname Xu",pictophonetic,"speech" -7699,许,"to allow; to permit; to promise; to praise; somewhat; perhaps",pictophonetic,"speech" -7700,诉,"to complain; to sue; to tell",ideographic,"Words 讠 of blame 斥; 斥 also provides the pronunciation" -7701,诃,"to scold",pictophonetic,"speech" -7702,诊,"to examine or treat medically",pictophonetic,"speech" -7703,注,"to register; to annotate; note; comment",pictophonetic,"water" -7704,证,"to admonish; variant of 證|证[zheng4]",ideographic,"To speak 讠 the truth 正; 正 also provides the pronunciation" -7705,訾,"surname Zi",pictophonetic,"speech" -7706,訾,"to calculate; to assess; wealth",pictophonetic,"speech" -7707,訾,"to slander; to detest",pictophonetic,"speech" -7708,诂,"to comment; to explain",pictophonetic,"speech" -7709,诋,"to defame; to slander",pictophonetic,"speech" -7710,詈,"to curse; to scold",ideographic,"To implicate 罒 someone by one's words 言" -7711,讵,"how (interj. of surprise)",pictophonetic,"speech" -7712,诈,"to cheat; to swindle; to pretend; to feign; to draw sb out; to try to extract information by deceit or bluff",pictophonetic,"speech" -7713,诒,"(archaic) to present; to bequeath; variant of 貽|贻[yi2]",pictophonetic,"speech" -7714,诏,"(literary) to admonish; (bound form) imperial edict",ideographic,"To issue 讠 a decree 召; 召 also provides the pronunciation" -7715,评,"to discuss; to comment; to criticize; to judge; to choose (by public appraisal)",pictophonetic,"speech" -7716,诎,"to bend; to yield; to exhaust; to stutter",pictophonetic,"speech" -7717,诅,"curse; swear (oath)",pictophonetic,"speech" -7718,词,"word; statement; speech; lyrics; a form of lyric poetry, flourishing in the Song dynasty 宋朝|宋朝[Song4 chao2] (CL:首[shou3])",pictophonetic,"words" -7719,咏,"to sing",pictophonetic,"mouth" -7720,诩,"to brag; popular; lovely",pictophonetic,"speech" -7721,询,"to ask about; to inquire about",pictophonetic,"speech" -7722,诣,"to go (to visit a superior); one's current attainment in learning or art",ideographic,"To meet 讠 a goal 旨; 旨 also provides the pronunciation" -7723,试,"to test; to try; experiment; examination; test",pictophonetic,"speech" -7724,察,"variant of 察[cha2]",pictophonetic,"roof" -7725,诗,"abbr. for Shijing 詩經|诗经[Shi1 jing1], the Book of Songs",pictophonetic,"speech" -7726,诗,"poem; CL:首[shou3]; poetry; verse",pictophonetic,"speech" -7727,诧,"to be surprised; to be astonished",pictophonetic,"speech" -7728,诟,"disgrace; to revile",pictophonetic,"speech" -7729,诡,"(bound form) sly; crafty; (literary) weird; bizarre; (literary) contradictory; inconsistent",pictophonetic,"speech" -7730,诠,"to explain; to comment; to annotate",pictophonetic,"speech" -7731,诘,"to investigate; to restrain; to scold",pictophonetic,"speech" -7732,话,"dialect; language; spoken words; speech; talk; words; conversation; what sb said; CL:種|种[zhong3],席[xi2],句[ju4],口[kou3],番[fan1]",ideographic,"A spoken 讠 tongue 舌; 舌 also provides the pronunciation" -7733,该,"should; ought to; probably; must be; to deserve; to owe; to be sb's turn to do sth; that; the above-mentioned",pictophonetic,"speech" -7734,详,"detailed; comprehensive",pictophonetic,"speech" -7735,诜,"to inform; to inquire",pictophonetic,"speech" -7736,酬,"old variant of 酬[chou2]",pictophonetic,"wine" -7737,詹,"surname Zhan",pictophonetic,"speech" -7738,詹,"(literary) verbose; (literary) to arrive, to reach",pictophonetic,"speech" -7739,诙,"whimsical; humorous",pictophonetic,"speech" -7740,诖,"to deceive; to disturb",pictophonetic,"speech" -7741,诔,"to eulogize the dead; eulogy",pictophonetic,"speech" -7742,诛,"to put (a criminal) to death; to punish",pictophonetic,"speech" -7743,诓,"to mislead; to swindle",pictophonetic,"speech" -7744,夸,"to boast; to exaggerate; to praise",pictophonetic,"great" -7745,志,"sign; mark; to record; to write a footnote",ideographic,"The mind 心 of a scholar 士; 士 also provides the pronunciation" -7746,认,"to recognize; to know; to admit",pictophonetic,"speech" -7747,诳,"to deceive; to dupe; falsehood; lie; (dialect) to amuse",ideographic,"Mad 狂 speech 讠; 狂 also provides the pronunciation" -7748,诶,"hey (to call sb)",ideographic,"To verbally 讠 confirm 矣 ; 矣 also provides the pronunciation" -7749,诶,"hey (to express surprise)",ideographic,"To verbally 讠 confirm 矣 ; 矣 also provides the pronunciation" -7750,诶,"hey (to express disagreement)",ideographic,"To verbally 讠 confirm 矣 ; 矣 also provides the pronunciation" -7751,诶,"hey (to express agreement)",ideographic,"To verbally 讠 confirm 矣 ; 矣 also provides the pronunciation" -7752,诶,"sigh (to express regret)",ideographic,"To verbally 讠 confirm 矣 ; 矣 also provides the pronunciation" -7753,誓,"oath; vow; to swear; to pledge",ideographic,"Words 言 that must not be broken 折; 折 also provides the pronunciation" -7754,诞,"birth; birthday; brag; boast; to increase",pictophonetic,"speech" -7755,悖,"old variant of 悖[bei4]",pictophonetic,"heart" -7756,诱,"(literary) to induce; to entice",ideographic,"To use elegant 秀 words 讠; 秀 also provides the pronunciation" -7757,誙,"(arch.) definitely; sure!",pictophonetic,"speech" -7758,诮,"ridicule; to blame",pictophonetic,"speech" -7759,语,"dialect; language; speech",pictophonetic,"words" -7760,语,"to tell to",pictophonetic,"words" -7761,诚,"(bound form) sincere; authentic; (literary) really; truly",pictophonetic,"speech" -7762,诫,"commandment; to prohibit",ideographic,"Words 讠 of warning 戒; 戒 also provides the pronunciation" -7763,诬,"to accuse falsely",ideographic,"To start 讠 a witch-hunt 巫; 巫 also provides the pronunciation" -7764,误,"mistake; error; to miss; to harm; to delay; to neglect; mistakenly",pictophonetic,"speech" -7765,诰,"to enjoin; to grant (a title)",ideographic,"To verbally 讠 inform 告; 告 also provides the pronunciation" -7766,诵,"to read aloud; to recite",pictophonetic,"speech" -7767,诲,"to teach; to instruct; to induce",pictophonetic,"speech" -7768,说,"to persuade",pictophonetic,"speech" -7769,说,"to speak; to talk; to say; to explain; to comment; to scold; to tell off; (bound form) theory; doctrine",pictophonetic,"speech" -7770,说,"variant of 說|说[shuo1]",pictophonetic,"speech" -7771,谁,"who; also pr. [shui2]",pictophonetic,"speech" -7772,课,"subject; course; CL:門|门[men2]; class; lesson; CL:堂[tang2],節|节[jie2]; to levy; tax; form of divination",pictophonetic,"speech" -7773,谇,"abuse",pictophonetic,"speech" -7774,诽,"slander",pictophonetic,"speech" -7775,谊,"friendship; also pr. [yi2]",ideographic,"Fitting 宜 speech 讠; 宜 also provides the pronunciation" -7776,訚,"surname Yin",pictophonetic,"speech" -7777,訚,"respectful; to speak gently",pictophonetic,"speech" -7778,调,"to transfer; to move (troops or cadres); to investigate; to enquire into; accent; view; argument; key (in music); mode (music); tune; tone; melody",pictophonetic,"speech" -7779,调,"to harmonize; to reconcile; to blend; to suit well; to adjust; to regulate; to season (food); to provoke; to incite",pictophonetic,"speech" -7780,谄,"to flatter; to cajole",pictophonetic,"speech" -7781,谆,"repeatedly (in giving advice); sincere; earnest; untiring",ideographic,"One who freely shares 享 advice 讠; 享 also provides the pronunciation" -7782,谈,"surname Tan",pictophonetic,"speech" -7783,谈,"to speak; to talk; to converse; to chat; to discuss",pictophonetic,"speech" -7784,诿,"to shirk; to give excuses",pictophonetic,"speech" -7785,请,"to ask; to invite; please (do sth); to treat (to a meal etc); to request",pictophonetic,"speech" -7786,诤,"to admonish; to warn sb of their errors; to criticize frankly; Taiwan pr. [zheng1]",ideographic,"Fighting 争 words 讠; 争 also provides the pronunciation" -7787,诹,"to choose; to consult",ideographic,"To receive 取 advice 讠; 取 also provides the pronunciation" -7788,愆,"old variant of 愆[qian1]",pictophonetic,"heart" -7789,诼,"to complain",pictophonetic,"speech" -7790,谅,"to show understanding; to excuse; to presume; to expect",pictophonetic,"speech" -7791,论,"abbr. for 論語|论语[Lun2 yu3], The Analects (of Confucius)",ideographic,"Speech 讠 that explains the logic 仑; 仑 also provides the pronunciation" -7792,论,"opinion; view; theory; doctrine; to discuss; to talk about; to regard; to consider; per; by the (kilometer, hour etc)",ideographic,"Speech 讠 that explains the logic 仑; 仑 also provides the pronunciation" -7793,谂,"to know; to reprimand; to urge; to long for; to tell; to inform",ideographic,"To give thoughtful 念 advice 讠" -7794,话,"old variant of 話|话[hua4]",ideographic,"A spoken 讠 tongue 舌; 舌 also provides the pronunciation" -7795,谀,"to flatter",pictophonetic,"speech" -7796,谍,"to spy",pictophonetic,"speech" -7797,谝,"to brag",pictophonetic,"speech" -7798,喧,"variant of 喧[xuan1]; old variant of 諼|谖[xuan1]",pictophonetic,"mouth" -7799,谥,"posthumous name or title; to confer a posthumous title",pictophonetic,"speech" -7800,诨,"jest; nickname",pictophonetic,"speech" -7801,谔,"honest speech",pictophonetic,"speech" -7802,谛,"to examine; truth (Buddhism)",pictophonetic,"speech" -7803,谐,"(bound form) harmonious; (bound form) humorous; (literary) to reach agreement",pictophonetic,"speech" -7804,谏,"surname Jian",pictophonetic,"speech" -7805,谏,"to remonstrate; to admonish",pictophonetic,"speech" -7806,谕,"order (from above)",pictophonetic,"speech" -7807,谘,"variant of 咨[zi1]",ideographic,"To discuss 讠 a plan 咨; 咨 also provides the pronunciation" -7808,讳,"to avoid mentioning; taboo word; name of deceased emperor or superior",pictophonetic,"speech" -7809,谙,"to be versed in; to know well",pictophonetic,"speech" -7810,谌,"surname Chen",pictophonetic,"speech" -7811,谌,"faithful; sincere",pictophonetic,"speech" -7812,讽,"to satirize; to mock; to recite; Taiwan pr. [feng4]",pictophonetic,"speech" -7813,诸,"surname Zhu",pictophonetic,"speech" -7814,诸,"all; various",pictophonetic,"speech" -7815,谚,"proverb",ideographic,"Elegant 彦 words 讠; 彦 also provides the pronunciation" -7816,谖,"to deceive; to forget",pictophonetic,"speech" -7817,诺,"to consent; to promise; (literary) yes!",pictophonetic,"speech" -7818,谋,"to plan; to seek; scheme",pictophonetic,"speech" -7819,谒,"to visit (a superior)",pictophonetic,"speech" -7820,谓,"surname Wei",pictophonetic,"speech" -7821,谓,"to speak; to say; to name; to designate; meaning; sense",pictophonetic,"speech" -7822,誊,"to transcribe; to copy out; (free word)",pictophonetic,"speech" -7823,诌,"to make up (a story); Taiwan pr. [zou1]",pictophonetic,"words" -7824,謇,"to speak out boldly",pictophonetic,"speech" -7825,谎,"lies; to lie",pictophonetic,"speech" -7826,歌,"variant of 歌[ge1]",pictophonetic,"breath" -7827,谜,"see 謎兒|谜儿[mei4 r5], riddle",ideographic,"Bewitching 迷 words 讠; 迷 also provides the pronunciation" -7828,谜,"riddle",ideographic,"Bewitching 迷 words 讠; 迷 also provides the pronunciation" -7829,谧,"quiet",pictophonetic,"speech" -7830,谑,"joy; to joke; to banter; to tease; to mock; Taiwan pr. [nu:e4]",ideographic,"To use cruel 虐 words 讠; 虐 also provides the pronunciation" -7831,谡,"composed; rise; to begin",pictophonetic,"speech" -7832,谤,"to slander; to defame; to speak ill of",pictophonetic,"speech" -7833,谦,"modest",pictophonetic,"speech" -7834,谥,"variant of 諡|谥[shi4]",pictophonetic,"speech" -7835,谥,"smiling face",pictophonetic,"speech" -7836,讲,"to speak; to explain; to negotiate; to emphasize; to be particular about; as far as sth is concerned; speech; lecture",pictophonetic,"speech" -7837,谢,"surname Xie",pictophonetic,"speech" -7838,谢,"to thank; to apologize; (of flowers, leaves etc) to wither; to decline",pictophonetic,"speech" -7839,谣,"popular ballad; rumor",pictophonetic,"speech" -7840,謦,"cough slightly",pictophonetic,"speech" -7841,谟,"plan; to practice",pictophonetic,"speech" -7842,谟,"old variant of 謨|谟[mo2]",pictophonetic,"speech" -7843,谪,"to relegate a high official to a minor post in an outlying region (punishment in imperial China); to banish or exile; (of immortals) to banish from Heaven; to censure; to blame",pictophonetic,"speech" -7844,谬,"to deceive; to confuse; to cheat; absurd; erroneous",pictophonetic,"speech" -7845,谫,"shallow; superficial",pictophonetic,"speech" -7846,讴,"to sing; ballad; folk song",pictophonetic,"speech" -7847,谨,"cautious; careful; solemnly; sincerely (formal)",pictophonetic,"speech" -7848,谩,"to deceive",pictophonetic,"speech" -7849,谩,"to slander; to be disrespectful; to slight",pictophonetic,"speech" -7850,哗,"variant of 嘩|哗[hua2]",pictophonetic,"mouth" -7851,嘻,"(interjection expressing surprise, grief etc); variant of 嘻[xi1]",ideographic,"A happy 喜 sound 口; 喜 also provides the pronunciation" -7852,证,"certificate; proof; to prove; to demonstrate; to confirm; variant of 症[zheng4]",ideographic,"To speak 讠 the truth 正; 正 also provides the pronunciation" -7853,讹,"variant of 訛|讹[e2]",pictophonetic,"speech" -7854,谲,"deceitful",ideographic,"A bright 矞 wit 讠; 矞 also provides the pronunciation" -7855,讥,"to ridicule",pictophonetic,"speech" -7856,撰,"variant of 撰[zhuan4]",pictophonetic,"hand" -7857,谮,"to slander",pictophonetic,"speech" -7858,识,"to know; knowledge; Taiwan pr. [shi4]",pictophonetic,"speech" -7859,识,"to record; to write a footnote",pictophonetic,"speech" -7860,谯,"surname Qiao",pictophonetic,"speech" -7861,谯,"drum tower",pictophonetic,"speech" -7862,谯,"ridicule; to blame",pictophonetic,"speech" -7863,谭,"surname Tan",pictophonetic,"speech" -7864,谭,"variant of 談|谈[tan2]",pictophonetic,"speech" -7865,谱,"chart; list; table; register; score (music); spectrum (physics); to set to music",pictophonetic,"speech" -7866,噪,"variant of 噪[zao4]",ideographic,"The sound 口 of birds chirping 喿; 喿 also provides the pronunciation" -7867,警,"to alert; to warn; police",pictophonetic,"speech" -7868,谵,"(literary) to rant; to rave; to be delirious",ideographic,"Verbose 詹 speech 讠; 詹 also provides the pronunciation" -7869,譬,"to give an example",pictophonetic,"speech" -7870,毁,"variant of 毀|毁[hui3]; to defame; to slander",ideographic,"A man using a tool 殳 to strike 工 a clay vessel 臼" -7871,译,"to translate; to interpret",pictophonetic,"speech" -7872,议,"to comment on; to discuss; to suggest",pictophonetic,"speech" -7873,谴,"to censure; to reprimand",pictophonetic,"speech" -7874,护,"to protect",ideographic,"Guarding 扌 a home 户; 户 also provides the pronunciation" -7875,誉,"to praise; to acclaim; reputation",ideographic,"Word 言 of one's success 兴" -7876,读,"comma; phrase marked by pause",ideographic,"To show off 卖 one's literacy 讠" -7877,读,"to read out; to read aloud; to read; to attend (school); to study (a subject in school); to pronounce",ideographic,"To show off 卖 one's literacy 讠" -7878,谪,"variant of 謫|谪[zhe2]",pictophonetic,"speech" -7879,赞,"variant of 讚|赞[zan4]",pictophonetic,"money" -7880,变,"to change; to become different; to transform; to vary; rebellion",, -7881,仇,"variant of 仇[chou2]",pictophonetic,"person" -7882,雠,"to collate; to proofread",ideographic,"Two birds 隹 exchanging angry words 讠; 雔 provides the pronunciation" -7883,仇,"variant of 仇[chou2]",pictophonetic,"person" -7884,谗,"to slander; to defame; to misrepresent; to speak maliciously",pictophonetic,"speech" -7885,让,"to yield; to permit; to let sb do sth; to have sb do sth; to make sb (feel sad etc); by (indicates the agent in a passive clause, like 被[bei4])",pictophonetic,"speech" -7886,谰,"to make a false charge",pictophonetic,"speech" -7887,谶,"prophecy; omen",pictophonetic,"speech" -7888,欢,"hubbub; clamor; variant of 歡|欢[huan1]",, -7889,赞,"variant of 贊|赞[zan4]; to praise",pictophonetic,"money" -7890,谠,"honest; straightforward",pictophonetic,"speech" -7891,谳,"to decide judicially",pictophonetic,"speech" -7892,讬,"nonstandard simplified variant of 託|托[tuo1]",ideographic,"To depend on 乇 someone's word 讠; 乇 also provides the pronunciation" -7893,谷,"surname Gu",ideographic,"Water flowing 人 from a spring 口 through a valley 八" -7894,谷,"valley",ideographic,"Water flowing 人 from a spring 口 through a valley 八" -7895,溪,"variant of 溪[xi1]",pictophonetic,"water" -7896,豁,"to play Chinese finger-guessing game",pictophonetic,"valley" -7897,豁,"opening; stake all; sacrifice; crack; slit",pictophonetic,"valley" -7898,豁,"open; clear; liberal-minded; generous; to exempt; to remit",pictophonetic,"valley" -7899,豆,"legume; pulse; bean; pea (CL:顆[ke1],粒[li4]); (old) stemmed cup or bowl",pictographic,"An old serving dish 口 on a stand with a lid 一" -7900,豇,"cowpeas; black-eyed beans",pictophonetic,"beans" -7901,岂,"old variant of 愷|恺[kai3]; old variant of 凱|凯[kai3]",pictophonetic, -7902,岂,"how? (emphatic question)",pictophonetic, -7903,豉,"salted fermented beans",pictophonetic,"beans" -7904,豊,"variant of 豐|丰[feng1]",ideographic,"A stalk bent crooked 曲 by the weight of its beans 豆" -7905,豊,"ceremonial vessel; variant of 禮|礼[li3]",ideographic,"A stalk bent crooked 曲 by the weight of its beans 豆" -7906,豌,"peas",pictophonetic,"peas" -7907,竖,"to erect; vertical; vertical stroke (in Chinese characters)",ideographic,"A person 又 standing 立 as straight as a knife 刂" -7908,丰,"surname Feng",pictographic,"An ear of grass" -7909,丰,"abundant; plentiful; fertile; plump; great",pictographic,"An ear of grass" -7910,艳,"old variant of 豔|艳[yan4]",ideographic,"Lush 丰 and sexy 色" -7911,艳,"variant of 艷|艳[yan4]",ideographic,"Lush 丰 and sexy 色" -7912,豕,"hog; swine",pictographic,"A pig drawn on its side" -7913,豖,"a shackled pig",pictographic,"A pig 豕 in shackles 丶" -7914,豚,"suckling pig",pictographic,"A pig 豕 suckling at its mother's teat ⺼" -7915,象,"elephant; CL:隻|只[zhi1]; shape; form; appearance; to imitate",pictophonetic,"boar" -7916,豢,"to rear; to raise (animals)",pictophonetic,"pig" -7917,豦,"a wild boar; to fight",ideographic,"A boar 豕 fighting a tiger 虍" -7918,豪,"grand; heroic",pictophonetic,"boar" -7919,豫,"abbr. for Henan province 河南 in central China",pictophonetic,"elephant" -7920,豫,"happy; carefree; at one's ease; variant of 預|预[yu4]; old variant of 與|与[yu4]",pictophonetic,"elephant" -7921,猪,"hog; pig; swine; CL:口[kou3],頭|头[tou2]",pictophonetic,"animal" -7922,豱,"short-headed pig",pictophonetic,"pig" -7923,豳,"name of an ancient county in Shaanxi; variant of 彬[bin1]",pictophonetic,"mountain" -7924,豸,"worm-like invertebrate; mythical animal (see 獬豸[xie4 zhi4]); radical in Chinese characters (Kangxi radical 153)",, -7925,豹,"leopard; panther",pictophonetic,"beast" -7926,豺,"dog-like animal; ravenous beast; dhole (Cuon Alpinus); jackal",pictophonetic,"beast" -7927,豻,"jail",pictophonetic,"beast" -7928,豻,"(canine)",pictophonetic,"beast" -7929,貂,"sable or marten (genus Martes)",pictophonetic,"beast" -7930,貅,"see 貔貅[pi2 xiu1], composite mythical animal (originally 貅 was the female)",pictophonetic,"badger" -7931,貉,"raccoon dog (Nyctereutes procyonoides); raccoon of North China, Korea and Japan (Japanese: tanuki); also pr. [hao2]",pictophonetic,"beast" -7932,貉,"old term for northern peoples; silent",pictophonetic,"beast" -7933,貊,"name of a wild tribe; silent",ideographic,"A tribe of a hundred 百 wild beasts 豸" -7934,貌,"appearance",ideographic,"A beast's 豸 appearance 皃; 皃 also provides the pronunciation" -7935,狸,"variant of 狸[li2]",pictophonetic,"dog" -7936,猊,"wild beast; wild horse; lion; trad. form used erroneously for 貌; simplified form used erroneously for 狻",pictophonetic,"animal" -7937,猫,"cat (CL:隻|只[zhi1]); (dialect) to hide oneself; (loanword) (coll.) modem",pictophonetic,"animal" -7938,猫,"used in 貓腰|猫腰[mao2yao1]",pictophonetic,"animal" -7939,貔,"see 貔貅[pi2 xiu1], composite mythical animal (originally 貔 was the male)",pictophonetic,"beast" -7940,貘,"tapir",pictophonetic,"beast" -7941,獾,"variant of 獾[huan1]",pictophonetic,"animal" -7942,贝,"surname Bei",pictographic,"A sea shell, once used as currency" -7943,贝,"cowrie; shellfish; currency (archaic)",pictographic,"A sea shell, once used as currency" -7944,贞,"chaste",, -7945,负,"to bear; to carry (on one's back); to turn one's back on; to be defeated; negative (math. etc)",ideographic,"A person 人 carrying a lot of money 贝" -7946,财,"money; wealth; riches; property; valuables",pictophonetic,"money" -7947,贡,"surname Gong",pictophonetic,"money" -7948,贡,"to offer tribute; tribute; gifts",pictophonetic,"money" -7949,贫,"poor; inadequate; deficient; garrulous",ideographic,"Money 贝 that must be split 分; 分 also provides the pronunciation" -7950,货,"goods; money; commodity; CL:個|个[ge4]",pictophonetic,"money" -7951,贩,"to deal in; to buy and sell; to trade in; to retail; to peddle",pictophonetic,"money" -7952,贪,"to have a voracious desire for; to covet; greedy; corrupt",pictophonetic,"money" -7953,贯,"to pierce through; to pass through; to be stringed together; string of 1000 cash",pictophonetic,"money" -7954,责,"duty; responsibility; to reproach; to blame",ideographic,"Money 贝 that must be repaid" -7955,贮,"to store; to save; stockpile; Taiwan pr. [zhu3]",ideographic,"Money 贝 kept under one 一 roof 宀" -7956,贳,"to borrow; to buy on credit; to rent out",pictophonetic,"money" -7957,赀,"to estimate; to fine (archaic); variant of 資|资[zi1]",pictophonetic,"money" -7958,贰,"two (banker's anti-fraud numeral); to betray",ideographic,"A banker's 贝 two 二 with accents to prevent forgery" -7959,贵,"expensive; (bound form) highly valued; precious; (bound form) noble; of high rank; (prefix) (honorific) your",pictophonetic,"money" -7960,贬,"to diminish; to demote; to reduce or devaluate; to disparage; to censure; to depreciate",ideographic,"To devalue 乏 currency 贝" -7961,买,"to buy; to purchase",, -7962,贷,"to lend on interest; to borrow; a loan; leniency; to make excuses; to pardon; to forgive",pictophonetic,"money" -7963,贶,"to bestow; to confer",pictophonetic,"money" -7964,费,"surname Fei",pictophonetic,"money" -7965,费,"to cost; to spend; fee; wasteful; expenses",pictophonetic,"money" -7966,贴,"to stick; to paste; to post (e.g. on a blog); to keep close to; to fit snugly; to subsidize; allowance (e.g. money for food or housing); sticker; classifier for sticking plaster: strip",pictophonetic,"money" -7967,贻,"to present; to bequeath",pictophonetic,"money" -7968,贸,"commerce; trade",pictophonetic,"money" -7969,贺,"surname He",ideographic,"To add 加 to someone else's fortune 贝" -7970,贺,"to congratulate",ideographic,"To add 加 to someone else's fortune 贝" -7971,贲,"surname Ben",, -7972,贲,"energetic",, -7973,贲,"bright",, -7974,赂,"bribe; bribery",, -7975,赁,"to rent",ideographic,"Someone 任 working for money 贝" -7976,贿,"(bound form) bribery",ideographic,"To possess 有 wealth 贝" -7977,赅,"surname Gai",pictophonetic,"money" -7978,赅,"complete; full",pictophonetic,"money" -7979,资,"resources; capital; to provide; to supply; to support; money; expense",pictophonetic,"money" -7980,贾,"surname Jia",pictophonetic,"money" -7981,贾,"merchant; to buy",pictophonetic,"money" -7982,恤,"variant of 恤[xu4]",pictophonetic,"heart" -7983,贼,"thief; traitor; wily; deceitful; evil; extremely",pictophonetic,"weapons" -7984,賏,"pearls or shells strung together",ideographic,"Two shells 貝 strung together" -7985,赈,"to provide relief; to aid",pictophonetic,"money" -7986,赊,"to buy or sell on credit; distant; long (time); to forgive",pictophonetic,"money" -7987,宾,"visitor; guest; object (in grammar)",ideographic,"A solider 兵 quartered under one's roof 宀" -7988,赇,"to bribe",ideographic,"To beseech 求 with money 贝; 求 also provides the pronunciation" -7989,赒,"to give to the needy; to bestow alms; charity",pictophonetic,"money" -7990,赉,"to bestow; to confer",pictophonetic,"money" -7991,赞,"variant of 贊|赞[zan4]",pictophonetic,"money" -7992,赐,"(bound form) to confer; to bestow; to grant; (literary) gift; favor; Taiwan pr. [si4]",pictophonetic,"money" -7993,赏,"to bestow (a reward); to give (to an inferior); to hand down; a reward (bestowed by a superior); to appreciate (beauty)",pictophonetic,"money" -7994,赔,"to compensate for loss; to indemnify; to suffer a financial loss",pictophonetic,"money" -7995,赓,"to continue (as a song)",pictophonetic,"shell" -7996,贤,"worthy or virtuous person; honorific used for a person of the same or a younger generation",pictophonetic,"money" -7997,卖,"to sell; to betray; to spare no effort; to show off or flaunt",pictophonetic,"buy" -7998,贱,"inexpensive; lowly; despicable; (bound form) (humble) my",ideographic,"Costing little 戋 money 贝; 戋 also provides the pronunciation" -7999,赋,"poetic essay; taxation; to bestow on; to endow with",ideographic,"Money 贝 used to raise an army 武; 武 also provides the pronunciation" -8000,赕,"(old barbarian dialects) to pay a fine in atonement; river; Taiwan pr. [tan4]",pictophonetic,"money" -8001,质,"character; nature; quality; plain; to pawn; pledge; hostage; to question; Taiwan pr. [zhi2]",pictophonetic,"shell" -8002,赍,"to present (a gift); to harbor (a feeling)",ideographic,"Money 贝 from 从 someone" -8003,账,"account; bill; debt; CL:本[ben3],筆|笔[bi3]",pictophonetic,"money" -8004,赌,"to bet; to gamble",pictophonetic,"money" -8005,赖,"surname Lai; (Tw) (coll.) LINE messaging app",pictophonetic,"money" -8006,赖,"to depend on; to hang on in a place; bad; to renege (on promise); to disclaim; to rat (on debts); rascally; to blame; to put the blame on",pictophonetic,"money" -8007,赍,"variant of 齎|赍[ji1]",ideographic,"Money 贝 from 从 someone" -8008,赚,"to earn; to make a profit",pictophonetic,"money" -8009,赚,"to cheat; to swindle",pictophonetic,"money" -8010,赙,"to contribute to funeral expenses",pictophonetic,"money" -8011,购,"to buy; to purchase",pictophonetic,"money" -8012,赛,"to compete; competition; match; to surpass; better than; superior to; to excel",pictophonetic,"money" -8013,赜,"mysterious",pictophonetic,"minister" -8014,贽,"gifts to superiors",pictophonetic,"money" -8015,赘,"(bound form) superfluous; (bound form) (of a man) to move into the household of one's in-laws after marrying; (of the bride's parents) to have the groom join one's household",pictophonetic,"leisure" -8016,赠,"to give as a present; to repel; to bestow an honorary title after death (old)",pictophonetic,"money" -8017,赞,"to patronize; to support; to praise; (Internet slang) to like (an online post on Facebook etc)",pictophonetic,"money" -8018,赝,"variant of 贗|赝[yan4]",ideographic,"""Wild goose"" 雁 money 贝; 雁 also provides the pronunciation" -8019,赡,"to support; to provide for",pictophonetic,"money" -8020,赢,"to beat; to win; to profit",pictophonetic,"money" -8021,赆,"farewell presents",pictophonetic,"money" -8022,赣,"variant of 贛|赣[Gan4]",pictophonetic,"go" -8023,赃,"stolen goods; loot; spoils",pictophonetic,"money" -8024,赑,"see 贔屭|赑屃[Bi4 xi4]",, -8025,赎,"to redeem; to ransom",ideographic,"To sell 卖 a soul for money 贝; 卖 also provides the pronunciation" -8026,赝,"false",ideographic,"""Wild goose"" 雁 money 贝; 雁 also provides the pronunciation" -8027,赣,"abbr. for Jiangxi Province 江西省[Jiang1 xi1 Sheng3]; Gan River in Jiangxi Province 江西省[Jiang1 xi1 Sheng3]",pictophonetic,"go" -8028,赃,"variant of 贓|赃[zang1]",pictophonetic,"money" -8029,赤,"red; scarlet; bare; naked",ideographic,"A person 土 whose cheeks are burning 火" -8030,赦,"to pardon (a convict)",pictophonetic,"let go" -8031,赧,"blushing with shame",pictophonetic,"red" -8032,赫,"surname He",ideographic,"Blushing 赤 bright red 赤" -8033,赫,"awe-inspiring; abbr. for 赫茲|赫兹[he4 zi1], hertz (Hz)",ideographic,"Blushing 赤 bright red 赤" -8034,赭,"ocher",pictophonetic,"red" -8035,走,"to walk; to go; to run; to move (of vehicle); to visit; to leave; to go away; to die (euph.); from; through; away (in compound verbs, such as 撤走[che4 zou3]); to change (shape, form, meaning)",ideographic,"Someone 土 stepping with their foot 止" -8036,赳,"see 赳赳[jiu1 jiu1]",pictophonetic,"walk" -8037,赴,"to go; to visit (e.g. another country); to attend (a banquet etc)",pictophonetic,"walk" -8038,起,"to rise; to raise; to get up; to set out; to start; to appear; to launch; to initiate (action); to draft; to establish; to get (from a depot or counter); verb suffix, to start; starting from (a time, place, price etc); classifier for occurrences or unpredictable events: case, instance; classifier for groups: batch, group",pictophonetic,"walk" -8039,赸,"to jump; to leave",pictophonetic,"flee" -8040,趁,"to avail oneself of; to take advantage of",pictophonetic,"walk" -8041,趁,"old variant of 趁[chen4]",pictophonetic,"walk" -8042,趄,"used in 趑趄[zi1 ju1]",pictophonetic,"walk" -8043,趄,"to slant; to incline",pictophonetic,"walk" -8044,超,"to exceed; to overtake; to surpass; to transcend; to pass; to cross; ultra-; super-",pictophonetic,"run" -8045,越,"generic word for peoples or states of south China or south Asia at different historical periods; abbr. for Vietnam 越南",pictophonetic,"run" -8046,越,"to exceed; to climb over; to surpass; the more... the more",pictophonetic,"run" -8047,趑,"to falter; unable to move",ideographic,"Unable to put one foot 走 after the other 次; 次 also provides the pronunciation" -8048,趔,"used in 趔趄|趔趄[lie4 qie5]",pictophonetic,"walk" -8049,赶,"to overtake; to catch up with; to hurry; to rush; to try to catch (the bus etc); to drive (cattle etc) forward; to drive (sb) away; to avail oneself of (an opportunity); until; by (a certain time)",pictophonetic,"run" -8050,赵,"surname Zhao; one of the seven states during the Warring States period (476-220 BC); the Former Zhao 前趙|前赵[Qian2 Zhao4] (304-329) and Later Zhao 後趙|后赵[Hou4 Zhao4] (319-350), states of the Sixteen Kingdoms",, -8051,赵,"to surpass (old)",, -8052,趟,"to wade; to trample; to turn the soil",pictophonetic,"walk" -8053,趟,"classifier for times, round trips or rows; a time; a trip",pictophonetic,"walk" -8054,趣,"interesting; to interest",pictophonetic,"walk" -8055,趦,"variant of 趑, to falter; unable to move",pictophonetic,"walk" -8056,趋,"to hasten; to hurry; to walk fast; to approach; to tend towards; to converge",pictophonetic,"run" -8057,趯,"to jump; way of stroke in calligraphy",pictophonetic,"flee" -8058,趯,"to jump",pictophonetic,"flee" -8059,趱,"to hasten; to urge",pictophonetic,"run" -8060,足,"excessive",pictographic,"The leg 口 above the foot" -8061,足,"(bound form) foot; leg; sufficient; ample; as much as; fully",pictographic,"The leg 口 above the foot" -8062,趴,"to lie on one's stomach; to lean forward, resting one's upper body (on a desktop etc); (Tw) percent",pictophonetic,"foot" -8063,趵,"jump; leap",pictophonetic,"foot" -8064,趺,"instep; tarsus",pictophonetic,"foot" -8065,趼,"(bound form) callus",pictophonetic,"foot" -8066,趾,"toe",pictophonetic,"foot" -8067,趿,"see 趿拉[ta1 la5]",pictophonetic,"foot" -8068,跂,"foot",pictophonetic,"foot" -8069,跂,"sixth (extra) toe; to crawl",pictophonetic,"foot" -8070,跂,"to climb; to hope",pictophonetic,"foot" -8071,跂,"to stand on tiptoe; to sit with feet hanging",pictophonetic,"foot" -8072,跂,"see 踶跂[di4 zhi1]",pictophonetic,"foot" -8073,跆,"to trample, to kick",pictophonetic,"foot" -8074,跋,"postscript; to trek across mountains",pictophonetic,"foot" -8075,跌,"to fall; to tumble; to trip; (of prices etc) to drop; Taiwan pr. [die2]",ideographic,"To lose 失 one's footing 足" -8076,跎,"to stumble; to waste time",pictophonetic,"foot" -8077,跏,"to sit cross-legged",pictophonetic,"foot" -8078,跑,"(of an animal) to paw (the ground)",pictophonetic,"foot" -8079,跑,"to run; to run away; to escape; to run around (on errands etc); (of a gas or liquid) to leak or evaporate; (verb complement) away; off",pictophonetic,"foot" -8080,跖,"variant of 蹠[zhi2]",pictophonetic,"foot" -8081,跗,"instep; tarsus",pictophonetic,"foot" -8082,跚,"used in 蹣跚|蹒跚[pan2 shan1]",pictophonetic,"foot" -8083,跛,"to limp; lame; crippled",pictophonetic,"foot" -8084,距,"to be at a distance of ... from; to be apart from; (bound form) distance; spur (on the leg of certain birds: gamecock, pheasant etc)",pictophonetic,"foot" -8085,跟,"heel; to follow closely; to go with; (of a woman) to marry sb; with; compared with; to; towards; and (joining two nouns)",pictophonetic,"foot" -8086,迹,"footprint; mark; trace; vestige; sign; indication; Taiwan pr. [ji1]",pictophonetic,"walk" -8087,跣,"barefooted",pictophonetic,"foot" -8088,跤,"a tumble; a fall",pictophonetic,"foot" -8089,跺,"variant of 跺[duo4]",pictophonetic,"foot" -8090,跨,"to step across; to stride over; to straddle; to span",pictophonetic,"foot" -8091,跪,"to kneel",pictophonetic,"foot" -8092,跫,"sound of footsteps",pictophonetic,"foot" -8093,跬,"brief; short step",pictophonetic,"foot" -8094,路,"surname Lu",pictophonetic,"foot" -8095,路,"road (CL:條|条[tiao2]); journey; route; line (bus etc); sort; kind",pictophonetic,"foot" -8096,跳,"to jump; to hop; to skip over; to bounce; to palpitate",pictophonetic,"foot" -8097,踩,"variant of 踩[cai3]",pictophonetic,"foot" -8098,跺,"to stamp one's feet",pictophonetic,"foot" -8099,局,"cramped; narrow",ideographic,"A place where measures 尺 are discussed 口" -8100,跽,"kneel",pictophonetic,"foot" -8101,胫,"variant of 脛|胫[jing4]",pictophonetic,"flesh" -8102,踅,"walk with one leg",pictophonetic,"foot" -8103,踅,"to walk around; turn back midway",pictophonetic,"foot" -8104,踉,"used in 跳踉[tiao4liang2]",pictophonetic,"foot" -8105,踉,"used in 踉蹌|踉跄[liang4qiang4]",pictophonetic,"foot" -8106,踊,"leap",pictophonetic,"foot" -8107,踏,"see 踏實|踏实[ta1 shi5]",pictophonetic,"foot" -8108,踏,"to tread; to stamp; to step on; to press a pedal; to investigate on the spot",pictophonetic,"foot" -8109,践,"to fulfill (a promise); to tread; to walk",pictophonetic,"foot" -8110,踔,"to get ahead; to stride; to excel; Taiwan pr. [zhuo2]",pictophonetic,"foot" -8111,踘,"leather ball; Taiwan pr. [ju2]",pictophonetic,"foot" -8112,踝,"ankle",pictophonetic,"foot" -8113,踞,"to be based upon; to squat",ideographic,"To sit 居 on one's feet 足; 居 also provides the pronunciation" -8114,踟,"hesitating; undecided; hesitant",pictophonetic,"foot" -8115,踢,"to kick; to play (e.g. soccer); (slang) butch (in a lesbian relationship)",pictophonetic,"foot" -8116,踣,"corpse; prostrate",pictophonetic,"foot" -8117,踥,"to walk with small steps",pictophonetic,"foot" -8118,踩,"to step on; to tread; to stamp; to press a pedal; to pedal (a bike); (online) to downvote",pictophonetic,"foot" -8119,踪,"variant of 蹤|踪[zong1]",pictophonetic,"foot" -8120,碰,"old variant of 碰[peng4]",pictophonetic,"rock" -8121,踮,"to stand on tiptoe; Taiwan pr. [dian4]",pictophonetic,"foot" -8122,逾,"variant of 逾[yu2]",pictophonetic,"walk" -8123,踱,"to pace; to stroll; Taiwan pr. [duo4]",pictophonetic,"foot" -8124,踊,"leap",pictophonetic,"foot" -8125,踵,"to arrive; to follow; heel",pictophonetic,"foot" -8126,踶,"to kick; to tread on",pictophonetic,"foot" -8127,踹,"to kick; to trample; to tread on",pictophonetic,"foot" -8128,踺,"used in 踺子[jian4 zi5]",pictophonetic,"foot" -8129,踽,"hunchbacked; walk alone",pictophonetic,"foot" -8130,蹀,"to tread on; to stamp one's foot",pictophonetic,"foot" -8131,蹁,"to limp",pictophonetic,"foot" -8132,蹂,"trample",pictophonetic,"foot" -8133,蹄,"hoof; pig's trotters",pictophonetic,"foot" -8134,蹇,"surname Jian",pictophonetic,"foot" -8135,蹇,"lame; cripple; unfortunate; slow; difficult; nag (inferior horse); donkey; lame horse",pictophonetic,"foot" -8136,蹈,"to tread on; to trample; to stamp; to fulfill; Taiwan pr. [dao4]",pictophonetic,"foot" -8137,蹉,"to error; to slip; to miss; to err",ideographic,"A footstep 足 in error 差; 差 also provides the pronunciation" -8138,蹊,"used in 蹊蹺|蹊跷[qi1qiao1]; Taiwan pr. [xi1]",pictophonetic,"foot" -8139,蹊,"(literary) footpath",pictophonetic,"foot" -8140,蹋,"to step on",pictophonetic,"foot" -8141,跄,"walk rapidly",pictophonetic,"foot" -8142,跄,"stagger; sway from side to side",pictophonetic,"foot" -8143,蹄,"variant of 蹄[ti2]",pictophonetic,"foot" -8144,暂,"to scurry; variant of 暫|暂[zan4]",pictophonetic,"sun" -8145,跸,"to clear streets when emperor tours",pictophonetic,"foot" -8146,蹙,"to knit (one's brows); wrinkled (of brows); to hesitate; distressed",pictophonetic,"grieving" -8147,蹚,"to wade; to trample",pictophonetic,"foot" -8148,迹,"variant of 跡|迹[ji4]",pictophonetic,"walk" -8149,跖,"metatarsus; (literary) sole of the foot; (literary) to tread on",pictophonetic,"foot" -8150,蹡,"(manner of walking)",pictophonetic,"foot" -8151,蹒,"used in 蹣跚|蹒跚[pan2 shan1]; Taiwan pr. [man2]",pictophonetic,"foot" -8152,踪,"(bound form) footprint; trace; tracks",pictophonetic,"foot" -8153,蹦,"to jump; to bounce; to hop",pictophonetic,"foot" -8154,蹧,"see 蹧蹋[zao1 ta4]",pictophonetic,"foot" -8155,蹩,"to limp; to sprain (an ankle or wrist); to move carefully, as if evading a danger; to scurry",ideographic,"A broken 敝 foot 足; 敝 also provides the pronunciation" -8156,蹬,"to step on; to tread on; to put on; to wear (shoes, trousers etc); (slang) to dump (sb); Taiwan pr. [deng4]",pictophonetic,"foot" -8157,蹬,"used in 蹭蹬[ceng4deng4]",pictophonetic,"foot" -8158,蹭,"to rub against; to walk slowly; (coll.) to freeload",pictophonetic,"foot" -8159,蹯,"paws of animal",pictophonetic,"foot" -8160,蹲,"to crouch; to squat; to stay (somewhere)",pictophonetic,"foot" -8161,蹴,"carefully; to kick; to tread on; to stamp",ideographic,"To approach 就 in one leap 足; 足 also provides the pronunciation" -8162,蹴,"variant of 蹴[cu4]",ideographic,"To approach 就 in one leap 足; 足 also provides the pronunciation" -8163,蹶,"to stumble; to trample; to kick (of horse)",pictophonetic,"foot" -8164,蹶,"see 尥蹶子[liao4 jue3 zi5]",pictophonetic,"foot" -8165,跷,"to raise one's foot; to stand on tiptoe; stilts",pictophonetic,"foot" -8166,跷,"variant of 蹺|跷[qiao1]; to raise one's foot; stilts",pictophonetic,"foot" -8167,蹼,"web (of feet of ducks, frogs etc)",pictophonetic,"foot" -8168,躁,"impatient; hot-tempered",pictophonetic,"foot" -8169,跶,"to stumble; to slip; variant of 達|达[da2]",pictophonetic,"foot" -8170,躅,"walk carefully; to hesitate; to halter",pictophonetic,"foot" -8171,躇,"used in 躊躇|踌躇[chou2chu2]",pictophonetic,"foot" -8172,趸,"wholesale",ideographic,"A ten-thousand 万 square-foot 足 warehouse" -8173,踌,"used in 躊躇|踌躇[chou2chu2]",pictophonetic,"foot" -8174,跻,"(literary) to ascend; to climb; to mount",pictophonetic,"foot" -8175,跃,"to jump; to leap",pictophonetic,"foot" -8176,躐,"step across",pictophonetic,"foot" -8177,踯,"hesitating; to stop",pictophonetic,"foot" -8178,跞,"move; walk",pictophonetic,"foot" -8179,踬,"to stumble",pictophonetic,"foot" -8180,躔,"(literary) animal tracks; the course of a celestial body; (of a celestial body) to follow its course",pictophonetic,"foot" -8181,蹰,"irresolute; undecided",pictophonetic,"foot" -8182,跹,"to manner of dancing; to walk around",pictophonetic,"foot" -8183,躞,"to walk",pictophonetic,"foot" -8184,蹑,"to walk on tiptoe; to walk quietly; to tread (on); to follow",ideographic,"To walk 足 quietly 聂; 聂 also provides the pronunciation" -8185,蹿,"to leap up; (coll.) to gush out; to spurt out",pictophonetic,"foot" -8186,躜,"to jump",pictophonetic,"foot" -8187,躏,"used in 蹂躪|蹂躏[rou2 lin4]",pictophonetic,"foot" -8188,身,"body; life; oneself; personally; one's morality and conduct; the main part of a structure or body; pregnant; classifier for sets of clothes: suit, twinset; Kangxi radical 158",pictographic,"A pregnant woman" -8189,躬,"body (of a human, esp. the torso); to bow; (literary) oneself; personally",ideographic,"To bow 弓 one's body 身; 弓 also provides the pronunciation" -8190,耽,"variant of 耽[dan1]",pictophonetic,"ear" -8191,躲,"to hide; to dodge; to avoid",pictophonetic,"body" -8192,躬,"old variant of 躬[gong1]",ideographic,"To bow 弓 one's body 身; 弓 also provides the pronunciation" -8193,裸,"variant of 裸[luo3]",pictophonetic,"clothes" -8194,躺,"to recline; to lie down",pictophonetic,"body" -8195,躯,"human body",pictophonetic,"body" -8196,軃,"variant of 嚲|亸[duo3]",, -8197,车,"surname Che",pictographic,"Simplified form of 車, a cart with two wheels, seen from above" -8198,车,"car; vehicle; CL:輛|辆[liang4]; machine; to shape with a lathe; Kangxi radical 159",pictographic,"Simplified form of 車, a cart with two wheels, seen from above" -8199,车,"war chariot (archaic); rook (in Chinese chess); rook (in chess)",pictographic,"Simplified form of 車, a cart with two wheels, seen from above" -8200,轧,"surname Ya",pictophonetic,"cart" -8201,轧,"to crush together (in a crowd); to make friends; to check (accounts)",pictophonetic,"cart" -8202,轧,"to crush; to knock sb down with a vehicle",pictophonetic,"cart" -8203,轧,"to roll (steel)",pictophonetic,"cart" -8204,轨,"(bound form) rail; track; course; path",pictophonetic,"cart" -8205,军,"(bound form) army; military",ideographic,"Soldiers 冖 (distorted 力) in a cart 车" -8206,轩,"surname Xuan",pictophonetic,"cart" -8207,轩,"pavilion with a view; high; tall; high fronted, curtained carriage (old)",pictophonetic,"cart" -8208,轫,"brake",pictophonetic,"cart" -8209,轭,"yoke",pictophonetic,"cart" -8210,软,"soft; flexible",pictophonetic,"cart" -8211,轷,"surname Hu",pictophonetic,"cart" -8212,轸,"square; strongly (as of emotion)",pictophonetic,"cart" -8213,轱,"wheel; to roll",pictophonetic,"wheel" -8214,轴,"axis; axle; spool (for thread); roller (for scrolls); classifier for calligraphy rolls etc",pictophonetic,"wheel" -8215,轴,"see 壓軸戲|压轴戏[ya1 zhou4 xi4]; Taiwan pr. [zhou2]",pictophonetic,"wheel" -8216,轵,"end of axle outside of hub",pictophonetic,"wheel" -8217,轺,"light carriage",pictophonetic,"cart" -8218,轲,"given name of Mencius",pictophonetic,"wheel" -8219,轲,"see 轗軻|轗轲[kan3 ke3]",pictophonetic,"wheel" -8220,轶,"to excel; to surpass; to be scattered; variant of 逸[yi4], leisurely",pictophonetic,"cart" -8221,轼,"(literary) handrail at the front of a carriage or chariot; to bow while leaning on this handrail as a gesture of respect",pictophonetic,"cart" -8222,輂,"horse carriage (old)",pictophonetic,"cart" -8223,较,"(bound form) to compare; (literary) to dispute; compared to; (before an adjective) relatively; comparatively; rather; also pr. [jiao3]",pictophonetic,"cart" -8224,辂,"chariot",pictophonetic,"cart" -8225,辁,"limited (of talent or ability); (archaic) solid wheel (without spokes)",ideographic,"A complete 全 wheel 车; 全 also provides the pronunciation" -8226,载,"to record in writing; to carry (i.e. publish in a newspaper etc); Taiwan pr. [zai4]; year",pictophonetic,"cart" -8227,载,"to carry; to convey; to load; to hold; to fill up; and; also; as well as; simultaneously",pictophonetic,"cart" -8228,轾,"back and lower of chariot; short; low",pictophonetic,"cart" -8229,辄,"then; at once; always; (archaic) luggage rack on a chariot",pictophonetic,"cart" -8230,挽,"variant of 挽[wan3]; to draw (a cart); to lament the dead",pictophonetic,"hand" -8231,辅,"to assist; to complement; auxiliary",pictophonetic,"cart" -8232,轻,"light; easy; gentle; soft; reckless; unimportant; frivolous; small in number; unstressed; neutral; to disparage",pictophonetic,"cart" -8233,辄,"variant of 輒|辄[zhe2]",pictophonetic,"cart" -8234,辆,"classifier for vehicles",ideographic,"Two 两 carts 车; 两 also provides the pronunciation" -8235,辎,"covered wagon; military supply wagon",pictophonetic,"cart" -8236,辉,"splendor; to shine upon",pictophonetic,"light" -8237,辋,"tire; wheel band",pictophonetic,"wheel" -8238,辍,"to stop (before completion); to cease; to suspend",pictophonetic,"cart" -8239,辊,"roller",pictophonetic,"wheel" -8240,辇,"(archaic) man-drawn carriage; an imperial carriage; to transport by carriage",ideographic,"Two people 夫 riding in a cart 车" -8241,辈,"lifetime; generation; group of people; class; classifier for generations; (literary) classifier for people",pictophonetic,"wheel" -8242,轮,"wheel; disk; ring; steamship; to take turns; to rotate; classifier for big round objects: disk, or recurring events: round, turn",pictophonetic,"wheel" -8243,辌,"see 轀輬|辒辌[wen1 liang2]",pictophonetic,"cart" -8244,软,"variant of 軟|软[ruan3]",pictophonetic,"cart" -8245,辑,"to gather up; to collect; to edit; to compile",pictophonetic,"cart" -8246,辏,"to converge; hub of wheel",pictophonetic,"wheel" -8247,输,"to lose; to be beaten; (bound form) to transport; (literary) to donate; to contribute; (coll.) to enter (a password)",pictophonetic,"cart" -8248,辐,"spoke of a wheel",pictophonetic,"cart" -8249,辗,"roll over on side; turn half over",pictophonetic,"cart" -8250,舆,"(literary) chassis of a carriage (contrasted with the canopy 堪[kan1]); (literary) (fig.) the earth (while the carriage canopy is a metaphor for heaven); land; territory; (literary) carriage; (literary) sedan chair; palanquin; (bound form) the multitudes; the people; the public",ideographic,"A cart 车 carried on one's shoulder 舁" -8251,辒,"hearse",pictophonetic,"cart" -8252,毂,"wheel",pictophonetic,"wheel" -8253,毂,"hub of wheel",pictophonetic,"wheel" -8254,辖,"linchpin (used to fasten a wheel to an axle); (bound form) to govern; to have jurisdiction over",pictophonetic,"cart" -8255,辕,"shafts of cart; yamen",pictophonetic,"wheel" -8256,辘,"windlass",pictophonetic,"wheel" -8257,转,"see 轉文|转文[zhuai3 wen2]",pictophonetic,"cart" -8258,转,"to turn; to change direction; to transfer; to forward (mail); (Internet) to share (sb else's content)",pictophonetic,"cart" -8259,转,"to revolve; to turn; to circle about; to walk about; classifier for revolutions (per minute etc): revs, rpm; classifier for repeated actions",pictophonetic,"cart" -8260,辙,"rut; track of a wheel (Taiwan pr. [che4]); (coll.) the direction of traffic; a rhyme (of a song, poem etc); (dialect) (usu. after 有[you3] or 沒|没[mei2]) way; idea",ideographic,"Something left 育 by a cart 车 when it moves 攵" -8261,轿,"sedan chair; palanquin; litter",ideographic,"A lofty 乔 carriage 车; 乔 also provides the pronunciation" -8262,辚,"rumbling of wheels",pictophonetic,"cart" -8263,轗,"to be unable to reach one's aim; to be full of misfortune",pictophonetic,"cart" -8264,轘,"to tear between chariots (as punishment)",pictophonetic,"cart" -8265,轰,"explosion; bang; boom; rumble; to attack; to shoo away; to expel",ideographic,"The thunderous sound of a pair 双 of carts 车" -8266,辔,"bridle; reins",ideographic,"Rope 纟 yoking a horse to a chariot 车 by its mouth 口" -8267,轹,"to bully; wheel-rut",pictophonetic,"cart" -8268,轳,"windlass",pictophonetic,"wheel" -8269,辛,"surname Xin",pictographic,"A hot iron used to brand prisoners and slaves" -8270,辛,"(of taste) hot or pungent; hard; laborious; suffering; eighth in order; eighth of the ten Heavenly Stems 十天干[shi2 tian1 gan1]; letter ""H"" or Roman ""VIII"" in list ""A, B, C"", or ""I, II, III"" etc; ancient Chinese compass point: 285°; octa",pictographic,"A hot iron used to brand prisoners and slaves" -8271,辜,"surname Gu",pictophonetic,"bitter" -8272,辜,"crime; sin",pictophonetic,"bitter" -8273,辟,"(literary) king; monarch; (literary) (of a sovereign) to summon to official service; (literary) to avoid (variant of 避[bi4]); (literary) to repel (variant of 避[bi4])",ideographic,"A body 尸 decapitated 口 by a sword 辛 , representing the law" -8274,辟,"penal law; variant of 闢|辟[pi4]",ideographic,"A body 尸 decapitated 口 by a sword 辛 , representing the law" -8275,罪,"variant of 罪[zui4], crime",ideographic,"A net 罒 of wrongdoing 非" -8276,辣,"old variant of 辣[la4]",pictophonetic,"bitter" -8277,辣,"hot (spicy); pungent; (of chili pepper, raw onions etc) to sting; to burn",pictophonetic,"bitter" -8278,辞,"old variant of 辭|辞[ci2]",ideographic,"Bitter 辛 words 舌" -8279,办,"to do; to manage; to handle; to go about; to run; to set up; to deal with",pictophonetic,"strength" -8280,辨,"to distinguish; to recognize",ideographic,"To separate 刂 two alternatives 辛" -8281,辞,"to resign; to dismiss; to decline; (literary) to take leave; (archaic poetic genre) ballad; variant of 詞|词[ci2]",ideographic,"Bitter 辛 words 舌" -8282,辫,"a braid or queue; to plait",pictophonetic,"thread" -8283,辩,"to dispute; to debate; to argue; to discuss",ideographic,"A bitter 辛 exchange of words 讠" -8284,辰,"5th earthly branch: 7-9 a.m., 3rd solar month (5th April-4th May), year of the Dragon; ancient Chinese compass point: 120°",, -8285,辱,"disgrace; dishonor; to insult; to bring disgrace or humiliation to; to be indebted to; self-deprecating; Taiwan pr. [ru4]",, -8286,农,"surname Nong",pictographic,"Simplified form of 農, tilling the field 田 with a hoe 辰" -8287,农,"(bound form) agriculture",pictographic,"Simplified form of 農, tilling the field 田 with a hoe 辰" -8288,农,"variant of 農|农[nong2]",pictographic,"Simplified form of 農, tilling the field 田 with a hoe 辰" -8289,辵,"to walk (side part of split character)",pictophonetic,"foot" -8290,辶,"to walk (side part of split character)",pictographic,"A foot stepping" -8291,迂,"literal-minded; pedantic; doctrinaire; longwinded; circuitous",pictophonetic,"walk" -8292,迄,"as yet; until",pictophonetic,"walk" -8293,迅,"rapid; fast",ideographic,"To walk 辶 quickly 卂; 卂 also provides the pronunciation" -8294,迎,"to welcome; to meet; to forge ahead (esp. in the face of difficulties); to meet face to face",pictophonetic,"walk" -8295,近,"near; close to; approximately",pictophonetic,"walk" -8296,迓,"to receive (as a guest)",pictophonetic,"walk" -8297,返,"to return (to)",ideographic,"To walk 辶 backwards 反; 反 also provides the pronunciation" -8298,迕,"obstinate, perverse",pictophonetic,"walk" -8299,迢,"remote",pictophonetic,"walk" -8300,迤,"winding",pictophonetic,"walk" -8301,迤,"extending to",pictophonetic,"walk" -8302,迥,"distant",ideographic,"Separated 辶 by a border 冋; 冋 also provides the pronunciation" -8303,迦,"(phonetic sound for Buddhist terms)",pictophonetic,"walk" -8304,迨,"until; while",pictophonetic,"walk" -8305,迪,"to enlighten",ideographic,"To walk 辶 with purpose 由" -8306,迫,"used in 迫擊炮|迫击炮[pai3 ji1 pao4]",pictophonetic,"walk" -8307,迫,"to force; to compel; to approach or go towards; urgent; pressing",pictophonetic,"walk" -8308,迭,"alternately; repeatedly",pictophonetic,"walk" -8309,迮,"haste; to press",pictophonetic,"walk" -8310,述,"(bound form) to state; to tell; to narrate; to relate",pictophonetic,"walk" -8311,回,"to curve; to return; to revolve",ideographic,"Originally, a spiral signifying return" -8312,迶,"to walk",pictophonetic,"walk" -8313,迷,"to bewilder; crazy about; fan; enthusiast; lost; confused",pictophonetic,"walk" -8314,迸,"to burst forth; to spurt; to crack; split",pictophonetic,"walk" -8315,迹,"variant of 跡|迹[ji4]",pictophonetic,"walk" -8316,追,"to sculpt; to carve; musical instrument (old)",pictophonetic,"walk" -8317,追,"to chase; to pursue; to look into; to investigate; to reminisce; to recall; to court (one's beloved); to binge-watch (a TV drama); retroactively; posthumously",pictophonetic,"walk" -8318,退,"to retreat; to withdraw; to reject; to return (sth); to decline",pictophonetic,"walk" -8319,送,"to send; to deliver; to transmit; to give (as a present); to see (sb) off; to accompany; to go along with",ideographic,"A person waving 关 to someone walking away 辶" -8320,适,"see 李适[Li3 Kuo4]",pictophonetic,"walk" -8321,逃,"to escape; to run away; to flee",pictophonetic,"walk" -8322,逄,"surname Pang",pictophonetic,"walk" -8323,逅,"used in 邂逅[xie4hou4]",pictophonetic,"walk" -8324,逆,"contrary; opposite; backwards; to go against; to oppose; to betray; to rebel",ideographic,"A disobedient 屰 person 辶; 屰 also provides the pronunciation" -8325,迥,"old variant of 迥[jiong3]",ideographic,"Separated 辶 by a border 冋; 冋 also provides the pronunciation" -8326,逋,"to flee; to abscond; to owe",pictophonetic,"walk" -8327,逍,"leisurely; easygoing",pictophonetic,"walk" -8328,透,"(bound form) to penetrate; to seep through; to tell secretly; to leak; thoroughly; through and through; to appear; to show",pictophonetic,"walk" -8329,逐,"(bound form) to pursue; to chase away; individually; one by one",pictophonetic,"walk" -8330,逑,"collect; to match",pictophonetic,"walk" -8331,途,"way; route; road",pictophonetic,"walk" -8332,迳,"way; path; direct; diameter",pictophonetic,"walk" -8333,逖,"(literary) remote; far away",pictophonetic,"walk" -8334,逗,"to tease (playfully); to entice; (coll.) to joke; (coll.) funny; amusing; to stay; to sojourn; brief pause at the end of a phrase (variant of 讀|读[dou4])",pictophonetic,"walk" -8335,这,"(pronoun) this; these; (bound form) this; the (followed by a noun); (bound form) this; these (followed by a classifier) (in this sense, commonly pr. [zhei4], esp. in Beijing)",, -8336,通,"to go through; to know well; (suffix) expert; to connect; to communicate; open; to clear; classifier for letters, telegrams, phone calls etc",pictophonetic,"walk" -8337,通,"classifier for an activity, taken in its entirety (tirade of abuse, stint of music playing, bout of drinking etc)",pictophonetic,"walk" -8338,逛,"to stroll; to visit",pictophonetic,"walk" -8339,逝,"(of flowing water or time) to pass by; to pass away; to die",pictophonetic,"walk" -8340,逞,"to show off; to flaunt; to carry out or succeed in a scheme; to indulge; to give free rein to",pictophonetic,"walk" -8341,速,"fast; rapid; quick; velocity",pictophonetic,"walk" -8342,造,"to make; to build; to manufacture; to invent; to fabricate; to go to; party (in a lawsuit or legal agreement); crop; classifier for crops",pictophonetic,"walk" -8343,逡,"to shrink back (from sth)",pictophonetic,"walk" -8344,逢,"to meet by chance; to come across; (of a calendar event) to come along; (of an event) to fall on (a particular day); to fawn upon",pictophonetic,"walk" -8345,连,"surname Lian",ideographic,"A cart 车 moving 辶 goods between cities" -8346,连,"to link; to join; to connect; continuously; in succession; including; (used with 也[ye3], 都[dou1] etc) even; company (military)",ideographic,"A cart 车 moving 辶 goods between cities" -8347,回,"variant of 迴|回[hui2]",ideographic,"Originally, a spiral signifying return" -8348,奔,"variant of 奔[ben1]; variant of 奔[ben4]",ideographic,"A man 大 running through a field of grass 卉" -8349,逭,"to escape from",pictophonetic,"walk" -8350,逮,"(coll.) to catch; to seize",pictophonetic,"walk" -8351,逮,"(literary) to arrest; to seize; to overtake; until",pictophonetic,"walk" -8352,逯,"surname Lu",pictophonetic,"walk" -8353,逯,"to walk cautiously; to walk aimlessly",pictophonetic,"walk" -8354,周,"week; weekly; variant of 周[zhou1]",ideographic,"Border 冂 around land 土 with a well 口" -8355,进,"to go forward; to advance; to go in; to enter; to put in; to submit; to take in; to admit; (math.) base of a number system; classifier for sections in a building or residential compound",pictophonetic,"walk" -8356,逵,"crossroads; thoroughfare",pictophonetic,"walk" -8357,逶,"winding, curving; swagger",pictophonetic,"walk" -8358,逸,"to escape; leisurely; outstanding",ideographic,"To run 辶 like a rabbit 兔" -8359,逼,"to force (sb to do sth); to compel; to press for; to extort; to press on towards; to press up to; to close in on; euphemistic variant of 屄[bi1]",pictophonetic,"walk" -8360,逾,"to exceed; to go beyond; to transcend; to cross over; to jump over",pictophonetic,"walk" -8361,遁,"to evade; to flee; to escape",ideographic,"To escape 辶 to shelter 盾; 盾 also provides the pronunciation" -8362,遂,"used in 半身不遂[ban4 shen1 bu4 sui2]; Taiwan pr. [sui4]",pictophonetic,"walk" -8363,遂,"to satisfy; to succeed; then; thereupon; finally; unexpectedly; to proceed; to reach",pictophonetic,"walk" -8364,遄,"to hurry; to go to and fro",pictophonetic,"walk" -8365,遇,"surname Yu",pictophonetic,"walk" -8366,遇,"(bound form) to encounter; to happen upon; to meet unplanned; (bound form) to treat; to receive",pictophonetic,"walk" -8367,侦,"old variant of 偵|侦[zhen1]",pictophonetic,"person" -8368,游,"to walk; to tour; to roam; to travel",ideographic,"To swim freely 斿 through the seas 氵" -8369,运,"to move; to transport; to use; to apply; fortune; luck; fate",pictophonetic,"walk" -8370,遍,"everywhere; all over; classifier for actions: one time",pictophonetic,"walk" -8371,过,"surname Guo",pictophonetic,"walk" -8372,过,"to cross; to go over; to pass (time); to celebrate (a holiday); to live; to get along; excessively; too-",pictophonetic,"walk" -8373,过,"(experienced action marker)",pictophonetic,"walk" -8374,遏,"to restrain; to check; to hold back",pictophonetic,"walk" -8375,遐,"distant; long-lasting; to abandon",pictophonetic,"walk" -8376,遑,"leisure",pictophonetic,"walk" -8377,遒,"strong; vigorous; robust; to draw near; to come to an end",pictophonetic,"walk" -8378,道,"road; path (CL:條|条[tiao2],股[gu3]); (bound form) way; reason; principle; (bound form) a skill; an art; a specialization; (Daoism) the Way; the Dao; to say (introducing a direct quotation, as in a novel); (bound form) to express; to extend (polite words); classifier for long thin things (rivers, cracks etc), barriers (walls, doors etc), questions (in an exam etc), commands, courses in a meal, steps in a process; (old) circuit (administrative division)",pictophonetic,"walk" -8379,达,"surname Da",pictophonetic, -8380,达,"to attain; to reach; to amount to; to communicate; eminent",pictophonetic, -8381,违,"to disobey; to violate; to separate; to go against",pictophonetic,"walk" -8382,遘,"meet unexpectedly",pictophonetic,"walk" -8383,遥,"(bound form) distant; remote; far away",pictophonetic,"walk" -8384,遛,"to stroll; to walk (an animal)",pictophonetic,"walk" -8385,逊,"to abdicate; modest; yielding; unpretentious; inferior to; (slang) to suck",pictophonetic,"walk" -8386,递,"to hand over; to pass on; to deliver; (bound form) progressively; in the proper order",pictophonetic,"walk" -8387,远,"far; distant; remote; (intensifier in a comparison) by far; much (lower etc)",pictophonetic,"walk" -8388,远,"to distance oneself from (classical)",pictophonetic,"walk" -8389,溯,"variant of 溯[su4]",ideographic,"To seek the source 朔 of a river 氵" -8390,遢,"used in 邋遢[la1ta5]; Taiwan pr. [ta4]",pictophonetic,"walk" -8391,遣,"(bound form) to dispatch; to send; (bound form) to drive away; to dispel",pictophonetic,"walk" -8392,遨,"to make an excursion; to ramble; to travel",ideographic,"To walk 辶 about 敖; 敖 also provides the pronunciation" -8393,适,"surname Shi",pictophonetic,"walk" -8394,适,"to fit; suitable; proper; just (now); comfortable; well; to go; to follow or pursue",pictophonetic,"walk" -8395,遭,"to meet by chance (usually with misfortune); classifier for events: time, turn, incident",pictophonetic,"walk" -8396,遮,"to cover up (a shortcoming); to screen off; to hide; to conceal",pictophonetic,"walk" -8397,遁,"variant of 遁[dun4]",ideographic,"To escape 辶 to shelter 盾; 盾 also provides the pronunciation" -8398,迟,"surname Chi",pictophonetic,"walk" -8399,迟,"late; delayed; slow",pictophonetic,"walk" -8400,遴,"surname Lin",pictophonetic,"walk" -8401,遴,"(literary) to select",pictophonetic,"walk" -8402,遵,"to observe; to obey; to follow; to comply with",ideographic,"To follow 辶 or honor 尊 someone; 尊 also provides the pronunciation" -8403,绕,"variant of 繞|绕[rao4], to rotate around; to spiral; to move around; to go round (an obstacle); to by-pass; to make a detour",pictophonetic,"thread" -8404,迁,"to move; to shift; to change (a position or location etc); to promote",pictophonetic,"walk" -8405,选,"to choose; to pick; to select; to elect",pictophonetic,"walk" -8406,遗,"(bound form) to leave behind",ideographic,"To leave 辶 something valuable 贵 behind" -8407,辽,"short name for Liaoning 遼寧|辽宁[Liao2 ning2] province; Liao or Khitan dynasty (916-1125)",pictophonetic,"walk" -8408,辽,"(bound form) distant; faraway",pictophonetic,"walk" -8409,遽,"hurry; fast; suddenly",pictophonetic,"walk" -8410,避,"to avoid; to shun; to flee; to escape; to keep away from; to leave; to hide from",pictophonetic,"foot" -8411,邀,"to invite; to request; to intercept; to solicit; to seek",pictophonetic,"foot" -8412,迈,"to take a step; to stride",ideographic,"To take ten thousand 万 steps 辶" -8413,邂,"used in 邂逅[xie4hou4]",pictophonetic,"walk" -8414,邃,"deep; distant; mysterious",pictophonetic,"cave" -8415,还,"surname Huan",ideographic,"Not 不 moving 辶" -8416,还,"still; still in progress; still more; yet; even more; in addition; fairly; passably (good); as early as; even; also; else",ideographic,"Not 不 moving 辶" -8417,还,"to pay back; to return",ideographic,"Not 不 moving 辶" -8418,迩,"recently; near; close",pictophonetic,"walk" -8419,邈,"profound; remote",pictophonetic,"walk" -8420,边,"side; edge; margin; border; boundary; CL:個|个[ge4]; simultaneously",pictophonetic,"walk" -8421,边,"suffix of a noun of locality",pictophonetic,"walk" -8422,邋,"used in 邋遢[la1ta5]",pictophonetic,"walk" -8423,逻,"patrol",pictophonetic,"walk" -8424,逦,"winding",pictophonetic,"walk" -8425,邑,"city; village",ideographic,"A place 口 where people hope 巴 to settle" -8426,邕,"Yong River (Guangxi); short name for Nanning (Guangxi)",ideographic,"The area 邑 around a river 巛" -8427,邕,"city surrounded by a moat; old variant of 雍[yong1]; old variant of 壅[yong1]",ideographic,"The area 邑 around a river 巛" -8428,邗,"name of an ancient river",pictophonetic,"place" -8429,邘,"surname Yu",pictophonetic,"place" -8430,邘,"place name",pictophonetic,"place" -8431,邙,"Mt Mang at Luoyang in Henan, with many Han, Wei and Jin dynasty royal tombs",pictophonetic,"place" -8432,邛,"mound; place name",pictophonetic,"hill" -8433,邠,"variant of 豳[Bin1]",pictophonetic,"place" -8434,邠,"variant of 彬[bin1]",pictophonetic,"place" -8435,邡,"name of a district in Sichuan",pictophonetic,"place" -8436,邢,"surname Xing; place name",pictophonetic,"place" -8437,那,"surname Na",, -8438,那,"surname Nuo",, -8439,那,"variant of 哪[na3]",, -8440,那,"(specifier) that; the; those (colloquial pr. [nei4]); (pronoun) that (referring to persons, things or situations); then (in that case)",, -8441,那,"(archaic) many; beautiful; how; old variant of 挪[nuo2]",, -8442,邦,"(bound form) country; nation; state",ideographic,"A bountiful 丰 place 阝" -8443,村,"variant of 村[cun1]",pictophonetic,"tree" -8444,邨,"surname Cun",ideographic,"A rustic 屯 town 阝; 阝 also provides the pronunciation" -8445,邪,"demonic; iniquitous; nefarious; evil; unhealthy influences that cause disease (Chinese medicine); (coll.) strange; abnormal",, -8446,邯,"name of a district in Hebei",pictophonetic,"place" -8447,邰,"surname Tai; name of a feudal state",pictophonetic,"place" -8448,邱,"surname Qiu",ideographic,"A place 阝 on a hill 丘; 丘 also provides the pronunciation" -8449,邱,"variant of 丘[qiu1]",ideographic,"A place 阝 on a hill 丘; 丘 also provides the pronunciation" -8450,邳,"surname Pi; Han dynasty county in present-day Jiangsu; also pr. [Pei2]",pictophonetic,"place" -8451,邳,"variant of 丕[pi1]",pictophonetic,"place" -8452,邴,"surname Bing",pictophonetic,"city" -8453,邴,"ancient city name; happy",pictophonetic,"city" -8454,邵,"surname Shao; place name",pictophonetic,"place" -8455,邶,"name of a feudal state",pictophonetic,"place" -8456,邸,"surname Di",pictophonetic,"place" -8457,邸,"residence of a high-ranking official; lodging-house",pictophonetic,"place" -8458,邾,"surname Zhu",pictophonetic,"place" -8459,邾,"name of a feudal state",pictophonetic,"place" -8460,郁,"surname Yu",pictophonetic,"city" -8461,郁,"(bound form) strongly fragrant",pictophonetic,"city" -8462,郄,"surname Qie",, -8463,郄,"surname Xi (variant of 郤[Xi4])",, -8464,郅,"surname Zhi",pictophonetic,"city" -8465,郅,"extremely; very",pictophonetic,"city" -8466,郇,"name of a feudal state",pictophonetic,"place" -8467,郊,"surname Jiao",pictophonetic,"place" -8468,郊,"suburbs; outskirts",pictophonetic,"place" -8469,郎,"surname Lang",ideographic,"A man from a good 良 place 阝;  良 also provides the pronunciation" -8470,郎,"(arch.) minister; official; noun prefix denoting function or status; a youth",ideographic,"A man from a good 良 place 阝;  良 also provides the pronunciation" -8471,郗,"surname Chi; name of an ancient city",pictophonetic,"city" -8472,郛,"suburbs",pictophonetic,"city" -8473,郜,"surname Gao; name of a feudal state",pictophonetic,"place" -8474,郝,"ancient place name; surname Hao",pictophonetic,"place" -8475,郏,"name of a district in Henan",pictophonetic,"place" -8476,郡,"canton; county; region",pictophonetic,"place" -8477,郢,"Ying, ancient capital of Chu 楚 in Hubei, Jianling county 江陵縣|江陵县",pictophonetic,"place" -8478,郤,"surname Xi",pictophonetic,"valley" -8479,郤,"variant of 隙[xi4]",pictophonetic,"valley" -8480,部,"ministry; department; section; part; division; troops; board; classifier for works of literature, films, machines etc",pictophonetic,"place" -8481,郫,"place name",pictophonetic,"place" -8482,郭,"surname Guo",ideographic,"A tall building 享 at the edge of a city 阝" -8483,郭,"outer city wall",ideographic,"A tall building 享 at the edge of a city 阝" -8484,郯,"surname Tan; name of an ancient city",pictophonetic,"city" -8485,郴,"name of a district in Hunan",pictophonetic,"place" -8486,邮,"post (office); mail",pictophonetic,"place" -8487,都,"surname Du",pictophonetic,"city" -8488,都,"all; both; entirely; (used for emphasis) even; already; (not) at all",pictophonetic,"city" -8489,都,"capital city; metropolis",pictophonetic,"city" -8490,郾,"place name",pictophonetic,"place" -8491,鄂,"surname E; abbr. for Hubei Province 湖北省[Hu2bei3 Sheng3]",pictophonetic,"place" -8492,鄄,"name of a district in Shandong",pictophonetic,"place" -8493,郓,"place name",pictophonetic,"town" -8494,乡,"country or countryside; native place; home village or town; township (PRC administrative unit)",, -8495,鄋,"see 鄋瞞|鄋瞒[Sou1 man2]",pictophonetic,"place" -8496,邹,"surname Zou; vassal state during the Zhou Dynasty (1046-256 BC) in the southeast of Shandong",pictophonetic,"place" -8497,邬,"surname Wu; ancient place name",pictophonetic,"place" -8498,郧,"name of a feudal state",pictophonetic,"place" -8499,鄙,"rustic; low; base; mean; to despise; to scorn",pictophonetic,"village" -8500,鄞,"name of a district in Zhejiang",pictophonetic,"place" -8501,鄢,"surname Yan; name of a district in Henan",pictophonetic,"place" -8502,鄣,"place name",pictophonetic,"city" -8503,鄦,"surname Xu; vassal state during the Zhou Dynasty (1046-221 BC)",pictophonetic,"place" -8504,鄦,"old variant of 許|许",pictophonetic,"place" -8505,邓,"surname Deng",pictophonetic,"place" -8506,郑,"the name of a state in the Zhou dynasty in the vicinity of present-day Xinzheng 新鄭|新郑[Xin1zheng4], a county-level city in Henan; surname Zheng; abbr. for Zhengzhou 鄭州|郑州[Zheng4zhou1], the capital of Henan",ideographic,"A city 阝 guarding a pass 关" -8507,郑,"bound form used in 鄭重|郑重[zheng4 zhong4] and 雅鄭|雅郑[ya3 zheng4]",ideographic,"A city 阝 guarding a pass 关" -8508,鄯,"name of a district in Xinjiang",pictophonetic,"place" -8509,邻,"neighbor; adjacent; close to",pictophonetic,"town" -8510,鄱,"name of a lake",pictophonetic,"place" -8511,郸,"name of a district in Hebei",pictophonetic,"place" -8512,邺,"surname Ye; ancient district in present-day Hebei 河北省[He2bei3 Sheng3]",pictophonetic,"place" -8513,郐,"surname Kuai; name of a feudal state",pictophonetic,"place" -8514,鄹,"name of a state; surname Zou",pictophonetic,"place" -8515,邝,"surname Kuang",pictophonetic,"place" -8516,酃,"name of a district in Hunan",pictophonetic,"place" -8517,酆,"Zhou Dynasty capital; surname Feng",pictophonetic,"place" -8518,郦,"surname Li; ancient place name",pictophonetic,"place" -8519,酉,"10th earthly branch: 5-7 p.m., 8th solar month (8th September-7th October), year of the Rooster; ancient Chinese compass point: 270° (west)",pictographic,"A vessel half-filled with wine" -8520,酊,"tincture (loanword)",pictophonetic,"wine" -8521,酊,"used in 酩酊[ming3 ding3]",pictophonetic,"wine" -8522,酋,"tribal chief",pictographic,"A feathered crown" -8523,酌,"to pour wine; to drink wine; to deliberate; to consider",pictophonetic,"wine" -8524,配,"to join; to fit; to mate; to mix; to match; to deserve; to make up (a prescription); to allocate",pictophonetic,"wine" -8525,酎,"strong wine",pictophonetic,"wine" -8526,酏,"elixirs; sweet wine",pictophonetic,"wine" -8527,酐,"anhydride",pictophonetic,"chemical" -8528,酒,"wine (esp. rice wine); liquor; spirits; alcoholic beverage; CL:杯[bei1],瓶[ping2],罐[guan4],桶[tong3],缸[gang1]",ideographic,"A jar 酉 of wine 氵; 酉 also provides the pronunciation" -8529,酕,"used in 酕醄[mao2tao2]",pictophonetic,"wine" -8530,酖,"addicted to liquor",ideographic,"Suspect 冘 wine 酉" -8531,酖,"poisonous; to poison",ideographic,"Suspect 冘 wine 酉" -8532,酗,"drunk",ideographic,"A dangerous 凶 drunk 酉" -8533,酚,"phenol",pictophonetic,"chemical" -8534,酞,"phthalein (chemistry)",pictophonetic,"chemical" -8535,酡,"flushed (from drinking)",pictophonetic,"wine" -8536,酢,"variant of 醋[cu4]",pictophonetic,"wine" -8537,酢,"toast to host by guest",pictophonetic,"wine" -8538,酣,"intoxicated",pictophonetic,"wine" -8539,酤,"to deal in liquors",pictophonetic,"wine" -8540,酥,"flaky pastry; crunchy; limp; soft; silky",pictophonetic,"grain" -8541,酬,"variant of 酬[chou2]",pictophonetic,"wine" -8542,酩,"used in 酩酊[ming3 ding3]",pictophonetic,"wine" -8543,酪,"(bound form) semi-solid food made from milk (junket, cheese etc); (bound form) fruit jelly; sweet paste made with crushed nuts; Taiwan pr. [luo4]",pictophonetic,"wine" -8544,酬,"to entertain; to repay; to return; to reward; to compensate; to reply; to answer",pictophonetic,"wine" -8545,酮,"ketone",pictophonetic,"chemical" -8546,酯,"ester",pictophonetic,"chemical" -8547,酰,"acid radical; -acyl (chemistry)",pictophonetic,"chemical" -8548,酲,"(literary) inebriated; hungover",pictophonetic,"wine" -8549,酴,"yeast",pictophonetic,"wine" -8550,酵,"yeast; leaven; fermentation; Taiwan pr. [xiao4]",pictophonetic,"wine" -8551,酶,"enzyme; ferment",pictophonetic,"chemical" -8552,酷,"ruthless; strong (e.g. of wine); (loanword) cool; hip",pictophonetic,"wine" -8553,酸,"sour; tart; sick at heart; grieved; sore; aching; pedantic; impractical; to make sarcastic remarks about sb; an acid",ideographic,"Wine 酉 aged too long 夋; 夋 also provides the pronunciation" -8554,酹,"pour out libation; sprinkle",ideographic,"A pinch 寽 of wine 酉; 寽 also provides the pronunciation" -8555,腌,"to salt; to pickle; to cure (meat); to marinate",ideographic,"Meat ⺼ left 奄 in salt; 奄 also provides the pronunciation" -8556,醄,"used in 酕醄[mao2tao2]",pictophonetic,"wine" -8557,醅,"unstrained spirits",pictophonetic,"wine" -8558,醇,"alcohol; wine with high alcohol content; rich; pure; good wine; sterols",ideographic,"Wine 酉 fit to be savored 享" -8559,醉,"intoxicated",pictophonetic,"wine" -8560,醋,"vinegar; jealousy (in love rivalry)",ideographic,"Aged 昔 wine 酉; wine gone sour" -8561,醌,"quinone (chemistry)",pictophonetic,"chemical" -8562,醍,"essential oil of butter",pictophonetic,"wine" -8563,醐,"purest cream",pictophonetic,"wine" -8564,醑,"spiritus; strain spirits",pictophonetic,"wine" -8565,醒,"to wake up; to be awake; to become aware; to sober up; to come to",pictophonetic,"wine" -8566,醇,"old variant of 醇[chun2]",ideographic,"Wine 酉 fit to be savored 享" -8567,醚,"ether",pictophonetic,"chemical" -8568,醛,"aldehyde",pictophonetic,"chemical" -8569,丑,"shameful; ugly; disgraceful",, -8570,酝,"to brew",pictophonetic,"wine" -8571,醢,"minced meat; pickled meat",ideographic,"Meat 皿 left in wine 酉; 右 provides the pronunciation" -8572,醣,"carbohydrate; old variant of 糖[tang2]",pictophonetic,"chemical" -8573,醪,"wine or liquor with sediment",pictophonetic,"wine" -8574,医,"medical; medicine; doctor; to cure; to treat",pictophonetic,"arrow" -8575,酱,"thick paste of fermented soybean; marinated in soy paste; paste; jam",pictophonetic,"wine" -8576,醭,"mold on liquids",pictophonetic,"wine" -8577,醮,"to perform sacrifice",pictophonetic,"wine" -8578,醯,"acyl",pictophonetic,"wine" -8579,酦,"used in 醱酵|酦酵[fa1 jiao4]; Taiwan pr. [po4]",pictophonetic,"wine" -8580,酦,"to ferment alcohol; Taiwan pr. [po4]",pictophonetic,"wine" -8581,醴,"sweet wine",pictophonetic,"wine" -8582,醵,"to contribute to a feast; to pool (money)",pictophonetic,"wine" -8583,醺,"helplessly intoxicated",pictophonetic,"wine" -8584,酬,"variant of 酬[chou2]",pictophonetic,"wine" -8585,宴,"variant of 宴[yan4]",ideographic,"A woman 女 cooking food 日 for a house 宀 banquet" -8586,酿,"to ferment; to brew; to make honey (of bees); to lead to; to form gradually; wine; stuffed vegetables (cooking method)",pictophonetic,"wine" -8587,衅,"quarrel; dispute; a blood sacrifice (arch.)",pictophonetic,"blood" -8588,酾,"(literary) to filter (wine); to pour (wine or tea); to dredge; also pr. [shai1]; Taiwan pr. [si1]",pictophonetic,"wine" -8589,酽,"strong (of tea)",ideographic,"Hard 严 liquor 酉; 严 also provides the pronunciation" -8590,釆,"old variant of 辨[bian4]",ideographic,"Rice 米 ready to be picked" -8591,采,"color; complexion; looks; variant of 彩[cai3]; variant of 採|采[cai3]",ideographic,"A hand picking 爫 fruit from a tree 木" -8592,采,"allotment to a feudal noble",ideographic,"A hand picking 爫 fruit from a tree 木" -8593,釉,"glaze (of porcelain)",pictophonetic,"collect" -8594,释,"to explain; to release; Buddha (abbr. for 釋迦牟尼|释迦牟尼[Shi4 jia1 mou2 ni2]); Buddhism",pictophonetic,"collect" -8595,里,"Li (surname)",ideographic,"Unit of measure for farm 田 land 土" -8596,里,"li, ancient measure of length, approx. 500 m; neighborhood; ancient administrative unit of 25 families; (Tw) borough, administrative unit between the township 鎮|镇[zhen4] and neighborhood 鄰|邻[lin2] levels",ideographic,"Unit of measure for farm 田 land 土" -8597,重,"to repeat; repetition; again; re-; classifier: layer",ideographic,"A burden carried for a thousand 千 miles 里" -8598,重,"heavy; serious; to attach importance to",ideographic,"A burden carried for a thousand 千 miles 里" -8599,野,"field; plain; open space; limit; boundary; rude; feral",pictophonetic,"village" -8600,量,"to measure",pictophonetic,"unit" -8601,量,"capacity; quantity; amount; to estimate; abbr. for 量詞|量词[liang4 ci2], classifier (in Chinese grammar); measure word",pictophonetic,"unit" -8602,厘,"Li (c. 2000 BC), sixth of the legendary Flame Emperors 炎帝[Yan2 di4] descended from Shennong 神農|神农[Shen2 nong2] Farmer God, also known as Ai 哀[Ai1]",pictophonetic,"workshop" -8603,厘,"one hundredth; centi-",pictophonetic,"workshop" -8604,金,"surname Jin; surname Kim (Korean); Jurchen Jin dynasty (1115-1234)",pictographic,"A cast-iron bell" -8605,金,"gold; chemical element Au; generic term for lustrous and ductile metals; money; golden; highly respected; one of the eight categories of ancient musical instruments 八音[ba1 yin1]",pictographic,"A cast-iron bell" -8606,钆,"gadolinium (chemistry)",pictophonetic,"metal" -8607,钇,"yttrium (chemistry)",pictophonetic,"metal" -8608,钌,"ruthenium (chemistry)",pictophonetic,"metal" -8609,钌,"see 釕銱兒|钌铞儿[liao4 diao4 r5]; Taiwan pr. [liao3]",pictophonetic,"metal" -8610,钊,"to encourage; to cut; to strain",ideographic,"A metal 钅 knife 刂; 刂 also provides the pronunciation" -8611,钉,"nail; to follow closely; to keep at sb (to do sth); variant of 盯[ding1]",ideographic,"A metal 钅 nail 丁; 丁 also provides the pronunciation" -8612,钉,"to join things together by fixing them in place at one or more points; to nail; to pin; to staple; to sew on",ideographic,"A metal 钅 nail 丁; 丁 also provides the pronunciation" -8613,钋,"polonium (chemistry); Taiwan pr. [po4]",pictophonetic,"metal" -8614,釜,"kettle; cauldron",pictophonetic,"metal" -8615,针,"needle; pin; injection; stitch; CL:根[gen1],支[zhi1]",ideographic,"A metal 钅 pin 十" -8616,钓,"to fish with a hook and line; to angle",ideographic,"A metal 钅 hook 勺; 勺 also provides the pronunciation" -8617,钐,"samarium (chemistry)",pictophonetic,"metal" -8618,钐,"to cut with a sickle; large sickle",pictophonetic,"metal" -8619,扣,"button",pictophonetic,"hand" -8620,钏,"surname Chuan",pictophonetic,"metal" -8621,钏,"armlet; bracelet",pictophonetic,"metal" -8622,钒,"vanadium (chemistry)",pictophonetic,"metal" -8623,焊,"variant of 焊[han4]",pictophonetic,"fire" -8624,钗,"hairpin",ideographic,"A metal 钅 fork 叉; 叉 also provides the pronunciation" -8625,钍,"thorium (chemistry)",pictophonetic,"metal" -8626,钕,"neodymium (chemistry)",pictophonetic,"metal" -8627,钎,"a drill (for boring through rock)",ideographic,"A metal 钅 awl 千; 千 also provides the pronunciation" -8628,钯,"palladium (chemistry); Taiwan pr. [ba1]",pictophonetic,"metal" -8629,钯,"archaic variant of 耙[pa2]",pictophonetic,"metal" -8630,钫,"francium (chemistry)",pictophonetic,"metal" -8631,钭,"surname Tou",ideographic,"A metal 钅 flask 斗; 斗 also provides the pronunciation" -8632,钭,"a wine flagon",ideographic,"A metal 钅 flask 斗; 斗 also provides the pronunciation" -8633,鈆,"old variant of 沿[yan2]",pictophonetic,"metal" -8634,铅,"old variant of 鉛|铅[qian1]",pictophonetic,"metal" -8635,钚,"plutonium (chemistry)",pictophonetic,"metal" -8636,钠,"sodium (chemistry)",pictophonetic,"metal" -8637,钝,"blunt; stupid",pictophonetic,"metal" -8638,钩,"variant of 鉤|钩[gou1]",ideographic,"A metal 钅 hook 勾; 勾 also provides the pronunciation" -8639,钤,"latch of door; seal",pictophonetic,"metal" -8640,钣,"metal plate; sheet of metal",pictophonetic,"metal" -8641,钞,"money; paper money; variant of 抄[chao1]",pictophonetic,"money" -8642,钮,"surname Niu",pictophonetic,"metal" -8643,钮,"button",pictophonetic,"metal" -8644,钧,"30 catties; great; your (honorific)",pictophonetic,"gold" -8645,钙,"calcium (chemistry)",pictophonetic,"metal" -8646,钬,"holmium (chemistry)",pictophonetic,"metal" -8647,钛,"titanium (chemistry)",pictophonetic,"metal" -8648,钪,"scandium (chemistry)",pictophonetic,"metal" -8649,鈬,"surname Duo",pictophonetic,"bell" -8650,鈬,"Japanese variant of 鐸|铎, large ancient bell",pictophonetic,"bell" -8651,铌,"niobium (chemistry)",pictophonetic,"metal" -8652,铈,"cerium (chemistry)",pictophonetic,"metal" -8653,钶,"columbium",pictophonetic,"metal" -8654,铃,"(small) bell; CL:隻|只[zhi1]",pictophonetic,"bell" -8655,钴,"cobalt (chemistry); Taiwan pr. [gu1]",pictophonetic,"metal" -8656,钹,"cymbals",pictophonetic,"bell" -8657,铍,"beryllium (chemistry)",pictophonetic,"metal" -8658,钰,"treasure; hard metal",ideographic,"A treasure of gold 钅 and jade 玉; 玉 also provides the pronunciation" -8659,钸,"metal plate",pictophonetic,"metal" -8660,钸,"plutonium (chemistry) (Tw)",pictophonetic,"metal" -8661,铀,"uranium (chemistry); Taiwan pr. [you4]",pictophonetic,"metal" -8662,钿,"to inlay with gold, silver etc; ancient inlaid ornament shaped as a flower",pictophonetic,"gold" -8663,钿,"(dialect) coin; money",pictophonetic,"gold" -8664,钾,"potassium (chemistry)",pictophonetic,"metal" -8665,鉄,"old variant of 鐵|铁[tie3]",pictophonetic,"metal" -8666,鉄,"old variant of 紩[zhi4]",pictophonetic,"metal" -8667,钜,"hard iron; hook; variant of 巨[ju4]; variant of 詎|讵[ju4]",pictophonetic,"metal" -8668,铊,"thallium (chemistry)",pictophonetic,"metal" -8669,铉,"stick-like implement inserted into the handles of a tripod cauldron in ancient times in order to lift the cauldron; commonly used in Korean names, transcribed as ""hyun""",pictophonetic,"metal" -8670,铋,"bismuth (chemistry)",pictophonetic,"metal" -8671,铂,"platinum (chemistry)",pictophonetic,"metal" -8672,钷,"promethium (chemistry)",pictophonetic,"metal" -8673,钳,"pincers; pliers; tongs; claw (of animal); to grasp with pincers; to pinch; to clamp; to restrain; to restrict; to gag",pictophonetic,"metal" -8674,铆,"to fasten with rivets; (coll.) to exert one's strength",pictophonetic,"metal" -8675,铅,"lead (chemistry)",pictophonetic,"metal" -8676,钺,"battle-ax",ideographic,"A metal 钅 axe 戉; 戉 also provides the pronunciation" -8677,钵,"variant of 缽|钵[bo1]",pictophonetic,"gold" -8678,钩,"to hook; to sew; to crochet; hook; check mark or tick; window catch",ideographic,"A metal 钅 hook 勾; 勾 also provides the pronunciation" -8679,钲,"gong used to halt troops",pictophonetic,"bell" -8680,钼,"molybdenum (chemistry)",pictophonetic,"metal" -8681,钽,"tantalum (chemistry)",pictophonetic,"metal" -8682,铰,"scissors; to cut (with scissors)",ideographic,"Objects with a metal 钅 joint 交; 交 also provides the pronunciation" -8683,铒,"erbium (chemistry)",pictophonetic,"metal" -8684,铬,"chromium (chemistry)",pictophonetic,"metal" -8685,鉾,"spear",pictophonetic,"metal" -8686,铪,"hafnium (chemistry)",pictophonetic,"metal" -8687,银,"silver; silver-colored; relating to money or currency",pictophonetic,"money" -8688,铳,"ancient firearm; gun",pictophonetic,"metal" -8689,铜,"copper (chemistry); see also 紅銅|红铜[hong2 tong2]; CL:塊|块[kuai4]",pictophonetic,"metal" -8690,銎,"eye of an axe",pictophonetic,"metal" -8691,铣,"to mill (machining); Taiwan pr. [xian3]",pictophonetic,"metal" -8692,铣,"shining metal; (old) the 16th of the month (abbreviation used in telegrams)",pictophonetic,"metal" -8693,铨,"to estimate; to select",pictophonetic,"metal" -8694,铢,"twenty-fourth part of a tael (2 or 3 grams)",pictophonetic,"metal" -8695,铭,"to engrave; inscribed motto",ideographic,"To carve 钅 one's name 名; 名 also provides the pronunciation" -8696,铫,"surname Yao",pictophonetic,"metal" -8697,铫,"pan with a long handle",pictophonetic,"metal" -8698,铫,"weeding tool",pictophonetic,"metal" -8699,衔,"bit (of a bridle); to hold in the mouth; to harbor (feelings); to link; to accept; rank; title",pictophonetic,"metal" -8700,铑,"rhodium (chemistry)",pictophonetic,"metal" -8701,铷,"rubidium (chemistry)",pictophonetic,"metal" -8702,铱,"iridium (chemistry)",pictophonetic,"metal" -8703,铟,"indium (chemistry)",pictophonetic,"metal" -8704,铵,"ammonium",pictophonetic,"metal" -8705,铥,"thulium (chemistry)",pictophonetic,"metal" -8706,铕,"europium (chemistry)",pictophonetic,"metal" -8707,铯,"cesium (chemistry)",pictophonetic,"metal" -8708,铐,"shackles; fetters; manacle",pictophonetic,"metal" -8709,铞,"see 釕銱兒|钌铞儿[liao4 diao4 r5]",pictophonetic,"metal" -8710,焊,"variant of 焊[han4]",pictophonetic,"fire" -8711,锐,"acute",pictophonetic,"metal" -8712,销,"to melt (metal); to cancel; to annul; to sell; to expend; to spend; pin; bolt; to fasten with a pin or bolt",pictophonetic,"metal" -8713,锈,"variant of 鏽|锈[xiu4]",pictophonetic,"metal" -8714,锑,"antimony (chemistry)",pictophonetic,"metal" -8715,锉,"file (tool used for smoothing); rasp; to file",pictophonetic,"metal" -8716,汞,"variant of 汞[gong3]",pictophonetic,"water" -8717,銾,"sound of a bell",ideographic,"Metal 釒 that flows like water 水; 工 provides the pronunciation" -8718,铝,"aluminum (chemistry)",pictophonetic,"metal" -8719,锒,"chain; ornament",pictophonetic,"metal" -8720,锌,"zinc (chemistry)",pictophonetic,"metal" -8721,钡,"barium (chemistry)",pictophonetic,"metal" -8722,鋈,"-plated; to plate",pictophonetic,"metal" -8723,铤,"ingot",pictophonetic,"metal" -8724,铤,"big arrow; walk fast",pictophonetic,"metal" -8725,铗,"pincers for use at a fire; sword",ideographic,"Metal 钅 used to grasp 夹 items; 夹 also provides the pronunciation" -8726,锋,"point of a spear; edge of a tool; vanguard; forward (in sports team)",pictophonetic,"metal" -8727,锊,"(ancient unit of weight)",pictophonetic,"metal" -8728,锓,"to carve",pictophonetic,"metal" -8729,铘,"used in 鏌鋣|镆铘[Mo4ye2]",ideographic,"A metal 钅 weapon 邪; 邪 also provides the pronunciation" -8730,锄,"a hoe; to hoe or dig; to weed; to get rid of",ideographic,"A metal 钅 tool 助; 助 also provides the pronunciation" -8731,锃,"polished; shiny",pictophonetic,"metal" -8732,锔,"to mend by stapling or cramping broken pieces together",pictophonetic,"metal" -8733,锔,"curium (chemistry)",pictophonetic,"metal" -8734,锇,"osmium (chemistry)",pictophonetic,"metal" -8735,铓,"sharp point; point of sword",ideographic,"A metal 钅 blade 芒; 芒 also provides the pronunciation" -8736,铺,"to spread; to display; to set up; (old) holder for door-knocker",pictophonetic,"money" -8737,铺,"plank bed; place to sleep; shop; store; (old) relay station",pictophonetic,"money" -8738,铖,"(used in people's names)",pictophonetic,"gold" -8739,锆,"zirconium (chemistry)",pictophonetic,"metal" -8740,锂,"lithium (chemistry)",pictophonetic,"metal" -8741,铽,"terbium (chemistry)",pictophonetic,"metal" -8742,锯,"variant of 鋦|锔[ju1]",pictophonetic,"metal" -8743,锯,"a saw (CL:把[ba3]); to saw",pictophonetic,"metal" -8744,鉴,"variant of 鑑|鉴[jian4]",pictophonetic,"metal" -8745,钢,"steel",pictophonetic,"metal" -8746,锞,"grease-pot for cart; ingot",pictophonetic,"gold" -8747,录,"surname Lu",pictographic,"A brush used to record stories" -8748,录,"diary; record; to hit; to copy",pictographic,"A brush used to record stories" -8749,锖,"the color of a mineral",ideographic,"A metallic 钅 color 青; 青 also provides the pronunciation" -8750,锫,"berkelium (chemistry)",pictophonetic,"metal" -8751,锩,"to bend iron",pictophonetic,"metal" -8752,锥,"cone; awl; to bore",pictophonetic,"metal" -8753,锕,"actinium (chemistry)",pictophonetic,"metal" -8754,锟,"steel sword",pictophonetic,"metal" -8755,锤,"hammer; to hammer into shape; weight (e.g. of a steelyard or balance); to strike with a hammer",pictophonetic,"metal" -8756,锱,"ancient weight; one-eighth of a tael",pictophonetic,"metal" -8757,铮,"clang of metals; small gong",pictophonetic,"bell" -8758,锛,"adz; adze",pictophonetic,"metal" -8759,锬,"long spear",pictophonetic,"metal" -8760,锭,"(weaving) spindle; ingot; pressed cake of medicine etc; classifier for: gold and silver ingots, ink sticks",pictophonetic,"metal" -8761,钱,"surname Qian",pictophonetic,"money" -8762,钱,"coin; money; CL:筆|笔[bi3]; unit of weight, one tenth of a tael 兩|两[liang3]",pictophonetic,"money" -8763,锦,"brocade; embroidered work; bright",ideographic,"Silk 帛 inlaid with gold 钅; 钅 also provides the pronunciation" -8764,锚,"anchor",pictophonetic,"metal" -8765,锡,"tin (chemistry); to bestow; to confer; to grant; Taiwan pr. [xi2]",pictophonetic,"metal" -8766,锢,"obstinate disease; to restrain; to stop",ideographic,"To forge 固 metal 钅; 固 also provides the pronunciation" -8767,错,"surname Cuo",ideographic,"Gold 钅 that once was 昔 but is lost" -8768,错,"mistake; wrong; bad; interlocking; complex; to grind; to polish; to alternate; to stagger; to miss; to let slip; to evade; to inlay with gold or silver",ideographic,"Gold 钅 that once was 昔 but is lost" -8769,録,"Japanese variant of 錄|录[lu4]",ideographic,"To carve 釒 a record 录; 录 also provides the pronunciation" -8770,锰,"manganese (chemistry)",pictophonetic,"metal" -8771,表,"watch (timepiece); meter; gauge",ideographic,"Fur 毛 clothing 衣; a shawl or wrap" -8772,铼,"rhenium (chemistry)",pictophonetic,"metal" -8773,锝,"technetium (chemistry)",pictophonetic,"metal" -8774,锨,"shovel",pictophonetic,"metal" -8775,锪,"(metalwork) to ream; to countersink; to counterbore; Taiwan pr. [huo4]",pictophonetic,"metal" -8776,钔,"mendelevium (chemistry)",pictophonetic,"metal" -8777,锴,"high quality iron",pictophonetic,"metal" -8778,炼,"variant of 鏈|链[lian4], chain; variant of 煉|炼[lian4]",pictophonetic,"fire" -8779,锅,"pot; pan; wok; cauldron; pot-shaped thing; CL:口[kou3],隻|只[zhi1]",pictophonetic,"metal" -8780,镀,"to plate (with gold, silver etc); (prefix) -plated",pictophonetic,"gold" -8781,锷,"blade edge; sharp",pictophonetic,"metal" -8782,铡,"lever-style guillotine; to chop using this type of guillotine",ideographic,"A metal 钅 knife 刂; 则 also provides the pronunciation" -8783,锻,"to forge; to discipline; wrought",pictophonetic,"metal" -8784,锸,"spade; shovel",pictophonetic,"metal" -8785,锲,"to cut; to carve; to engrave; to chisel; fig. to chisel away at",ideographic,"Something engraved 契 in metal 钅; 契 also provides the pronunciation" -8786,锘,"nobelium (chemistry)",pictophonetic,"metal" -8787,鍪,"iron pot; metal cap",pictophonetic,"metal" -8788,锹,"variant of 鍬|锹[qiao1]",pictophonetic,"metal" -8789,锹,"shovel; spade",pictophonetic,"metal" -8790,锾,"ancient unit of weight; money",pictophonetic,"money" -8791,鉴,"old variant of 鑒|鉴[jian4]",pictophonetic,"metal" -8792,键,"key (on a piano or computer keyboard); button (on a mouse or other device); chemical bond; linchpin",pictophonetic,"metal" -8793,锶,"strontium (chemistry)",pictophonetic,"metal" -8794,锗,"germanium (chemistry)",pictophonetic,"metal" -8795,针,"variant of 針|针[zhen1], needle",ideographic,"A metal 钅 pin 十" -8796,钟,"surname Zhong",pictophonetic,"metal" -8797,钟,"handleless cup; goblet; (bound form) to concentrate (one's affection etc); variant of 鐘|钟[zhong1]",pictophonetic,"metal" -8798,镁,"magnesium (chemistry)",pictophonetic,"metal" -8799,锿,"einsteinium (chemistry)",pictophonetic,"metal" -8800,镅,"americium (chemistry)",pictophonetic,"metal" -8801,镑,"pound (sterling) (loanword)",pictophonetic,"money" -8802,镰,"variant of 鐮|镰[lian2]",pictophonetic,"metal" -8803,鎏,"variant of 鎦|镏[liu2]",pictophonetic,"gold" -8804,镕,"to smelt; to fuse; variant of 熔[rong2]",ideographic,"A mold that holds 容 hot metal 钅; 容 also provides the pronunciation" -8805,锁,"to lock; to lock up; a lock (CL:把[ba3])",pictophonetic,"metal" -8806,枪,"variant of 槍|枪[qiang1]; rifle; spear",pictophonetic,"wood" -8807,镉,"cadmium (chemistry)",pictophonetic,"metal" -8808,锤,"variant of 錘|锤[chui2]",pictophonetic,"metal" -8809,镈,"ancient musical intrument shaped as a bell; hoe; spade",pictophonetic,"bell" -8810,钨,"tungsten (chemistry)",pictophonetic,"metal" -8811,蓥,"polish",ideographic,"To polish 艹 a metal 金 cover 冖" -8812,镏,"lutetium (chemistry) (Tw)",ideographic,"A metal 钅 still 留; 留 also provides the pronunciation" -8813,铠,"armor",pictophonetic,"metal" -8814,铩,"spear; to cripple (literary)",ideographic,"A metal 钅 weapon 杀" -8815,锼,"to engrave (metal of wood)",pictophonetic,"metal" -8816,镐,"a pick",pictophonetic,"metal" -8817,镐,"bright; place name; stove",pictophonetic,"metal" -8818,镇,"to press down; to calm; to subdue; to suppress; to guard; garrison; small town; to cool or chill (food or drinks)",pictophonetic,"metal" -8819,镒,"ancient unit of weight equal to 20 or 24 liang 兩|两[liang3]",pictophonetic,"gold" -8820,镍,"nickel (chemistry)",pictophonetic,"metal" -8821,镓,"gallium (chemistry)",pictophonetic,"metal" -8822,锁,"old variant of 鎖|锁[suo3]",pictophonetic,"metal" -8823,镎,"neptunium (chemistry)",pictophonetic,"metal" -8824,镞,"arrowhead; sharp",pictophonetic,"metal" -8825,镟,"to shape on a lathe; to peel with a knife; to turn in (a screw)",pictophonetic,"metal" -8826,链,"chain; cable (unit of length: 100 fathoms, about 185 m); chain (unit of length: 66 feet, about 20 m); to chain; to enchain",ideographic,"Metal 钅 that joins 连; 连 also provides the pronunciation" -8827,鏊,"griddle; tava",pictophonetic,"metal" -8828,镆,"used in 鏌鋣|镆铘[Mo4 ye2]; (chemistry) moscovium",pictophonetic,"metal" -8829,镝,"dysprosium (chemistry)",pictophonetic,"metal" -8830,镝,"arrow or arrowhead (old)",pictophonetic,"metal" -8831,鏖,"violent fighting",pictophonetic,"metal" -8832,铿,"(onom.) clang; jingling of metals; to strike",pictophonetic,"bell" -8833,锵,"tinkling of small bells",pictophonetic,"bell" -8834,镗,"noise of drums",pictophonetic,"metal" -8835,镘,"side of coin without words; trowel",pictophonetic,"metal" -8836,镛,"large bell",pictophonetic,"bell" -8837,铲,"to shovel; to remove; spade; shovel",pictophonetic,"metal" -8838,镜,"mirror; lens",pictophonetic,"metal" -8839,镖,"dart-like throwing weapon; goods sent under the protection of an armed escort",pictophonetic,"metal" -8840,镂,"to engrave; to carve; hard steel",pictophonetic,"metal" -8841,錾,"to engrave",ideographic,"A metal 金 cutting tool 斩; 斩 also provides the pronunciation" -8842,镚,"small coin; dime",pictophonetic,"money" -8843,铧,"plowshare; spade",pictophonetic,"metal" -8844,镤,"protactinium (chemistry)",pictophonetic,"metal" -8845,镪,"sulfuric acid",pictophonetic,"money" -8846,镪,"money; string of coins",pictophonetic,"money" -8847,锈,"to rust",pictophonetic,"metal" -8848,铙,"big cymbals",pictophonetic,"bell" -8849,镣,"fetters; leg-irons; shackles",pictophonetic,"metal" -8850,铹,"lawrencium (chemistry)",pictophonetic,"metal" -8851,镦,"upsetting (forged pieces)",pictophonetic,"metal" -8852,镡,"surname Tan",pictophonetic,"metal" -8853,镡,"guard (on a sword handle); pommel (on a sword handle); dagger; Taiwan pr. [tan2]",pictophonetic,"metal" -8854,钟,"a (large) bell (CL:架[jia4]); clock (CL:座[zuo4]); amount of time; o'clock (CL:點|点[dian3],分[fen1],秒[miao3]) (as in 三點鐘|三点钟[san1dian3zhong1] ""three o'clock"" or ""three hours"" or 五分鐘|五分钟[wu3fen1zhong1] ""five minutes"" etc)",pictophonetic,"metal" -8855,镫,"stirrup",pictophonetic,"metal" -8856,镢,"variant of 钁|䦆[jue2]",pictophonetic,"metal" -8857,镨,"praseodymium (chemistry)",pictophonetic,"metal" -8858,锎,"californium (chemistry)",pictophonetic,"metal" -8859,锏,"ancient weapon like a long solid metal truncheon",pictophonetic,"metal" -8860,镄,"fermium (chemistry)",pictophonetic,"metal" -8861,镌,"to engrave (on wood or stone); to inscribe",pictophonetic,"metal" -8862,镰,"(bound form) sickle",pictophonetic,"metal" -8863,镯,"bracelet",pictophonetic,"metal" -8864,镭,"radium (chemistry)",pictophonetic,"metal" -8865,铁,"surname Tie",pictophonetic,"metal" -8866,铁,"iron (metal); arms; weapons; hard; strong; violent; unshakeable; determined; close; tight (slang)",pictophonetic,"metal" -8867,铎,"surname Duo",pictophonetic,"bell" -8868,铎,"large ancient bell",pictophonetic,"bell" -8869,铛,"frying pan; griddle",pictophonetic,"metal" -8870,铛,"clank; clang; sound of metal",pictophonetic,"metal" -8871,鐾,"to sharpen (a knife) on a stone or a strop",pictophonetic,"metal" -8872,镱,"ytterbium (chemistry)",pictophonetic,"metal" -8873,铸,"to cast or found metals",pictophonetic,"metal" -8874,镬,"wok (dialect); cauldron (old)",pictophonetic,"metal" -8875,镔,"fine steel",pictophonetic,"metal" -8876,鉴,"bronze mirror (used in ancient times); to reflect; to mirror; sth that serves as a warning or a lesson; to examine; to scrutinize",pictophonetic,"metal" -8877,鉴,"variant of 鑑|鉴[jian4]",pictophonetic,"metal" -8878,镲,"small cymbals",pictophonetic,"bell" -8879,钻,"variant of 鑽|钻[zuan4]",pictophonetic,"metal" -8880,矿,"variant of 礦|矿[kuang4]",pictophonetic,"mineral" -8881,镴,"solder; tin",pictophonetic,"metal" -8882,铄,"bright; to melt; to fuse",pictophonetic,"metal" -8883,鑢,"surname Lü",pictophonetic,"metal" -8884,鑢,"polishing tool",pictophonetic,"metal" -8885,镳,"bit (of a bridle); variant of 鏢|镖[biao1]",ideographic,"A metal bit 钅 used to saddle 麃 a horse" -8886,刨,"variant of 刨[bao4]",pictophonetic,"knife" -8887,镥,"lutetium (chemistry)",pictophonetic,"metal" -8888,炉,"variant of 爐|炉[lu2]",ideographic,"A fire 火 in one's home 户" -8889,鑫,"(used in names of people and shops, symbolizing prosperity)",ideographic,"Much gold 金, representing wealth" -8890,镧,"lanthanum (chemistry)",pictophonetic,"metal" -8891,钥,"key; also pr. [yao4]",pictophonetic,"metal" -8892,镶,"to inlay; to embed; ridge; border",pictophonetic,"metal" -8893,罐,"variant of 罐[guan4]",pictophonetic,"jar" -8894,镊,"tweezers; forceps; nippers; pliers; to nip; to pick up with tweezers; to pluck out",pictophonetic,"metal" -8895,镩,"ice spud (aka ice chisel) with a pointy tip; to break a hole in ice (for ice fishing etc) using an ice spud",pictophonetic,"metal" -8896,锣,"gong; CL:面[mian4]",pictophonetic,"bell" -8897,钻,"to drill; to bore; to get into; to make one's way into; to enter (a hole); to thread one's way through; to study intensively; to dig into; to curry favor for personal gain",pictophonetic,"metal" -8898,钻,"an auger; diamond",pictophonetic,"metal" -8899,銮,"imperial",ideographic,"A bell 金 dangling from a tassel 亦" -8900,凿,"(bound form) chisel; to bore a hole; to chisel; to dig; (literary) certain; authentic; irrefutable; also pr. [zuo4]",ideographic,"A drill 丵 making a hole 凵" -8901,锺,"nonstandard simplified variant of 鍾|钟[zhong1]",pictophonetic,"metal" -8902,长,"length; long; forever; always; constantly",ideographic,"Simplified form of 長; an old man with long hair and a cane" -8903,长,"chief; head; elder; to grow; to develop; to increase; to enhance",ideographic,"Simplified form of 長; an old man with long hair and a cane" -8904,镸,"""long"" or ""to grow"" radical in Chinese characters (Kangxi radical 168)",, -8905,门,"surname Men",pictographic,"An open doorway or gate" -8906,门,"gate; door; CL:扇[shan4]; gateway; doorway; CL:個|个[ge4]; opening; valve; switch; way to do something; knack; family; house; (religious) sect; school (of thought); class; category; phylum or division (taxonomy); classifier for large guns; classifier for lessons, subjects, branches of technology; (suffix) -gate (i.e. scandal; derived from Watergate)",pictographic,"An open doorway or gate" -8907,闩,"bolt; latch; to bolt; to latch",ideographic,"A bar 一 laid across a gate 门" -8908,闪,"surname Shan",ideographic,"A man 人 just glimpsed through a door 门" -8909,闪,"to dodge; to duck out of the way; to beat it; shaken (by a fall); to sprain; to pull a muscle; lightning; spark; a flash; to flash (across one's mind); to leave behind; (Internet slang) (of a display of affection) ""dazzlingly"" saccharine",ideographic,"A man 人 just glimpsed through a door 门" -8910,闫,"surname Yan",pictophonetic,"gate" -8911,闭,"to close; to stop up; to shut; to obstruct",ideographic,"A door 门 blocked by bars 才" -8912,开,"to open (transitive or intransitive); (of ships, vehicles, troops etc) to start; to turn on; to put in operation; to operate; to run; to boil; to write out (a prescription, check, invoice etc); (directional complement) away; off; carat (gold); abbr. for Kelvin, 開爾文|开尔文[Kai1 er3 wen2]; abbr. for 開本|开本[kai1 ben3], book format",ideographic,"Simplified form of 開; hands 廾 lifting the latch 一 of a door" -8913,闶,"used in 閌閬|闶阆[kang1 lang2]; Taiwan pr. [kang4]",pictophonetic,"door" -8914,闳,"surname Hong",pictophonetic,"gate" -8915,闳,"big; gate",pictophonetic,"gate" -8916,闰,"intercalary; an extra day or month inserted into the lunar or solar calendar (such as February 29)",pictophonetic,"royal decree" -8917,闲,"enclosure; (variant of 閒|闲[xian2]) idle; unoccupied; leisure",ideographic,"A wooden fence 木 with a door 门" -8918,閒,"variant of 間|间[jian1]",ideographic,"The moon 月 seen through a door 門; night-time" -8919,閒,"variant of 間|间[jian4]",ideographic,"The moon 月 seen through a door 門; night-time" -8920,闲,"idle; unoccupied; leisure",ideographic,"A wooden fence 木 with a door 门" -8921,间,"between; among; within a definite time or space; room; section of a room or lateral space between two pairs of pillars; classifier for rooms",ideographic,"The sun 日 shining through a doorway 门" -8922,间,"gap; to separate; to thin out (seedlings); to sow discontent",ideographic,"The sun 日 shining through a doorway 门" -8923,闵,"surname Min",pictophonetic,"culture" -8924,闵,"old variant of 憫|悯[min3]",pictophonetic,"culture" -8925,闸,"sluice; sluice gate; to dam up water; (coll.) brake; (coll.) electric switch",pictophonetic,"gate" -8926,闹,"variant of 鬧|闹[nao4]",ideographic,"As busy as the market 市 gate 门" -8927,阂,"obstruct",pictophonetic,"gate" -8928,阁,"pavilion (usu. two-storied); cabinet (politics); boudoir; woman's chamber; rack; shelf",pictophonetic,"door" -8929,合,"variant of 合[he2]",, -8930,阀,"powerful individual, family or group; clique; (loanword) valve",pictophonetic,"gate" -8931,閦,"crowd; transliteration of Sanskrit 'kso', e.g. Aksobhya Buddha 阿閦佛",ideographic,"A crowd 众 walking through a gate 門" -8932,哄,"variant of 鬨|哄[hong4]",pictophonetic,"mouth" -8933,闺,"small arched door; boudoir; lady's chamber; (fig.) women",pictophonetic,"gate" -8934,闽,"short name for Fujian province 福建[Fu2 jian4]; also pr. [Min2]",pictophonetic,"insect" -8935,阃,"threshold; inner appartments; woman; wife (honorific)",pictophonetic,"gate" -8936,阆,"used in 閌閬|闶阆[kang1 lang2]",ideographic,"A lofty 良 gate 门; 良 also provides the pronunciation" -8937,阆,"(literary) vast; spacious; (literary) lofty; (literary) tall door; (literary) dry moat outside a city wall",ideographic,"A lofty 良 gate 门; 良 also provides the pronunciation" -8938,闾,"gate of a village; village",pictophonetic,"gate" -8939,阅,"to inspect; to review; to read; to peruse; to go through; to experience",, -8940,阊,"gate of heaven; gate of palace",ideographic,"A heavenly 昌 gate 门; 昌 also provides the pronunciation" -8941,阉,"to castrate; a castrate; neuter",pictophonetic,"gate" -8942,阎,"surname Yan (sometimes written 閆|闫[Yan2] in recent years)",pictophonetic,"gate" -8943,阎,"(literary) the gate of a lane",pictophonetic,"gate" -8944,阏,"to block; to restrain; to control",pictophonetic,"gate" -8945,阏,"see 閼氏|阏氏[yan1 zhi1]",pictophonetic,"gate" -8946,阍,"doorkeeper",pictophonetic,"gate" -8947,阈,"threshold",ideographic,"Separated 或 by a gate 门" -8948,阌,"wen xiang, Henan province",, -8949,阒,"quiet; to live alone",pictophonetic,"gate" -8950,板,"see 老闆|老板, boss",pictophonetic,"wood" -8951,板,"to catch sight of in a doorway (old)",pictophonetic,"wood" -8952,暗,"(literary) to close (a door); to eclipse; confused; ignorant (variant of 暗[an4]); dark (variant of 暗[an4])",pictophonetic,"sun" -8953,闱,"door to women's room; gate to palace",pictophonetic,"gate" -8954,阔,"rich; wide; broad",pictophonetic,"gate" -8955,阕,"(literary) to end; to stop; one of the stanzas (usually two) of a ci poem 詞|词[ci2]; classifier for songs or ci poems",pictophonetic,"gate" -8956,阑,"railing; balustrade; door-screen; exhausted; late",pictophonetic,"door" -8957,阇,"defensive platform over gate; barbican",, -8958,阇,"(used in transliteration from Sanskrit)",, -8959,阗,"fill up; rumbling sound",, -8960,阖,"door; to close; whole",pictophonetic,"gate" -8961,阙,"surname Que",pictophonetic,"gate" -8962,阙,"used in place of 缺 (old); mistake",pictophonetic,"gate" -8963,阙,"Imperial city watchtower (old); fault; deficiency",pictophonetic,"gate" -8964,闯,"to rush; to charge; to dash; to break through; to temper oneself (through battling hardships)",ideographic,"A horse 马 charging through a gate 门" -8965,窥,"variant of 窺|窥[kui1]",pictophonetic,"hole" -8966,关,"surname Guan",, -8967,关,"mountain pass; to close; to shut; to turn off; to confine; to lock (sb) up; to shut (sb in a room, a bird in a cage etc); to concern; to involve",, -8968,阚,"surname Kan",pictophonetic,"gate" -8969,阚,"to glance; to peep",pictophonetic,"gate" -8970,阐,"to express; to disclose; to enlighten; to open",pictophonetic,"gate" -8971,辟,"to open (a door); to open up (for development); to dispel; to refute; to repudiate; (bound form) penetrating; incisive",ideographic,"A body 尸 decapitated 口 by a sword 辛 , representing the law" -8972,闼,"door of an inner room",pictophonetic,"door" -8973,阜,"abundant; mound",, -8974,阞,"layer; vein",pictophonetic,"place" -8975,阡,"road leading north and south",pictophonetic,"hill" -8976,阢,"used in 阢隉|阢陧[wu4nie4]",pictophonetic, -8977,阪,"slope; hillside",pictophonetic,"hill" -8978,坑,"variant of 坑[keng1]",pictophonetic,"earth" -8979,阮,"surname Ruan; small state during the Shang Dynasty (1600-1046 BC) located in the southeast of present-day Gansu Province",pictophonetic, -8980,阮,"ruan, a four-stringed Chinese lute",pictophonetic, -8981,址,"foundation of a building (variant of 址[zhi3]); islet (variant of 沚[zhi3])",pictophonetic,"earth" -8982,阱,"pitfall; trap",ideographic,"A farm 阝 with a well 井; 井 also provides the pronunciation" -8983,防,"to protect; to defend; to guard against; to prevent",pictophonetic,"wall" -8984,阻,"to hinder; to block; to obstruct",pictophonetic,"place" -8985,阼,"steps leading to the eastern door",pictophonetic,"hill" -8986,阽,"dangerous; also pr. [yan2]",, -8987,阿,"abbr. for Afghanistan 阿富汗[A1 fu4 han4]",pictophonetic,"place" -8988,阿,"prefix used before monosyllabic names, kinship terms etc to indicate familiarity; used in transliteration; also pr. [a4]",pictophonetic,"place" -8989,阿,"(literary) to flatter; to curry favor with",pictophonetic,"place" -8990,陀,"(phonetic); declivity; steep bank",pictophonetic,"hill" -8991,陂,"pool; pond; bank of a pond; mountain slope; Taiwan pr. [pi2]",pictophonetic,"hill" -8992,陂,"rugged; uneven",pictophonetic,"hill" -8993,附,"to add; to attach; to be close to; to be attached",pictophonetic,"place" -8994,陋,"low; humble; plain; ugly; mean; vulgar",pictophonetic,"village" -8995,陌,"raised path; street",ideographic,"A large 百 city 阝, representing an unfamiliar place" -8996,降,"to drop; to fall; to come down; to descend",pictophonetic,"hill" -8997,降,"to surrender; to capitulate; to subdue; to tame",pictophonetic,"hill" -8998,陏,"old variant of 隨|随[Sui2]",, -8999,限,"to limit; to restrict; (bound form) limit; bound",pictophonetic,"place" -9000,陔,"step; terrace",pictophonetic,"hill" -9001,峭,"variant of 峭[qiao4]",pictophonetic,"mountain" -9002,陉,"border the stove; defile; pass",pictophonetic,"hill" -9003,陛,"the steps to the throne",pictophonetic,"hill" -9004,陜,"variant of 狹|狭[xia2]; variant of 峽|峡[xia2]",ideographic,"The space between 夾 two hills 阝; 夾 also provides the pronunciation" -9005,陕,"abbr. for Shaanxi 陝西|陕西 province",ideographic,"A place 阝 wedged in a valley 夹" -9006,升,"variant of 升[sheng1]",, -9007,陟,"to advance; to ascend; to promote",pictophonetic,"walk" -9008,陡,"steep; precipitous; abrubtly; suddenly; unexpectedly",pictophonetic,"hill" -9009,院,"courtyard; institution; CL:個|个[ge4]",pictophonetic,"place" -9010,阵,"disposition of troops; wave; spate; burst; spell; short period of time; classifier for events or states of short duration",ideographic,"A formation 阝of soldiers 车" -9011,除,"to get rid of; to remove; to exclude; to eliminate; to wipe out; to divide; except; not including",ideographic,"The waste 余 produced by a city 阝" -9012,陪,"to accompany; to keep sb company; to assist; old variant of 賠|赔[pei2]",pictophonetic,"place" -9013,陬,"corner; foot of mountain",pictophonetic,"place" -9014,阴,"surname Yin",ideographic,"The place 阝 of the moon 月; compare 阳" -9015,阴,"overcast (weather); cloudy; shady; Yin (the negative principle of Yin and Yang); negative (electric.); feminine; moon; implicit; hidden; genitalia",ideographic,"The place 阝 of the moon 月; compare 阳" -9016,陲,"frontier",pictophonetic,"place" -9017,陈,"surname Chen; Chen (c. 1045 - 479 BC), a Zhou dynasty state; Chen (557-589), one of the Southern Dynasties 南朝[Nan2 Chao2]",ideographic,"To place 阝 facing east 东" -9018,陈,"to lay out; to exhibit; to display; to narrate; to state; to explain; to tell; old; stale",ideographic,"To place 阝 facing east 东" -9019,陴,"parapet",pictophonetic,"city" -9020,陵,"mound; tomb; hill; mountain",ideographic,"A hill 阝 where people are laid to rest 夌; 夌 also provides the pronunciation" -9021,陶,"surname Tao",ideographic,"A mound 阝 of clay 匋; 匋 also provides the pronunciation" -9022,陶,"pottery; pleased",ideographic,"A mound 阝 of clay 匋; 匋 also provides the pronunciation" -9023,陷,"pitfall; trap; to get stuck; to sink; to cave in; to frame (false charge); to capture (a city in battle); to fall (to the enemy); defect",ideographic,"A place 阝 with a pit 臽; 臽 also provides the pronunciation" -9024,陆,"surname Lu",pictophonetic,"place" -9025,陆,"six (banker's anti-fraud numeral)",pictophonetic,"place" -9026,陆,"(bound form) land (as opposed to the sea)",pictophonetic,"place" -9027,堙,"variant of 堙[yin1]; to block",pictophonetic,"earth" -9028,阳,"positive (electric.); sun; male principle (Taoism); Yang, opposite: 陰|阴[yin1]",ideographic,"The place 阝 of the sun 日; compare 阴" -9029,狭,"old variant of 狹|狭[xia2]",pictophonetic,"dog" -9030,阴,"variant of 陰|阴[yin1]",ideographic,"The place 阝 of the moon 月; compare 阳" -9031,堤,"variant of 堤[di1]",pictophonetic,"earth" -9032,隅,"corner",pictophonetic,"place" -9033,隆,"surname Long; short for 吉隆坡[Ji2long2po1], Kuala Lumpur",, -9034,隆,"sound of drums",, -9035,隆,"grand; intense; prosperous; to swell; to bulge",, -9036,隈,"bay; cove",pictophonetic,"place" -9037,陧,"dangerous",pictophonetic,"city" -9038,队,"squadron; team; group; CL:個|个[ge4]",ideographic,"A group of people 人 gathered in one place 阝" -9039,隋,"the Sui dynasty (581-617 AD); surname Sui",, -9040,隍,"dry moat; god of city",pictophonetic,"place" -9041,阶,"rank or step; stairs",pictophonetic,"hill" -9042,隔,"to separate; to partition; to stand or lie between; at a distance from; after or at an interval of",pictophonetic,"wall" -9043,陨,"(bound form) to fall from the sky; (literary) to perish (variant of 殞|殒[yun3])",pictophonetic,"place" -9044,坞,"variant of 塢|坞[wu4]",pictophonetic,"earth" -9045,隗,"surname Kui; Zhou Dynasty vassal state",pictophonetic,"hill" -9046,隗,"surname Wei",pictophonetic,"hill" -9047,隗,"eminent; lofty",pictophonetic,"hill" -9048,隘,"(bound form) narrow; (bound form) a defile; a narrow pass",pictophonetic,"hill" -9049,隙,"crack; crevice; gap or interval; loophole; discord; rift",ideographic,"A crack 日 dividing two things 小; 阝 provides the pronunciation" -9050,际,"border; edge; boundary; interval; between; inter-; to meet; time; occasion; to meet with (circumstances)",pictophonetic,"hill" -9051,障,"to block; to hinder; to obstruct",pictophonetic,"wall" -9052,邻,"variant of 鄰|邻[lin2]",pictophonetic,"town" -9053,隧,"tunnel; underground passage",pictophonetic,"place" -9054,随,"surname Sui",ideographic,"To walk 迶 to the city 阝; to follow a path" -9055,随,"to follow; to comply with; varying according to...; to allow; subsequently",ideographic,"To walk 迶 to the city 阝; to follow a path" -9056,险,"danger; dangerous; rugged",pictophonetic,"hill" -9057,隰,"surname Xi",pictophonetic,"place" -9058,隰,"low; marshy land",pictophonetic,"place" -9059,隐,"(bound form) secret; hidden; concealed; crypto-",ideographic,"A place 阝 to hide when worried 急" -9060,隐,"to lean upon",ideographic,"A place 阝 to hide when worried 急" -9061,隳,"destroy; overthrow",pictophonetic, -9062,陇,"short name for Gansu province 甘肅省|甘肃省[Gan1 su4 Sheng3]",pictophonetic,"place" -9063,隶,"variant of 隸|隶[li4]",ideographic,"A hand 彐 threshing rice" -9064,隶,"(bound form) a person in servitude; low-ranking subordinate; (bound form) to be subordinate to; (bound form) clerical script (the style of characters intermediate between ancient seal and modern regular characters)",ideographic,"A hand 彐 threshing rice" -9065,隹,"short-tailed bird",pictographic,"A bird facing left; compare 鳥" -9066,只,"classifier for birds and certain animals, one of a pair, some utensils, vessels etc",ideographic,"Simple words 八 coming from the mouth 口" -9067,隼,"falcon; Taiwan pr. [zhun3]",pictophonetic,"bird" -9068,雀,"a freckle; lentigo",ideographic,"A small 小 bird 隹" -9069,雀,"(bound form) small bird; sparrow; also pr. [qiao3]",ideographic,"A small 小 bird 隹" -9070,雁,"wild goose",pictophonetic,"bird" -9071,雄,"male; staminate; grand; imposing; powerful; mighty; person or state having great power and influence",pictophonetic,"bird" -9072,雅,"elegant",pictophonetic,"bird" -9073,集,"to gather; to collect; collected works; classifier for sections of a TV series etc: episode",ideographic,"Birds 隹 flocking on a tree 木" -9074,雇,"to employ; to hire; to rent",pictophonetic,"bird" -9075,雈,"type of owl",pictophonetic,"bird" -9076,雉,"ringed pheasant",pictophonetic,"bird" -9077,隽,"surname Juan",ideographic,"Someone aiming a bow 乃 at a small bird 隹" -9078,隽,"meaningful; significant",ideographic,"Someone aiming a bow 乃 at a small bird 隹" -9079,隽,"variant of 俊[jun4]",ideographic,"Someone aiming a bow 乃 at a small bird 隹" -9080,雌,"female; Taiwan pr. [ci1]",pictophonetic,"bird" -9081,雍,"surname Yong",ideographic,"Birds 乡 living together in a village 乡" -9082,雍,"harmony",ideographic,"Birds 乡 living together in a village 乡" -9083,雎,"osprey; fish hawk",pictophonetic,"bird" -9084,雒,"black horse with white mane; fearful",, -9085,雕,"to carve; to engrave; shrewd; bird of prey",pictophonetic,"bird" -9086,虽,"although; even though",, -9087,双,"surname Shuang",ideographic,"Two hands 又 side-by-side" -9088,双,"two; double; pair; both; even (number)",ideographic,"Two hands 又 side-by-side" -9089,雚,"(archaic) stork; heron",pictophonetic,"bird" -9090,雚,"variant of 萑[huan2]",pictophonetic,"bird" -9091,雏,"(bound form) chick; young bird",pictophonetic,"bird" -9092,杂,"mixed; miscellaneous; various; to mix",, -9093,雍,"old variant of 雍[yong1]",ideographic,"Birds 乡 living together in a village 乡" -9094,鸡,"fowl; chicken; CL:隻|只[zhi1]; (slang) prostitute",ideographic,"Another 又 kind of bird 鸟" -9095,离,"surname Li",pictographic,"An animal standing straight; 亠 is the head" -9096,离,"to leave; to part from; to be away from; (in giving distances) from; without (sth); independent of; one of the Eight Trigrams 八卦[ba1 gua4], symbolizing fire; ☲",pictographic,"An animal standing straight; 亠 is the head" -9097,难,"difficult (to...); problem; difficulty; difficult; not good",ideographic,"A hand 又 trying to grasp at a bird 隹" -9098,难,"disaster; distress; to scold",ideographic,"A hand 又 trying to grasp at a bird 隹" -9099,雨,"rain; CL:陣|阵[zhen4],場|场[chang2]",pictographic,"Rain drops falling from a cloud 帀" -9100,雨,"(literary) to rain; (of rain, snow etc) to fall; to precipitate; to wet",pictographic,"Rain drops falling from a cloud 帀" -9101,雩,"summer sacrifice for rain",ideographic,"To sacrifice 亏 for rain 雨; 雨 also provides the pronunciation" -9102,雪,"surname Xue",pictophonetic,"rain" -9103,雪,"snow; CL:場|场[chang2]; (literary) to wipe away (a humiliation etc)",pictophonetic,"rain" -9104,雯,"multicolored clouds",pictophonetic,"rain" -9105,云,"surname Yun; abbr. for Yunnan Province 雲南省|云南省[Yun2nan2 Sheng3]",pictographic,"A cloud" -9106,云,"cloud; CL:朵[duo3]",pictographic,"A cloud" -9107,零,"zero; nought; zero sign; fractional; fragmentary; odd (of numbers); (placed between two numbers to indicate a smaller quantity followed by a larger one); fraction; (in mathematics) remainder (after division); extra; to wither and fall; to wither",pictophonetic,"raindrop" -9108,雷,"surname Lei",ideographic,"A storm 雨 over the fields 田" -9109,雷,"thunder; (bound form) (military) mine, as in 地雷[di4 lei2] land mine; (coll.) to shock; to stun; to astound; (Tw) (coll.) spoiler; (Tw) (coll.) to reveal plot details to (sb)",ideographic,"A storm 雨 over the fields 田" -9110,雹,"hail",pictophonetic,"rain" -9111,电,"lightning; electricity; electric (bound form); to get (or give) an electric shock; phone call or telegram etc; to send via telephone or telegram etc",ideographic,"Simplified form of 電; lightning 申 from a storm cloud 雨" -9112,需,"to require; to need; to want; necessity; need",ideographic,"Rain 雨 needed for crops to grow" -9113,霂,"used in 霢霂[mai4mu4]",pictophonetic,"rain" -9114,霄,"firmament; heaven",ideographic,"To look like 肖 rain 雨; 肖 also provides the pronunciation" -9115,霅,"surname Zha",ideographic,"The sound 言 of a storm 雨" -9116,霅,"rain",ideographic,"The sound 言 of a storm 雨" -9117,霆,"clap of thunder",pictophonetic,"rain" -9118,震,"to shake; to vibrate; to jolt; to quake; excited; shocked; one of the Eight Trigrams 八卦[ba1 gua4], symbolizing thunder; ☳",pictophonetic,"rain" -9119,霈,"torrent of rain",ideographic,"Rain 雨 causing a flood 沛; 沛 also provides the pronunciation" -9120,霉,"mold; mildew; to become moldy",pictophonetic,"rain" -9121,霍,"surname Huo",ideographic,"Birds 隹 caught in a sudden storm 雨" -9122,霍,"(literary) suddenly",ideographic,"Birds 隹 caught in a sudden storm 雨" -9123,霎,"all of a sudden; drizzle",pictophonetic,"rain" -9124,霏,"fall of snow",pictophonetic,"rain" -9125,沾,"variant of 沾[zhan1]; to moisten",pictophonetic,"water" -9126,霓,"secondary rainbow",ideographic,"The child 兒 of a rain cloud 雨" -9127,霖,"continued rain",pictophonetic,"rain" -9128,霜,"frost; white powder or cream spread over a surface; frosting; (skin) cream",pictophonetic,"rain" -9129,霝,"drops of rain; to fall in drops",ideographic,"Falling rain 雨 drops 口" -9130,霞,"rose-tinted sky or clouds at sunrise or sunset",pictophonetic,"rain" -9131,霡,"old variant of 霢[mai4]",pictophonetic,"rain" -9132,霢,"used in 霢霂[mai4mu4]; Taiwan pr. [mo4]",pictophonetic,"rain" -9133,雾,"fog; mist; CL:場|场[chang2],陣|阵[zhen4]",pictophonetic,"rain" -9134,霪,"heavy rain",ideographic,"An obscene 淫 amount of rain 雨; 淫 also provides the pronunciation" -9135,霰,"graupel; snow pellet; soft hail",pictophonetic,"rain" -9136,露,"surname Lu",pictophonetic,"rain" -9137,露,"to show; to reveal; to betray; to expose",pictophonetic,"rain" -9138,露,"dew; syrup; nectar; outdoors (not under cover); to show; to reveal; to betray; to expose",pictophonetic,"rain" -9139,霸,"hegemon; tyrant; lord; feudal chief; to rule by force; to usurp; (in modern advertising) master",pictophonetic,"rain" -9140,霹,"clap of thunder",pictophonetic,"rain" -9141,霁,"sky clearing up",pictophonetic,"rain" -9142,霾,"haze",pictophonetic,"rain" -9143,雳,"clap of thunder",pictophonetic,"rain" -9144,霭,"mist; haze; cloudy sky",pictophonetic,"rain" -9145,灵,"quick; alert; efficacious; effective; to come true; spirit; departed soul; coffin",pictophonetic,"fire" -9146,靑,"variant of 青[qing1]",, -9147,青,"abbr. for 青海[Qing1 hai3], Qinghai Province",, -9148,青,"green; blue; black; youth; young (of people)",, -9149,靖,"surname Jing",ideographic,"As peaceful 立 as nature 青; 青 also provides the pronunciation" -9150,靖,"(bound form) peaceful; (bound form) to pacify; to suppress",ideographic,"As peaceful 立 as nature 青; 青 also provides the pronunciation" -9151,靓,"to make up (one's face); to dress; (of one's dress) beautiful",pictophonetic,"appear" -9152,靓,"attractive; good-looking",pictophonetic,"appear" -9153,靛,"indigo pigment",pictophonetic,"blue" -9154,静,"still; calm; quiet; not moving",pictophonetic,"nature" -9155,非,"abbr. for 非洲[Fei1 zhou1], Africa",ideographic,"Two bird's wings opposed; two people back-to-back" -9156,非,"to not be; not; wrong; incorrect; non-; un-; in-; de-; to reproach; to blame; (coll.) to insist on; simply must",ideographic,"Two bird's wings opposed; two people back-to-back" -9157,靠,"to lean against or on; to stand by the side of; to come near to; to depend on; to trust; to fuck (vulgar); traditional military costume drama where the performers wear armor (old)",pictophonetic,"people back-to-back" -9158,靡,"to waste (money)",pictophonetic,"wrong" -9159,靡,"extravagant; go with fashion; not",pictophonetic,"wrong" -9160,面,"face; side; surface; aspect; top; classifier for objects with flat surfaces such as drums, mirrors, flags etc",pictographic,"A person's face" -9161,腼,"bashful",pictophonetic,"flesh" -9162,靥,"dimple",pictophonetic,"face" -9163,革,"animal hide; leather; to reform; to remove; to expel (from office)",pictographic,"An animal being skinned" -9164,韧,"variant of 韌|韧[ren4]",pictophonetic,"leather" -9165,韧,"old variant of 韌|韧[ren4]",pictophonetic,"leather" -9166,靳,"surname Jin",pictophonetic,"leather" -9167,靳,"martingale; stingy",pictophonetic,"leather" -9168,靴,"boots",pictophonetic,"leather" -9169,靶,"target; mark",pictophonetic,"leather" -9170,靼,"(phonetic); dressed leather",pictophonetic,"leather" -9171,鼗,"hand drum used by peddlers",pictophonetic,"drum" -9172,鞅,"martingale (part of a horse's harness); used in 鞅鞅[yang1 yang1]",pictophonetic,"leather" -9173,鞅,"wooden yoke for a draft ox",pictophonetic,"leather" -9174,鞋,"shoe; CL:雙|双[shuang1],隻|只[zhi1]",pictophonetic,"leather" -9175,鞍,"variant of 鞍[an1]",pictophonetic,"leather" -9176,鞍,"(bound form) saddle",pictophonetic,"leather" -9177,巩,"surname Gong",pictophonetic,"all" -9178,巩,"(bound form) to fix in place; to make firm and secure",pictophonetic,"all" -9179,鞘,"scabbard; sheath",pictophonetic,"leather" -9180,鞠,"surname Ju",pictophonetic,"leather" -9181,鞠,"to incline (one's torso); to bow; leather ball used in ancient times; (literary) to bring up; to rear; Taiwan pr. [ju2]",pictophonetic,"leather" -9182,鞣,"suede; chamois; tannin; to tan",ideographic,"To soften 柔 leather 革; 柔 also provides the pronunciation" -9183,秋,"used in 鞦韆|秋千[qiu1qian1]",ideographic,"The time of year when farmers would burn 禾 crops 火" -9184,鞫,"to interrogate; to question; Taiwan pr. [ju2]",pictophonetic,"crash" -9185,鞭,"whip or lash; to flog; to whip; conductor's baton; segmented iron weapon (old); penis (of animal, served as food)",pictophonetic, -9186,鞮,"surname Di",pictophonetic,"leather" -9187,鞮,"leather shoes",pictophonetic,"leather" -9188,鞲,"variant of 韝[gou1]",pictophonetic,"leather" -9189,鞴,"to saddle a horse",, -9190,鞋,"variant of 鞋[xie2]",pictophonetic,"leather" -9191,鞒,"the pommel and cantle of a saddle",pictophonetic,"leather" -9192,靴,"variant of 靴[xue1]",pictophonetic,"leather" -9193,缰,"bridle; reins; halter",pictophonetic,"thread" -9194,鞑,"Tartar; a tribe in China",pictophonetic,"leather" -9195,千,"used in 鞦韆|秋千[qiu1qian1]",, -9196,袜,"variant of 韤|袜[wa4]",pictophonetic,"clothes" -9197,鞯,"saddle blanket",pictophonetic,"leather" -9198,韦,"surname Wei",, -9199,韦,"soft leather",, -9200,韧,"annealed; pliable but strong; tough; tenacious",pictophonetic,"leather" -9201,韩,"Han, one of the Seven Hero States of the Warring States 戰國七雄|战国七雄; Korea from the fall of the Joseon dynasty in 1897; Korea, esp. South Korea 大韓民國|大韩民国; surname Han",, -9202,韪,"correct; right",pictophonetic,"right" -9203,韬,"bow case or scabbard; to hide; military strategy",pictophonetic,"leather" -9204,韫,"contain",pictophonetic,"leather" -9205,袜,"variant of 襪|袜[wa4]",pictophonetic,"clothes" -9206,韭,"leek",pictographic,"Chives 非 growing in the ground 一" -9207,韭,"variant of 韭[jiu3]",pictographic,"Chives 非 growing in the ground 一" -9208,韱,"wild onions or leeks",ideographic,"Harvesting 戈 scallions 韭" -9209,音,"sound; noise; note (of musical scale); tone; news; syllable; reading (phonetic value of a character)",ideographic,"A tongue 立 forming a sound in the mouth 日" -9210,韶,"surname Shao",ideographic,"Imperial 召 music 音; 召 also provides the pronunciation" -9211,韶,"(music); excellent; harmonious",ideographic,"Imperial 召 music 音; 召 also provides the pronunciation" -9212,韵,"the final (of a syllable) (Chinese phonology); rhyme; appeal; charm; (literary) pleasant sound",ideographic,"Of equal 匀 tone 音; 匀 also provides the pronunciation" -9213,响,"echo; sound; noise; to make a sound; to sound; to ring; loud; classifier for noises",pictophonetic,"mouth" -9214,页,"head",pictographic,"A person's head" -9215,页,"page; leaf",pictographic,"A person's head" -9216,顶,"apex; crown of the head; top; roof; most; to carry on the head; to push to the top; to go against; to replace; to substitute; to be subjected to (an aerial bombing, hailstorm etc); (slang) to ""bump"" a forum thread to raise its profile; classifier for headwear, hats, veils etc",pictophonetic,"head" -9217,顷,"variant of 傾|倾[qing1]",, -9218,顷,"unit of area equal to 100 畝|亩[mu3] or 6.67 hectares; a short while; a little while ago; circa. (for approximate dates)",, -9219,项,"surname Xiang",pictophonetic,"head" -9220,项,"back of neck; item; thing; term (in a mathematical formula); sum (of money); classifier for principles, items, clauses, tasks, research projects etc",pictophonetic,"head" -9221,顺,"to obey; to follow; to arrange; to make reasonable; along; favorable",pictophonetic,"head" -9222,顸,"dawdling",ideographic,"One with a dry 干 face 页; 干 also provides the pronunciation" -9223,须,"must; to have to; to wait",ideographic,"Hair 彡 growing on the face 页" -9224,顼,"surname Xu; Taiwan pr. [Xu4]",, -9225,顼,"used in 顓頊|颛顼[Zhuan1 xu1]; used in 頊頊|顼顼[xu1 xu1]; Taiwan pr. [xu4]",, -9226,颂,"ode; eulogy; to praise in writing; to wish (in letters)",pictophonetic,"page" -9227,颀,"tall",pictophonetic,"leaf" -9228,颃,"fly down",pictophonetic,"leaf" -9229,预,"to advance; in advance; beforehand; to prepare",pictophonetic,"page" -9230,顽,"mischievous; obstinate; to play; stupid; stubborn; naughty",pictophonetic,"head" -9231,颁,"to promulgate; to send out; to issue; to grant or confer",ideographic,"To pass out 分 a booklet 页; 分 also provides the pronunciation" -9232,顿,"to stop; to pause; to arrange; to lay out; to kowtow; to stamp (one's foot); at once; classifier for meals, beatings, scoldings etc: time, bout, spell, meal",pictophonetic,"head" -9233,颇,"surname Po; Taiwan pr. [Po3]",pictophonetic,"leaf" -9234,颇,"rather; quite; considerably; oblique; inclined; slanting; Taiwan pr. [po3]",pictophonetic,"leaf" -9235,领,"neck; collar; to lead; to receive; classifier for clothes, mats, screens etc",pictophonetic,"head" -9236,颌,"(bound form) jaw",pictophonetic,"head" -9237,额,"variant of 額|额[e2]",pictophonetic,"head" -9238,颉,"surname Xie",pictophonetic,"leaf" -9239,颉,"to confiscate; legendary dog-like animal (old)",pictophonetic,"leaf" -9240,颉,"(of a bird) to fly upwards; (of the neck) stiff",pictophonetic,"leaf" -9241,颐,"(literary) chin; jaw; (literary) to foster; to nurture; to protect",pictophonetic,"head" -9242,颏,"chin",pictophonetic,"head" -9243,颏,"(used in bird names) throat",pictophonetic,"head" -9244,头,"head; hair style; the top; end; beginning or end; a stub; remnant; chief; boss; side; aspect; first; leading; classifier for pigs or livestock; CL:個|个[ge4]",pictophonetic,"high" -9245,头,"suffix for nouns",pictophonetic,"high" -9246,颊,"cheeks",ideographic,"The jaw in 夹 the head 页; 夹 also provides the pronunciation" -9247,颔,"chin; to nod (one's assent)",pictophonetic,"head" -9248,颈,"used in 脖頸兒|脖颈儿[bo2 geng3 r5]",pictophonetic,"head" -9249,颈,"neck",pictophonetic,"head" -9250,颓,"to crumble; to collapse; to decline; to decay; decadent; dejected; dispirited; balding",ideographic,"A bald 秃 head 页; 秃 also provides the pronunciation" -9251,频,"frequency; frequently; repetitious",, -9252,赖,"variant of 賴|赖[lai4]",pictophonetic,"money" -9253,颓,"variant of 頹|颓[tui2]",ideographic,"A bald 秃 head 页; 秃 also provides the pronunciation" -9254,颗,"classifier for small spheres, pearls, corn grains, teeth, hearts, satellites etc",pictophonetic,"grain" -9255,悴,"variant of 悴[cui4]",pictophonetic,"heart" -9256,腮,"variant of 腮[sai1]",pictophonetic,"flesh" -9257,题,"surname Ti",pictophonetic,"head" -9258,题,"topic; problem for discussion; exam question; subject; to inscribe; to mention; CL:個|个[ge4],道[dao4]",pictophonetic,"head" -9259,额,"forehead; horizontal tablet or inscribed board; specified number or amount",pictophonetic,"head" -9260,颚,"jaw; palate",pictophonetic,"head" -9261,颜,"surname Yan",pictophonetic,"head" -9262,颜,"color; face; countenance",pictophonetic,"head" -9263,颛,"surname Zhuan",pictophonetic,"head" -9264,颛,"good; simple",pictophonetic,"head" -9265,颜,"Japanese variant of 顏|颜[yan2]",pictophonetic,"head" -9266,愿,"(bound form) wish; hope; desire; to be willing; to wish (that sth may happen); may ...; vow; pledge",pictophonetic,"heart" -9267,颡,"(literary) forehead",pictophonetic,"head" -9268,颠,"top (of the head); apex; to fall forwards; inverted; to jolt",pictophonetic,"head" -9269,类,"kind; type; class; category; similar; like; to resemble",, -9270,颟,"dawdling",, -9271,颢,"(literary) white and shining",, -9272,憔,"variant of 憔[qiao2]",pictophonetic,"heart" -9273,顾,"surname Gu",pictophonetic,"head" -9274,顾,"to look after; to take into consideration; to attend to",pictophonetic,"head" -9275,颤,"to tremble; to shiver; to shake; to vibrate; Taiwan pr. [zhan4]",pictophonetic,"leaf" -9276,颥,"see 顳顬|颞颥, temple (the sides of human head)",pictophonetic,"head" -9277,显,"to make visible; to reveal; prominent; conspicuous; (prefix) phanero-",pictophonetic,"sun" -9278,颦,"to scowl; to knit the brows",pictophonetic,"despise" -9279,颅,"forehead; skull",pictophonetic,"head" -9280,颞,"bones of the temple (on the human head); see 顳顬|颞颥, temple",pictophonetic,"head" -9281,颧,"cheek bones",pictophonetic,"head" -9282,风,"wind; news; style; custom; manner; CL:陣|阵[zhen4],絲|丝[si1]",, -9283,飐,"to sway in the wind",pictophonetic,"wind" -9284,飑,"whirlwind",ideographic,"Wind 风 that wraps 包 on itself; 包 also provides the pronunciation" -9285,飒,"sound of wind; valiant; melancholy",pictophonetic,"wind" -9286,台,"typhoon",, -9287,刮,"to blow (of the wind)",pictophonetic,"knife" -9288,飓,"hurricane",pictophonetic,"wind" -9289,飖,"floating in the air",pictophonetic,"wind" -9290,飕,"to blow (as of wind); sound of wind; sough",pictophonetic,"wind" -9291,帆,"to gallop; Taiwan pr. [fan2]; variant of 帆[fan1]",pictophonetic,"cloth" -9292,飘,"variant of 飄|飘[piao1]",pictophonetic,"wind" -9293,飘,"to float (in the air); to flutter; to waft; complacent; frivolous; weak; shaky; wobbly",pictophonetic,"wind" -9294,飙,"whirlwind; violent wind",ideographic,"Storm 猋 winds 风; 猋 also provides the pronunciation" -9295,飚,"variant of 飆|飙[biao1]",ideographic,"A particularly fierce 焱 storm 风" -9296,飞,"to fly",pictographic,"A bird flapping its wings" -9297,翻,"variant of 翻[fan1]",pictophonetic,"wings" -9298,食,"to eat; food; animal feed; eclipse",pictographic,"A dish of food 良 with a lid on top 人" -9299,食,"to feed (a person or animal)",pictographic,"A dish of food 良 with a lid on top 人" -9300,饣,"""to eat"" or ""food"" radical in Chinese characters (Kangxi radical 184)",, -9301,饥,"(bound form) hungry",pictophonetic,"food" -9302,饲,"old variant of 飼|饲[si4]",pictophonetic,"food" -9303,飧,"(literary) supper",ideographic,"An evening 夕 meal 食" -9304,饨,"used in 餛飩|馄饨[hun2 tun5]; Taiwan pr. [dun4]",pictophonetic,"food" -9305,饪,"cooked food; to cook (until ready)",pictophonetic,"food" -9306,饫,"full (as of eating)",pictophonetic,"eat" -9307,飬,"old variant of 餋[juan4]",pictophonetic,"food" -9308,飬,"old variant of 養|养[yang3]",pictophonetic,"food" -9309,饬,"(bound form) to put in order; to arrange properly; circumspect; well-behaved; to give (sb) an order",pictophonetic,"strength" -9310,饭,"cooked rice; CL:碗[wan3]; meal; CL:頓|顿[dun4]; (loanword) fan; devotee",pictophonetic,"food" -9311,飧,"variant of 飧[sun1]",ideographic,"An evening 夕 meal 食" -9312,饮,"to drink",pictophonetic,"food" -9313,饮,"to give (animals) water to drink",pictophonetic,"food" -9314,饴,"maltose syrup",pictophonetic,"food" -9315,饲,"to raise; to rear; to feed",pictophonetic,"food" -9316,饱,"to eat till full; satisfied",pictophonetic,"food" -9317,饰,"decoration; ornament; to decorate; to adorn; to hide; to conceal (a fault); excuse (to hide a fault); to play a role (in opera); to impersonate",pictophonetic,"cloth" -9318,饪,"variant of 飪|饪[ren4]",pictophonetic,"food" -9319,饺,"dumplings with meat filling",pictophonetic,"food" -9320,饸,"used in 餄餎|饸饹[he2le5]",pictophonetic,"food" -9321,饼,"round flat cake; cookie; cake; pastry; CL:張|张[zhang1]",pictophonetic,"food" -9322,饷,"soldier's pay",pictophonetic,"food" -9323,养,"to raise (animals); to bring up (children); to keep (pets); to support; to give birth",pictophonetic,"child" -9324,饵,"pastry; food; to swallow; to lure; bait; lure",pictophonetic,"food" -9325,饹,"used in 餎餷|饹馇[ge1 zha5]",pictophonetic,"food" -9326,饹,"used in 餄餎|饸饹[he2le5]",pictophonetic,"food" -9327,餐,"meal; to eat; classifier for meals",pictophonetic,"food" -9328,饽,"cake; biscuit",pictophonetic,"food" -9329,馁,"(bound form) hungry; starving; (bound form) dispirited; (literary) (of fish) putrid",pictophonetic,"food" -9330,饿,"hungry; to starve (sb)",ideographic,"To want 我 food 饣; 我 also provides the pronunciation" -9331,哺,"to eat; evening meal",pictophonetic,"mouth" -9332,馂,"remains of a sacrifice or a meal",ideographic,"Food 饣 left over 夋; 夋 also provides the pronunciation" -9333,余,"extra; surplus; remaining; remainder after division; (following numerical value) or more; in excess of (some number); residue (math.); after; I; me",, -9334,馀,"surname Yu",ideographic,"Extra 余 food 饣; 余 also provides the pronunciation" -9335,馀,"variant of 餘|余[yu2], remainder",ideographic,"Extra 余 food 饣; 余 also provides the pronunciation" -9336,肴,"variant of 肴[yao2]",pictophonetic,"meat" -9337,馄,"used in 餛飩|馄饨[hun2 tun5]",pictophonetic,"food" -9338,饯,"farewell dinner; preserves",pictophonetic,"food" -9339,馅,"stuffing; forcemeat; filling",ideographic,"Food 饣 stuffed in a hole 臽; 臽 also provides the pronunciation" -9340,喂,"variant of 餵|喂[wei4]",pictophonetic,"mouth" -9341,馆,"building; shop; term for certain service establishments; embassy or consulate; schoolroom (old); CL:家[jia1]",ideographic,"A public 官 building where food 饣 is served; 官 also provides the pronunciation" -9342,糊,"congee; (in 糊口[hu2 kou3]) to feed oneself",pictophonetic,"grain" -9343,餮,"(literary) greedy; gluttonous",pictophonetic,"eat" -9344,糇,"dry provisions",pictophonetic,"rice" -9345,饧,"maltose syrup; molasses; heavy (eyelids); drowsy-eyed; listless; (of dough, candy etc) to soften; to become soft and sticky",pictophonetic,"food" -9346,喂,"to feed",pictophonetic,"mouth" -9347,馇,"to cook and stir (animal feed); (coll.) to simmer (porridge etc)",pictophonetic,"food" -9348,馇,"used in 餎餷|饹馇[ge1 zha5]",pictophonetic,"food" -9349,糖,"old variant of 糖[tang2]",pictophonetic,"rice" -9350,糕,"variant of 糕[gao1]",pictophonetic,"rice" -9351,饩,"grain ration; sacrificial victim",pictophonetic,"food" -9352,馈,"(literary) to make an offering to the gods; variant of 饋|馈[kui4]",ideographic,"Expensive 贵 food 饣; 贵 also provides the pronunciation" -9353,馏,"to distill; to break a liquid substance up into components by boiling",ideographic,"Distilled 留 wine 饣; 留 also provides the pronunciation" -9354,馏,"to steam; to cook in a steamer; to reheat cold food by steaming it",ideographic,"Distilled 留 wine 饣; 留 also provides the pronunciation" -9355,馊,"rancid; soured (as food)",ideographic,"Old 叟 food 饣; 叟 also provides the pronunciation" -9356,馍,"small loaf of steamed bread",pictophonetic,"food" -9357,馒,"used in 饅頭|馒头[man2 tou5]",pictophonetic,"food" -9358,馐,"delicacies",pictophonetic,"food" -9359,馑,"time of famine or crop failure",ideographic,"A time of little 堇 food 饣; 堇 also provides the pronunciation" -9360,馓,"used in 饊子|馓子[san3 zi5]",pictophonetic,"food" -9361,馈,"(bound form) to present (a gift); (bound form) to send; to transmit",ideographic,"Expensive 贵 food 饣; 贵 also provides the pronunciation" -9362,馔,"food; delicacies",pictophonetic,"food" -9363,膳,"variant of 膳[shan4]",pictophonetic,"meat" -9364,饥,"variant of 飢|饥[ji1]",pictophonetic,"food" -9365,饶,"surname Rao",pictophonetic,"food" -9366,饶,"rich; abundant; exuberant; to add for free; to throw in as bonus; to spare; to forgive; despite; although",pictophonetic,"food" -9367,饔,"(literary) cooked food; breakfast",pictophonetic,"food" -9368,饕,"(literary) greedy; gluttonous",pictophonetic,"eat" -9369,飨,"(literary) to offer food and drinks; to entertain",pictophonetic,"food" -9370,餍,"to eat to the full",pictophonetic,"eat" -9371,馍,"variant of 饃|馍[mo2]",pictophonetic,"food" -9372,馋,"gluttonous; greedy; to have a craving",pictophonetic,"eat" -9373,饷,"variant of 餉|饷[xiang3]",pictophonetic,"food" -9374,馕,"a kind of a flat bread",pictophonetic,"food" -9375,馕,"to stuff one's face; to eat greedily",pictophonetic,"food" -9376,首,"head; chief; first (occasion, thing etc); classifier for poems, songs etc",ideographic,"A deer's head 自 adorned with antlers 丷" -9377,馗,"cheekbone; crossroads; high",pictophonetic,"head" -9378,馘,"(literary) to cut off the left ear of a slain enemy; the severed ear of a slain enemy",ideographic,"To cut off 或 the enemy's ears 首; 或 also provides the pronunciation" -9379,香,"fragrant; sweet smelling; aromatic; savory or appetizing; (to eat) with relish; (of sleep) sound; perfume or spice; joss or incense stick; CL:根[gen1]",ideographic,"A herb 禾 with a sweet 甘 smell" -9380,馥,"fragrance; scent; aroma",pictophonetic,"fragrant" -9381,馨,"fragrant",pictophonetic,"incense" -9382,马,"surname Ma; abbr. for Malaysia 馬來西亞|马来西亚[Ma3lai2xi1ya4]",pictographic,"Simplified form of 馬, a horse galloping to the left" -9383,马,"horse; CL:匹[pi3]; horse or cavalry piece in Chinese chess; knight in Western chess",pictographic,"Simplified form of 馬, a horse galloping to the left" -9384,驭,"variant of 御[yu4]; to drive; to manage; to control",pictophonetic,"horse" -9385,冯,"surname Feng",pictophonetic,"horse" -9386,冯,"to gallop; to assist; to attack; to wade; great; old variant of 憑|凭[ping2]",pictophonetic,"horse" -9387,驮,"load carried by a pack animal",pictophonetic,"horse" -9388,驮,"to carry on one's back",pictophonetic,"horse" -9389,驰,"to run fast; to speed; to gallop; to disseminate; to spread",pictophonetic,"horse" -9390,驯,"to attain gradually; to tame; Taiwan pr. [xun2]",pictophonetic,"horse" -9391,驴,"variant of 驢|驴[lu:2]",pictophonetic,"horse" -9392,驳,"variegated; heterogeneous; to refute; to contradict; to ship by barge; a barge; a lighter (ship)",pictophonetic,"horse" -9393,驱,"old variant of 驅|驱[qu1]",pictophonetic,"horse" -9394,驻,"to halt; to stay; to be stationed (of troops, diplomats etc)",pictophonetic,"horse" -9395,驽,"(literary) inferior horse",pictophonetic,"horse" -9396,驹,"colt",pictophonetic,"horse" -9397,驵,"powerful horse",pictophonetic,"horse" -9398,驾,"surname Jia",pictophonetic,"horse" -9399,驾,"to harness; to draw (a cart etc); to drive; to pilot; to sail; to ride; your good self; prefixed word denoting respect (polite 敬辭|敬辞[jing4 ci2])",pictophonetic,"horse" -9400,骀,"tired; worn out horse",pictophonetic,"horse" -9401,驸,"prince consort",pictophonetic,"horse" -9402,驶,"(of a vehicle, horse etc) to go fast; to speed; (of a vehicle) to run; to go; (of a boat) to sail",pictophonetic,"horse" -9403,驼,"hump or hunchbacked; camel",pictophonetic,"horse" -9404,驼,"variant of 駝|驼[tuo2]",pictophonetic,"horse" -9405,驷,"team of 4 horses",ideographic,"Four 四 horses 马; 四 also provides the pronunciation" -9406,骂,"variant of 罵|骂[ma4]",pictophonetic,"mouth" -9407,骈,"surname Pian",ideographic,"A team of horses 马 working together 并" -9408,骈,"(of a pair of horses) to pull side by side; to be side by side; to be fused together; parallel (literary style)",ideographic,"A team of horses 马 working together 并" -9409,骇,"to astonish; to startle; to hack (computing, loanword)",pictophonetic,"horse" -9410,驳,"variant of 駁|驳[bo2]",pictophonetic,"horse" -9411,骆,"surname Luo",pictophonetic,"horse" -9412,骆,"camel; white horse with a black mane (archaic)",pictophonetic,"horse" -9413,骏,"spirited horse",pictophonetic,"horse" -9414,骋,"to hasten; to run; to open up; to gallop",pictophonetic,"horse" -9415,骓,"surname Zhui",pictophonetic,"horse" -9416,骓,"(literary) piebald horse",pictophonetic,"horse" -9417,骒,"(bound form) (of a horse, mule, camel etc) female",pictophonetic,"horse" -9418,骑,"(Tw) saddle horse; mounted soldier",pictophonetic,"horse" -9419,骑,"to sit astride; to ride (a horse, bike etc); classifier for saddle horses",pictophonetic,"horse" -9420,骐,"piebald horse; used for 麒[qi2], mythical unicorn",pictophonetic,"horse" -9421,验,"variant of 驗|验[yan4]",pictophonetic,"horse" -9422,骛,"(bound form) to rush about; to strive for",ideographic,"A horse 马 working hard 敄; 敄 also provides the pronunciation" -9423,骗,"to cheat; to swindle; to deceive; to get on (a horse etc) by swinging one leg over",pictophonetic,"horse" -9424,鬃,"variant of 鬃[zong1]",pictophonetic,"hair" -9425,骞,"(literary) to hold high",ideographic,"A soldier 宀 mounting a horse 马" -9426,骘,"a stallion; to rise; to arrange; to stabilize; to differentiate; to judge",ideographic,"To climb 陟 on a horse 马; 陟 also provides the pronunciation" -9427,骝,"bay horse with black mane",pictophonetic,"horse" -9428,腾,"(bound form) to gallop; to prance; (bound form) to soar; to hover; to make room; to clear out; to vacate; (verb suffix indicating repeated action)",pictophonetic,"horse" -9429,驺,"surname Zou",pictophonetic,"horse" -9430,驺,"groom or chariot driver employed by a noble (old)",pictophonetic,"horse" -9431,骚,"(bound form) to disturb; to disrupt; flirty; coquettish; abbr. for 離騷|离骚[Li2 Sao1]; (literary) literary writings; poetry; foul-smelling (variant of 臊[sao1]); (dialect) (of certain domestic animals) male",ideographic,"A flea 蚤 biting a horse 马; 蚤 also provides the pronunciation" -9432,骟,"to geld",pictophonetic,"horse" -9433,骡,"mule; CL:匹[pi3],頭|头[tou2]",pictophonetic,"horse" -9434,蓦,"leap on or over; suddenly",pictophonetic,"horse" -9435,骜,"a noble steed (literary); (of a horse) untamed; (fig.) (of a person) headstrong; Taiwan pr. [ao2]",ideographic,"A rambling 敖 horse 马; 敖 also provides the pronunciation" -9436,骖,"outside horses of a team of 4",pictophonetic,"horse" -9437,骠,"white horse",pictophonetic,"horse" -9438,骢,"buckskin horse",pictophonetic,"horse" -9439,驱,"to expel; to urge on; to drive; to run quickly",pictophonetic,"horse" -9440,骅,"chestnut horse",pictophonetic,"horse" -9441,骕,"used in 驌驦|骕骦[su4 shuang1]",pictophonetic,"horse" -9442,骁,"good horse; valiant",pictophonetic,"horse" -9443,骣,"(literary) to ride a horse without a saddle",pictophonetic,"horse" -9444,骄,"proud; arrogant",ideographic,"A proud 乔 horse 马; 乔 also provides the pronunciation" -9445,验,"to examine; to test; to check",pictophonetic,"horse" -9446,骡,"variant of 騾|骡[luo2]",pictophonetic,"horse" -9447,惊,"to startle; to be frightened; to be scared; alarm",pictophonetic,"heart" -9448,驿,"post horse; relay station",pictophonetic,"horse" -9449,骤,"sudden; unexpected; abrupt; suddenly; Taiwan pr. [zou4]",pictophonetic,"horse" -9450,驴,"donkey; CL:頭|头[tou2]",pictophonetic,"horse" -9451,骧,"(literary) to run friskily (of a horse); to raise; to hold high",pictophonetic,"horse" -9452,骥,"thoroughbred horse; refined and virtuous",pictophonetic,"horse" -9453,骦,"used in 驌驦|骕骦[su4 shuang1]",pictophonetic,"horse" -9454,欢,"a breed of horse; variant of 歡|欢[huan1]",, -9455,骊,"black horse; jet steed; good horse; legendary black dragon",pictophonetic,"horse" -9456,骨,"bone",ideographic,"Flesh ⺼ and bones 冎" -9457,肮,"dirty; filthy",pictophonetic,"meat" -9458,骰,"dice",ideographic,"Tools 殳 made of bone 骨" -9459,骱,"joint of bones",ideographic,"A bony 骨 joint 介; 介 also provides the pronunciation" -9460,骶,"(bound form) sacrum",pictophonetic,"bone" -9461,骷,"used in 骷髏|骷髅[ku1lou2]",pictophonetic,"bone" -9462,骸,"bones of the body",pictophonetic,"bone" -9463,骺,"(anatomy) epiphysis",ideographic,"The end 后 of a bone 骨; 后 also provides the pronunciation" -9464,骼,"skeleton",pictophonetic,"bone" -9465,腿,"hip bone; old variant of 腿[tui3]",ideographic,"Flesh ⺼ used to walk 退; 退 also provides the pronunciation" -9466,鲠,"to choke on a piece of food",pictophonetic,"fish" -9467,髀,"buttocks; thigh",ideographic,"A low 卑 bone 骨; 卑 also provides the pronunciation" -9468,髁,"condyles",pictophonetic,"bone" -9469,髂,"ilium; outermost bone of the pelvic girdle; Taiwan pr. [ka4]",pictophonetic,"bone" -9470,膀,"old variant of 膀[bang3]",ideographic,"Flesh ⺼ beside 旁 the body; 旁 also provides the pronunciation" -9471,髅,"used in 髑髏|髑髅[du2lou2]; used in 骷髏|骷髅[ku1lou2]",pictophonetic,"bone" -9472,髑,"used in 髑髏|髑髅[du2lou2]",pictophonetic,"bone" -9473,脏,"dirty; filthy; to get (sth) dirty",pictophonetic,"flesh" -9474,髓,"(bound form) bone marrow; (fig.) innermost part; (botany) pith",pictophonetic,"bone" -9475,体,"body; form; style; system; substance; to experience; aspect (linguistics)",, -9476,髌,"kneecapping; to cut or smash the kneecaps as corporal punishment",pictophonetic,"bone" -9477,髋,"pelvis; pelvic",pictophonetic,"bone" -9478,高,"surname Gao",pictographic,"A tall palace" -9479,高,"high; tall; above average; loud; your (honorific)",pictographic,"A tall palace" -9480,髟,"hair; shaggy",ideographic,"Long 镸 hair 彡" -9481,髡,"scalping; to make the head bald (as corporal punishment)",pictophonetic,"shave" -9482,髯,"old variant of 髯[ran2]",pictophonetic,"hair" -9483,髦,"bang (hair); fashionable; mane",pictophonetic,"hair" -9484,髫,"(literary) hair hanging down in front (children's hairstyle)",pictophonetic,"hair" -9485,髭,"mustache",pictophonetic,"hair" -9486,发,"hair; Taiwan pr. [fa3]",, -9487,髯,"beard; whiskers",pictophonetic,"hair" -9488,佛,"(female) head ornament; variant of 彿|佛[fu2]",pictophonetic,"person" -9489,髹,"red lacquer; to lacquer",pictophonetic,"hair" -9490,髻,"hair rolled up in a bun, topknot",pictophonetic,"hair" -9491,剃,"variant of 剃[ti4]",pictophonetic,"knife" -9492,鬃,"bristles; horse's mane",pictophonetic,"hair" -9493,鬄,"wig; Taiwan pr. [ti4]",ideographic,"To exchange 易 hair 髟; 易 also provides the pronunciation" -9494,鬄,"old variant of 剃[ti4]",ideographic,"To exchange 易 hair 髟; 易 also provides the pronunciation" -9495,松,"loose; to loosen; to relax; floss (dry, fluffy food product made from shredded, seasoned meat or fish, used as a topping or filling)",pictophonetic,"tree" -9496,鬈,"to curl; curled",ideographic,"Curled 卷 hair 髟; 卷 also provides the pronunciation" -9497,鬃,"disheveled hair; horse's mane",pictophonetic,"hair" -9498,胡,"beard; mustache; whiskers",pictophonetic,"meat" -9499,鬏,"bun (of hair)",pictophonetic,"hair" -9500,鬒,"bushy black hair",pictophonetic,"hair" -9501,须,"beard; mustache; feeler (of an insect etc); tassel",ideographic,"Hair 彡 growing on the face 页" -9502,鬟,"a knot of hair on top of head",ideographic,"A round 睘 topknot 髟; 睘 also provides the pronunciation" -9503,鬓,"temples; hair on the temples",pictophonetic,"hair" -9504,鬣,"bristles; mane",ideographic,"Whiskers 巤 of hair 髟; 巤 also provides the pronunciation" -9505,斗,"to fight; to struggle; to condemn; to censure; to contend; to put together; coming together",ideographic,"A hand holding a measuring dipper" -9506,斗,"variant of 鬭|斗[dou4]",ideographic,"A hand holding a measuring dipper" -9507,闹,"noisy; cacophonous; to make noise; to disturb; to vent (feelings); to fall ill; to have an attack (of sickness); to go in (for some activity); to joke",ideographic,"As busy as the market 市 gate 门" -9508,哄,"tumult; uproar; commotion; disturbance",pictophonetic,"mouth" -9509,阋,"to argue; to quarrel",pictophonetic,"fight" -9510,斗,"variant of 鬥|斗[dou4]",ideographic,"A hand holding a measuring dipper" -9511,斗,"variant of 鬥|斗[dou4]",ideographic,"A hand holding a measuring dipper" -9512,阄,"lots (to be drawn); lot (in a game of chance)",, -9513,鬯,"a kind of sacrificial wine used in ancient times",, -9514,郁,"old variant of 鬱|郁[yu4]",pictophonetic,"city" -9515,郁,"surname Yu",pictophonetic,"city" -9516,郁,"(bound form) (of vegetation) lush; luxuriant; (bound form) melancholy; depressed",pictophonetic,"city" -9517,鬲,"surname Ge",pictographic,"A cauldron 口 with three legs 冂丷" -9518,鬲,"earthen pot; iron cauldron",pictographic,"A cauldron 口 with three legs 冂丷" -9519,鬲,"ancient ceramic three-legged vessel used for cooking with cord markings on the outside and hollow legs",pictographic,"A cauldron 口 with three legs 冂丷" -9520,鬻,"to sell, esp. in strained circumstances",ideographic,"To sell porridge 粥 steaming in a pot 鬲" -9521,鬼,"disembodied spirit; ghost; devil; (suffix) person with a certain vice or addiction etc; sly; crafty; resourceful (variant of 詭|诡[gui3]); one of the 28 constellations of ancient Chinese astronomy",pictographic,"A ghost with a scary face" -9522,魁,"chief; head; outstanding; exceptional; stalwart",ideographic,"One who fought 斗 a ghost 鬼; 鬼 also provides the pronunciation" -9523,魂,"soul; spirit; immortal soul (that can be detached from the body)",pictophonetic,"spirit" -9524,魃,"drought demon",pictophonetic,"demon" -9525,魄,"soul; mortal soul (i.e. attached to the body)",pictophonetic,"spirit" -9526,魅,"demon; magic; to charm",ideographic,"A forest 未 demon 鬼; 未 also provides the pronunciation" -9527,魆,"dim; dark; sudden; surreptitious; Taiwan pr. [xu4]",pictophonetic,"demon" -9528,魈,"used in 山魈[shan1 xiao1]",pictophonetic,"demon" -9529,魍,"used in 魍魎|魍魉[wang3liang3]",pictophonetic,"demon" -9530,魉,"used in 魍魎|魍魉[wang3liang3]",pictophonetic,"ghost" -9531,魏,"surname Wei; name of a vassal state of the Zhou dynasty from 661 BC in Shanxi, one of the Seven Hero Warring States; Wei state, founded by Cao Cao 曹操[Cao2 Cao1], one of the Three Kingdoms after the Han dynasty; the Wei dynasty 221-265; Wei Prefecture or Wei County at various times in history",pictophonetic,"ghost" -9532,魏,"tower over a palace gateway (old)",pictophonetic,"ghost" -9533,魑,"used in 魑魅[chi1mei4]",pictophonetic,"demon" -9534,魔,"(bound form) evil spirit; devil; (prefix) supernatural; magical",pictophonetic,"demon" -9535,魖,"used in 黑魖魖[hei1 xu1 xu1]",pictophonetic,"black" -9536,魇,"to have a nightmare",pictophonetic,"ghost" -9537,鱼,"surname Yu",pictographic,"A fish swimming upwards" -9538,鱼,"fish; CL:條|条[tiao2],尾[wei3]",pictographic,"A fish swimming upwards" -9539,魠,"used in 土魠魚|土魠鱼[tu3 tuo1 yu2]",pictophonetic,"fish" -9540,鲁,"surname Lu; Lu, an ancient state of China 魯國|鲁国[Lu3guo2]; Lu, short name for Shandong 山東|山东[Shan1dong1]",ideographic,"To talk 日 like a fish 鱼" -9541,鲁,"(bound form) crass; stupid; rude; (used to represent the sounds of ""ru"", ""lu"" etc in loanwords)",ideographic,"To talk 日 like a fish 鱼" -9542,鲂,"bream; Zeus japanicus",pictophonetic,"fish" -9543,鱿,"cuttlefish",pictophonetic,"fish" -9544,鲅,"(bound form) Spanish mackerel",pictophonetic,"fish" -9545,鲆,"family of flatfish; sole",pictophonetic,"fish" -9546,鲧,"variant of 鯀|鲧[Gun3]",pictophonetic,"fish" -9547,鲇,"sheatfish (Parasilurus asotus); oriental catfish; see also 鯰|鲶[nian2]",pictophonetic,"fish" -9548,鲐,"mackerel; Pacific mackerel (Pneumatophorus japonicus)",pictophonetic,"fish" -9549,鲍,"surname Bao",pictophonetic,"fish" -9550,鲍,"abalone",pictophonetic,"fish" -9551,鲋,"silver carp",pictophonetic,"fish" -9552,鲒,"oyster",pictophonetic,"fish" -9553,鲕,"caviar; fish roe",pictophonetic,"fish" -9554,鮨,"sushi; grouper (Portuguese: garoupa); Epinephelus septemfasciatus",pictophonetic,"fish" -9555,鲔,"little tuna; Euthynnus alletteratus",pictophonetic,"fish" -9556,鲛,"(bound form) shark",pictophonetic,"fish" -9557,鲑,"trout; salmon",pictophonetic,"fish" -9558,鲜,"fresh; bright (in color); delicious; tasty; delicacy; aquatic foods",pictophonetic,"fish" -9559,鲜,"few; rare",pictophonetic,"fish" -9560,鲧,"Gun, mythical father of Yu the Great 大禹[Da4 Yu3]",pictophonetic,"fish" -9561,鲠,"to choke on a piece of food; (literary) a fish bone lodged in one's throat",pictophonetic,"fish" -9562,鲩,"grass carp",pictophonetic,"fish" -9563,鲤,"carp",pictophonetic,"fish" -9564,鲨,"shark",pictophonetic,"fish" -9565,鲻,"mullet",pictophonetic,"fish" -9566,鲯,"mahi-mahi (Coryphaena hippurus); dorado",pictophonetic,"fish" -9567,鲭,"mackerel",pictophonetic,"fish" -9568,鲭,"(literary) boiled stew of fish and meat",pictophonetic,"fish" -9569,鲞,"dried fish",pictophonetic,"fish" -9570,鲷,"porgy; pagrus major",pictophonetic,"fish" -9571,鲴,"Xenocypris, genus of cyprinid fish found in eastern Asia",pictophonetic,"fish" -9572,鲱,"Pacific herring",pictophonetic,"fish" -9573,鲵,"Cryptobranchus japonicus; salamander",pictophonetic,"fish" -9574,鲲,"fry (newly hatched fish); legendary giant fish that could transform into a giant bird 鵬|鹏[Peng2]",pictophonetic,"fish" -9575,鲳,"see 鯧魚|鲳鱼[chang1 yu2]",pictophonetic,"fish" -9576,鲸,"whale",pictophonetic,"fish" -9577,鲮,"mud carp (Cirrhina molitorella)",pictophonetic,"fish" -9578,鲰,"surname Zou",pictophonetic,"fish" -9579,鲰,"minnows; small fish",pictophonetic,"fish" -9580,鲶,"sheatfish (Parasilurus asotus); oriental catfish; see also 鮎|鲇[nian2]",pictophonetic,"fish" -9581,鳀,"anchovy",pictophonetic,"fish" -9582,鲫,"bastard carp; sand perch",pictophonetic,"fish" -9583,鳊,"bream",pictophonetic,"fish" -9584,鲗,"cuttlefish",pictophonetic,"fish" -9585,鲽,"flatfish; flounder; sole",pictophonetic,"fish" -9586,鳇,"sturgeon",pictophonetic,"fish" -9587,鳅,"loach",pictophonetic,"fish" -9588,鳄,"variant of 鱷|鳄[e4]",pictophonetic,"fish" -9589,鳆,"Haliotis gigantea; sea ear",pictophonetic,"fish" -9590,鳃,"gills of fish",pictophonetic,"fish" -9591,鳑,"used in 鰟鮍|鳑鲏[pang2pi2]",pictophonetic,"fish" -9592,鲥,"shad; Ilisha elongata",pictophonetic,"fish" -9593,鳏,"widower",pictophonetic,"fish" -9594,鳎,"sole (fish)",pictophonetic,"fish" -9595,鳐,"skate (cartilaginous fish belonging to the family Rajidae); ray (fish)",pictophonetic,"fish" -9596,鳍,"fin",pictophonetic,"fish" -9597,鲢,"Hypophthalmichthys moritrix",pictophonetic,"fish" -9598,鳌,"mythological sea turtle",pictophonetic,"fish" -9599,鳓,"Chinese herring (Ilisha elongata); white herring; slender shad",pictophonetic,"fish" -9600,鳘,"cod",pictophonetic,"fish" -9601,鲦,"Korean sharpbelly (fish, Hemiculter leucisculus); chub",pictophonetic,"fish" -9602,鲣,"bonito",pictophonetic,"fish" -9603,鳗,"eel (Anguilla japonica)",pictophonetic,"fish" -9604,鳔,"swim bladder; air bladder of fish",pictophonetic,"fish" -9605,鱄,"surname Zhuan",pictophonetic,"fish" -9606,鱄,"fish (meaning variable: mackerel, anchovy, fresh-water fish)",pictophonetic,"fish" -9607,鳙,"see 鱅魚|鳙鱼[yong1 yu2]",pictophonetic,"fish" -9608,鳕,"codfish; Gadus macrocephalus",pictophonetic,"fish" -9609,鳖,"freshwater soft-shelled turtle",pictophonetic,"fish" -9610,鳟,"trout; barbel; Taiwan pr. [zun4]",pictophonetic,"fish" -9611,鳝,"variant of 鱔|鳝[shan4]",pictophonetic,"fish" -9612,鳝,"Chinese yellow eel",pictophonetic,"fish" -9613,鳜,"mandarin fish; Chinese perch (Siniperca chuatsi)",pictophonetic,"fish" -9614,鳞,"scales (of fish)",pictophonetic,"fish" -9615,鲟,"sturgeon; Acipenser sturio",pictophonetic,"fish" -9616,鲼,"any ray (fish) variety of Myliobatiformes order",pictophonetic,"fish" -9617,鲎,"horseshoe crab",pictophonetic,"fish" -9618,鲙,"used in 鱠魚|鲙鱼[kuai4 yu2]; minced or diced fish (variant of 膾|脍[kuai4])",pictophonetic,"fish" -9619,鳣,"see 鱔|鳝[shan4]",pictophonetic,"fish" -9620,鳣,"sturgeon (old); Acipenser micadoi",pictophonetic,"fish" -9621,鱥,"minnow",pictophonetic,"fish" -9622,鳢,"snakefish; snakehead mullet",pictophonetic,"fish" -9623,鲚,"Coilia nasus",pictophonetic,"fish" -9624,鳄,"(bound form) alligator; crocodile",pictophonetic,"fish" -9625,鲈,"common perch; bass",pictophonetic,"fish" -9626,鲡,"eel",pictophonetic,"fish" -9627,鲜,"fish; old variant of 鮮|鲜[xian1]",pictophonetic,"fish" -9628,鲜,"old variant of 鮮|鲜[xian3]",pictophonetic,"fish" -9629,鸟,"variant of 屌[diao3]; penis",pictographic,"Simplified form of 烏, a bird" -9630,鸟,"bird; CL:隻|只[zhi1],群[qun2]; ""bird"" radical in Chinese characters (Kangxi radical 196); (dialect) to pay attention to; (intensifier) damned; goddamn",pictographic,"Simplified form of 烏, a bird" -9631,凫,"mallard; Anas platyrhyncha",pictophonetic,"bird" -9632,鸠,"turtledove; (literary) to gather",pictophonetic,"bird" -9633,凫,"old variant of 鳧|凫[fu2]",pictophonetic,"bird" -9634,凤,"surname Feng",pictophonetic,"simplified form of 鳥 bird" -9635,凤,"phoenix",pictophonetic,"simplified form of 鳥 bird" -9636,鸣,"to cry (of birds, animals and insects); to make a sound; to voice (one's gratitude, grievance etc)",ideographic,"The sound 口 a bird 鸟 makes" -9637,鸢,"kite (small hawk)",pictophonetic,"bird" -9638,鴂,"tailorbird (Orthotomus spp.); weaver bird (family Ploceidae); variant of 鴃[jue2], shrike; cuckoo",pictophonetic,"bird" -9639,鸩,"legendary bird whose feathers can be used as poison; poisonous; to poison sb",pictophonetic,"bird" -9640,鸨,"Chinese bustard; procuress",pictophonetic,"bird" -9641,雁,"variant of 雁[yan4]",pictophonetic,"bird" -9642,鸦,"crow",pictophonetic,"bird" -9643,鸰,"used in 鶺鴒|鹡鸰[ji2ling2]",pictophonetic,"bird" -9644,鴔,"see 鵖鴔[bi1 fu2]",pictophonetic,"bird" -9645,鸵,"ostrich",pictophonetic,"bird" -9646,鸳,"mandarin duck",pictophonetic,"bird" -9647,鸲,"(bound form, used in the names of various kinds of bird, esp. robins and redstarts)",pictophonetic,"bird" -9648,鸮,"owl (order Strigiformes)",pictophonetic,"bird" -9649,鸱,"scops owl",pictophonetic,"bird" -9650,鸪,"partridge; Francolinus chinensis",pictophonetic,"bird" -9651,鸯,"mandarin duck",pictophonetic,"bird" -9652,鸭,"duck (CL:隻|只[zhi1]); (slang) male prostitute",pictophonetic,"bird" -9653,鸸,"used in 鴯鶓|鸸鹋[er2miao2]",pictophonetic,"bird" -9654,鸹,"used in 老鴰|老鸹[lao3gua5]",pictophonetic,"bird" -9655,鸻,"plover",ideographic,"A wading 行 bird 鸟; 鸟 also provides the pronunciation" -9656,鸿,"eastern bean goose; great; large",pictophonetic,"bird" -9657,鸽,"pigeon; dove",pictophonetic,"bird" -9658,鸺,"owl",pictophonetic,"bird" -9659,鹃,"cuckoo",pictophonetic,"bird" -9660,鹆,"mynah",pictophonetic,"bird" -9661,鹁,"woodpidgeon",pictophonetic,"bird" -9662,鹈,"used in 鵜鶘|鹈鹕[ti2 hu2]",pictophonetic,"bird" -9663,鹅,"goose; CL:隻|只[zhi1]",pictophonetic,"bird" -9664,鹅,"variant of 鵝|鹅[e2]",pictophonetic,"bird" -9665,鹄,"center or bull's eye of an archery target (old); goal; target",pictophonetic,"bird" -9666,鹄,"swan",pictophonetic,"bird" -9667,鹉,"used in 鸚鵡|鹦鹉[ying1wu3]",pictophonetic,"bird" -9668,鹌,"quail",pictophonetic,"bird" -9669,鹏,"Peng, large fabulous bird; roc",pictophonetic,"bird" -9670,鹎,"the Pycnonotidae or bulbul family of birds",pictophonetic,"bird" -9671,雕,"bird of prey",pictophonetic,"bird" -9672,鹊,"magpie",pictophonetic,"bird" -9673,鸦,"variant of 鴉|鸦[ya1]",pictophonetic,"bird" -9674,鹍,"large bird, possibly related to crane or swan (archaic); mythical monstrous bird, cf Sinbad's roc",pictophonetic,"bird" -9675,鸫,"thrush (bird of genus Turdus)",pictophonetic,"bird" -9676,鹑,"quail",pictophonetic,"bird" -9677,鹒,"oriole",pictophonetic,"bird" -9678,鹋,"used in 鴯鶓|鸸鹋[er2miao2]",pictophonetic,"bird" -9679,鹙,"see 鶖鷺|鹙鹭[qiu1 lu4]",pictophonetic,"bird" -9680,鹕,"used in 鵜鶘|鹈鹕[ti2 hu2]",pictophonetic,"bird" -9681,鹗,"(bird species of China) western osprey (Pandion haliaetus)",pictophonetic,"bird" -9682,鹛,"babbler (bird)",pictophonetic,"bird" -9683,鹜,"duck",pictophonetic,"bird" -9684,鸧,"oriole",pictophonetic,"bird" -9685,莺,"oriole or various birds of the Sylvidae family including warblers",ideographic,"A bird 鸟 covered in 冖 green 艹 feathers" -9686,鹤,"crane",pictophonetic,"bird" -9687,鹠,"see 鵂鶹|鸺鹠[xiu1 liu2]",pictophonetic,"bird" -9688,鹡,"used in 鶺鴒|鹡鸰[ji2ling2]",pictophonetic,"bird" -9689,鹘,"falcon; migratory bird",pictophonetic,"bird" -9690,鹣,"mythical bird with one eye and one wing; see also 鰈鶼|鲽鹣[die2 jian1]",pictophonetic,"bird" -9691,鹚,"used in 鸕鶿|鸬鹚[lu2 ci2]",pictophonetic,"bird" -9692,鹚,"variant of 鶿|鹚[ci2]",pictophonetic,"bird" -9693,鹞,"sparrow hawk; Accipiter nisus",pictophonetic,"bird" -9694,鷄,"variant of 雞|鸡[ji1]",pictophonetic,"bird" -9695,鹧,"partridge; Francolinus chinensis",pictophonetic,"bird" -9696,鸥,"common gull",pictophonetic,"bird" -9697,鸷,"fierce; brutal; bird of prey",pictophonetic,"bird" -9698,鹨,"pipit (genus Anthus)",pictophonetic,"bird" -9699,鸶,"heron",pictophonetic,"bird" -9700,鹪,"eastern wren",pictophonetic,"bird" -9701,鹔,"used in 鷫鸘|鹔鹴[su4 shuang1]",pictophonetic,"bird" -9702,鹩,"eastern wren",pictophonetic,"bird" -9703,燕,"variant of 燕[yan4]",ideographic,"A swallow, with its head 廿, wings 北, and tail 灬" -9704,鹫,"vulture",pictophonetic,"bird" -9705,鹇,"variant of 鷴|鹇[xian2]",pictophonetic,"bird" -9706,鹇,"silver pheasant (Phasianus nycthemerus); silver pheasant badge worn by civil officials of the 5th grade",pictophonetic,"bird" -9707,鹬,"common snipe; sandpiper",pictophonetic,"bird" -9708,鹰,"eagle; falcon; hawk",pictophonetic,"bird" -9709,鹭,"heron",pictophonetic,"bird" -9710,鹱,"(bound form) bird of the Procellariidae family, which includes shearwaters, gadfly petrels etc",pictophonetic,"bird" -9711,莺,"variant of 鶯|莺[ying1]",ideographic,"A bird 鸟 covered in 冖 green 艹 feathers" -9712,鸬,"used in 鸕鶿|鸬鹚[lu2 ci2]",pictophonetic,"bird" -9713,鹴,"used in 鷫鸘|鹔鹴[su4 shuang1]",pictophonetic,"bird" -9714,鹦,"used in 鸚鵡|鹦鹉[ying1wu3]",pictophonetic,"bird" -9715,鹳,"crane; stork",pictophonetic,"bird" -9716,鹂,"Chinese oriole",pictophonetic,"bird" -9717,鸾,"mythical bird related to phoenix",pictophonetic,"bird" -9718,卤,"alkaline soil; salt; brine; halogen (chemistry); crass; stupid",pictographic,"A container used to brine pickles" -9719,咸,"salted; salty; stingy; miserly",ideographic,"One 一 voice 口 surrounded by conflict 戈" -9720,鹾,"brine; salt",pictophonetic,"salt" -9721,碱,"variant of 鹼|碱[jian3]",pictophonetic,"mineral" -9722,碱,"(chemistry) base; alkali; soda",pictophonetic,"mineral" -9723,盐,"salt; CL:粒[li4]",, -9724,鹿,"deer",pictographic,"A deer with an antlered head, two legs, and a tail" -9725,麂,"muntjac",pictophonetic,"deer" -9726,麃,"to weed",ideographic,"Tracks 灬 left by a deer 鹿" -9727,麃,"(archaic) a type of deer",ideographic,"Tracks 灬 left by a deer 鹿" -9728,麇,"hornless deer",pictophonetic,"deer" -9729,麇,"(literary) in large numbers; thronging",pictophonetic,"deer" -9730,麈,"leader of herd; stag",pictophonetic,"deer" -9731,麋,"surname Mi",pictophonetic,"deer" -9732,麋,"moose; river bank",pictophonetic,"deer" -9733,麟,"variant of 麟[lin2]",pictophonetic,"deer" -9734,麒,"used in 麒麟[qi2 lin2]",pictophonetic,"deer" -9735,麓,"foot of a hill",pictophonetic,"forest" -9736,丽,"Korea",ideographic,"Simplified form of 麗; the antlers of a deer 鹿" -9737,丽,"beautiful",ideographic,"Simplified form of 麗; the antlers of a deer 鹿" -9738,麝,"musk deer (Moschus moschiferus); also called 香獐子",pictophonetic,"deer" -9739,獐,"variant of 獐[zhang1]",pictophonetic,"animal" -9740,麟,"used in 麒麟[qi2 lin2]",pictophonetic,"deer" -9741,粗,"remote; distant; variant of 粗[cu1]",pictophonetic,"grain" -9742,麦,"surname Mai",ideographic,"Simplified form of 麦; grains 來 ready to be harvested 夂" -9743,麦,"wheat; barley; oats; mic (abbr. for 麥克風|麦克风[mai4ke4feng1])",ideographic,"Simplified form of 麦; grains 來 ready to be harvested 夂" -9744,麸,"bran",pictophonetic,"wheat" -9745,面,"variant of 麵|面[mian4]",pictographic,"A person's face" -9746,曲,"variant of 麴|曲[qu1]",pictographic,"A folded object 曰" -9747,麯,"surname Qu",pictophonetic,"wheat" -9748,曲,"yeast; Aspergillus (includes many common molds); Taiwan pr. [qu2]",pictographic,"A folded object 曰" -9749,麴,"surname Qu",pictophonetic,"wheat" -9750,面,"flour; noodles; (of food) soft (not crunchy); (slang) (of a person) ineffectual; spineless",pictographic,"A person's face" -9751,麻,"surname Ma",ideographic,"Hemp plants 林 growing in a greenhouse 广" -9752,麻,"generic name for hemp, flax etc; hemp or flax fiber for textile materials; sesame; CL:縷|缕[lu:3]; (of materials) rough or coarse; pocked; pitted; to have pins and needles or tingling; to feel numb",ideographic,"Hemp plants 林 growing in a greenhouse 广" -9753,么,"exclamatory final particle",, -9754,么,"interrogative final particle",, -9755,么,"suffix, used to form interrogative 什麼|什么[shen2 me5], what?, indefinite 這麼|这么[zhe4 me5] thus, etc",, -9756,麽,"tiny; insignificant",pictophonetic, -9757,么,"variant of 麼|么[me5]",, -9758,麾,"signal flag; to signal",, -9759,麿,"(Japanese kokuji) I, me (archaic); suffix attached to the name of a person or pet; pr. maro",, -9760,黄,"surname Huang or Hwang",pictographic,"A jade pendant" -9761,黄,"yellow; pornographic; to fall through",pictographic,"A jade pendant" -9762,黉,"school",, -9763,黍,"broomcorn millet; glutinous millet",ideographic,"Grain 禾 that can be fermented to make wine 氺" -9764,黎,"Li ethnic group of Hainan Province; surname Li; abbr. for Lebanon 黎巴嫩[Li2ba1nen4]",, -9765,黎,"(literary) black; dark; many; multitude",, -9766,黏,"sticky; glutinous; (Tw) to adhere; to stick on; to glue",pictophonetic,"millet" -9767,黑,"abbr. for Heilongjiang province 黑龍江|黑龙江[Hei1 long2 jiang1]",ideographic,"A man's face blacked by soot from a fire 灬" -9768,黑,"black; dark; sinister; secret; shady; illegal; to hide (sth) away; to vilify; (loanword) to hack (computing)",ideographic,"A man's face blacked by soot from a fire 灬" -9769,黔,"abbr. for Guizhou province 貴州|贵州[Gui4 zhou1]",pictophonetic,"black" -9770,默,"silent; to write from memory",pictographic,"A dog 犬 watching in the dark 黑" -9771,黛,"umber-black dye for painting the eyebrow",pictophonetic,"black" -9772,黜,"to dismiss from office; to expel",pictophonetic,"black" -9773,黝,"black; dark green",pictophonetic,"black" -9774,点,"point; dot; drop; speck; o'clock; point (in space or time); to draw a dot; to check on a list; to choose; to order (food in a restaurant); to touch briefly; to hint; to light; to ignite; to pour a liquid drop by drop; (old) one fifth of a two-hour watch 更[geng1]; dot stroke in Chinese characters; classifier for items",pictophonetic,"fire" -9775,黟,"black and shining ebony",pictophonetic,"black" -9776,黠,"(phonetic); crafty",pictophonetic,"sinister" -9777,黢,"black; dark",pictophonetic,"black" -9778,黥,"surname Qing",pictophonetic,"black" -9779,黥,"to tattoo criminals on the face or forehead",pictophonetic,"black" -9780,黧,"dark; sallow color",pictophonetic,"black" -9781,党,"surname Dang",pictophonetic,"elder brother" -9782,党,"party; association; club; society; CL:個|个[ge4]",pictophonetic,"elder brother" -9783,黯,"(bound form) dark; dull (color); dim; gloomy",pictophonetic,"black" -9784,黪,"dark; dim; gloomy; bleak",pictophonetic,"black" -9785,霉,"variant of 霉[mei2]",pictophonetic,"rain" -9786,黩,"blacken; constantly; to insult",pictophonetic,"black" -9787,黹,"embroidery",, -9788,黻,"(archaic) embroidery using black and blue thread",pictophonetic,"embroidery" -9789,黼,"(archaic) motif of axes with black handles and white heads, a symbol of authority embroidered on ceremonial robes",pictophonetic,"embroidery" -9790,黾,"toad",pictographic,"Simplified form of 黽; a frog with bug-eyes" -9791,黾,"to strive",pictographic,"Simplified form of 黽; a frog with bug-eyes" -9792,鼋,"sea turtle",pictophonetic,"toad" -9793,鼂,"surname Chao",pictophonetic,"toad" -9794,鼂,"sea turtle",pictophonetic,"toad" -9795,蛙,"old variant of 蛙[wa1]",pictophonetic,"insect" -9796,鳌,"variant of 鰲|鳌[ao2]",pictophonetic,"fish" -9797,鳖,"variant of 鱉|鳖[bie1]",pictophonetic,"fish" -9798,鼍,"Chinese alligator (Alligator sinensis)",pictophonetic,"frog" -9799,鼎,"ancient cooking cauldron with two looped handles and three or four legs; pot (dialect); to enter upon a period of (classical); Kangxi radical 206; one of the 64 hexagrams of the Book of Changes",pictographic,"A cauldron on its bronze tripod" -9800,鼐,"incense tripod",pictophonetic,"tripod" -9801,鼓,"drum; CL:通[tong4],面[mian4]; to drum; to strike; to rouse; to bulge; to swell",pictophonetic,"drum" -9802,冬,"surname Dong",ideographic,"A man walking 夂 on ice ⺀" -9803,冬,"(onom.) beating a drum; rat-a-tat",ideographic,"A man walking 夂 on ice ⺀" -9804,鼗,"a drum-shaped rattle (used by peddlers or as a toy); rattle-drum",pictophonetic,"drum" -9805,鼙,"drum carried on horseback",pictophonetic,"drum" -9806,鼠,"(bound form) rat; mouse",pictographic,"A mouse, with two paws to the left and the tail to the right" -9807,鼢,"(mole)",pictophonetic,"rat" -9808,鼩,"used in 鼩鼱[qu2 jing1]",pictophonetic,"rat" -9809,鼬,"(zoology) weasel",pictophonetic,"rat" -9810,鼯,"flying squirrel",pictophonetic,"mouse" -9811,鼱,"used in 鼩鼱[qu2 jing1]",pictophonetic,"rat" -9812,鼹,"mole",pictophonetic,"rat" -9813,鼷,"mouse",pictophonetic,"mouse" -9814,鼻,"nose",pictophonetic,"self" -9815,鼽,"congested nose",pictophonetic,"nose" -9816,鼾,"snore; to snore",pictophonetic,"nose" -9817,齐,"(name of states and dynasties at several different periods); surname Qi",, -9818,齐,"neat; even; level with; identical; simultaneous; all together; to even sth out",, -9819,斋,"to fast or abstain from meat, wine etc; vegetarian diet; study room; building; to give alms (to a monk)",pictophonetic,"culture" -9820,齌,"used in 齌怒[ji4 nu4]",pictophonetic,"rage" -9821,赍,"(literary) to harbor (a feeling); (literary) to present as a gift",ideographic,"Money 贝 from 从 someone" -9822,齑,"finely chopped meat or vegetables; powdered or fragmentary",pictophonetic, -9823,齿,"tooth; CL:顆|颗[ke1]",pictographic,"Teeth 人凵; 止 provides the pronunciation" -9824,龀,"to replace the milk teeth",pictophonetic,"teeth" -9825,龅,"projecting teeth",pictophonetic,"teeth" -9826,龇,"projecting teeth; to bare one's teeth",pictophonetic,"teeth" -9827,龃,"used in 齟齬|龃龉[ju3 yu3]",pictophonetic,"teeth" -9828,龆,"shed the milk teeth; young",pictophonetic,"teeth" -9829,龄,"age; length of experience, membership etc",pictophonetic,"age" -9830,出,"variant of 出[chu1] (classifier for plays or chapters of classical novels)",ideographic,"A sprout 屮 growing out of a container 凵" -9831,龈,"variant of 啃[ken3]",pictophonetic,"teeth" -9832,龈,"gums (of the teeth)",pictophonetic,"teeth" -9833,齧,"surname Nie",pictophonetic,"teeth" -9834,齧,"variant of 嚙|啮[nie4]",pictophonetic,"teeth" -9835,咬,"variant of 咬[yao3]",pictophonetic,"mouth" -9836,龊,"used in 齷齪|龌龊[wo4 chuo4]",pictophonetic,"teeth" -9837,龉,"used in 齟齬|龃龉[ju3 yu3]",pictophonetic,"teeth" -9838,齱,"uneven teeth; buck-toothed",pictophonetic,"teeth" -9839,龋,"decayed teeth; dental caries",pictophonetic,"teeth" -9840,齵,"uneven (teeth)",pictophonetic,"teeth" -9841,腭,"palate; roof of the mouth",pictophonetic,"flesh" -9842,龌,"dirty; small-minded",pictophonetic,"teeth" -9843,龙,"surname Long",pictographic,"A dragon" -9844,龙,"Chinese dragon; loong; (fig.) emperor; dragon; (bound form) dinosaur",pictographic,"A dragon" -9845,庞,"surname Pang",ideographic,"A dragon 龙 inside a house 广" -9846,庞,"(bound form) huge; (bound form) numerous and disordered; (bound form) face",ideographic,"A dragon 龙 inside a house 广" -9847,龚,"surname Gong",pictophonetic,"dragon" -9848,龛,"(bound form) niche; shrine",pictophonetic,"dragon" -9849,龟,"tortoise; turtle; (coll.) cuckold",pictographic,"A turtle; compare 龜" -9850,龟,"variant of 皸|皲[jun1]",pictographic,"A turtle; compare 龜" -9851,龟,"used in 龜茲|龟兹[Qiu1 ci2]",pictographic,"A turtle; compare 龜" -9852,龠,"ancient unit of volume (half a 合[ge3], equivalent to 50ml); ancient flute",pictographic,"Panpipes" -9853,和,"old variant of 和[he2]; harmonious",pictophonetic,"mouth" -9854,龥,"variant of 籲|吁[yu4]",pictophonetic,"leaf" \ No newline at end of file diff --git a/static/data/supabase-hanzi_pinyin.csv b/static/data/supabase-hanzi_pinyin.csv deleted file mode 100644 index 5f0edc7..0000000 --- a/static/data/supabase-hanzi_pinyin.csv +++ /dev/null @@ -1,9855 +0,0 @@ -id,hanzi_id,pinyin_id -1,1,985 -2,2,63 -3,3,409 -4,4,841 -5,5,1290 -6,6,108 -7,7,709 -8,8,814 -9,9,880 -10,10,1048 -11,11,1213 -12,12,37 -13,13,19 -14,14,1283 -15,15,301 -16,16,1199 -17,17,9 -18,18,363 -19,19,12 -20,20,360 -21,21,37 -22,22,319 -23,23,272 -24,24,569 -25,25,825 -26,26,28 -27,27,864 -28,28,63 -29,29,478 -30,30,814 -31,31,782 -32,32,836 -33,33,912 -34,34,912 -35,35,1261 -36,36,402 -37,37,530 -38,38,901 -39,39,606 -40,40,63 -41,41,1069 -42,42,900 -43,43,317 -44,44,1093 -45,45,805 -46,46,59 -47,47,104 -48,48,591 -49,49,179 -50,50,1084 -51,51,768 -52,52,53 -53,53,850 -54,54,900 -55,55,335 -56,56,935 -57,57,262 -58,58,1193 -59,59,1230 -60,60,776 -61,61,1018 -62,62,420 -63,63,1091 -64,64,569 -65,65,1256 -66,66,474 -67,67,789 -68,68,136 -69,69,21 -70,70,777 -71,71,341 -72,72,535 -73,73,35 -74,74,382 -75,75,382 -76,76,695 -77,77,842 -78,78,1082 -79,79,308 -80,80,957 -81,81,1259 -82,82,1259 -83,83,1081 -84,84,1082 -85,85,898 -86,86,795 -87,87,795 -88,88,843 -89,89,194 -90,90,291 -91,91,629 -92,92,1045 -93,93,1045 -94,94,863 -95,95,223 -96,96,1104 -97,97,1104 -98,98,875 -99,99,875 -100,100,184 -101,101,1032 -102,102,385 -103,103,185 -104,104,676 -105,105,1112 -106,106,826 -107,107,39 -108,108,977 -109,109,977 -110,110,979 -111,111,335 -112,112,669 -113,113,723 -114,114,1058 -115,115,1004 -116,116,986 -117,117,136 -118,118,103 -119,119,353 -120,120,986 -121,121,236 -122,122,38 -123,123,482 -124,124,827 -125,125,473 -126,126,963 -127,127,52 -128,128,52 -129,129,973 -130,130,946 -131,131,767 -132,132,316 -133,133,979 -134,134,241 -135,135,205 -136,136,664 -137,137,1032 -138,138,1032 -139,139,1100 -140,140,37 -141,141,963 -142,142,42 -143,143,963 -144,144,515 -145,145,297 -146,146,827 -147,147,844 -148,148,58 -149,149,58 -150,150,795 -151,151,1150 -152,152,343 -153,153,850 -154,154,630 -155,155,850 -156,156,850 -157,157,630 -158,158,630 -159,159,610 -160,160,976 -161,161,850 -162,162,630 -163,163,610 -164,164,830 -165,165,555 -166,166,577 -167,167,125 -168,168,126 -169,169,1104 -170,170,33 -171,171,1050 -172,172,125 -173,173,125 -174,174,133 -175,175,770 -176,176,843 -177,177,843 -178,178,92 -179,179,822 -180,180,822 -181,181,648 -182,182,911 -183,183,948 -184,184,42 -185,185,42 -186,186,796 -187,187,845 -188,188,453 -189,189,107 -190,190,693 -191,191,693 -192,192,809 -193,193,738 -194,194,38 -195,195,757 -196,196,905 -197,197,821 -198,198,821 -199,199,446 -200,200,574 -201,201,905 -202,202,59 -203,203,187 -204,204,354 -205,205,354 -206,206,569 -207,207,278 -208,208,115 -209,209,1139 -210,210,1139 -211,211,796 -212,212,107 -213,213,1094 -214,214,1102 -215,215,1139 -216,216,554 -217,217,382 -218,218,1176 -219,219,251 -220,220,876 -221,221,1044 -222,222,876 -223,223,956 -224,224,818 -225,225,816 -226,226,183 -227,227,1143 -228,228,1234 -229,229,1162 -230,230,1182 -231,231,1183 -232,232,1104 -233,233,409 -234,234,957 -235,235,344 -236,236,344 -237,237,899 -238,238,449 -239,239,1141 -240,240,849 -241,241,639 -242,242,38 -243,243,352 -244,244,587 -245,245,588 -246,246,589 -247,247,37 -248,248,37 -249,249,1254 -250,250,314 -251,251,50 -252,252,50 -253,253,979 -254,254,979 -255,255,225 -256,256,92 -257,257,92 -258,258,805 -259,259,1139 -260,260,1141 -261,261,334 -262,262,325 -263,263,844 -264,264,379 -265,265,693 -266,266,35 -267,267,35 -268,268,92 -269,269,92 -270,270,798 -271,271,342 -272,272,342 -273,273,316 -274,274,925 -275,275,925 -276,276,341 -277,277,793 -278,278,40 -279,279,139 -280,280,143 -281,281,187 -282,282,658 -283,283,660 -284,284,504 -285,285,505 -286,286,147 -287,287,587 -288,288,1093 -289,289,1232 -290,290,1273 -291,291,1104 -292,292,1273 -293,293,799 -294,294,223 -295,295,1273 -296,296,376 -297,297,435 -298,298,355 -299,299,987 -300,300,194 -301,301,881 -302,302,116 -303,303,369 -304,304,987 -305,305,1205 -306,306,78 -307,307,954 -308,308,751 -309,309,751 -310,310,474 -311,311,1089 -312,312,125 -313,313,125 -314,314,38 -315,315,381 -316,316,38 -317,317,339 -318,318,1203 -319,319,1206 -320,320,655 -321,321,709 -322,322,519 -323,323,449 -324,324,504 -325,325,74 -326,326,96 -327,327,684 -328,328,215 -329,329,552 -330,330,49 -331,331,143 -332,332,799 -333,333,799 -334,334,33 -335,335,185 -336,336,796 -337,337,438 -338,338,811 -339,339,1232 -340,340,1232 -341,341,38 -342,342,1103 -343,343,689 -344,344,974 -345,345,541 -346,346,1037 -347,347,714 -348,348,566 -349,349,61 -350,350,1104 -351,351,984 -352,352,78 -353,353,310 -354,354,613 -355,355,388 -356,356,449 -357,357,652 -358,358,654 -359,359,35 -360,360,92 -361,361,764 -362,362,764 -363,363,865 -364,364,621 -365,365,834 -366,366,172 -367,367,228 -368,368,126 -369,369,895 -370,370,1239 -371,371,21 -372,372,21 -373,373,876 -374,374,91 -375,375,841 -376,376,1202 -377,377,1194 -378,378,860 -379,379,566 -380,380,73 -381,381,1282 -382,382,342 -383,383,565 -384,384,565 -385,385,291 -386,386,343 -387,387,241 -388,388,153 -389,389,153 -390,390,125 -391,391,1112 -392,392,125 -393,393,843 -394,394,1273 -395,395,897 -396,396,917 -397,397,925 -398,398,925 -399,399,343 -400,400,836 -401,401,910 -402,402,199 -403,403,338 -404,404,11 -405,405,157 -406,406,168 -407,407,1016 -408,408,568 -409,409,573 -410,410,1217 -411,411,641 -412,412,642 -413,413,667 -414,414,157 -415,415,1109 -416,416,1109 -417,417,280 -418,418,360 -419,419,361 -420,420,830 -421,421,832 -422,422,921 -423,423,1017 -424,424,422 -425,425,766 -426,426,37 -427,427,433 -428,428,632 -429,429,823 -430,430,574 -431,431,816 -432,432,1019 -433,433,325 -434,434,704 -435,435,705 -436,436,839 -437,437,836 -438,438,852 -439,439,503 -440,440,503 -441,441,613 -442,442,1003 -443,443,121 -444,444,617 -445,445,1211 -446,446,56 -447,447,974 -448,448,46 -449,449,46 -450,450,643 -451,451,801 -452,452,802 -453,453,798 -454,454,814 -455,455,115 -456,456,1157 -457,457,113 -458,458,227 -459,459,912 -460,460,689 -461,461,1206 -462,462,446 -463,463,805 -464,464,166 -465,465,1223 -466,466,948 -467,467,967 -468,468,88 -469,469,452 -470,470,1165 -471,471,115 -472,472,673 -473,473,726 -474,474,344 -475,475,344 -476,476,566 -477,477,150 -478,478,814 -479,479,830 -480,480,830 -481,481,1217 -482,482,1260 -483,483,157 -484,484,910 -485,485,799 -486,486,351 -487,487,1243 -488,488,71 -489,489,1187 -490,490,19 -491,491,1056 -492,492,995 -493,493,126 -494,494,951 -495,495,1080 -496,496,1038 -497,497,1072 -498,498,869 -499,499,44 -500,500,47 -501,501,600 -502,502,621 -503,503,819 -504,504,849 -505,505,899 -506,506,906 -507,507,858 -508,508,252 -509,509,892 -510,510,892 -511,511,576 -512,512,576 -513,513,115 -514,514,811 -515,515,53 -516,516,828 -517,517,1270 -518,518,334 -519,519,809 -520,520,805 -521,521,998 -522,522,449 -523,523,660 -524,524,1283 -525,525,806 -526,526,802 -527,527,817 -528,528,226 -529,529,36 -530,530,841 -531,531,524 -532,532,38 -533,533,356 -534,534,822 -535,535,936 -536,536,717 -537,537,804 -538,538,353 -539,539,181 -540,540,1149 -541,541,1044 -542,542,1010 -543,543,504 -544,544,819 -545,545,1017 -546,546,558 -547,547,75 -548,548,1049 -549,549,1049 -550,550,1109 -551,551,566 -552,552,532 -553,553,422 -554,554,46 -555,555,1139 -556,556,93 -557,557,93 -558,558,134 -559,559,129 -560,560,129 -561,561,922 -562,562,1039 -563,563,961 -564,564,961 -565,565,922 -566,566,899 -567,567,670 -568,568,700 -569,569,700 -570,570,401 -571,571,401 -572,572,291 -573,573,120 -574,574,460 -575,575,31 -576,576,34 -577,577,460 -578,578,1273 -579,579,46 -580,580,389 -581,581,1093 -582,582,389 -583,583,821 -584,584,1151 -585,585,499 -586,586,887 -587,587,887 -588,588,573 -589,589,136 -590,590,652 -591,591,593 -592,592,892 -593,593,654 -594,594,183 -595,595,843 -596,596,836 -597,597,375 -598,598,803 -599,599,798 -600,600,798 -601,601,824 -602,602,1130 -603,603,129 -604,604,1130 -605,605,1130 -606,606,1223 -607,607,824 -608,608,1163 -609,609,825 -610,610,272 -611,611,983 -612,612,272 -613,613,272 -614,614,657 -615,615,291 -616,616,288 -617,617,1146 -618,618,62 -619,619,76 -620,620,669 -621,621,667 -622,622,669 -623,623,282 -624,624,978 -625,625,836 -626,626,1199 -627,627,128 -628,628,301 -629,629,288 -630,630,183 -631,631,386 -632,632,183 -633,633,770 -634,634,58 -635,635,562 -636,636,562 -637,637,300 -638,638,901 -639,639,581 -640,640,842 -641,641,1002 -642,642,1274 -643,643,823 -644,644,377 -645,645,587 -646,646,587 -647,647,388 -648,648,585 -649,649,517 -650,650,795 -651,651,320 -652,652,320 -653,653,1049 -654,654,781 -655,655,686 -656,656,686 -657,657,368 -658,658,242 -659,659,689 -660,660,922 -661,661,457 -662,662,16 -663,663,94 -664,664,1047 -665,665,358 -666,666,740 -667,667,359 -668,668,359 -669,669,377 -670,670,377 -671,671,359 -672,672,1141 -673,673,331 -674,674,334 -675,675,861 -676,676,864 -677,677,38 -678,678,688 -679,679,119 -680,680,919 -681,681,919 -682,682,772 -683,683,112 -684,684,581 -685,685,1047 -686,686,204 -687,687,178 -688,688,178 -689,689,814 -690,690,814 -691,691,154 -692,692,210 -693,693,566 -694,694,566 -695,695,1077 -696,696,661 -697,697,361 -698,698,710 -699,699,976 -700,700,1113 -701,701,1115 -702,702,889 -703,703,1229 -704,704,1232 -705,705,700 -706,706,814 -707,707,408 -708,708,433 -709,709,822 -710,710,1175 -711,711,1253 -712,712,907 -713,713,928 -714,714,700 -715,715,700 -716,716,700 -717,717,537 -718,718,539 -719,719,850 -720,720,1008 -721,721,1070 -722,722,1062 -723,723,430 -724,724,248 -725,725,1062 -726,726,633 -727,727,102 -728,728,151 -729,729,186 -730,730,795 -731,731,1079 -732,732,46 -733,733,1100 -734,734,804 -735,735,804 -736,736,662 -737,737,344 -738,738,639 -739,739,346 -740,740,944 -741,741,686 -742,742,1059 -743,743,1062 -744,744,1014 -745,745,607 -746,746,231 -747,747,1020 -748,748,811 -749,749,857 -750,750,830 -751,751,772 -752,752,773 -753,753,943 -754,754,944 -755,755,836 -756,756,223 -757,757,225 -758,758,591 -759,759,591 -760,760,675 -761,761,675 -762,762,805 -763,763,791 -764,764,794 -765,765,798 -766,766,805 -767,767,38 -768,768,566 -769,769,566 -770,770,652 -771,771,799 -772,772,799 -773,773,581 -774,774,581 -775,775,912 -776,776,987 -777,777,528 -778,778,814 -779,779,882 -780,780,1087 -781,781,1087 -782,782,889 -783,783,839 -784,784,910 -785,785,814 -786,786,751 -787,787,820 -788,788,823 -789,789,187 -790,790,1038 -791,791,73 -792,792,73 -793,793,291 -794,794,839 -795,795,283 -796,796,1038 -797,797,554 -798,798,556 -799,799,388 -800,800,935 -801,801,688 -802,802,93 -803,803,940 -804,804,1100 -805,805,551 -806,806,314 -807,807,1104 -808,808,866 -809,809,1020 -810,810,811 -811,811,912 -812,812,262 -813,813,940 -814,814,940 -815,815,566 -816,816,566 -817,817,889 -818,818,151 -819,819,1085 -820,820,133 -821,821,655 -822,822,655 -823,823,657 -824,824,93 -825,825,629 -826,826,629 -827,827,151 -828,828,151 -829,829,1233 -830,830,922 -831,831,922 -832,832,833 -833,833,425 -834,834,252 -835,835,210 -836,836,342 -837,837,168 -838,838,771 -839,839,773 -840,840,156 -841,841,1036 -842,842,1105 -843,843,323 -844,844,1158 -845,845,693 -846,846,808 -847,847,720 -848,848,720 -849,849,897 -850,850,864 -851,851,329 -852,852,674 -853,853,787 -854,854,727 -855,855,675 -856,856,727 -857,857,569 -858,858,569 -859,859,895 -860,860,223 -861,861,225 -862,862,46 -863,863,171 -864,864,505 -865,865,87 -866,866,881 -867,867,1102 -868,868,942 -869,869,849 -870,870,509 -871,871,1256 -872,872,1097 -873,873,92 -874,874,787 -875,875,147 -876,876,895 -877,877,155 -878,878,1239 -879,879,1193 -880,880,1004 -881,881,1004 -882,882,912 -883,883,485 -884,884,485 -885,885,187 -886,886,193 -887,887,193 -888,888,172 -889,889,172 -890,890,193 -891,891,952 -892,892,954 -893,893,684 -894,894,847 -895,895,77 -896,896,663 -897,897,814 -898,898,14 -899,899,14 -900,900,973 -901,901,271 -902,902,64 -903,903,64 -904,904,113 -905,905,113 -906,906,796 -907,907,609 -908,908,838 -909,909,839 -910,910,914 -911,911,935 -912,912,880 -913,913,869 -914,914,892 -915,915,741 -916,916,23 -917,917,40 -918,918,431 -919,919,564 -920,920,1091 -921,921,766 -922,922,1253 -923,923,129 -924,924,129 -925,925,1223 -926,926,566 -927,927,830 -928,928,819 -929,929,866 -930,930,47 -931,931,1271 -932,932,566 -933,933,566 -934,934,46 -935,935,311 -936,936,1271 -937,937,652 -938,938,761 -939,939,876 -940,940,1147 -941,941,884 -942,942,1259 -943,943,1259 -944,944,1213 -945,945,1224 -946,946,1093 -947,947,1213 -948,948,78 -949,949,1005 -950,950,1006 -951,951,1007 -952,952,796 -953,953,77 -954,954,321 -955,955,1157 -956,956,1109 -957,957,1004 -958,958,883 -959,959,1108 -960,960,801 -961,961,204 -962,962,1279 -963,963,1155 -964,964,1234 -965,965,708 -966,966,659 -967,967,659 -968,968,655 -969,969,836 -970,970,589 -971,971,359 -972,972,424 -973,973,709 -974,974,973 -975,975,975 -976,976,812 -977,977,1087 -978,978,961 -979,979,136 -980,980,382 -981,981,699 -982,982,700 -983,983,413 -984,984,413 -985,985,1038 -986,986,1103 -987,987,1103 -988,988,78 -989,989,245 -990,990,912 -991,991,1271 -992,992,1271 -993,993,554 -994,994,377 -995,995,932 -996,996,127 -997,997,1035 -998,998,642 -999,999,52 -1000,1000,641 -1001,1001,751 -1002,1002,796 -1003,1003,796 -1004,1004,379 -1005,1005,1249 -1006,1006,449 -1007,1007,301 -1008,1008,766 -1009,1009,766 -1010,1010,566 -1011,1011,459 -1012,1012,460 -1013,1013,906 -1014,1014,906 -1015,1015,943 -1016,1016,946 -1017,1017,1 -1018,1018,35 -1019,1019,840 -1020,1020,586 -1021,1021,469 -1022,1022,62 -1023,1023,330 -1024,1024,168 -1025,1025,340 -1026,1026,225 -1027,1027,136 -1028,1028,140 -1029,1029,331 -1030,1030,740 -1031,1031,63 -1032,1032,744 -1033,1033,703 -1034,1034,1125 -1035,1035,973 -1036,1036,1182 -1037,1037,63 -1038,1038,91 -1039,1039,1022 -1040,1040,480 -1041,1041,481 -1042,1042,892 -1043,1043,1063 -1044,1044,119 -1045,1045,765 -1046,1046,91 -1047,1047,91 -1048,1048,43 -1049,1049,621 -1050,1050,621 -1051,1051,23 -1052,1052,350 -1053,1053,1032 -1054,1054,638 -1055,1055,341 -1056,1056,812 -1057,1057,1037 -1058,1058,469 -1059,1059,350 -1060,1060,414 -1061,1061,497 -1062,1062,503 -1063,1063,587 -1064,1064,589 -1065,1065,75 -1066,1066,980 -1067,1067,980 -1068,1068,983 -1069,1069,1026 -1070,1070,444 -1071,1071,952 -1072,1072,658 -1073,1073,1229 -1074,1074,1182 -1075,1075,116 -1076,1076,1 -1077,1077,750 -1078,1078,492 -1079,1079,528 -1080,1080,896 -1081,1081,213 -1082,1082,1093 -1083,1083,767 -1084,1084,303 -1085,1085,835 -1086,1086,1198 -1087,1087,1158 -1088,1088,405 -1089,1089,250 -1090,1090,210 -1091,1091,751 -1092,1092,1160 -1093,1093,1175 -1094,1094,943 -1095,1095,751 -1096,1096,751 -1097,1097,752 -1098,1098,768 -1099,1099,792 -1100,1100,794 -1101,1101,828 -1102,1102,344 -1103,1103,345 -1104,1104,983 -1105,1105,684 -1106,1106,658 -1107,1107,623 -1108,1108,683 -1109,1109,386 -1110,1110,845 -1111,1111,23 -1112,1112,670 -1113,1113,946 -1114,1114,381 -1115,1115,895 -1116,1116,36 -1117,1117,579 -1118,1118,580 -1119,1119,582 -1120,1120,1182 -1121,1121,297 -1122,1122,285 -1123,1123,975 -1124,1124,54 -1125,1125,795 -1126,1126,639 -1127,1127,594 -1128,1128,618 -1129,1129,1159 -1130,1130,1165 -1131,1131,910 -1132,1132,735 -1133,1133,698 -1134,1134,784 -1135,1135,900 -1136,1136,900 -1137,1137,925 -1138,1138,678 -1139,1139,99 -1140,1140,44 -1141,1141,47 -1142,1142,59 -1143,1143,552 -1144,1144,35 -1145,1145,6 -1146,1146,6 -1147,1147,239 -1148,1148,1095 -1149,1149,760 -1150,1150,762 -1151,1151,405 -1152,1152,94 -1153,1153,98 -1154,1154,732 -1155,1155,732 -1156,1156,734 -1157,1157,1161 -1158,1158,201 -1159,1159,6 -1160,1160,646 -1161,1161,755 -1162,1162,720 -1163,1163,407 -1164,1164,309 -1165,1165,129 -1166,1166,639 -1167,1167,21 -1168,1168,80 -1169,1169,82 -1170,1170,83 -1171,1171,1035 -1172,1172,1087 -1173,1173,565 -1174,1174,567 -1175,1175,479 -1176,1176,481 -1177,1177,495 -1178,1178,498 -1179,1179,710 -1180,1180,910 -1181,1181,186 -1182,1182,963 -1183,1183,943 -1184,1184,297 -1185,1185,193 -1186,1186,757 -1187,1187,650 -1188,1188,641 -1189,1189,47 -1190,1190,144 -1191,1191,158 -1192,1192,740 -1193,1193,1293 -1194,1194,1066 -1195,1195,6 -1196,1196,9 -1197,1197,566 -1198,1198,567 -1199,1199,892 -1200,1200,421 -1201,1201,421 -1202,1202,1206 -1203,1203,91 -1204,1204,1174 -1205,1205,844 -1206,1206,868 -1207,1207,1174 -1208,1208,795 -1209,1209,337 -1210,1210,62 -1211,1211,820 -1212,1212,62 -1213,1213,769 -1214,1214,1108 -1215,1215,114 -1216,1216,115 -1217,1217,1113 -1218,1218,1019 -1219,1219,566 -1220,1220,11 -1221,1221,69 -1222,1222,70 -1223,1223,509 -1224,1224,1072 -1225,1225,476 -1226,1226,767 -1227,1227,958 -1228,1228,980 -1229,1229,701 -1230,1230,1004 -1231,1231,1080 -1232,1232,1080 -1233,1233,584 -1234,1234,1 -1235,1235,2 -1236,1236,3 -1237,1237,4 -1238,1238,5 -1239,1239,120 -1240,1240,1245 -1241,1241,381 -1242,1242,844 -1243,1243,425 -1244,1244,355 -1245,1245,355 -1246,1246,1069 -1247,1247,39 -1248,1248,41 -1249,1249,844 -1250,1250,844 -1251,1251,327 -1252,1252,900 -1253,1253,224 -1254,1254,1071 -1255,1255,536 -1256,1256,540 -1257,1257,195 -1258,1258,964 -1259,1259,186 -1260,1260,190 -1261,1261,384 -1262,1262,546 -1263,1263,1038 -1264,1264,431 -1265,1265,826 -1266,1266,683 -1267,1267,72 -1268,1268,125 -1269,1269,114 -1270,1270,116 -1271,1271,485 -1272,1272,1079 -1273,1273,963 -1274,1274,536 -1275,1275,538 -1276,1276,813 -1277,1277,764 -1278,1278,741 -1279,1279,381 -1280,1280,533 -1281,1281,1137 -1282,1282,61 -1283,1283,1165 -1284,1284,79 -1285,1285,83 -1286,1286,121 -1287,1287,1057 -1288,1288,787 -1289,1289,779 -1290,1290,894 -1291,1291,750 -1292,1292,752 -1293,1293,727 -1294,1294,936 -1295,1295,574 -1296,1296,1262 -1297,1297,1264 -1298,1298,1035 -1299,1299,858 -1300,1300,858 -1301,1301,1079 -1302,1302,353 -1303,1303,564 -1304,1304,69 -1305,1305,70 -1306,1306,1005 -1307,1307,943 -1308,1308,293 -1309,1309,725 -1310,1310,127 -1311,1311,127 -1312,1312,814 -1313,1313,1267 -1314,1314,431 -1315,1315,2 -1316,1316,1073 -1317,1317,927 -1318,1318,853 -1319,1319,856 -1320,1320,1268 -1321,1321,1283 -1322,1322,654 -1323,1323,762 -1324,1324,9 -1325,1325,38 -1326,1326,1293 -1327,1327,256 -1328,1328,257 -1329,1329,259 -1330,1330,738 -1331,1331,700 -1332,1332,345 -1333,1333,411 -1334,1334,1263 -1335,1335,1027 -1336,1336,1278 -1337,1337,90 -1338,1338,1104 -1339,1339,640 -1340,1340,813 -1341,1341,84 -1342,1342,1273 -1343,1343,1035 -1344,1344,747 -1345,1345,1293 -1346,1346,735 -1347,1347,1294 -1348,1348,866 -1349,1349,750 -1350,1350,28 -1351,1351,29 -1352,1352,30 -1353,1353,373 -1354,1354,448 -1355,1355,169 -1356,1356,17 -1357,1357,1280 -1358,1358,1279 -1359,1359,369 -1360,1360,370 -1361,1361,842 -1362,1362,641 -1363,1363,686 -1364,1364,419 -1365,1365,1220 -1366,1366,799 -1367,1367,799 -1368,1368,234 -1369,1369,600 -1370,1370,603 -1371,1371,624 -1372,1372,659 -1373,1373,801 -1374,1374,767 -1375,1375,88 -1376,1376,1175 -1377,1377,1017 -1378,1378,362 -1379,1379,256 -1380,1380,259 -1381,1381,262 -1382,1382,560 -1383,1383,392 -1384,1384,624 -1385,1385,58 -1386,1386,162 -1387,1387,288 -1388,1388,771 -1389,1389,772 -1390,1390,1054 -1391,1391,1203 -1392,1392,219 -1393,1393,551 -1394,1394,553 -1395,1395,910 -1396,1396,795 -1397,1397,1021 -1398,1398,958 -1399,1399,1198 -1400,1400,907 -1401,1401,1271 -1402,1402,747 -1403,1403,343 -1404,1404,576 -1405,1405,892 -1406,1406,1014 -1407,1407,416 -1408,1408,753 -1409,1409,355 -1410,1410,1226 -1411,1411,1031 -1412,1412,812 -1413,1413,56 -1414,1414,932 -1415,1415,366 -1416,1416,251 -1417,1417,829 -1418,1418,866 -1419,1419,1271 -1420,1420,345 -1421,1421,79 -1422,1422,820 -1423,1423,524 -1424,1424,787 -1425,1425,111 -1426,1426,845 -1427,1427,23 -1428,1428,1174 -1429,1429,35 -1430,1430,1104 -1431,1431,8 -1432,1432,9 -1433,1433,830 -1434,1434,717 -1435,1435,717 -1436,1436,116 -1437,1437,216 -1438,1438,218 -1439,1439,624 -1440,1440,402 -1441,1441,356 -1442,1442,1257 -1443,1443,223 -1444,1444,517 -1445,1445,794 -1446,1446,81 -1447,1447,1149 -1448,1448,746 -1449,1449,752 -1450,1450,898 -1451,1451,798 -1452,1452,747 -1453,1453,433 -1454,1454,1017 -1455,1455,1207 -1456,1456,1005 -1457,1457,604 -1458,1458,515 -1459,1459,47 -1460,1460,566 -1461,1461,596 -1462,1462,906 -1463,1463,794 -1464,1464,712 -1465,1465,45 -1466,1466,45 -1467,1467,65 -1468,1468,1132 -1469,1469,810 -1470,1470,812 -1471,1471,995 -1472,1472,515 -1473,1473,907 -1474,1474,1014 -1475,1475,38 -1476,1476,615 -1477,1477,616 -1478,1478,619 -1479,1479,489 -1480,1480,1281 -1481,1481,986 -1482,1482,515 -1483,1483,488 -1484,1484,114 -1485,1485,61 -1486,1486,876 -1487,1487,1273 -1488,1488,804 -1489,1489,484 -1490,1490,785 -1491,1491,917 -1492,1492,61 -1493,1493,484 -1494,1494,404 -1495,1495,470 -1496,1496,1059 -1497,1497,1233 -1498,1498,768 -1499,1499,730 -1500,1500,890 -1501,1501,587 -1502,1502,660 -1503,1503,78 -1504,1504,790 -1505,1505,253 -1506,1506,126 -1507,1507,740 -1508,1508,613 -1509,1509,837 -1510,1510,839 -1511,1511,886 -1512,1512,126 -1513,1513,869 -1514,1514,679 -1515,1515,679 -1516,1516,114 -1517,1517,114 -1518,1518,129 -1519,1519,129 -1520,1520,129 -1521,1521,458 -1522,1522,462 -1523,1523,611 -1524,1524,777 -1525,1525,129 -1526,1526,459 -1527,1527,459 -1528,1528,710 -1529,1529,1100 -1530,1530,1163 -1531,1531,114 -1532,1532,932 -1533,1533,639 -1534,1534,90 -1535,1535,673 -1536,1536,225 -1537,1537,36 -1538,1538,364 -1539,1539,372 -1540,1540,969 -1541,1541,843 -1542,1542,795 -1543,1543,975 -1544,1544,146 -1545,1545,840 -1546,1546,323 -1547,1547,323 -1548,1548,324 -1549,1549,161 -1550,1550,416 -1551,1551,689 -1552,1552,1206 -1553,1553,1206 -1554,1554,703 -1555,1555,169 -1556,1556,243 -1557,1557,728 -1558,1558,418 -1559,1559,474 -1560,1560,630 -1561,1561,242 -1562,1562,376 -1563,1563,503 -1564,1564,223 -1565,1565,19 -1566,1566,607 -1567,1567,875 -1568,1568,699 -1569,1569,1036 -1570,1570,371 -1571,1571,1026 -1572,1572,344 -1573,1573,1064 -1574,1574,536 -1575,1575,919 -1576,1576,388 -1577,1577,627 -1578,1578,61 -1579,1579,53 -1580,1580,407 -1581,1581,408 -1582,1582,407 -1583,1583,62 -1584,1584,316 -1585,1585,657 -1586,1586,129 -1587,1587,381 -1588,1588,1081 -1589,1589,714 -1590,1590,650 -1591,1591,6 -1592,1592,6 -1593,1593,164 -1594,1594,335 -1595,1595,73 -1596,1596,260 -1597,1597,264 -1598,1598,1032 -1599,1599,1077 -1600,1600,45 -1601,1601,581 -1602,1602,194 -1603,1603,253 -1604,1604,1032 -1605,1605,194 -1606,1606,58 -1607,1607,509 -1608,1608,127 -1609,1609,194 -1610,1610,39 -1611,1611,224 -1612,1612,352 -1613,1613,11 -1614,1614,164 -1615,1615,689 -1616,1616,974 -1617,1617,407 -1618,1618,38 -1619,1619,974 -1620,1620,38 -1621,1621,214 -1622,1622,795 -1623,1623,843 -1624,1624,1267 -1625,1625,710 -1626,1626,421 -1627,1627,728 -1628,1628,803 -1629,1629,399 -1630,1630,819 -1631,1631,23 -1632,1632,220 -1633,1633,460 -1634,1634,493 -1635,1635,1032 -1636,1636,61 -1637,1637,678 -1638,1638,381 -1639,1639,766 -1640,1640,153 -1641,1641,193 -1642,1642,254 -1643,1643,369 -1644,1644,813 -1645,1645,688 -1646,1646,53 -1647,1647,47 -1648,1648,154 -1649,1649,1017 -1650,1650,1018 -1651,1651,394 -1652,1652,804 -1653,1653,561 -1654,1654,717 -1655,1655,66 -1656,1656,409 -1657,1657,1032 -1658,1658,686 -1659,1659,1283 -1660,1660,1102 -1661,1661,410 -1662,1662,85 -1663,1663,458 -1664,1664,421 -1665,1665,978 -1666,1666,1257 -1667,1667,1257 -1668,1668,1258 -1669,1669,1268 -1670,1670,1170 -1671,1671,93 -1672,1672,940 -1673,1673,640 -1674,1674,435 -1675,1675,129 -1676,1676,1017 -1677,1677,1018 -1678,1678,1028 -1679,1679,852 -1680,1680,993 -1681,1681,1110 -1682,1682,1036 -1683,1683,266 -1684,1684,823 -1685,1685,1112 -1686,1686,71 -1687,1687,376 -1688,1688,1080 -1689,1689,314 -1690,1690,410 -1691,1691,1000 -1692,1692,1180 -1693,1693,932 -1694,1694,308 -1695,1695,308 -1696,1696,402 -1697,1697,402 -1698,1698,408 -1699,1699,332 -1700,1700,349 -1701,1701,854 -1702,1702,795 -1703,1703,701 -1704,1704,169 -1705,1705,58 -1706,1706,71 -1707,1707,417 -1708,1708,752 -1709,1709,39 -1710,1710,42 -1711,1711,747 -1712,1712,558 -1713,1713,723 -1714,1714,605 -1715,1715,775 -1716,1716,597 -1717,1717,597 -1718,1718,566 -1719,1719,1132 -1720,1720,139 -1721,1721,1104 -1722,1722,1104 -1723,1723,1139 -1724,1724,998 -1725,1725,998 -1726,1726,987 -1727,1727,987 -1728,1728,35 -1729,1729,768 -1730,1730,935 -1731,1731,1108 -1732,1732,1108 -1733,1733,975 -1734,1734,808 -1735,1735,904 -1736,1736,336 -1737,1737,1287 -1738,1738,587 -1739,1739,898 -1740,1740,898 -1741,1741,725 -1742,1742,892 -1743,1743,101 -1744,1744,131 -1745,1745,271 -1746,1746,1283 -1747,1747,405 -1748,1748,59 -1749,1749,657 -1750,1750,284 -1751,1751,62 -1752,1752,793 -1753,1753,793 -1754,1754,348 -1755,1755,352 -1756,1756,434 -1757,1757,415 -1758,1758,341 -1759,1759,342 -1760,1760,666 -1761,1761,52 -1762,1762,48 -1763,1763,161 -1764,1764,743 -1765,1765,1101 -1766,1766,36 -1767,1767,713 -1768,1768,722 -1769,1769,799 -1770,1770,800 -1771,1771,802 -1772,1772,46 -1773,1773,44 -1774,1774,46 -1775,1775,795 -1776,1776,843 -1777,1777,483 -1778,1778,338 -1779,1779,725 -1780,1780,1191 -1781,1781,779 -1782,1782,779 -1783,1783,845 -1784,1784,1037 -1785,1785,1088 -1786,1786,946 -1787,1787,159 -1788,1788,161 -1789,1789,38 -1790,1790,427 -1791,1791,1170 -1792,1792,997 -1793,1793,892 -1794,1794,892 -1795,1795,376 -1796,1796,1088 -1797,1797,19 -1798,1798,19 -1799,1799,569 -1800,1800,406 -1801,1801,1104 -1802,1802,1104 -1803,1803,334 -1804,1804,534 -1805,1805,1150 -1806,1806,527 -1807,1807,482 -1808,1808,803 -1809,1809,409 -1810,1810,1008 -1811,1811,748 -1812,1812,749 -1813,1813,1128 -1814,1814,1128 -1815,1815,1149 -1816,1816,327 -1817,1817,109 -1818,1818,1141 -1819,1819,45 -1820,1820,395 -1821,1821,798 -1822,1822,52 -1823,1823,820 -1824,1824,296 -1825,1825,996 -1826,1826,520 -1827,1827,168 -1828,1828,125 -1829,1829,475 -1830,1830,324 -1831,1831,395 -1832,1832,502 -1833,1833,981 -1834,1834,346 -1835,1835,504 -1836,1836,482 -1837,1837,974 -1838,1838,276 -1839,1839,842 -1840,1840,845 -1841,1841,864 -1842,1842,313 -1843,1843,1183 -1844,1844,1183 -1845,1845,1103 -1846,1846,1077 -1847,1847,815 -1848,1848,658 -1849,1849,1273 -1850,1850,1273 -1851,1851,921 -1852,1852,115 -1853,1853,113 -1854,1854,115 -1855,1855,237 -1856,1856,1141 -1857,1857,53 -1858,1858,53 -1859,1859,806 -1860,1860,806 -1861,1861,1109 -1862,1862,809 -1863,1863,809 -1864,1864,552 -1865,1865,313 -1866,1866,803 -1867,1867,36 -1868,1868,974 -1869,1869,795 -1870,1870,795 -1871,1871,795 -1872,1872,758 -1873,1873,61 -1874,1874,1182 -1875,1875,113 -1876,1876,95 -1877,1877,241 -1878,1878,565 -1879,1879,1293 -1880,1880,115 -1881,1881,510 -1882,1882,125 -1883,1883,480 -1884,1884,532 -1885,1885,837 -1886,1886,1093 -1887,1887,372 -1888,1888,21 -1889,1889,291 -1890,1890,104 -1891,1891,6 -1892,1892,883 -1893,1893,1016 -1894,1894,20 -1895,1895,20 -1896,1896,600 -1897,1897,244 -1898,1898,104 -1899,1899,175 -1900,1900,814 -1901,1901,788 -1902,1902,169 -1903,1903,61 -1904,1904,344 -1905,1905,823 -1906,1906,543 -1907,1907,42 -1908,1908,446 -1909,1909,93 -1910,1910,935 -1911,1911,344 -1912,1912,274 -1913,1913,10 -1914,1914,276 -1915,1915,129 -1916,1916,131 -1917,1917,408 -1918,1918,474 -1919,1919,94 -1920,1920,673 -1921,1921,226 -1922,1922,893 -1923,1923,68 -1924,1924,1035 -1925,1925,18 -1926,1926,255 -1927,1927,657 -1928,1928,727 -1929,1929,802 -1930,1930,1266 -1931,1931,796 -1932,1932,512 -1933,1933,900 -1934,1934,232 -1935,1935,127 -1936,1936,557 -1937,1937,266 -1938,1938,266 -1939,1939,955 -1940,1940,564 -1941,1941,370 -1942,1942,44 -1943,1943,1017 -1944,1944,500 -1945,1945,553 -1946,1946,553 -1947,1947,306 -1948,1948,500 -1949,1949,92 -1950,1950,900 -1951,1951,900 -1952,1952,673 -1953,1953,1134 -1954,1954,892 -1955,1955,1013 -1956,1956,809 -1957,1957,169 -1958,1958,1079 -1959,1959,854 -1960,1960,777 -1961,1961,874 -1962,1962,936 -1963,1963,512 -1964,1964,9 -1965,1965,306 -1966,1966,238 -1967,1967,482 -1968,1968,65 -1969,1969,512 -1970,1970,66 -1971,1971,66 -1972,1972,1095 -1973,1973,544 -1974,1974,1121 -1975,1975,510 -1976,1976,608 -1977,1977,1183 -1978,1978,1185 -1979,1979,814 -1980,1980,830 -1981,1981,705 -1982,1982,705 -1983,1983,135 -1984,1984,1184 -1985,1985,1247 -1986,1986,342 -1987,1987,157 -1988,1988,1182 -1989,1989,910 -1990,1990,284 -1991,1991,284 -1992,1992,151 -1993,1993,798 -1994,1994,798 -1995,1995,658 -1996,1996,527 -1997,1997,994 -1998,1998,736 -1999,1999,1291 -2000,2000,1291 -2001,2001,491 -2002,2002,1110 -2003,2003,1216 -2004,2004,1013 -2005,2005,1182 -2006,2006,341 -2007,2007,929 -2008,2008,1149 -2009,2009,1149 -2010,2010,515 -2011,2011,515 -2012,2012,608 -2013,2013,290 -2014,2014,1146 -2015,2015,409 -2016,2016,674 -2017,2017,949 -2018,2018,126 -2019,2019,1107 -2020,2020,10 -2021,2021,10 -2022,2022,1277 -2023,2023,103 -2024,2024,761 -2025,2025,288 -2026,2026,288 -2027,2027,358 -2028,2028,1186 -2029,2029,1186 -2030,2030,667 -2031,2031,667 -2032,2032,983 -2033,2033,384 -2034,2034,104 -2035,2035,104 -2036,2036,36 -2037,2037,36 -2038,2038,700 -2039,2039,936 -2040,2040,936 -2041,2041,1104 -2042,2042,1104 -2043,2043,78 -2044,2044,779 -2045,2045,779 -2046,2046,652 -2047,2047,652 -2048,2048,1162 -2049,2049,738 -2050,2050,47 -2051,2051,907 -2052,2052,799 -2053,2053,1028 -2054,2054,1145 -2055,2055,1145 -2056,2056,709 -2057,2057,1283 -2058,2058,1283 -2059,2059,926 -2060,2060,927 -2061,2061,798 -2062,2062,128 -2063,2063,798 -2064,2064,62 -2065,2065,288 -2066,2066,288 -2067,2067,709 -2068,2068,344 -2069,2069,344 -2070,2070,276 -2071,2071,867 -2072,2072,740 -2073,2073,127 -2074,2074,519 -2075,2075,308 -2076,2076,1006 -2077,2077,1006 -2078,2078,662 -2079,2079,867 -2080,2080,93 -2081,2081,576 -2082,2082,1102 -2083,2083,517 -2084,2084,517 -2085,2085,519 -2086,2086,951 -2087,2087,1095 -2088,2088,913 -2089,2089,718 -2090,2090,718 -2091,2091,576 -2092,2092,576 -2093,2093,777 -2094,2094,153 -2095,2095,1041 -2096,2096,153 -2097,2097,1249 -2098,2098,1273 -2099,2099,335 -2100,2100,335 -2101,2101,341 -2102,2102,1091 -2103,2103,700 -2104,2104,806 -2105,2105,808 -2106,2106,853 -2107,2107,993 -2108,2108,116 -2109,2109,116 -2110,2110,127 -2111,2111,1200 -2112,2112,941 -2113,2113,1112 -2114,2114,401 -2115,2115,360 -2116,2116,909 -2117,2117,1086 -2118,2118,1087 -2119,2119,32 -2120,2120,625 -2121,2121,803 -2122,2122,1109 -2123,2123,1082 -2124,2124,1082 -2125,2125,1082 -2126,2126,624 -2127,2127,901 -2128,2128,901 -2129,2129,106 -2130,2130,76 -2131,2131,76 -2132,2132,578 -2133,2133,206 -2134,2134,267 -2135,2135,206 -2136,2136,626 -2137,2137,828 -2138,2138,630 -2139,2139,1101 -2140,2140,63 -2141,2141,63 -2142,2142,1025 -2143,2143,1037 -2144,2144,694 -2145,2145,503 -2146,2146,115 -2147,2147,37 -2148,2148,513 -2149,2149,1287 -2150,2150,834 -2151,2151,226 -2152,2152,166 -2153,2153,833 -2154,2154,795 -2155,2155,833 -2156,2156,816 -2157,2157,881 -2158,2158,881 -2159,2159,90 -2160,2160,378 -2161,2161,1101 -2162,2162,1103 -2163,2163,183 -2164,2164,184 -2165,2165,242 -2166,2166,795 -2167,2167,914 -2168,2168,895 -2169,2169,953 -2170,2170,953 -2171,2171,20 -2172,2172,433 -2173,2173,458 -2174,2174,458 -2175,2175,621 -2176,2176,894 -2177,2177,1227 -2178,2178,621 -2179,2179,836 -2180,2180,1111 -2181,2181,986 -2182,2182,895 -2183,2183,1026 -2184,2184,470 -2185,2185,1001 -2186,2186,1077 -2187,2187,1077 -2188,2188,38 -2189,2189,844 -2190,2190,1093 -2191,2191,146 -2192,2192,40 -2193,2193,796 -2194,2194,849 -2195,2195,843 -2196,2196,843 -2197,2197,1225 -2198,2198,1225 -2199,2199,1008 -2200,2200,136 -2201,2201,633 -2202,2202,699 -2203,2203,656 -2204,2204,45 -2205,2205,927 -2206,2206,801 -2207,2207,587 -2208,2208,352 -2209,2209,112 -2210,2210,112 -2211,2211,770 -2212,2212,299 -2213,2213,12 -2214,2214,271 -2215,2215,136 -2216,2216,697 -2217,2217,700 -2218,2218,941 -2219,2219,388 -2220,2220,449 -2221,2221,1104 -2222,2222,976 -2223,2223,449 -2224,2224,21 -2225,2225,21 -2226,2226,127 -2227,2227,860 -2228,2228,335 -2229,2229,335 -2230,2230,902 -2231,2231,360 -2232,2232,841 -2233,2233,897 -2234,2234,704 -2235,2235,1040 -2236,2236,1040 -2237,2237,541 -2238,2238,843 -2239,2239,728 -2240,2240,728 -2241,2241,1245 -2242,2242,1193 -2243,2243,1243 -2244,2244,1243 -2245,2245,40 -2246,2246,633 -2247,2247,634 -2248,2248,613 -2249,2249,613 -2250,2250,830 -2251,2251,678 -2252,2252,970 -2253,2253,908 -2254,2254,44 -2255,2255,1274 -2256,2256,162 -2257,2257,386 -2258,2258,660 -2259,2259,100 -2260,2260,113 -2261,2261,1162 -2262,2262,54 -2263,2263,795 -2264,2264,1100 -2265,2265,274 -2266,2266,689 -2267,2267,852 -2268,2268,543 -2269,2269,45 -2270,2270,1290 -2271,2271,125 -2272,2272,458 -2273,2273,1274 -2274,2274,1182 -2275,2275,114 -2276,2276,1251 -2277,2277,796 -2278,2278,601 -2279,2279,957 -2280,2280,1013 -2281,2281,953 -2282,2282,1013 -2283,2283,953 -2284,2284,881 -2285,2285,551 -2286,2286,584 -2287,2287,368 -2288,2288,812 -2289,2289,675 -2290,2290,830 -2291,2291,38 -2292,2292,59 -2293,2293,19 -2294,2294,36 -2295,2295,1145 -2296,2296,588 -2297,2297,126 -2298,2298,112 -2299,2299,112 -2300,2300,673 -2301,2301,892 -2302,2302,724 -2303,2303,113 -2304,2304,608 -2305,2305,374 -2306,2306,45 -2307,2307,45 -2308,2308,1055 -2309,2309,1055 -2310,2310,1055 -2311,2311,980 -2312,2312,821 -2313,2313,941 -2314,2314,1021 -2315,2315,1021 -2316,2316,581 -2317,2317,652 -2318,2318,1205 -2319,2319,1205 -2320,2320,859 -2321,2321,836 -2322,2322,90 -2323,2323,90 -2324,2324,1005 -2325,2325,1008 -2326,2326,1009 -2327,2327,1229 -2328,2328,876 -2329,2329,797 -2330,2330,37 -2331,2331,1273 -2332,2332,136 -2333,2333,136 -2334,2334,973 -2335,2335,906 -2336,2336,819 -2337,2337,942 -2338,2338,818 -2339,2339,342 -2340,2340,1158 -2341,2341,1104 -2342,2342,194 -2343,2343,319 -2344,2344,975 -2345,2345,892 -2346,2346,422 -2347,2347,215 -2348,2348,197 -2349,2349,442 -2350,2350,443 -2351,2351,444 -2352,2352,569 -2353,2353,976 -2354,2354,976 -2355,2355,982 -2356,2356,187 -2357,2357,372 -2358,2358,1118 -2359,2359,1118 -2360,2360,1101 -2361,2361,1101 -2362,2362,891 -2363,2363,893 -2364,2364,893 -2365,2365,957 -2366,2366,352 -2367,2367,114 -2368,2368,1017 -2369,2369,1017 -2370,2370,272 -2371,2371,967 -2372,2372,114 -2373,2373,123 -2374,2374,342 -2375,2375,148 -2376,2376,782 -2377,2377,784 -2378,2378,266 -2379,2379,314 -2380,2380,679 -2381,2381,1175 -2382,2382,314 -2383,2383,148 -2384,2384,957 -2385,2385,342 -2386,2386,976 -2387,2387,319 -2388,2388,1060 -2389,2389,998 -2390,2390,169 -2391,2391,148 -2392,2392,1044 -2393,2393,361 -2394,2394,630 -2395,2395,630 -2396,2396,242 -2397,2397,242 -2398,2398,507 -2399,2399,507 -2400,2400,183 -2401,2401,921 -2402,2402,921 -2403,2403,632 -2404,2404,779 -2405,2405,78 -2406,2406,75 -2407,2407,795 -2408,2408,797 -2409,2409,46 -2410,2410,225 -2411,2411,996 -2412,2412,169 -2413,2413,1060 -2414,2414,674 -2415,2415,935 -2416,2416,364 -2417,2417,371 -2418,2418,210 -2419,2419,376 -2420,2420,649 -2421,2421,343 -2422,2422,904 -2423,2423,925 -2424,2424,395 -2425,2425,406 -2426,2426,1206 -2427,2427,712 -2428,2428,446 -2429,2429,169 -2430,2430,10 -2431,2431,1112 -2432,2432,691 -2433,2433,691 -2434,2434,71 -2435,2435,475 -2436,2436,1112 -2437,2437,127 -2438,2438,126 -2439,2439,1223 -2440,2440,1273 -2441,2441,903 -2442,2442,828 -2443,2443,898 -2444,2444,1073 -2445,2445,569 -2446,2446,569 -2447,2447,547 -2448,2448,976 -2449,2449,828 -2450,2450,819 -2451,2451,866 -2452,2452,17 -2453,2453,731 -2454,2454,64 -2455,2455,578 -2456,2456,1048 -2457,2457,1013 -2458,2458,1271 -2459,2459,296 -2460,2460,1018 -2461,2461,91 -2462,2462,92 -2463,2463,330 -2464,2464,671 -2465,2465,671 -2466,2466,717 -2467,2467,914 -2468,2468,585 -2469,2469,605 -2470,2470,445 -2471,2471,63 -2472,2472,941 -2473,2473,45 -2474,2474,45 -2475,2475,446 -2476,2476,246 -2477,2477,805 -2478,2478,482 -2479,2479,653 -2480,2480,509 -2481,2481,172 -2482,2482,598 -2483,2483,525 -2484,2484,46 -2485,2485,38 -2486,2486,169 -2487,2487,38 -2488,2488,1104 -2489,2489,1104 -2490,2490,652 -2491,2491,652 -2492,2492,379 -2493,2493,63 -2494,2494,342 -2495,2495,761 -2496,2496,1036 -2497,2497,372 -2498,2498,433 -2499,2499,900 -2500,2500,768 -2501,2501,528 -2502,2502,287 -2503,2503,839 -2504,2504,886 -2505,2505,1157 -2506,2506,823 -2507,2507,955 -2508,2508,955 -2509,2509,854 -2510,2510,808 -2511,2511,854 -2512,2512,855 -2513,2513,169 -2514,2514,657 -2515,2515,180 -2516,2516,355 -2517,2517,417 -2518,2518,808 -2519,2519,854 -2520,2520,855 -2521,2521,286 -2522,2522,102 -2523,2523,798 -2524,2524,798 -2525,2525,607 -2526,2526,464 -2527,2527,787 -2528,2528,976 -2529,2529,787 -2530,2530,36 -2531,2531,794 -2532,2532,1077 -2533,2533,919 -2534,2534,449 -2535,2535,449 -2536,2536,47 -2537,2537,127 -2538,2538,1211 -2539,2539,174 -2540,2540,377 -2541,2541,181 -2542,2542,220 -2543,2543,955 -2544,2544,67 -2545,2545,1038 -2546,2546,325 -2547,2547,206 -2548,2548,977 -2549,2549,38 -2550,2550,168 -2551,2551,342 -2552,2552,108 -2553,2553,970 -2554,2554,1237 -2555,2555,108 -2556,2556,350 -2557,2557,352 -2558,2558,942 -2559,2559,755 -2560,2560,49 -2561,2561,774 -2562,2562,622 -2563,2563,622 -2564,2564,766 -2565,2565,933 -2566,2566,933 -2567,2567,823 -2568,2568,458 -2569,2569,458 -2570,2570,363 -2571,2571,364 -2572,2572,365 -2573,2573,199 -2574,2574,894 -2575,2575,1017 -2576,2576,1234 -2577,2577,1234 -2578,2578,541 -2579,2579,127 -2580,2580,172 -2581,2581,781 -2582,2582,344 -2583,2583,941 -2584,2584,53 -2585,2585,113 -2586,2586,113 -2587,2587,892 -2588,2588,970 -2589,2589,970 -2590,2590,975 -2591,2591,363 -2592,2592,363 -2593,2593,1026 -2594,2594,811 -2595,2595,812 -2596,2596,784 -2597,2597,915 -2598,2598,915 -2599,2599,169 -2600,2600,359 -2601,2601,798 -2602,2602,1140 -2603,2603,418 -2604,2604,428 -2605,2605,428 -2606,2606,428 -2607,2607,1104 -2608,2608,415 -2609,2609,1248 -2610,2610,976 -2611,2611,109 -2612,2612,267 -2613,2613,436 -2614,2614,299 -2615,2615,300 -2616,2616,119 -2617,2617,977 -2618,2618,1039 -2619,2619,92 -2620,2620,1274 -2621,2621,977 -2622,2622,717 -2623,2623,172 -2624,2624,976 -2625,2625,1028 -2626,2626,509 -2627,2627,522 -2628,2628,915 -2629,2629,767 -2630,2630,767 -2631,2631,334 -2632,2632,1020 -2633,2633,1206 -2634,2634,1178 -2635,2635,51 -2636,2636,529 -2637,2637,970 -2638,2638,972 -2639,2639,197 -2640,2640,197 -2641,2641,194 -2642,2642,770 -2643,2643,346 -2644,2644,1271 -2645,2645,352 -2646,2646,36 -2647,2647,796 -2648,2648,219 -2649,2649,921 -2650,2650,131 -2651,2651,503 -2652,2652,666 -2653,2653,330 -2654,2654,342 -2655,2655,864 -2656,2656,1233 -2657,2657,782 -2658,2658,1050 -2659,2659,500 -2660,2660,516 -2661,2661,941 -2662,2662,1104 -2663,2663,758 -2664,2664,758 -2665,2665,782 -2666,2666,705 -2667,2667,758 -2668,2668,892 -2669,2669,1112 -2670,2670,51 -2671,2671,787 -2672,2672,800 -2673,2673,666 -2674,2674,586 -2675,2675,784 -2676,2676,1184 -2677,2677,935 -2678,2678,1037 -2679,2679,535 -2680,2680,756 -2681,2681,28 -2682,2682,700 -2683,2683,700 -2684,2684,388 -2685,2685,435 -2686,2686,652 -2687,2687,892 -2688,2688,848 -2689,2689,73 -2690,2690,729 -2691,2691,857 -2692,2692,859 -2693,2693,112 -2694,2694,892 -2695,2695,433 -2696,2696,742 -2697,2697,38 -2698,2698,786 -2699,2699,157 -2700,2700,1276 -2701,2701,886 -2702,2702,724 -2703,2703,565 -2704,2704,93 -2705,2705,75 -2706,2706,779 -2707,2707,1233 -2708,2708,566 -2709,2709,516 -2710,2710,329 -2711,2711,155 -2712,2712,363 -2713,2713,1245 -2714,2714,1019 -2715,2715,277 -2716,2716,279 -2717,2717,798 -2718,2718,921 -2719,2719,361 -2720,2720,842 -2721,2721,870 -2722,2722,1044 -2723,2723,104 -2724,2724,543 -2725,2725,794 -2726,2726,887 -2727,2727,433 -2728,2728,108 -2729,2729,1069 -2730,2730,767 -2731,2731,788 -2732,2732,892 -2733,2733,1018 -2734,2734,114 -2735,2735,787 -2736,2736,787 -2737,2737,22 -2738,2738,23 -2739,2739,93 -2740,2740,73 -2741,2741,376 -2742,2742,363 -2743,2743,408 -2744,2744,493 -2745,2745,135 -2746,2746,905 -2747,2747,1000 -2748,2748,781 -2749,2749,1067 -2750,2750,1137 -2751,2751,918 -2752,2752,1223 -2753,2753,859 -2754,2754,1044 -2755,2755,849 -2756,2756,127 -2757,2757,125 -2758,2758,300 -2759,2759,169 -2760,2760,38 -2761,2761,38 -2762,2762,23 -2763,2763,700 -2764,2764,125 -2765,2765,9 -2766,2766,864 -2767,2767,631 -2768,2768,563 -2769,2769,727 -2770,2770,880 -2771,2771,1283 -2772,2772,1283 -2773,2773,1062 -2774,2774,686 -2775,2775,187 -2776,2776,687 -2777,2777,131 -2778,2778,73 -2779,2779,566 -2780,2780,1230 -2781,2781,852 -2782,2782,864 -2783,2783,415 -2784,2784,780 -2785,2785,135 -2786,2786,1096 -2787,2787,314 -2788,2788,1215 -2789,2789,1214 -2790,2790,1214 -2791,2791,428 -2792,2792,451 -2793,2793,266 -2794,2794,669 -2795,2795,880 -2796,2796,787 -2797,2797,686 -2798,2798,89 -2799,2799,1275 -2800,2800,1276 -2801,2801,622 -2802,2802,116 -2803,2803,849 -2804,2804,1091 -2805,2805,71 -2806,2806,872 -2807,2807,691 -2808,2808,842 -2809,2809,842 -2810,2810,127 -2811,2811,75 -2812,2812,845 -2813,2813,157 -2814,2814,177 -2815,2815,1180 -2816,2816,569 -2817,2817,242 -2818,2818,727 -2819,2819,858 -2820,2820,355 -2821,2821,401 -2822,2822,334 -2823,2823,1039 -2824,2824,739 -2825,2825,845 -2826,2826,300 -2827,2827,822 -2828,2828,92 -2829,2829,902 -2830,2830,38 -2831,2831,1050 -2832,2832,742 -2833,2833,387 -2834,2834,866 -2835,2835,701 -2836,2836,914 -2837,2837,65 -2838,2838,65 -2839,2839,68 -2840,2840,19 -2841,2841,272 -2842,2842,38 -2843,2843,585 -2844,2844,282 -2845,2845,400 -2846,2846,401 -2847,2847,279 -2848,2848,533 -2849,2849,44 -2850,2850,77 -2851,2851,1032 -2852,2852,283 -2853,2853,544 -2854,2854,774 -2855,2855,774 -2856,2856,937 -2857,2857,1015 -2858,2858,836 -2859,2859,776 -2860,2860,1091 -2861,2861,38 -2862,2862,571 -2863,2863,635 -2864,2864,998 -2865,2865,639 -2866,2866,639 -2867,2867,112 -2868,2868,93 -2869,2869,885 -2870,2870,932 -2871,2871,1112 -2872,2872,1145 -2873,2873,1145 -2874,2874,1032 -2875,2875,1032 -2876,2876,122 -2877,2877,816 -2878,2878,803 -2879,2879,853 -2880,2880,794 -2881,2881,842 -2882,2882,842 -2883,2883,800 -2884,2884,800 -2885,2885,797 -2886,2886,974 -2887,2887,688 -2888,2888,796 -2889,2889,796 -2890,2890,629 -2891,2891,367 -2892,2892,853 -2893,2893,804 -2894,2894,814 -2895,2895,607 -2896,2896,895 -2897,2897,954 -2898,2898,895 -2899,2899,1068 -2900,2900,352 -2901,2901,352 -2902,2902,770 -2903,2903,23 -2904,2904,271 -2905,2905,770 -2906,2906,566 -2907,2907,324 -2908,2908,324 -2909,2909,1294 -2910,2910,227 -2911,2911,171 -2912,2912,227 -2913,2913,376 -2914,2914,824 -2915,2915,37 -2916,2916,37 -2917,2917,1077 -2918,2918,1079 -2919,2919,770 -2920,2920,770 -2921,2921,327 -2922,2922,1107 -2923,2923,1107 -2924,2924,1210 -2925,2925,943 -2926,2926,944 -2927,2927,136 -2928,2928,196 -2929,2929,346 -2930,2930,347 -2931,2931,1142 -2932,2932,321 -2933,2933,342 -2934,2934,473 -2935,2935,633 -2936,2936,692 -2937,2937,742 -2938,2938,659 -2939,2939,895 -2940,2940,709 -2941,2941,849 -2942,2942,522 -2943,2943,147 -2944,2944,1025 -2945,2945,145 -2946,2946,202 -2947,2947,342 -2948,2948,223 -2949,2949,23 -2950,2950,960 -2951,2951,1032 -2952,2952,1032 -2953,2953,798 -2954,2954,172 -2955,2955,1020 -2956,2956,830 -2957,2957,138 -2958,2958,139 -2959,2959,38 -2960,2960,1109 -2961,2961,988 -2962,2962,453 -2963,2963,390 -2964,2964,693 -2965,2965,1089 -2966,2966,962 -2967,2967,963 -2968,2968,19 -2969,2969,219 -2970,2970,223 -2971,2971,413 -2972,2972,154 -2973,2973,371 -2974,2974,255 -2975,2975,307 -2976,2976,308 -2977,2977,1027 -2978,2978,39 -2979,2979,1043 -2980,2980,300 -2981,2981,169 -2982,2982,342 -2983,2983,986 -2984,2984,1009 -2985,2985,313 -2986,2986,506 -2987,2987,536 -2988,2988,343 -2989,2989,209 -2990,2990,147 -2991,2991,198 -2992,2992,583 -2993,2993,478 -2994,2994,665 -2995,2995,850 -2996,2996,836 -2997,2997,476 -2998,2998,411 -2999,2999,476 -3000,3000,137 -3001,3001,473 -3002,3002,473 -3003,3003,19 -3004,3004,523 -3005,3005,833 -3006,3006,1003 -3007,3007,204 -3008,3008,237 -3009,3009,958 -3010,3010,144 -3011,3011,731 -3012,3012,1104 -3013,3013,814 -3014,3014,971 -3015,3015,653 -3016,3016,887 -3017,3017,1119 -3018,3018,1158 -3019,3019,1166 -3020,3020,695 -3021,3021,237 -3022,3022,59 -3023,3023,990 -3024,3024,991 -3025,3025,992 -3026,3026,1091 -3027,3027,1102 -3028,3028,478 -3029,3029,1036 -3030,3030,975 -3031,3031,864 -3032,3032,12 -3033,3033,715 -3034,3034,438 -3035,3035,440 -3036,3036,94 -3037,3037,6 -3038,3038,7 -3039,3039,532 -3040,3040,1253 -3041,3041,969 -3042,3042,1293 -3043,3043,1293 -3044,3044,525 -3045,3045,38 -3046,3046,447 -3047,3047,104 -3048,3048,799 -3049,3049,912 -3050,3050,92 -3051,3051,841 -3052,3052,828 -3053,3053,450 -3054,3054,729 -3055,3055,1003 -3056,3056,621 -3057,3057,615 -3058,3058,136 -3059,3059,742 -3060,3060,1084 -3061,3061,514 -3062,3062,837 -3063,3063,193 -3064,3064,221 -3065,3065,1090 -3066,3066,581 -3067,3067,278 -3068,3068,143 -3069,3069,189 -3070,3070,833 -3071,3071,836 -3072,3072,7 -3073,3073,838 -3074,3074,1064 -3075,3075,814 -3076,3076,814 -3077,3077,480 -3078,3078,508 -3079,3079,899 -3080,3080,374 -3081,3081,1266 -3082,3082,1267 -3083,3083,612 -3084,3084,613 -3085,3085,405 -3086,3086,1108 -3087,3087,379 -3088,3088,249 -3089,3089,250 -3090,3090,956 -3091,3091,797 -3092,3092,424 -3093,3093,846 -3094,3094,199 -3095,3095,56 -3096,3096,59 -3097,3097,830 -3098,3098,970 -3099,3099,972 -3100,3100,663 -3101,3101,611 -3102,3102,1211 -3103,3103,419 -3104,3104,1026 -3105,3105,813 -3106,3106,706 -3107,3107,465 -3108,3108,46 -3109,3109,1253 -3110,3110,833 -3111,3111,437 -3112,3112,850 -3113,3113,141 -3114,3114,196 -3115,3115,1107 -3116,3116,222 -3117,3117,131 -3118,3118,804 -3119,3119,125 -3120,3120,725 -3121,3121,1147 -3122,3122,1191 -3123,3123,936 -3124,3124,294 -3125,3125,369 -3126,3126,431 -3127,3127,514 -3128,3128,1005 -3129,3129,35 -3130,3130,49 -3131,3131,49 -3132,3132,779 -3133,3133,11 -3134,3134,42 -3135,3135,123 -3136,3136,1052 -3137,3137,1053 -3138,3138,685 -3139,3139,826 -3140,3140,813 -3141,3141,813 -3142,3142,784 -3143,3143,1089 -3144,3144,129 -3145,3145,57 -3146,3146,1005 -3147,3147,943 -3148,3148,155 -3149,3149,657 -3150,3150,868 -3151,3151,1052 -3152,3152,953 -3153,3153,1292 -3154,3154,187 -3155,3155,1050 -3156,3156,1250 -3157,3157,1265 -3158,3158,53 -3159,3159,53 -3160,3160,360 -3161,3161,803 -3162,3162,1278 -3163,3163,637 -3164,3164,1128 -3165,3165,1263 -3166,3166,23 -3167,3167,1064 -3168,3168,533 -3169,3169,421 -3170,3170,145 -3171,3171,345 -3172,3172,424 -3173,3173,849 -3174,3174,853 -3175,3175,855 -3176,3176,1006 -3177,3177,946 -3178,3178,640 -3179,3179,92 -3180,3180,29 -3181,3181,633 -3182,3182,664 -3183,3183,185 -3184,3184,1116 -3185,3185,948 -3186,3186,669 -3187,3187,618 -3188,3188,599 -3189,3189,601 -3190,3190,1243 -3191,3191,306 -3192,3192,974 -3193,3193,976 -3194,3194,976 -3195,3195,707 -3196,3196,462 -3197,3197,305 -3198,3198,306 -3199,3199,306 -3200,3200,963 -3201,3201,963 -3202,3202,1012 -3203,3203,1078 -3204,3204,174 -3205,3205,176 -3206,3206,578 -3207,3207,829 -3208,3208,235 -3209,3209,236 -3210,3210,550 -3211,3211,1031 -3212,3212,1254 -3213,3213,1255 -3214,3214,492 -3215,3215,1271 -3216,3216,742 -3217,3217,1201 -3218,3218,998 -3219,3219,811 -3220,3220,1219 -3221,3221,354 -3222,3222,1026 -3223,3223,186 -3224,3224,1025 -3225,3225,575 -3226,3226,576 -3227,3227,343 -3228,3228,860 -3229,3229,186 -3230,3230,1250 -3231,3231,1205 -3232,3232,995 -3233,3233,251 -3234,3234,868 -3235,3235,411 -3236,3236,742 -3237,3237,121 -3238,3238,988 -3239,3239,804 -3240,3240,631 -3241,3241,71 -3242,3242,557 -3243,3243,559 -3244,3244,606 -3245,3245,1079 -3246,3246,1175 -3247,3247,795 -3248,3248,357 -3249,3249,358 -3250,3250,1219 -3251,3251,1222 -3252,3252,870 -3253,3253,779 -3254,3254,866 -3255,3255,353 -3256,3256,355 -3257,3257,912 -3258,3258,225 -3259,3259,189 -3260,3260,836 -3261,3261,797 -3262,3262,413 -3263,3263,1004 -3264,3264,920 -3265,3265,1207 -3266,3266,835 -3267,3267,504 -3268,3268,182 -3269,3269,517 -3270,3270,518 -3271,3271,519 -3272,3272,639 -3273,3273,640 -3274,3274,976 -3275,3275,731 -3276,3276,912 -3277,3277,143 -3278,3278,1279 -3279,3279,604 -3280,3280,1135 -3281,3281,430 -3282,3282,976 -3283,3283,202 -3284,3284,1109 -3285,3285,508 -3286,3286,791 -3287,3287,597 -3288,3288,543 -3289,3289,65 -3290,3290,1132 -3291,3291,1012 -3292,3292,1240 -3293,3293,912 -3294,3294,1091 -3295,3295,1241 -3296,3296,1166 -3297,3297,608 -3298,3298,416 -3299,3299,1197 -3300,3300,357 -3301,3301,811 -3302,3302,830 -3303,3303,544 -3304,3304,490 -3305,3305,973 -3306,3306,973 -3307,3307,251 -3308,3308,251 -3309,3309,1106 -3310,3310,695 -3311,3311,75 -3312,3312,628 -3313,3313,652 -3314,3314,326 -3315,3315,972 -3316,3316,709 -3317,3317,300 -3318,3318,660 -3319,3319,910 -3320,3320,287 -3321,3321,935 -3322,3322,300 -3323,3323,828 -3324,3324,1038 -3325,3325,17 -3326,3326,17 -3327,3327,144 -3328,3328,935 -3329,3329,935 -3330,3330,812 -3331,3331,809 -3332,3332,812 -3333,3333,169 -3334,3334,1018 -3335,3335,631 -3336,3336,1260 -3337,3337,1261 -3338,3338,402 -3339,3339,406 -3340,3340,811 -3341,3341,811 -3342,3342,823 -3343,3343,49 -3344,3344,857 -3345,3345,971 -3346,3346,370 -3347,3347,341 -3348,3348,1111 -3349,3349,1112 -3350,3350,1128 -3351,3351,881 -3352,3352,924 -3353,3353,570 -3354,3354,571 -3355,3355,169 -3356,3356,118 -3357,3357,118 -3358,3358,181 -3359,3359,329 -3360,3360,145 -3361,3361,543 -3362,3362,390 -3363,3363,390 -3364,3364,578 -3365,3365,768 -3366,3366,912 -3367,3367,967 -3368,3368,123 -3369,3369,818 -3370,3370,1038 -3371,3371,343 -3372,3372,1004 -3373,3373,953 -3374,3374,1271 -3375,3375,1271 -3376,3376,915 -3377,3377,915 -3378,3378,1004 -3379,3379,1004 -3380,3380,398 -3381,3381,323 -3382,3382,323 -3383,3383,125 -3384,3384,124 -3385,3385,90 -3386,3386,1101 -3387,3387,1101 -3388,3388,76 -3389,3389,206 -3390,3390,843 -3391,3391,952 -3392,3392,270 -3393,3393,272 -3394,3394,621 -3395,3395,215 -3396,3396,937 -3397,3397,939 -3398,3398,821 -3399,3399,504 -3400,3400,1193 -3401,3401,591 -3402,3402,37 -3403,3403,843 -3404,3404,798 -3405,3405,798 -3406,3406,794 -3407,3407,1144 -3408,3408,1144 -3409,3409,355 -3410,3410,975 -3411,3411,1173 -3412,3412,941 -3413,3413,935 -3414,3414,623 -3415,3415,537 -3416,3416,632 -3417,3417,742 -3418,3418,1102 -3419,3419,109 -3420,3420,1065 -3421,3421,133 -3422,3422,14 -3423,3423,1176 -3424,3424,728 -3425,3425,1097 -3426,3426,1097 -3427,3427,325 -3428,3428,749 -3429,3429,749 -3430,3430,1016 -3431,3431,1016 -3432,3432,301 -3433,3433,301 -3434,3434,788 -3435,3435,38 -3436,3436,38 -3437,3437,892 -3438,3438,892 -3439,3439,915 -3440,3440,1096 -3441,3441,49 -3442,3442,1166 -3443,3443,918 -3444,3444,68 -3445,3445,1065 -3446,3446,1065 -3447,3447,276 -3448,3448,1204 -3449,3449,935 -3450,3450,788 -3451,3451,958 -3452,3452,1104 -3453,3453,1104 -3454,3454,127 -3455,3455,271 -3456,3456,505 -3457,3457,1018 -3458,3458,1021 -3459,3459,1102 -3460,3460,1102 -3461,3461,782 -3462,3462,783 -3463,3463,820 -3464,3464,820 -3465,3465,1081 -3466,3466,47 -3467,3467,47 -3468,3468,1076 -3469,3469,740 -3470,3470,104 -3471,3471,983 -3472,3472,1032 -3473,3473,1100 -3474,3474,191 -3475,3475,93 -3476,3476,787 -3477,3477,1028 -3478,3478,1199 -3479,3479,253 -3480,3480,822 -3481,3481,822 -3482,3482,892 -3483,3483,870 -3484,3484,821 -3485,3485,674 -3486,3486,976 -3487,3487,12 -3488,3488,574 -3489,3489,936 -3490,3490,36 -3491,3491,897 -3492,3492,132 -3493,3493,135 -3494,3494,784 -3495,3495,299 -3496,3496,300 -3497,3497,725 -3498,3498,68 -3499,3499,1111 -3500,3500,530 -3501,3501,12 -3502,3502,301 -3503,3503,637 -3504,3504,749 -3505,3505,85 -3506,3506,1019 -3507,3507,798 -3508,3508,1167 -3509,3509,314 -3510,3510,505 -3511,3511,154 -3512,3512,154 -3513,3513,899 -3514,3514,469 -3515,3515,59 -3516,3516,566 -3517,3517,417 -3518,3518,909 -3519,3519,906 -3520,3520,9 -3521,3521,1111 -3522,3522,282 -3523,3523,940 -3524,3524,55 -3525,3525,254 -3526,3526,723 -3527,3527,381 -3528,3528,892 -3529,3529,490 -3530,3530,1076 -3531,3531,110 -3532,3532,110 -3533,3533,881 -3534,3534,881 -3535,3535,883 -3536,3536,59 -3537,3537,649 -3538,3538,651 -3539,3539,751 -3540,3540,1109 -3541,3541,1109 -3542,3542,1220 -3543,3543,1220 -3544,3544,266 -3545,3545,1180 -3546,3546,1227 -3547,3547,1180 -3548,3548,433 -3549,3549,1199 -3550,3550,1215 -3551,3551,787 -3552,3552,717 -3553,3553,112 -3554,3554,77 -3555,3555,1152 -3556,3556,220 -3557,3557,342 -3558,3558,344 -3559,3559,882 -3560,3560,1128 -3561,3561,969 -3562,3562,548 -3563,3563,109 -3564,3564,1021 -3565,3565,1021 -3566,3566,958 -3567,3567,842 -3568,3568,842 -3569,3569,109 -3570,3570,282 -3571,3571,596 -3572,3572,314 -3573,3573,314 -3574,3574,116 -3575,3575,308 -3576,3576,160 -3577,3577,944 -3578,3578,1112 -3579,3579,985 -3580,3580,984 -3581,3581,984 -3582,3582,232 -3583,3583,243 -3584,3584,246 -3585,3585,407 -3586,3586,407 -3587,3587,926 -3588,3588,1232 -3589,3589,630 -3590,3590,1005 -3591,3591,1008 -3592,3592,1077 -3593,3593,93 -3594,3594,565 -3595,3595,565 -3596,3596,921 -3597,3597,1210 -3598,3598,1246 -3599,3599,174 -3600,3600,1085 -3601,3601,957 -3602,3602,395 -3603,3603,395 -3604,3604,844 -3605,3605,844 -3606,3606,1112 -3607,3607,1112 -3608,3608,633 -3609,3609,635 -3610,3610,295 -3611,3611,744 -3612,3612,155 -3613,3613,814 -3614,3614,386 -3615,3615,386 -3616,3616,637 -3617,3617,54 -3618,3618,1049 -3619,3619,139 -3620,3620,196 -3621,3621,987 -3622,3622,1274 -3623,3623,1274 -3624,3624,146 -3625,3625,224 -3626,3626,108 -3627,3627,323 -3628,3628,485 -3629,3629,892 -3630,3630,40 -3631,3631,390 -3632,3632,968 -3633,3633,584 -3634,3634,584 -3635,3635,1155 -3636,3636,274 -3637,3637,274 -3638,3638,680 -3639,3639,973 -3640,3640,710 -3641,3641,242 -3642,3642,975 -3643,3643,665 -3644,3644,907 -3645,3645,802 -3646,3646,799 -3647,3647,655 -3648,3648,656 -3649,3649,835 -3650,3650,474 -3651,3651,587 -3652,3652,184 -3653,3653,977 -3654,3654,143 -3655,3655,143 -3656,3656,187 -3657,3657,189 -3658,3658,311 -3659,3659,630 -3660,3660,842 -3661,3661,1130 -3662,3662,1147 -3663,3663,965 -3664,3664,897 -3665,3665,78 -3666,3666,675 -3667,3667,835 -3668,3668,476 -3669,3669,1206 -3670,3670,485 -3671,3671,371 -3672,3672,943 -3673,3673,1006 -3674,3674,943 -3675,3675,828 -3676,3676,804 -3677,3677,804 -3678,3678,697 -3679,3679,697 -3680,3680,483 -3681,3681,987 -3682,3682,592 -3683,3683,592 -3684,3684,1010 -3685,3685,1010 -3686,3686,946 -3687,3687,1104 -3688,3688,665 -3689,3689,1104 -3690,3690,592 -3691,3691,1119 -3692,3692,566 -3693,3693,566 -3694,3694,661 -3695,3695,688 -3696,3696,812 -3697,3697,910 -3698,3698,143 -3699,3699,934 -3700,3700,984 -3701,3701,316 -3702,3702,653 -3703,3703,695 -3704,3704,552 -3705,3705,952 -3706,3706,751 -3707,3707,645 -3708,3708,640 -3709,3709,1161 -3710,3710,814 -3711,3711,744 -3712,3712,758 -3713,3713,675 -3714,3714,675 -3715,3715,425 -3716,3716,670 -3717,3717,672 -3718,3718,114 -3719,3719,723 -3720,3720,12 -3721,3721,10 -3722,3722,1003 -3723,3723,976 -3724,3724,449 -3725,3725,1262 -3726,3726,1262 -3727,3727,1262 -3728,3728,777 -3729,3729,777 -3730,3730,814 -3731,3731,834 -3732,3732,828 -3733,3733,1293 -3734,3734,155 -3735,3735,187 -3736,3736,247 -3737,3737,342 -3738,3738,450 -3739,3739,830 -3740,3740,592 -3741,3741,631 -3742,3742,572 -3743,3743,572 -3744,3744,447 -3745,3745,274 -3746,3746,274 -3747,3747,148 -3748,3748,660 -3749,3749,1183 -3750,3750,973 -3751,3751,650 -3752,3752,804 -3753,3753,439 -3754,3754,907 -3755,3755,1084 -3756,3756,1028 -3757,3757,91 -3758,3758,564 -3759,3759,1293 -3760,3760,430 -3761,3761,914 -3762,3762,1109 -3763,3763,322 -3764,3764,845 -3765,3765,290 -3766,3766,843 -3767,3767,843 -3768,3768,677 -3769,3769,150 -3770,3770,1186 -3771,3771,1032 -3772,3772,1173 -3773,3773,796 -3774,3774,220 -3775,3775,388 -3776,3776,421 -3777,3777,372 -3778,3778,954 -3779,3779,1269 -3780,3780,1269 -3781,3781,1064 -3782,3782,561 -3783,3783,842 -3784,3784,697 -3785,3785,541 -3786,3786,1003 -3787,3787,667 -3788,3788,331 -3789,3789,332 -3790,3790,104 -3791,3791,37 -3792,3792,1044 -3793,3793,1032 -3794,3794,572 -3795,3795,974 -3796,3796,1064 -3797,3797,999 -3798,3798,39 -3799,3799,833 -3800,3800,809 -3801,3801,384 -3802,3802,973 -3803,3803,222 -3804,3804,56 -3805,3805,398 -3806,3806,1186 -3807,3807,803 -3808,3808,1096 -3809,3809,1056 -3810,3810,803 -3811,3811,1065 -3812,3812,1006 -3813,3813,943 -3814,3814,228 -3815,3815,49 -3816,3816,49 -3817,3817,335 -3818,3818,911 -3819,3819,805 -3820,3820,272 -3821,3821,1049 -3822,3822,1049 -3823,3823,770 -3824,3824,711 -3825,3825,571 -3826,3826,561 -3827,3827,563 -3828,3828,485 -3829,3829,274 -3830,3830,939 -3831,3831,939 -3832,3832,967 -3833,3833,796 -3834,3834,59 -3835,3835,59 -3836,3836,1049 -3837,3837,274 -3838,3838,796 -3839,3839,813 -3840,3840,686 -3841,3841,875 -3842,3842,66 -3843,3843,239 -3844,3844,629 -3845,3845,125 -3846,3846,547 -3847,3847,1145 -3848,3848,1145 -3849,3849,835 -3850,3850,967 -3851,3851,150 -3852,3852,222 -3853,3853,149 -3854,3854,329 -3855,3855,946 -3856,3856,258 -3857,3857,1292 -3858,3858,914 -3859,3859,1145 -3860,3860,1145 -3861,3861,1243 -3862,3862,117 -3863,3863,591 -3864,3864,880 -3865,3865,411 -3866,3866,842 -3867,3867,637 -3868,3868,637 -3869,3869,203 -3870,3870,1128 -3871,3871,657 -3872,3872,1064 -3873,3873,853 -3874,3874,853 -3875,3875,1006 -3876,3876,774 -3877,3877,274 -3878,3878,635 -3879,3879,636 -3880,3880,1003 -3881,3881,1199 -3882,3882,569 -3883,3883,852 -3884,3884,680 -3885,3885,629 -3886,3886,845 -3887,3887,768 -3888,3888,807 -3889,3889,691 -3890,3890,673 -3891,3891,1220 -3892,3892,819 -3893,3893,996 -3894,3894,554 -3895,3895,112 -3896,3896,554 -3897,3897,112 -3898,3898,1233 -3899,3899,1186 -3900,3900,1035 -3901,3901,564 -3902,3902,320 -3903,3903,320 -3904,3904,606 -3905,3905,572 -3906,3906,600 -3907,3907,600 -3908,3908,1047 -3909,3909,1033 -3910,3910,421 -3911,3911,174 -3912,3912,826 -3913,3913,826 -3914,3914,1109 -3915,3915,955 -3916,3916,306 -3917,3917,312 -3918,3918,51 -3919,3919,892 -3920,3920,858 -3921,3921,253 -3922,3922,1112 -3923,3923,773 -3924,3924,1200 -3925,3925,112 -3926,3926,631 -3927,3927,857 -3928,3928,1134 -3929,3929,858 -3930,3930,474 -3931,3931,834 -3932,3932,1032 -3933,3933,830 -3934,3934,830 -3935,3935,795 -3936,3936,795 -3937,3937,906 -3938,3938,475 -3939,3939,1154 -3940,3940,758 -3941,3941,759 -3942,3942,857 -3943,3943,1109 -3944,3944,417 -3945,3945,417 -3946,3946,585 -3947,3947,63 -3948,3948,893 -3949,3949,1031 -3950,3950,866 -3951,3951,45 -3952,3952,557 -3953,3953,357 -3954,3954,358 -3955,3955,189 -3956,3956,787 -3957,3957,675 -3958,3958,796 -3959,3959,870 -3960,3960,804 -3961,3961,854 -3962,3962,1006 -3963,3963,282 -3964,3964,425 -3965,3965,413 -3966,3966,183 -3967,3967,798 -3968,3968,844 -3969,3969,517 -3970,3970,805 -3971,3971,689 -3972,3972,961 -3973,3973,675 -3974,3974,725 -3975,3975,368 -3976,3976,606 -3977,3977,620 -3978,3978,976 -3979,3979,393 -3980,3980,129 -3981,3981,566 -3982,3982,1048 -3983,3983,984 -3984,3984,605 -3985,3985,566 -3986,3986,984 -3987,3987,1030 -3988,3988,515 -3989,3989,596 -3990,3990,835 -3991,3991,587 -3992,3992,65 -3993,3993,543 -3994,3994,887 -3995,3995,887 -3996,3996,616 -3997,3997,608 -3998,3998,608 -3999,3999,544 -4000,4000,127 -4001,4001,587 -4002,4002,852 -4003,4003,1232 -4004,4004,915 -4005,4005,127 -4006,4006,1128 -4007,4007,892 -4008,4008,6 -4009,4009,8 -4010,4010,24 -4011,4011,25 -4012,4012,26 -4013,4013,27 -4014,4014,35 -4015,4015,842 -4016,4016,1051 -4017,4017,932 -4018,4018,865 -4019,4019,865 -4020,4020,719 -4021,4021,689 -4022,4022,1073 -4023,4023,915 -4024,4024,911 -4025,4025,852 -4026,4026,639 -4027,4027,419 -4028,4028,87 -4029,4029,87 -4030,4030,932 -4031,4031,1091 -4032,4032,739 -4033,4033,570 -4034,4034,125 -4035,4035,776 -4036,4036,975 -4037,4037,970 -4038,4038,972 -4039,4039,1231 -4040,4040,194 -4041,4041,194 -4042,4042,92 -4043,4043,92 -4044,4044,843 -4045,4045,194 -4046,4046,99 -4047,4047,100 -4048,4048,1268 -4049,4049,1290 -4050,4050,566 -4051,4051,566 -4052,4052,673 -4053,4053,673 -4054,4054,351 -4055,4055,1213 -4056,4056,351 -4057,4057,1272 -4058,4058,308 -4059,4059,52 -4060,4060,1237 -4061,4061,48 -4062,4062,436 -4063,4063,352 -4064,4064,942 -4065,4065,1109 -4066,4066,233 -4067,4067,974 -4068,4068,59 -4069,4069,1214 -4070,4070,796 -4071,4071,134 -4072,4072,1080 -4073,4073,38 -4074,4074,353 -4075,4075,806 -4076,4076,571 -4077,4077,182 -4078,4078,803 -4079,4079,1109 -4080,4080,1109 -4081,4081,398 -4082,4082,398 -4083,4083,61 -4084,4084,44 -4085,4085,61 -4086,4086,63 -4087,4087,872 -4088,4088,38 -4089,4089,1070 -4090,4090,860 -4091,4091,698 -4092,4092,860 -4093,4093,908 -4094,4094,53 -4095,4095,376 -4096,4096,786 -4097,4097,38 -4098,4098,87 -4099,4099,87 -4100,4100,91 -4101,4101,91 -4102,4102,669 -4103,4103,313 -4104,4104,275 -4105,4105,393 -4106,4106,127 -4107,4107,168 -4108,4108,166 -4109,4109,168 -4110,4110,169 -4111,4111,224 -4112,4112,224 -4113,4113,1013 -4114,4114,270 -4115,4115,270 -4116,4116,312 -4117,4117,747 -4118,4118,418 -4119,4119,1245 -4120,4120,1109 -4121,4121,805 -4122,4122,1259 -4123,4123,270 -4124,4124,1018 -4125,4125,253 -4126,4126,952 -4127,4127,952 -4128,4128,606 -4129,4129,882 -4130,4130,1104 -4131,4131,973 -4132,4132,369 -4133,4133,371 -4134,4134,299 -4135,4135,299 -4136,4136,267 -4137,4137,282 -4138,4138,235 -4139,4139,482 -4140,4140,359 -4141,4141,899 -4142,4142,1055 -4143,4143,331 -4144,4144,1144 -4145,4145,49 -4146,4146,342 -4147,4147,386 -4148,4148,845 -4149,4149,61 -4150,4150,738 -4151,4151,50 -4152,4152,10 -4153,4153,700 -4154,4154,869 -4155,4155,42 -4156,4156,355 -4157,4157,622 -4158,4158,870 -4159,4159,132 -4160,4160,1123 -4161,4161,1123 -4162,4162,1123 -4163,4163,183 -4164,4164,73 -4165,4165,358 -4166,4166,1123 -4167,4167,471 -4168,4168,322 -4169,4169,674 -4170,4170,445 -4171,4171,973 -4172,4172,876 -4173,4173,1240 -4174,4174,1008 -4175,4175,322 -4176,4176,892 -4177,4177,845 -4178,4178,1079 -4179,4179,740 -4180,4180,742 -4181,4181,90 -4182,4182,942 -4183,4183,1273 -4184,4184,1150 -4185,4185,653 -4186,4186,806 -4187,4187,806 -4188,4188,1036 -4189,4189,1036 -4190,4190,90 -4191,4191,849 -4192,4192,849 -4193,4193,288 -4194,4194,659 -4195,4195,106 -4196,4196,106 -4197,4197,415 -4198,4198,796 -4199,4199,796 -4200,4200,172 -4201,4201,120 -4202,4202,830 -4203,4203,845 -4204,4204,332 -4205,4205,868 -4206,4206,36 -4207,4207,123 -4208,4208,129 -4209,4209,745 -4210,4210,46 -4211,4211,46 -4212,4212,1095 -4213,4213,1028 -4214,4214,1028 -4215,4215,404 -4216,4216,842 -4217,4217,314 -4218,4218,274 -4219,4219,308 -4220,4220,411 -4221,4221,346 -4222,4222,411 -4223,4223,291 -4224,4224,1039 -4225,4225,1070 -4226,4226,1070 -4227,4227,215 -4228,4228,308 -4229,4229,1112 -4230,4230,835 -4231,4231,474 -4232,4232,751 -4233,4233,330 -4234,4234,76 -4235,4235,976 -4236,4236,960 -4237,4237,658 -4238,4238,658 -4239,4239,952 -4240,4240,45 -4241,4241,723 -4242,4242,914 -4243,4243,876 -4244,4244,38 -4245,4245,887 -4246,4246,187 -4247,4247,243 -4248,4248,169 -4249,4249,288 -4250,4250,554 -4251,4251,761 -4252,4252,630 -4253,4253,317 -4254,4254,317 -4255,4255,271 -4256,4256,1273 -4257,4257,1273 -4258,4258,242 -4259,4259,322 -4260,4260,587 -4261,4261,587 -4262,4262,209 -4263,4263,212 -4264,4264,186 -4265,4265,186 -4266,4266,845 -4267,4267,503 -4268,4268,505 -4269,4269,987 -4270,4270,939 -4271,4271,204 -4272,4272,300 -4273,4273,415 -4274,4274,415 -4275,4275,48 -4276,4276,73 -4277,4277,165 -4278,4278,785 -4279,4279,44 -4280,4280,61 -4281,4281,49 -4282,4282,581 -4283,4283,798 -4284,4284,894 -4285,4285,984 -4286,4286,984 -4287,4287,808 -4288,4288,618 -4289,4289,618 -4290,4290,388 -4291,4291,287 -4292,4292,818 -4293,4293,818 -4294,4294,115 -4295,4295,908 -4296,4296,908 -4297,4297,914 -4298,4298,761 -4299,4299,761 -4300,4300,935 -4301,4301,425 -4302,4302,32 -4303,4303,980 -4304,4304,1151 -4305,4305,941 -4306,4306,922 -4307,4307,777 -4308,4308,792 -4309,4309,94 -4310,4310,848 -4311,4311,195 -4312,4312,201 -4313,4313,591 -4314,4314,965 -4315,4315,841 -4316,4316,148 -4317,4317,181 -4318,4318,1004 -4319,4319,892 -4320,4320,779 -4321,4321,253 -4322,4322,253 -4323,4323,749 -4324,4324,549 -4325,4325,342 -4326,4326,91 -4327,4327,127 -4328,4328,737 -4329,4329,737 -4330,4330,820 -4331,4331,799 -4332,4332,275 -4333,4333,1287 -4334,4334,458 -4335,4335,458 -4336,4336,515 -4337,4337,821 -4338,4338,907 -4339,4339,1091 -4340,4340,1039 -4341,4341,73 -4342,4342,900 -4343,4343,1283 -4344,4344,837 -4345,4345,837 -4346,4346,1225 -4347,4347,433 -4348,4348,566 -4349,4349,566 -4350,4350,342 -4351,4351,669 -4352,4352,1120 -4353,4353,40 -4354,4354,59 -4355,4355,740 -4356,4356,751 -4357,4357,572 -4358,4358,572 -4359,4359,574 -4360,4360,1003 -4361,4361,376 -4362,4362,1182 -4363,4363,892 -4364,4364,908 -4365,4365,843 -4366,4366,584 -4367,4367,586 -4368,4368,422 -4369,4369,1109 -4370,4370,842 -4371,4371,494 -4372,4372,494 -4373,4373,425 -4374,4374,1234 -4375,4375,559 -4376,4376,965 -4377,4377,328 -4378,4378,1274 -4379,4379,1274 -4380,4380,226 -4381,4381,355 -4382,4382,124 -4383,4383,607 -4384,4384,632 -4385,4385,823 -4386,4386,587 -4387,4387,613 -4388,4388,62 -4389,4389,1245 -4390,4390,774 -4391,4391,127 -4392,4392,1093 -4393,4393,1066 -4394,4394,128 -4395,4395,541 -4396,4396,789 -4397,4397,790 -4398,4398,44 -4399,4399,803 -4400,4400,851 -4401,4401,434 -4402,4402,295 -4403,4403,869 -4404,4404,869 -4405,4405,1095 -4406,4406,779 -4407,4407,986 -4408,4408,804 -4409,4409,125 -4410,4410,882 -4411,4411,836 -4412,4412,882 -4413,4413,395 -4414,4414,943 -4415,4415,187 -4416,4416,123 -4417,4417,678 -4418,4418,121 -4419,4419,914 -4420,4420,914 -4421,4421,1223 -4422,4422,116 -4423,4423,634 -4424,4424,634 -4425,4425,939 -4426,4426,699 -4427,4427,76 -4428,4428,76 -4429,4429,295 -4430,4430,789 -4431,4431,201 -4432,4432,274 -4433,4433,435 -4434,4434,1235 -4435,4435,461 -4436,4436,291 -4437,4437,217 -4438,4438,803 -4439,4439,768 -4440,4440,903 -4441,4441,954 -4442,4442,954 -4443,4443,967 -4444,4444,781 -4445,4445,300 -4446,4446,73 -4447,4447,811 -4448,4448,44 -4449,4449,61 -4450,4450,420 -4451,4451,1080 -4452,4452,420 -4453,4453,147 -4454,4454,203 -4455,4455,1066 -4456,4456,515 -4457,4457,673 -4458,4458,629 -4459,4459,421 -4460,4460,129 -4461,4461,1002 -4462,4462,700 -4463,4463,590 -4464,4464,593 -4465,4465,655 -4466,4466,301 -4467,4467,38 -4468,4468,253 -4469,4469,253 -4470,4470,113 -4471,4471,566 -4472,4472,892 -4473,4473,117 -4474,4474,117 -4475,4475,1101 -4476,4476,1283 -4477,4477,967 -4478,4478,1278 -4479,4479,927 -4480,4480,1145 -4481,4481,790 -4482,4482,505 -4483,4483,513 -4484,4484,409 -4485,4485,1101 -4486,4486,1151 -4487,4487,1048 -4488,4488,205 -4489,4489,1217 -4490,4490,298 -4491,4491,374 -4492,4492,895 -4493,4493,911 -4494,4494,1182 -4495,4495,370 -4496,4496,919 -4497,4497,343 -4498,4498,772 -4499,4499,772 -4500,4500,1183 -4501,4501,424 -4502,4502,429 -4503,4503,787 -4504,4504,62 -4505,4505,770 -4506,4506,976 -4507,4507,1096 -4508,4508,369 -4509,4509,606 -4510,4510,769 -4511,4511,767 -4512,4512,1014 -4513,4513,676 -4514,4514,265 -4515,4515,265 -4516,4516,125 -4517,4517,231 -4518,4518,233 -4519,4519,234 -4520,4520,842 -4521,4521,607 -4522,4522,602 -4523,4523,564 -4524,4524,46 -4525,4525,1220 -4526,4526,87 -4527,4527,89 -4528,4528,308 -4529,4529,742 -4530,4530,742 -4531,4531,569 -4532,4532,544 -4533,4533,937 -4534,4534,35 -4535,4535,266 -4536,4536,1184 -4537,4537,268 -4538,4538,411 -4539,4539,1112 -4540,4540,956 -4541,4541,957 -4542,4542,955 -4543,4543,935 -4544,4544,779 -4545,4545,803 -4546,4546,805 -4547,4547,1244 -4548,4548,51 -4549,4549,806 -4550,4550,808 -4551,4551,67 -4552,4552,67 -4553,4553,1112 -4554,4554,243 -4555,4555,814 -4556,4556,202 -4557,4557,850 -4558,4558,607 -4559,4559,895 -4560,4560,781 -4561,4561,1156 -4562,4562,552 -4563,4563,576 -4564,4564,417 -4565,4565,417 -4566,4566,1021 -4567,4567,941 -4568,4568,787 -4569,4569,727 -4570,4570,1087 -4571,4571,169 -4572,4572,1077 -4573,4573,1013 -4574,4574,449 -4575,4575,251 -4576,4576,114 -4577,4577,1268 -4578,4578,1268 -4579,4579,1032 -4580,4580,1032 -4581,4581,1032 -4582,4582,368 -4583,4583,809 -4584,4584,553 -4585,4585,1026 -4586,4586,631 -4587,4587,1271 -4588,4588,1112 -4589,4589,220 -4590,4590,805 -4591,4591,1098 -4592,4592,1173 -4593,4593,779 -4594,4594,1175 -4595,4595,914 -4596,4596,565 -4597,4597,717 -4598,4598,376 -4599,4599,19 -4600,4600,19 -4601,4601,1013 -4602,4602,417 -4603,4603,355 -4604,4604,795 -4605,4605,1004 -4606,4606,569 -4607,4607,524 -4608,4608,1287 -4609,4609,787 -4610,4610,1101 -4611,4611,519 -4612,4612,282 -4613,4613,169 -4614,4614,797 -4615,4615,797 -4616,4616,798 -4617,4617,747 -4618,4618,1149 -4619,4619,424 -4620,4620,545 -4621,4621,841 -4622,4622,252 -4623,4623,961 -4624,4624,1004 -4625,4625,114 -4626,4626,181 -4627,4627,731 -4628,4628,805 -4629,4629,618 -4630,4630,622 -4631,4631,66 -4632,4632,393 -4633,4633,914 -4634,4634,1095 -4635,4635,1095 -4636,4636,591 -4637,4637,154 -4638,4638,254 -4639,4639,181 -4640,4640,605 -4641,4641,742 -4642,4642,66 -4643,4643,566 -4644,4644,907 -4645,4645,66 -4646,4646,914 -4647,4647,984 -4648,4648,1121 -4649,4649,596 -4650,4650,542 -4651,4651,286 -4652,4652,571 -4653,4653,334 -4654,4654,112 -4655,4655,543 -4656,4656,335 -4657,4657,1091 -4658,4658,317 -4659,4659,669 -4660,4660,1255 -4661,4661,564 -4662,4662,564 -4663,4663,416 -4664,4664,749 -4665,4665,139 -4666,4666,102 -4667,4667,608 -4668,4668,632 -4669,4669,47 -4670,4670,793 -4671,4671,793 -4672,4672,793 -4673,4673,784 -4674,4674,1174 -4675,4675,827 -4676,4676,1004 -4677,4677,1161 -4678,4678,675 -4679,4679,825 -4680,4680,118 -4681,4681,1063 -4682,4682,45 -4683,4683,45 -4684,4684,1022 -4685,4685,675 -4686,4686,878 -4687,4687,693 -4688,4688,976 -4689,4689,961 -4690,4690,961 -4691,4691,939 -4692,4692,836 -4693,4693,419 -4694,4694,151 -4695,4695,210 -4696,4696,212 -4697,4697,825 -4698,4698,413 -4699,4699,184 -4700,4700,987 -4701,4701,944 -4702,4702,946 -4703,4703,114 -4704,4704,116 -4705,4705,1102 -4706,4706,767 -4707,4707,581 -4708,4708,49 -4709,4709,90 -4710,4710,90 -4711,4711,298 -4712,4712,1161 -4713,4713,760 -4714,4714,553 -4715,4715,618 -4716,4716,938 -4717,4717,970 -4718,4718,695 -4719,4719,892 -4720,4720,825 -4721,4721,445 -4722,4722,103 -4723,4723,219 -4724,4724,335 -4725,4725,44 -4726,4726,742 -4727,4727,841 -4728,4728,881 -4729,4729,93 -4730,4730,740 -4731,4731,834 -4732,4732,157 -4733,4733,332 -4734,4734,91 -4735,4735,760 -4736,4736,706 -4737,4737,809 -4738,4738,809 -4739,4739,1020 -4740,4740,47 -4741,4741,47 -4742,4742,1129 -4743,4743,398 -4744,4744,896 -4745,4745,39 -4746,4746,571 -4747,4747,936 -4748,4748,781 -4749,4749,803 -4750,4750,986 -4751,4751,115 -4752,4752,530 -4753,4753,530 -4754,4754,44 -4755,4755,127 -4756,4756,1070 -4757,4757,1073 -4758,4758,874 -4759,4759,274 -4760,4760,779 -4761,4761,935 -4762,4762,961 -4763,4763,113 -4764,4764,320 -4765,4765,49 -4766,4766,986 -4767,4767,151 -4768,4768,768 -4769,4769,170 -4770,4770,468 -4771,4771,1077 -4772,4772,892 -4773,4773,892 -4774,4774,923 -4775,4775,923 -4776,4776,940 -4777,4777,66 -4778,4778,1145 -4779,4779,856 -4780,4780,590 -4781,4781,892 -4782,4782,1233 -4783,4783,1187 -4784,4784,1110 -4785,4785,38 -4786,4786,127 -4787,4787,135 -4788,4788,16 -4789,4789,17 -4790,4790,1138 -4791,4791,266 -4792,4792,1080 -4793,4793,892 -4794,4794,1038 -4795,4795,59 -4796,4796,1129 -4797,4797,47 -4798,4798,366 -4799,4799,404 -4800,4800,576 -4801,4801,577 -4802,4802,584 -4803,4803,1084 -4804,4804,320 -4805,4805,44 -4806,4806,47 -4807,4807,423 -4808,4808,279 -4809,4809,66 -4810,4810,127 -4811,4811,1174 -4812,4812,1216 -4813,4813,1290 -4814,4814,786 -4815,4815,985 -4816,4816,914 -4817,4817,914 -4818,4818,787 -4819,4819,901 -4820,4820,940 -4821,4821,820 -4822,4822,361 -4823,4823,424 -4824,4824,154 -4825,4825,1138 -4826,4826,1157 -4827,4827,782 -4828,4828,706 -4829,4829,722 -4830,4830,723 -4831,4831,1128 -4832,4832,605 -4833,4833,914 -4834,4834,59 -4835,4835,545 -4836,4836,830 -4837,4837,1242 -4838,4838,1242 -4839,4839,960 -4840,4840,989 -4841,4841,960 -4842,4842,196 -4843,4843,970 -4844,4844,1030 -4845,4845,1031 -4846,4846,129 -4847,4847,129 -4848,4848,114 -4849,4849,116 -4850,4850,830 -4851,4851,344 -4852,4852,139 -4853,4853,380 -4854,4854,57 -4855,4855,53 -4856,4856,1122 -4857,4857,32 -4858,4858,854 -4859,4859,203 -4860,4860,1060 -4861,4861,854 -4862,4862,227 -4863,4863,230 -4864,4864,146 -4865,4865,803 -4866,4866,199 -4867,4867,1059 -4868,4868,944 -4869,4869,381 -4870,4870,149 -4871,4871,1059 -4872,4872,77 -4873,4873,393 -4874,4874,40 -4875,4875,1031 -4876,4876,521 -4877,4877,521 -4878,4878,240 -4879,4879,310 -4880,4880,314 -4881,4881,310 -4882,4882,409 -4883,4883,313 -4884,4884,551 -4885,4885,314 -4886,4886,314 -4887,4887,93 -4888,4888,805 -4889,4889,659 -4890,4890,1097 -4891,4891,371 -4892,4892,1184 -4893,4893,428 -4894,4894,849 -4895,4895,92 -4896,4896,660 -4897,4897,892 -4898,4898,564 -4899,4899,564 -4900,4900,795 -4901,4901,159 -4902,4902,161 -4903,4903,836 -4904,4904,803 -4905,4905,335 -4906,4906,227 -4907,4907,696 -4908,4908,618 -4909,4909,808 -4910,4910,393 -4911,4911,892 -4912,4912,725 -4913,4913,888 -4914,4914,888 -4915,4915,137 -4916,4916,888 -4917,4917,322 -4918,4918,876 -4919,4919,12 -4920,4920,998 -4921,4921,134 -4922,4922,721 -4923,4923,522 -4924,4924,370 -4925,4925,370 -4926,4926,223 -4927,4927,210 -4928,4928,897 -4929,4929,768 -4930,4930,330 -4931,4931,656 -4932,4932,833 -4933,4933,755 -4934,4934,811 -4935,4935,942 -4936,4936,1145 -4937,4937,1108 -4938,4938,125 -4939,4939,169 -4940,4940,839 -4941,4941,564 -4942,4942,897 -4943,4943,62 -4944,4944,1284 -4945,4945,547 -4946,4946,157 -4947,4947,566 -4948,4948,742 -4949,4949,907 -4950,4950,503 -4951,4951,174 -4952,4952,680 -4953,4953,1016 -4954,4954,35 -4955,4955,970 -4956,4956,283 -4957,4957,1209 -4958,4958,1239 -4959,4959,1088 -4960,4960,768 -4961,4961,115 -4962,4962,129 -4963,4963,918 -4964,4964,492 -4965,4965,752 -4966,4966,911 -4967,4967,799 -4968,4968,764 -4969,4969,170 -4970,4970,230 -4971,4971,76 -4972,4972,76 -4973,4973,274 -4974,4974,1006 -4975,4975,1291 -4976,4976,772 -4977,4977,129 -4978,4978,257 -4979,4979,127 -4980,4980,1101 -4981,4981,747 -4982,4982,823 -4983,4983,807 -4984,4984,955 -4985,4985,17 -4986,4986,830 -4987,4987,169 -4988,4988,576 -4989,4989,839 -4990,4990,393 -4991,4991,717 -4992,4992,901 -4993,4993,914 -4994,4994,940 -4995,4995,517 -4996,4996,794 -4997,4997,581 -4998,4998,671 -4999,4999,1108 -5000,5000,410 -5001,5001,902 -5002,5002,286 -5003,5003,776 -5004,5004,616 -5005,5005,830 -5006,5006,937 -5007,5007,296 -5008,5008,622 -5009,5009,1118 -5010,5010,127 -5011,5011,107 -5012,5012,107 -5013,5013,109 -5014,5014,382 -5015,5015,372 -5016,5016,827 -5017,5017,125 -5018,5018,299 -5019,5019,118 -5020,5020,40 -5021,5021,181 -5022,5022,331 -5023,5023,830 -5024,5024,103 -5025,5025,274 -5026,5026,587 -5027,5027,352 -5028,5028,376 -5029,5029,186 -5030,5030,246 -5031,5031,697 -5032,5032,799 -5033,5033,299 -5034,5034,1077 -5035,5035,967 -5036,5036,967 -5037,5037,653 -5038,5038,618 -5039,5039,984 -5040,5040,32 -5041,5041,53 -5042,5042,758 -5043,5043,145 -5044,5044,145 -5045,5045,215 -5046,5046,902 -5047,5047,876 -5048,5048,547 -5049,5049,565 -5050,5050,591 -5051,5051,40 -5052,5052,564 -5053,5053,833 -5054,5054,1027 -5055,5055,1004 -5056,5056,1204 -5057,5057,769 -5058,5058,843 -5059,5059,728 -5060,5060,843 -5061,5061,104 -5062,5062,1234 -5063,5063,1234 -5064,5064,46 -5065,5065,584 -5066,5066,866 -5067,5067,224 -5068,5068,196 -5069,5069,866 -5070,5070,318 -5071,5071,789 -5072,5072,272 -5073,5073,936 -5074,5074,352 -5075,5075,115 -5076,5076,897 -5077,5077,131 -5078,5078,493 -5079,5079,768 -5080,5080,65 -5081,5081,125 -5082,5082,1155 -5083,5083,1268 -5084,5084,591 -5085,5085,1294 -5086,5086,53 -5087,5087,53 -5088,5088,66 -5089,5089,257 -5090,5090,421 -5091,5091,547 -5092,5092,547 -5093,5093,673 -5094,5094,437 -5095,5095,969 -5096,5096,819 -5097,5097,1244 -5098,5098,1233 -5099,5099,564 -5100,5100,937 -5101,5101,570 -5102,5102,955 -5103,5103,607 -5104,5104,830 -5105,5105,874 -5106,5106,781 -5107,5107,252 -5108,5108,591 -5109,5109,795 -5110,5110,9 -5111,5111,169 -5112,5112,1216 -5113,5113,882 -5114,5114,882 -5115,5115,777 -5116,5116,777 -5117,5117,120 -5118,5118,894 -5119,5119,937 -5120,5120,564 -5121,5121,874 -5122,5122,673 -5123,5123,596 -5124,5124,65 -5125,5125,1167 -5126,5126,661 -5127,5127,381 -5128,5128,770 -5129,5129,232 -5130,5130,147 -5131,5131,1131 -5132,5132,96 -5133,5133,86 -5134,5134,587 -5135,5135,242 -5136,5136,1230 -5137,5137,194 -5138,5138,967 -5139,5139,967 -5140,5140,87 -5141,5141,87 -5142,5142,282 -5143,5143,993 -5144,5144,165 -5145,5145,1181 -5146,5146,226 -5147,5147,86 -5148,5148,86 -5149,5149,65 -5150,5150,630 -5151,5151,630 -5152,5152,352 -5153,5153,1094 -5154,5154,1096 -5155,5155,435 -5156,5156,1017 -5157,5157,1097 -5158,5158,1014 -5159,5159,1014 -5160,5160,1097 -5161,5161,1281 -5162,5162,74 -5163,5163,1117 -5164,5164,607 -5165,5165,343 -5166,5166,73 -5167,5167,450 -5168,5168,73 -5169,5169,163 -5170,5170,165 -5171,5171,517 -5172,5172,435 -5173,5173,435 -5174,5174,76 -5175,5175,801 -5176,5176,1093 -5177,5177,1093 -5178,5178,944 -5179,5179,485 -5180,5180,376 -5181,5181,376 -5182,5182,241 -5183,5183,382 -5184,5184,447 -5185,5185,1161 -5186,5186,169 -5187,5187,313 -5188,5188,313 -5189,5189,322 -5190,5190,649 -5191,5191,435 -5192,5192,816 -5193,5193,888 -5194,5194,116 -5195,5195,435 -5196,5196,204 -5197,5197,591 -5198,5198,160 -5199,5199,968 -5200,5200,1050 -5201,5201,935 -5202,5202,313 -5203,5203,1223 -5204,5204,169 -5205,5205,169 -5206,5206,611 -5207,5207,843 -5208,5208,611 -5209,5209,202 -5210,5210,319 -5211,5211,773 -5212,5212,1088 -5213,5213,125 -5214,5214,313 -5215,5215,38 -5216,5216,591 -5217,5217,356 -5218,5218,358 -5219,5219,795 -5220,5220,104 -5221,5221,806 -5222,5222,557 -5223,5223,795 -5224,5224,463 -5225,5225,806 -5226,5226,1044 -5227,5227,381 -5228,5228,381 -5229,5229,225 -5230,5230,1109 -5231,5231,41 -5232,5232,1109 -5233,5233,1109 -5234,5234,1109 -5235,5235,976 -5236,5236,36 -5237,5237,496 -5238,5238,382 -5239,5239,633 -5240,5240,639 -5241,5241,828 -5242,5242,1079 -5243,5243,76 -5244,5244,136 -5245,5245,816 -5246,5246,38 -5247,5247,224 -5248,5248,630 -5249,5249,1229 -5250,5250,349 -5251,5251,354 -5252,5252,968 -5253,5253,429 -5254,5254,833 -5255,5255,796 -5256,5256,330 -5257,5257,799 -5258,5258,946 -5259,5259,185 -5260,5260,972 -5261,5261,887 -5262,5262,36 -5263,5263,785 -5264,5264,50 -5265,5265,976 -5266,5266,754 -5267,5267,391 -5268,5268,823 -5269,5269,451 -5270,5270,225 -5271,5271,566 -5272,5272,976 -5273,5273,1251 -5274,5274,93 -5275,5275,1070 -5276,5276,417 -5277,5277,330 -5278,5278,256 -5279,5279,1035 -5280,5280,169 -5281,5281,660 -5282,5282,697 -5283,5283,115 -5284,5284,124 -5285,5285,1245 -5286,5286,41 -5287,5287,985 -5288,5288,764 -5289,5289,335 -5290,5290,539 -5291,5291,49 -5292,5292,126 -5293,5293,779 -5294,5294,801 -5295,5295,1267 -5296,5296,1038 -5297,5297,892 -5298,5298,38 -5299,5299,117 -5300,5300,796 -5301,5301,1059 -5302,5302,145 -5303,5303,591 -5304,5304,1011 -5305,5305,1251 -5306,5306,1108 -5307,5307,531 -5308,5308,55 -5309,5309,346 -5310,5310,174 -5311,5311,617 -5312,5312,1188 -5313,5313,1043 -5314,5314,957 -5315,5315,951 -5316,5316,879 -5317,5317,602 -5318,5318,308 -5319,5319,781 -5320,5320,576 -5321,5321,596 -5322,5322,858 -5323,5323,591 -5324,5324,551 -5325,5325,900 -5326,5326,330 -5327,5327,353 -5328,5328,355 -5329,5329,7 -5330,5330,145 -5331,5331,127 -5332,5332,38 -5333,5333,225 -5334,5334,566 -5335,5335,376 -5336,5336,179 -5337,5337,1035 -5338,5338,50 -5339,5339,813 -5340,5340,970 -5341,5341,566 -5342,5342,542 -5343,5343,938 -5344,5344,67 -5345,5345,63 -5346,5346,882 -5347,5347,71 -5348,5348,416 -5349,5349,374 -5350,5350,186 -5351,5351,674 -5352,5352,366 -5353,5353,315 -5354,5354,142 -5355,5355,142 -5356,5356,143 -5357,5357,143 -5358,5358,1174 -5359,5359,272 -5360,5360,364 -5361,5361,369 -5362,5362,370 -5363,5363,372 -5364,5364,813 -5365,5365,781 -5366,5366,781 -5367,5367,673 -5368,5368,636 -5369,5369,811 -5370,5370,636 -5371,5371,21 -5372,5372,749 -5373,5373,169 -5374,5374,104 -5375,5375,892 -5376,5376,7 -5377,5377,749 -5378,5378,244 -5379,5379,811 -5380,5380,811 -5381,5381,224 -5382,5382,224 -5383,5383,212 -5384,5384,1246 -5385,5385,659 -5386,5386,840 -5387,5387,983 -5388,5388,1238 -5389,5389,943 -5390,5390,300 -5391,5391,125 -5392,5392,155 -5393,5393,977 -5394,5394,217 -5395,5395,751 -5396,5396,66 -5397,5397,38 -5398,5398,38 -5399,5399,104 -5400,5400,751 -5401,5401,15 -5402,5402,751 -5403,5403,724 -5404,5404,1100 -5405,5405,1032 -5406,5406,1100 -5407,5407,361 -5408,5408,953 -5409,5409,282 -5410,5410,820 -5411,5411,803 -5412,5412,805 -5413,5413,203 -5414,5414,669 -5415,5415,605 -5416,5416,605 -5417,5417,358 -5418,5418,423 -5419,5419,314 -5420,5420,382 -5421,5421,932 -5422,5422,932 -5423,5423,267 -5424,5424,974 -5425,5425,974 -5426,5426,903 -5427,5427,903 -5428,5428,906 -5429,5429,403 -5430,5430,204 -5431,5431,404 -5432,5432,1099 -5433,5433,920 -5434,5434,291 -5435,5435,292 -5436,5436,295 -5437,5437,353 -5438,5438,274 -5439,5439,688 -5440,5440,690 -5441,5441,902 -5442,5442,1104 -5443,5443,36 -5444,5444,1099 -5445,5445,967 -5446,5446,290 -5447,5447,1104 -5448,5448,128 -5449,5449,1184 -5450,5450,1184 -5451,5451,945 -5452,5452,939 -5453,5453,1287 -5454,5454,1287 -5455,5455,286 -5456,5456,301 -5457,5457,1035 -5458,5458,723 -5459,5459,839 -5460,5460,310 -5461,5461,441 -5462,5462,46 -5463,5463,308 -5464,5464,979 -5465,5465,979 -5466,5466,1293 -5467,5467,372 -5468,5468,730 -5469,5469,874 -5470,5470,40 -5471,5471,821 -5472,5472,970 -5473,5473,542 -5474,5474,839 -5475,5475,1124 -5476,5476,1287 -5477,5477,1287 -5478,5478,392 -5479,5479,226 -5480,5480,314 -5481,5481,505 -5482,5482,38 -5483,5483,814 -5484,5484,1211 -5485,5485,394 -5486,5486,725 -5487,5487,636 -5488,5488,1155 -5489,5489,272 -5490,5490,294 -5491,5491,1045 -5492,5492,285 -5493,5493,85 -5494,5494,1027 -5495,5495,697 -5496,5496,1279 -5497,5497,896 -5498,5498,301 -5499,5499,334 -5500,5500,38 -5501,5501,707 -5502,5502,264 -5503,5503,233 -5504,5504,1031 -5505,5505,282 -5506,5506,235 -5507,5507,858 -5508,5508,368 -5509,5509,1126 -5510,5510,577 -5511,5511,578 -5512,5512,578 -5513,5513,690 -5514,5514,449 -5515,5515,584 -5516,5516,952 -5517,5517,804 -5518,5518,659 -5519,5519,882 -5520,5520,882 -5521,5521,1045 -5522,5522,281 -5523,5523,282 -5524,5524,830 -5525,5525,830 -5526,5526,596 -5527,5527,1050 -5528,5528,690 -5529,5529,986 -5530,5530,270 -5531,5531,818 -5532,5532,127 -5533,5533,1103 -5534,5534,37 -5535,5535,973 -5536,5536,764 -5537,5537,1095 -5538,5538,835 -5539,5539,1251 -5540,5540,397 -5541,5541,8 -5542,5542,811 -5543,5543,810 -5544,5544,811 -5545,5545,1102 -5546,5546,355 -5547,5547,1102 -5548,5548,384 -5549,5549,630 -5550,5550,710 -5551,5551,892 -5552,5552,1070 -5553,5553,771 -5554,5554,932 -5555,5555,845 -5556,5556,864 -5557,5557,689 -5558,5558,42 -5559,5559,223 -5560,5560,45 -5561,5561,404 -5562,5562,317 -5563,5563,945 -5564,5564,474 -5565,5565,371 -5566,5566,951 -5567,5567,967 -5568,5568,330 -5569,5569,342 -5570,5570,537 -5571,5571,170 -5572,5572,219 -5573,5573,212 -5574,5574,246 -5575,5575,1093 -5576,5576,1159 -5577,5577,9 -5578,5578,449 -5579,5579,984 -5580,5580,673 -5581,5581,492 -5582,5582,642 -5583,5583,919 -5584,5584,388 -5585,5585,449 -5586,5586,892 -5587,5587,907 -5588,5588,897 -5589,5589,1024 -5590,5590,123 -5591,5591,591 -5592,5592,68 -5593,5593,267 -5594,5594,880 -5595,5595,47 -5596,5596,220 -5597,5597,843 -5598,5598,384 -5599,5599,377 -5600,5600,593 -5601,5601,607 -5602,5602,1290 -5603,5603,155 -5604,5604,401 -5605,5605,104 -5606,5606,375 -5607,5607,157 -5608,5608,381 -5609,5609,981 -5610,5610,814 -5611,5611,171 -5612,5612,169 -5613,5613,1128 -5614,5614,967 -5615,5615,358 -5616,5616,222 -5617,5617,372 -5618,5618,419 -5619,5619,1006 -5620,5620,335 -5621,5621,880 -5622,5622,257 -5623,5623,508 -5624,5624,1230 -5625,5625,150 -5626,5626,206 -5627,5627,1263 -5628,5628,558 -5629,5629,1250 -5630,5630,203 -5631,5631,7 -5632,5632,114 -5633,5633,116 -5634,5634,963 -5635,5635,697 -5636,5636,700 -5637,5637,676 -5638,5638,993 -5639,5639,593 -5640,5640,1029 -5641,5641,845 -5642,5642,306 -5643,5643,308 -5644,5644,872 -5645,5645,795 -5646,5646,882 -5647,5647,368 -5648,5648,584 -5649,5649,781 -5650,5650,857 -5651,5651,809 -5652,5652,402 -5653,5653,804 -5654,5654,1049 -5655,5655,806 -5656,5656,9 -5657,5657,282 -5658,5658,187 -5659,5659,1208 -5660,5660,723 -5661,5661,566 -5662,5662,566 -5663,5663,320 -5664,5664,596 -5665,5665,1104 -5666,5666,1091 -5667,5667,1273 -5668,5668,843 -5669,5669,843 -5670,5670,899 -5671,5671,975 -5672,5672,843 -5673,5673,843 -5674,5674,975 -5675,5675,342 -5676,5676,288 -5677,5677,1194 -5678,5678,1194 -5679,5679,973 -5680,5680,1286 -5681,5681,1206 -5682,5682,881 -5683,5683,770 -5684,5684,987 -5685,5685,987 -5686,5686,1094 -5687,5687,1094 -5688,5688,1290 -5689,5689,1230 -5690,5690,504 -5691,5691,904 -5692,5692,438 -5693,5693,234 -5694,5694,951 -5695,5695,798 -5696,5696,843 -5697,5697,607 -5698,5698,818 -5699,5699,820 -5700,5700,895 -5701,5701,794 -5702,5702,967 -5703,5703,342 -5704,5704,342 -5705,5705,35 -5706,5706,1004 -5707,5707,967 -5708,5708,127 -5709,5709,894 -5710,5710,1273 -5711,5711,1013 -5712,5712,1079 -5713,5713,565 -5714,5714,565 -5715,5715,286 -5716,5716,286 -5717,5717,360 -5718,5718,1131 -5719,5719,1147 -5720,5720,126 -5721,5721,88 -5722,5722,125 -5723,5723,1035 -5724,5724,866 -5725,5725,751 -5726,5726,457 -5727,5727,927 -5728,5728,1271 -5729,5729,184 -5730,5730,184 -5731,5731,507 -5732,5732,875 -5733,5733,875 -5734,5734,875 -5735,5735,697 -5736,5736,295 -5737,5737,821 -5738,5738,168 -5739,5739,973 -5740,5740,169 -5741,5741,288 -5742,5742,1192 -5743,5743,308 -5744,5744,1031 -5745,5745,1034 -5746,5746,866 -5747,5747,48 -5748,5748,976 -5749,5749,1110 -5750,5750,1183 -5751,5751,813 -5752,5752,36 -5753,5753,892 -5754,5754,547 -5755,5755,341 -5756,5756,1124 -5757,5757,621 -5758,5758,631 -5759,5759,821 -5760,5760,1032 -5761,5761,1032 -5762,5762,1084 -5763,5763,1087 -5764,5764,1140 -5765,5765,144 -5766,5766,974 -5767,5767,976 -5768,5768,561 -5769,5769,587 -5770,5770,697 -5771,5771,184 -5772,5772,1044 -5773,5773,171 -5774,5774,533 -5775,5775,813 -5776,5776,978 -5777,5777,979 -5778,5778,1030 -5779,5779,1031 -5780,5780,1034 -5781,5781,798 -5782,5782,968 -5783,5783,976 -5784,5784,361 -5785,5785,802 -5786,5786,795 -5787,5787,795 -5788,5788,844 -5789,5789,637 -5790,5790,637 -5791,5791,659 -5792,5792,691 -5793,5793,314 -5794,5794,314 -5795,5795,976 -5796,5796,1281 -5797,5797,795 -5798,5798,67 -5799,5799,1290 -5800,5800,1290 -5801,5801,1268 -5802,5802,787 -5803,5803,533 -5804,5804,466 -5805,5805,119 -5806,5806,794 -5807,5807,1131 -5808,5808,1131 -5809,5809,929 -5810,5810,94 -5811,5811,826 -5812,5812,892 -5813,5813,874 -5814,5814,704 -5815,5815,706 -5816,5816,822 -5817,5817,1055 -5818,5818,1001 -5819,5819,457 -5820,5820,950 -5821,5821,54 -5822,5822,171 -5823,5823,54 -5824,5824,976 -5825,5825,1059 -5826,5826,440 -5827,5827,812 -5828,5828,1059 -5829,5829,825 -5830,5830,710 -5831,5831,697 -5832,5832,1281 -5833,5833,940 -5834,5834,64 -5835,5835,121 -5836,5836,94 -5837,5837,125 -5838,5838,874 -5839,5839,53 -5840,5840,53 -5841,5841,126 -5842,5842,836 -5843,5843,892 -5844,5844,724 -5845,5845,1059 -5846,5846,1242 -5847,5847,719 -5848,5848,596 -5849,5849,1242 -5850,5850,860 -5851,5851,391 -5852,5852,391 -5853,5853,1174 -5854,5854,864 -5855,5855,566 -5856,5856,566 -5857,5857,954 -5858,5858,987 -5859,5859,185 -5860,5860,823 -5861,5861,955 -5862,5862,955 -5863,5863,1273 -5864,5864,841 -5865,5865,449 -5866,5866,449 -5867,5867,1276 -5868,5868,1112 -5869,5869,814 -5870,5870,396 -5871,5871,823 -5872,5872,985 -5873,5873,985 -5874,5874,394 -5875,5875,125 -5876,5876,630 -5877,5877,795 -5878,5878,136 -5879,5879,796 -5880,5880,961 -5881,5881,770 -5882,5882,910 -5883,5883,1097 -5884,5884,370 -5885,5885,1035 -5886,5886,566 -5887,5887,439 -5888,5888,1273 -5889,5889,342 -5890,5890,342 -5891,5891,161 -5892,5892,346 -5893,5893,346 -5894,5894,1183 -5895,5895,372 -5896,5896,1175 -5897,5897,656 -5898,5898,799 -5899,5899,245 -5900,5900,675 -5901,5901,901 -5902,5902,168 -5903,5903,874 -5904,5904,367 -5905,5905,811 -5906,5906,812 -5907,5907,818 -5908,5908,887 -5909,5909,1292 -5910,5910,316 -5911,5911,720 -5912,5912,987 -5913,5913,987 -5914,5914,450 -5915,5915,345 -5916,5916,346 -5917,5917,744 -5918,5918,1223 -5919,5919,1223 -5920,5920,709 -5921,5921,1223 -5922,5922,133 -5923,5923,196 -5924,5924,668 -5925,5925,668 -5926,5926,804 -5927,5927,450 -5928,5928,1104 -5929,5929,987 -5930,5930,909 -5931,5931,1084 -5932,5932,1223 -5933,5933,45 -5934,5934,717 -5935,5935,169 -5936,5936,642 -5937,5937,803 -5938,5938,658 -5939,5939,970 -5940,5940,872 -5941,5941,982 -5942,5942,187 -5943,5943,795 -5944,5944,1286 -5945,5945,704 -5946,5946,850 -5947,5947,1064 -5948,5948,668 -5949,5949,668 -5950,5950,128 -5951,5951,1157 -5952,5952,805 -5953,5953,903 -5954,5954,967 -5955,5955,987 -5956,5956,813 -5957,5957,814 -5958,5958,781 -5959,5959,322 -5960,5960,995 -5961,5961,227 -5962,5962,987 -5963,5963,864 -5964,5964,764 -5965,5965,133 -5966,5966,636 -5967,5967,329 -5968,5968,655 -5969,5969,1242 -5970,5970,394 -5971,5971,566 -5972,5972,169 -5973,5973,1074 -5974,5974,1036 -5975,5975,169 -5976,5976,220 -5977,5977,1285 -5978,5978,995 -5979,5979,1196 -5980,5980,389 -5981,5981,298 -5982,5982,1175 -5983,5983,1239 -5984,5984,1174 -5985,5985,674 -5986,5986,1283 -5987,5987,601 -5988,5988,607 -5989,5989,1293 -5990,5990,1242 -5991,5991,353 -5992,5992,376 -5993,5993,804 -5994,5994,727 -5995,5995,366 -5996,5996,781 -5997,5997,1164 -5998,5998,907 -5999,5999,1164 -6000,6000,45 -6001,6001,188 -6002,6002,189 -6003,6003,356 -6004,6004,849 -6005,6005,569 -6006,6006,194 -6007,6007,983 -6008,6008,983 -6009,6009,543 -6010,6010,1044 -6011,6011,796 -6012,6012,796 -6013,6013,429 -6014,6014,995 -6015,6015,995 -6016,6016,849 -6017,6017,607 -6018,6018,476 -6019,6019,542 -6020,6020,596 -6021,6021,597 -6022,6022,569 -6023,6023,849 -6024,6024,170 -6025,6025,398 -6026,6026,564 -6027,6027,616 -6028,6028,127 -6029,6029,287 -6030,6030,287 -6031,6031,899 -6032,6032,1183 -6033,6033,168 -6034,6034,691 -6035,6035,333 -6036,6036,136 -6037,6037,566 -6038,6038,246 -6039,6039,1236 -6040,6040,507 -6041,6041,952 -6042,6042,892 -6043,6043,1283 -6044,6044,1283 -6045,6045,1182 -6046,6046,127 -6047,6047,980 -6048,6048,584 -6049,6049,996 -6050,6050,572 -6051,6051,1216 -6052,6052,821 -6053,6053,112 -6054,6054,1245 -6055,6055,144 -6056,6056,584 -6057,6057,1188 -6058,6058,821 -6059,6059,1147 -6060,6060,934 -6061,6061,1188 -6062,6062,768 -6063,6063,770 -6064,6064,1164 -6065,6065,1230 -6066,6066,636 -6067,6067,421 -6068,6068,877 -6069,6069,877 -6070,6070,1219 -6071,6071,286 -6072,6072,274 -6073,6073,286 -6074,6074,1260 -6075,6075,334 -6076,6076,1171 -6077,6077,691 -6078,6078,306 -6079,6079,572 -6080,6080,808 -6081,6081,1111 -6082,6082,533 -6083,6083,462 -6084,6084,566 -6085,6085,370 -6086,6086,441 -6087,6087,288 -6088,6088,1271 -6089,6089,826 -6090,6090,895 -6091,6091,826 -6092,6092,797 -6093,6093,798 -6094,6094,983 -6095,6095,983 -6096,6096,52 -6097,6097,110 -6098,6098,761 -6099,6099,761 -6100,6100,124 -6101,6101,124 -6102,6102,639 -6103,6103,751 -6104,6104,103 -6105,6105,1141 -6106,6106,119 -6107,6107,118 -6108,6108,480 -6109,6109,480 -6110,6110,522 -6111,6111,1109 -6112,6112,1066 -6113,6113,223 -6114,6114,1070 -6115,6115,975 -6116,6116,796 -6117,6117,331 -6118,6118,133 -6119,6119,1141 -6120,6120,1283 -6121,6121,325 -6122,6122,1294 -6123,6123,1294 -6124,6124,1158 -6125,6125,943 -6126,6126,1183 -6127,6127,1158 -6128,6128,943 -6129,6129,558 -6130,6130,559 -6131,6131,895 -6132,6132,342 -6133,6133,914 -6134,6134,1093 -6135,6135,1087 -6136,6136,1087 -6137,6137,632 -6138,6138,342 -6139,6139,352 -6140,6140,1050 -6141,6141,977 -6142,6142,1194 -6143,6143,1194 -6144,6144,147 -6145,6145,744 -6146,6146,914 -6147,6147,813 -6148,6148,814 -6149,6149,663 -6150,6150,713 -6151,6151,830 -6152,6152,1232 -6153,6153,370 -6154,6154,424 -6155,6155,814 -6156,6156,912 -6157,6157,712 -6158,6158,811 -6159,6159,553 -6160,6160,618 -6161,6161,939 -6162,6162,644 -6163,6163,797 -6164,6164,1145 -6165,6165,935 -6166,6166,450 -6167,6167,1271 -6168,6168,808 -6169,6169,808 -6170,6170,830 -6171,6171,839 -6172,6172,291 -6173,6173,120 -6174,6174,149 -6175,6175,907 -6176,6176,650 -6177,6177,431 -6178,6178,927 -6179,6179,1288 -6180,6180,729 -6181,6181,821 -6182,6182,821 -6183,6183,1181 -6184,6184,1186 -6185,6185,622 -6186,6186,1044 -6187,6187,888 -6188,6188,843 -6189,6189,902 -6190,6190,1108 -6191,6191,114 -6192,6192,114 -6193,6193,844 -6194,6194,104 -6195,6195,633 -6196,6196,108 -6197,6197,162 -6198,6198,1069 -6199,6199,1000 -6200,6200,1245 -6201,6201,613 -6202,6202,592 -6203,6203,844 -6204,6204,954 -6205,6205,1020 -6206,6206,1069 -6207,6207,587 -6208,6208,290 -6209,6209,676 -6210,6210,1182 -6211,6211,819 -6212,6212,327 -6213,6213,320 -6214,6214,935 -6215,6215,1082 -6216,6216,903 -6217,6217,803 -6218,6218,700 -6219,6219,902 -6220,6220,290 -6221,6221,795 -6222,6222,842 -6223,6223,398 -6224,6224,372 -6225,6225,299 -6226,6226,129 -6227,6227,153 -6228,6228,1271 -6229,6229,170 -6230,6230,778 -6231,6231,291 -6232,6232,291 -6233,6233,115 -6234,6234,655 -6235,6235,655 -6236,6236,295 -6237,6237,571 -6238,6238,172 -6239,6239,431 -6240,6240,976 -6241,6241,66 -6242,6242,820 -6243,6243,38 -6244,6244,1000 -6245,6245,983 -6246,6246,803 -6247,6247,132 -6248,6248,135 -6249,6249,344 -6250,6250,968 -6251,6251,637 -6252,6252,1151 -6253,6253,902 -6254,6254,424 -6255,6255,1212 -6256,6256,336 -6257,6257,338 -6258,6258,564 -6259,6259,1293 -6260,6260,1188 -6261,6261,557 -6262,6262,852 -6263,6263,266 -6264,6264,974 -6265,6265,621 -6266,6266,231 -6267,6267,233 -6268,6268,286 -6269,6269,1187 -6270,6270,798 -6271,6271,320 -6272,6272,162 -6273,6273,164 -6274,6274,1265 -6275,6275,296 -6276,6276,577 -6277,6277,296 -6278,6278,304 -6279,6279,310 -6280,6280,314 -6281,6281,53 -6282,6282,76 -6283,6283,983 -6284,6284,1180 -6285,6285,1180 -6286,6286,1181 -6287,6287,973 -6288,6288,1079 -6289,6289,1260 -6290,6290,576 -6291,6291,1136 -6292,6292,927 -6293,6293,787 -6294,6294,855 -6295,6295,1098 -6296,6296,787 -6297,6297,798 -6298,6298,895 -6299,6299,804 -6300,6300,806 -6301,6301,777 -6302,6302,857 -6303,6303,1265 -6304,6304,811 -6305,6305,38 -6306,6306,798 -6307,6307,181 -6308,6308,851 -6309,6309,1196 -6310,6310,912 -6311,6311,723 -6312,6312,935 -6313,6313,557 -6314,6314,557 -6315,6315,1013 -6316,6316,65 -6317,6317,1210 -6318,6318,899 -6319,6319,1196 -6320,6320,361 -6321,6321,544 -6322,6322,340 -6323,6323,633 -6324,6324,878 -6325,6325,186 -6326,6326,242 -6327,6327,872 -6328,6328,898 -6329,6329,1200 -6330,6330,417 -6331,6331,86 -6332,6332,65 -6333,6333,669 -6334,6334,108 -6335,6335,108 -6336,6336,108 -6337,6337,741 -6338,6338,342 -6339,6339,659 -6340,6340,633 -6341,6341,46 -6342,6342,961 -6343,6343,1199 -6344,6344,976 -6345,6345,316 -6346,6346,544 -6347,6347,1111 -6348,6348,258 -6349,6349,139 -6350,6350,140 -6351,6351,316 -6352,6352,564 -6353,6353,1180 -6354,6354,616 -6355,6355,616 -6356,6356,224 -6357,6357,795 -6358,6358,49 -6359,6359,49 -6360,6360,287 -6361,6361,287 -6362,6362,853 -6363,6363,853 -6364,6364,346 -6365,6365,275 -6366,6366,275 -6367,6367,636 -6368,6368,853 -6369,6369,587 -6370,6370,369 -6371,6371,925 -6372,6372,891 -6373,6373,891 -6374,6374,855 -6375,6375,1293 -6376,6376,902 -6377,6377,38 -6378,6378,38 -6379,6379,814 -6380,6380,814 -6381,6381,420 -6382,6382,892 -6383,6383,1077 -6384,6384,557 -6385,6385,649 -6386,6386,1015 -6387,6387,126 -6388,6388,38 -6389,6389,84 -6390,6390,84 -6391,6391,1038 -6392,6392,1038 -6393,6393,38 -6394,6394,38 -6395,6395,587 -6396,6396,593 -6397,6397,893 -6398,6398,893 -6399,6399,904 -6400,6400,892 -6401,6401,370 -6402,6402,949 -6403,6403,370 -6404,6404,1245 -6405,6405,329 -6406,6406,987 -6407,6407,804 -6408,6408,804 -6409,6409,227 -6410,6410,103 -6411,6411,751 -6412,6412,742 -6413,6413,742 -6414,6414,17 -6415,6415,38 -6416,6416,858 -6417,6417,860 -6418,6418,17 -6419,6419,319 -6420,6420,38 -6421,6421,38 -6422,6422,55 -6423,6423,552 -6424,6424,695 -6425,6425,272 -6426,6426,964 -6427,6427,843 -6428,6428,381 -6429,6429,31 -6430,6430,1114 -6431,6431,1114 -6432,6432,483 -6433,6433,993 -6434,6434,396 -6435,6435,558 -6436,6436,1183 -6437,6437,649 -6438,6438,1023 -6439,6439,749 -6440,6440,133 -6441,6441,139 -6442,6442,196 -6443,6443,1273 -6444,6444,791 -6445,6445,796 -6446,6446,88 -6447,6447,526 -6448,6448,807 -6449,6449,207 -6450,6450,600 -6451,6451,553 -6452,6452,308 -6453,6453,32 -6454,6454,382 -6455,6455,56 -6456,6456,57 -6457,6457,60 -6458,6458,345 -6459,6459,353 -6460,6460,650 -6461,6461,650 -6462,6462,353 -6463,6463,587 -6464,6464,576 -6465,6465,678 -6466,6466,1100 -6467,6467,240 -6468,6468,836 -6469,6469,118 -6470,6470,118 -6471,6471,569 -6472,6472,1233 -6473,6473,17 -6474,6474,1097 -6475,6475,1276 -6476,6476,727 -6477,6477,515 -6478,6478,515 -6479,6479,974 -6480,6480,517 -6481,6481,445 -6482,6482,596 -6483,6483,127 -6484,6484,38 -6485,6485,1283 -6486,6486,1283 -6487,6487,1273 -6488,6488,961 -6489,6489,961 -6490,6490,1148 -6491,6491,559 -6492,6492,795 -6493,6493,701 -6494,6494,639 -6495,6495,780 -6496,6496,907 -6497,6497,910 -6498,6498,982 -6499,6499,128 -6500,6500,394 -6501,6501,395 -6502,6502,633 -6503,6503,1145 -6504,6504,630 -6505,6505,123 -6506,6506,659 -6507,6507,973 -6508,6508,328 -6509,6509,213 -6510,6510,803 -6511,6511,324 -6512,6512,1001 -6513,6513,480 -6514,6514,701 -6515,6515,1129 -6516,6516,652 -6517,6517,127 -6518,6518,53 -6519,6519,330 -6520,6520,822 -6521,6521,415 -6522,6522,1096 -6523,6523,116 -6524,6524,983 -6525,6525,155 -6526,6526,157 -6527,6527,661 -6528,6528,412 -6529,6529,203 -6530,6530,208 -6531,6531,967 -6532,6532,1206 -6533,6533,213 -6534,6534,801 -6535,6535,973 -6536,6536,151 -6537,6537,881 -6538,6538,768 -6539,6539,768 -6540,6540,64 -6541,6541,932 -6542,6542,932 -6543,6543,684 -6544,6544,528 -6545,6545,44 -6546,6546,715 -6547,6547,36 -6548,6548,670 -6549,6549,737 -6550,6550,639 -6551,6551,388 -6552,6552,922 -6553,6553,922 -6554,6554,12 -6555,6555,228 -6556,6556,501 -6557,6557,501 -6558,6558,973 -6559,6559,1245 -6560,6560,912 -6561,6561,1245 -6562,6562,912 -6563,6563,262 -6564,6564,308 -6565,6565,797 -6566,6566,287 -6567,6567,187 -6568,6568,119 -6569,6569,104 -6570,6570,823 -6571,6571,1252 -6572,6572,274 -6573,6573,1066 -6574,6574,925 -6575,6575,925 -6576,6576,473 -6577,6577,209 -6578,6578,343 -6579,6579,252 -6580,6580,513 -6581,6581,566 -6582,6582,957 -6583,6583,224 -6584,6584,436 -6585,6585,821 -6586,6586,892 -6587,6587,59 -6588,6588,44 -6589,6589,1096 -6590,6590,343 -6591,6591,343 -6592,6592,328 -6593,6593,853 -6594,6594,105 -6595,6595,388 -6596,6596,1186 -6597,6597,384 -6598,6598,1235 -6599,6599,616 -6600,6600,918 -6601,6601,493 -6602,6602,1112 -6603,6603,486 -6604,6604,978 -6605,6605,1257 -6606,6606,52 -6607,6607,805 -6608,6608,811 -6609,6609,830 -6610,6610,125 -6611,6611,1017 -6612,6612,344 -6613,6613,902 -6614,6614,467 -6615,6615,149 -6616,6616,150 -6617,6617,205 -6618,6618,206 -6619,6619,851 -6620,6620,621 -6621,6621,97 -6622,6622,640 -6623,6623,642 -6624,6624,187 -6625,6625,636 -6626,6626,638 -6627,6627,1017 -6628,6628,174 -6629,6629,341 -6630,6630,421 -6631,6631,306 -6632,6632,892 -6633,6633,809 -6634,6634,976 -6635,6635,586 -6636,6636,220 -6637,6637,505 -6638,6638,1054 -6639,6639,576 -6640,6640,576 -6641,6641,809 -6642,6642,1079 -6643,6643,65 -6644,6644,1077 -6645,6645,354 -6646,6646,717 -6647,6647,524 -6648,6648,470 -6649,6649,569 -6650,6650,169 -6651,6651,71 -6652,6652,38 -6653,6653,539 -6654,6654,570 -6655,6655,1265 -6656,6656,1267 -6657,6657,470 -6658,6658,659 -6659,6659,843 -6660,6660,182 -6661,6661,174 -6662,6662,539 -6663,6663,44 -6664,6664,605 -6665,6665,617 -6666,6666,1170 -6667,6667,608 -6668,6668,1158 -6669,6669,1028 -6670,6670,1028 -6671,6671,123 -6672,6672,1168 -6673,6673,1168 -6674,6674,1170 -6675,6675,584 -6676,6676,1184 -6677,6677,515 -6678,6678,1046 -6679,6679,927 -6680,6680,636 -6681,6681,515 -6682,6682,976 -6683,6683,976 -6684,6684,413 -6685,6685,413 -6686,6686,967 -6687,6687,828 -6688,6688,902 -6689,6689,125 -6690,6690,125 -6691,6691,1005 -6692,6692,54 -6693,6693,125 -6694,6694,1039 -6695,6695,895 -6696,6696,828 -6697,6697,125 -6698,6698,126 -6699,6699,127 -6700,6700,918 -6701,6701,918 -6702,6702,921 -6703,6703,835 -6704,6704,828 -6705,6705,917 -6706,6706,795 -6707,6707,1089 -6708,6708,1091 -6709,6709,1090 -6710,6710,1091 -6711,6711,1104 -6712,6712,1109 -6713,6713,1109 -6714,6714,436 -6715,6715,254 -6716,6716,668 -6717,6717,1057 -6718,6718,1126 -6719,6719,92 -6720,6720,980 -6721,6721,633 -6722,6722,1077 -6723,6723,146 -6724,6724,1056 -6725,6725,744 -6726,6726,325 -6727,6727,145 -6728,6728,186 -6729,6729,203 -6730,6730,168 -6731,6731,587 -6732,6732,985 -6733,6733,1175 -6734,6734,408 -6735,6735,187 -6736,6736,900 -6737,6737,641 -6738,6738,1056 -6739,6739,892 -6740,6740,1084 -6741,6741,125 -6742,6742,447 -6743,6743,115 -6744,6744,283 -6745,6745,781 -6746,6746,1107 -6747,6747,1278 -6748,6748,1217 -6749,6749,1220 -6750,6750,1039 -6751,6751,854 -6752,6752,606 -6753,6753,37 -6754,6754,805 -6755,6755,282 -6756,6756,606 -6757,6757,605 -6758,6758,647 -6759,6759,648 -6760,6760,572 -6761,6761,803 -6762,6762,1268 -6763,6763,1075 -6764,6764,342 -6765,6765,47 -6766,6766,47 -6767,6767,1221 -6768,6768,1221 -6769,6769,554 -6770,6770,809 -6771,6771,9 -6772,6772,9 -6773,6773,38 -6774,6774,482 -6775,6775,103 -6776,6776,849 -6777,6777,127 -6778,6778,880 -6779,6779,1085 -6780,6780,922 -6781,6781,395 -6782,6782,844 -6783,6783,267 -6784,6784,224 -6785,6785,342 -6786,6786,973 -6787,6787,1077 -6788,6788,852 -6789,6789,707 -6790,6790,629 -6791,6791,816 -6792,6792,796 -6793,6793,866 -6794,6794,843 -6795,6795,45 -6796,6796,129 -6797,6797,331 -6798,6798,136 -6799,6799,1155 -6800,6800,1155 -6801,6801,915 -6802,6802,917 -6803,6803,798 -6804,6804,771 -6805,6805,771 -6806,6806,771 -6807,6807,323 -6808,6808,767 -6809,6809,93 -6810,6810,975 -6811,6811,38 -6812,6812,133 -6813,6813,866 -6814,6814,1048 -6815,6815,40 -6816,6816,330 -6817,6817,342 -6818,6818,172 -6819,6819,23 -6820,6820,131 -6821,6821,131 -6822,6822,1130 -6823,6823,587 -6824,6824,412 -6825,6825,413 -6826,6826,1085 -6827,6827,439 -6828,6828,294 -6829,6829,294 -6830,6830,871 -6831,6831,697 -6832,6832,314 -6833,6833,151 -6834,6834,656 -6835,6835,656 -6836,6836,299 -6837,6837,37 -6838,6838,836 -6839,6839,883 -6840,6840,236 -6841,6841,1137 -6842,6842,1157 -6843,6843,711 -6844,6844,987 -6845,6845,1077 -6846,6846,160 -6847,6847,65 -6848,6848,65 -6849,6849,945 -6850,6850,833 -6851,6851,833 -6852,6852,630 -6853,6853,242 -6854,6854,342 -6855,6855,342 -6856,6856,1004 -6857,6857,272 -6858,6858,322 -6859,6859,799 -6860,6860,862 -6861,6861,270 -6862,6862,270 -6863,6863,270 -6864,6864,271 -6865,6865,137 -6866,6866,1230 -6867,6867,1183 -6868,6868,308 -6869,6869,1036 -6870,6870,301 -6871,6871,566 -6872,6872,64 -6873,6873,648 -6874,6874,852 -6875,6875,892 -6876,6876,1230 -6877,6877,267 -6878,6878,1006 -6879,6879,809 -6880,6880,342 -6881,6881,984 -6882,6882,1182 -6883,6883,806 -6884,6884,785 -6885,6885,61 -6886,6886,1006 -6887,6887,1145 -6888,6888,1149 -6889,6889,1149 -6890,6890,449 -6891,6891,941 -6892,6892,941 -6893,6893,887 -6894,6894,345 -6895,6895,346 -6896,6896,921 -6897,6897,1221 -6898,6898,1222 -6899,6899,821 -6900,6900,858 -6901,6901,1140 -6902,6902,431 -6903,6903,36 -6904,6904,780 -6905,6905,566 -6906,6906,391 -6907,6907,751 -6908,6908,751 -6909,6909,752 -6910,6910,167 -6911,6911,370 -6912,6912,458 -6913,6913,1287 -6914,6914,252 -6915,6915,566 -6916,6916,996 -6917,6917,996 -6918,6918,1070 -6919,6919,1293 -6920,6920,835 -6921,6921,835 -6922,6922,274 -6923,6923,821 -6924,6924,1093 -6925,6925,1093 -6926,6926,915 -6927,6927,446 -6928,6928,76 -6929,6929,667 -6930,6930,668 -6931,6931,104 -6932,6932,77 -6933,6933,800 -6934,6934,902 -6935,6935,549 -6936,6936,342 -6937,6937,233 -6938,6938,21 -6939,6939,308 -6940,6940,308 -6941,6941,689 -6942,6942,268 -6943,6943,1232 -6944,6944,104 -6945,6945,127 -6946,6946,821 -6947,6947,803 -6948,6948,658 -6949,6949,834 -6950,6950,840 -6951,6951,841 -6952,6952,751 -6953,6953,252 -6954,6954,1161 -6955,6955,680 -6956,6956,342 -6957,6957,1016 -6958,6958,1274 -6959,6959,1212 -6960,6960,137 -6961,6961,460 -6962,6962,186 -6963,6963,742 -6964,6964,892 -6965,6965,252 -6966,6966,358 -6967,6967,772 -6968,6968,773 -6969,6969,771 -6970,6970,772 -6971,6971,658 -6972,6972,587 -6973,6973,327 -6974,6974,327 -6975,6975,329 -6976,6976,10 -6977,6977,44 -6978,6978,124 -6979,6979,1192 -6980,6980,1109 -6981,6981,843 -6982,6982,1245 -6983,6983,425 -6984,6984,169 -6985,6985,1017 -6986,6986,1017 -6987,6987,541 -6988,6988,842 -6989,6989,282 -6990,6990,242 -6991,6991,115 -6992,6992,355 -6993,6993,777 -6994,6994,483 -6995,6995,442 -6996,6996,105 -6997,6997,105 -6998,6998,936 -6999,6999,936 -7000,7000,121 -7001,7001,125 -7002,7002,23 -7003,7003,539 -7004,7004,553 -7005,7005,618 -7006,7006,1206 -7007,7007,153 -7008,7008,59 -7009,7009,59 -7010,7010,335 -7011,7011,761 -7012,7012,958 -7013,7013,959 -7014,7014,966 -7015,7015,1004 -7016,7016,987 -7017,7017,903 -7018,7018,1096 -7019,7019,641 -7020,7020,640 -7021,7021,1093 -7022,7022,252 -7023,7023,252 -7024,7024,387 -7025,7025,387 -7026,7026,983 -7027,7027,115 -7028,7028,195 -7029,7029,768 -7030,7030,1170 -7031,7031,799 -7032,7032,55 -7033,7033,113 -7034,7034,725 -7035,7035,446 -7036,7036,788 -7037,7037,940 -7038,7038,894 -7039,7039,845 -7040,7040,372 -7041,7041,201 -7042,7042,1278 -7043,7043,1066 -7044,7044,1102 -7045,7045,1104 -7046,7046,549 -7047,7047,282 -7048,7048,283 -7049,7049,281 -7050,7050,282 -7051,7051,1286 -7052,7052,566 -7053,7053,835 -7054,7054,150 -7055,7055,794 -7056,7056,1048 -7057,7057,716 -7058,7058,252 -7059,7059,252 -7060,7060,1128 -7061,7061,970 -7062,7062,803 -7063,7063,796 -7064,7064,1157 -7065,7065,1217 -7066,7066,1217 -7067,7067,28 -7068,7068,746 -7069,7069,1291 -7070,7070,967 -7071,7071,301 -7072,7072,935 -7073,7073,893 -7074,7074,1145 -7075,7075,1145 -7076,7076,85 -7077,7077,641 -7078,7078,629 -7079,7079,1101 -7080,7080,1151 -7081,7081,1293 -7082,7082,157 -7083,7083,54 -7084,7084,1004 -7085,7085,169 -7086,7086,1093 -7087,7087,220 -7088,7088,220 -7089,7089,569 -7090,7090,1233 -7091,7091,894 -7092,7092,1066 -7093,7093,577 -7094,7094,607 -7095,7095,169 -7096,7096,935 -7097,7097,587 -7098,7098,1283 -7099,7099,1283 -7100,7100,298 -7101,7101,264 -7102,7102,266 -7103,7103,187 -7104,7104,372 -7105,7105,965 -7106,7106,127 -7107,7107,116 -7108,7108,600 -7109,7109,1239 -7110,7110,1212 -7111,7111,807 -7112,7112,1233 -7113,7113,512 -7114,7114,506 -7115,7115,1109 -7116,7116,64 -7117,7117,256 -7118,7118,389 -7119,7119,709 -7120,7120,169 -7121,7121,850 -7122,7122,186 -7123,7123,319 -7124,7124,320 -7125,7125,1014 -7126,7126,942 -7127,7127,809 -7128,7128,858 -7129,7129,1154 -7130,7130,1154 -7131,7131,858 -7132,7132,803 -7133,7133,803 -7134,7134,261 -7135,7135,133 -7136,7136,76 -7137,7137,882 -7138,7138,1134 -7139,7139,787 -7140,7140,23 -7141,7141,1199 -7142,7142,1149 -7143,7143,727 -7144,7144,727 -7145,7145,1153 -7146,7146,830 -7147,7147,358 -7148,7148,91 -7149,7149,907 -7150,7150,907 -7151,7151,127 -7152,7152,86 -7153,7153,796 -7154,7154,761 -7155,7155,763 -7156,7156,558 -7157,7157,936 -7158,7158,187 -7159,7159,152 -7160,7160,187 -7161,7161,189 -7162,7162,746 -7163,7163,113 -7164,7164,787 -7165,7165,798 -7166,7166,798 -7167,7167,903 -7168,7168,38 -7169,7169,806 -7170,7170,854 -7171,7171,433 -7172,7172,928 -7173,7173,928 -7174,7174,169 -7175,7175,570 -7176,7176,899 -7177,7177,914 -7178,7178,805 -7179,7179,760 -7180,7180,1256 -7181,7181,915 -7182,7182,1111 -7183,7183,940 -7184,7184,940 -7185,7185,115 -7186,7186,517 -7187,7187,260 -7188,7188,121 -7189,7189,1149 -7190,7190,413 -7191,7191,798 -7192,7192,843 -7193,7193,637 -7194,7194,935 -7195,7195,935 -7196,7196,816 -7197,7197,796 -7198,7198,796 -7199,7199,816 -7200,7200,543 -7201,7201,543 -7202,7202,820 -7203,7203,1170 -7204,7204,1218 -7205,7205,1170 -7206,7206,295 -7207,7207,864 -7208,7208,88 -7209,7209,620 -7210,7210,564 -7211,7211,38 -7212,7212,429 -7213,7213,55 -7214,7214,174 -7215,7215,319 -7216,7216,1279 -7217,7217,566 -7218,7218,1111 -7219,7219,8 -7220,7220,586 -7221,7221,586 -7222,7222,1173 -7223,7223,936 -7224,7224,794 -7225,7225,1154 -7226,7226,843 -7227,7227,758 -7228,7228,605 -7229,7229,1281 -7230,7230,1281 -7231,7231,135 -7232,7232,242 -7233,7233,936 -7234,7234,306 -7235,7235,1281 -7236,7236,1131 -7237,7237,901 -7238,7238,570 -7239,7239,596 -7240,7240,771 -7241,7241,882 -7242,7242,882 -7243,7243,320 -7244,7244,543 -7245,7245,543 -7246,7246,974 -7247,7247,954 -7248,7248,564 -7249,7249,286 -7250,7250,616 -7251,7251,767 -7252,7252,769 -7253,7253,531 -7254,7254,1271 -7255,7255,850 -7256,7256,1049 -7257,7257,1050 -7258,7258,767 -7259,7259,932 -7260,7260,606 -7261,7261,125 -7262,7262,125 -7263,7263,747 -7264,7264,749 -7265,7265,679 -7266,7266,724 -7267,7267,1040 -7268,7268,876 -7269,7269,382 -7270,7270,1101 -7271,7271,1089 -7272,7272,761 -7273,7273,784 -7274,7274,786 -7275,7275,282 -7276,7276,642 -7277,7277,118 -7278,7278,1155 -7279,7279,165 -7280,7280,150 -7281,7281,224 -7282,7282,63 -7283,7283,129 -7284,7284,785 -7285,7285,40 -7286,7286,652 -7287,7287,1173 -7288,7288,816 -7289,7289,342 -7290,7290,1035 -7291,7291,1035 -7292,7292,390 -7293,7293,875 -7294,7294,76 -7295,7295,946 -7296,7296,78 -7297,7297,21 -7298,7298,739 -7299,7299,1129 -7300,7300,987 -7301,7301,658 -7302,7302,881 -7303,7303,1089 -7304,7304,587 -7305,7305,355 -7306,7306,355 -7307,7307,881 -7308,7308,310 -7309,7309,785 -7310,7310,785 -7311,7311,49 -7312,7312,94 -7313,7313,984 -7314,7314,35 -7315,7315,731 -7316,7316,809 -7317,7317,640 -7318,7318,733 -7319,7319,874 -7320,7320,976 -7321,7321,919 -7322,7322,1084 -7323,7323,907 -7324,7324,73 -7325,7325,800 -7326,7326,468 -7327,7327,21 -7328,7328,1111 -7329,7329,335 -7330,7330,1096 -7331,7331,901 -7332,7332,962 -7333,7333,963 -7334,7334,91 -7335,7335,342 -7336,7336,564 -7337,7337,547 -7338,7338,1048 -7339,7339,128 -7340,7340,128 -7341,7341,45 -7342,7342,446 -7343,7343,785 -7344,7344,973 -7345,7345,329 -7346,7346,288 -7347,7347,843 -7348,7348,283 -7349,7349,853 -7350,7350,892 -7351,7351,381 -7352,7352,439 -7353,7353,127 -7354,7354,224 -7355,7355,38 -7356,7356,887 -7357,7357,503 -7358,7358,869 -7359,7359,680 -7360,7360,102 -7361,7361,697 -7362,7362,911 -7363,7363,125 -7364,7364,1102 -7365,7365,781 -7366,7366,170 -7367,7367,116 -7368,7368,342 -7369,7369,1149 -7370,7370,76 -7371,7371,876 -7372,7372,270 -7373,7373,733 -7374,7374,896 -7375,7375,1101 -7376,7376,344 -7377,7377,129 -7378,7378,725 -7379,7379,282 -7380,7380,768 -7381,7381,381 -7382,7382,121 -7383,7383,486 -7384,7384,1065 -7385,7385,547 -7386,7386,206 -7387,7387,1271 -7388,7388,892 -7389,7389,129 -7390,7390,84 -7391,7391,1278 -7392,7392,1145 -7393,7393,1145 -7394,7394,866 -7395,7395,421 -7396,7396,255 -7397,7397,257 -7398,7398,258 -7399,7399,301 -7400,7400,118 -7401,7401,66 -7402,7402,1104 -7403,7403,962 -7404,7404,1220 -7405,7405,1035 -7406,7406,17 -7407,7407,421 -7408,7408,231 -7409,7409,616 -7410,7410,600 -7411,7411,977 -7412,7412,1118 -7413,7413,118 -7414,7414,963 -7415,7415,256 -7416,7416,256 -7417,7417,678 -7418,7418,270 -7419,7419,892 -7420,7420,265 -7421,7421,955 -7422,7422,268 -7423,7423,906 -7424,7424,220 -7425,7425,811 -7426,7426,811 -7427,7427,576 -7428,7428,203 -7429,7429,894 -7430,7430,797 -7431,7431,781 -7432,7432,787 -7433,7433,1013 -7434,7434,809 -7435,7435,1079 -7436,7436,492 -7437,7437,1040 -7438,7438,1031 -7439,7439,914 -7440,7440,37 -7441,7441,1013 -7442,7442,617 -7443,7443,66 -7444,7444,1011 -7445,7445,569 -7446,7446,911 -7447,7447,914 -7448,7448,843 -7449,7449,1145 -7450,7450,804 -7451,7451,283 -7452,7452,747 -7453,7453,1149 -7454,7454,794 -7455,7455,298 -7456,7456,539 -7457,7457,564 -7458,7458,565 -7459,7459,1067 -7460,7460,566 -7461,7461,907 -7462,7462,335 -7463,7463,56 -7464,7464,659 -7465,7465,837 -7466,7466,892 -7467,7467,1214 -7468,7468,395 -7469,7469,264 -7470,7470,882 -7471,7471,931 -7472,7472,535 -7473,7473,535 -7474,7474,979 -7475,7475,262 -7476,7476,298 -7477,7477,744 -7478,7478,919 -7479,7479,46 -7480,7480,1112 -7481,7481,985 -7482,7482,451 -7483,7483,598 -7484,7484,906 -7485,7485,813 -7486,7486,900 -7487,7487,40 -7488,7488,40 -7489,7489,768 -7490,7490,116 -7491,7491,116 -7492,7492,1039 -7493,7493,1042 -7494,7494,758 -7495,7495,882 -7496,7496,35 -7497,7497,38 -7498,7498,35 -7499,7499,175 -7500,7500,1007 -7501,7501,1008 -7502,7502,1077 -7503,7503,1243 -7504,7504,1116 -7505,7505,480 -7506,7506,977 -7507,7507,975 -7508,7508,843 -7509,7509,912 -7510,7510,1141 -7511,7511,865 -7512,7512,818 -7513,7513,129 -7514,7514,129 -7515,7515,276 -7516,7516,799 -7517,7517,352 -7518,7518,210 -7519,7519,418 -7520,7520,927 -7521,7521,676 -7522,7522,976 -7523,7523,976 -7524,7524,976 -7525,7525,204 -7526,7526,272 -7527,7527,157 -7528,7528,504 -7529,7529,289 -7530,7530,342 -7531,7531,712 -7532,7532,1141 -7533,7533,800 -7534,7534,846 -7535,7535,639 -7536,7536,1210 -7537,7537,581 -7538,7538,932 -7539,7539,702 -7540,7540,512 -7541,7541,800 -7542,7542,1032 -7543,7543,1033 -7544,7544,565 -7545,7545,249 -7546,7546,38 -7547,7547,127 -7548,7548,876 -7549,7549,876 -7550,7550,891 -7551,7551,193 -7552,7552,996 -7553,7553,1070 -7554,7554,891 -7555,7555,565 -7556,7556,224 -7557,7557,169 -7558,7558,224 -7559,7559,405 -7560,7560,175 -7561,7561,1017 -7562,7562,1083 -7563,7563,214 -7564,7564,214 -7565,7565,214 -7566,7566,617 -7567,7567,680 -7568,7568,433 -7569,7569,892 -7570,7570,976 -7571,7571,833 -7572,7572,663 -7573,7573,344 -7574,7574,171 -7575,7575,752 -7576,7576,151 -7577,7577,153 -7578,7578,157 -7579,7579,1049 -7580,7580,986 -7581,7581,409 -7582,7582,345 -7583,7583,1151 -7584,7584,468 -7585,7585,472 -7586,7586,1037 -7587,7587,512 -7588,7588,849 -7589,7589,774 -7590,7590,712 -7591,7591,569 -7592,7592,564 -7593,7593,893 -7594,7594,964 -7595,7595,621 -7596,7596,914 -7597,7597,855 -7598,7598,151 -7599,7599,903 -7600,7600,903 -7601,7601,804 -7602,7602,804 -7603,7603,1159 -7604,7604,187 -7605,7605,18 -7606,7606,570 -7607,7607,169 -7608,7608,818 -7609,7609,356 -7610,7610,418 -7611,7611,954 -7612,7612,543 -7613,7613,1149 -7614,7614,97 -7615,7615,1104 -7616,7616,1030 -7617,7617,893 -7618,7618,204 -7619,7619,42 -7620,7620,892 -7621,7621,892 -7622,7622,52 -7623,7623,55 -7624,7624,866 -7625,7625,417 -7626,7626,417 -7627,7627,344 -7628,7628,344 -7629,7629,139 -7630,7630,751 -7631,7631,795 -7632,7632,805 -7633,7633,902 -7634,7634,673 -7635,7635,288 -7636,7636,288 -7637,7637,1104 -7638,7638,1012 -7639,7639,893 -7640,7640,125 -7641,7641,394 -7642,7642,865 -7643,7643,872 -7644,7644,798 -7645,7645,657 -7646,7646,820 -7647,7647,884 -7648,7648,812 -7649,7649,830 -7650,7650,544 -7651,7651,370 -7652,7652,669 -7653,7653,667 -7654,7654,669 -7655,7655,830 -7656,7656,811 -7657,7657,830 -7658,7658,1236 -7659,7659,830 -7660,7660,658 -7661,7661,1182 -7662,7662,1198 -7663,7663,914 -7664,7664,815 -7665,7665,816 -7666,7666,914 -7667,7667,652 -7668,7668,1283 -7669,7669,169 -7670,7670,768 -7671,7671,1080 -7672,7672,976 -7673,7673,1050 -7674,7674,45 -7675,7675,45 -7676,7676,384 -7677,7677,344 -7678,7678,760 -7679,7679,760 -7680,7680,798 -7681,7681,798 -7682,7682,942 -7683,7683,763 -7684,7684,426 -7685,7685,814 -7686,7686,942 -7687,7687,1079 -7688,7688,845 -7689,7689,473 -7690,7690,798 -7691,7691,21 -7692,7692,42 -7693,7693,1277 -7694,7694,830 -7695,7695,496 -7696,7696,325 -7697,7697,1091 -7698,7698,934 -7699,7699,934 -7700,7700,1283 -7701,7701,750 -7702,7702,968 -7703,7703,987 -7704,7704,972 -7705,7705,1182 -7706,7706,1182 -7707,7707,1183 -7708,7708,659 -7709,7709,371 -7710,7710,566 -7711,7711,836 -7712,7712,946 -7713,7713,36 -7714,7714,961 -7715,7715,242 -7716,7716,881 -7717,7717,1194 -7718,7718,1230 -7719,7719,73 -7720,7720,934 -7721,7721,941 -7722,7722,38 -7723,7723,1104 -7724,7724,1006 -7725,7725,1101 -7726,7726,1101 -7727,7727,1008 -7728,7728,657 -7729,7729,674 -7730,7730,887 -7731,7731,814 -7732,7732,773 -7733,7733,627 -7734,7734,904 -7735,7735,1093 -7736,7736,1044 -7737,7737,952 -7738,7738,952 -7739,7739,784 -7740,7740,663 -7741,7741,558 -7742,7742,984 -7743,7743,720 -7744,7744,713 -7745,7745,976 -7746,7746,1141 -7747,7747,721 -7748,7748,24 -7749,7749,25 -7750,7750,26 -7751,7751,27 -7752,7752,892 -7753,7753,1104 -7754,7754,355 -7755,7755,157 -7756,7756,78 -7757,7757,703 -7758,7758,860 -7759,7759,126 -7760,7760,127 -7761,7761,1032 -7762,7762,816 -7763,7763,90 -7764,7764,93 -7765,7765,638 -7766,7766,1277 -7767,7767,787 -7768,7768,1124 -7769,7769,1127 -7770,7770,1127 -7771,7771,1092 -7772,7772,700 -7773,7773,1290 -7774,7774,329 -7775,7775,38 -7776,7776,62 -7777,7777,62 -7778,7778,379 -7779,7779,439 -7780,7780,1014 -7781,7781,1001 -7782,7782,417 -7783,7783,417 -7784,7784,115 -7785,7785,871 -7786,7786,972 -7787,7787,1189 -7788,7788,849 -7789,7789,1004 -7790,7790,574 -7791,7791,613 -7792,7792,614 -7793,7793,1095 -7794,7794,773 -7795,7795,125 -7796,7796,381 -7797,7797,229 -7798,7798,936 -7799,7799,1104 -7800,7800,790 -7801,7801,23 -7802,7802,372 -7803,7803,912 -7804,7804,805 -7805,7805,805 -7806,7806,127 -7807,7807,1182 -7808,7808,787 -7809,7809,10 -7810,7810,1028 -7811,7811,1028 -7812,7812,337 -7813,7813,984 -7814,7814,984 -7815,7815,47 -7816,7816,936 -7817,7817,533 -7818,7818,310 -7819,7819,59 -7820,7820,116 -7821,7821,116 -7822,7822,429 -7823,7823,980 -7824,7824,804 -7825,7825,782 -7826,7826,639 -7827,7827,276 -7828,7828,286 -7829,7829,288 -7830,7830,931 -7831,7831,1283 -7832,7832,150 -7833,7833,849 -7834,7834,1104 -7835,7835,38 -7836,7836,807 -7837,7837,914 -7838,7838,914 -7839,7839,53 -7840,7840,845 -7841,7841,306 -7842,7842,306 -7843,7843,963 -7844,7844,304 -7845,7845,804 -7846,7846,87 -7847,7847,819 -7848,7848,264 -7849,7849,266 -7850,7850,772 -7851,7851,892 -7852,7852,972 -7853,7853,21 -7854,7854,830 -7855,7855,795 -7856,7856,995 -7857,7857,1179 -7858,7858,1102 -7859,7859,976 -7860,7860,858 -7861,7861,858 -7862,7862,860 -7863,7863,417 -7864,7864,417 -7865,7865,253 -7866,7866,1174 -7867,7867,822 -7868,7868,952 -7869,7869,226 -7870,7870,786 -7871,7871,38 -7872,7872,38 -7873,7873,851 -7874,7874,770 -7875,7875,127 -7876,7876,391 -7877,7877,393 -7878,7878,963 -7879,7879,1167 -7880,7880,172 -7881,7881,1044 -7882,7882,1044 -7883,7883,1044 -7884,7884,1013 -7885,7885,1133 -7886,7886,543 -7887,7887,1030 -7888,7888,776 -7889,7889,1167 -7890,7890,357 -7891,7891,47 -7892,7892,473 -7893,7893,659 -7894,7894,659 -7895,7895,892 -7896,7896,772 -7897,7897,791 -7898,7898,794 -7899,7899,391 -7900,7900,806 -7901,7901,686 -7902,7902,844 -7903,7903,1037 -7904,7904,335 -7905,7905,565 -7906,7906,102 -7907,7907,1112 -7908,7908,335 -7909,7909,335 -7910,7910,47 -7911,7911,47 -7912,7912,1103 -7913,7913,1050 -7914,7914,470 -7915,7915,906 -7916,7916,779 -7917,7917,882 -7918,7918,747 -7919,7919,127 -7920,7920,127 -7921,7921,984 -7922,7922,117 -7923,7923,181 -7924,7924,976 -7925,7925,154 -7926,7926,1010 -7927,7927,12 -7928,7928,742 -7929,7929,377 -7930,7930,925 -7931,7931,751 -7932,7932,308 -7933,7933,308 -7934,7934,272 -7935,7935,564 -7936,7936,503 -7937,7937,269 -7938,7938,270 -7939,7939,224 -7940,7940,308 -7941,7941,776 -7942,7942,157 -7943,7943,157 -7944,7944,967 -7945,7945,344 -7946,7946,1210 -7947,7947,654 -7948,7948,654 -7949,7949,238 -7950,7950,794 -7951,7951,322 -7952,7952,416 -7953,7953,669 -7954,7954,1175 -7955,7955,987 -7956,7956,1104 -7957,7957,1182 -7958,7958,33 -7959,7959,675 -7960,7960,171 -7961,7961,261 -7962,7962,352 -7963,7963,723 -7964,7964,330 -7965,7965,330 -7966,7966,442 -7967,7967,36 -7968,7968,272 -7969,7969,752 -7970,7970,752 -7971,7971,159 -7972,7972,159 -7973,7973,169 -7974,7974,607 -7975,7975,586 -7976,7976,787 -7977,7977,627 -7978,7978,627 -7979,7979,1182 -7980,7980,801 -7981,7981,659 -7982,7982,935 -7983,7983,1177 -7984,7984,68 -7985,7985,969 -7986,7986,1088 -7987,7987,181 -7988,7988,876 -7989,7989,980 -7990,7990,542 -7991,7991,1167 -7992,7992,1232 -7993,7993,1081 -7994,7994,214 -7995,7995,649 -7996,7996,900 -7997,7997,262 -7998,7998,805 -7999,7999,344 -8000,8000,354 -8001,8001,976 -8002,8002,795 -8003,8003,957 -8004,8004,394 -8005,8005,542 -8006,8006,542 -8007,8007,795 -8008,8008,995 -8009,8009,1197 -8010,8010,344 -8011,8011,657 -8012,8012,1258 -8013,8013,1175 -8014,8014,976 -8015,8015,1000 -8016,8016,1181 -8017,8017,1167 -8018,8018,47 -8019,8019,1079 -8020,8020,66 -8021,8021,820 -8022,8022,632 -8023,8023,1168 -8024,8024,169 -8025,8025,1110 -8026,8026,47 -8027,8027,632 -8028,8028,1168 -8029,8029,1038 -8030,8030,1091 -8031,8031,486 -8032,8032,752 -8033,8033,752 -8034,8034,964 -8035,8035,1190 -8036,8036,826 -8037,8037,344 -8038,8038,844 -8039,8039,1079 -8040,8040,1030 -8041,8041,1030 -8042,8042,833 -8043,8043,864 -8044,8044,1020 -8045,8045,112 -8046,8046,112 -8047,8047,1182 -8048,8048,581 -8049,8049,631 -8050,8050,961 -8051,8051,961 -8052,8052,420 -8053,8053,423 -8054,8054,884 -8055,8055,1182 -8056,8056,881 -8057,8057,433 -8058,8058,112 -8059,8059,1166 -8060,8060,836 -8061,8061,1193 -8062,8062,195 -8063,8063,154 -8064,8064,341 -8065,8065,804 -8066,8066,975 -8067,8067,409 -8068,8068,795 -8069,8069,843 -8070,8070,844 -8071,8071,845 -8072,8072,973 -8073,8073,413 -8074,8074,137 -8075,8075,380 -8076,8076,474 -8077,8077,799 -8078,8078,210 -8079,8079,211 -8080,8080,974 -8081,8081,341 -8082,8082,1077 -8083,8083,188 -8084,8084,836 -8085,8085,645 -8086,8086,798 -8087,8087,901 -8088,8088,809 -8089,8089,408 -8090,8090,715 -8091,8091,675 -8092,8092,874 -8093,8093,726 -8094,8094,607 -8095,8095,607 -8096,8096,441 -8097,8097,1211 -8098,8098,408 -8099,8099,834 -8100,8100,798 -8101,8101,823 -8102,8102,1038 -8103,8103,929 -8104,8104,572 -8105,8105,574 -8106,8106,73 -8107,8107,409 -8108,8108,411 -8109,8109,805 -8110,8110,1068 -8111,8111,833 -8112,8112,774 -8113,8113,836 -8114,8114,1036 -8115,8115,430 -8116,8116,187 -8117,8117,864 -8118,8118,1211 -8119,8119,1186 -8120,8120,222 -8121,8121,375 -8122,8122,125 -8123,8123,406 -8124,8124,73 -8125,8125,978 -8126,8126,372 -8127,8127,1054 -8128,8128,805 -8129,8129,835 -8130,8130,381 -8131,8131,228 -8132,8132,1147 -8133,8133,431 -8134,8134,804 -8135,8135,804 -8136,8136,360 -8137,8137,1250 -8138,8138,842 -8139,8139,892 -8140,8140,411 -8141,8141,853 -8142,8142,856 -8143,8143,431 -8144,8144,1167 -8145,8145,169 -8146,8146,1239 -8147,8147,420 -8148,8148,798 -8149,8149,974 -8150,8150,853 -8151,8151,203 -8152,8152,1186 -8153,8153,165 -8154,8154,1171 -8155,8155,178 -8156,8156,366 -8157,8157,368 -8158,8158,1228 -8159,8159,320 -8160,8160,402 -8161,8161,1239 -8162,8162,1239 -8163,8163,830 -8164,8164,831 -8165,8165,857 -8166,8166,857 -8167,8167,253 -8168,8168,1174 -8169,8169,345 -8170,8170,985 -8171,8171,1048 -8172,8172,403 -8173,8173,1044 -8174,8174,795 -8175,8175,112 -8176,8176,581 -8177,8177,974 -8178,8178,566 -8179,8179,976 -8180,8180,1013 -8181,8181,1048 -8182,8182,899 -8183,8183,914 -8184,8184,515 -8185,8185,1240 -8186,8186,1195 -8187,8187,586 -8188,8188,1093 -8189,8189,652 -8190,8190,353 -8191,8191,407 -8192,8192,652 -8193,8193,617 -8194,8194,422 -8195,8195,881 -8196,8196,407 -8197,8197,1024 -8198,8198,1024 -8199,8199,833 -8200,8200,42 -8201,8201,624 -8202,8202,42 -8203,8203,944 -8204,8204,674 -8205,8205,840 -8206,8206,936 -8207,8207,936 -8208,8208,1141 -8209,8209,23 -8210,8210,1152 -8211,8211,767 -8212,8212,968 -8213,8213,658 -8214,8214,981 -8215,8215,983 -8216,8216,975 -8217,8217,53 -8218,8218,697 -8219,8219,699 -8220,8220,38 -8221,8221,1104 -8222,8222,834 -8223,8223,812 -8224,8224,607 -8225,8225,887 -8226,8226,1162 -8227,8227,1163 -8228,8228,976 -8229,8229,963 -8230,8230,104 -8231,8231,343 -8232,8232,869 -8233,8233,963 -8234,8234,574 -8235,8235,1182 -8236,8236,784 -8237,8237,108 -8238,8238,1069 -8239,8239,676 -8240,8240,508 -8241,8241,157 -8242,8242,613 -8243,8243,572 -8244,8244,1152 -8245,8245,796 -8246,8246,1235 -8247,8247,1109 -8248,8248,342 -8249,8249,953 -8250,8250,125 -8251,8251,117 -8252,8252,658 -8253,8253,659 -8254,8254,897 -8255,8255,129 -8256,8256,607 -8257,8257,991 -8258,8258,994 -8259,8259,995 -8260,8260,963 -8261,8261,812 -8262,8262,584 -8263,8263,689 -8264,8264,779 -8265,8265,760 -8266,8266,215 -8267,8267,566 -8268,8268,605 -8269,8269,915 -8270,8270,915 -8271,8271,658 -8272,8272,658 -8273,8273,169 -8274,8274,226 -8275,8275,1199 -8276,8276,539 -8277,8277,539 -8278,8278,1230 -8279,8279,147 -8280,8280,172 -8281,8281,1230 -8282,8282,172 -8283,8283,172 -8284,8284,1028 -8285,8285,1150 -8286,8286,524 -8287,8287,524 -8288,8288,524 -8289,8289,1069 -8290,8290,1069 -8291,8291,124 -8292,8292,845 -8293,8293,942 -8294,8294,66 -8295,8295,820 -8296,8296,42 -8297,8297,321 -8298,8298,92 -8299,8299,439 -8300,8300,36 -8301,8301,37 -8302,8302,825 -8303,8303,799 -8304,8304,352 -8305,8305,370 -8306,8306,200 -8307,8307,246 -8308,8308,381 -8309,8309,1175 -8310,8310,1112 -8311,8311,785 -8312,8312,78 -8313,8313,286 -8314,8314,165 -8315,8315,798 -8316,8316,399 -8317,8317,999 -8318,8318,468 -8319,8319,1277 -8320,8320,731 -8321,8321,425 -8322,8322,206 -8323,8323,766 -8324,8324,505 -8325,8325,825 -8326,8326,191 -8327,8327,907 -8328,8328,455 -8329,8329,985 -8330,8330,876 -8331,8331,458 -8332,8332,823 -8333,8333,433 -8334,8334,391 -8335,8335,965 -8336,8336,448 -8337,8337,451 -8338,8338,672 -8339,8339,1104 -8340,8340,1033 -8341,8341,1283 -8342,8342,1174 -8343,8343,890 -8344,8344,336 -8345,8345,569 -8346,8346,569 -8347,8347,785 -8348,8348,159 -8349,8349,779 -8350,8350,351 -8351,8351,352 -8352,8352,607 -8353,8353,607 -8354,8354,980 -8355,8355,820 -8356,8356,725 -8357,8357,113 -8358,8358,38 -8359,8359,166 -8360,8360,125 -8361,8361,404 -8362,8362,1288 -8363,8363,1290 -8364,8364,1056 -8365,8365,127 -8366,8366,127 -8367,8367,967 -8368,8368,76 -8369,8369,135 -8370,8370,172 -8371,8371,678 -8372,8372,681 -8373,8373,682 -8374,8374,23 -8375,8375,897 -8376,8376,781 -8377,8377,876 -8378,8378,361 -8379,8379,346 -8380,8380,346 -8381,8381,114 -8382,8382,657 -8383,8383,53 -8384,8384,593 -8385,8385,942 -8386,8386,372 -8387,8387,130 -8388,8388,131 -8389,8389,1283 -8390,8390,409 -8391,8391,851 -8392,8392,17 -8393,8393,1104 -8394,8394,1104 -8395,8395,1171 -8396,8396,962 -8397,8397,404 -8398,8398,1036 -8399,8399,1036 -8400,8400,584 -8401,8401,584 -8402,8402,1200 -8403,8403,1136 -8404,8404,849 -8405,8405,938 -8406,8406,36 -8407,8407,576 -8408,8408,576 -8409,8409,836 -8410,8410,169 -8411,8411,52 -8412,8412,262 -8413,8413,914 -8414,8414,1290 -8415,8415,777 -8416,8416,736 -8417,8417,777 -8418,8418,32 -8419,8419,295 -8420,8420,170 -8421,8421,173 -8422,8422,536 -8423,8423,616 -8424,8424,565 -8425,8425,38 -8426,8426,71 -8427,8427,71 -8428,8428,740 -8429,8429,125 -8430,8430,125 -8431,8431,267 -8432,8432,874 -8433,8433,181 -8434,8434,181 -8435,8435,323 -8436,8436,919 -8437,8437,477 -8438,8438,532 -8439,8439,479 -8440,8440,480 -8441,8441,532 -8442,8442,148 -8443,8443,1246 -8444,8444,1246 -8445,8445,912 -8446,8446,740 -8447,8447,413 -8448,8448,875 -8449,8449,875 -8450,8450,223 -8451,8451,223 -8452,8452,184 -8453,8453,184 -8454,8454,1087 -8455,8455,157 -8456,8456,371 -8457,8457,371 -8458,8458,984 -8459,8459,984 -8460,8460,127 -8461,8461,127 -8462,8462,864 -8463,8463,895 -8464,8464,976 -8465,8465,976 -8466,8466,941 -8467,8467,809 -8468,8468,809 -8469,8469,547 -8470,8470,547 -8471,8471,1035 -8472,8472,342 -8473,8473,638 -8474,8474,748 -8475,8475,800 -8476,8476,841 -8477,8477,67 -8478,8478,895 -8479,8479,895 -8480,8480,194 -8481,8481,224 -8482,8482,678 -8483,8483,678 -8484,8484,417 -8485,8485,1027 -8486,8486,76 -8487,8487,392 -8488,8488,389 -8489,8489,392 -8490,8490,46 -8491,8491,23 -8492,8492,839 -8493,8493,135 -8494,8494,903 -8495,8495,1278 -8496,8496,1189 -8497,8497,90 -8498,8498,133 -8499,8499,168 -8500,8500,62 -8501,8501,44 -8502,8502,955 -8503,8503,934 -8504,8504,934 -8505,8505,368 -8506,8506,972 -8507,8507,972 -8508,8508,1079 -8509,8509,584 -8510,8510,244 -8511,8511,353 -8512,8512,59 -8513,8513,717 -8514,8514,1189 -8515,8515,723 -8516,8516,587 -8517,8517,335 -8518,8518,566 -8519,8519,77 -8520,8520,382 -8521,8521,383 -8522,8522,876 -8523,8523,1004 -8524,8524,215 -8525,8525,983 -8526,8526,36 -8527,8527,630 -8528,8528,827 -8529,8529,270 -8530,8530,353 -8531,8531,969 -8532,8532,935 -8533,8533,331 -8534,8534,415 -8535,8535,474 -8536,8536,1239 -8537,8537,1206 -8538,8538,739 -8539,8539,658 -8540,8540,1281 -8541,8541,1044 -8542,8542,302 -8543,8543,553 -8544,8544,1044 -8545,8545,449 -8546,8546,975 -8547,8547,899 -8548,8548,1032 -8549,8549,458 -8550,8550,812 -8551,8551,274 -8552,8552,712 -8553,8553,1284 -8554,8554,559 -8555,8555,44 -8556,8556,425 -8557,8557,213 -8558,8558,1066 -8559,8559,1199 -8560,8560,1239 -8561,8561,728 -8562,8562,431 -8563,8563,768 -8564,8564,934 -8565,8565,920 -8566,8566,1066 -8567,8567,286 -8568,8568,887 -8569,8569,1045 -8570,8570,135 -8571,8571,737 -8572,8572,421 -8573,8573,551 -8574,8574,35 -8575,8575,808 -8576,8576,192 -8577,8577,812 -8578,8578,892 -8579,8579,315 -8580,8580,243 -8581,8581,565 -8582,8582,836 -8583,8583,940 -8584,8584,1044 -8585,8585,47 -8586,8586,511 -8587,8587,917 -8588,8588,1101 -8589,8589,47 -8590,8590,172 -8591,8591,1211 -8592,8592,1212 -8593,8593,78 -8594,8594,1104 -8595,8595,565 -8596,8596,565 -8597,8597,1040 -8598,8598,979 -8599,8599,58 -8600,8600,572 -8601,8601,574 -8602,8602,564 -8603,8603,564 -8604,8604,818 -8605,8605,818 -8606,8606,624 -8607,8607,37 -8608,8608,577 -8609,8609,578 -8610,8610,958 -8611,8611,382 -8612,8612,384 -8613,8613,243 -8614,8614,343 -8615,8615,967 -8616,8616,379 -8617,8617,1077 -8618,8618,1079 -8619,8619,709 -8620,8620,1058 -8621,8621,1058 -8622,8622,320 -8623,8623,742 -8624,8624,1009 -8625,8625,459 -8626,8626,534 -8627,8627,849 -8628,8628,138 -8629,8629,196 -8630,8630,323 -8631,8631,454 -8632,8632,454 -8633,8633,45 -8634,8634,849 -8635,8635,194 -8636,8636,480 -8637,8637,404 -8638,8638,655 -8639,8639,850 -8640,8640,146 -8641,8641,1020 -8642,8642,522 -8643,8643,522 -8644,8644,840 -8645,8645,629 -8646,8646,793 -8647,8647,415 -8648,8648,693 -8649,8649,406 -8650,8650,406 -8651,8651,503 -8652,8652,1104 -8653,8653,697 -8654,8654,587 -8655,8655,659 -8656,8656,187 -8657,8657,224 -8658,8658,127 -8659,8659,191 -8660,8660,194 -8661,8661,76 -8662,8662,376 -8663,8663,435 -8664,8664,801 -8665,8665,443 -8666,8666,976 -8667,8667,836 -8668,8668,409 -8669,8669,939 -8670,8670,169 -8671,8671,187 -8672,8672,245 -8673,8673,850 -8674,8674,271 -8675,8675,849 -8676,8676,112 -8677,8677,186 -8678,8678,655 -8679,8679,970 -8680,8680,314 -8681,8681,418 -8682,8682,811 -8683,8683,32 -8684,8684,642 -8685,8685,310 -8686,8686,732 -8687,8687,62 -8688,8688,1042 -8689,8689,449 -8690,8690,873 -8691,8691,894 -8692,8692,901 -8693,8693,887 -8694,8694,984 -8695,8695,301 -8696,8696,53 -8697,8697,379 -8698,8698,53 -8699,8699,900 -8700,8700,552 -8701,8701,1149 -8702,8702,35 -8703,8703,61 -8704,8704,11 -8705,8705,385 -8706,8706,77 -8707,8707,1268 -8708,8708,696 -8709,8709,379 -8710,8710,742 -8711,8711,1155 -8712,8712,907 -8713,8713,927 -8714,8714,430 -8715,8715,1253 -8716,8716,653 -8717,8717,763 -8718,8718,621 -8719,8719,547 -8720,8720,915 -8721,8721,157 -8722,8722,93 -8723,8723,384 -8724,8724,447 -8725,8725,800 -8726,8726,335 -8727,8727,611 -8728,8728,866 -8729,8729,57 -8730,8730,1048 -8731,8731,1181 -8732,8732,833 -8733,8733,834 -8734,8734,21 -8735,8735,267 -8736,8736,251 -8737,8737,254 -8738,8738,1032 -8739,8739,638 -8740,8740,565 -8741,8741,428 -8742,8742,833 -8743,8743,836 -8744,8744,805 -8745,8745,633 -8746,8746,700 -8747,8747,607 -8748,8748,607 -8749,8749,853 -8750,8750,214 -8751,8751,839 -8752,8752,999 -8753,8753,1 -8754,8754,728 -8755,8755,1064 -8756,8756,1182 -8757,8757,970 -8758,8758,159 -8759,8759,417 -8760,8760,384 -8761,8761,850 -8762,8762,850 -8763,8763,819 -8764,8764,270 -8765,8765,892 -8766,8766,660 -8767,8767,1253 -8768,8768,1253 -8769,8769,607 -8770,8770,283 -8771,8771,175 -8772,8772,541 -8773,8773,363 -8774,8774,899 -8775,8775,791 -8776,8776,278 -8777,8777,686 -8778,8778,571 -8779,8779,678 -8780,8780,395 -8781,8781,23 -8782,8782,944 -8783,8783,398 -8784,8784,1005 -8785,8785,864 -8786,8786,533 -8787,8787,310 -8788,8788,857 -8789,8789,857 -8790,8790,777 -8791,8791,805 -8792,8792,805 -8793,8793,1271 -8794,8794,964 -8795,8795,967 -8796,8796,977 -8797,8797,977 -8798,8798,275 -8799,8799,6 -8800,8800,274 -8801,8801,150 -8802,8802,569 -8803,8803,591 -8804,8804,1145 -8805,8805,1294 -8806,8806,853 -8807,8807,640 -8808,8808,1064 -8809,8809,187 -8810,8810,90 -8811,8811,66 -8812,8812,591 -8813,8813,686 -8814,8814,1070 -8815,8815,1278 -8816,8816,637 -8817,8817,749 -8818,8818,969 -8819,8819,38 -8820,8820,515 -8821,8821,799 -8822,8822,1294 -8823,8823,478 -8824,8824,1193 -8825,8825,939 -8826,8826,571 -8827,8827,19 -8828,8828,308 -8829,8829,369 -8830,8830,370 -8831,8831,17 -8832,8832,703 -8833,8833,853 -8834,8834,420 -8835,8835,266 -8836,8836,71 -8837,8837,1014 -8838,8838,823 -8839,8839,174 -8840,8840,602 -8841,8841,1167 -8842,8842,165 -8843,8843,772 -8844,8844,252 -8845,8845,853 -8846,8846,855 -8847,8847,927 -8848,8848,492 -8849,8849,578 -8850,8850,551 -8851,8851,402 -8852,8852,417 -8853,8853,916 -8854,8854,977 -8855,8855,368 -8856,8856,830 -8857,8857,253 -8858,8858,685 -8859,8859,804 -8860,8860,330 -8861,8861,837 -8862,8862,569 -8863,8863,1004 -8864,8864,557 -8865,8865,443 -8866,8866,443 -8867,8867,406 -8868,8868,406 -8869,8869,1031 -8870,8870,356 -8871,8871,157 -8872,8872,38 -8873,8873,987 -8874,8874,794 -8875,8875,181 -8876,8876,805 -8877,8877,805 -8878,8878,1007 -8879,8879,1197 -8880,8880,723 -8881,8881,539 -8882,8882,1128 -8883,8883,622 -8884,8884,622 -8885,8885,174 -8886,8886,154 -8887,8887,606 -8888,8888,605 -8889,8889,915 -8890,8890,543 -8891,8891,112 -8892,8892,903 -8893,8893,669 -8894,8894,515 -8895,8895,1240 -8896,8896,616 -8897,8897,1195 -8898,8898,1197 -8899,8899,608 -8900,8900,1172 -8901,8901,977 -8902,8902,1017 -8903,8903,956 -8904,8904,1017 -8905,8905,278 -8906,8906,278 -8907,8907,1119 -8908,8908,1078 -8909,8909,1078 -8910,8910,45 -8911,8911,169 -8912,8912,685 -8913,8913,691 -8914,8914,761 -8915,8915,761 -8916,8916,1156 -8917,8917,900 -8918,8918,803 -8919,8919,805 -8920,8920,900 -8921,8921,803 -8922,8922,805 -8923,8923,300 -8924,8924,300 -8925,8925,944 -8926,8926,494 -8927,8927,751 -8928,8928,640 -8929,8929,751 -8930,8930,316 -8931,8931,1050 -8932,8932,763 -8933,8933,673 -8934,8934,300 -8935,8935,729 -8936,8936,547 -8937,8937,549 -8938,8938,620 -8939,8939,112 -8940,8940,1016 -8941,8941,44 -8942,8942,45 -8943,8943,45 -8944,8944,23 -8945,8945,44 -8946,8946,788 -8947,8947,127 -8948,8948,118 -8949,8949,884 -8950,8950,146 -8951,8951,204 -8952,8952,12 -8953,8953,114 -8954,8954,731 -8955,8955,880 -8956,8956,543 -8957,8957,392 -8958,8958,1089 -8959,8959,435 -8960,8960,751 -8961,8961,878 -8962,8962,878 -8963,8963,880 -8964,8964,1061 -8965,8965,724 -8966,8966,667 -8967,8967,667 -8968,8968,690 -8969,8969,690 -8970,8970,1014 -8971,8971,226 -8972,8972,411 -8973,8973,344 -8974,8974,554 -8975,8975,849 -8976,8976,93 -8977,8977,146 -8978,8978,703 -8979,8979,1152 -8980,8980,1152 -8981,8981,975 -8982,8982,822 -8983,8983,324 -8984,8984,1194 -8985,8985,1206 -8986,8986,376 -8987,8987,1 -8988,8988,1 -8989,8989,20 -8990,8990,474 -8991,8991,155 -8992,8992,243 -8993,8993,344 -8994,8994,602 -8995,8995,308 -8996,8996,808 -8997,8997,904 -8998,8998,1288 -8999,8999,902 -9000,9000,627 -9001,9001,860 -9002,9002,919 -9003,9003,169 -9004,9004,897 -9005,9005,1078 -9006,9006,1097 -9007,9007,976 -9008,9008,390 -9009,9009,131 -9010,9010,969 -9011,9011,1048 -9012,9012,214 -9013,9013,1189 -9014,9014,61 -9015,9015,61 -9016,9016,1064 -9017,9017,1028 -9018,9018,1028 -9019,9019,224 -9020,9020,587 -9021,9021,425 -9022,9022,425 -9023,9023,902 -9024,9024,607 -9025,9025,593 -9026,9026,607 -9027,9027,61 -9028,9028,49 -9029,9029,897 -9030,9030,61 -9031,9031,369 -9032,9032,125 -9033,9033,596 -9034,9034,595 -9035,9035,596 -9036,9036,113 -9037,9037,515 -9038,9038,401 -9039,9039,1288 -9040,9040,781 -9041,9041,813 -9042,9042,640 -9043,9043,134 -9044,9044,93 -9045,9045,725 -9046,9046,115 -9047,9047,115 -9048,9048,9 -9049,9049,895 -9050,9050,798 -9051,9051,957 -9052,9052,584 -9053,9053,1290 -9054,9054,1288 -9055,9055,1288 -9056,9056,901 -9057,9057,893 -9058,9058,893 -9059,9059,63 -9060,9060,64 -9061,9061,784 -9062,9062,597 -9063,9063,566 -9064,9064,566 -9065,9065,999 -9066,9066,973 -9067,9067,1292 -9068,9068,857 -9069,9069,880 -9070,9070,47 -9071,9071,923 -9072,9072,41 -9073,9073,796 -9074,9074,660 -9075,9075,777 -9076,9076,976 -9077,9077,839 -9078,9078,839 -9079,9079,841 -9080,9080,1230 -9081,9081,71 -9082,9082,71 -9083,9083,833 -9084,9084,618 -9085,9085,377 -9086,9086,1287 -9087,9087,1121 -9088,9088,1121 -9089,9089,669 -9090,9090,777 -9091,9091,1048 -9092,9092,1159 -9093,9093,71 -9094,9094,795 -9095,9095,564 -9096,9096,564 -9097,9097,485 -9098,9098,487 -9099,9099,126 -9100,9100,127 -9101,9101,125 -9102,9102,930 -9103,9103,930 -9104,9104,118 -9105,9105,133 -9106,9106,133 -9107,9107,587 -9108,9108,557 -9109,9109,557 -9110,9110,152 -9111,9111,376 -9112,9112,932 -9113,9113,314 -9114,9114,907 -9115,9115,944 -9116,9116,944 -9117,9117,446 -9118,9118,969 -9119,9119,215 -9120,9120,274 -9121,9121,794 -9122,9122,794 -9123,9123,1073 -9124,9124,327 -9125,9125,952 -9126,9126,503 -9127,9127,584 -9128,9128,1121 -9129,9129,587 -9130,9130,897 -9131,9131,262 -9132,9132,262 -9133,9133,93 -9134,9134,62 -9135,9135,902 -9136,9136,607 -9137,9137,602 -9138,9138,607 -9139,9139,139 -9140,9140,223 -9141,9141,798 -9142,9142,260 -9143,9143,566 -9144,9144,8 -9145,9145,587 -9146,9146,869 -9147,9147,869 -9148,9148,869 -9149,9149,823 -9150,9150,823 -9151,9151,823 -9152,9152,574 -9153,9153,376 -9154,9154,823 -9155,9155,327 -9156,9156,327 -9157,9157,696 -9158,9158,286 -9159,9159,287 -9160,9160,292 -9161,9161,291 -9162,9162,59 -9163,9163,640 -9164,9164,1141 -9165,9165,1141 -9166,9166,820 -9167,9167,820 -9168,9168,928 -9169,9169,138 -9170,9170,346 -9171,9171,425 -9172,9172,48 -9173,9173,51 -9174,9174,912 -9175,9175,10 -9176,9176,10 -9177,9177,653 -9178,9178,653 -9179,9179,860 -9180,9180,833 -9181,9181,833 -9182,9182,1147 -9183,9183,875 -9184,9184,833 -9185,9185,170 -9186,9186,369 -9187,9187,369 -9188,9188,655 -9189,9189,157 -9190,9190,912 -9191,9191,858 -9192,9192,928 -9193,9193,806 -9194,9194,346 -9195,9195,849 -9196,9196,97 -9197,9197,803 -9198,9198,114 -9199,9199,114 -9200,9200,1141 -9201,9201,740 -9202,9202,115 -9203,9203,424 -9204,9204,135 -9205,9205,97 -9206,9206,827 -9207,9207,827 -9208,9208,899 -9209,9209,61 -9210,9210,1085 -9211,9211,1085 -9212,9212,135 -9213,9213,905 -9214,9214,912 -9215,9215,59 -9216,9216,383 -9217,9217,869 -9218,9218,871 -9219,9219,906 -9220,9220,906 -9221,9221,1126 -9222,9222,739 -9223,9223,932 -9224,9224,932 -9225,9225,932 -9226,9226,1277 -9227,9227,843 -9228,9228,744 -9229,9229,127 -9230,9230,103 -9231,9231,145 -9232,9232,404 -9233,9233,243 -9234,9234,243 -9235,9235,588 -9236,9236,751 -9237,9237,21 -9238,9238,912 -9239,9239,814 -9240,9240,912 -9241,9241,36 -9242,9242,697 -9243,9243,698 -9244,9244,453 -9245,9245,456 -9246,9246,800 -9247,9247,742 -9248,9248,650 -9249,9249,822 -9250,9250,466 -9251,9251,238 -9252,9252,542 -9253,9253,466 -9254,9254,697 -9255,9255,1245 -9256,9256,1257 -9257,9257,431 -9258,9258,431 -9259,9259,21 -9260,9260,23 -9261,9261,45 -9262,9262,45 -9263,9263,993 -9264,9264,993 -9265,9265,45 -9266,9266,131 -9267,9267,1263 -9268,9268,374 -9269,9269,559 -9270,9270,263 -9271,9271,749 -9272,9272,858 -9273,9273,660 -9274,9274,660 -9275,9275,1015 -9276,9276,1149 -9277,9277,901 -9278,9278,238 -9279,9279,605 -9280,9280,515 -9281,9281,887 -9282,9282,335 -9283,9283,953 -9284,9284,174 -9285,9285,1256 -9286,9286,413 -9287,9287,661 -9288,9288,836 -9289,9289,53 -9290,9290,1278 -9291,9291,319 -9292,9292,231 -9293,9293,231 -9294,9294,174 -9295,9295,174 -9296,9296,327 -9297,9297,319 -9298,9298,1102 -9299,9299,1273 -9300,9300,1102 -9301,9301,795 -9302,9302,1273 -9303,9303,1291 -9304,9304,470 -9305,9305,1141 -9306,9306,127 -9307,9307,839 -9308,9308,50 -9309,9309,1038 -9310,9310,322 -9311,9311,1291 -9312,9312,63 -9313,9313,64 -9314,9314,36 -9315,9315,1273 -9316,9316,153 -9317,9317,1104 -9318,9318,1141 -9319,9319,811 -9320,9320,751 -9321,9321,184 -9322,9322,905 -9323,9323,50 -9324,9324,32 -9325,9325,639 -9326,9326,555 -9327,9327,1213 -9328,9328,186 -9329,9329,498 -9330,9330,23 -9331,9331,191 -9332,9332,841 -9333,9333,125 -9334,9334,125 -9335,9335,125 -9336,9336,53 -9337,9337,789 -9338,9338,805 -9339,9339,902 -9340,9340,116 -9341,9341,668 -9342,9342,768 -9343,9343,444 -9344,9344,764 -9345,9345,919 -9346,9346,116 -9347,9347,1005 -9348,9348,947 -9349,9349,421 -9350,9350,636 -9351,9351,895 -9352,9352,727 -9353,9353,591 -9354,9354,593 -9355,9355,1278 -9356,9356,306 -9357,9357,264 -9358,9358,925 -9359,9359,819 -9360,9360,1260 -9361,9361,727 -9362,9362,995 -9363,9363,1079 -9364,9364,795 -9365,9365,1134 -9366,9366,1134 -9367,9367,71 -9368,9368,424 -9369,9369,905 -9370,9370,47 -9371,9371,306 -9372,9372,1013 -9373,9373,905 -9374,9374,489 -9375,9375,490 -9376,9376,1107 -9377,9377,725 -9378,9378,679 -9379,9379,903 -9380,9380,344 -9381,9381,915 -9382,9382,257 -9383,9383,257 -9384,9384,127 -9385,9385,336 -9386,9386,242 -9387,9387,408 -9388,9388,474 -9389,9389,1036 -9390,9390,942 -9391,9391,620 -9392,9392,187 -9393,9393,881 -9394,9394,987 -9395,9395,527 -9396,9396,833 -9397,9397,1169 -9398,9398,802 -9399,9399,802 -9400,9400,413 -9401,9401,344 -9402,9402,1103 -9403,9403,474 -9404,9404,474 -9405,9405,1273 -9406,9406,258 -9407,9407,228 -9408,9408,228 -9409,9409,738 -9410,9410,187 -9411,9411,618 -9412,9412,618 -9413,9413,841 -9414,9414,1033 -9415,9415,999 -9416,9416,999 -9417,9417,700 -9418,9418,798 -9419,9419,843 -9420,9420,843 -9421,9421,47 -9422,9422,93 -9423,9423,230 -9424,9424,1186 -9425,9425,849 -9426,9426,976 -9427,9427,591 -9428,9428,429 -9429,9429,1189 -9430,9430,1189 -9431,9431,1265 -9432,9432,1079 -9433,9433,616 -9434,9434,308 -9435,9435,19 -9436,9436,1213 -9437,9437,234 -9438,9438,1233 -9439,9439,881 -9440,9440,772 -9441,9441,1283 -9442,9442,907 -9443,9443,1014 -9444,9444,809 -9445,9445,47 -9446,9446,616 -9447,9447,821 -9448,9448,38 -9449,9449,983 -9450,9450,620 -9451,9451,903 -9452,9452,798 -9453,9453,1121 -9454,9454,776 -9455,9455,564 -9456,9456,659 -9457,9457,13 -9458,9458,453 -9459,9459,914 -9460,9460,371 -9461,9461,710 -9462,9462,736 -9463,9463,764 -9464,9464,640 -9465,9465,467 -9466,9466,650 -9467,9467,169 -9468,9468,697 -9469,9469,848 -9470,9470,149 -9471,9471,600 -9472,9472,393 -9473,9473,1168 -9474,9474,1289 -9475,9475,432 -9476,9476,182 -9477,9477,718 -9478,9478,636 -9479,9479,636 -9480,9480,174 -9481,9481,728 -9482,9482,1129 -9483,9483,270 -9484,9484,439 -9485,9485,1182 -9486,9486,318 -9487,9487,1129 -9488,9488,342 -9489,9489,925 -9490,9490,798 -9491,9491,433 -9492,9492,1186 -9493,9493,370 -9494,9494,433 -9495,9495,1274 -9496,9496,887 -9497,9497,1186 -9498,9498,768 -9499,9499,826 -9500,9500,968 -9501,9501,932 -9502,9502,777 -9503,9503,182 -9504,9504,581 -9505,9505,391 -9506,9506,391 -9507,9507,494 -9508,9508,763 -9509,9509,895 -9510,9510,391 -9511,9511,391 -9512,9512,826 -9513,9513,1019 -9514,9514,127 -9515,9515,127 -9516,9516,127 -9517,9517,640 -9518,9518,640 -9519,9519,566 -9520,9520,127 -9521,9521,674 -9522,9522,725 -9523,9523,789 -9524,9524,137 -9525,9525,246 -9526,9526,276 -9527,9527,932 -9528,9528,907 -9529,9529,108 -9530,9530,573 -9531,9531,116 -9532,9532,116 -9533,9533,1035 -9534,9534,306 -9535,9535,932 -9536,9536,46 -9537,9537,125 -9538,9538,125 -9539,9539,473 -9540,9540,606 -9541,9541,606 -9542,9542,324 -9543,9543,76 -9544,9544,139 -9545,9545,242 -9546,9546,676 -9547,9547,507 -9548,9548,413 -9549,9549,154 -9550,9550,154 -9551,9551,344 -9552,9552,814 -9553,9553,31 -9554,9554,843 -9555,9555,115 -9556,9556,809 -9557,9557,673 -9558,9558,899 -9559,9559,901 -9560,9560,676 -9561,9561,650 -9562,9562,779 -9563,9563,565 -9564,9564,1070 -9565,9565,1182 -9566,9566,843 -9567,9567,869 -9568,9568,970 -9569,9569,905 -9570,9570,377 -9571,9571,660 -9572,9572,327 -9573,9573,503 -9574,9574,728 -9575,9575,1016 -9576,9576,821 -9577,9577,587 -9578,9578,1189 -9579,9579,1189 -9580,9580,507 -9581,9581,431 -9582,9582,798 -9583,9583,170 -9584,9584,1177 -9585,9585,381 -9586,9586,781 -9587,9587,875 -9588,9588,23 -9589,9589,344 -9590,9590,1257 -9591,9591,206 -9592,9592,1102 -9593,9593,667 -9594,9594,410 -9595,9595,53 -9596,9596,843 -9597,9597,569 -9598,9598,17 -9599,9599,554 -9600,9600,300 -9601,9601,439 -9602,9602,803 -9603,9603,264 -9604,9604,176 -9605,9605,993 -9606,9606,993 -9607,9607,71 -9608,9608,930 -9609,9609,177 -9610,9610,1200 -9611,9611,1079 -9612,9612,1079 -9613,9613,675 -9614,9614,584 -9615,9615,941 -9616,9616,334 -9617,9617,766 -9618,9618,717 -9619,9619,1079 -9620,9620,952 -9621,9621,675 -9622,9622,565 -9623,9623,798 -9624,9624,23 -9625,9625,605 -9626,9626,564 -9627,9627,899 -9628,9628,901 -9629,9629,378 -9630,9630,512 -9631,9631,342 -9632,9632,826 -9633,9633,342 -9634,9634,338 -9635,9635,338 -9636,9636,301 -9637,9637,128 -9638,9638,830 -9639,9639,969 -9640,9640,153 -9641,9641,47 -9642,9642,39 -9643,9643,587 -9644,9644,342 -9645,9645,474 -9646,9646,128 -9647,9647,882 -9648,9648,907 -9649,9649,1035 -9650,9650,658 -9651,9651,48 -9652,9652,39 -9653,9653,31 -9654,9654,661 -9655,9655,758 -9656,9656,761 -9657,9657,639 -9658,9658,925 -9659,9659,837 -9660,9660,127 -9661,9661,187 -9662,9662,431 -9663,9663,21 -9664,9664,21 -9665,9665,659 -9666,9666,768 -9667,9667,92 -9668,9668,10 -9669,9669,220 -9670,9670,155 -9671,9671,377 -9672,9672,880 -9673,9673,39 -9674,9674,728 -9675,9675,386 -9676,9676,1066 -9677,9677,649 -9678,9678,294 -9679,9679,875 -9680,9680,768 -9681,9681,23 -9682,9682,274 -9683,9683,93 -9684,9684,1217 -9685,9685,65 -9686,9686,752 -9687,9687,591 -9688,9688,796 -9689,9689,768 -9690,9690,803 -9691,9691,1230 -9692,9692,1230 -9693,9693,55 -9694,9694,795 -9695,9695,965 -9696,9696,87 -9697,9697,976 -9698,9698,593 -9699,9699,1271 -9700,9700,809 -9701,9701,1283 -9702,9702,576 -9703,9703,47 -9704,9704,828 -9705,9705,900 -9706,9706,900 -9707,9707,127 -9708,9708,65 -9709,9709,607 -9710,9710,770 -9711,9711,65 -9712,9712,605 -9713,9713,1121 -9714,9714,65 -9715,9715,669 -9716,9716,564 -9717,9717,608 -9718,9718,606 -9719,9719,900 -9720,9720,1251 -9721,9721,804 -9722,9722,804 -9723,9723,45 -9724,9724,607 -9725,9725,797 -9726,9726,174 -9727,9727,210 -9728,9728,840 -9729,9729,891 -9730,9730,986 -9731,9731,286 -9732,9732,286 -9733,9733,584 -9734,9734,843 -9735,9735,607 -9736,9736,564 -9737,9737,566 -9738,9738,1091 -9739,9739,955 -9740,9740,584 -9741,9741,1236 -9742,9742,262 -9743,9743,262 -9744,9744,341 -9745,9745,292 -9746,9746,881 -9747,9747,881 -9748,9748,881 -9749,9749,881 -9750,9750,292 -9751,9751,256 -9752,9752,256 -9753,9753,256 -9754,9754,259 -9755,9755,273 -9756,9756,306 -9757,9757,273 -9758,9758,784 -9759,9759,307 -9760,9760,781 -9761,9761,781 -9762,9762,761 -9763,9763,1111 -9764,9764,564 -9765,9765,564 -9766,9766,507 -9767,9767,753 -9768,9768,753 -9769,9769,850 -9770,9770,308 -9771,9771,352 -9772,9772,1050 -9773,9773,77 -9774,9774,375 -9775,9775,35 -9776,9776,897 -9777,9777,881 -9778,9778,870 -9779,9779,870 -9780,9780,564 -9781,9781,357 -9782,9782,357 -9783,9783,12 -9784,9784,1215 -9785,9785,274 -9786,9786,393 -9787,9787,975 -9788,9788,342 -9789,9789,343 -9790,9790,283 -9791,9791,300 -9792,9792,129 -9793,9793,1021 -9794,9794,1021 -9795,9795,94 -9796,9796,17 -9797,9797,177 -9798,9798,474 -9799,9799,383 -9800,9800,483 -9801,9801,659 -9802,9802,386 -9803,9803,386 -9804,9804,425 -9805,9805,224 -9806,9806,1111 -9807,9807,332 -9808,9808,882 -9809,9809,78 -9810,9810,91 -9811,9811,821 -9812,9812,46 -9813,9813,892 -9814,9814,167 -9815,9815,876 -9816,9816,739 -9817,9817,843 -9818,9818,843 -9819,9819,948 -9820,9820,798 -9821,9821,795 -9822,9822,795 -9823,9823,1037 -9824,9824,1030 -9825,9825,151 -9826,9826,1182 -9827,9827,835 -9828,9828,439 -9829,9829,587 -9830,9830,1047 -9831,9831,701 -9832,9832,62 -9833,9833,515 -9834,9834,515 -9835,9835,54 -9836,9836,1069 -9837,9837,126 -9838,9838,1189 -9839,9839,883 -9840,9840,125 -9841,9841,23 -9842,9842,123 -9843,9843,596 -9844,9844,596 -9845,9845,206 -9846,9846,206 -9847,9847,652 -9848,9848,688 -9849,9849,673 -9850,9850,840 -9851,9851,875 -9852,9852,112 -9853,9853,751 -9854,9854,127 \ No newline at end of file diff --git a/static/data/supabase-pinyin.csv b/static/data/supabase-pinyin.csv deleted file mode 100644 index d9b0772..0000000 --- a/static/data/supabase-pinyin.csv +++ /dev/null @@ -1,1295 +0,0 @@ -id,name,latin,tone -1,ā,a,1 -2,á,a,2 -3,ǎ,a,3 -4,à,a,4 -5,a,a, -6,āi,ai,1 -7,ái,ai,2 -8,ǎi,ai,3 -9,ài,ai,4 -10,ān,an,1 -11,ǎn,an,3 -12,àn,an,4 -13,āng,ang,1 -14,áng,ang,2 -15,àng,ang,4 -16,āo,ao,1 -17,áo,ao,2 -18,ǎo,ao,3 -19,ào,ao,4 -20,ē,e,1 -21,é,e,2 -22,ě,e,3 -23,è,e,4 -24,ēi,ei,1 -25,éi,ei,2 -26,ěi,ei,3 -27,èi,ei,4 -28,ēn,en,1 -29,èn,en,4 -30,en,en, -31,ér,er,2 -32,ěr,er,3 -33,èr,er,4 -34,er,er, -35,yī,yi,1 -36,yí,yi,2 -37,yǐ,yi,3 -38,yì,yi,4 -39,yā,ya,1 -40,yá,ya,2 -41,yǎ,ya,3 -42,yà,ya,4 -43,ya,ya, -44,yān,yan,1 -45,yán,yan,2 -46,yǎn,yan,3 -47,yàn,yan,4 -48,yāng,yang,1 -49,yáng,yang,2 -50,yǎng,yang,3 -51,yàng,yang,4 -52,yāo,yao,1 -53,yáo,yao,2 -54,yǎo,yao,3 -55,yào,yao,4 -56,yē,ye,1 -57,yé,ye,2 -58,yě,ye,3 -59,yè,ye,4 -60,ye,ye, -61,yīn,yin,1 -62,yín,yin,2 -63,yǐn,yin,3 -64,yìn,yin,4 -65,yīng,ying,1 -66,yíng,ying,2 -67,yǐng,ying,3 -68,yìng,ying,4 -69,yō,yo,1 -70,yo,yo, -71,yōng,yong,1 -72,yóng,yong,2 -73,yǒng,yong,3 -74,yòng,yong,4 -75,yōu,you,1 -76,yóu,you,2 -77,yǒu,you,3 -78,yòu,you,4 -79,ō,o,1 -80,ó,o,2 -81,ǒ,o,3 -82,ò,o,4 -83,o,o, -84,wēng,weng,1 -85,wěng,weng,3 -86,wèng,weng,4 -87,ōu,ou,1 -88,ǒu,ou,3 -89,òu,ou,4 -90,wū,wu,1 -91,wú,wu,2 -92,wǔ,wu,3 -93,wù,wu,4 -94,wā,wa,1 -95,wá,wa,2 -96,wǎ,wa,3 -97,wà,wa,4 -98,wa,wa, -99,wāi,wai,1 -100,wǎi,wai,3 -101,wài,wai,4 -102,wān,wan,1 -103,wán,wan,2 -104,wǎn,wan,3 -105,wàn,wan,4 -106,wāng,wang,1 -107,wáng,wang,2 -108,wǎng,wang,3 -109,wàng,wang,4 -110,yuē,yue,1 -111,yuě,yue,3 -112,yuè,yue,4 -113,wēi,wei,1 -114,wéi,wei,2 -115,wěi,wei,3 -116,wèi,wei,4 -117,wēn,wen,1 -118,wén,wen,2 -119,wěn,wen,3 -120,wèn,wen,4 -121,wō,wo,1 -122,wǒ,wo,3 -123,wò,wo,4 -124,yū,yu,1 -125,yú,yu,2 -126,yǔ,yu,3 -127,yù,yu,4 -128,yuān,yuan,1 -129,yuán,yuan,2 -130,yuǎn,yuan,3 -131,yuàn,yuan,4 -132,yūn,yun,1 -133,yún,yun,2 -134,yǔn,yun,3 -135,yùn,yun,4 -136,bā,ba,1 -137,bá,ba,2 -138,bǎ,ba,3 -139,bà,ba,4 -140,ba,ba, -141,bāi,bai,1 -142,bái,bai,2 -143,bǎi,bai,3 -144,bài,bai,4 -145,bān,ban,1 -146,bǎn,ban,3 -147,bàn,ban,4 -148,bāng,bang,1 -149,bǎng,bang,3 -150,bàng,bang,4 -151,bāo,bao,1 -152,báo,bao,2 -153,bǎo,bao,3 -154,bào,bao,4 -155,bēi,bei,1 -156,běi,bei,3 -157,bèi,bei,4 -158,bei,bei, -159,bēn,ben,1 -160,běn,ben,3 -161,bèn,ben,4 -162,bēng,beng,1 -163,béng,beng,2 -164,běng,beng,3 -165,bèng,beng,4 -166,bī,bi,1 -167,bí,bi,2 -168,bǐ,bi,3 -169,bì,bi,4 -170,biān,bian,1 -171,biǎn,bian,3 -172,biàn,bian,4 -173,bian,bian, -174,biāo,biao,1 -175,biǎo,biao,3 -176,biào,biao,4 -177,biē,bie,1 -178,bié,bie,2 -179,biě,bie,3 -180,biè,bie,4 -181,bīn,bin,1 -182,bìn,bin,4 -183,bīng,bing,1 -184,bǐng,bing,3 -185,bìng,bing,4 -186,bō,bo,1 -187,bó,bo,2 -188,bǒ,bo,3 -189,bò,bo,4 -190,bo,bo, -191,bū,bu,1 -192,bú,bu,2 -193,bǔ,bu,3 -194,bù,bu,4 -195,pā,pa,1 -196,pá,pa,2 -197,pà,pa,4 -198,pāi,pai,1 -199,pái,pai,2 -200,pǎi,pai,3 -201,pài,pai,4 -202,pān,pan,1 -203,pán,pan,2 -204,pàn,pan,4 -205,pāng,pang,1 -206,páng,pang,2 -207,pǎng,pang,3 -208,pàng,pang,4 -209,pāo,pao,1 -210,páo,pao,2 -211,pǎo,pao,3 -212,pào,pao,4 -213,pēi,pei,1 -214,péi,pei,2 -215,pèi,pei,4 -216,pēn,pen,1 -217,pén,pen,2 -218,pèn,pen,4 -219,pēng,peng,1 -220,péng,peng,2 -221,pěng,peng,3 -222,pèng,peng,4 -223,pī,pi,1 -224,pí,pi,2 -225,pǐ,pi,3 -226,pì,pi,4 -227,piān,pian,1 -228,pián,pian,2 -229,piǎn,pian,3 -230,piàn,pian,4 -231,piāo,piao,1 -232,piáo,piao,2 -233,piǎo,piao,3 -234,piào,piao,4 -235,piē,pie,1 -236,piě,pie,3 -237,pīn,pin,1 -238,pín,pin,2 -239,pǐn,pin,3 -240,pìn,pin,4 -241,pīng,ping,1 -242,píng,ping,2 -243,pō,po,1 -244,pó,po,2 -245,pǒ,po,3 -246,pò,po,4 -247,po,po, -248,pōu,pou,1 -249,póu,pou,2 -250,pǒu,pou,3 -251,pū,pu,1 -252,pú,pu,2 -253,pǔ,pu,3 -254,pù,pu,4 -255,mā,ma,1 -256,má,ma,2 -257,mǎ,ma,3 -258,mà,ma,4 -259,ma,ma, -260,mái,mai,2 -261,mǎi,mai,3 -262,mài,mai,4 -263,mān,man,1 -264,mán,man,2 -265,mǎn,man,3 -266,màn,man,4 -267,máng,mang,2 -268,mǎng,mang,3 -269,māo,mao,1 -270,máo,mao,2 -271,mǎo,mao,3 -272,mào,mao,4 -273,me,me, -274,méi,mei,2 -275,měi,mei,3 -276,mèi,mei,4 -277,mēn,men,1 -278,mén,men,2 -279,mèn,men,4 -280,men,men, -281,mēng,meng,1 -282,méng,meng,2 -283,měng,meng,3 -284,mèng,meng,4 -285,mī,mi,1 -286,mí,mi,2 -287,mǐ,mi,3 -288,mì,mi,4 -289,mi,mi, -290,mián,mian,2 -291,miǎn,mian,3 -292,miàn,mian,4 -293,miāo,miao,1 -294,miáo,miao,2 -295,miǎo,miao,3 -296,miào,miao,4 -297,miē,mie,1 -298,miè,mie,4 -299,mín,min,2 -300,mǐn,min,3 -301,míng,ming,2 -302,mǐng,ming,3 -303,mìng,ming,4 -304,miù,miu,4 -305,mō,mo,1 -306,mó,mo,2 -307,mǒ,mo,3 -308,mò,mo,4 -309,mōu,mou,1 -310,móu,mou,2 -311,mǒu,mou,3 -312,mú,mu,2 -313,mǔ,mu,3 -314,mù,mu,4 -315,fā,fa,1 -316,fá,fa,2 -317,fǎ,fa,3 -318,fà,fa,4 -319,fān,fan,1 -320,fán,fan,2 -321,fǎn,fan,3 -322,fàn,fan,4 -323,fāng,fang,1 -324,fáng,fang,2 -325,fǎng,fang,3 -326,fàng,fang,4 -327,fēi,fei,1 -328,féi,fei,2 -329,fěi,fei,3 -330,fèi,fei,4 -331,fēn,fen,1 -332,fén,fen,2 -333,fěn,fen,3 -334,fèn,fen,4 -335,fēng,feng,1 -336,féng,feng,2 -337,fěng,feng,3 -338,fèng,feng,4 -339,fó,fo,2 -340,fǒu,fou,3 -341,fū,fu,1 -342,fú,fu,2 -343,fǔ,fu,3 -344,fù,fu,4 -345,dā,da,1 -346,dá,da,2 -347,dǎ,da,3 -348,dà,da,4 -349,da,da, -350,dāi,dai,1 -351,dǎi,dai,3 -352,dài,dai,4 -353,dān,dan,1 -354,dǎn,dan,3 -355,dàn,dan,4 -356,dāng,dang,1 -357,dǎng,dang,3 -358,dàng,dang,4 -359,dāo,dao,1 -360,dǎo,dao,3 -361,dào,dao,4 -362,dē,de,1 -363,dé,de,2 -364,de,de, -365,děi,dei,3 -366,dēng,deng,1 -367,děng,deng,3 -368,dèng,deng,4 -369,dī,di,1 -370,dí,di,2 -371,dǐ,di,3 -372,dì,di,4 -373,diǎ,dia,3 -374,diān,dian,1 -375,diǎn,dian,3 -376,diàn,dian,4 -377,diāo,diao,1 -378,diǎo,diao,3 -379,diào,diao,4 -380,diē,die,1 -381,dié,die,2 -382,dīng,ding,1 -383,dǐng,ding,3 -384,dìng,ding,4 -385,diū,diu,1 -386,dōng,dong,1 -387,dǒng,dong,3 -388,dòng,dong,4 -389,dōu,dou,1 -390,dǒu,dou,3 -391,dòu,dou,4 -392,dū,du,1 -393,dú,du,2 -394,dǔ,du,3 -395,dù,du,4 -396,duān,duan,1 -397,duǎn,duan,3 -398,duàn,duan,4 -399,duī,dui,1 -400,duǐ,dui,3 -401,duì,dui,4 -402,dūn,dun,1 -403,dǔn,dun,3 -404,dùn,dun,4 -405,duō,duo,1 -406,duó,duo,2 -407,duǒ,duo,3 -408,duò,duo,4 -409,tā,ta,1 -410,tǎ,ta,3 -411,tà,ta,4 -412,tāi,tai,1 -413,tái,tai,2 -414,tǎi,tai,3 -415,tài,tai,4 -416,tān,tan,1 -417,tán,tan,2 -418,tǎn,tan,3 -419,tàn,tan,4 -420,tāng,tang,1 -421,táng,tang,2 -422,tǎng,tang,3 -423,tàng,tang,4 -424,tāo,tao,1 -425,táo,tao,2 -426,tǎo,tao,3 -427,tào,tao,4 -428,tè,te,4 -429,téng,teng,2 -430,tī,ti,1 -431,tí,ti,2 -432,tǐ,ti,3 -433,tì,ti,4 -434,tiān,tian,1 -435,tián,tian,2 -436,tiǎn,tian,3 -437,tiàn,tian,4 -438,tiāo,tiao,1 -439,tiáo,tiao,2 -440,tiǎo,tiao,3 -441,tiào,tiao,4 -442,tiē,tie,1 -443,tiě,tie,3 -444,tiè,tie,4 -445,tīng,ting,1 -446,tíng,ting,2 -447,tǐng,ting,3 -448,tōng,tong,1 -449,tóng,tong,2 -450,tǒng,tong,3 -451,tòng,tong,4 -452,tōu,tou,1 -453,tóu,tou,2 -454,tǒu,tou,3 -455,tòu,tou,4 -456,tou,tou, -457,tū,tu,1 -458,tú,tu,2 -459,tǔ,tu,3 -460,tù,tu,4 -461,tuān,tuan,1 -462,tuán,tuan,2 -463,tuǎn,tuan,3 -464,tuàn,tuan,4 -465,tuī,tui,1 -466,tuí,tui,2 -467,tuǐ,tui,3 -468,tuì,tui,4 -469,tūn,tun,1 -470,tún,tun,2 -471,tǔn,tun,3 -472,tùn,tun,4 -473,tuō,tuo,1 -474,tuó,tuo,2 -475,tuǒ,tuo,3 -476,tuò,tuo,4 -477,nā,na,1 -478,ná,na,2 -479,nǎ,na,3 -480,nà,na,4 -481,na,na, -482,nǎi,nai,3 -483,nài,nai,4 -484,nān,nan,1 -485,nán,nan,2 -486,nǎn,nan,3 -487,nàn,nan,4 -488,nāng,nang,1 -489,náng,nang,2 -490,nǎng,nang,3 -491,nāo,nao,1 -492,náo,nao,2 -493,nǎo,nao,3 -494,nào,nao,4 -495,né,ne,2 -496,nè,ne,4 -497,ne,ne, -498,něi,nei,3 -499,nèi,nei,4 -500,nèn,nen,4 -501,néng,neng,2 -502,nī,ni,1 -503,ní,ni,2 -504,nǐ,ni,3 -505,nì,ni,4 -506,niān,nian,1 -507,nián,nian,2 -508,niǎn,nian,3 -509,niàn,nian,4 -510,niáng,niang,2 -511,niàng,niang,4 -512,niǎo,niao,3 -513,niào,niao,4 -514,niē,nie,1 -515,niè,nie,4 -516,nín,nin,2 -517,níng,ning,2 -518,nǐng,ning,3 -519,nìng,ning,4 -520,niū,niu,1 -521,niú,niu,2 -522,niǔ,niu,3 -523,niù,niu,4 -524,nóng,nong,2 -525,nòng,nong,4 -526,nòu,nou,4 -527,nú,nu,2 -528,nǔ,nu,3 -529,nù,nu,4 -530,nuǎn,nuan,3 -531,nüè,nve,4 -532,nuó,nuo,2 -533,nuò,nuo,4 -534,nǚ,nv,3 -535,nǜ,nv,4 -536,lā,la,1 -537,lá,la,2 -538,lǎ,la,3 -539,là,la,4 -540,la,la, -541,lái,lai,2 -542,lài,lai,4 -543,lán,lan,2 -544,lǎn,lan,3 -545,làn,lan,4 -546,lāng,lang,1 -547,láng,lang,2 -548,lǎng,lang,3 -549,làng,lang,4 -550,lāo,lao,1 -551,láo,lao,2 -552,lǎo,lao,3 -553,lào,lao,4 -554,lè,le,4 -555,le,le, -556,lēi,lei,1 -557,léi,lei,2 -558,lěi,lei,3 -559,lèi,lei,4 -560,lei,lei, -561,léng,leng,2 -562,lěng,leng,3 -563,lèng,leng,4 -564,lí,li,2 -565,lǐ,li,3 -566,lì,li,4 -567,li,li, -568,liǎ,lia,3 -569,lián,lian,2 -570,liǎn,lian,3 -571,liàn,lian,4 -572,liáng,liang,2 -573,liǎng,liang,3 -574,liàng,liang,4 -575,liāo,liao,1 -576,liáo,liao,2 -577,liǎo,liao,3 -578,liào,liao,4 -579,liē,lie,1 -580,liě,lie,3 -581,liè,lie,4 -582,lie,lie, -583,līn,lin,1 -584,lín,lin,2 -585,lǐn,lin,3 -586,lìn,lin,4 -587,líng,ling,2 -588,lǐng,ling,3 -589,lìng,ling,4 -590,liū,liu,1 -591,liú,liu,2 -592,liǔ,liu,3 -593,liù,liu,4 -594,lo,lo, -595,lōng,long,1 -596,lóng,long,2 -597,lǒng,long,3 -598,lòng,long,4 -599,lōu,lou,1 -600,lóu,lou,2 -601,lǒu,lou,3 -602,lòu,lou,4 -603,lou,lou, -604,lū,lu,1 -605,lú,lu,2 -606,lǔ,lu,3 -607,lù,lu,4 -608,luán,luan,2 -609,luǎn,luan,3 -610,luàn,luan,4 -611,lüè,lve,4 -612,lūn,lun,1 -613,lún,lun,2 -614,lùn,lun,4 -615,luō,luo,1 -616,luó,luo,2 -617,luǒ,luo,3 -618,luò,luo,4 -619,luo,luo, -620,lǘ,lv,2 -621,lǚ,lv,3 -622,lǜ,lv,4 -623,gā,ga,1 -624,gá,ga,2 -625,gǎ,ga,3 -626,gà,ga,4 -627,gāi,gai,1 -628,gǎi,gai,3 -629,gài,gai,4 -630,gān,gan,1 -631,gǎn,gan,3 -632,gàn,gan,4 -633,gāng,gang,1 -634,gǎng,gang,3 -635,gàng,gang,4 -636,gāo,gao,1 -637,gǎo,gao,3 -638,gào,gao,4 -639,gē,ge,1 -640,gé,ge,2 -641,gě,ge,3 -642,gè,ge,4 -643,gēi,gei,1 -644,gěi,gei,3 -645,gēn,gen,1 -646,gén,gen,2 -647,gěn,gen,3 -648,gèn,gen,4 -649,gēng,geng,1 -650,gěng,geng,3 -651,gèng,geng,4 -652,gōng,gong,1 -653,gǒng,gong,3 -654,gòng,gong,4 -655,gōu,gou,1 -656,gǒu,gou,3 -657,gòu,gou,4 -658,gū,gu,1 -659,gǔ,gu,3 -660,gù,gu,4 -661,guā,gua,1 -662,guǎ,gua,3 -663,guà,gua,4 -664,guāi,guai,1 -665,guǎi,guai,3 -666,guài,guai,4 -667,guān,guan,1 -668,guǎn,guan,3 -669,guàn,guan,4 -670,guāng,guang,1 -671,guǎng,guang,3 -672,guàng,guang,4 -673,guī,gui,1 -674,guǐ,gui,3 -675,guì,gui,4 -676,gǔn,gun,3 -677,gùn,gun,4 -678,guō,guo,1 -679,guó,guo,2 -680,guǒ,guo,3 -681,guò,guo,4 -682,guo,guo, -683,kā,ka,1 -684,kǎ,ka,3 -685,kāi,kai,1 -686,kǎi,kai,3 -687,kài,kai,4 -688,kān,kan,1 -689,kǎn,kan,3 -690,kàn,kan,4 -691,kāng,kang,1 -692,káng,kang,2 -693,kàng,kang,4 -694,kāo,kao,1 -695,kǎo,kao,3 -696,kào,kao,4 -697,kē,ke,1 -698,ké,ke,2 -699,kě,ke,3 -700,kè,ke,4 -701,kěn,ken,3 -702,kèn,ken,4 -703,kēng,keng,1 -704,kōng,kong,1 -705,kǒng,kong,3 -706,kòng,kong,4 -707,kōu,kou,1 -708,kǒu,kou,3 -709,kòu,kou,4 -710,kū,ku,1 -711,kǔ,ku,3 -712,kù,ku,4 -713,kuā,kua,1 -714,kuǎ,kua,3 -715,kuà,kua,4 -716,kuǎi,kuai,3 -717,kuài,kuai,4 -718,kuān,kuan,1 -719,kuǎn,kuan,3 -720,kuāng,kuang,1 -721,kuáng,kuang,2 -722,kuǎng,kuang,3 -723,kuàng,kuang,4 -724,kuī,kui,1 -725,kuí,kui,2 -726,kuǐ,kui,3 -727,kuì,kui,4 -728,kūn,kun,1 -729,kǔn,kun,3 -730,kùn,kun,4 -731,kuò,kuo,4 -732,hā,ha,1 -733,há,ha,2 -734,hǎ,ha,3 -735,hāi,hai,1 -736,hái,hai,2 -737,hǎi,hai,3 -738,hài,hai,4 -739,hān,han,1 -740,hán,han,2 -741,hǎn,han,3 -742,hàn,han,4 -743,hāng,hang,1 -744,háng,hang,2 -745,hàng,hang,4 -746,hāo,hao,1 -747,háo,hao,2 -748,hǎo,hao,3 -749,hào,hao,4 -750,hē,he,1 -751,hé,he,2 -752,hè,he,4 -753,hēi,hei,1 -754,hén,hen,2 -755,hěn,hen,3 -756,hèn,hen,4 -757,hēng,heng,1 -758,héng,heng,2 -759,hèng,heng,4 -760,hōng,hong,1 -761,hóng,hong,2 -762,hǒng,hong,3 -763,hòng,hong,4 -764,hóu,hou,2 -765,hǒu,hou,3 -766,hòu,hou,4 -767,hū,hu,1 -768,hú,hu,2 -769,hǔ,hu,3 -770,hù,hu,4 -771,huā,hua,1 -772,huá,hua,2 -773,huà,hua,4 -774,huái,huai,2 -775,huài,huai,4 -776,huān,huan,1 -777,huán,huan,2 -778,huǎn,huan,3 -779,huàn,huan,4 -780,huāng,huang,1 -781,huáng,huang,2 -782,huǎng,huang,3 -783,huàng,huang,4 -784,huī,hui,1 -785,huí,hui,2 -786,huǐ,hui,3 -787,huì,hui,4 -788,hūn,hun,1 -789,hún,hun,2 -790,hùn,hun,4 -791,huō,huo,1 -792,huó,huo,2 -793,huǒ,huo,3 -794,huò,huo,4 -795,jī,ji,1 -796,jí,ji,2 -797,jǐ,ji,3 -798,jì,ji,4 -799,jiā,jia,1 -800,jiá,jia,2 -801,jiǎ,jia,3 -802,jià,jia,4 -803,jiān,jian,1 -804,jiǎn,jian,3 -805,jiàn,jian,4 -806,jiāng,jiang,1 -807,jiǎng,jiang,3 -808,jiàng,jiang,4 -809,jiāo,jiao,1 -810,jiáo,jiao,2 -811,jiǎo,jiao,3 -812,jiào,jiao,4 -813,jiē,jie,1 -814,jié,jie,2 -815,jiě,jie,3 -816,jiè,jie,4 -817,jie,jie, -818,jīn,jin,1 -819,jǐn,jin,3 -820,jìn,jin,4 -821,jīng,jing,1 -822,jǐng,jing,3 -823,jìng,jing,4 -824,jiōng,jiong,1 -825,jiǒng,jiong,3 -826,jiū,jiu,1 -827,jiǔ,jiu,3 -828,jiù,jiu,4 -829,juē,jue,1 -830,jué,jue,2 -831,juě,jue,3 -832,juè,jue,4 -833,jū,ju,1 -834,jú,ju,2 -835,jǔ,ju,3 -836,jù,ju,4 -837,juān,juan,1 -838,juǎn,juan,3 -839,juàn,juan,4 -840,jūn,jun,1 -841,jùn,jun,4 -842,qī,qi,1 -843,qí,qi,2 -844,qǐ,qi,3 -845,qì,qi,4 -846,qiā,qia,1 -847,qiǎ,qia,3 -848,qià,qia,4 -849,qiān,qian,1 -850,qián,qian,2 -851,qiǎn,qian,3 -852,qiàn,qian,4 -853,qiāng,qiang,1 -854,qiáng,qiang,2 -855,qiǎng,qiang,3 -856,qiàng,qiang,4 -857,qiāo,qiao,1 -858,qiáo,qiao,2 -859,qiǎo,qiao,3 -860,qiào,qiao,4 -861,qiē,qie,1 -862,qié,qie,2 -863,qiě,qie,3 -864,qiè,qie,4 -865,qīn,qin,1 -866,qín,qin,2 -867,qǐn,qin,3 -868,qìn,qin,4 -869,qīng,qing,1 -870,qíng,qing,2 -871,qǐng,qing,3 -872,qìng,qing,4 -873,qiōng,qiong,1 -874,qióng,qiong,2 -875,qiū,qiu,1 -876,qiú,qiu,2 -877,qiǔ,qiu,3 -878,quē,que,1 -879,qué,que,2 -880,què,que,4 -881,qū,qu,1 -882,qú,qu,2 -883,qǔ,qu,3 -884,qù,qu,4 -885,qu,qu, -886,quān,quan,1 -887,quán,quan,2 -888,quǎn,quan,3 -889,quàn,quan,4 -890,qūn,qun,1 -891,qún,qun,2 -892,xī,xi,1 -893,xí,xi,2 -894,xǐ,xi,3 -895,xì,xi,4 -896,xiā,xia,1 -897,xiá,xia,2 -898,xià,xia,4 -899,xiān,xian,1 -900,xián,xian,2 -901,xiǎn,xian,3 -902,xiàn,xian,4 -903,xiāng,xiang,1 -904,xiáng,xiang,2 -905,xiǎng,xiang,3 -906,xiàng,xiang,4 -907,xiāo,xiao,1 -908,xiáo,xiao,2 -909,xiǎo,xiao,3 -910,xiào,xiao,4 -911,xiē,xie,1 -912,xié,xie,2 -913,xiě,xie,3 -914,xiè,xie,4 -915,xīn,xin,1 -916,xín,xin,2 -917,xìn,xin,4 -918,xīng,xing,1 -919,xíng,xing,2 -920,xǐng,xing,3 -921,xìng,xing,4 -922,xiōng,xiong,1 -923,xióng,xiong,2 -924,xiòng,xiong,4 -925,xiū,xiu,1 -926,xiǔ,xiu,3 -927,xiù,xiu,4 -928,xuē,xue,1 -929,xué,xue,2 -930,xuě,xue,3 -931,xuè,xue,4 -932,xū,xu,1 -933,xú,xu,2 -934,xǔ,xu,3 -935,xù,xu,4 -936,xuān,xuan,1 -937,xuán,xuan,2 -938,xuǎn,xuan,3 -939,xuàn,xuan,4 -940,xūn,xun,1 -941,xún,xun,2 -942,xùn,xun,4 -943,zhā,zha,1 -944,zhá,zha,2 -945,zhǎ,zha,3 -946,zhà,zha,4 -947,zha,zha, -948,zhāi,zhai,1 -949,zhái,zhai,2 -950,zhǎi,zhai,3 -951,zhài,zhai,4 -952,zhān,zhan,1 -953,zhǎn,zhan,3 -954,zhàn,zhan,4 -955,zhāng,zhang,1 -956,zhǎng,zhang,3 -957,zhàng,zhang,4 -958,zhāo,zhao,1 -959,zháo,zhao,2 -960,zhǎo,zhao,3 -961,zhào,zhao,4 -962,zhē,zhe,1 -963,zhé,zhe,2 -964,zhě,zhe,3 -965,zhè,zhe,4 -966,zhe,zhe, -967,zhēn,zhen,1 -968,zhěn,zhen,3 -969,zhèn,zhen,4 -970,zhēng,zheng,1 -971,zhěng,zheng,3 -972,zhèng,zheng,4 -973,zhī,zhi,1 -974,zhí,zhi,2 -975,zhǐ,zhi,3 -976,zhì,zhi,4 -977,zhōng,zhong,1 -978,zhǒng,zhong,3 -979,zhòng,zhong,4 -980,zhōu,zhou,1 -981,zhóu,zhou,2 -982,zhǒu,zhou,3 -983,zhòu,zhou,4 -984,zhū,zhu,1 -985,zhú,zhu,2 -986,zhǔ,zhu,3 -987,zhù,zhu,4 -988,zhuā,zhua,1 -989,zhuǎ,zhua,3 -990,zhuāi,zhuai,1 -991,zhuǎi,zhuai,3 -992,zhuài,zhuai,4 -993,zhuān,zhuan,1 -994,zhuǎn,zhuan,3 -995,zhuàn,zhuan,4 -996,zhuāng,zhuang,1 -997,zhuǎng,zhuang,3 -998,zhuàng,zhuang,4 -999,zhuī,zhui,1 -1000,zhuì,zhui,4 -1001,zhūn,zhun,1 -1002,zhǔn,zhun,3 -1003,zhuō,zhuo,1 -1004,zhuó,zhuo,2 -1005,chā,cha,1 -1006,chá,cha,2 -1007,chǎ,cha,3 -1008,chà,cha,4 -1009,chāi,chai,1 -1010,chái,chai,2 -1011,chài,chai,4 -1012,chān,chan,1 -1013,chán,chan,2 -1014,chǎn,chan,3 -1015,chàn,chan,4 -1016,chāng,chang,1 -1017,cháng,chang,2 -1018,chǎng,chang,3 -1019,chàng,chang,4 -1020,chāo,chao,1 -1021,cháo,chao,2 -1022,chǎo,chao,3 -1023,chào,chao,4 -1024,chē,che,1 -1025,chě,che,3 -1026,chè,che,4 -1027,chēn,chen,1 -1028,chén,chen,2 -1029,chěn,chen,3 -1030,chèn,chen,4 -1031,chēng,cheng,1 -1032,chéng,cheng,2 -1033,chěng,cheng,3 -1034,chèng,cheng,4 -1035,chī,chi,1 -1036,chí,chi,2 -1037,chǐ,chi,3 -1038,chì,chi,4 -1039,chōng,chong,1 -1040,chóng,chong,2 -1041,chǒng,chong,3 -1042,chòng,chong,4 -1043,chōu,chou,1 -1044,chóu,chou,2 -1045,chǒu,chou,3 -1046,chòu,chou,4 -1047,chū,chu,1 -1048,chú,chu,2 -1049,chǔ,chu,3 -1050,chù,chu,4 -1051,chuā,chua,1 -1052,chuāi,chuai,1 -1053,chuǎi,chuai,3 -1054,chuài,chuai,4 -1055,chuān,chuan,1 -1056,chuán,chuan,2 -1057,chuǎn,chuan,3 -1058,chuàn,chuan,4 -1059,chuāng,chuang,1 -1060,chuáng,chuang,2 -1061,chuǎng,chuang,3 -1062,chuàng,chuang,4 -1063,chuī,chui,1 -1064,chuí,chui,2 -1065,chūn,chun,1 -1066,chún,chun,2 -1067,chǔn,chun,3 -1068,chuō,chuo,1 -1069,chuò,chuo,4 -1070,shā,sha,1 -1071,shá,sha,2 -1072,shǎ,sha,3 -1073,shà,sha,4 -1074,shāi,shai,1 -1075,shǎi,shai,3 -1076,shài,shai,4 -1077,shān,shan,1 -1078,shǎn,shan,3 -1079,shàn,shan,4 -1080,shāng,shang,1 -1081,shǎng,shang,3 -1082,shàng,shang,4 -1083,shang,shang, -1084,shāo,shao,1 -1085,sháo,shao,2 -1086,shǎo,shao,3 -1087,shào,shao,4 -1088,shē,she,1 -1089,shé,she,2 -1090,shě,she,3 -1091,shè,she,4 -1092,shéi,shei,2 -1093,shēn,shen,1 -1094,shén,shen,2 -1095,shěn,shen,3 -1096,shèn,shen,4 -1097,shēng,sheng,1 -1098,shéng,sheng,2 -1099,shěng,sheng,3 -1100,shèng,sheng,4 -1101,shī,shi,1 -1102,shí,shi,2 -1103,shǐ,shi,3 -1104,shì,shi,4 -1105,shi,shi, -1106,shōu,shou,1 -1107,shǒu,shou,3 -1108,shòu,shou,4 -1109,shū,shu,1 -1110,shú,shu,2 -1111,shǔ,shu,3 -1112,shù,shu,4 -1113,shuā,shua,1 -1114,shuǎ,shua,3 -1115,shuà,shua,4 -1116,shuāi,shuai,1 -1117,shuǎi,shuai,3 -1118,shuài,shuai,4 -1119,shuān,shuan,1 -1120,shuàn,shuan,4 -1121,shuāng,shuang,1 -1122,shuǎng,shuang,3 -1123,shuǐ,shui,3 -1124,shuì,shui,4 -1125,shǔn,shun,3 -1126,shùn,shun,4 -1127,shuō,shuo,1 -1128,shuò,shuo,4 -1129,rán,ran,2 -1130,rǎn,ran,3 -1131,ráng,rang,2 -1132,rǎng,rang,3 -1133,ràng,rang,4 -1134,ráo,rao,2 -1135,rǎo,rao,3 -1136,rào,rao,4 -1137,rě,re,3 -1138,rè,re,4 -1139,rén,ren,2 -1140,rěn,ren,3 -1141,rèn,ren,4 -1142,rēng,reng,1 -1143,réng,reng,2 -1144,rì,ri,4 -1145,róng,rong,2 -1146,rǒng,rong,3 -1147,róu,rou,2 -1148,ròu,rou,4 -1149,rú,ru,2 -1150,rǔ,ru,3 -1151,rù,ru,4 -1152,ruǎn,ruan,3 -1153,ruí,rui,2 -1154,ruǐ,rui,3 -1155,ruì,rui,4 -1156,rùn,run,4 -1157,ruò,ruo,4 -1158,zā,za,1 -1159,zá,za,2 -1160,zǎ,za,3 -1161,zāi,zai,1 -1162,zǎi,zai,3 -1163,zài,zai,4 -1164,zān,zan,1 -1165,zán,zan,2 -1166,zǎn,zan,3 -1167,zàn,zan,4 -1168,zāng,zang,1 -1169,zǎng,zang,3 -1170,zàng,zang,4 -1171,zāo,zao,1 -1172,záo,zao,2 -1173,zǎo,zao,3 -1174,zào,zao,4 -1175,zé,ze,2 -1176,zè,ze,4 -1177,zéi,zei,2 -1178,zěn,zen,3 -1179,zèn,zen,4 -1180,zēng,zeng,1 -1181,zèng,zeng,4 -1182,zī,zi,1 -1183,zǐ,zi,3 -1184,zì,zi,4 -1185,zi,zi, -1186,zōng,zong,1 -1187,zǒng,zong,3 -1188,zòng,zong,4 -1189,zōu,zou,1 -1190,zǒu,zou,3 -1191,zòu,zou,4 -1192,zū,zu,1 -1193,zú,zu,2 -1194,zǔ,zu,3 -1195,zuān,zuan,1 -1196,zuǎn,zuan,3 -1197,zuàn,zuan,4 -1198,zuǐ,zui,3 -1199,zuì,zui,4 -1200,zūn,zun,1 -1201,zǔn,zun,3 -1202,zùn,zun,4 -1203,zuō,zuo,1 -1204,zuó,zuo,2 -1205,zuǒ,zuo,3 -1206,zuò,zuo,4 -1207,cā,ca,1 -1208,cǎ,ca,3 -1209,cāi,cai,1 -1210,cái,cai,2 -1211,cǎi,cai,3 -1212,cài,cai,4 -1213,cān,can,1 -1214,cán,can,2 -1215,cǎn,can,3 -1216,càn,can,4 -1217,cāng,cang,1 -1218,cáng,cang,2 -1219,cāo,cao,1 -1220,cáo,cao,2 -1221,cǎo,cao,3 -1222,cào,cao,4 -1223,cè,ce,4 -1224,cēn,cen,1 -1225,cén,cen,2 -1226,cēng,ceng,1 -1227,céng,ceng,2 -1228,cèng,ceng,4 -1229,cī,ci,1 -1230,cí,ci,2 -1231,cǐ,ci,3 -1232,cì,ci,4 -1233,cōng,cong,1 -1234,cóng,cong,2 -1235,còu,cou,4 -1236,cū,cu,1 -1237,cú,cu,2 -1238,cǔ,cu,3 -1239,cù,cu,4 -1240,cuān,cuan,1 -1241,cuán,cuan,2 -1242,cuàn,cuan,4 -1243,cuī,cui,1 -1244,cuǐ,cui,3 -1245,cuì,cui,4 -1246,cūn,cun,1 -1247,cún,cun,2 -1248,cǔn,cun,3 -1249,cùn,cun,4 -1250,cuō,cuo,1 -1251,cuó,cuo,2 -1252,cuǒ,cuo,3 -1253,cuò,cuo,4 -1254,sā,sa,1 -1255,sǎ,sa,3 -1256,sà,sa,4 -1257,sāi,sai,1 -1258,sài,sai,4 -1259,sān,san,1 -1260,sǎn,san,3 -1261,sàn,san,4 -1262,sāng,sang,1 -1263,sǎng,sang,3 -1264,sàng,sang,4 -1265,sāo,sao,1 -1266,sǎo,sao,3 -1267,sào,sao,4 -1268,sè,se,4 -1269,sēn,sen,1 -1270,sēng,seng,1 -1271,sī,si,1 -1272,sǐ,si,3 -1273,sì,si,4 -1274,sōng,song,1 -1275,sóng,song,2 -1276,sǒng,song,3 -1277,sòng,song,4 -1278,sōu,sou,1 -1279,sǒu,sou,3 -1280,sòu,sou,4 -1281,sū,su,1 -1282,sú,su,2 -1283,sù,su,4 -1284,suān,suan,1 -1285,suǎn,suan,3 -1286,suàn,suan,4 -1287,suī,sui,1 -1288,suí,sui,2 -1289,suǐ,sui,3 -1290,suì,sui,4 -1291,sūn,sun,1 -1292,sǔn,sun,3 -1293,suō,suo,1 -1294,suǒ,suo,3 \ No newline at end of file diff --git a/static/data/tones.json b/static/data/tones.json deleted file mode 100644 index b7f6c3a..0000000 --- a/static/data/tones.json +++ /dev/null @@ -1,24 +0,0 @@ -{ - "tones": [ - { - "id": 1, - "name": "1st tone" - }, - { - "id": 2, - "name": "2nd tone" - }, - { - "id": 3, - "name": "3rd tone" - }, - { - "id": 4, - "name": "4th tone" - }, - { - "id": 5, - "name": "no tone" - } - ] -} diff --git a/static/data/word.csv b/static/data/word.csv deleted file mode 100644 index f5898b4..0000000 --- a/static/data/word.csv +++ /dev/null @@ -1,117892 +0,0 @@ -hanzi,pinyin,english -⺮,zhú,"""bamboo"" radical in Chinese characters (Kangxi radical 118)" -㐆,yǐn,component in Chinese character 殷[yin1] -㐌,tā,variant of 它[ta1] -俊,jùn,old variant of 俊[jun4] -㒸,suì,archaic variant of 遂[sui4] -罔,wǎng,old variant of 罔[wang3] -寇,kòu,old variant of 寇[kou4] -㔾,jié,"""seal"" radical in Chinese characters (Kangxi radical 26)" -却,què,old variant of 卻|却[que4] -厨,chú,old variant of 廚|厨[chu2] -参,cān,variant of 參|参[can1] -以,yǐ,old variant of 以[yi3] -坳,ào,variant of 坳[ao4] -宿,sù,old variant of 宿[su4] -冥,míng,old variant of 冥[ming2] -最,zuì,variant of 最[zui4] -㝵,ài,variant of 礙|碍[ai4] -㝵,dé,to obtain (old variant of 得[de2]) -岸,àn,variant of 岸[an4] -岛,dǎo,variant of 島|岛[dao3] -以,yǐ,old variant of 以[yi3] -帆,fān,variant of 帆[fan1] -帽,mào,old variant of 帽[mao4] -廉,lián,old variant of 廉[lian2] -迥,jiǒng,variant of 迥[jiong3] -恩,ēn,variant of 恩[en1] -惬,qiè,variant of 愜|惬[qie4] -㥯,yǐn,cautious -拿,ná,old variant of 拿[na2] -捷,jié,variant of 捷[jie2]; quick; nimble -晃,huǎng,variant of 晃[huang3] -据,jù,variant of 據|据[ju4] -携,xié,old variant of 攜|携[xie2] -携,xié,old variant of 攜|携[xie2] -散,sàn,variant of 散[san4] -敦,dūn,variant of 敦[dun1] -暖,nuǎn,old variant of 暖[nuan3] -㬎,xiǎn,old variant of 顯|显[xian3] -橹,lǔ,variant of 櫓|橹[lu3] -饮,yǐn,old variant of 飲|饮[yin3] -㲋,chuò,ancient name for an animal similar to rabbit but bigger -涎,xián,variant of 涎[xian2] -法,fǎ,variant of 法[fa3] -深,shēn,old variant of 深[shen1] -涧,jiàn,variant of 澗|涧[jian4] -烨,yè,variant of 燁|烨[ye4] -碗,wǎn,variant of 碗[wan3] -留,liú,old variant of 留[liu2] -瘪,biě,variant of 癟|瘪[bie3] -筲,shāo,pot-scrubbing brush made of bamboo strips; basket (container) for chopsticks; variant of 筲[shao1] -糊,hú,variant of 糊[hu2] -䍃,yáo,(archaic) vase; pitcher -䕭,qián,variant of 蕁|荨[qian2] -䕭,xián,a kind of vegetable -蜂,fēng,variant of 蜂[feng1] -恤,xù,variant of 恤[xu4] -脉,mài,old variant of 脈|脉[mai4] -卒,zú,variant of 卒[zu2] -词,cí,old variant of 詞|词[ci2] -獾,huān,variant of 獾[huan1] -䠀,chǎng,to squat; to sit -趟,tāng,old variant of 趟[tang1] -射,shè,old variant of 射[she4] -镰,lián,old variant of 鐮|镰[lian2] -飒,sà,variant of 颯|飒[sa4] -驮,tuó,variant of 馱|驮[tuo2] -魂,hún,old variant of 魂[hun2] -鲃,bā,used in 䰾魚|鲃鱼[ba1 yu2] -鲃鱼,bā yú,barbel (fish) -鹅,é,variant of 鵝|鹅[e2] -鹮,huán,spoonbill; ibis; family Threskiornithidae -鹮嘴鹬,huán zuǐ yù,(bird species of China) ibisbill (Ibidorhyncha struthersii) -麸,fū,variant of 麩|麸[fu1] -衄,nǜ,old variant of 衄[nu:4] -一,yī,"one; single; a (article); as soon as; entire; whole; all; throughout; ""one"" radical in Chinese characters (Kangxi radical 1); also pr. [yao1] for greater clarity when spelling out numbers digit by digit" -一一,yī yī,one by one; one after another -一一对应,yī yī duì yìng,one-to-one correspondence -一一映射,yī yī yìng shè,(math.) bijective map -一丁不识,yī dīng bù shí,illiterate -一丁点,yī dīng diǎn,a tiny bit -一下,yī xià,(used after a verb) give it a go; to do (sth for a bit to give it a try); one time; once; in a while; all of a sudden; all at once -一下儿,yī xià er,erhua variant of 一下[yi1 xia4] -一下子,yī xià zi,in a short while; all at once; all of a sudden -一不小心,yī bù xiǎo xīn,to be a little bit careless; to have a moment of inattentiveness; accidentally -一世,yī shì,generation; period of 30 years; one's whole lifetime; lifelong; age; era; times; the whole world; the First (of numbered European kings) -一丘之貉,yī qiū zhī hé,jackals of the same tribe (idiom); fig. They are all just as bad as each other. -一丢丢,yī diū diū,(coll.) a tiny bit -一并,yī bìng,variant of 一併|一并[yi1 bing4] -一中一台,yī zhōng yī tái,one China and one Taiwan (policy) -一中原则,yī zhōng yuán zé,"One-China principle, the official doctrine that Taiwan is a province of China" -一之为甚,yī zhī wéi shèn,once is more than enough (idiom) -一之谓甚,yī zhī wèi shèn,see 一之為甚|一之为甚[yi1 zhi1 wei2 shen4] -一干二净,yī gān èr jìng,thoroughly (idiom); completely; one and all; very clean -一了百了,yī liǎo bǎi liǎo,"(idiom) once the main problem is solved, all troubles are solved; death ends all one's troubles" -一事无成,yī shì wú chéng,to have achieved nothing; to be a total failure; to get nowhere -一二,yī èr,one or two; a few; a little; just a bit -一二九运动,yī èr jiǔ yùn dòng,"December 9th Movement (1935), student-led demonstrations demanding that the Chinese government resist Japanese aggression" -一二八事变,yī èr bā shì biàn,"Shanghai Incident of 28th January 1932, Chinese uprising against Japanese quarters of Shanghai" -一五一十,yī wǔ yī shí,lit. count by fives and tens (idiom); to narrate systematically and in full detail -一些,yī xiē,some; a few; a little; (following an adjective) slightly ...er -一介不取,yī jiè bù qǔ,to not even take a penny (as a bribe) -一代,yī dài,generation -一代不如一代,yī dài bù rú yī dài,to be getting worse with each generation -一并,yī bìng,to lump together; to treat along with all the others -一来,yī lái,"firstly, ..." -一来二去,yī lái èr qù,gradually; little by little; in the course of time -一个中国政策,yī gè zhōng guó zhèng cè,one-China policy -一个人,yī gè rén,by oneself (without assistance); alone (without company) -一个个,yī gè gè,each and every one; one by one; one after another -一个劲,yī gè jìn,continuously; persistently; incessantly -一个劲儿,yī gè jìn er,erhua variant of 一個勁|一个劲[yi1 ge4 jin4] -一个半,yī ge bàn,one and a half -一个将军一个令,yī gè jiāng jūn yī gè lìng,"lit. one general, one order (idiom); fig. every boss has their own rules; everyone has their own way of doing things" -一个巴掌拍不响,yī ge bā zhǎng pāi bù xiǎng,lit. one palm alone cannot clap (proverb); fig. it takes two persons to start a dispute; it takes two to tango; it's difficult to achieve anything without support -一个幽灵在欧洲游荡,yī gè yōu líng zài ōu zhōu yóu dàng,"Ein Gespenst geht um in Europa (""A specter is haunting Europe"", the opening sentence of Marx and Engels' ""Communist Manifesto"")" -一个接一个,yī ge jiē yī ge,one by one; one after another -一个样,yī ge yàng,see 一樣|一样[yi1 yang4] -一个萝卜一个坑,yī gè luó bo yī gè kēng,lit. every turnip to its hole (idiom); fig. each person has his own position; each to his own; horses for courses; every kettle has its lid -一个头两个大,yī ge tóu liǎng ge dà,(coll.) to feel as though one's head could explode (Tw) -一倡三叹,yī chàng sān tàn,"(of literature, music) deeply moving (idiom)" -一侧化,yī cè huà,lateralization -一价,yī jià,monovalent (chemistry) -一元,yī yuán,(math.) single-variable; univariate -一元化,yī yuán huà,integration; integrated; unified -一元复始,yī yuán fù shǐ,a new year begins (idiom) -一元论,yī yuán lùn,"monism, belief that the universe is made of a single substance" -一元醇,yī yuán chún,methyl alcohol CH3OH -一共,yī gòng,altogether -一再,yī zài,repeatedly -一准,yī zhǔn,variant of 一準|一准[yi1 zhun3] -一刀两断,yī dāo liǎng duàn,(idiom) to make a clean break with; to have nothing more to do with -一刀切,yī dāo qiē,lit. to cut all at one stroke (idiom); to impose uniformity; one solution fits a diversity of problems; one size fits all -一分一毫,yī fēn yī háo,(idiom) the tiniest bit -一分为二,yī fēn wéi èr,one divides into two; to be two-sided; there are two sides to everything; to see both sb's good points and shortcomings (idiom) -一分熟,yī fēn shú,rare (of steak) -一分钱一分货,yī fēn qián yī fēn huò,you get what you pay for -一分钱两分货,yī fēn qián liǎng fēn huò,high quality at bargain price -一切,yī qiè,everything; every; all -一切事物,yī qiè shì wù,everything -一切向钱看,yī qiè xiàng qián kàn,to put money above everything else -一切如旧,yī qiè rú jiù,everything as before -一切就绪,yī qiè jiù xù,everything in its place and ready (idiom) -一切险,yī qiè xiǎn,all risks (insurance) -一刻千金,yī kè qiān jīn,(idiom) time is gold; every minute is precious -一则,yī zé,on the one hand -一刹那,yī chà nà,a moment; an instant; in a flash -一动不动,yī dòng bù dòng,motionless -一劳永逸,yī láo yǒng yì,to get sth done once and for all -一匙,yī chí,spoonful -一千零一夜,yī qiān líng yī yè,The Book of One Thousand and One Nights -一半,yī bàn,half -一半天,yī bàn tiān,in a day or two; soon -一卡通,yī kǎ tōng,"the name of various contactless smart cards, notably Yikatong (mainly for public transport in Beijing) and iPASS (mainly for public transport in Taiwan)" -一去不回,yī qù bù huí,gone forever -一去不复返,yī qù bù fù fǎn,gone forever -一去无影踪,yī qù wú yǐng zōng,gone without a trace -一反常态,yī fǎn cháng tài,complete change from the normal state (idiom); quite uncharacteristic; entirely outside the norm; out of character -一反往常,yī fǎn wǎng cháng,(idiom) contrary to what usually happens -一口,yī kǒu,"readily; flatly (deny, admit and so on); a mouthful; a bite" -一口价,yī kǒu jià,fixed price; take-it-or-leave-it price -一口吃不成胖子,yī kǒu chī bù chéng pàng zi,"lit. you cannot get fat with only one mouthful (proverb); fig. any significant achievement requires time, effort and persistence" -一口吃个胖子,yī kǒu chī ge pàng zi,lit. to want to get fat with only one mouthful (proverb); fig. to try to achieve one's goal in the shortest time possible; to be impatient for success -一口咬定,yī kǒu yǎo dìng,to arbitrarily assert; to allege; to stick to one's statement; to cling to one's view -一口气,yī kǒu qì,one breath; in one breath; at a stretch -一口气儿,yī kǒu qì er,erhua variant of 一口氣|一口气[yi1 kou3 qi4] -一古脑儿,yī gǔ nǎo er,variant of 一股腦兒|一股脑儿[yi1 gu3 nao3 r5] -一句,yī jù,a line of verse; a sentence -一句话,yī jù huà,in a word; in short -一同,yī tóng,together -一吐为快,yī tǔ wéi kuài,to get sth off one's chest -一向,yī xiàng,a period of time in the recent past; (indicating a period of time up to the present) all along; the whole time -一周,yī zhōu,one week; all the way around; a whole cycle -一味,yī wèi,persistently; stubbornly; blindly -一呼百应,yī hū bǎi yìng,(idiom) (of a call) to elict an enthusiastic response; to receive extensive approval -一呼百诺,yī hū bǎi nuò,one command brings a hundred responses (idiom); having hundreds of attendants at one's beck and call -一命呜呼,yī mìng wū hū,to die (idiom); to breathe one's last; to give up the ghost -一命归天,yī mìng guī tiān,see 一命嗚呼|一命呜呼[yi1 ming4 wu1 hu1] -一命归西,yī mìng guī xī,see 一命嗚呼|一命呜呼[yi1 ming4 wu1 hu1] -一命归阴,yī mìng guī yīn,see 一命嗚呼|一命呜呼[yi1 ming4 wu1 hu1] -一品,yī pǐn,superb; first-rate; (of officials in imperial times) the highest rank -一品红,yī pǐn hóng,poinsettia (Euphorbia pulcherrima) -一品锅,yī pǐn guō,dish containing a variety of meats and vegetables arranged in a broth in a clay pot; chafing dish -一哄而散,yī hōng ér sàn,to disperse in confusion (idiom) -一哄而起,yī hōng ér qǐ,(of a group of people) to rush into action -一哭二闹三上吊,yī kū èr nào sān shàng diào,(idiom) to make a terrible scene; to throw a tantrum -一唱一和,yī chàng yī hè,to echo one another (idiom) -一唱三叹,yī chàng sān tàn,see 一倡三歎|一倡三叹[yi1 chang4 san1 tan4] -一问三不知,yī wèn sān bù zhī,"lit. to reply ""don't know"" whatever the question (idiom); fig. absolutely no idea of what's going on; complete ignorance" -一回事,yī huí shì,one and the same (thing); one thing (as distinct from another) -一回生二回熟,yī huí shēng èr huí shú,"unfamiliar at first, but well accustomed soon enough (idiom)" -一回生两回熟,yī huí shēng liǎng huí shú,see 一回生二回熟[yi1 hui2 sheng1 er4 hui2 shu2] -一国两制,yī guó liǎng zhì,"one country, two systems (PRC proposal regarding Hong Kong, Macau and Taiwan)" -一团乱糟,yī tuán luàn zāo,a chaotic mess -一团和气,yī tuán hé qì,(idiom) to keep on the right side of everyone (often at the expense of principle) -一团漆黑,yī tuán qī hēi,pitch-dark; (fig.) completely in the dark; totally ignorant of; (fig.) grim; beyond salvation -一团火,yī tuán huǒ,fireball; ball of fire -一团糟,yī tuán zāo,chaos; bungle; complete mess; shambles -一堆,yī duī,pile -一场空,yī cháng kōng,all in vain; futile -一块,yī kuài,one block; one piece; one (unit of money); together; in the same place; in company -一块儿,yī kuài er,erhua variant of 一塊|一块[yi1 kuai4] -一塌糊涂,yī tā hú tu,muddled and completely collapsing (idiom); in an awful condition; complete shambles; a total mess -一尘不染,yī chén bù rǎn,(idiom) untainted by even a speck of dust; spotlessly clean; (of a person) honest; incorruptible -一壁,yī bì,at the same time; simultaneously; while -一壁厢,yī bì xiāng,see 一壁[yi1 bi4] -一夔已足,yī kuí yǐ zú,one talented person is enough for the job (idiom) -一夕,yī xī,overnight; instantly; very quickly -一夕数惊,yī xī shù jīng,lit. one scare after another in a single night (idiom); fig. to live in fear -一多对应,yī duō duì yìng,one-to-many correspondence -一夜之间,yī yè zhī jiān,(lit. and fig.) overnight -一夜情,yī yè qíng,one night stand -一夜无眠,yī yè wú mián,to have a sleepless night -一夜爆红,yī yè bào hóng,to become popular overnight -一夜露水,yī yè lù shui,one-night stand; ephemeral -一大早,yī dà zǎo,at dawn; at first light; first thing in the morning -一大早儿,yī dà zǎo er,erhua variant of 一大早[yi1 da4 zao3] -一天一个样,yī tiān yī ge yàng,to change from day to day -一天到晚,yī tiān dào wǎn,all day long; the whole day -一夫一妻,yī fū yī qī,monogamy -一夫多妻,yī fū duō qī,polygamy -一失足成千古恨,yī shī zú chéng qiān gǔ hèn,a single slip may cause everlasting sorrow (idiom) -一套,yī tào,suit; a set; a collection; of the same kind; the same old stuff; set pattern of behavior -一如,yī rú,to be just like -一如往常,yī rú wǎng cháng,as usual -一如所料,yī rú suǒ liào,as expected -一如既往,yī rú jì wǎng,(idiom) just as in the past; as before; continuing as always -一妻制,yī qī zhì,monogamy -一孔之见,yī kǒng zhī jiàn,partial view; limited outlook -一字,yī zì,in a row; in a line -一字一泪,yī zì yī lèi,each word is a teardrop (idiom) -一字不差,yī zì bù chā,word for word; verbatim -一字不提,yī zì bù tí,to not mention a single word (about sth) (idiom) -一字不漏,yī zì bù lòu,without missing a word -一字不落,yī zì bù là,see 一字不漏[yi1 zi4 bu4 lou4] -一字不识,yī zì bù shí,totally illiterate -一字之师,yī zì zhī shī,one who can correct a misread or misspelt character and thus be your master -一字儿,yī zì er,in a row; in a line -一字千金,yī zì qiān jīn,one word worth a thousand in gold (idiom); (in praise of a piece of writing or calligraphy) each character is perfect; each word is highly valued -一字巾,yī zì jīn,headband; strip of cloth worn around the head -一字纵队,yī zì zòng duì,single file -一字褒贬,yī zì bāo biǎn,lit. dispensing praise or blame with a single word (idiom); fig. concise and powerful style -一学就会,yī xué jiù huì,to pick up (a skill) in a very short time; to take to sth like a duck to water -一定,yī dìng,surely; certainly; necessarily; fixed; a certain (extent etc); given; particular; must -一定要,yī dìng yào,must -一家,yī jiā,the whole family; the same family; the family ... (when preceded by a family name); group -一家之主,yī jiā zhī zhǔ,master of the house; head of the family -一家人,yī jiā rén,the whole family; members of the same family (lit. or fig.) -一家人不说两家话,yī jiā rén bù shuō liǎng jiā huà,"lit. family members speak frankly with one another, not courteously, as if they were from two different families (idiom); fig. people don't need to be deferential when they ask a family member for help; people from the same family should stick together (and good friends likewise)" -一家子,yī jiā zi,the whole family -一审,yī shěn,first instance (law) -一寸光阴一寸金,yī cùn guāng yīn yī cùn jīn,(idiom) time is precious -一对,yī duì,couple; pair -一对一,yī duì yī,one-to-one; one-on-one -一对一斗牛,yī duì yī dòu niú,one-on-one basketball game -一对儿,yī duì er,a pair; a couple -一小撮,yī xiǎo cuō,handful (of) -一小部分,yī xiǎo bù fèn,a small part; a small section -一小阵儿,yī xiǎo zhèn er,very brief period of time -一展身手,yī zhǎn shēn shǒu,to showcase one's talents; to display one's prowess -一层,yī céng,layer -一山不容二虎,yī shān bù róng èr hǔ,lit. the mountain can't have two tigers (idiom); fig. this town ain't big enough for the two of us; (of two rivals) to be fiercely competitive -一己,yī jǐ,oneself -一帆风顺,yī fān fēng shùn,propitious wind throughout the journey (idiom); plain sailing; to go smoothly; have a nice trip! -一席之地,yī xí zhī dì,(acknowledged) place; a role to play; niche -一席话,yī xí huà,the content of a conversation; words; remarks -一带,yī dài,region; area -一带一路,yī dài yī lù,"Belt and Road Initiative, Chinese government plan to provide finance and engineering expertise to build infrastructure across Eurasia and northeast Africa, unveiled in 2013" -一带而过,yī dài ér guò,to skate around; to skip over; to skimp -一年之计在于春,yī nián zhī jì zài yú chūn,the whole year must be planned for in the spring (idiom); early planning is the key to success -一年到头,yī nián dào tóu,all year round -一年半,yī nián bàn,a year and a half -一年半载,yī nián bàn zǎi,about a year -一年四季,yī nián sì jì,all year round -一年多,yī nián duō,more than a year -一年期,yī nián qī,one year period (in a contract or budget) -一年生,yī nián shēng,annual (botany) -一年被蛇咬十年怕井绳,yī nián bèi shé yǎo shí nián pà jǐng shéng,"once bitten by a snake, one is scared all one's life at the mere sight of a rope (idiom); fig. once bitten, twice shy" -一度,yī dù,for a time; at one time; one time; once -一厢情愿,yī xiāng qíng yuàn,one's own wishful thinking -一式二份,yī shì èr fèn,in duplicate -一弹指顷,yī tán zhǐ qǐng,a snap of the fingers (idiom); in a flash; in the twinkling of an eye -一往情深,yī wǎng qíng shēn,deeply attached; devoted -一往无前,yī wǎng wú qián,to advance courageously (idiom); to press forward -一往直前,yī wǎng zhí qián,see 一往無前|一往无前[yi1 wang3 wu2 qian2] -一律,yī lǜ,same; uniformly; all; without exception -一径,yī jìng,directly; straightaway; straight -一心,yī xīn,wholeheartedly; heart and soul -一心一德,yī xīn yī dé,of one heart and one mind (idiom) -一心一意,yī xīn yī yì,concentrating one's thoughts and efforts; single-minded; bent on; intently -一心二用,yī xīn èr yòng,to do two things at once (idiom); to multitask; to divide one's attention -一心多用,yī xīn duō yòng,to multitask -一念之差,yī niàn zhī chā,momentary slip; false step; ill-considered action -一意,yī yì,focus; with complete devotion; stubbornly -一意孤行,yī yì gū xíng,obstinately clinging to one's course (idiom); willful; one's own way; dogmatic -一应,yī yīng,all; every -一应俱全,yī yīng jù quán,with everything needed available -一成不变,yī chéng bù biàn,(idiom) immutable; impervious to change; set in stone -一战,yī zhàn,World War I (1914-1918) -一房一厅,yī fáng yī tīng,one bedroom and one living room -一手,yī shǒu,a skill; mastery of a trade; by oneself; without outside help -一手包办,yī shǒu bāo bàn,to take care of a matter all by oneself; to run the whole show -一手遮天,yī shǒu zhē tiān,lit. to hide the sky with one hand; to hide the truth from the masses -一打,yī dá,dozen -一技之长,yī jì zhī cháng,proficiency in a particular field (idiom); skill in a specialized area (idiom) -一把好手,yī bǎ hǎo shǒu,expert; dab hand -一把屎一把尿,yī bǎ shǐ yī bǎ niào,to have endured all sorts of hardships (to raise one's children) (idiom) -一把年纪,yī bǎ nián jì,to be of an advanced age; to be old; an advanced age -一把手,yī bǎ shǒu,working hand; member of a work team; participant; the boss (short form of 第一把手[di4 yi1 ba3 shou3]) -一把抓,yī bǎ zhuā,to attempt all tasks at once; to manage every detail regardless of its importance -一把死拿,yī bǎ sǐ ná,stubborn; inflexible -一把眼泪一把鼻涕,yī bǎ yǎn lèi yī bǎ bí tì,with one's face covered in tears (idiom) -一把钥匙开一把锁,yī bǎ yào shi kāi yī bǎ suǒ,One key opens one lock.; There is a different solution for each problem. (idiom) -一抓一大把,yī zhuā yī dà bǎ,to be a dime a dozen; easy to come by -一折两段,yī zhé liǎng duàn,to split sth into two (idiom) -一抿子,yī mǐn zi,a little bit -一拍两散,yī pāi liǎng sàn,(idiom) (of marriage or business partners) to break up; to separate -一拍即合,yī pāi jí hé,lit. to be together from the first beat (idiom); to hit it off; to click together; to chime in easily -一扫而光,yī sǎo ér guāng,to clear off; to make a clean sweep of -一扫而空,yī sǎo ér kōng,to sweep clean; to clean out -一排,yī pái,row -一探究竟,yī tàn jiū jìng,to check out; to investigate -一推六二五,yī tuī liù èr wǔ,1 divided by 16 is 0.0625 (abacus rule); (fig.) to deny responsibility; to pass the buck -一掬同情之泪,yī jū tóng qíng zhī lèi,to shed tears of sympathy (idiom) -一挥而就,yī huī ér jiù,"to finish (a letter, a painting) at a stroke" -一拨儿,yī bō er,group of people -一拥而上,yī yōng ér shàng,to swarm around; flocking (to see) -一拥而入,yī yōng ér rù,to swarm in (of people etc) (idiom) -一击入洞,yī jī rù dòng,hole in one (golf) -一掷千金,yī zhì qiān jīn,lit. stake a thousand pieces of gold on one throw (idiom); to throw away money recklessly; extravagant -一揽子,yī lǎn zi,all-inclusive; undiscriminating -一改故辙,yī gǎi gù zhé,complete change from the old rut (idiom); dramatic change of direction; a volte-face; to change old practices -一败涂地,yī bài tú dì,"lit. defeated, the ground blanketed with bodies (idiom); fig. to suffer a crushing defeat" -一文不值,yī wén bù zhí,worthless (idiom); no use whatsoever -一文不名,yī wén bù míng,to be penniless -一斑,yī bān,lit. one spot (on the leopard); fig. one small item in a big scheme -一方,yī fāng,a party (in a contract or legal case); one side; area; region -一方面,yī fāng miàn,on the one hand -一旁,yī páng,aside; to the side of -一族,yī zú,social group; subculture; family; clan; see also 族[zu2] -一日三秋,yī rì sān qiū,a single day apart seems like three seasons (idiom) -一日三餐,yī rì sān cān,to have three meals a day -一日不如一日,yī rì bù rú yī rì,to be getting worse by the day -一日之计在于晨,yī rì zhī jì zài yú chén,make your day's plan early in the morning (idiom); early morning is the golden time of the day -一日之雅,yī rì zhī yǎ,lit. friends for a day (idiom); fig. casual acquaintance -一日千里,yī rì qiān lǐ,"lit. one day, a thousand miles (idiom); rapid progress" -一旦,yī dàn,"in case (sth happens); if; once (sth happens, then...); when; in a short time; in one day" -一早,yī zǎo,early in the morning; at dawn -一星半点,yī xīng bàn diǎn,just the tiniest bit; a hint of -一时,yī shí,a period of time; a while; for a short while; temporary; momentary; at the same time -一时半刻,yī shí bàn kè,a short time; a little while -一时半晌,yī shí bàn shǎng,a short time; a little while -一时半会,yī shí bàn huì,a short time; a little while -一时半会儿,yī shí bàn huì er,a short time; a little while -一时半霎,yī shí bàn shà,a short time; a little while -一时瑜亮,yī shí yú liàng,two remarkable persons living at the same period (as 周瑜[Zhou1 Yu2] and 諸葛亮|诸葛亮[Zhu1 ge3 Liang4]) -一时间,yī shí jiān,for a moment; momentarily -一晃,yī huǎng,(of passing time) in an instant; (of a sight) in a flash -一暴十寒,yī pù shí hán,"one day's sun, ten days' frost (idiom, from Mencius); fig. to work for a bit then skimp; sporadic effort; short attention span" -一曝十寒,yī pù shí hán,"one day's sun, ten days' frost (idiom, from Mencius); fig. to work for a bit then skimp; sporadic effort; lack of sticking power; short attention span" -一更,yī gēng,first of the five night watch periods 19:00-21:00 (old) -一会,yī huì,a moment; a while; in a moment; also pr. [yi1 hui3] -一会儿,yī huì er,a moment; a while; in a moment; now...now...; also pr. [yi1 hui3 r5] -一月,yī yuè,January; first month (of the lunar year) -一月份,yī yuè fèn,January -一望无垠,yī wàng wú yín,to stretch as far as the eye can see (idiom) -一望无际,yī wàng wú jì,as far as the eye can see (idiom) -一望而知,yī wàng ér zhī,to be evident at a glance (idiom) -一朝一夕,yī zhāo yī xī,lit. one morning and one evening (idiom); fig. in a short period of time; overnight -一朝天子一朝臣,yī cháo tiān zǐ yī cháo chén,"new emperor, new officials (idiom); a new chief brings in new aides" -一木难支,yī mù nán zhī,lit. a single post cannot prop up a falling house (idiom); fig. one is helpless alone -一本正经,yī běn zhèng jīng,in deadly earnest; deadpan -一本万利,yī běn wàn lì,"small capital, huge profit (idiom); to put in a little and get a lot out" -一杯羹,yī bēi gēng,lit. a cup of soup; fig. to get part of the profits; one's share of the action -一东一西,yī dōng yī xī,far apart -一板一眼,yī bǎn yī yǎn,lit. one strong beat and one weak beats in a measure of music (two beats in the bar) (idiom); fig. follow a prescribed pattern to the letter; scrupulous attention to detail -一板三眼,yī bǎn sān yǎn,lit. one strong beat and three weak beats in a measure of music (four beats in the bar) (idiom); fig. scrupulous attention to detail -一枝独秀,yī zhī dú xiù,lit. only one branch of the tree is thriving (idiom); fig. to be in a league of one's own; outstanding -一柱擎天,yī zhù qíng tiān,lit. to support the sky as a single pillar (idiom); fig. to take a crucial responsibility upon one's shoulders -一根筋,yī gēn jīn,stubborn; inflexible; one-track minded -一根绳上的蚂蚱,yī gēn shéng shàng de mà zha,see 一條繩上的螞蚱|一条绳上的蚂蚱[yi1 tiao2 sheng2 shang4 de5 ma4 zha5] -一杆进洞,yī gān jìn dòng,(golf) hole in one -一条心,yī tiáo xīn,to be of one mind; to think or act alike -一条绳上的蚂蚱,yī tiáo shéng shàng de mà zha,lit. grasshoppers tied together with a piece of string (idiom); fig. people who are in it together for better or worse; people who will sink or swim together -一条路走到黑,yī tiáo lù zǒu dào hēi,lit. to follow one road until dark (idiom); fig. to stick to one's ways; to cling to one's course -一条道走到黑,yī tiáo dào zǒu dào hēi,to stick to one's ways; to cling to one's course -一条龙,yī tiáo lóng,lit. one dragon; integrated chain; coordinated process -一条龙服务,yī tiáo lóng fú wù,one-stop service -一棍子打死,yī gùn zi dǎ sǐ,to deal a single fatal blow; (fig.) to totally repudiate sb because of a minor error -一概,yī gài,all; without any exceptions; categorically -一概而论,yī gài ér lùn,to lump different matters together (idiom) -一槌定音,yī chuí dìng yīn,variant of 一錘定音|一锤定音[yi1 chui2 ding4 yin1] -一枪命中,yī qiāng mìng zhòng,(idiom) to hit with the first shot -一模一样,yī mú yī yàng,exactly the same (idiom); carbon copy; also pr. [yi1 mo2 yi1 yang4] -一样,yī yàng,same; like; equal to; the same as; just like -一次,yī cì,first; first time; once; (math.) linear (of degree one) -一次函数,yī cì hán shù,linear function (math.) -一次又一次,yī cì yòu yī cì,repeatedly; over and over again -一次性,yī cì xìng,one-off (offer); one-time; single-use; disposable (goods) -一次方程,yī cì fāng chéng,linear equation -一次方程式,yī cì fāng chéng shì,linear equation (math.) -一次总付,yī cì zǒng fù,lump-sum (finance) -一步一个脚印,yī bù yī gè jiǎo yìn,"one step, one footprint (idiom); steady progress; reliable" -一步一趋,yī bù yī qū,see 亦步亦趨|亦步亦趋[yi4 bu4 yi4 qu1] -一步到位,yī bù dào wèi,to settle a matter in one go -一步登天,yī bù dēng tiān,reaching heaven in a single bound (idiom); (esp. with negative: don't expect) instant success -一步裙,yī bù qún,pencil skirt -一毛不拔,yī máo bù bá,stingy (idiom) -一气,yī qì,at one go; at a stretch; for a period of time; forming a gang -一气之下,yī qì zhī xià,in a fit of pique; in a fury -一气呵成,yī qì hē chéng,to do something at one go; to flow smoothly -一氧化二氮,yī yǎng huà èr dàn,nitrous oxide N2O; laughing gas -一氧化氮,yī yǎng huà dàn,nitric oxide -一氧化碳,yī yǎng huà tàn,carbon monoxide CO -一水儿,yī shuǐ er,(coll.) of the same type; identical -一决雌雄,yī jué cí xióng,to have a showdown; to fight for mastery; to compete for a championship -一波三折,yī bō sān zhé,calligraphic flourish with many twists; fig. many twists and turns -一派胡言,yī pài hú yán,a bunch of nonsense -一派谎言,yī pài huǎng yán,a pack of lies -一流,yī liú,top quality; front ranking -一清二楚,yī qīng èr chǔ,to be very clear about sth (idiom) -一清二白,yī qīng èr bái,perfectly clean; blameless; unimpeachable (idiom) -一清如水,yī qīng rú shuǐ,lit. as clear as water (idiom); fig. (of officials etc) honest and incorruptible -一清早,yī qīng zǎo,early in the morning -一准,yī zhǔn,certainly -一溜烟,yī liù yān,like a wisp of smoke; (to disappear etc) in an instant -一潭死水,yī tán sǐ shuǐ,a pool of stagnant water; stagnant or listless condition -一炮打响,yī pào dǎ xiǎng,(idiom) to hit the jackpot with a single shot; to achieve success at one's first try -一炮而红,yī pào ér hóng,to win instant success (idiom); to become an instant hit -一无所动,yī wú suǒ dòng,totally unaffected; unimpressed -一无所有,yī wú suǒ yǒu,not having anything at all (idiom); utterly lacking; without two sticks to rub together -一无所获,yī wú suǒ huò,to gain nothing; to end up empty-handed -一无所知,yī wú suǒ zhī,not knowing anything at all (idiom); completely ignorant; without an inkling -一无所闻,yī wú suǒ wén,unheard of -一无所长,yī wú suǒ cháng,not having any special skill; without any qualifications -一无是处,yī wú shì chù,(idiom) not one good point; everything about it is wrong -一物降一物,yī wù xiáng yī wù,"lit. one object bests another object; every item has a weakness (idiom); there is a rock to every scissor, a scissor to every paper, and a paper to every rock" -一犯再犯,yī fàn zài fàn,to keep doing (the wrong thing) -一琴一鹤,yī qín yī hè,carrying very little luggage (idiom); honest and incorruptible (government officials) -一生,yī shēng,all one's life; throughout one's life -一生一世,yī shēng yī shì,a whole lifetime (idiom); all my life -一甲,yī jiǎ,"1st rank or top three candidates who passed the imperial examination (i.e. 狀元|状元[zhuang4 yuan2], 榜眼[bang3 yan3], and 探花[tan4 hua1], respectively)" -一甲子,yī jiǎ zǐ,sixty years -一亩三分地,yī mǔ sān fēn dì,a piece of land of 1.3 mu 畝|亩[mu3]; (fig.) one's turf -一病不起,yī bìng bù qǐ,"to fall gravely ill, never to recover (idiom)" -一瘸一拐,yī qué yī guǎi,to limp; to hobble -一发不可收拾,yī fā bù kě shōu shi,once it gets started there's no stopping it -一发而不可收,yī fā ér bù kě shōu,to be impossible to stop once started -一百一,yī bǎi yī,faultless; impeccable -一盘散沙,yī pán sǎn shā,lit. like a sheet of loose sand; fig. unable to cooperate (idiom) -一盘棋,yī pán qí,(fig.) overall situation -一目了然,yī mù liǎo rán,obvious at a glance (idiom) -一目十行,yī mù shí háng,ten lines at a glance (idiom); to read very rapidly -一目了然,yī mù liǎo rán,obvious at a glance (idiom) -一直,yī zhí,straight (in a straight line); continuously; always; all the way through -一直以来,yī zhí yǐ lái,in the past always; for a long time now; until now -一直往前,yī zhí wǎng qián,straight ahead -一相情愿,yī xiāng qíng yuàn,one's own wishful thinking -一眨眼,yī zhǎ yǎn,in a wink -一眼,yī yǎn,a glance; a quick look; a glimpse -一眼望去,yī yǎn wàng qù,as far as the eye can see -一眼看穿,yī yǎn kàn chuān,to see through something at first glance (idiom) -一睹,yī dǔ,to look; to have a glimpse at; to observe (sth's splendor) -一瞥,yī piē,glance; glimpse -一瞬,yī shùn,one instant; very short time; the twinkle of an eye -一瞬间,yī shùn jiān,split second -一矢中的,yī shǐ zhòng dì,to hit the target with a single shot; to say something spot on (idiom) -一知半解,yī zhī bàn jiě,lit. to know one and understand half (idiom); a smattering of knowledge; dilettante; amateur -一石二鸟,yī shí èr niǎo,to kill two birds with one stone (idiom) -一碗水端平,yī wǎn shuǐ duān píng,lit. to hold a bowl of water level (idiom); fig. to be impartial -一神教,yī shén jiào,monotheistic religion; monotheism -一神论,yī shén lùn,monotheism; unitarianism (denying the Trinity) -一秉虔诚,yī bǐng qián chéng,earnestly and sincerely (idiom); devoutly -一秘,yī mì,first secretary -一种,yī zhǒng,one kind of; one type of -一空,yī kōng,leaving none left; (sold etc) out -一窝蜂,yī wō fēng,like a swarm of bees; in droves (used to describe people flocking to do sth) -一穷二白,yī qióng èr bái,impoverished; backward both economically and culturally -一窥端倪,yī kuī duān ní,to infer easily; to guess at a glance; to get a clue -一窍不通,yī qiào bù tōng,lit. doesn't (even) enter a single aperture (of one's head); I don't understand a word (idiom); it's all Greek to me -一站式,yī zhàn shì,"one-stop (service, shop etc)" -一笑了之,yī xiào liǎo zhī,to laugh away (instead of taking seriously) -一笑置之,yī xiào zhì zhī,to dismiss with a laugh; to make light of -一笔不苟,yī bǐ bù gǒu,lit. not even one stroke is negligent (idiom); fig. to write characters (calligraphy) in which every stroke is placed perfectly -一笔勾销,yī bǐ gōu xiāo,to write off at one stroke -一笔带过,yī bǐ dài guò,(idiom) to mention only very briefly; to skate over (a topic) -一笔抹杀,yī bǐ mǒ shā,to blot out at one stroke; to reject out of hand; to deny without a hearing -一笔抹煞,yī bǐ mǒ shā,variant of 一筆抹殺|一笔抹杀[yi1 bi3 mo3 sha1] -一等,yī děng,first class; grade A -一等奖,yī děng jiǎng,first prize -一箭之仇,yī jiàn zhī chóu,a wrong suffered (idiom); old grievance; previous defeat -一箭双雕,yī jiàn shuāng diāo,"lit. one arrow, two golden eagles (idiom); to kill two birds with one stone" -一节诗,yī jié shī,stanza -一筹莫展,yī chóu mò zhǎn,to be unable to find a solution; to be at wits' end -一箩筐,yī luó kuāng,bucketloads of; in large quantities; extremely -一粒老鼠屎坏了一锅粥,yī lì lǎo shǔ shǐ huài le yī guō zhōu,lit. one pellet of rat feces spoiled the whole pot of congee (idiom); fig. one bad apple can spoil the whole bunch -一系列,yī xì liè,a series of; a string of -一纸空文,yī zhǐ kōng wén,a worthless piece of paper (idiom) -一级,yī jí,first class; category A -一级士官,yī jí shì guān,corporal (army) -一级方程式,yī jí fāng chéng shì,Formula One -一级棒,yī jí bàng,"first-rate; excellent (loanword from Japanese 一番, ichiban)" -一级头,yī jí tóu,first stage (diving) -一统,yī tǒng,to unify; unified -一丝一毫,yī sī yī háo,"one thread, one hair (idiom); a tiny bit; an iota" -一丝不挂,yī sī bù guà,not wearing one thread (idiom); absolutely naked; without a stitch of clothing; in one's birthday suit -一丝不苟,yī sī bù gǒu,not one thread loose (idiom); strictly according to the rules; meticulous; not one hair out of place -一经,yī jīng,as soon as; once (an action has been completed) -一维,yī wéi,one-dimensional (math.) -一网打尽,yī wǎng dǎ jìn,lit. to catch everything in the one net (idiom); fig. to scoop up the whole lot; to capture them all in one go -一线,yī xiàn,front line -一线之间,yī xiàn zhī jiān,a hair's breadth apart; a fine line; a fine distinction -一线之隔,yī xiàn zhī gé,a fine line; a fine distinction -一线希望,yī xiàn xī wàng,a gleam of hope -一线微光,yī xiàn wēi guāng,gleam -一线生机,yī xiàn shēng jī,(idiom) a chance of survival; a fighting chance; a ray of hope -一总,yī zǒng,altogether; in all -一声,yī shēng,"first tone in Mandarin (high, level tone)" -一声不吭,yī shēng bù kēng,to not say a word -一声不响,yī shēng bù xiǎng,to keep totally silent; noiselessly -一肚子,yī dù zi,bellyful (of sth); full of (sth) -一肚皮,yī dù pí,bellyful (of sth); full of (sth) -一股子,yī gǔ zi,a whiff of; a taint of; a thread of -一股清流,yī gǔ qīng liú,(fig.) a breath of fresh air -一股脑,yī gǔ nǎo,"all of it; lock, stock and barrel" -一股脑儿,yī gǔ nǎo er,erhua variant of 一股腦|一股脑[yi1 gu3 nao3] -一胎制,yī tāi zhì,the one-child policy -一胎化,yī tāi huà,practice of allowing only one child per family -一脉相承,yī mài xiāng chéng,"traceable to the same stock (idiom); of a common origin (of trends, ideas etc)" -一腔,yī qiāng,"full of (zeal, anger etc)" -一脸茫然,yī liǎn máng rán,puzzled; bewildered -一致,yī zhì,consistent; unanimous; in agreement; together; in unison -一致字,yī zhì zì,"(orthography) consistent words (e.g. ""dean"", ""bean"", and ""lean"", where ""-ean"" is pronounced the same in each case); consistent characters (e.g. 搖|摇[yao2], 遙|遥[yao2] and 謠|谣[yao2], which share a phonetic component that reliably indicates that the pronunciation of the character is yáo)" -一致性,yī zhì xìng,consistency -一致性效应,yī zhì xìng xiào yìng,consistency effect -一致资源定址器,yī zhì zī yuán dìng zhǐ qì,"uniform resource locator (URL), i.e. web address" -一举,yī jǔ,a move; an action; in one move; at a stroke; in one go -一举一动,yī jǔ yī dòng,every movement; each and every move -一举两得,yī jǔ liǎng dé,"one move, two gains (idiom); two birds with one stone" -一举成功,yī jǔ chéng gōng,success at one go; to succeed at the first attempt -一举手一投足,yī jǔ shǒu yī tóu zú,every little move; every single movement -一般,yī bān,same; ordinary; so-so; common; general; generally; in general -一般人,yī bān rén,average person -一般来说,yī bān lái shuō,generally speaking -一般来讲,yī bān lái jiǎng,generally speaking -一般原则,yī bān yuán zé,general principle -一般性,yī bān xìng,general; generality -一般而言,yī bān ér yán,generally speaking -一般般,yī bān bān,not particularly good; so-so -一般见识,yī bān jiàn shi,(idiom) to lower oneself to (sb's) level -一般规定,yī bān guī dìng,ordinary provision (law) -一般说来,yī bān shuō lái,generally speaking; in general -一般贸易,yī bān mào yì,general trade (i.e. importing and export without processing) -一落千丈,yī luò qiān zhàng,"lit. to drop a thousand zhang in one fall (idiom); fig. (of business, popularity etc) to suffer a sudden, devastating decline; to take a dive" -一叶知秋,yī yè zhī qiū,lit. the falling of one leaf heralds the coming of autumn (idiom); fig. a small sign can indicate a great trend; a straw in the wind -一叶障目,yī yè zhàng mù,lit. eyes obscured by a single leaf (idiom); fig. not seeing the wider picture; can't see the wood for the trees -一号,yī hào,first day of the month; toilet; (slang) top (in a homosexual relationship) -一号木杆,yī hào mù gān,driver (golf) -一号电池,yī hào diàn chí,D size battery -一血,yī xuè,(gaming) first blood -一行,yī xíng,party; delegation -一衣带水,yī yī dài shuǐ,(separated only by) a narrow strip of water -一见倾心,yī jiàn qīng xīn,love at first sight -一见如故,yī jiàn rú gù,familiarity at first sight -一见钟情,yī jiàn zhōng qíng,to fall in love at first sight (idiom) -一见高低,yī jiàn gāo dī,lit. to fight it out with sb to see who is best (idiom); fig. to cross swords with; to lock horns -一视同仁,yī shì tóng rén,to treat everyone equally favorably (idiom); not to discriminate between people -一亲芳泽,yī qīn fāng zé,to get close to; to get on intimate terms with -一觉醒来,yī jiào xǐng lái,to wake up from a sleep -一览,yī lǎn,at a glance; (in book titles) overview -一览无遗,yī lǎn wú yí,be plainly visible -一览无余,yī lǎn wú yú,to cover all at one glance (idiom); a panoramic view -一览众山小,yī lǎn zhòng shān xiǎo,(last line of the poem 望岳 by Tang poet Du Fu 杜甫[Du4 Fu3]) with one look I shall see all the smaller mountains down below (from the summit of Mt Tai 泰山[Tai4 Shan1]); (fig.) awe-inspiring view from a very high place -一览表,yī lǎn biǎo,table; schedule; list -一角银币,yī jiǎo yín bì,dime -一角鲸,yī jiǎo jīng,narwhal (Monodon monoceros) -一触即溃,yī chù jí kuì,to collapse on the first encounter; to give way at once -一触即发,yī chù jí fā,could happen at any moment; on the verge -一言,yī yán,one sentence; brief remark -一言一动,yī yán yī dòng,(one's) every word and deed (idiom) -一言一行,yī yán yī xíng,every word and action (idiom) -一言不合,yī yán bù hé,(idiom) to have a disagreement; to clash verbally -一言不发,yī yán bù fā,to not say a word (idiom) -一言九鼎,yī yán jiǔ dǐng,one word worth nine sacred tripods (idiom); words of enormous weight -一言以蔽之,yī yán yǐ bì zhī,"one word says it all (idiom, from Analects); to cut a long story short; in a nutshell" -一言千金,yī yán qiān jīn,one word worth a thousand in gold (idiom); valuable advice; words of enormous weight -一言堂,yī yán táng,(sign hung in a shop) prices fixed – no bargaining (old); having things decided by the will of a single individual; autocratic rule; (contrasted with 群言堂[qun2 yan2 tang2]) -一言抄百总,yī yán chāo bǎi zǒng,to cut a long story short -一言为定,yī yán wéi dìng,(idiom) it's a deal; that's settled then -一言为重,yī yán wéi zhòng,each word carries weight; a promise must be kept (idiom) -一言难尽,yī yán nán jìn,hard to explain in a few words (idiom); complicated and not easy to express succinctly -一语不发,yī yǔ bù fā,to not say a word (idiom) -一语中的,yī yǔ zhòng dì,(idiom) to hit the mark with a comment; to say sth spot on -一语成谶,yī yǔ chéng chèn,(idiom) to have one's words turn out to be (tragically) prophetic -一语破的,yī yǔ pò dì,see 一語中的|一语中的[yi1 yu3 zhong4 di4] -一语道破,yī yǔ dào pò,one word says it all (idiom); to hit the nail on the head; to be pithy and correct -一语双关,yī yǔ shuāng guān,to make a pun; to have a double meaning; double entendre -一说,yī shuō,an expression of opinion; according to some -一诺千金,yī nuò qiān jīn,a promise worth one thousand in gold (idiom); a promise that must be kept -一贫如洗,yī pín rú xǐ,penniless -一贯,yī guàn,consistent; constant; from start to finish; all along; persistent -一走了之,yī zǒu liǎo zhī,to avoid a problem by walking away from it; to quit -一起,yī qǐ,in the same place; together; with; altogether (in total) -一路,yī lù,the whole journey; all the way; going the same way; going in the same direction; of the same kind -一路上,yī lù shàng,along the way; the whole way; (fig.) the whole time -一路来,yī lù lái,all the way; all along; since the start -一路平安,yī lù píng ān,to have a pleasant journey; Bon voyage! -一路货,yī lù huò,see 一路貨色|一路货色[yi1 lu4 huo4 se4] -一路货色,yī lù huò sè,(pejorative) as detestable as each other; birds of a feather; cut from the same cloth -一路顺风,yī lù shùn fēng,to have a pleasant journey (idiom) -一路风尘,yī lù fēng chén,to live an exhausting journey -一蹴即至,yī cù jí zhì,lit. to get there in one step (idiom); fig. easily done -一蹴可几,yī cù kě jī,to succeed at the first try (idiom); easy as pie; one can do it at once -一蹴而就,yī cù ér jiù,to get there in one step (idiom); easily done; success at a stroke; to get results overnight -一蹴而得,yī cù ér dé,to get there in one step (idiom); easily done; success at a stroke; to get results overnight -一蹶不振,yī jué bù zhèn,"one stumble, unable to rise (idiom); a setback leading to total collapse; ruined at a stroke; unable to recover after a minor hitch" -一跃而起,yī yuè ér qǐ,to jump up suddenly; to bound up; to rise up in one bound -一身,yī shēn,whole body; from head to toe; single person; a suit of clothes -一身两役,yī shēn liǎng yì,one person taking on two tasks simultaneously -一身是胆,yī shēn shì dǎn,devoid of fear (idiom); intrepid -一身汗,yī shēn hàn,sweating all over -一较高下,yī jiào gāo xià,to compete against; to measure oneself against; to go head to head (see who is best) -一辈子,yī bèi zi,(for) a lifetime -一轮,yī lún,"first round or stage (of a match, election, talks, planned policy etc)" -一转眼,yī zhuǎn yǎn,in the blink of an eye -一辞莫赞,yī cí mò zàn,left speechless by sth perfect (idiom) -一退六二五,yī tuì liù èr wǔ,see 一推六二五[yi1 tui1 liu4 er4 wu3] -一通百通,yī tōng bǎi tōng,grasp this fundamental point and all the rest will follow (idiom) -一逞兽欲,yī chěng shòu yù,to give way to one's beastly lust -一连,yī lián,in a row; in succession; running -一连串,yī lián chuàn,a succession of; a series of -一遍,yī biàn,one time (all the way through); once through -一遍又一遍,yī biàn yòu yī biàn,over and over -一过性,yī guò xìng,transient -一道,yī dào,together -一递一个,yī dì yī gè,one after another -一递一声,yī dì yī shēng,(of singers etc) one answering the other -一边,yī biān,one side; either side; on the one hand; on the other hand; doing while -一边倒,yī biān dǎo,to have the advantage overwhelmingly on one side; to support unconditionally -一部分,yī bù fen,portion; part of; subset -一醉方休,yī zuì fāng xiū,to get thoroughly drunk (idiom); to get plastered -一针见血,yī zhēn jiàn xiě,lit. to draw blood on the first prick (idiom); fig. to hit the nail on the head -一锤子买卖,yī chuí zi mǎi mài,"a one-off, short-sighted deal; a one-shot, all-out attempt" -一锤定音,yī chuí dìng yīn,lit. to fix the tone with a single hammer blow; fig. to make the final decision -一钱不值,yī qián bù zhí,not worth a penny; utterly worthless -一钱如命,yī qián rú mìng,stingy; penny-pinching -一错再错,yī cuò zài cuò,to repeat errors; to continue blundering; to make continuous mistakes -一锅端,yī guō duān,see 連鍋端|连锅端[lian2 guo1 duan1] -一锅粥,yī guō zhōu,(lit.) a pot of porridge; (fig.) a complete mess -一长一短,yī cháng yī duǎn,talking endlessly; long-winded -一门式,yī mén shì,"one-stop (service, shop etc)" -一门心思,yī mén xīn si,to set one's heart on sth (idiom) -一闪念,yī shǎn niàn,sudden idea; flash of insight -一闪而过,yī shǎn ér guò,to flash past; to flit by -一阵,yī zhèn,a burst; a fit; a peal; a spell (period of time) -一阵子,yī zhèn zi,a while; a spell; a short time; a burst -一雨成秋,yī yǔ chéng qiū,a sudden shower towards the end of summer brings an abrupt arrival of autumn (idiom) -一雪前耻,yī xuě qián chǐ,to wipe away a humiliation (idiom) -一霎,yī shà,in a flash -一霎时,yī shà shí,in an instant -一霎眼,yī shà yǎn,suddenly; in an instant -一霎间,yī shà jiān,in a flash -一灵真性,yī líng zhēn xìng,soul; spirit -一面,yī miàn,one side; one aspect; simultaneously... (and...); one's whole face -一面之交,yī miàn zhī jiāo,to have met once; casual acquaintance -一面之词,yī miàn zhī cí,one side of the story; one-sided statement -一面倒,yī miàn dǎo,to be entirely on one side; one-sided; lopsided; partisan; overwhelmingly on one side -一头,yī tóu,one head; a head full of sth; one end (of a stick); one side; headlong; directly; rapidly; simultaneously -一头栽进,yī tóu zāi jìn,to plunge into; to run headlong into -一头热,yī tóu rè,one-sided enthusiasm (abbr. for 剃頭挑子一頭熱|剃头挑子一头热[ti4 tou2 tiao1 zi5 yi1 tou2 re4]) -一头雾水,yī tóu wù shuǐ,to be confused; to be baffled -一颗老鼠屎坏了一锅汤,yī kē lǎo shǔ shǐ huài le yī guō tāng,lit. one pellet of rat feces spoiled the whole pot of soup (idiom); fig. one bad apple can spoil the whole bunch -一颗老鼠屎坏了一锅粥,yī kē lǎo shǔ shǐ huài le yī guō zhōu,see 一粒老鼠屎壞了一鍋粥|一粒老鼠屎坏了一锅粥[yi1 li4 lao3 shu3 shi3 huai4 le5 yi1 guo1 zhou1] -一类,yī lèi,same type; category 1 (i.e. class A) -一类保护动物,yī lèi bǎo hù dòng wù,class A protected animal -一颦一笑,yī pín yī xiào,every frown and every smile -一饮而尽,yī yǐn ér jìn,to drain the cup in one gulp (idiom) -一饱眼福,yī bǎo yǎn fú,to feast one's eyes on (idiom) -一马勺坏一锅,yī mǎ sháo huài yī guō,one ladle (of sth bad) spoils the (whole) pot (idiom); one bad apple spoils the barrel -一马平川,yī mǎ píng chuān,flat land one could gallop straight across (idiom); wide expanse of flat country -一马当先,yī mǎ dāng xiān,(idiom) to take the lead -一骑绝尘,yī qí jué chén,(idiom) to lead the pack by a wide margin; to leave one's competitors trailing behind in one's dust -一惊一乍,yī jīng yī zhà,frightened; flustered -一骨碌,yī gū lu,with a rolling or twisting movement; in a single movement; in one breath -一体,yī tǐ,an integral whole; all concerned; everybody -一体两面,yī tǐ liǎng miàn,(fig.) two sides of the same coin -一体化,yī tǐ huà,to integrate; to unify -一哄而散,yī hòng ér sàn,see 一哄而散[yi1 hong1 er2 san4] -一鳞半爪,yī lín bàn zhǎo,lit. one scale and half a claw (idiom); fig. only odd bits and pieces -一鸣惊人,yī míng jīng rén,to amaze the world with a single brilliant feat (idiom); an overnight celebrity -一黑早,yī hēi zǎo,at daybreak -一点,yī diǎn,a bit; a little; one dot; one point -一点一滴,yī diǎn yī dī,bit by bit; every little bit -一点一点,yī diǎn yī diǎn,little by little; bit by bit; gradually -一点不,yī diǎn bù,not at all -一点儿,yī diǎn er,erhua variant of 一點|一点[yi1 dian3] -一点就通,yī diǎn jiù tōng,a hint is all that is needed; understanding each other without the need to explain -一点水一个泡,yī diǎn shuǐ yī gè pào,honest and trustworthy (idiom) -一点邻域,yī diǎn lín yù,(math.) neighborhood of a point -一点点,yī diǎn diǎn,a little bit -一党,yī dǎng,one-party (state) -一党专制,yī dǎng zhuān zhì,one party dictatorship -一鼓作气,yī gǔ zuò qì,in a spurt of energy -一鼻孔出气,yī bí kǒng chū qì,lit. to breathe through the same nostril (idiom); fig. two people say exactly the same thing (usually derog.); to sing from the same hymn sheet -一齐,yī qí,at the same time; simultaneously -丁,dīng,surname Ding -丁,dīng,"male adult; the 4th of the 10 Heavenly Stems 天干[tian1gan1]; fourth (used like ""4"" or ""D""); small cube of meat or vegetable; (literary) to encounter; (archaic) ancient Chinese compass point: 195°; (chemistry) butyl" -丁丁,dīng dīng,"Tintin, cartoon character" -丁丁,dīng dīng,"(neologism) (slang) penis (丁丁 resembles ""JJ"", which is short for 雞雞|鸡鸡[ji1ji1])" -丁丁,zhēng zhēng,"sound of chopping wood, chess pieces hitting the board etc" -丁丁炒面,dīng dīng chǎo miàn,chopped fried noodles -丁丑,dīng chǒu,"fourteenth year D2 of the 60 year cycle, e.g. 1997 or 2057" -丁二烯,dīng èr xī,butadiene C4H6; biethylene -丁二醇,dīng èr chún,butyl glycol -丁亥,dīng hài,"twenty-fourth year D12 of the 60 year cycle, e.g. 2007 or 2067" -丁克,dīng kè,"Dual Income, No Kids (DINK) (loanword)" -丁内酯,dīng nèi zhǐ,butyrolactone -丁冬,dīng dōng,(onom.) ding dong; jingling of bells; clanking sound -丁加奴,dīng jiā nú,"Terengganu, northeast state of mainland Malaysia" -丁卯,dīng mǎo,"fourth year D4 of the 60 year cycle, e.g. 1987 or 2047" -丁卯战争,dīng mǎo zhàn zhēng,first Manchu invasion of Korea (1627) -丁卯胡乱,dīng mǎo hú luàn,first Manchu invasion of Korea (1627) -丁型肝炎,dīng xíng gān yán,hepatitis D -丁基,dīng jī,"Ding Ji (1917-1944), real name Li Baicen 李百岑, journalist based in Yanan, martyr of the revolution" -丁基,dīng jī,butyl group (chemistry) -丁夫,dīng fū,(in ancient times) a man old enough for corvée or military service -丁字,dīng zì,T-shaped -丁字尺,dīng zì chǐ,T-square; set square (carpenter's tool) -丁字梁,dīng zì liáng,T-girder -丁字步,dīng zì bù,"T-step (basic dance position, with the feet forming a T shape)" -丁字街,dīng zì jiē,T-junction -丁字裤,dīng zì kù,thong (underwear) -丁字镐,dīng zì gǎo,hammer pick -丁客,dīng kè,see 丁克[ding1 ke4] -丁宁,dīng níng,variant of 叮嚀|叮咛[ding1 ning2] -丁宠家庭,dīng chǒng jiā tíng,double income family who have pets rather than children (see also 丁克[ding1 ke4]) -丁巳,dīng sì,"fifty-fourth year D6 of the 60 year cycle, e.g. 1977 or 2037" -丁巳复辟,dīng sì fù bì,"Manchu Restoration of 1917, see 張勳復辟|张勋复辟[Zhang1 Xun1 Fu4 bi4]" -丁忧,dīng yōu,(literary) to be in mourning after the death of a parent -丁未,dīng wèi,"forty-fourth year D8 of the 60 year cycle, e.g. 1967 or 2027" -丁格犬,dīng gé quǎn,dingo (Canis dingo) -丁汝昌,dīng rǔ chāng,"Ding Ruchang (1836-1895), commander of the Qing North China Navy" -丁烯,dīng xī,butene or butylene C4H8 -丁烷,dīng wán,butane -丁玲,dīng líng,"Ding Ling (1904-1986), female novelist, author of novel The Sun Shines over the Sanggan River 太陽照在桑乾河上|太阳照在桑干河上, attacked during the 1950s as anti-Party" -丁磊,dīng lěi,"Ding Lei (1971-), founder and CEO of NetEase 網易|网易[Wang3 yi4]" -丁糖,dīng táng,"tetrose (CH2O)4, monosaccharide with four carbon atoms" -丁肇中,dīng zhào zhōng,"Samuel C. C. Ting (1936-), American physicist, 1976 Nobel Prize laureate in physics" -丁艰,dīng jiān,(literary) to be in mourning after the death of a parent -丁酉,dīng yǒu,"thirty-fourth year D10 of the 60 year cycle, e.g. 1957 or 2017" -丁醇,dīng chún,butanol; butyl alcohol C4H9OH -丁醛,dīng quán,butyraldehyde; butanal -丁零当啷,dīng ling dāng lāng,(onom.) sound of a bell: ding-a-ling -丁青,dīng qīng,"Dêngqên county, Tibetan: Steng chen rdzong, in Chamdo prefecture 昌都地區|昌都地区[Chang1 du1 di4 qu1], Tibet" -丁青县,dīng qīng xiàn,"Dêngqên county, Tibetan: Steng chen rdzong, in Chamdo prefecture 昌都地區|昌都地区[Chang1 du1 di4 qu1], Tibet" -丁韪良,dīng wěi liáng,"William A.P. Martin (1827-1916), American missionary who lived 62 years in China between 1850 and 1916, and helped found many Chinese colleges, first president of Peking University" -丁香,dīng xiāng,lilac (Syringa spp); clove (Syzygium aromaticum) -丁骨牛排,dīng gǔ niú pái,T-bone steak -丁鲷,dīng diāo,tench -丁鱥,dīng guì,tench (Tinca tinca) -丁点,dīng diǎn,tiny bit -丂,kǎo,"""breath"" or ""sigh"" component in Chinese characters" -七,qī,seven; 7 -七七事变,qī qī shì biàn,"Marco Polo Bridge Incident of 7th July 1937, regarded as the beginning of the Second Sino-Japanese War 抗日戰爭|抗日战争[Kang4 Ri4 Zhan4 zheng1]" -七七八八,qī qī bā bā,almost; nearing completion; bits and piece; of all kinds -七上八下,qī shàng bā xià,at sixes and sevens; perturbed state of mind; in a mess -七上八落,qī shàng bā luò,see 七上八下[qi1 shang4 ba1 xia4] -七事,qī shì,(archaic) the seven duties of a sovereign -七分之一,qī fēn zhī yī,one seventh -七分熟,qī fēn shú,medium well (of steak) -七十,qī shí,seventy; 70 -七十七国集团,qī shí qī guó jí tuán,"Group of 77, loose alliance of developing countries, founded in 1964" -七十年代,qī shí nián dài,the seventies; the 1970s -七台河,qī tái hé,see 七台河市[Qi1 tai2 he2 shi4] -七台河市,qī tái hé shì,"Qitaihe, prefecture-level city, Heilongjiang province" -七和弦,qī hé xián,seventh (musical cord) -七喜,qī xǐ,"7 Up (soft drink); Hedy Holding Co., PRC computer manufacturer" -七嘴八张,qī zuǐ bā zhāng,see 七嘴八舌[qi1 zui3 ba1 she2] -七嘴八舌,qī zuǐ bā shé,lively discussion with everybody talking at once -七国集团,qī guó jí tuán,"G7, the group of 7 industrialized countries: US, Japan, Britain, Germany, France, Italy and Canada (now G8, including Russia)" -七堵,qī dǔ,"Qidu or Chitu District of Keelung City 基隆市[Ji1 long2 Shi4], Taiwan" -七堵区,qī dǔ qū,"Qidu or Chitu District of Keelung City 基隆市[Ji1 long2 Shi4], Taiwan" -七夕,qī xī,"double seven festival, evening of seventh of lunar seventh month; girls' festival; Chinese Valentine's day, when Cowherd and Weaving maid 牛郎織女|牛郎织女 are allowed their annual meeting" -七夕节,qī xī jié,"Qixi Festival or Double Seven Festival on the 7th day of the 7th lunar month; girls' festival; Chinese Valentine's day, when Cowherd and Weaving maid 牛郎織女|牛郎织女[niu2 lang3 zhi1 nu:3] are allowed their annual meeting" -七大姑八大姨,qī dà gū bā dà yí,distant relatives -七大工业国集团,qī dà gōng yè guó jí tuán,"G7, the group of 7 industrialized countries: US, Japan, Britain, Germany, France, Italy and Canada (now G8, including Russia)" -七姊妹星团,qī zǐ mèi xīng tuán,Pleiades M45 -七孔,qī kǒng,"the seven apertures of the human head: 2 eyes, 2 ears, 2 nostrils, 1 mouth" -七巧板,qī qiǎo bǎn,tangram (traditional Chinese block puzzle) -七带石斑鱼,qī dài shí bān yú,Epinephelus septemfasciatus -七年之痒,qī nián zhī yǎng,seven-year itch -七弦琴,qī xián qín,guqin or seven-stringed zither -七弯八拐,qī wān bā guǎi,twisting and turning; tricky and complicated -七彩,qī cǎi,seven colors; a variety of colors; multicolored; rainbow-colored -七律,qī lǜ,abbr. for 七言律詩|七言律诗[qi1yan2 lu:4shi1] -七情,qī qíng,"seven emotional states; seven affects of traditional Chinese medical theory and therapy, namely: joy 喜[xi3], anger 怒[nu4], anxiety 憂|忧[you1], thought 思[si1], grief 悲[bei1], fear 恐[kong3], fright 驚|惊[jing1]; seven relations" -七情六欲,qī qíng liù yù,various emotions and desires -七手八脚,qī shǒu bā jiǎo,(idiom) with everyone lending a hand (eagerly but somewhat chaotically) -七扭八歪,qī niǔ bā wāi,misshapen; crooked; uneven (idiom) -七折八扣,qī zhé bā kòu,lit. various cuts and deductions (idiom); fig. greatly reduced; substantially scaled back -七拼八凑,qī pīn bā còu,assembled at random; a motley collection -七政四余,qī zhèng sì yú,seven heavenly bodies and four imaginary stars (in astrology and feng shui) -七方,qī fāng,"(Chinese medicine) the seven kinds of prescriptions 大方[da4 fang1], 小方[xiao3 fang1], 緩方|缓方[huan3 fang1], 急方[ji2 fang1], 奇方[ji1 fang1], 偶方[ou3 fang1] and 重方[chong2 fang1] or 複方|复方[fu4 fang1]" -七日热,qī rì rè,leptospirosis -七旬老人,qī xún lǎo rén,septuagenarian -七星,qī xīng,"Qixing district of Guilin city 桂林市[Gui4 lin2 shi4], Guangxi" -七星区,qī xīng qū,"Qixing district of Guilin city 桂林市[Gui4 lin2 shi4], Guangxi" -七星瓢虫,qī xīng piáo chóng,seven-spotted ladybug (Coccinella septempunctata) -七曜,qī yào,"the seven planets of premodern astronomy (the Sun, the Moon, Mercury, Venus, Mars, Jupiter, and Saturn)" -七月,qī yuè,July; seventh month (of the lunar year) -七月份,qī yuè fèn,July -七武士,qī wǔ shì,Seven Samurai (movie) -七河州,qī hé zhōu,"Semirechye region of Kazakhstan, bordering Lake Balkash 巴爾喀什湖|巴尔喀什湖[Ba1 er3 ka1 shi2 Hu2]" -七湾八拐,qī wān bā guǎi,variant of 七彎八拐|七弯八拐[qi1 wan1 ba1 guai3] -七爷八爷,qī yé bā yé,term used in Taiwan for 黑白無常|黑白无常[Hei1 Bai2 Wu2 chang2] -七碳糖,qī tàn táng,"heptose (CH2O)7, monosaccharide with seven carbon atoms" -七窍,qī qiào,"the seven apertures of the human head: 2 eyes, 2 ears, 2 nostrils, 1 mouth" -七窍生烟,qī qiào shēng yān,lit. spouting smoke through the seven orifices (idiom); fig. to seethe with anger -七级浮屠,qī jí fú tú,seven floor pagoda -七美,qī měi,"Qimei or Chimei township in Penghu county 澎湖縣|澎湖县[Peng2 hu2 xian4] (Pescadores Islands), Taiwan" -七美乡,qī měi xiāng,"Qimei or Chimei township in Penghu county 澎湖縣|澎湖县[Peng2 hu2 xian4] (Pescadores Islands), Taiwan" -七老八十,qī lǎo bā shí,in one's seventies (age); very old (of people) -七声,qī shēng,tones of the musical scale -七声音阶,qī shēng yīn jiē,heptatonic scale -七股,qī gǔ,"Chiku township in Tainan county 台南縣|台南县[Tai2 nan2 xian4], Taiwan" -七叶树,qī yè shù,Chinese horse chestnut (Aesculus chinensis) -七荤八素,qī hūn bā sù,confused; distracted -七号电池,qī hào diàn chí,AAA battery (PRC); Taiwan equivalent: 四號電池|四号电池[si4 hao4 dian4 chi2] -七角形,qī jiǎo xíng,heptagon -七言律诗,qī yán lǜ shī,"verse form consisting of 8 lines of 7 syllables, with rhyme on alternate lines (abbr. to 七律[qi1lu:4])" -七边形,qī biān xíng,heptagon -七里河,qī lǐ hé,"Qilihe District of Lanzhou City 蘭州市|兰州市[Lan2 zhou1 Shi4], Gansu" -七里河区,qī lǐ hé qū,"Qilihe District of Lanzhou City 蘭州市|兰州市[Lan2 zhou1 Shi4], Gansu" -七里香,qī lǐ xiāng,"orange jasmine (Murraya paniculata); ""chicken butt"", popular Taiwan snack on a stick, made of marinated ""white cut chicken"" butt" -七零八碎,qī líng bā suì,bits and pieces; scattered fragments -七零八落,qī líng bā luò,(idiom) everything broken and in disorder -七项全能,qī xiàng quán néng,heptathlon -七魄,qī pò,"seven mortal forms in Daoism, representing carnal life and desires; contrasted with 三魂 three immortal souls" -七鳃鳗,qī sāi mán,lamprey (jawless proto-fish of family Petromyzontidae) -七龙珠,qī lóng zhū,"Dragon Ball, Japanese manga and anime series" -丄,shàng,old variant of 上[shang4] -万,mò,used in 万俟[Mo4 qi2] -万俟,mò qí,two-character surname Moqi -丈,zhàng,"measure of length, ten Chinese feet (3.3 m); to measure; husband; polite appellation for an older male" -丈二金刚摸不着头脑,zhàng èr jīn gāng mō bu zháo tóu nǎo,"see 丈二和尚,摸不著頭腦|丈二和尚,摸不着头脑[zhang4 er4 he2 shang5 , mo1 bu5 zhao2 tou2 nao3]" -丈人,zhàng rén,wife's father (father-in-law); old man -丈八蛇矛,zhàng bā shé máo,"ancient spear-like weapon 18 Chinese feet 尺[chi3] in length, with a wavy spearhead like a snake's body" -丈夫,zhàng fu,husband -丈母,zhàng mǔ,wife's mother; mother-in-law -丈母娘,zhàng mǔ niáng,wife's mother; mother-in-law -丈量,zhàng liáng,to measure; measurement -三,sān,surname San -三,sān,three; 3 -三七,sān qī,"pseudoginseng (Panax pseudoginseng), hemostatic herb" -三七二十一,sān qī èr shí yī,three sevens are twenty-one (idiom); the facts of the matter; the actual situation -三七仔,sān qī zǐ,(slang) pimp -三七开,sān qī kāi,"ratio seventy to thirty; thirty percent failure, seventy percent success" -三七开定论,sān qī kāi dìng lùn,"thirty percent failure, seventy percent success, the official PRC verdict on Mao Zedong" -三三两两,sān sān liǎng liǎng,in twos and threes -三下五除二,sān xià wǔ chú èr,"three, set five remove two (abacus rule); efficiently; quickly and easily" -三下两下,sān xià liǎng xià,quickly and effortlessly (idiom) -三不,sān bù,the three no's (abbreviated catchphrase) -三不五时,sān bù wǔ shí,(Tw) from time to time; frequently -三不朽,sān bù xiǔ,"the three imperishables, three ways to distinguish oneself that aren't forgotten by history: through one's virtue 立德[li4 de2], one's service 立功[li4 gong1] and one's writings 立言[li4 yan2] (from the Zuo Zhuan 左傳|左传[Zuo3 Zhuan4])" -三不沾,sān bù zhān,air ball (basketball) -三不知,sān bù zhī,"to know nothing about the beginning, the middle or the end; to know nothing at all" -三不管,sān bù guǎn,of undetermined status; unregulated -三世,sān shì,the Third (of numbered kings) -三中全会,sān zhōng quán huì,third plenum of a national congress of the Chinese Communist Party -三九天,sān jiǔ tiān,"the twenty seven days after the Winter Solstice, reputed to be the coldest days of the year" -三五,sān wǔ,several; three or five -三五成群,sān wǔ chéng qún,in groups of three or four (idiom) -三井,sān jǐng,Mitsui (Japanese company) -三亚,sān yà,"Sanya, prefecture-level city, Hainan" -三亚市,sān yà shì,"Sanya, prefecture-level city, Hainan" -三人成虎,sān rén chéng hǔ,three men talking makes a tiger (idiom); repeated rumor becomes a fact -三人行,sān rén xíng,(slang) threesome -三仇,sān chóu,"animosity or resentment towards three groups (the bureaucrats, the wealthy, and the police) due to perceived abuse of power" -三代,sān dài,"three generations of a family; the three earliest dynasties (Xia, Shang and Zhou)" -三代同堂,sān dài tóng táng,three generations under one roof -三令五申,sān lìng wǔ shēn,to order again and again (idiom) -三件套式西装,sān jiàn tào shì xī zhuāng,three-piece suit -三伏,sān fú,"the three annual periods of hot weather, namely 初伏[chu1 fu2], 中伏[zhong1 fu2] and 末伏[mo4 fu2], which run consecutively over a period from mid-July to late August" -三伏天,sān fú tiān,see 三伏[san1 fu2] -三位一体,sān wèi yī tǐ,Holy Trinity; trinity -三位博士,sān wèi bó shì,the Magi; the Three Wise Kings from the East in the biblical nativity story -三侠五义,sān xiá wǔ yì,"Sanxia wuyi (lit. Three knight-errants and five righteous one), novel edited from stories of late Qing dynasty pinghua 評話|评话 master storyteller Shi Yukun 石玉昆" -三个世界,sān ge shì jiè,"the Three Worlds (as proposed by Mao Zedong), i.e. the superpowers (USA and USSR), other wealthy countries (UK, France, Japan etc), and the developing countries of Asia, Africa and Latin America" -三个代表,sān gè dài biǎo,"the Three Represents, a set of three guiding principles for the CCP introduced by Jiang Zemin 江澤民|江泽民[Jiang1 Ze2 min2] in 2000 and enshrined in the Constitution in 2004" -三个和尚没水吃,sān gè hé shang méi shuǐ chī,see 三個和尚沒水喝|三个和尚没水喝[san1 ge4 he2 shang5 mei2 shui3 he1] -三个和尚没水喝,sān gè hé shang méi shuǐ hē,"lit. three monks have no water to drink (idiom); fig. everybody's business is nobody's business; (If there is one monk, he will fetch water for himself. If there are two, they will fetch water together. But if there are three or more, none will take it upon himself to fetch water.)" -三个女人一个墟,sān gè nǚ rén yī gè xū,three women makes a crowd -三个女人一台戏,sān ge nǚ rén yī tái xì,three women are enough for a drama (idiom) -三倍,sān bèi,triple -三催四请,sān cuī sì qǐng,to coax and plead -三价,sān jià,trivalent -三元,sān yuán,"(old) first place in civil service examinations at three levels: provincial 解元[jie4 yuan2], metropolitan 會元|会元[hui4 yuan2] and palace 狀元|状元[zhuang4 yuan2]" -三元区,sān yuán qū,"Sanyuan, a district of Sanming City 三明市[San1ming2 Shi4], Fujian" -三元运算,sān yuán yùn suàn,ternary operator (computing) -三元醇,sān yuán chún,propyl alcohol C3H7OH -三元音,sān yuán yīn,triphthong (such as putonghua uei etc) -三光,sān guāng,"the sun, the moon, and the stars" -三光政策,sān guāng zhèng cè,"Three Alls Policy (kill all, burn all, loot all), Japanese policy in China during WWII" -三两,sān liǎng,two or three -三八,sān bā,"International Women's Day 婦女節|妇女节[Fu4 nu:3 jie2], 8th March; foolish; stupid" -三八大盖,sān bā dà gài,(coll.) Arisaka Type 38 rifle (Japanese army rifle used 1905-1945) -三八节,sān bā jié,International Women's Day (March 8) -三八线,sān bā xiàn,"38th parallel, forming the DMZ border between North and South Korea" -三公消费,sān gōng xiāo fèi,see 三公經費|三公经费[san1 gong1 jing1 fei4] -三公经费,sān gōng jīng fèi,"""three public expenditures"" of the PRC government, i.e. air travel, food and entertainment, and public vehicles" -三分,sān fēn,somewhat; to some degree -三分之一,sān fēn zhī yī,one third -三分熟,sān fēn shú,medium rare (of steak) -三分钟热度,sān fēn zhōng rè dù,brief period of enthusiasm; flash in the pan -三分头,sān fēn tóu,regular men's haircut; short back and sides -三包,sān bāo,"""three-guarantee service"": repair, exchange, refund" -三北,sān běi,"China's three northern regions, 東北|东北[Dong1 bei3], 華北|华北[Hua2 bei3] and 西北[Xi1 bei3]" -三北防护林,sān běi fáng hù lín,"Green Wall of China, a massive afforestation program on the eastern margin of the Gobi Desert aimed at stopping the desert's expansion, started in 1978 and planned to be completed by 2050" -三十,sān shí,thirty; 30 -三十二位元,sān shí èr wèi yuán,32-bit (computing) -三十二相,sān shí èr xiàng,the thirty-two physical characteristics of Buddha -三十八度线,sān shí bā dù xiàn,"38th parallel; dividing line agreed at Yalta between US and Soviet zones of influence in Korea, now the DMZ between North and South Korea" -三十六字母,sān shí liù zì mǔ,thirty six initial consonants of Song phonetic theory -三十六计,sān shí liù jì,"The Thirty-Six Stratagems, a Chinese essay used to illustrate a series of stratagems used in politics, war, and in civil interaction; all the possible schemes and stratagems" -三十而立,sān shí ér lì,"thirty years old and therefore independent (idiom, from Confucius)" -三千大千世界,sān qiān dà qiān shì jiè,cosmos (Buddhism) -三原,sān yuán,"Sanyuan County in Xianyang 咸陽|咸阳[Xian2 yang2], Shaanxi" -三原则,sān yuán zé,the Three Principles (in many contexts) -三原县,sān yuán xiàn,"Sanyuan County in Xianyang 咸陽|咸阳[Xian2 yang2], Shaanxi" -三叉戟,sān chā jǐ,trident -三叉神经,sān chā shén jīng,trigeminal nerve -三反,sān fǎn,"""Three Anti"" campaign (anti-corruption, anti-waste, anti-bureaucracy), early PRC purge of 1951-52" -三反运动,sān fǎn yùn dòng,"""Three Anti"" campaign (anti-corruption, anti-waste, anti-bureaucracy), early PRC purge of 1951-52" -三句话不离本行,sān jù huà bù lí běn háng,to talk shop all the time (idiom) -三台,sān tái,"Santai county in Mianyang 綿陽|绵阳[Mian2 yang2], north Sichuan" -三台县,sān tái xiàn,"Santai county in Mianyang 綿陽|绵阳[Mian2 yang2], north Sichuan" -三合一,sān hé yī,three in one; triple -三合一疫苗,sān hé yī yì miáo,DTP vaccination -三合土,sān hé tǔ,mortar; concrete; cement -三合星,sān hé xīng,(astronomy) triple star system -三合会,sān hé huì,"triad, Chinese crime gang; triad society, anti-Manchu secret society in Qing-dynasty China" -三合院,sān hé yuàn,residence consisting of structures surrounding a courtyard on three sides -三味线,sān wèi xiàn,"shamisen, three-stringed Japanese musical instrument" -三和弦,sān hé xián,(music) triad; three-note chord -三国,sān guó,"Three Kingdoms period (220-280) in Chinese history; any of several Three Kingdoms periods in Korean history, esp. from 1st century AD to unification under Silla 新羅|新罗[Xin1luo2] in 658" -三国史记,sān guó shǐ jì,"History of Three Kingdoms (Korean: Samguk Sagi), the oldest extant Korean history, compiled under Kim Busik 金富軾|金富轼[Jin1 Fu4 shi4] in 1145. The three kingdoms are Goguryeo 高句麗|高句丽[Gao1 gou1 li2], Baekje 百濟|百济[Bai3 ji4], Silla 新羅|新罗[Xin1 luo2]." -三国志,sān guó zhì,"History of the Three Kingdoms, fourth of the 24 dynastic histories 二十四史[Er4 shi2 si4 Shi3], composed by Chen Shou 陳壽|陈寿[Chen2 Shou4] in 289 during Jin Dynasty 晉朝|晋朝[Jin4 chao2], 65 scrolls" -三国演义,sān guó yǎn yì,"Romance of the Three Kingdoms by Luo Guanzhong 羅貫中|罗贯中[Luo2 Guan4 zhong1], one of the Four Classic Novels of Chinese literature, a fictional account of the Three Kingdoms at the break-up of the Han around 200 AD, portraying Liu Bei's 劉備|刘备[Liu2 Bei4] Shu Han 蜀漢|蜀汉[Shu3 Han4] as heroes and Cao Cao's 曹操[Cao2 Cao1] Wei 魏[Wei4] as villains" -三围,sān wéi,"BWH, abbr. for a woman's three measurements, namely: bust 胸圍|胸围[xiong1 wei2], waist 腰圍|腰围[yao1 wei2] and hip 臀圍|臀围[tun2 wei2]" -三地门,sān dì mén,"Santimen township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -三地门乡,sān dì mén xiāng,"Santimen township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -三大纪律八项注意,sān dà jì lǜ bā xiàng zhù yì,"the Three Rules of Discipline and Eight Points for Attention, a military doctrine issued in 1928 by Mao Zedong for the Red Army, which included a number of injunctions demanding high standards of behavior and respect for civilians during wartime" -三天两头,sān tiān liǎng tóu,lit. twice every three days (idiom); practically every day; frequently -三夷教,sān yí jiào,"the three foreign religions (Nestorianism, Manichaeism and Zoroastrianism)" -三姑六婆,sān gū liù pó,women with disreputable or illegal professions (idiom) -三字经,sān zì jīng,"Three Character Classic, 13th century reading primer consisting of Confucian tenets in lines of 3 characters" -三字经,sān zì jīng,(slang) swearword; four-letter word -三官大帝,sān guān dà dì,"the three gods in charge of heaven, earth and water (Daoism)" -三家村,sān jiā cūn,"(lit.) village of three households; the Three Family Village, an essay column in a Beijing newspaper from 1961-1966, written by Deng Tuo 鄧拓|邓拓[Deng4 Tuo4], Wu Han 吳晗|吴晗[Wu2 Han2] and Liao Mosha 廖沫沙[Liao4 Mo4 sha1], criticized as anti-Party during the Cultural Revolution" -三宝,sān bǎo,"the Three Precious Treasures of Buddhism, namely: the Buddha 佛, the Dharma 法 (his teaching), and the Sangha 僧 (his monastic order)" -三宝太监,sān bǎo tài jiàn,"Sanbao Eunuch, official title of Zheng He 鄭和|郑和[Zheng4 He2]; also written 三保太監|三保太监" -三宝鸟,sān bǎo niǎo,(bird species of China) oriental dollarbird (Eurystomus orientalis) -三寸不烂之舌,sān cùn bù làn zhī shé,to have a silver tongue; to have the gift of the gab -三对三斗牛,sān duì sān dòu niú,three-on-three basketball game -三小,sān xiǎo,"(Tw) (vulgar) what the hell? (from Taiwanese 啥潲, Tai-lo pr. [siánn-siâ], equivalent to Mandarin 什麼|什么[shen2 me5])" -三尖杉酯碱,sān jiān shān zhǐ jiǎn,harringtonine (chemistry) -三屉桌,sān tì zhuō,three-drawer desk (traditional Chinese piece of furniture) -三山,sān shān,"Sanshan district of Wuhu city 蕪湖市|芜湖市[Wu2 hu2 shi4], Anhui" -三山区,sān shān qū,"Sanshan district of Wuhu city 蕪湖市|芜湖市[Wu2 hu2 shi4], Anhui" -三岔口,sān chà kǒu,"At the Crossroads, famous opera, based on a story from 水滸傳|水浒传[Shui3 hu3 Zhuan4]" -三岛由纪夫,sān dǎo yóu jì fū,"Mishima Yukio (1925-1970), Japanese author, pen name of (平岡公威|平冈公威, Hiraoka Kimitake)" -三峡,sān xiá,"Three Gorges on the Chang Jiang or Yangtze, namely: Qutang Gorge 瞿塘峽|瞿塘峡[Qu2 tang2 Xia2], Wuxia Gorge 巫峽|巫峡[Wu1 Xia2] and Xiling Gorge 西陵峽|西陵峡[Xi1 ling2 Xia2]; Sanxia or Sanhsia town in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -三峡大坝,sān xiá dà bà,Three Gorges Dam on the Yangtze River -三峡水库,sān xiá shuǐ kù,Three Gorges Reservoir on the Changjiang or Yangtze -三峡镇,sān xiá zhèn,"Sanxia or Sanhsia town in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -三度,sān dù,third (musical interval) -三厢,sān xiāng,sedan (automobile body type) -三废,sān fèi,"three types of waste product, namely: waste water 廢水|废水[fei4 shui3], exhaust gas 廢氣|废气[fei4 qi4], industrial slag 廢渣|废渣[fei4 zha1]" -三弦,sān xián,"sanxian, large family of 3-stringed plucked musical instruments, with snakeskin covered wooden soundbox and long neck, used in folk music, opera and Chinese orchestra" -三得利,sān dé lì,"Suntory, Japanese beverage company" -三从四德,sān cóng sì dé,"Confucian moral injunctions for women, namely: obey in turn three men father, husband and son, plus the four virtues of morality 德[de2], physical charm 容, propriety in speech 言 and efficiency in needlework 功" -三心二意,sān xīn èr yì,in two minds about sth (idiom); half-hearted; shilly-shallying -三思而后行,sān sī ér hòu xíng,think again and again before acting (idiom); consider carefully in advance -三思而行,sān sī ér xíng,think three times then go (idiom); don't act before you've thought it through carefully -三手病,sān shǒu bìng,"repetitive strain injury (resulting from frequent use of one's thumb, wrist etc)" -三拗汤,sān ào tāng,san'ao decoction (TCM) -三振,sān zhèn,"to strike out; strikeout (baseball, softball); (Tw) to ditch; to eliminate from consideration" -三振出局,sān zhèn chū jú,see 三振[san1 zhen4] -三教,sān jiào,"the Three Doctrines (Daoism, Confucianism, Buddhism)" -三教九流,sān jiào jiǔ liú,"the Three Religions (Daoism, Confucianism, Buddhism) and Nine Schools (Confucians, Daoists, Yin-Yang, Legalists, Logicians, Mohists, Political Strategists, Eclectics, Agriculturists); fig. people from all trades (often derog.)" -三文治,sān wén zhì,sandwich (loanword) -三文鱼,sān wén yú,salmon (loanword) -三族,sān zú,"(old) three generations (father, self and sons); three clans (your own, your mother's, your wife's)" -三旬九食,sān xún jiǔ shí,lit. to have only nine meals in thirty days (idiom); fig. (of a family) on the brink of starvation; in dire straits -三明,sān míng,"Sanming, prefecture-level city in Fujian" -三明市,sān míng shì,"Sanming, prefecture-level city in Fujian" -三明治,sān míng zhì,sandwich (loanword); CL:個|个[ge4] -三星,sān xīng,"Samsung (South Korean electronics company); Sanxing or Sanhsing Township in Yilan County 宜蘭縣|宜兰县[Yi2lan2 Xian4], Taiwan" -三星,sān xīng,"three major stars of the Three Stars 參宿|参宿[Shen1 xiu4] Chinese constellation; the belt of Orion; three spirits 福[fu2], 祿|禄[lu4], and 壽|寿[shou4] associated with the Three Stars 參宿|参宿[Shen1 xiu4] Chinese constellation" -三星堆,sān xīng duī,"archaeological site of Sanxingdui outside Chengdu (Sichuan), exhibiting remarkable bronze artifacts from the 11-12th centuries BC" -三星乡,sān xīng xiāng,"Sanxing or Sanhsing Township in Yilan County 宜蘭縣|宜兰县[Yi2 lan2 Xian4], Taiwan" -三星集团,sān xīng jí tuán,Samsung Group -三春,sān chūn,the three spring months -三昧,sān mèi,Samadhi (Buddhist term) -三更,sān gēng,third of the five night watch periods 23:00-01:00 (old); midnight; also pr. [san1 jin1] -三更半夜,sān gēng bàn yè,in the depth of the night; very late at night -三曹,sān cáo,"the Three Caos (Cao Cao 曹操 and his sons Cao Pi 曹丕 and Cao Zhi 曹植), who established the Wei or Cao Wei dynasty 曹魏, and were all three noted poets and calligraphers" -三月,sān yuè,March; third month (of the lunar year) -三月份,sān yuè fèn,March -三月街,sān yuè jiē,"Third Month Fair, traditional festival of the Bai Nationality 白族[Bai2 zu2]" -三朋四友,sān péng sì yǒu,friends; cronies -三板,sān bǎn,sampan -三柱门,sān zhù mén,(sports) (cricket) wicket (set of stumps and bails) -三框栏,sān kuàng lán,radical 匚[fang1] (Kangxi radical 22) -三条,sān tiáo,three of a kind (poker) -三极管,sān jí guǎn,triode (vacuum tube or transistor) -三权分立,sān quán fēn lì,separation of powers -三权鼎立,sān quán dǐng lì,separation of powers -三次,sān cì,"third; three times; (math.) degree three, cubic (equation)" -三次元,sān cì yuán,three-dimensional; the real world (cf. 二次元[er4 ci4 yuan2]) -三次幂,sān cì mì,"cube (third power, math.)" -三次方,sān cì fāng,"cube (third power, math.)" -三次方程,sān cì fāng chéng,cubic equation (math.) -三次曲线,sān cì qū xiàn,cubic curve (geometry) -三归依,sān guī yī,"the Three Pillars of Faith (Buddha, dharma, sangha), aka 三寶|三宝[san1 bao3]" -三段论,sān duàn lùn,syllogism (deduction in logic) -三毛猫,sān máo māo,tortoiseshell cat; calico cat -三民,sān mín,"Sanmin district of Kaohsiung city 高雄市[Gao1 xiong2 shi4], south Taiwan" -三民主义,sān mín zhǔ yì,Dr Sun Yat-sen's 孫中山|孙中山 Three Principles of the People (late 1890s) -三民区,sān mín qū,"Sanmin district of Kaohsiung city 高雄市[Gao1 xiong2 shi4], south Taiwan" -三氟化硼,sān fú huà péng,boron trifluoride -三氯化磷,sān lǜ huà lín,phosphorous trichloride -三氯化铁,sān lǜ huà tiě,ferric chloride FeCl3 -三氯氧磷,sān lǜ yǎng lín,phosphorous oxychloride -三氯氰胺,sān lǜ qíng àn,melamine C3H6N6 -三氯甲烷,sān lǜ jiǎ wán,chloroform (trichloromethane CHCl3) -三水,sān shuǐ,"Sanshui, a district of Foshan 佛山市[Fo2shan1 Shi4], Guangdong" -三水区,sān shuǐ qū,"Sanshui, a district of Foshan 佛山市[Fo2shan1 Shi4], Guangdong" -三水县,sān shuǐ xiàn,Sanshui county in Guangdong -三江并流,sān jiāng bìng liú,"Three Parallel Rivers National Park, in mountainous northwest Yunnan World Heritage protected area: the three rivers are Nujiang 怒江[Nu4 jiang1] or Salween, Jinsha 金沙江[Jin1 sha1 jiang1] or upper reaches of Changjiang and Lancang 瀾滄江|澜沧江[Lan2 cang1 Jiang1] or Mekong" -三江侗族自治县,sān jiāng dòng zú zì zhì xiàn,"Sanjiang Dong autonomous county in Liuzhou 柳州[Liu3 zhou1], Guangxi" -三江平原,sān jiāng píng yuán,"Sanjiang or Three rivers plain in Heilongjiang, vast wetland watered by Heilongjiang 黑龍江|黑龙江[Hei1 long2 jiang1] or Amur, Songhua 松花江[Song1 hua1 jiang1], Ussuri 烏蘇里江|乌苏里江[Wu1 su1 li3 jiang1]" -三江源,sān jiāng yuán,"Sanjiangyuan National Nature Reserve, high plateau region of Qinghai containing the headwaters of Changjiang or Yangtze, Huanghe or Yellow River and Lancang or Mekong River" -三江生态旅游区,sān jiāng shēng tài lǚ yóu qū,"Sanjiang Ecological Tourist Area in Wenchuan county 汶川縣|汶川县[Wen4 chuan1 xian4], northwest Sichuan" -三河,sān hé,"Sanhe, county-level city in Langfang 廊坊[Lang2 fang2], Hebei" -三河市,sān hé shì,"Sanhe, county-level city in Langfang 廊坊[Lang2 fang2], Hebei" -三河县,sān hé xiàn,Sanhe county in Beijing -三法司,sān fǎ sī,the three judicial chief ministries (in imperial China) -三洋,sān yáng,"Sanyō, Japanese electronics company" -三流,sān liú,third-rate; inferior -三浦,sān pǔ,Miura (Japanese surname and place name) -三浦梅园,sān pǔ méi yuán,"MIURA Baien (1723-1789), Japanese neo-Confucian philosopher and pioneer economist, author of The Origin of value 價原|价原[Jia4 yuan2]" -三温暖,sān wēn nuǎn,sauna (loanword) (Tw) -三湾,sān wān,"Sanwan township in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -三湾乡,sān wān xiāng,"Sanwan township in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -三炮,sān pào,(Northeastern dialect) simple-minded person -三无,sān wú,lacking three key attributes (or at least one of them) -三无人员,sān wú rén yuán,"person without identification papers, a normal residence permit or a source of income" -三无企业,sān wú qǐ yè,"enterprise with no premises, capital or regular staff" -三无产品,sān wú chǎn pǐn,"product lacking one or more of three requirements such as production license, inspection certificate, and manufacturer's name and location" -三焦,sān jiāo,"(TCM) the three truncal cavities (thoracic, abdominal and pelvic), known as the ""triple heater"" or ""San Jiao""" -三牲,sān shēng,"the three sacrificial animals (originally cow, sheep and pig; later pig, chicken and fish)" -三班倒,sān bān dǎo,three-shift system (work rostering) -三瓦两舍,sān wǎ liǎng shè,"places of pleasure (like brothels, tea houses etc)" -三生有幸,sān shēng yǒu xìng,the blessing of three lifetimes (idiom); (courteous language) it's my good fortune... -三用电表,sān yòng diàn biǎo,multimeter -三田,sān tián,"Mita, Sanda, Mitsuda etc (Japanese surname or place name)" -三田,sān tián,3 annual hunting bouts; 3 qi points -三甲,sān jiǎ,3rd rank of candidates who passed the imperial examination; (hospital ranking) A-grade tertiary (the highest level) (abbr. for 三級甲等|三级甲等[san1 ji2 jia3 deng3]) -三略,sān lüè,see 黃石公三略|黄石公三略[Huang2 Shi2 gong1 San1 lu:e4] -三番五次,sān fān wǔ cì,over and over again (idiom) -三番两次,sān fān liǎng cì,repeatedly (idiom) -三叠纪,sān dié jì,Triassic (geological period 250-205m years ago) -三百六十行,sān bǎi liù shí háng,all walks of life (idiom); every trade -三皇,sān huáng,"the three legendary sovereigns of the third millennium BC: Suiren 燧人[Sui4 ren2], Fuxi 伏羲[Fu2 Xi1] and Shennong 神農|神农[Shen2 nong2], or 天皇|天皇[Tian1 huang2], 地皇|地皇[Di4 huang2] and 人皇|人皇[Ren2 huang2]" -三皇五帝,sān huáng wǔ dì,three sovereigns 三皇[san1 huang2] and five emperors 五帝[wu3 di4] of myth and legend; the earliest system of Chinese historiography -三皇炮捶,sān huáng pào chuí,Pao Chui (Chinese martial art) -三相点,sān xiàng diǎn,triple point (thermodynamics) -三硝基甲苯,sān xiāo jī jiǎ běn,trinitrotoluene (TNT) -三碳糖,sān tàn táng,"triose (CH2O)3, monosaccharide with three carbon atoms, such as glyceraldehyde 甘油醛[gan1 you2 quan2]" -三磷酸腺苷,sān lín suān xiàn gān,adenosine triphosphate (ATP) -三秒胶,sān miǎo jiāo,superglue -三棱草,sān léng cǎo,sedge herb (Cyperus rotundus) -三棱镜,sān léng jìng,(triangular) prism -三穗,sān suì,"Sansui county in Qiandongnan Miao and Dong autonomous prefecture 黔東南州|黔东南州[Qian2 dong1 nan2 zhou1], Guizhou" -三穗县,sān suì xiàn,"Sansui county in Qiandongnan Miao and Dong autonomous prefecture 黔東南州|黔东南州[Qian2 dong1 nan2 zhou1], Guizhou" -三等分,sān děng fēn,to trisect -三等分角,sān děng fēn jiǎo,(math.) to trisect an angle -三节鞭,sān jié biān,three-section staff (old-style weapon) -三级,sān jí,grade 3; third class; category C -三级士官,sān jí shì guān,staff sergeant -三级片,sān jí piàn,third category movie (containing sexual or violent content) -三级跳,sān jí tiào,"triple jump (athletics); hop, skip and jump" -三级跳远,sān jí tiào yuǎn,"triple jump (athletics); hop, skip and jump" -三索锦蛇,sān suǒ jǐn shé,"copperhead race (Elaphe radiata), kind of snake" -三维,sān wéi,three-dimensional; 3D -三维空间,sān wéi kōng jiān,three-dimensional space; 3D -三纲五常,sān gāng wǔ cháng,"three principles and five virtues (idiom); the three rules (ruler guides subject, father guides son and husband guides wife) and five constant virtues of Confucianism (benevolence 仁, righteousness 義|义, propriety 禮|礼, wisdom 智 and fidelity 信)" -三缄其口,sān jiān qí kǒu,(idiom) reluctant to speak about it; tight-lipped -三义,sān yì,"Sanyi township in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -三义乡,sān yì xiāng,"Sanyi township in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -三聚氰胺,sān jù qíng àn,melamine C3H6N6 -三聚体,sān jù tǐ,trimer (chemistry) -三联式发票,sān lián shì fā piào,"(Tw) triplicate uniform invoice, a type of receipt 統一發票|统一发票[tong3 yi1 fa1 piao4] issued to a business or organization with a VAT identification number or 統一編號|统一编号[tong3 yi1 bian1 hao4]" -三联书店,sān lián shū diàn,"Joint Publishing, bookstore chain and publisher, founded in Hong Kong in 1948" -三联管,sān lián guǎn,triplet -三胚层动物,sān pēi céng dòng wù,triploblastic animals (having three germ layers) -三胞胎,sān bāo tāi,triplets -三脚两步,sān jiǎo liǎng bù,hurriedly; just a few steps away -三脚架,sān jiǎo jià,tripod; derrick crane -三脚猫,sān jiǎo māo,sb with only rudimentary skills (in a particular area) -三膲,sān jiāo,variant of 三焦[san1 jiao1] -三自,sān zì,"abbr. for 三自愛國教會|三自爱国教会[San1 zi4 Ai4 guo2 Jiao4 hui4], Three-Self Patriotic Movement" -三自爱国教会,sān zì ài guó jiào huì,"Three-Self Patriotic Movement, PRC government-sanctioned Protestant church from 1949" -三自教会,sān zì jiào huì,"Three-Self Patriotic Movement, PRC government-sanctioned Protestant church from 1949" -三色堇,sān sè jǐn,pansy -三色紫罗兰,sān sè zǐ luó lán,pansy -三色猫,sān sè māo,calico cat -三芝,sān zhī,"Sanzhi or Sanchih township in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -三芝乡,sān zhī xiāng,"Sanzhi or Sanchih township in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -三茶六饭,sān chá liù fàn,lit. to offer three kinds of tea and six different dishes; to be extremely considerate towards guests (idiom) -三菱,sān líng,Mitsubishi -三叶星云,sān yè xīng yún,"Trifid Nebula, M20" -三叶草,sān yè cǎo,clover; trefoil -三叶虫,sān yè chóng,trilobite -三藏,sān zàng,"Tripitaka, the three main types of text that collectively constitute the Buddhist canon of scriptures: sutras, commandments and commentaries" -三藏法师,sān zàng fǎ shī,monk who has mastered the scriptures; (esp.) Xuanzang 玄奘[Xuan2 zang4] (602-664) -三藩之乱,sān fān zhī luàn,Three feudatories rebellion against Qing 1673-1681 during the reign of Kangxi -三藩叛乱,sān fān pàn luàn,"rebellion against the Qing of 1670s, pacified by Kangxi" -三藩市,sān fān shì,San Francisco (California) -三苏,sān sū,the Three Su's (famous Song dynasty writers Su Xun 蘇洵|苏洵[Su1 Xun2] and his sons Su Shi 蘇軾|苏轼[Su1 Shi4] and Su Zhe 蘇轍|苏辙[Su1 Zhe2]) -三号木杆,sān hào mù gān,spoon (golf) -三号电池,sān hào diàn chí,C size battery (PRC) (Taiwan equivalent: 二號電池|二号电池[er4 hao4 dian4 chi2]); AA battery (Tw) (PRC equivalent: 五號電池|五号电池[wu3 hao4 dian4 chi2]) -三亲六故,sān qīn liù gù,old friends and relatives -三角,sān jiǎo,triangle -三角债,sān jiǎo zhài,triangular debt -三角凳,sān jiǎo dèng,three-legged stool -三角函数,sān jiǎo hán shù,trigonometric function -三角学,sān jiǎo xué,trigonometry -三角巾,sān jiǎo jīn,sling (for a wounded arm) -三角座,sān jiǎo zuò,Triangulum (constellation) -三角形,sān jiǎo xíng,triangle -三角恐龙,sān jiǎo kǒng lóng,triceratops (dinosaur) -三角恋爱,sān jiǎo liàn ài,love triangle -三角板,sān jiǎo bǎn,set square; triangle (for drawing right angles) -三角柱体,sān jiǎo zhù tǐ,triangular prism (math.) -三角法,sān jiǎo fǎ,trigonometry (math.) -三角洲,sān jiǎo zhōu,delta (geography) -三角测量法,sān jiǎo cè liáng fǎ,triangulation (surveying) -三角肌,sān jiǎo jī,deltoid muscle (over the shoulder) -三角腹带,sān jiǎo fù dài,athletic supporter -三角裤,sān jiǎo kù,briefs; panties -三角裤衩,sān jiǎo kù chǎ,briefs; panties -三角锥,sān jiǎo zhuī,triangular pyramid (math.) -三角铁,sān jiǎo tiě,triangle (musical instrument); angle iron -三角关系,sān jiǎo guān xì,triangular relationship; (esp.) a love triangle -三角龙,sān jiǎo lóng,triceratops -三言两句,sān yán liǎng jù,in a few words (idiom); expressed succinctly -三言两语,sān yán liǎng yǔ,in a few words (idiom); expressed succinctly -三论宗,sān lùn zōng,Three Treatise School (Buddhism) -三貂角,sān diāo jiǎo,"Cape San Diego or Santiao, easternmost point of Taiwan Island" -三贞九烈,sān zhēn jiǔ liè,(of a widow) faithful to the death to her husband's memory -三资企业,sān zī qǐ yè,"foreign, private and joint ventures" -三足乌,sān zú wū,three-legged Golden Crow that lives in the sun (in northeast Asian and Chinese mythology); Korean: samjog'o -三足金乌,sān zú jīn wū,three-legged Golden Crow that lives in the sun (in northeast Asian and Chinese mythology); Korean: samjog'o -三趾啄木鸟,sān zhǐ zhuó mù niǎo,(bird species of China) Eurasian three-toed woodpecker (Picoides tridactylus) -三趾滨鹬,sān zhǐ bīn yù,(bird species of China) sanderling (Calidris alba) -三趾翠鸟,sān zhǐ cuì niǎo,(bird species of China) oriental dwarf kingfisher (Ceyx erithacus) -三趾鸦雀,sān zhǐ yā què,(bird species of China) three-toed parrotbill (Cholornis paradoxa) -三趾鸥,sān zhǐ ōu,(bird species of China) black-legged kittiwake (Rissa tridactyla) -三跪九叩,sān guì jiǔ kòu,to kneel three times and kowtow nine times (formal etiquette on meeting the emperor) -三军,sān jūn,"(in former times) upper, middle and lower army; army of right, center and left; (in modern times) the three armed services: Army, Navy and Air Force" -三军用命,sān jūn yòng mìng,(of a team) to throw oneself into the battle -三轮车,sān lún chē,pedicab; tricycle -三轮车夫,sān lún chē fū,pedicab driver -三农,sān nóng,see 三農問題|三农问题[san1 nong2 wen4 ti2] -三农问题,sān nóng wèn tí,"the three rural issues: agriculture, rural areas and peasants" -三迭纪,sān dié jì,Triassic (geological period 250-205m years ago); also written 三疊紀|三叠纪 -三退,sān tuì,"withdrawal from the Communist Party, the Communist Youth League, and the Young Pioneers of China" -三通,sān tōng,T-joint; T-piece; T-pipe; three links -三连胜,sān lián shèng,hat-trick (sports) -三边形,sān biān xíng,triangle -三部曲,sān bù qǔ,trilogy -三都水族自治县,sān dū shuǐ zú zì zhì xiàn,"Sandu Shuizu autonomous county in Qiannan Buyei and Miao autonomous prefecture 黔南州[Qian2 nan2 zhou1], Guizhou" -三都县,sān dū xiàn,"Sandu Shuizu autonomous county in Qiannan Buyei and Miao autonomous prefecture 黔南州[Qian2 nan2 zhou1], Guizhou" -三酸甘油酯,sān suān gān yóu zhǐ,triglyceride -三里屯,sān lǐ tún,Sanlitun (Beijing street name) -三里河,sān lǐ hé,Sanlihe (Beijing street name) -三重,sān chóng,"Sanchong, a district of New Taipei City 新北市[Xin1bei3 Shi4], Taiwan; Mie Prefecture in central Japan" -三重,sān chóng,treble -三重奏,sān chóng zòu,trio (musical ensemble) -三重县,sān chóng xiàn,Mie Prefecture in central Japan -三键,sān jiàn,triple bond (chemistry); triple link -三铁,sān tiě,"triathlon (Tw); (athletics) throwing events excluding the hammer throw (i.e. discus, javelin and shot put)" -三长两短,sān cháng liǎng duǎn,unexpected misfortune; unexpected accident; sudden death -三门,sān mén,"Sanmen county in Taizhou 台州[Tai1 zhou1], Zhejiang" -三门峡,sān mén xiá,"Sanmenxia, prefecture-level city in Henan" -三门峡市,sān mén xiá shì,"Sanmenxia, prefecture-level city in Henan" -三门县,sān mén xiàn,"Sanmen county in Taizhou 台州[Tai1 zhou1], Zhejiang" -三阿姨,sān ā yí,"auntie, third eldest of sisters in mother's family" -三陪小姐,sān péi xiǎo jie,female escort; bar girl -三只手,sān zhī shǒu,pickpocket -三音,sān yīn,"third (musical interval, e.g. do-mi)" -三音度,sān yīn dù,third (musical interval) -三项,sān xiàng,"three items; three events; three terms; tri-; trinomial, ternary (math.); triathlon (abbr. for 三項全能|三项全能)" -三项全能,sān xiàng quán néng,triathlon -三项式,sān xiàng shì,trinomial (math.) -三头六臂,sān tóu liù bì,lit. to have three heads and six arms (idiom); fig. to possess remarkable abilities; a being of formidable powers -三头肌,sān tóu jī,triceps muscle; triceps brachii -三顾茅庐,sān gù máo lú,lit. to make three visits to the thatched cottage (idiom) (allusion to an episode in Romance of the Three Kingdoms 三國演義|三国演义[San1 guo2 Yan3 yi4] in which Liu Bei 劉備|刘备[Liu2 Bei4] recruits Zhuge Liang 諸葛亮|诸葛亮[Zhu1 ge3 Liang4] to his cause by visiting him three times); fig. to make earnest and repeated requests of sb -三马同槽,sān mǎ tóng cáo,"three horses at the same trough (idiom, alluding to Sima Yi 司馬懿|司马懿[Si1 ma3 Yi4] and his two sons); conspirators under the same roof" -三驾马车,sān jià mǎ chē,troika -三体,sān tǐ,trisomy -三体问题,sān tǐ wèn tí,three-body problem (mechanics) -三魂,sān hún,"three immortal souls in Daoism, representing spirit and intellect" -三魂七魄,sān hún qī pò,"three immortal souls and seven mortal forms in Daoism, contrasting the spiritual and carnal side of man" -三鲜,sān xiān,three fresh ingredients (in cooking) -三鹿,sān lù,Sanlu (brand) -三鹿集团,sān lù jí tuán,"Sanlu Group, Chinese state-owned dairy products company involved in the 2008 melamine poisoning scandal" -三点全露,sān diǎn quán lòu,(slang) naked; nude -三点水,sān diǎn shuǐ,"name of ""water"" radical 氵[shui3] in Chinese characters (Kangxi radical 85)" -上,shǎng,used in 上聲|上声[shang3 sheng1] -上,shàng,(bound form) up; upper; above; previous; first (of multiple parts); to climb; to get onto; to go up; to attend (class or university); (directional complement) up; (noun suffix) on; above -上一个,shàng yī ge,previous one -上一号,shàng yī hào,(coll.) to go pee; to go to the bathroom -上一页,shàng yī yè,preceding page -上上之策,shàng shàng zhī cè,the best policy; the best thing one can do in the circumstances -上下,shàng xià,up and down; top and bottom; old and young; length; about -上下五千年,shàng xià wǔ qiān nián,Tales from 5000 Years of Chinese History in three volumes by Cao Yuzhang 曹餘章|曹余章[Cao2 Yu2 zhang1] -上下其手,shàng xià qí shǒu,to raise and lower one's hand (idiom); to signal as conspiratorial hint; fig. conspiring to defraud -上下床,shàng xià chuáng,bunk bed -上下文,shàng xià wén,(textual) context -上下文菜单,shàng xià wén cài dān,context menu (computing) -上下班,shàng xià bān,to start and finish work -上下铺,shàng xià pù,bunk bed -上不了台面,shàng bù liǎo tái miàn,better kept under the table (idiom); not to be disclosed; too inferior to show in public -上不得台盘,shàng bù dé tái pán,(idiom) lacking in social grace and unfit to be a representative -上乘,shàng chéng,first-class; best quality; also pr. [shang4 sheng4] -上了年纪,shàng le nián jì,to be getting on in years; to be of the older generation -上交,shàng jiāo,to hand over to; to give to higher authority; to seek connections in high places -上代,shàng dài,previous generation -上任,shàng rèn,to take office; previous (incumbent); predecessor -上位,shàng wèi,seat of honor; person in a high-ranking position; to be promoted to a more senior role; (genetics) epistatic -上位概念,shàng wèi gài niàn,superordinate concept -上佳,shàng jiā,excellent; outstanding; great -上来,shàng lái,to come up; to approach; (verb complement indicating success) -上供,shàng gòng,to make offerings (to gods or ancestors); to offer gifts to superiors in order to win their favor -上个,shàng ge,first (of two parts); last (week etc); previous; the above -上个星期,shàng gè xīng qī,last week -上个月,shàng gè yuè,last month -上传,shàng chuán,to upload -上分,shàng fēn,(coll.) (gaming) to progress to the next level; to level up -上刑,shàng xíng,severe punishment; worst punishment; to torture -上前,shàng qián,to advance; to step forward -上升,shàng shēng,to rise; to go up; to ascend -上升空间,shàng shēng kōng jiān,upside; potential to rise -上升趋势,shàng shēng qū shì,an upturn; an upward trend -上午,shàng wǔ,morning; CL:個|个[ge4] -上半,shàng bàn,first half -上半夜,shàng bàn yè,first half of the night; time before midnight -上半天,shàng bàn tiān,morning -上半年,shàng bàn nián,first half (of a year) -上半晌,shàng bàn shǎng,forenoon; morning; a.m. -上半叶,shàng bàn yè,the first half (of a period) -上半身,shàng bàn shēn,the upper body -上半部分,shàng bàn bù fèn,upper part; top half -上去,shàng qù,to go up -上口,shàng kǒu,to be able to read aloud fluently; to be suitable (easy enough) for reading aloud -上口齿,shàng kǒu chǐ,supraoral tooth -上古,shàng gǔ,the distant past; ancient times; antiquity; early historical times -上古汉语,shàng gǔ hàn yǔ,Old Chinese (linguistics) -上台,shàng tái,to rise to power (in politics); to go on stage (in the theater) -上司,shàng si,boss; superior -上合,shàng hé,SCO (Shanghai Cooperation Organisation) (abbr. for 上海合作組織|上海合作组织[Shang4hai3 He2zuo4 Zu3zhi1]) -上合组织,shàng hé zǔ zhī,Shanghai Cooperation Organisation (SCO) -上吊,shàng diào,to hang oneself -上同调,shàng tóng diào,cohomology (invariant of a topological space in math.) -上吐下泻,shàng tù xià xiè,to vomit and have diarrhea -上周,shàng zhōu,last week -上呼吸道感染,shàng hū xī dào gǎn rǎn,upper respiratory tract infection -上品,shàng pǐn,top-quality -上唇,shàng chún,upper lip; (entomology) labrum -上善若水,shàng shàn ruò shuǐ,"the ideal is to be like water (which benefits all living things and does not struggle against them) (quotation from the ""Book of Dao"" 道德經|道德经[Dao4 de2 jing1])" -上回,shàng huí,last time; the previous time -上坡,shàng pō,uphill; upslope; to move upwards; to climb a slope -上坡段,shàng pō duàn,uphill section (of a race) -上坡路,shàng pō lù,uphill road; slope up; fig. upward trend; progress -上城区,shàng chéng qū,"Shangcheng district of Hangzhou city 杭州市[Hang2 zhou1 shi4], Zhejiang" -上域,shàng yù,codomain of a function (math.) -上报,shàng bào,to report to one's superiors; to appear in the news; to reply to a letter -上场,shàng chǎng,on stage; to go on stage; to take the field -上坟,shàng fén,to visit a grave -上外,shàng wài,abbr. for 上海外國語大學|上海外国语大学[Shang4 hai3 Wai4 guo2 yu3 Da4 xue2] -上夜,shàng yè,to be on night duty -上天,shàng tiān,Heaven; Providence; God; the sky above; to fly skywards; (euphemism) to die; to pass away; the previous day (or days) -上天入地,shàng tiān rù dì,lit. to go up to heaven or down to Hades (idiom); fig. to go to great lengths; to search heaven and earth -上夸克,shàng kuā kè,up quark (particle physics) -上好,shàng hǎo,first-rate; top-notch -上学,shàng xué,to go to school; to attend school -上官,shàng guān,two-character surname Shangguan -上官,shàng guān,high-ranking official; superior -上家,shàng jiā,preceding player (in a game) -上将,shàng jiàng,general; admiral; air chief marshal -上将军,shàng jiàng jūn,top general; commander-in-chief -上尉,shàng wèi,captain (military rank) -上层,shàng céng,upper layer -上层建筑,shàng céng jiàn zhù,superstructure -上山,shàng shān,to climb a hill; to go to the mountains; (of silkworms) to go up bundles of straw (to spin cocoons); to pass away; (of the sun or moon) to rise -上山下乡,shàng shān xià xiāng,to work in the fields (esp. young school-leavers); forced agricultural experience for city intellectuals -上岸,shàng àn,to go ashore; to climb ashore -上峰,shàng fēng,peak; summit; (old) higher authorities; superiors -上岗,shàng gǎng,to take up one's post; to go on duty; to take up a job -上工,shàng gōng,to go to work; to start work -上市,shàng shì,to hit the market (of a new product); to float (a company on the stock market) -上市公司,shàng shì gōng sī,listed company -上帝,shàng dì,God -上年,shàng nián,last year -上年纪,shàng nián jì,(of a person) to get old -上床,shàng chuáng,to go to bed; (coll.) to have sex -上座,shàng zuò,seat of honor -上座部,shàng zuò bù,Theravada school of Buddhism -上厕所,shàng cè suǒ,to go to the bathroom -上弦,shàng xián,"to wind up a watch, clockwork toy etc; to tighten the string of a bow, violin etc; first quarter (phase of the moon)" -上弦月,shàng xián yuè,first quarter moon -上心,shàng xīn,carefully; meticulously; to set one's heart on sth -上思,shàng sī,"Shangsi County in Fangchenggang 防城港[Fang2 cheng2 gang3], Guangxi" -上思县,shàng sī xiàn,"Shangsi County in Fangchenggang 防城港[Fang2 cheng2 gang3], Guangxi" -上房,shàng fáng,see 正房[zheng4 fang2] -上手,shàng shǒu,to obtain; to master; overhand (serve etc); seat of honor -上扬,shàng yáng,(of prices etc) to rise -上扬趋势,shàng yáng qū shì,upward trend; tendency to increase -上文,shàng wén,preceding part of the text -上新世,shàng xīn shì,Pliocene (geological epoch from 5m-2m years ago) -上方,shàng fāng,place above (it); upper part (of it) -上方宝剑,shàng fāng bǎo jiàn,imperial sword (giving bearer plenipotentiary powers); imperial Chinese version of 007 licensed to kill -上旬,shàng xún,first third of a month -上星,shàng xīng,to broadcast through satellite; satellite (TV etc); shangxing acupoint (DU23) -上星剧,shàng xīng jù,satellite television show -上星期,shàng xīng qī,last week; previous week -上映,shàng yìng,to screen; to show (a movie) -上书,shàng shū,to write a letter (to the authorities); to present a petition -上月,shàng yuè,last month -上有老下有小,shàng yǒu lǎo xià yǒu xiǎo,"lit. above are the elderly, below are the young (idiom); fig. to have to take care of both one's aging parents and one's children; sandwich generation" -上期,shàng qī,"previous period (week, month or quarter etc)" -上杭,shàng háng,"Shanghang, county-level city in Longyan 龍岩|龙岩, Fujian" -上杭县,shàng háng xiàn,"Shanghang county in Longyan 龍岩|龙岩, Fujian" -上林,shàng lín,"Shanglin county in Nanning 南寧|南宁[Nan2 ning2], Guangxi" -上林县,shàng lín xiàn,"Shanglin county in Nanning 南寧|南宁[Nan2 ning2], Guangxi" -上架,shàng jià,to put goods on shelves; (of a product) to be available for sale -上栗,shàng lì,"Shangli county in Pingxiang 萍鄉|萍乡, Jiangxi" -上栗县,shàng lì xiàn,"Shangli county in Pingxiang 萍鄉|萍乡, Jiangxi" -上校,shàng xiào,high ranking officer in Chinese army; colonel -上桌,shàng zhuō,to place (food) on the table; to sit down to eat (at the dining table) -上杆,shàng gān,backswing (golf) -上梁不正下梁歪,shàng liáng bù zhèng xià liáng wāi,"lit. If the upper beam is not straight, the lower beam will be crooked (idiom); fig. subordinates imitate their superiors' vices" -上榜,shàng bǎng,to appear on the public roll of successful examinees (i.e. pass an exam); to make the list; (of a song) to hit the charts -上梁,shàng liáng,to lay an upper beam; (a building's) upper beam; (a bicycle's) top tube -上楼,shàng lóu,to go upstairs -上标,shàng biāo,superscript -上次,shàng cì,last time -上款,shàng kuǎn,addressee; name of recipient on painting or scroll -上气不接下气,shàng qì bù jiē xià qì,out of breath (idiom); to gasp for air -上水,shàng shuǐ,Sheung Shui (area in Hong Kong) -上水,shàng shuǐ,upper reaches (of a river); to go upstream; to add some water; to water (a crop etc) -上汽,shàng qì,"abbr. for 上海汽車工業集團|上海汽车工业集团, Shanghai Automotive Industry Corp. (SAIC)" -上流,shàng liú,upper class -上流社会,shàng liú shè huì,upper class; high society -上浣,shàng huàn,first ten days of a lunar month -上浮,shàng fú,to float up -上海,shàng hǎi,"Shanghai municipality, central east China, abbr. to 滬|沪[Hu4]" -上海交通大学,shàng hǎi jiāo tōng dà xué,Shanghai Jiao Tong University -上海合作组织,shàng hǎi hé zuò zǔ zhī,Shanghai Cooperation Organisation (SCO) -上海外国语大学,shàng hǎi wài guó yǔ dà xué,Shanghai International Studies University (SISU) -上海大剧院,shàng hǎi dà jù yuàn,Shanghai Grand Theater -上海大学,shàng hǎi dà xué,Shanghai University -上海市,shàng hǎi shì,"Shanghai municipality in southeast China, abbr. 滬|沪" -上海戏剧学院,shàng hǎi xì jù xué yuàn,Shanghai Theatrical Institute -上海振华港口机械,shàng hǎi zhèn huá gǎng kǒu jī xiè,Shanghai Zhenhua Port Machinery Company -上海文广新闻传媒集团,shàng hǎi wén guǎng xīn wén chuán méi jí tuán,Shanghai Media Group -上海汽车工业集团,shàng hǎi qì chē gōng yè jí tuán,Shanghai Automotive Industry Corp. (SAIC) -上海浦东发展银行,shàng hǎi pǔ dōng fā zhǎn yín háng,Shanghai Pudong Development Bank -上海环球金融中心,shàng hǎi huán qiú jīn róng zhōng xīn,"Shanghai World Financial Center (SWFC), skyscraper" -上海白菜,shàng hǎi bái cài,baby bok choy; Shanghai bok choy -上海第二医科大学,shàng hǎi dì èr yī kē dà xué,Shanghai Second Medical University -上海话,shàng hǎi huà,Shanghainese; Shanghai dialect -上海证券交易所,shàng hǎi zhèng quàn jiāo yì suǒ,Shanghai Stock Exchange (SSE) -上海证券交易所综合股价指数,shàng hǎi zhèng quàn jiāo yì suǒ zōng hé gǔ jià zhǐ shù,Shanghai Stock Exchange (SSE) Composite Index -上海财经大学,shàng hǎi cái jīng dà xué,Shanghai University of Finance and Economics (SUFE) -上海医科大学,shàng hǎi yī kē dà xué,Shanghai Medical University -上海音乐学院,shàng hǎi yīn yuè xué yuàn,Shanghai Conservatory of Music -上海体育场,shàng hǎi tǐ yù chǎng,Shanghai Stadium -上游,shàng yóu,upper reaches (of a river); upper level; upper echelon; upstream -上演,shàng yǎn,to screen (a movie); to stage (a play); a screening; a staging -上涨,shàng zhǎng,to rise; to go up -上火,shàng huǒ,to get angry; to suffer from excessive internal heat (TCM) -上焦,shàng jiāo,"(TCM) upper burner, the part of the body within the thoracic cavity (above the diaphragm, including the heart and lungs)" -上热搜,shàng rè sōu,(Internet) (of a search query) to be trending -上片,shàng piàn,(of a movie) to start screening (Tw) -上牌,shàng pái,to obtain a license plate -上牙膛,shàng yá táng,palate (roof of the mouth) -上犬式,shàng quǎn shì,upward-facing dog (yoga pose) -上犹,shàng yóu,"Shangyou county in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -上犹县,shàng yóu xiàn,"Shangyou county in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -上班,shàng bān,to go to work; to be on duty; to start work; to go to the office -上班族,shàng bān zú,office workers (as social group) -上班时间,shàng bān shí jiān,working hours; office hours -上环,shàng huán,(coll.) to be fitted with an IUD; (of a doctor) to insert an IUD -上甘岭,shàng gān lǐng,"Shanganling district of Yichun city 伊春市[Yi1 chun1 shi4], Heilongjiang" -上甘岭区,shàng gān lǐng qū,"Shanganling district of Yichun city 伊春市[Yi1 chun1 shi4], Heilongjiang" -上田,shàng tián,Ueda (Japanese surname and place name) -上界,shàng jiè,upper bound -上当,shàng dàng,taken in (by sb's deceit); to be fooled; to be duped -上当受骗,shàng dàng shòu piàn,to be duped; to get scammed -上疏,shàng shū,(of a court official) to present a memorial to the emperor (old) -上瘾,shàng yǐn,to get into a habit; to become addicted -上发条,shàng fā tiáo,to wind up (a watch or other clockwork mechanism) -上皮,shàng pí,epithelium -上相,shàng xiàng,photogenic; (old) high official -上眼睑,shàng yǎn jiǎn,upper eyelid -上眼药,shàng yǎn yào,to apply eye drops; (fig.) to speak ill of sb; to bad-mouth -上睑,shàng jiǎn,upper eyelid -上确界,shàng què jiè,supremum (math.); least upper bound -上税,shàng shuì,to pay taxes -上空,shàng kōng,the skies above a certain place; (aviation) airspace; (Tw) topless -上空洗车,shàng kōng xǐ chē,topless car wash -上第,shàng dì,top notch; highest quality -上等,shàng děng,highest quality; top-notch -上等兵,shàng děng bīng,private first class (army rank) -上算,shàng suàn,to be worthwhile; to be worth it -上箭头,shàng jiàn tóu,up-pointing arrow -上箭头键,shàng jiàn tóu jiàn,up arrow key (on keyboard) -上级,shàng jí,higher authorities; superiors; CL:個|个[ge4] -上级领导,shàng jí lǐng dǎo,high-level leadership; top brass -上纲上线,shàng gāng shàng xiàn,to make a mountain out of a molehill -上网,shàng wǎng,"to go online; to connect to the Internet; (of a document etc) to be uploaded to the Internet; (tennis, volleyball etc) to move in close to the net" -上网本,shàng wǎng běn,netbook -上紧发条,shàng jǐn fā tiáo,to wind the spring up tight; (fig.) to gear up; to ready oneself -上线,shàng xiàn,to go online; to put sth online -上缴,shàng jiǎo,"to transfer (income, profits etc) to higher authorities" -上声,shǎng shēng,falling and rising tone; third tone in modern Mandarin -上肢,shàng zhī,upper limb -上膘,shàng biāo,(of livestock) to fatten up; to put on weight -上膛,shàng táng,roof of the mouth; to load a gun -上臂,shàng bì,upper arm -上脸,shàng liǎn,to turn red in the face (while drinking); to become smug (when complimented) -上船,shàng chuán,to get on the boat -上色,shàng sè,top-quality; top-grade -上色,shàng shǎi,to color (a picture etc); to dye (fabric etc); to stain (furniture etc) -上艾瑟尔,shàng ài sè ěr,Overijssel -上菜,shàng cài,to serve food -上菜秀,shàng cài xiù,dinner show; dinner and floor show -上万,shàng wàn,over ten thousand; fig. untold numbers; innumerable; thousands upon thousands -上苍,shàng cāng,heaven -上蔡,shàng cài,"Shangcai county in Zhumadian 駐馬店|驻马店[Zhu4 ma3 dian4], Henan" -上蔡县,shàng cài xiàn,"Shangcai county in Zhumadian 駐馬店|驻马店[Zhu4 ma3 dian4], Henan" -上虞,shàng yú,"Shangyu, county-level city in Shaoxing 紹興|绍兴[Shao4 xing1], Zhejiang" -上虞市,shàng yú shì,"Shangyu, county-level city in Shaoxing 紹興|绍兴[Shao4 xing1], Zhejiang" -上行,shàng xíng,(of trains) up (i.e. towards the capital); (of river boats) to go against the current; to submit (a document) to higher authorities -上行下效,shàng xíng xià xiào,subordinates follow the example of their superiors (idiom) -上街,shàng jiē,to go onto the streets; to go shopping -上街区,shàng jiē qū,"Shangjie District of Zhengzhou City 鄭州市|郑州市[Zheng4 zhou1 Shi4], Henan" -上衣,shàng yī,jacket; upper outer garment; CL:件[jian4] -上衫,shàng shān,blouse -上装,shàng zhuāng,upper garment -上西天,shàng xī tiān,(Buddhism) to go to the Western Paradise; (fig.) to die -上覆,shàng fù,to inform -上访,shàng fǎng,to seek an audience with higher-ups (esp. government officials) to petition for sth -上诉,shàng sù,to appeal (a judicial case); appeal -上诉法院,shàng sù fǎ yuàn,appeals court -上课,shàng kè,to go to class; to attend class; to go to teach a class -上调,shàng tiáo,to raise (prices); to adjust upwards -上谕,shàng yù,imperial edict -上证,shàng zhèng,"Shanghai Stock Exchange (SSE), abbr. for 上海證券交易所|上海证券交易所[Shang4 hai3 Zheng4 quan4 Jiao1 yi4 suo3]" -上证综合指数,shàng zhèng zōng hé zhǐ shù,SSE (Shanghai Stock Exchange) Composite Index -上议院,shàng yì yuàn,Upper Chamber; Upper House; Senate -上贼船,shàng zéi chuán,lit. to board a pirate ship (idiom); fig. to associate with criminals -上路,shàng lù,to start on a journey; to be on one's way -上身,shàng shēn,upper part of the body -上车,shàng chē,"to get on or into (a bus, train, car etc)" -上轨道,shàng guǐ dào,to stay on track; to proceed smoothly -上载,shàng zǎi,to upload; also pr. [shang4 zai4] -上辈,shàng bèi,ancestors; one's elders -上辈子,shàng bèi zi,one's ancestors; past generations; a former incarnation -上农,shàng nóng,a rich farmer; to stress the importance of agriculture (in ancient philosophy) -上述,shàng shù,aforementioned; above-mentioned -上进,shàng jìn,to make progress; to do better; fig. ambitious to improve oneself; to move forwards -上进心,shàng jìn xīn,motivation; ambition -上达,shàng dá,to reach the higher authorities -上边,shàng bian,the top; above; overhead; upwards; the top margin; above-mentioned; those higher up -上边儿,shàng bian er,erhua variant of 上邊|上边[shang4 bian5] -上部,shàng bù,upper section -上都,shàng dū,"Shangdu, also known as Xanadu, summer capital of the Yuan Dynasty (1279-1368)" -上野,shàng yě,"Ueno, district in Taitō Ward, Tokyo; Ueno (Japanese surname)" -上钩,shàng gōu,to take the bait -上钩儿,shàng gōu er,erhua variant of 上鉤|上钩[shang4 gou1] -上锁,shàng suǒ,to lock; to be locked -上镜,shàng jìng,photogenic; to appear on film or in the media -上钟,shàng zhōng,to clock in for work -上门,shàng mén,"to drop in; to visit; to lock a door; (of a shop) to close; to go and live with one's wife's family, in effect becoming a member of her family" -上门客,shàng mén kè,bricks-and-mortar customer; walk-in customer -上门费,shàng mén fèi,house call fee; callout fee -上限,shàng xiàn,upper bound -上阵,shàng zhèn,to go into battle -上阵杀敌,shàng zhèn shā dí,to go into battle; to strike at the enemy -上面,shàng miàn,on top of; above-mentioned; also pr. [shang4 mian5] -上面级,shàng miàn jí,(rocketry) upper stage -上鞋,shàng xié,to sole a shoe; to stitch the sole to the upper -上页,shàng yè,previous page -上颌,shàng hé,maxilla (upper jaw) -上颌骨,shàng hé gǔ,maxilla (upper jaw) -上头,shàng tóu,(of alcohol) to go to one's head; (old) (of a bride-to-be) to bind one's hair into a bun; (of a prostitute) to receive a patron for the first time -上头,shàng tou,above; on top of; on the surface of -上颔,shàng hàn,mandible -上颚正门齿,shàng è zhèng mén chǐ,maxillary central incisor -上风,shàng fēng,on the up; currently winning; rising (in popularity etc) -上馆子,shàng guǎn zi,to eat out; to eat at a restaurant -上饶,shàng ráo,"Shangrao, prefecture-level city and county in Jiangxi" -上饶市,shàng ráo shì,"Shangrao, prefecture-level city in Jiangxi" -上饶县,shàng ráo xiàn,"Shangrao county in Shangrao 上饒|上饶, Jiangxi" -上首,shàng shǒu,seat of honor; first place -上马,shàng mǎ,to get on a horse; to mount -上高,shàng gāo,"Shanggao county in Yichun 宜春, Jiangxi" -上高县,shàng gāo xiàn,"Shanggao county in Yichun 宜春, Jiangxi" -上齿,shàng chǐ,upper teeth -上齿龈,shàng chǐ yín,upper alveolar ridge -上龙,shàng lóng,pliosaurus -下,xià,"down; downwards; below; lower; later; next (week etc); second (of two parts); to decline; to go down; to arrive at (a decision, conclusion etc); measure word to show the frequency of an action" -下一代,xià yī dài,the next generation -下一个,xià yī ge,the next one -下一次,xià yī cì,next -下一步,xià yī bù,the next step -下一站,xià yī zhàn,the next stop (of a bus etc) -下一页,xià yī yè,next page -下三滥,xià sān làn,riffraff; scum; lowlife; despicable; inferior -下三烂,xià sān làn,variant of 下三濫|下三滥[xia4 san1 lan4] -下不了台,xià bu liǎo tái,to be unable to extricate oneself gracefully; to be put on the spot; to be embarrassed -下不来,xià bù lái,awkward; embarrassed; cannot be accomplished -下不来台,xià bù lái tái,to be put on the spot; to find oneself in an awkward situation -下不为例,xià bù wéi lì,not to be repeated; not to be taken as a precedent; just this once -下世,xià shì,to die; future incarnation; next life; to be born; to come into the world; future generation -下丘脑,xià qiū nǎo,hypothalamus (anatomy) -下九流,xià jiǔ liú,the lowest professions -下乳,xià rǔ,to promote lactation (TCM); (coll.) underboob -下人,xià rén,(old) servant; (dialect) children; grandchildren -下令,xià lìng,to give an order; to issue an order -下任,xià rèn,next office holder; next to serve -下作,xià zuo,contemptible; disgusting -下来,xià lai,"to come down; (completed action marker); (after verb of motion, indicates motion down and towards us, also fig.); (indicates continuation from the past towards us); to be harvested (of crops); to be over (of a period of time); to go among the masses (said of leaders)" -下修,xià xiū,to revise downward -下个,xià ge,second (of two parts); next (week etc); subsequent; the following -下个星期,xià gè xīng qī,next week -下个月,xià gè yuè,next month -下凡,xià fán,to descend to the world (of immortals) -下列,xià liè,following -下划线,xià huà xiàn,underscore _; underline -下功夫,xià gōng fu,see 下工夫[xia4 gong1 fu5] -下午,xià wǔ,afternoon; CL:個|个[ge4]; p.m. -下午好,xià wǔ hǎo,(greeting) good afternoon -下午茶,xià wǔ chá,"afternoon tea (light afternoon meal, typically pastries with tea or coffee)" -下半,xià bàn,second half -下半天,xià bàn tiān,afternoon -下半年,xià bàn nián,second half of the year -下半身,xià bàn shēn,lower half of one's body; Lower Body (Chinese poetry movement of the early 21st century) -下去,xià qù,to go down; to descend; to go on; to continue; (of a servant) to withdraw -下同,xià tóng,similarly hereinafter -下唇,xià chún,lower lip -下单,xià dān,to place an order; to order; an order (of goods) -下回,xià huí,next chapter; next time -下地,xià dì,to go down to the fields; to get up from bed; to leave one's sickbed; to be born -下坡,xià pō,downhill -下坡路,xià pō lù,downhill road; (fig.) downhill path -下垂,xià chuí,to droop; to sag; to hang down; sagging; drooping; prolapse (medicine) -下城区,xià chéng qū,"Xiacheng district of Hangzhou city 杭州市[Hang2 zhou1 shi4], Zhejiang" -下场,xià chǎng,"to leave (the stage, an exam room, the playing field etc); to take part in some activity; to take an examination (in the imperial examination system)" -下场,xià chang,the end; to conclude -下场门,xià chǎng mén,exit door (of the stage) -下坠,xià zhuì,(of objects) to fall; to drop; to droop; (medicine) to experience tenesmus -下士,xià shì,"lowest-ranked noncommissioned officer (e.g. corporal in the army or petty officer, third class in the navy)" -下夸克,xià kuā kè,down quark (particle physics) -下奶,xià nǎi,to produce milk; to lactate; to promote lactation -下嫁,xià jià,(of a woman) to marry a man of lower social status; to marry down -下定决心,xià dìng jué xīn,to make a firm resolution -下定义,xià dìng yì,to define -下家,xià jiā,player whose turn comes next (in a game); next one; my humble home -下寒武,xià hán wǔ,lower Cambrian (geological period approx 530 million years ago) -下寒武统,xià hán wǔ tǒng,lower Cambrian series (geological strata from approx 530 million years ago) -下届,xià jiè,next office holder; next to serve -下层,xià céng,underlayer; lower class; lower strata; substrate -下属,xià shǔ,subordinate; underling -下属公司,xià shǔ gōng sī,subsidiary (company) -下山,xià shān,to go down a hill; (of the sun or moon) to set -下岗,xià gǎng,"(of a guard, sentry etc) to come off duty; (of a worker) be to laid off" -下崽,xià zǎi,"(of animals) to give birth; to foal, to whelp etc" -下工,xià gōng,to knock off (at the end of a day's work); to finish work -下工夫,xià gōng fu,to put in time and energy; to concentrate one's efforts -下巴,xià ba,chin -下巴颏,xià ba kē,chin -下厨,xià chú,to go to the kitchen (to prepare a meal); to cook -下弦,xià xián,"last quarter, aka third quarter (phase of the moon)" -下弦月,xià xián yuè,"third quarter moon, aka last quarter moon" -下情,xià qíng,feelings of the masses; my situation (humble speech) -下意识,xià yì shí,subconscious mind -下手,xià shǒu,to start; to put one's hand to; to set about; the seat to the right of the main guest -下拜,xià bài,to bow down low; to make obeisance; to kneel and bow -下挫,xià cuò,"(of sales, prices etc) to fall; to drop; decline; slump" -下摆,xià bǎi,hem of a skirt; shirt tail -下放,xià fàng,to delegate; to decentralize; to demote a party cadre to work on the shop floor or in the countryside -下方,xià fāng,underneath; below; the underside; world of mortals; to descend to the world of mortals (of gods) -下旋,xià xuán,(sport) backspin -下旋削球,xià xuán xiāo qiú,"(golf, tennis) undercut" -下旬,xià xún,last third of the month -下星期,xià xīng qī,next week -下月,xià yuè,next month -下期,xià qī,"next period (week, month or quarter etc)" -下架,xià jià,to take down from the shelves (e.g. a contaminated product) -下棋,xià qí,to play chess -下榻,xià tà,to stay (at a hotel etc during a trip) -下楼,xià lóu,to go downstairs -下标,xià biāo,subscript; suffix; index -下槛,xià kǎn,doorsill -下次,xià cì,next time -下次见,xià cì jiàn,see you next time -下款,xià kuǎn,signature on letter; name of donor -下死劲,xià sǐ jìn,to do one's utmost -下毒,xià dú,to put poison in sth; to poison -下毒手,xià dú shǒu,to attack murderously; to strike treacherously -下毛毛雨,xià máo mao yǔ,to drizzle; to rain lightly; (fig.) (coll.) to give (sb) a heads-up; to break (some bad news) gently; to scold mildly -下水,xià shuǐ,downstream; to go into the water; to put into water; to launch (a ship); fig. to fall into bad ways; to lead astray; to go to pot -下水,xià shui,offal; viscera; tripe -下水礼,xià shuǐ lǐ,launching ceremony -下水管,xià shuǐ guǎn,drainpipe -下水道,xià shuǐ dào,sewer -下决心,xià jué xīn,to determine; to resolve -下沉,xià chén,to sink down -下沉市场,xià chén shì chǎng,"the Chinese market, excluding first- and second-tier cities" -下注,xià zhù,to pour; to pour down (of rain); to lay a bet -下流,xià liú,lower course of a river; low-class; mean and lowly; vulgar; obscene -下浣,xià huàn,last ten days of the lunar month -下浮,xià fú,downward fluctuation (of prices etc) -下海,xià hǎi,"to go out to sea; to enter the sea (to swim etc); (fig.) to take the plunge (e.g. leave a secure job, or enter prostitution etc)" -下游,xià yóu,lower reaches (of a river); lower level; lower echelon; downstream -下滑,xià huá,to slide down (a slope etc); (fig.) to decline -下焦,xià jiāo,"(TCM) lower burner, the part of the body within the pelvic cavity (below the navel, including the kidneys, bladder and intestines)" -下营,xià yíng,"Hsiaying township in Tainan county 台南縣|台南县[Tai2 nan2 xian4], Taiwan" -下片,xià piàn,to stop screening a movie; to end the run of a movie -下犬式,xià quǎn shì,downward-facing dog (yoga pose) -下狠心,xià hěn xīn,to resolve (to do sth); to toughen up -下狱,xià yù,to imprison -下班,xià bān,"to finish work; to get off work; next service (train, bus, etc)" -下界,xià jiè,lower bound (math.); world of mortals; (of gods) to descend to the world of mortals -下画线,xià huà xiàn,underline -下发,xià fā,to issue (a memorandum etc) to lower levels; to distribute (e.g. disaster relief to victims) -下眼睑,xià yǎn jiǎn,lower eyelid -下确界,xià què jiè,(math.) infimum; greatest lower bound -下笔,xià bǐ,to put pen to paper -下箭头,xià jiàn tóu,down-pointing arrow -下箭头键,xià jiàn tóu jiàn,down arrow key (on keyboard) -下箸,xià zhù,(literary) to eat -下级,xià jí,low ranking; low level; underclass; subordinate -下网,xià wǎng,to cast a fishing net; (computing) to go offline -下线,xià xiàn,to go offline; (of a product) to roll off the assembly line; downline (person below oneself in a pyramid scheme) -下线仪式,xià xiàn yí shì,product launching ceremony -下而上,xià ér shàng,bottom to top (of listing) -下聘,xià pìn,to send the betrothal gifts; (fig.) to conclude a marriage -下肢,xià zhī,lower limbs -下腰,xià yāo,(gymnastics) to do a bridge; to do a crab -下脚,xià jiǎo,to get a footing -下脚料,xià jiǎo liào,remnants of material from an industrial process; offcut; scraps -下腹部,xià fù bù,lower abdomen -下至上,xià zhì shàng,bottom to top -下台,xià tái,to go off the stage; to fall from position of prestige; to step down (from office etc); to disentangle oneself; to get off the hook -下台阶,xià tái jiē,to extricate oneself; way out -下花园,xià huā yuán,"Xiahuayuan District of Zhangjiakou city 張家口市|张家口市[Zhang1 jia1 kou3 shi4], Hebei" -下花园区,xià huā yuán qū,"Xiahuayuan District of Zhangjiakou city 張家口市|张家口市[Zhang1 jia1 kou3 shi4], Hebei" -下落,xià luò,whereabouts; to drop; to fall -下落不明,xià luò bù míng,unaccounted; unknown whereabouts -下葬,xià zàng,to bury; to inter -下药,xià yào,to prescribe medicine; to poison; to slip a drug (into sb's drink etc) -下蛋,xià dàn,to lay eggs -下行,xià xíng,"(of trains) down (i.e. away from the capital); (of river boats) to travel downstream; to issue (a document) to lower bureaucratic levels; (of writing on the page) vertical, proceeding from top to bottom" -下装,xià zhuāng,to take off costume and makeup; bottom garment (trousers etc) -下西洋,xià xī yáng,to sail west (from China) (used in reference to the 15th century voyages of Zheng He 鄭和|郑和[Zheng4 He2] to regions bordering the Indian Ocean) -下视,xià shì,to look down from above; (fig.) to look down on; to despise -下视丘,xià shì qiū,(anatomy) hypothalamus (Tw) -下订单,xià dìng dān,to place an order (commerce) -下设,xià shè,(of an organization) to have as a subunit -下诏,xià zhào,to hand down an imperial edict -下课,xià kè,to finish class; to get out of class; (fig.) (esp. of a sports coach) to be dismissed; to be fired -下调,xià diào,to demote; to pass down to a lower unit -下调,xià tiáo,"to adjust downwards; to lower (prices, wages etc)" -下议院,xià yì yuàn,lower chamber (of legislative body); lower house; the House of Commons -下议院议员,xià yì yuàn yì yuán,Member of Parliament (MP) (UK Politics) -下贱,xià jiàn,humble; lowly; depraved; contemptible -下跌,xià diē,to fall; to tumble -下跪,xià guì,to kneel; to go down on one's knees -下身,xià shēn,lower part of the body; genitalia; trousers -下车,xià chē,"to get off or out of (a bus, train, car etc)" -下载,xià zǎi,to download; also pr. [xia4zai4] -下辈,xià bèi,offspring; future generations; younger generation of a family; junior members of a group -下辈子,xià bèi zi,the next life -下辖,xià xiá,to administer; to have jurisdiction over -下逐客令,xià zhú kè lìng,to ask sb to leave; to show sb the door; to give a tenant notice to leave -下周,xià zhōu,next week -下达,xià dá,"to transmit to lower levels; to issue (a command, decree etc)" -下边,xià bian,under; the underside; below -下边儿,xià bian er,erhua variant of 下邊|下边[xia4 bian5] -下乡,xià xiāng,to go to the countryside -下酒,xià jiǔ,to be appropriate to have with alcohol; to down one's drink -下酒菜,xià jiǔ cài,a dish that goes well with alcoholic drinks -下里巴人,xià lǐ bā rén,"folk songs of the state of Chu 楚國|楚国[Chu3 guo2]; popular art forms (contrasted with 陽春白雪|阳春白雪[yang2 chun1 bai2 xue3], highbrow art forms)" -下野,xià yě,to step down from office; to go into opposition -下锚,xià máo,to drop anchor -下锅,xià guō,to put into the pot (to cook) -下闸,xià zhá,lower sluice gate; outflow sluice -下关,xià guān,Xiaguan district of Nanjing City 南京市 in Jiangsu 江蘇|江苏 -下关区,xià guān qū,Xiaguan district of Nanjing City 南京市 in Jiangsu 江蘇|江苏 -下关市,xià guān shì,"Shimonoseki, city in Yamaguchi Prefecture, Japan" -下降,xià jiàng,to decline; to drop; to fall; to go down; to decrease -下限,xià xiàn,lower bound -下院,xià yuàn,lower house (of parliament) -下阴,xià yīn,the genitals -下陷,xià xiàn,to subside; subsidence -下陆,xià lù,"Xialu district of Huangshi city 黃石市|黄石市[Huang2 shi2 shi4], Hubei" -下陆区,xià lù qū,"Xialu district of Huangshi city 黃石市|黄石市[Huang2 shi2 shi4], Hubei" -下雨,xià yǔ,to rain -下雪,xià xuě,to snow -下面,xià miàn,below; under; next; the following; also pr. [xia4 mian5] -下页,xià yè,next page -下颌,xià hé,lower jaw; mandible -下颌下腺,xià hé xià xiàn,submandibular salivary gland -下颌骨,xià hé gǔ,lower jaw; mandible -下颏,xià kē,chin; Taiwan pr. [xia4hai2] -下头,xià tóu,(slang) (of a person or manner) off-putting; (slang) to feel put off -下颔,xià hàn,lower jaw; mandible -下颔骨,xià hàn gǔ,lower jawbone; mandible -下颚,xià è,mandible (lower jaw) -下风,xià fēng,leeward; downwind; disadvantageous position; to concede or give way in an argument -下风方向,xià fēng fāng xiàng,leeward -下飞机,xià fēi jī,to get off a plane; to deplane -下饭,xià fàn,to eat one's rice with an accompanying dish (to make the rice more palatable); (of a dish) to go well with rice -下馆子,xià guǎn zi,to eat out; to eat at a restaurant -下马,xià mǎ,to dismount from a horse; (fig.) to abandon (a project) -下马威,xià mǎ wēi,display of severity immediately on taking office; (fig.) initial show of strength -下驮,xià tuó,geta (Japanese clogs) -下体,xià tǐ,lower body; euphemism for genitals; root and stem of plants -下面,xià miàn,to boil noodles -下鼻甲,xià bí jiǎ,inferior nasal conchae -下齿,xià chǐ,bottom teeth -下龙湾,xià lóng wān,"Ha Long Bay, Vietnam" -丌,jī,surname Ji -丌,jī,"""pedestal"" component in Chinese characters" -丌,qí,archaic variant of 其[qi2] -不,bù,no; not so; (bound form) not; un- -不一,bù yī,to vary; to differ -不一定,bù yī dìng,not necessarily; maybe -不一会,bù yī huì,soon -不一样,bù yī yàng,different; distinctive; unlike -不一而足,bù yī ér zú,by no means an isolated case; numerous -不一致字,bù yī zhì zì,"(orthography) inconsistent words (e.g. ""through"", ""bough"" and ""rough"", where ""-ough"" is not pronounced the same in each case); inconsistent characters (e.g. 流[liu2], 梳[shu1] and 毓[yu4], which are pronounced differently from each other even though they all have the same notional phonetic component)" -不三不四,bù sān bù sì,(idiom) dubious; shady; neither one thing nor the other; neither fish nor fowl; nondescript -不下,bù xià,"to be not less than (a certain quantity, amount etc)" -不下于,bù xià yú,as many as; no less than; not inferior to; as good as; on a par with -不中意,bù zhòng yì,not to one's liking -不中用,bù zhōng yòng,unfit for anything; no good; useless; (of a sick person) beyond hope -不丹,bù dān,Bhutan -不主故常,bù zhǔ gù cháng,not to stick to the old conventions -不久,bù jiǔ,not long (after); before too long; soon; soon after -不久前,bù jiǔ qián,not long ago -不乏,bù fá,there is no lack of -不干不净,bù gān bù jìng,unclean; filthy; foul-mouthed -不了,bù le,no thanks (used to politely but informally decline) -不了,bù liǎo,(as a resultative verb suffix) unable to (do sth); (pattern: {verb} + 個|个[ge5] + ~) without end; incessantly -不了了之,bù liǎo liǎo zhī,to settle a matter by leaving it unsettled; to end up with nothing definite -不予理会,bù yǔ lǐ huì,to ignore; to brush off; to dismiss; to pay no attention to -不予置评,bù yǔ zhì píng,"to make no comment; ""no comment""" -不予评论,bù yǔ píng lùn,No comment! -不事张扬,bù shì zhāng yáng,quietly; without ostentation -不事生产,bù shì shēng chǎn,not to do anything productive; to idle away one's time -不二,bù èr,"the only (choice, way etc); undivided (loyalty)" -不二价,bù èr jià,one price for all; fixed price -不二法门,bù èr fǎ mén,the one and only way; the only proper course to take -不亚,bù yà,no less than; not inferior to -不亚于,bù yà yú,no less than; not inferior to -不亢不卑,bù kàng bù bēi,neither haughty nor humble; neither overbearing nor servile; neither supercilious nor obsequious -不亦乐乎,bù yì lè hū,lit. isn't that a joy? (quote from Confucius); fig. (jocular) extremely; awfully -不人道,bù rén dào,inhuman -不仁,bù rén,not benevolent; heartless; numb -不以人废言,bù yǐ rén fèi yán,"not to reject a word because of the speaker (idiom, from Analects); to judge on the merits of the case rather than preference between advisers" -不以为意,bù yǐ wéi yì,not to mind; unconcerned -不以为然,bù yǐ wéi rán,not to accept as correct (idiom); to object; to disapprove; to take exception to -不以词害志,bù yǐ cí hài zhì,don't let rhetoric spoil the message (idiom); don't get carried away with flowery speech to the detriment of what you want to say -不以辞害志,bù yǐ cí hài zhì,don't let rhetoric spoil the message (idiom); don't get carried away with flowery speech to the detriment of what you want to say -不休,bù xiū,endlessly; ceaselessly -不但,bù dàn,not only (... but also ...) -不住,bù zhù,"(verb complement) unable to firmly or securely (grasp, recall etc); repeatedly; continuously; constantly" -不作死就不会死,bù zuò sǐ jiù bù huì sǐ,serves you right for doing sth so stupid (Internet slang) -不作为,bù zuò wéi,nonfeasance; omission (law) -不佞,bù nìng,"without eloquence; untalented; I, me (humble)" -不佳,bù jiā,not good -不来梅,bù lái méi,Bremen (city) -不来梅港,bù lái méi gǎng,"Bremerhaven, German port" -不依,bù yī,not to comply; not to go along with; not to let off easily; not to let sb get away with it -不依不饶,bù yī bù ráo,"not to overlook, nor spare (idiom); unwilling to forgive; to treat severely without listening to excuses" -不便,bù biàn,inconvenient; inappropriate; unsuitable; short of cash -不便险,bù biàn xiǎn,"travel insurance covering flight delay, baggage loss etc (abbr. for 旅遊不便險|旅游不便险[lu:3 you2 bu4 bian4 xian3])" -不俗,bù sú,impressive; out of the ordinary -不信任动议,bù xìn rèn dòng yì,"motion of no confidence (against the government, in parliamentary debates)" -不信任投票,bù xìn rèn tóu piào,vote of no-confidence -不信任案,bù xìn rèn àn,no-confidence motion -不修边幅,bù xiū biān fú,not care about one's appearance (idiom); slovenly in dress and manner -不倒翁,bù dǎo wēng,roly-poly toy -不倦,bù juàn,tireless; untiring; indefatigable -不伦,bù lún,"(of a relationship) improper (adulterous, incestuous, teacher-student etc); unseemly" -不伦不类,bù lún bù lèi,out of place; inappropriate; incongruous -不值,bù zhí,not worth -不值一文,bù zhí yī wén,worthless (idiom); no use whatsoever -不值一笑,bù zhí yī xiào,of no value; worthless -不值一驳,bù zhí yī bó,(of an argument) not even worthy of a rebuttal -不值得,bù zhí de,unworthy -不值钱,bù zhí qián,of little value -不假思索,bù jiǎ sī suǒ,(idiom) to act without taking time to think; to react instantly; to fire from the hip -不偏不倚,bù piān bù yǐ,even-handed; impartial; unbiased; exact; just -不偏斜,bù piān xié,not leaning to one side; impartial; even-handed -不做声,bù zuò shēng,keep silent; not say a word -不停,bù tíng,incessant -不偷不抢,bù tōu bù qiǎng,to be law-abiding (idiom) -不备,bù bèi,unprepared; off guard -不伤脾胃,bù shāng pí wèi,lit. doesn't hurt the spleen or the stomach; fig. something that is not critical -不仅,bù jǐn,"not just; not limited to; (as a correlative conjunction) not only (..., but also ...)" -不仅仅,bù jǐn jǐn,not only; not just -不仅如此,bù jǐn rú cǐ,"not only that, but ..." -不像样,bù xiàng yàng,in no shape to be seen; unpresentable; beyond recognition -不像话,bù xiàng huà,unreasonable; shocking; outrageous -不俭则匮,bù jiǎn zé kuì,"(idiom) waste not, want not" -不光,bù guāng,not the only one; not only -不光彩,bù guāng cǎi,disgraceful; dishonorable -不克,bù kè,cannot; to not be able (to); to be unable to -不免,bù miǎn,inevitably -不免一死,bù miǎn yī sǐ,cannot avoid being killed; cannot escape death; to be mortal -不儿,bú er,(coll.) no (contracted form of 不是[bu4 shi4]) -不儿道,bū er dào,(dialect) contracted form of 不知道[bu4 zhi1 dao4] -不入时宜,bù rù shí yí,out of step with current thinking; outmoded; inappropriate for the occasion -不公,bù gōng,unjust; unfair -不共戴天,bù gòng dài tiān,(of enemies) cannot live under the same sky; absolutely irreconcilable -不兼容性,bù jiān róng xìng,incompatibility -不再,bù zài,no more; no longer -不准,bù zhǔn,not to allow; to forbid; to prohibit -不准许,bù zhǔn xǔ,forbidden; not allowed -不冻港,bù dòng gǎng,ice-free port; open port -不冻港口,bù dòng gǎng kǒu,ice-free port (refers to Vladivostok) -不凡,bù fán,out of the ordinary; out of the common run -不出所料,bù chū suǒ liào,as expected -不分,bù fēn,not to distinguish; to make no distinction; (LGBT slang) versatile (open to either penetrative or receptive role) -不分上下,bù fēn shàng xià,not to know one's place -不分伯仲,bù fēn bó zhòng,lit. unable to distinguish eldest brother from second brother (idiom); they are all equally excellent; nothing to choose between them -不分胜败,bù fēn shèng bài,to not be able to distinguish who's winning -不分胜负,bù fēn shèng fù,unable to determine victory or defeat (idiom); evenly matched; to come out even; to tie; to draw -不分彼此,bù fēn bǐ cǐ,to make no distinction between what's one's own and what's another's (idiom); to share everything; to be on very intimate terms -不分情由,bù fēn qíng yóu,indiscriminate -不分昼夜,bù fēn zhòu yè,day and night; round-the-clock -不分皂白,bù fēn zào bái,not distinguishing black or white (idiom); not to distinguish between right and wrong -不分轩轾,bù fēn xuān zhì,well-matched; equally matched -不分青红皂白,bù fēn qīng hóng zào bái,not distinguishing red-green or black-white (idiom); not to distinguish between right and wrong -不分高下,bù fēn gāo xià,equally matched; not much to distinguish who is stronger -不切合实际,bù qiè hé shí jì,impractical; not conforming to reality -不切实际,bù qiè shí jì,unrealistic; impractical -不刊之论,bù kān zhī lùn,indisputable statement; unalterable truth -不划算,bù huá suàn,it isn't worth it; not cost-effective; not profitable; too expensive -不列颠,bù liè diān,Britain; British; Great Britain -不列颠保卫战,bù liè diān bǎo wèi zhàn,see 不列顛戰役|不列颠战役[Bu4 lie4 dian1 Zhan4 yi4] -不列颠哥伦比亚,bù liè diān gē lún bǐ yà,"British Columbia, Pacific province of Canada" -不列颠哥伦比亚省,bù liè diān gē lún bǐ yà shěng,"British Columbia, Pacific province of Canada" -不列颠战役,bù liè diān zhàn yì,Battle of Britain (Jul-Oct 1940) -不列颠诸岛,bù liè diān zhū dǎo,British Isles -不利,bù lì,unfavorable; disadvantageous; harmful; detrimental -不到,bù dào,not to arrive; not reaching; insufficient; less than -不到火候不揭锅,bù dào huǒ hòu bù jiē guō,don't act until the time is ripe (idiom) -不到长城非好汉,bù dào cháng chéng fēi hǎo hàn,"lit. until you reach the Great Wall, you're not a proper person; fig. to get over difficulties before reaching the goal" -不到黄河心不死,bù dào huáng hé xīn bù sǐ,lit. not to stop until one reaches the Yellow River (idiom); fig. to persevere until one reaches one's goal; to keep going while some hope is left -不力,bù lì,not to do one's best; not to exert oneself -不加,bù jiā,without; not; un- -不加修饰,bù jiā xiū shì,undecorated; unvarnished; no frills -不加区别,bù jiā qū bié,indiscriminate -不加思索,bù jiā sī suǒ,see 不假思索[bu4 jia3 si1 suo3] -不加拘束,bù jiā jū shù,unrestricted -不加掩饰,bù jiā yǎn shì,undisguised -不加牛奶,bù jiā niú nǎi,"without milk; black (of tea, coffee etc)" -不加理睬,bù jiā lǐ cǎi,without giving due consideration; to ignore; to overlook -不加选择,bù jiā xuǎn zé,indiscriminate -不动,bù dòng,motionless -不动摇,bù dòng yáo,unmoved -不动产,bù dòng chǎn,real estate; immovable property; immovables -不动声色,bù dòng shēng sè,not a word or movement (idiom); remaining calm and collected; not batting an eyelid -不动点,bù dòng diǎn,fixed point (of a map) (math.) -不动点定理,bù dòng diǎn dìng lǐ,fixed point theorem (math.) -不务正业,bù wù zhèng yè,not to engage in honest work; to ignore one's proper occupation; not to attend to one's proper duties -不胜,bù shèng,cannot bear or stand; be unequal to; very; extremely -不胜其扰,bù shèng qí rǎo,unable to put up with (sth) any longer -不胜其烦,bù shèng qí fán,to be pestered beyond endurance -不胜其苦,bù shèng qí kǔ,unable to bear the pain (idiom) -不胜枚举,bù shèng méi jǔ,too numerous to mention individually or one by one -不劳无获,bù láo wú huò,"no pain, no gain (idiom)" -不劳而获,bù láo ér huò,(idiom) to reap without sowing; to get sth without working for it; to sponge off others -不匮,bù kuì,(literary) to never have a deficiency; to never be lacking -不区分大小写,bù qū fēn dà xiǎo xiě,case insensitive; not distinguishing capitals from lowercase letters -不卑不亢,bù bēi bù kàng,neither servile nor overbearing (idiom); neither obsequious nor supercilious -不协调,bù xié tiáo,uncoordinated; disharmony -不即不离,bù jí bù lí,to be neither too familiar nor too distant; to keep sb at arm's length -不厌,bù yàn,not to tire of; not to object to -不厌其烦,bù yàn qí fán,not to mind taking all the trouble (idiom); to take great pains; to be very patient -不去理,bù qù lǐ,not to pay attention to; to leave sth as it is; to ignore -不及,bù jí,to fall short of; not as good as; too late -不及格,bù jí gé,to fail; to flunk -不及物动词,bù jí wù dòng cí,intransitive verb -不受欢迎,bù shòu huān yíng,unwelcome -不只,bù zhǐ,not only; not merely -不可,bù kě,cannot; should not; must not -不可一世,bù kě yī shì,(idiom) to consider oneself unexcelled in the world; to be insufferably arrogant -不可以,bù kě yǐ,may not -不可估量,bù kě gū liàng,inestimable; incalculable; beyond measure -不可侵犯,bù kě qīn fàn,inviolable; inviolability -不可侵犯权,bù kě qīn fàn quán,inviolability -不可再生资源,bù kě zài shēng zī yuán,nonrenewable resource -不可分割,bù kě fēn gē,inalienable; unalienable; inseparable; indivisible -不可分离,bù kě fēn lí,inseparable -不可胜数,bù kě shèng shǔ,countless; innumerable -不可胜言,bù kě shèng yán,inexpressible (idiom); beyond description -不可同日而语,bù kě tóng rì ér yǔ,lit. mustn't speak of two things on the same day (idiom); not to be mentioned in the same breath; incomparable -不可名状,bù kě míng zhuàng,indescribable; beyond description -不可告人,bù kě gào rén,to be kept secret; not to be divulged -不可多得,bù kě duō dé,hard to come by; rare -不可导,bù kě dǎo,not differentiable (function in calculus) -不可少,bù kě shǎo,indispensable; essential -不可思议,bù kě sī yì,inconceivable (idiom); unimaginable; unfathomable -不可或缺,bù kě huò quē,necessary; must have -不可抗力,bù kě kàng lì,force majeure; act of God -不可抗拒,bù kě kàng jù,act of God; force majeure (law); irresistible (idiom) -不可挽回,bù kě wǎn huí,irreversible -不可撤销信用证,bù kě chè xiāo xìn yòng zhèng,irrevocable letter of credit -不可收拾,bù kě shōu shí,irremediable; unmanageable; out of hand; hopeless -不可救药,bù kě jiù yào,incurable; incorrigible; beyond cure; hopeless -不可数,bù kě shǔ,uncountable -不可数名词,bù kě shǔ míng cí,uncountable noun (in grammar of European languages) -不可数集,bù kě shuò jí,uncountable set (math.) -不可枚举,bù kě méi jǔ,innumerable (idiom) -不可理喻,bù kě lǐ yù,(idiom) impervious to reason; unreasonable -不可知论,bù kě zhī lùn,"agnosticism, the philosophical doctrine that some questions about the universe are in principle unanswerable" -不可磨灭,bù kě mó miè,indelible -不可端倪,bù kě duān ní,impossible to get even an outline (idiom); unfathomable; not a clue -不可终日,bù kě zhōng rì,to be unable to carry on even for a single day; to be in a desperate situation -不可缺少,bù kě quē shǎo,indispensable -不可置信,bù kě zhì xìn,unbelievable; incredible -不可能,bù kě néng,impossible; cannot; not able -不可解,bù kě jiě,insoluble (i.e. impossible to solve) -不可言喻,bù kě yán yù,inexpressible (idiom) -不可逆,bù kě nì,irreversible -不可逆转,bù kě nì zhuǎn,irreversible -不可通约,bù kě tōng yuē,having no common measure; incommensurable; incommensurate -不可逾越,bù kě yú yuè,impassable; insurmountable; insuperable -不可避,bù kě bì,unavoidable -不可避免,bù kě bì miǎn,unavoidably -不可开交,bù kě kāi jiāo,to be awfully (busy etc) -不可靠,bù kě kào,unreliable -不合,bù hé,to not conform to; to be unsuited to; to be out of keeping with; should not; ought out -不合作,bù hé zuò,noncooperation -不合时宜,bù hé shí yí,out of step with current thinking; outmoded; inappropriate for the occasion -不合法,bù hé fǎ,illegal -不合理,bù hé lǐ,unreasonable -不合体统,bù hé tǐ tǒng,not according with decorum; scandalous; bad form; unacceptable behavior -不吉,bù jí,unlucky; inauspicious; ominous -不吉利,bù jí lì,ominous -不同,bù tóng,different; distinct; not the same; not alike -不同凡响,bù tóng fán xiǎng,lit. not a common chord (idiom); outstanding; brilliant; out of the common run -不同寻常,bù tóng xún cháng,out of the ordinary; unusual -不名一文,bù míng yī wén,without a penny to one's name; penniless; stony-broke -不名一钱,bù míng yī qián,to be penniless -不名数,bù míng shù,abstract number -不名誉,bù míng yù,disreputable; disgraceful -不吐不快,bù tǔ bù kuài,to have to pour out what's on one's mind (idiom) -不吐气,bù tǔ qì,unaspirated -不吝,bù lìn,"not to stint; to be generous (with praise etc); to be prepared to (pay a fee, give of one's time etc)" -不吝珠玉,bù lìn zhū yù,(idiom) (courteous) please give me your frank opinion; your criticism will be most valuable -不吝赐教,bù lìn cì jiào,to be so kind as to enlighten me -不含糊,bù hán hu,unambiguous; unequivocal; explicit; prudent; cautious; not negligent; unafraid; unhesitating; really good; extraordinary -不周,bù zhōu,not satisfactory; thoughtless; inconsiderate -不周山,bù zhōu shān,"Buzhou Mountain, a mountain from Chinese legend" -不周延,bù zhōu yán,undistributed -不咋地,bù zǎ de,(dialect) not that great; not up to much; nothing special -不咋的,bù zǎ de,(dialect) not that great; not up to much; nothing special -不和,bù hé,not to get along well; to be on bad terms; to be at odds; discord -不咎既往,bù jiù jì wǎng,not censure sb for his past misdeeds; overlook sb's past mistakes; let bygones be bygones -不问,bù wèn,to pay no attention to; to disregard; to ignore; to let go unpunished; to let off -不问好歹,bù wèn hǎo dǎi,no matter what may happen (idiom) -不问青红皂白,bù wèn qīng hóng zào bái,not distinguishing red-green or black-white (idiom); not to distinguish between right and wrong -不啻,bù chì,just as; no less than; like (sth momentous); as good as; tantamount to -不啻天渊,bù chì tiān yuān,no less than from heaven to the abyss (idiom); differing widely; worlds apart; the gap couldn't be bigger -不善,bù shàn,bad; ill; not good at; not to be pooh-poohed; quite impressive -不单,bù dān,not the only; not merely; not simply -不圆通,bù yuán tōng,inflexible; unaccommodating -不图,bù tú,not to seek (sth); to have no expectation of (sth); (literary) unexpectedly -不在,bù zài,not to be present; to be out; (euphemism) to pass away; to be deceased -不在乎,bù zài hu,not to care -不在了,bù zài le,to be dead; to have passed away -不在其位不谋其政,bù zài qí wèi bù móu qí zhèng,don't meddle in affairs that are not part of your position (Confucius) -不在意,bù zài yì,to pay no attention to; not to mind -不在状态,bù zài zhuàng tài,to be out of form; not to be oneself -不在话下,bù zài huà xià,to be nothing difficult; to be a cinch -不均,bù jūn,uneven; distributed unevenly -不堪,bù kān,cannot bear; cannot stand; utterly; extremely -不堪一击,bù kān yī jī,to be unable to withstand a single blow; to collapse at the first blow -不堪入目,bù kān rù mù,unbearable to look at; an eyesore -不堪忍受,bù kān rěn shòu,unbearable -不堪设想,bù kān shè xiǎng,too horrible to contemplate; unthinkable; inconceivable -不外,bù wài,not beyond the scope of; nothing more than -不外乎,bù wài hū,nothing else but -不外露,bù wài lù,not exposed; concealed from view -不够,bù gòu,not enough; insufficient; inadequate -不大,bù dà,not very; not too; not often -不大离,bù dà lí,pretty close; just about right; not bad; same as 差不多 -不大离儿,bù dà lí er,erhua variant of 不大離|不大离[bu4 da4 li2] -不太好,bù tài hǎo,not so good; not too well -不失时机,bù shī shí jī,to seize the opportune moment; to lose no time -不失为,bù shī wéi,can still be considered (to be...); may after all be accepted as -不好,bù hǎo,no good -不好受,bù hǎo shòu,unpleasant; hard to take -不好惹,bù hǎo rě,not to be trifled with; not to be pushed around; stand no nonsense -不好意思,bù hǎo yì si,to feel embarrassed; to find it embarrassing; to be sorry (for inconveniencing sb) -不好说,bù hǎo shuō,hard to say; can't be sure; difficult to speak about; unpleasant to say -不如,bù rú,not equal to; not as good as; inferior to; it would be better to -不如人意,bù rú rén yì,leaving much to be desired; unsatisfactory; undesirable -不妙,bù miào,(of a turn of events) not too encouraging; far from good; anything but reassuring -不妥,bù tuǒ,not proper; inappropriate -不妥协,bù tuǒ xié,uncompromising -不妨,bù fáng,there is no harm in; might as well -不孕,bù yùn,infertile; unable to conceive a child; infertility -不孕症,bù yùn zhèng,female infertility -不孚众望,bù fú zhòng wàng,not living up to expectations (idiom); failing to inspire confidence among people; unpopular -不孝,bù xiào,unfilial -不学无术,bù xué wú shù,without learning or skills (idiom); ignorant and incompetent -不安,bù ān,unpeaceful; unstable; uneasy; disturbed; restless; worried -不安其室,bù ān qí shì,(idiom) (of a married woman) to be unfaithful; to have extramarital affairs -不安分,bù ān fen,restless; unsettled -不安好心,bù ān hǎo xīn,to have bad intentions -不完全中立,bù wán quán zhōng lì,imperfect neutrality -不完全归纳推理,bù wán quán guī nà tuī lǐ,inference by incomplete induction -不完全叶,bù wán quán yè,incomplete leaf -不完善,bù wán shàn,imperfect -不定,bù dìng,indefinite; indeterminate; (botany) adventitious -不定元,bù dìng yuán,"indeterminate element (math.), often denoted by x" -不定冠词,bù dìng guàn cí,"indefinite article (e.g. English a, an)" -不定式,bù dìng shì,infinitive (grammar) -不定形,bù dìng xíng,indeterminate form -不定方程,bù dìng fāng chéng,(math.) indeterminate equation -不定期,bù dìng qī,non-scheduled; irregularly -不定积分,bù dìng jī fēn,indefinite integral (math.) -不定词,bù dìng cí,infinitive -不宜,bù yí,not suitable; inadvisable; inappropriate -不客气,bù kè qi,you're welcome; don't mention it; impolite; rude; blunt -不宣而战,bù xuān ér zhàn,open hostilities without declaring war; start an undeclared war -不容,bù róng,must not; cannot; to not allow; cannot tolerate -不容置疑,bù róng zhì yí,unquestionable -不容置辩,bù róng zhì biàn,peremptory; not to be denied; not brooking argument -不寒而栗,bù hán ér lì,"lit. not cold, yet shivering (idiom); fig. to tremble with fear; to be terrified" -不实,bù shí,untruthful; untrue -不对,bù duì,incorrect; wrong; amiss; abnormal; queer -不对劲,bù duì jìn,not in good condition; wrong; fishy -不对劲儿,bù duì jìn er,erhua variant of 不對勁|不对劲[bu4 dui4 jin4] -不对盘,bù duì pán,(of a person) objectionable; (of two people) to find each other disagreeable -不对碴儿,bù duì chá er,not proper; not fit for the occasion -不对称,bù duì chèn,unsymmetrical; asymmetric -不对头,bù duì tóu,fishy; not right; amiss -不少,bù shǎo,many; a lot; not few -不局限,bù jú xiàn,not confined -不屈,bù qū,unyielding; unbending -不屈不挠,bù qū bù náo,unyielding; indomitable -不屑,bù xiè,to disdain to do sth; to think sth not worth doing; to feel it beneath one's dignity -不屑一顾,bù xiè yī gù,to disdain as beneath contempt (idiom) -不巧,bù qiǎo,too bad; unfortunately; as luck would have it -不差,bù chā,to not lack -不差,bù chà,not bad; OK -不已,bù yǐ,(used after a verb) endlessly; incessantly -不带,bù dài,not to have; without; un- -不带电,bù dài diàn,uncharged; electrically neutral -不干涉,bù gān shè,noninterference; nonintervention -不平,bù píng,uneven; injustice; unfairness; wrong; grievance; indignant; dissatisfied -不平凡,bù píng fán,marvelous; marvelously -不平则鸣,bù píng zé míng,"where there is injustice, there will be an outcry; man will cry out against injustice" -不平常,bù píng cháng,remarkable; remarkably; unusual -不平等,bù píng děng,inequality; unfairness -不平等条约,bù píng děng tiáo yuē,"(term coined c. 1920s) unequal treaty – a treaty between China and one or more aggressor nations (including Russia, Japan and various Western powers) which imposed humiliating conditions on China (in the 19th and early 20th centuries)" -不平衡,bù píng héng,disequilibrium -不幸,bù xìng,misfortune; adversity; unfortunate; sad; unfortunately; CL:個|个[ge4] -不幸之事,bù xìng zhī shì,mishap -不幸之幸,bù xìng zhī xìng,a fortune in misfortune; a positive in the negative -不幸言中,bù xìng yán zhòng,to turn out just as one predicted or feared -不待说,bù dài shuō,needless to say; it goes without saying -不很,bù hěn,not very -不得,bù dé,must not; may not; not to be allowed; cannot -不得不,bù dé bù,have no choice or option but to; cannot but; have to; can't help it; can't avoid -不得了,bù dé liǎo,desperately serious; disastrous; extremely; exceedingly -不得人心,bù dé rén xīn,not to enjoy popular support; to be unpopular -不得其门而入,bù dé qí mén ér rù,"to be unable to get into (a house, an organization, a field of study, a particular type of career etc)" -不得劲,bù dé jìn,awkward; unhandy; be indisposed; not feel well -不得已,bù dé yǐ,to act against one's will; to have no alternative but to; to have to; to have no choice; must -不得已而为之,bù dé yǐ ér wéi zhī,to have no other choice; to be the last resort -不得而知,bù dé ér zhī,unknown; unable to find out -不得要领,bù dé yào lǐng,to fail to grasp the main points -不复,bù fù,no longer; not again -不必,bù bì,need not; does not have to; not necessarily -不必要,bù bì yào,needless; unnecessary -不忍,bù rěn,cannot bear to -不忍心,bù rěn xīn,can't bear to (do sth emotionally painful) -不忙,bù máng,there's no hurry; take one's time -不快,bù kuài,unhappy; in low spirits; (of a knife) not sharp -不忮不求,bù zhì bù qiú,"(idiom) to be free of jealousy or greed; to live a simple life, free from worldly desires" -不念旧恶,bù niàn jiù è,"do not recall old grievances (idiom, from Analects); forgive and forget" -不忿,bù fèn,unsatisfied; unconvinced; indignant -不怎么,bù zěn me,not very; not particularly -不怎么样,bù zěn me yàng,not up to much; very indifferent; nothing great about it; nothing good to be said about it -不怒而威,bù nù ér wēi,(idiom) to have an aura of authority; to have a commanding presence -不怕,bù pà,fearless; not worried (by setbacks or difficulties); even if; even though -不怕贼偷就怕贼惦记,bù pà zéi tōu jiù pà zéi diàn jì,much worse than having something stolen is when a thief has you in his sights (idiom) -不怠,bù dài,unremitting in one's efforts -不急之务,bù jí zhī wù,a matter of no great urgency -不恤,bù xù,not to worry; not to show concern -不恤人言,bù xù rén yán,not to worry about the gossip (idiom); to do the right thing regardless of what others say -不耻下问,bù chǐ xià wèn,not feel ashamed to ask and learn from one's subordinates -不恭,bù gōng,disrespectful -不息,bù xī,continually; without a break; ceaselessly -不悦,bù yuè,displeased; annoyed -不患寡而患不均,bù huàn guǎ ér huàn bù jūn,"do not worry about scarcity, but rather about uneven distribution (idiom, from Analects)" -不悱不发,bù fěi bù fā,a student should not be guided until he has made an effort to express his thoughts (idiom) -不情之请,bù qíng zhī qǐng,(humble expression) my presumptuous request -不情愿,bù qíng yuàn,unwilling -不惑,bù huò,without doubt; with full self-confidence; forty years of age -不惜,bù xī,not stint; not spare; not hesitate (to do sth); not scruple (to do sth) -不惜一战,bù xī yī zhàn,to be ready to go to war -不惜血本,bù xī xuè běn,to spare no effort; to devote all one's energies -不惟,bù wéi,not only -不想,bù xiǎng,unexpectedly -不愉快,bù yú kuài,disagreeable; unpleasant -不意,bù yì,unexpectedly; unawareness; unpreparedness -不愧,bù kuì,to be worthy of; to deserve to be called; to prove oneself to be -不愧下学,bù kuì xià xué,not ashamed to learn from subordinates (idiom) -不愧不怍,bù kuì bù zuò,"no shame, no subterfuge (idiom); just and honorable; upright and above board" -不慌不忙,bù huāng bù máng,calm and unhurried (idiom); composed; to take matters calmly -不愠不火,bù yùn bù huǒ,calm; unruffled -不慎,bù shèn,incautious; inattentive -不愤不启,bù fèn bù qǐ,a student shall not be enlightened until he has tried hard by himself (idiom) -不懂装懂,bù dǒng zhuāng dǒng,to pretend to understand when you don't -不懈,bù xiè,untiring; unremitting; indefatigable -不懈怠,bù xiè dài,untiring; without slacking -不应期,bù yìng qī,refractory period (physiology) -不怀好意,bù huái hǎo yì,to harbor evil designs; to harbor malicious intentions -不成,bù chéng,won't do; unable to; (at the end of a rhetorical question) can that be? -不成功便成仁,bù chéng gōng biàn chéng rén,to succeed or die trying (idiom) -不成文,bù chéng wén,unwritten (rule) -不成文法,bù chéng wén fǎ,unwritten law -不成材,bù chéng cái,worthless; good-for-nothing -不成样子,bù chéng yàng zi,shapeless; deformed; ruined; beyond recognition; (of a person) reduced to a shadow -不成话,bù chéng huà,see 不像話|不像话[bu4 xiang4 hua4] -不成体统,bù chéng tǐ tǒng,not according with decorum (idiom); scandalous; bad form; unacceptable behavior -不战不和,bù zhàn bù hé,neither war nor peace -不才,bù cái,untalented; I; me (humble) -不打不成器,bù dǎ bù chéng qì,spare the rod and spoil the child (idiom) -不打不成才,bù dǎ bù chéng cái,spare the rod and spoil the child (idiom) -不打不成相识,bù dǎ bù chéng xiāng shí,"don't fight, won't make friends (idiom); an exchange of blows may lead to friendship" -不打不相识,bù dǎ bù xiāng shí,"lit. don't fight, won't make friends (idiom); an exchange of blows may lead to friendship; no discord, no concord" -不打紧,bù dǎ jǐn,unimportant; not serious; it doesn't matter; never mind -不打自招,bù dǎ zì zhāo,to confess without being pressed; to make a confession without duress -不承认主义,bù chéng rèn zhǔ yì,policy of non-recognition -不折不扣,bù zhé bù kòu,a hundred percent; to the letter; out-and-out -不抵抗主义,bù dǐ kàng zhǔ yì,policy of nonresistance -不拉叽,bù lā jī,"(nasty, stupid etc) as can be" -不拉几,bù lā jī,(dialect) extremely -不拘,bù jū,not stick to; not confine oneself to; whatever -不拘一格,bù jū yī gé,not stick to one pattern -不拘小节,bù jū xiǎo jié,to not bother about trifles (idiom) -不振,bù zhèn,"lacking in vitality; depressed (market, spirits etc)" -不舍,bù shě,reluctant to part with (sth or sb); unwilling to let go of -不提也罢,bù tí yě bà,best not to mention it; drop it; never mind; let's not talk about it -不插电,bù chā diàn,unplugged (of rock musicians performing on acoustic instruments) -不揣冒昧,bù chuǎi mào mèi,to venture to; to presume to; to take the liberty of -不搭理,bù dā lǐ,variant of 不答理[bu4 da1 li3] -不摸头,bù mō tóu,not acquainted with the situation; not up on things -不撞南墙不回头,bù zhuàng nán qiáng bù huí tóu,to stubbornly insist on one's own ideas (idiom) -不择手段,bù zé shǒu duàn,by fair means or foul; by hook or by crook; unscrupulously -不扩散核武器条约,bù kuò sàn hé wǔ qì tiáo yuē,Treaty on the Non-Proliferation of Nuclear Weapons -不支,bù zhī,to be unable to endure -不攻自破,bù gōng zì pò,(of a rumor etc) to collapse (in the light of facts etc); to be discredited -不败之地,bù bài zhī dì,(idiom) invincible position -不敢恭维,bù gǎn gōng wei,to be underwhelmed; to be less than impressed -不敢当,bù gǎn dāng,lit. I dare not (accept the honor); fig. I don't deserve your praise; you flatter me -不敢自专,bù gǎn zì zhuān,not daring to act for oneself (idiom) -不敢苟同,bù gǎn gǒu tóng,to beg to differ (idiom) -不敢越雷池一步,bù gǎn yuè léi chí yī bù,dare not go one step beyond the prescribed limit -不敢高攀,bù gǎn gāo pān,lit. not dare to pull oneself up high (humble term); I cannot presume on your attention -不敬,bù jìng,disrespect; irreverent; rude; insufficiently respectful (to a superior) -不敌,bù dí,no match for; cannot beat -不料,bù liào,unexpectedly; to one's surprise -不断,bù duàn,unceasing; uninterrupted; continuous; constant -不方便,bù fāng biàn,inconvenience; inconvenient -不日,bù rì,within the next few days; in a few days time -不明,bù míng,not clear; unknown; to fail to understand -不明不白,bù míng bù bái,(idiom) obscure; dubious; shady -不明事理,bù míng shì lǐ,not understanding things (idiom); devoid of sense -不明就里,bù míng jiù lǐ,not to understand the situation; unaware of the ins and outs -不明确,bù míng què,indefinite; unclear -不明觉厉,bù míng jué lì,"although I don't understand it, it seems pretty awesome (Internet slang)" -不明飞行物,bù míng fēi xíng wù,unidentified flying object (UFO) -不易,bù yì,not easy to do sth; difficult; unchanging -不易之论,bù yì zhī lùn,perfectly sound proposition; unalterable truth; irrefutable argument -不是,bù shì,no; is not; not -不是,bù shi,fault; blame -不是一家人不进一家门,bù shì yī jiā rén bù jìn yī jiā mén,"people who don't belong together, don't get to live together (idiom); marriages are predestined; people marry because they share common traits" -不是冤家不聚头,bù shì yuān jiā bù jù tóu,destiny will make enemies meet (idiom); (often said about lovers who have a disagreement) -不是吃素的,bù shì chī sù de,not to be trifled with; to be reckoned with -不是味儿,bù shì wèi er,not the right flavor; not quite right; a bit off; fishy; queer; amiss; feel bad; be upset -不是吗,bù shì ma,isn't that so? -不是东西,bù shì dōng xi,(derog.) to be a good-for-nothing; worthless nobody; no-good -不是滋味,bù shì zī wèi,to be upset; to feel disgusted -不是话,bù shì huà,see 不像話|不像话[bu4 xiang4 hua4] -不是鱼死就是网破,bù shì yú sǐ jiù shì wǎng pò,lit. either the fish dies or the net gets torn (idiom); fig. it's a life-and-death struggle; it's either him or me -不时,bù shí,from time to time; now and then; occasionally; frequently -不时之需,bù shí zhī xū,a possible period of want or need -不景气,bù jǐng qì,slack; in a slump -不智,bù zhì,unwise -不暇,bù xiá,to have no time (for sth); to be too busy (to do sth) -不曾,bù céng,hasn't yet; hasn't ever -不会,bù huì,"improbable; unlikely; will not (act, happen etc); not able; not having learned to do sth; (coll.) (Tw) don't mention it; not at all" -不月,bù yuè,amenorrhoea; irregular menstruation -不服,bù fú,not to accept sth; to want to have sth overruled or changed; to refuse to obey or comply; to refuse to accept as final; to remain unconvinced by; not to give in to -不服气,bù fú qì,unwilling to concede; defiant; indignant; to find it galling -不服水土,bù fú shuǐ tǔ,(of a stranger) not accustomed to the climate of a new place; not acclimatized -不服罪,bù fú zuì,to deny a crime; to plead not guilty -不期,bù qī,unexpectedly; to one's surprise -不期然而然,bù qī rán ér rán,happen unexpectedly; turn out contrary to one's expectations -不期而至,bù qī ér zhì,to arrive unexpectably; unexpected -不期而遇,bù qī ér yù,meet by chance; have a chance encounter -不朽,bù xiǔ,to last forever; eternal; enduring -不材,bù cái,untalented; I; me (humble); also written 不才[bu4 cai2] -不枉,bù wǎng,not in vain -不标准,bù biāo zhǔn,nonstandard; incorrect; (of one's speech) poor; woeful (not in keeping with correct pronunciation or usage) -不欢而散,bù huān ér sàn,to part on bad terms; (of a meeting etc) to break up in discord -不止,bù zhǐ,incessantly; without end; more than; not limited to -不止一次,bù zhǐ yī cì,many times; on more than one occasion -不正之风,bù zhèng zhī fēng,unhealthy tendency -不正常,bù zhèng cháng,abnormal -不正常状况,bù zhèng cháng zhuàng kuàng,abnormal state -不正当,bù zhèng dàng,dishonest; unfair; improper -不正当竞争,bù zhèng dàng jìng zhēng,unfair competition; illicit competition -不正当关系,bù zhèng dàng guān xì,improper relationship; illicit relationship -不正确,bù zhèng què,incorrect; erroneous -不归路,bù guī lù,road to ruin; course of action from which there is no turning back -不死不休,bù sǐ bù xiū,to fight to one's last gasp -不死心,bù sǐ xīn,unwilling to give up; unresigned -不死药,bù sǐ yào,elixir of life -不比,bù bǐ,unlike -不毛,bù máo,barren -不毛之地,bù máo zhī dì,barren land; desert -不求人,bù qiú rén,backscratcher (made from bamboo etc) -不求收获,bù qiú shōu huò,not expecting any reward; not asking for favors -不求甚解,bù qiú shèn jiě,lit. not requiring a detailed understanding (idiom); only looking for an overview; not bothered with the details; superficial; content with shallow understanding -不治,bù zhì,to die of illness or injury despite receiving medical help -不治之症,bù zhì zhī zhèng,incurable disease -不治而愈,bù zhì ér yù,to recover spontaneously (from an illness); to get better without medical treatment -不沾锅,bù zhān guō,non-stick pan (Tw) -不法,bù fǎ,lawless; illegal; unlawful -不法分子,bù fǎ fèn zǐ,lawbreaker; outlaw -不注意,bù zhù yì,thoughtless; not pay attention to -不消,bù xiāo,to not need; needless (to say) -不清,bù qīng,unclear -不清楚,bù qīng chu,unclear; not understood; currently unknown -不减当年,bù jiǎn dāng nián,"(of one's skills, appearance etc) not to have deteriorated a bit; to be as (good, vigorous etc) as ever" -不渝,bù yú,constant; unchanging; abiding; faithful -不测,bù cè,unexpected; measureless; unexpected circumstance; contingency; mishap -不凑巧,bù còu qiǎo,unluckily -不准确,bù zhǔn què,imprecise -不温不火,bù wēn bù huǒ,"(of sales, TV show ratings etc) lukewarm; moderate; so-so; (of a person) calm; unruffled" -不溶,bù róng,insoluble -不满,bù mǎn,resentful; discontented; dissatisfied -不满意,bù mǎn yì,dissatisfied -不济,bù jì,(coll.) no good; of no use -不为人知,bù wéi rén zhī,not known to anyone; secret; unknown -不为左右袒,bù wèi zuǒ yòu tǎn,to remain neutral in a quarrel (idiom) -不为已甚,bù wéi yǐ shèn,refrain from going to extremes in meting out punishment; not be too hard on subject -不为所动,bù wéi suǒ dòng,to remain unmoved -不为过,bù wéi guò,not an exaggeration; not excessive; not wide of the mark -不为酒困,bù wéi jiǔ kùn,not a slave to the bottle; able to enjoy alcohol in moderation; able to hold one's drink -不无,bù wú,not without -不无小补,bù wú xiǎo bǔ,not be without some advantage; be of some help -不然,bù rán,not so; no; or else; otherwise; if not; How about ...? -不争,bù zhēng,widely known; incontestable; undeniable; to not strive for; to not contend for -不争气,bù zhēng qì,to be disappointing; to fail to live up to expectations -不爽,bù shuǎng,not well; out of sorts; in a bad mood; without discrepancy; accurate -不特,bù tè,not only -不独,bù dú,not only -不理,bù lǐ,to refuse to acknowledge; to pay no attention to; to take no notice of; to ignore -不理不睬,bù lǐ bù cǎi,to completely ignore (idiom); to pay no attention to; not to be in the least concerned about -不甘,bù gān,unreconciled to; not resigned to; unwilling -不甘人后,bù gān rén hòu,(idiom) not want to be outdone; not content to lag behind -不甘寂寞,bù gān jì mò,unwilling to remain lonely or idle; unwilling to be left out -不甘后人,bù gān hòu rén,(idiom) not want to be outdone; not content to lag behind -不甘心,bù gān xīn,not reconciled to; not resigned to -不甘于,bù gān yú,"unwilling to accept; not content with (a subservient role, a mediocre result etc)" -不甘示弱,bù gān shì ruò,not to be outdone -不用,bù yòng,need not -不用客气,bù yòng kè qi,you're welcome; don't mention it; no need to stand on ceremony -不用找,bù yòng zhǎo,"""keep the change"" (restaurant expression)" -不用说,bù yòng shuō,needless to say; it goes without saying -不用谢,bù yòng xiè,You're welcome; Don't mention it -不由,bù yóu,can't help (doing sth) -不由分说,bù yóu fēn shuō,to allow no explanation -不由得,bù yóu de,can't help; cannot but -不由自主,bù yóu zì zhǔ,can't help; involuntarily (idiom) -不畏,bù wèi,unafraid; to defy -不畏强暴,bù wèi qiáng bào,not to submit to force (idiom); to defy threats and violence -不畏强权,bù wèi qiáng quán,not to submit to force (idiom); to defy threats and violence -不当,bù dàng,unsuitable; improper; inappropriate -不当一回事,bù dàng yī huí shì,not regard as a matter (of any importance) -不当事,bù dāng shì,useless; regard as useless -不当家不知柴米贵,bù dāng jiā bù zhī chái mǐ guì,a person who doesn't manage a household would not be aware how expensive it is (idiom) -不当得利,bù dàng dé lì,unjust enrichment -不当紧,bù dāng jǐn,not important; of no consequence -不疾不徐,bù jí bù xú,neither too fast nor too slow (idiom) -不痛不痒,bù tòng bù yǎng,"lit. doesn't hurt, doesn't tickle (idiom); sth is wrong, but not quite sure what; fig. not getting to any matter of substance; scratching the surface; superficial; perfunctory" -不登大雅之堂,bù dēng dà yǎ zhī táng,lit. not fit for elegant hall (of artwork); not presentable; coarse; unrefined -不白之冤,bù bái zhī yuān,unrighted wrong; unredressed injustice -不尽,bù jìn,not completely; endlessly -不尽根,bù jìn gēn,surd (math.) -不尽然,bù jìn rán,not always; not entirely; not necessarily so; not entirely correct -不相上下,bù xiāng shàng xià,equally matched; about the same -不相容,bù xiāng róng,incompatible -不相容原理,bù xiāng róng yuán lǐ,(Pauli) exclusion principle (physics) -不相干,bù xiāng gān,to be irrelevant; to have nothing to do with -不相符,bù xiāng fú,not in harmony -不省人事,bù xǐng rén shì,to lose consciousness; unconscious; in a coma -不看僧面看佛面,bù kàn sēng miàn kàn fó miàn,lit. not for the monk's sake but for the Buddha's sake (idiom); fig. (to do sth for sb) out of deference to sb else -不眠不休,bù mián bù xiū,without stopping to sleep or have a rest (idiom) -不睦,bù mù,to not get along well; to be at odds -不瞅不睬,bù chǒu bù cǎi,to ignore completely; to pay no attention to sb -不知,bù zhī,"not to know; unaware; unknowingly; fig. not to admit (defeat, hardships, tiredness etc)" -不知丁董,bù zhī dīng dǒng,forgetting the fate of Ding and Dong (idiom); unheeding the lessons of the past -不知不觉,bù zhī bù jué,unconsciously; unwittingly -不知何故,bù zhī hé gù,somehow -不知凡几,bù zhī fán jǐ,one can't tell how many; numerous similar cases -不知利害,bù zhī lì hài,see 不知好歹[bu4 zhi1 hao3 dai3] -不知去向,bù zhī qù xiàng,whereabouts unknown; gone missing -不知天高地厚,bù zhī tiān gāo dì hòu,not to know the immensity of heaven and earth; an exaggerated opinion of one's own abilities -不知好歹,bù zhī hǎo dǎi,unable to differentiate good from bad (idiom); not to know what's good for one; unable to recognize others' good intentions -不知就里,bù zhī jiù lǐ,unaware of the inner workings; naive; unwitting -不知所之,bù zhī suǒ zhī,whereabouts unknown -不知所云,bù zhī suǒ yún,to not know what sb is driving at; to be unintelligible -不知所以,bù zhī suǒ yǐ,to not know the reason; to not know what to do -不知所措,bù zhī suǒ cuò,not knowing what to do (idiom); at one's wits' end; embarrassed and at a complete loss -不知所谓,bù zhī suǒ wèi,nonsense; nonsensical; incomprehensible; to make no sense -不知死活,bù zhī sǐ huó,to act recklessly (idiom) -不知疲倦,bù zhī pí juàn,untiring; not recognizing tiredness -不知痛痒,bù zhī tòng yǎng,numb; unfeeling; indifferent; inconsequential -不知羞耻,bù zhī xiū chǐ,to have no sense of shame; brazen -不知者不罪,bù zhī zhě bù zuì,"One who does not know is not guilty; If one does not know any better, one cannot be held responsible" -不知轻重,bù zhī qīng zhòng,lit. not knowing what's important (idiom); no appreciation of the gravity of things; naive; doesn't know who's who; no sense of priorities -不知进退,bù zhī jìn tuì,not knowing when to come or leave (idiom); with no sense of propriety -不破不立,bù pò bù lì,without destruction there can be no construction -不碎玻璃,bù suì bō li,shatterproof or safety glass -不确定性原理,bù què dìng xìng yuán lǐ,Heisenberg's uncertainty principle (1927) -不确实,bù què shí,untrue -不祥,bù xiáng,ominous; inauspicious -不祥之兆,bù xiáng zhī zhào,bad omen -不禁,bù jīn,can't help (doing sth); can't refrain from -不移,bù yí,steadfast; inalienable -不稂不莠,bù láng bù yǒu,useless; worthless; good-for-nothing -不稳,bù wěn,unstable; unsteady -不稳定,bù wěn dìng,unstable -不稳平衡,bù wěn píng héng,unstable equilibrium -不稳性,bù wěn xìng,instability -不空成就佛,bù kōng chéng jiù fó,Amoghasiddhi Buddha -不穷,bù qióng,endless; boundless; inexhaustible -不端,bù duān,improper; dishonorable -不符,bù fú,inconsistent; not in agreement with; not agree or tally with; not conform to -不第,bù dì,to fail the civil service examination (in imperial China) -不等,bù děng,unequal; varied -不等价交换,bù děng jià jiāo huàn,exchange of unequal values -不等式,bù děng shì,inequality (math.) -不等号,bù děng hào,"inequality sign (≠, < , ≤, >, ≥)" -不等边三角形,bù děng biān sān jiǎo xíng,scalene triangle -不答理,bù dā lǐ,to pay no heed to -不算,bù suàn,to not calculate; to not count; to not be considered (as); to have no weight -不管,bù guǎn,not to be concerned; regardless of; no matter -不管三七二十一,bù guǎn sān qī èr shí yī,regardless of the consequences; recklessly relying on a hopelessly optimistic forecast -不管不顾,bù guǎn bù gù,to pay scant regard to (sth); unheeding; reckless -不管怎样,bù guǎn zěn yàng,in any case; no matter what -不简单,bù jiǎn dān,not simple; rather complicated; remarkable; marvelous -不粘锅,bù zhān guō,non-stick pan -不约而同,bù yuē ér tóng,"(idiom) (of two or more people) to take the same action without prior consultation; (usu. used adverbially) all (or both) of them, independently; as if by prior agreement" -不终天年,bù zhōng tiān nián,to die before one's allotted lifespan has run its course (idiom) -不结盟,bù jié méng,nonalignment -不结盟运动,bù jié méng yùn dòng,Non-Aligned Movement (NAM) -不绝,bù jué,unending; uninterrupted -不绝如缕,bù jué rú lǚ,hanging by a thread; very precarious; almost extinct; (of sound) linger on faintly -不绝于耳,bù jué yú ěr,(of sound) to never stop; to fall incessantly on the ear; to linger on -不绝于途,bù jué yú tú,to come and go in an incessant stream -不给力,bù gěi lì,lame (unimpressive); a huge letdown; not to try at all -不经之谈,bù jīng zhī tán,absurd statement; cock-and-bull story -不经意,bù jīng yì,not paying attention; carelessly; by accident -不经意间,bù jīng yì jiān,without paying attention; without noticing; unconsciously; inadvertently -不紧不慢,bù jǐn bù màn,(idiom) to take one's time; unhurried; leisurely -不置可否,bù zhì kě fǒu,decline to comment; not express an opinion; be noncommittal; hedge -不羁,bù jī,unruly; uninhibited -不义,bù yì,injustice -不义之财,bù yì zhī cái,ill-gotten wealth or gains -不翼而飞,bù yì ér fēi,to disappear without trace; to vanish all of a sudden; to spread fast; to spread like wildfire -不耐受,bù nài shòu,"intolerance (for lactose, gluten or other foods)" -不耐烦,bù nài fán,impatient; to lose patience -不闻不问,bù wén bù wèn,"not to hear, not to question (idiom); to show no interest in sth; uncritical; not in the least concerned" -不声不响,bù shēng bù xiǎng,wordless and silent (idiom); without speaking; taciturn -不听命,bù tīng mìng,to disobey -不肖,bù xiào,(literary) unlike one's parents; degenerate; unworthy -不育,bù yù,to be infertile; to have no offspring -不育性,bù yù xìng,sterility -不育症,bù yù zhèng,sterility; barrenness -不能,bù néng,cannot; must not; should not -不能不,bù néng bù,have to; cannot but -不能自已,bù néng zì yǐ,unable to control oneself; to be beside oneself -不胫而走,bù jìng ér zǒu,to get round fast; to spread like wildfire -不自在,bù zì zai,uneasy; ill at ease -不自然,bù zì rán,unnatural; artificial -不自觉,bù zì jué,unaware; unconscious of sth -不自量,bù zì liàng,not take a proper measure of oneself; to overrate one's own abilities -不自量力,bù zì liàng lì,(idiom) to overestimate one's capabilities -不至于,bù zhì yú,unlikely to go so far as to; not as bad as -不致,bù zhì,not in such a way as to; not likely to -不兴,bù xīng,out of fashion; outmoded; impermissible; can't -不举,bù jǔ,erectile dysfunction; impotence -不舒服,bù shū fu,unwell; feeling ill; to feel uncomfortable; uneasy -不舒适,bù shū shì,uncomfortable -不良,bù liáng,bad; harmful; unhealthy -不良人,bù liáng rén,(Tang dynasty) official responsible for tracking down and arresting lawbreakers -不良倾向,bù liáng qīng xiàng,harmful trend -不苟,bù gǒu,not lax; not casual; careful; conscientious -不若,bù ruò,not as good as; not equal to; inferior -不菲,bù fěi,considerable (cost etc); bountiful (crop etc); high (social status etc) -不莱梅,bù lái méi,Bremen (city in Germany) -不落俗套,bù luò sú tào,to conform to no conventional pattern; unconventional; offbeat -不落痕迹,bù luò hén jì,to leave no trace; seamless; professional -不落窠臼,bù luò kē jiù,not follow the beaten track; have an original style -不着,bù zháo,no need; need not -不着痕迹,bù zhuó hén jì,to leave no trace; seamlessly; unobtrusively -不着边际,bù zhuó biān jì,not to the point; wide of the mark; neither here nor there; irrelevant -不着陆飞行,bù zhuó lù fēi xíng,nonstop flight -不蒸馒头争口气,bù zhēng mán tou zhēng kǒu qì,not to be crushed (idiom); to be determined to have one's revenge -不虚此行,bù xū cǐ xíng,(idiom) it's been a worthwhile trip -不虞,bù yú,unexpected; eventuality; contingency; not worry about -不虞匮乏,bù yú kuì fá,(idiom) to have ample supplies (or money etc) -不行,bù xíng,won't do; be out of the question; be no good; not work; not be capable -不行了,bù xíng le,(coll.) on the point of death; dying -不衰,bù shuāi,unfailing; never weakening; enduring; unstoppable -不要,bù yào,don't!; must not -不要在一棵树上吊死,bù yào zài yī kē shù shàng diào sǐ,don't insist on only taking one road to Rome (idiom); there's more than one way to skin a cat -不要紧,bù yào jǐn,"unimportant; not serious; it doesn't matter; never mind; it looks all right, but" -不要脸,bù yào liǎn,to have no sense of shame; shameless -不见,bù jiàn,not to see; not to meet; to have disappeared; to be missing -不见一点踪影,bù jiàn yī diǎn zōng yǐng,no trace to be seen -不见不散,bù jiàn bù sàn,"lit. Even if we don't see each other, don't give up and leave (idiom); fig. Be sure to wait!; See you there!" -不见了,bù jiàn le,to have disappeared; to be missing; nowhere to be found -不见兔子不撒鹰,bù jiàn tù zi bù sā yīng,you don't release the hawk until you've seen the hare (idiom); one doesn't act before one is sure to succeed -不见天日,bù jiàn tiān rì,"all black, no daylight (idiom); a world without justice" -不见得,bù jiàn de,not necessarily; not likely -不见棺材不落泪,bù jiàn guān cai bù luò lèi,lit. not to shed a tear until one sees the coffin (idiom); fig. refuse to be convinced until one is faced with grim reality -不见经传,bù jiàn jīng zhuàn,not found in the classics (idiom); unknown; unfounded; not authoritative -不规则,bù guī zé,irregular -不规则三角形,bù guī zé sān jiǎo xíng,scalene triangle (math.) -不规则四边形,bù guī zé sì biān xíng,irregular quadrilateral; trapezium -不规范,bù guī fàn,not standard; abnormal; irregular -不觉,bù jué,unconsciously -不解,bù jiě,to not understand; to be puzzled by; indissoluble -不解风情,bù jiě fēng qíng,unromantic; insensitive -不触目,bù chù mù,unobtrusive -不言不语,bù yán bù yǔ,to not say a word (idiom); to keep silent -不言而喻,bù yán ér yù,it goes without saying; it is self-evident -不言自明,bù yán zì míng,self-evident; needing no explanation (idiom) -不计,bù jì,to disregard; to take no account of -不计其数,bù jì qí shù,lit. their number cannot be counted (idiom); fig. countless; innumerable -不记名,bù jì míng,see 無記名|无记名[wu2 ji4 ming2] -不记名投票,bù jì míng tóu piào,secret ballot -不许,bù xǔ,not to allow; must not; can't -不该,bù gāi,should not; to owe nothing -不详,bù xiáng,not in detail; not quite clear -不语,bù yǔ,(literary) not to speak -不误,bù wù,"used in expressions of the form 照V不誤|照V不误[zhao4 xx5 bu4 wu4], in which V is a verb, 照[zhao4] means ""as before"", and the overall meaning is ""carry on (doing sth) regardless"" or ""continue (to do sth) in spite of changed circumstances"", e.g. 照買不誤|照买不误[zhao4 mai3 bu4 wu4], to keep on buying (a product) regardless (of price hikes)" -不说自明,bù shuō zì míng,goes without saying; obvious; self-evident -不调和,bù tiáo hé,discord -不请自来,bù qǐng zì lái,to turn up without being invited; unsolicited -不论,bù lùn,"whatever; no matter what (who, how etc); regardless of; not to discuss" -不讳,bù huì,without concealing anything; to pass away; to die -不谙世故,bù ān shì gù,unworldly; unsophisticated -不谋而合,bù móu ér hé,to agree without prior consultation; to happen to hold the same view -不谓,bù wèi,cannot be deemed; unexpectedly -不谢,bù xiè,don't mention it; not at all -不识一丁,bù shí yī dīng,total illiterate; unable to read the simplest characters -不识大体,bù shí dà tǐ,to fail to see the larger issue (idiom); to fail to grasp the big picture -不识好歹,bù shí hǎo dǎi,unable to tell good from bad (idiom); undiscriminating -不识字,bù shí zì,illiterate -不识庐山真面目,bù shí lú shān zhēn miàn mù,lit. not to know the true face of Lushan Mountain (idiom); fig. can't see the forest for the trees -不识抬举,bù shí tái jǔ,fail to appreciate sb's kindness; not know how to appreciate favors -不识时务,bù shí shí wù,to show no understanding of the times (idiom); cannot adapt to current circumstances; not amenable to reason -不识时变,bù shí shí biàn,to show no understanding of the times (idiom); cannot adapt to current circumstances; not amenable to reason -不识泰山,bù shí tài shān,can't recognize Mt Taishan (idiom); fig. not to recognize a famous person -不识高低,bù shí gāo dī,can't recognize tall or short (idiom); doesn't know what's what -不变,bù biàn,constant; unvarying; (math.) invariant -不变价格,bù biàn jià gé,fixed price; constant price -不变资本,bù biàn zī běn,constant capital -不变量,bù biàn liàng,invariant quantity; invariant (math.) -不让须眉,bù ràng xū méi,"(idiom) to compare favorably with men in terms of ability, bravery etc; to be a match for men; lit. not conceding to men (beard and eyebrows)" -不象话,bù xiàng huà,unreasonable; shocking; outrageous -不负,bù fù,to live up to -不负众望,bù fù zhòng wàng,to live up to expectations (idiom) -不赀,bù zī,immeasurable; incalculable -不费事,bù fèi shì,not troublesome -不费吹灰之力,bù fèi chuī huī zhī lì,as easy as blowing off dust; effortless; with ease -不赖,bù lài,(coll.) not bad; good; fine -不赞一词,bù zàn yī cí,to keep silent; to make no comment -不赞成,bù zàn chéng,disapproval; to disapprove -不起眼,bù qǐ yǎn,unremarkable; nothing out of the ordinary -不起眼儿,bù qǐ yǎn er,erhua variant of 不起眼[bu4 qi3 yan3] -不越雷池,bù yuè léi chí,not overstepping the prescribed limits; to remain within bounds -不足,bù zú,insufficient; lacking; deficiency; not enough; inadequate; not worth; cannot; should not -不足挂齿,bù zú guà chǐ,not worth mentioning (idiom) -不足月,bù zú yuè,"premature (birth, child)" -不足为外人道,bù zú wéi wài rén dào,no use to tell others; let's keep this between ourselves (idiom) -不足为奇,bù zú wéi qí,not at all surprising (idiom) -不足为怪,bù zú wéi guài,not at all surprising (idiom) -不足为虑,bù zú wéi lǜ,to give no cause for anxiety; nothing to worry about -不足为训,bù zú wéi xùn,not to be taken as an example; not an example to be followed; not to be taken as authoritative -不足为道,bù zú wéi dào,to be not worth mentioning -不足道,bù zú dào,inconsiderable; of no consequence; not worth mentioning -不足齿数,bù zú chǐ shù,not worth mentioning; not worth considering -不轨,bù guǐ,errant -不轻饶,bù qīng ráo,"not to forgive easily; not to let off; (You, He) won't get away with it!" -不辍,bù chuò,incessant; relentless -不辨菽麦,bù biàn shū mài,lit. cannot tell beans from wheat (idiom); fig. ignorant of practical matters -不辞劳苦,bù cí láo kǔ,to spare no effort -不辞而别,bù cí ér bié,to leave without saying good-bye -不辞辛苦,bù cí xīn kǔ,to make nothing of hardships -不近人情,bù jìn rén qíng,not amenable to reason; unreasonable -不迭,bù dié,cannot cope; find it too much; incessantly -不送,bù sòng,don't bother to see me out -不送气,bù sòng qì,unaspirated -不透明,bù tòu míng,opaque -不透气,bù tòu qì,airtight -不透水,bù tòu shuǐ,waterproof; watertight; impermeable -不通,bù tōng,to be obstructed; to be blocked up; to be impassable; to make no sense; to be illogical -不逞之徒,bù chěng zhī tú,desperado -不速,bù sù,uninvited (guest); unexpected (appearance); unwanted presence -不速之客,bù sù zhī kè,uninvited or unexpected guest -不速而至,bù sù ér zhì,to arrive without invitation; unexpected guest; unwanted presence -不连续,bù lián xù,discontinuous; discrete -不连续面,bù lián xù miàn,surface of discontinuity -不逮捕特权,bù dài bǔ tè quán,"the right of immunity from arrest afforded by the Taiwan ROC Constitution, for the duration of meetings, unless caught actually committing a crime, to members of the National Assembly, the Legislative Yuan, or a supervisory committee" -不遂,bù suì,to fail; to fail to materialize; not to get one's way -不过,bù guò,only; merely; no more than; but; however; anyway (to get back to a previous topic); cannot be more (after adjectival) -不过如此,bù guò rú cǐ,(idiom) nothing more than this; that's all; no big deal; not very impressive -不过意,bù guò yì,to be sorry; to feel apologetic -不过尔尔,bù guò ěr ěr,not more than so-so (idiom); mediocre; nothing out of the ordinary -不遑,bù huáng,to have no time to (do sth) -不遑多让,bù huáng duō ràng,lit. to have no time for civilities (idiom); fig. not to be outdone; not to yield to one's opponents -不道德,bù dào dé,immoral -不违农时,bù wéi nóng shí,not miss the farming season; do farm work in the right season -不逊,bù xùn,rude; impertinent -不远千里,bù yuǎn qiān lǐ,make light of traveling a thousand li; go to the trouble of traveling a long distance -不适,bù shì,unwell; indisposed; out of sorts -不适当,bù shì dàng,inadequate; unfit -不遗余力,bù yí yú lì,to spare no pains or effort (idiom); to do one's utmost -不避斧钺,bù bì fǔ yuè,not trying to avoid the battle-ax (idiom); not afraid of dying in combat; not afraid of being executed -不避艰险,bù bì jiān xiǎn,shrink or flinch from no difficulty or danger; make light of difficulties and dangers -不醉不归,bù zuì bù guī,lit. to not go home until drunk (idiom); fig. let's make a night of it! -不锈钢,bù xiù gāng,stainless steel -不错,bù cuò,correct; right; not bad; pretty good -不锈钢,bù xiù gāng,stainless steel -不锈铁,bù xiù tiě,stainless iron -不长眼睛,bù zhǎng yǎn jing,see 沒長眼睛|没长眼睛[mei2 zhang3 yan3 jing5] -不长进,bù zhǎng jìn,not improving; backward; below par -不开窍,bù kāi qiào,unable to understand; can't get the point -不关痛痒,bù guān tòng yǎng,unimportant; of no consequence -不随大流,bù suí dà liú,not following the crowd; to go against the tide -不随意,bù suí yì,unconscious; involuntary -不随意肌,bù suí yì jī,involuntary muscle -不雅,bù yǎ,graceless; vulgar; indecent -不雅观,bù yǎ guān,offensive to the eye; unbecoming; unsightly; ungainly -不离不弃,bù lí bù qì,to stand by (sb) (idiom); steadfast loyalty -不离儿,bù lí er,not bad; pretty good; pretty close -不露声色,bù lù shēng sè,not show one's feeling or intentions -不灵,bù líng,not work; be ineffective -不韪,bù wěi,fault; error -不顺,bù shùn,unfavorable; adverse -不题,bù tí,we will not elaborate on that (used as pluralis auctoris) -不愿,bù yuàn,unwilling -不顾,bù gù,in spite of; regardless of -不顾一切,bù gù yī qiè,(idiom) to disregard all negative considerations; to cast aside all concerns -不顾前后,bù gù qián hòu,regardless of what's before or after (idiom); rushing blindly into sth -不顾大局,bù gù dà jú,to give no consideration to the bigger picture (usually implying selfishness) -不显山不露水,bù xiǎn shān bù lù shuǐ,lit. to not show the mountain and to not reveal the water (idiom); fig. to hide the key facts -不食人间烟火,bù shí rén jiān yān huǒ,lit. not eating the food of common mortals; fig. placing oneself above the common populace -不饱和,bù bǎo hé,unsaturated -不饱和脂肪酸,bù bǎo hé zhī fáng suān,unsaturated fatty acid -不首先使用,bù shǒu xiān shǐ yòng,no first use (policy for nuclear weapons); NFU -不香吗,bù xiāng ma,"(slang) would be better (abbr. for 這錢買排骨它不香嗎|这钱买排骨它不香吗[zhe4 qian2 mai3 pai2 gu3 ta1 bu4 xiang1 ma5] for that money, a pork cutlet would be more appetizing, would it not?)" -不体面,bù tǐ miàn,to not appear to be decent or respectful; shameful -不齿,bù chǐ,to despise; to hold in contempt -丏,miǎn,hidden from view; barrier to ward off arrows -丐,gài,to beg for alms; beggar -丐帮,gài bāng,beggars' union; a group of beggars -丑,chǒu,surname Chou -丑,chǒu,"clown; 2nd earthly branch: 1-3 a.m., 12th solar month (6th January to 3rd February), year of the Ox; ancient Chinese compass point: 30°" -丑时,chǒu shí,1-3 am (in the system of two-hour subdivisions used in former times) -丑牛,chǒu niú,"Year 2, year of the Bull or Ox (e.g. 2009)" -丑角,chǒu jué,clown role in opera; clown; buffoon -丑鸭,chǒu yā,(bird species of China) harlequin duck (Histrionicus histrionicus) -且,qiě,and; moreover; yet; for the time being; to be about to; both (... and...) -且不说,qiě bù shuō,not to mention; leaving aside -且休,qiě xiū,rest for now; stop (usually imperative form) -且慢,qiě màn,to wait a moment; do not go too soon -且末,qiě mò,"Cherchen nahiyisi or Qiemo county in Bayingolin Mongol Autonomous Prefecture, Xinjiang 巴音郭楞蒙古自治州[Ba1 yin1 guo1 leng2 Meng3 gu3 Zi4 zhi4 zhou1], Xinjiang" -且末县,qiě mò xiàn,"Cherchen nahiyisi or Qiemo county in Bayingolin Mongol Autonomous Prefecture, Xinjiang 巴音郭楞蒙古自治州[Ba1 yin1 guo1 leng2 Meng3 gu3 Zi4 zhi4 zhou1], Xinjiang" -且末遗址,qiě mò yí zhǐ,"ruins of Cherchen, Qarqan or Chiemo, archaeological site in Bayingolin Mongol Autonomous Prefecture 巴音郭楞蒙古自治州, Xinjiang" -且听下回分解,qiě tīng xià huí fēn jiě,to listen to the next chapter for an explanation -且说,qiě shuō,thus -丕,pī,grand -丕变,pī biàn,radical change -世,shì,surname Shi -世,shì,life; age; generation; era; world; lifetime; epoch; descendant; noble -世上,shì shàng,on earth -世世,shì shì,from age to age -世世代代,shì shì dài dài,for many generations -世事,shì shì,affairs of life; things of the world -世交,shì jiāo,(long time) friend of the family -世人,shì rén,people (in general); people around the world; everyone -世仇,shì chóu,feud -世代,shì dài,for many generations; generation; era; age -世代交替,shì dài jiāo tì,alternation of generations -世代相传,shì dài xiāng chuán,passed on from generation to generation (idiom); to hand down -世伯,shì bó,uncle (affectionate name for a friend older than one's father); old friend -世俗,shì sú,profane; secular; worldly -世务,shì wù,worldly affairs -世博,shì bó,"abbr. for 世界博覽會|世界博览会[Shi4 jie4 Bo2 lan3 hui4], World Expo" -世博会,shì bó huì,World Expo (abbr. for 世界博覽會|世界博览会[Shi4 jie4 Bo2 lan3 hui4]) -世外桃源,shì wài táo yuán,see 桃花源[tao2 hua1 yuan2] -世外桃花源,shì wài táo huā yuán,see 桃花源[tao2 hua1 yuan2] -世子,shì zǐ,crown prince; heir of a noble house -世宗,shì zōng,"Sejong the Great or Sejong Daewang (1397-1450), reigned 1418-1450 as fourth king of Joseon or Chosun dynasty, in whose reign the hangeul alphabet was invented" -世宗大王,shì zōng dà wáng,"Sejong the Great or Sejong Daewang (1397-1450), reigned 1418-1450 as fourth king of Joseon or Chosun dynasty, in whose reign the hangeul alphabet was invented" -世家,shì jiā,family influential for generations; aristocratic family -世尊,shì zūn,World Honored One; Revered One of the World (Buddha) -世局,shì jú,the world situation; the state of the world -世情,shì qíng,worldly affairs; the ways of the world -世态,shì tài,the ways of the world; social behavior -世态炎凉,shì tài yán liáng,the hypocrisy of the world (idiom) -世故,shì gù,the ways of the world -世故,shì gu,sophisticated; worldly-wise -世母,shì mǔ,wife of father's elder brother (old) -世涛,shì tāo,stout (beer) (loanword) -世爵,shì jué,Spyker -世界,shì jiè,world (CL:個|个[ge4]) -世界人权宣言,shì jiè rén quán xuān yán,Universal Declaration of Human Rights -世界博览会,shì jiè bó lǎn huì,World Expo; abbr. to 世博[Shi4 bo2] -世界各地,shì jiè gè dì,all over the world; everywhere; in all parts of the world -世界和平,shì jiè hé píng,world peace -世界地图,shì jiè dì tú,world map -世界报,shì jiè bào,"the name of various newspapers, notably Le Monde (France), El Mundo (Spain) and Die Welt (Germany)" -世界大战,shì jiè dà zhàn,world war -世界小姐选美,shì jiè xiǎo jie xuǎn měi,Miss World Beauty Pageant -世界屋脊,shì jiè wū jǐ,the roof of the world (usually refers to Tibet or Qinghai-Tibetan Plateau 青藏高原[Qing1 Zang4 gao1 yuan2]) -世界强国,shì jiè qiáng guó,world power -世界文化遗产,shì jiè wén huà yí chǎn,(UNESCO) World Cultural Heritage -世界文化遗产地,shì jiè wén huà yí chǎn dì,World Heritage site -世界旅游组织,shì jiè lǚ yóu zǔ zhī,World Tourism Organization (UNWTO) -世界日报,shì jiè rì bào,"World Journal, US newspaper" -世界末日,shì jiè mò rì,end of the world -世界杯,shì jiè bēi,World Cup -世界气象组织,shì jiè qì xiàng zǔ zhī,World Meteorological Organization (WMO) -世界海关组织,shì jiè hǎi guān zǔ zhī,World Customs Organization -世界知名,shì jiè zhī míng,world famous -世界知识产权组织,shì jiè zhī shí chǎn quán zǔ zhī,World Intellectual Property Organization -世界第一,shì jiè dì yī,ranked number one in the world; the world's first -世界粮食署,shì jiè liáng shi shǔ,World food program (United Nations aid agency) -世界纪录,shì jiè jì lù,world record -世界级,shì jiè jí,world-class -世界经济,shì jiè jīng jì,global economy; world economy -世界经济论坛,shì jiè jīng jì lùn tán,World Economic Forum -世界维吾尔代表大会,shì jiè wéi wú ěr dài biǎo dà huì,World Uighur Congress -世界闻名,shì jiè wén míng,world famous -世界自然基金会,shì jiè zì rán jī jīn huì,World Wildlife Fund WWF -世界卫生大会,shì jiè wèi shēng dà huì,World Health Assembly -世界卫生组织,shì jiè wèi shēng zǔ zhī,World Health Organization (WHO) -世界观,shì jiè guān,worldview; world outlook; Weltanschauung -世界语,shì jiè yǔ,Esperanto -世界变暖,shì jiè biàn nuǎn,global warming -世界贸易,shì jiè mào yì,world trade; global trade -世界贸易中心,shì jiè mào yì zhōng xīn,World Trade Center -世界贸易组织,shì jiè mào yì zǔ zhī,World Trade Organization (WTO) -世界运动会,shì jiè yùn dòng huì,World Games -世界野生生物基金会,shì jiè yě shēng shēng wù jī jīn huì,World Wildlife Fund (WWF) -世界金融中心,shì jiè jīn róng zhōng xīn,World Financial Center (New York City) -世界银行,shì jiè yín háng,World Bank -世相,shì xiàng,the ways of the world -世禄,shì lù,hereditary benefits such as rank and wealth -世禄之家,shì lù zhī jiā,family with hereditary emoluments -世系,shì xì,lineage; genealogy; family tree -世纪,shì jì,century; CL:個|个[ge4] -世纪末,shì jì mò,end of the century -世纪末年,shì jì mò nián,final years of the century -世维会,shì wéi huì,World Uighur Congress (abbr. for 世界維吾爾代表大會|世界维吾尔代表大会[Shi4 jie4 Wei2 wu2 er3 Dai4 biao3 Da4 hui4]) -世职,shì zhí,hereditary office -世胄,shì zhòu,hereditary house; noble or official family -世行,shì háng,World Bank (abbr. for 世界銀行|世界银行[Shi4jie4 Yin2hang2]) -世卫,shì wèi,World Health Organization (WHO) (abbr. for 世界衛生組織|世界卫生组织[Shi4 jie4 Wei4 sheng1 Zu3 zhi1]) -世卫组织,shì wèi zǔ zhī,World Health Organization (WHO) (abbr. for 世界衛生組織|世界卫生组织[Shi4 jie4 Wei4 sheng1 Zu3 zhi1]) -世袭,shì xí,succession; inheritance; hereditary -世袭之争,shì xí zhī zhēng,succession struggle; dispute over inheritance -世袭君主国,shì xí jūn zhǔ guó,hereditary monarchy -世说新语,shì shuō xīn yǔ,"A New Account of the Tales of the World, collection of anecdotes, conversations, remarks etc of historic personalities, compiled and edited by Liu Yiqing 劉義慶|刘义庆[Liu2 Yi4 qing4]" -世贸,shì mào,World Trade Organization (WTO); abbr. for 世界貿易組織|世界贸易组织 -世贸中心大楼,shì mào zhōng xīn dà lóu,World Trade Center (the twin towers destroyed by the 9-11 terrorists) -世贸大厦,shì mào dà shà,World Trade Center -世贸组织,shì mào zǔ zhī,WTO (World Trade Organization) -世足,shì zú,World Cup (soccer) (Tw) -世运,shì yùn,World Games; abbr. for 世界運動會|世界运动会[Shi4 jie4 Yun4 dong4 hui4] -世道,shì dào,the ways of the world; the morals of the time -世银,shì yín,World Bank (abbr. for 世界銀行|世界银行[Shi4jie4 Yin2hang2]) -世锦赛,shì jǐn sài,world championship -世间,shì jiān,world; earth -世面,shì miàn,the wider world; diverse aspects of society -世风,shì fēng,public morals -世风日下,shì fēng rì xià,public morals are degenerating with each passing day (idiom) -丘,qiū,surname Qiu -丘,qiū,mound; hillock; grave; classifier for fields -丘八,qiū bā,soldier (from the two components of the 兵 character) (derog.) -丘北,qiū běi,"Qiubei county in Wenshan Zhuang and Miao autonomous prefecture 文山壯族苗族自治州|文山壮族苗族自治州[Wen2 shan1 Zhuang4 zu2 Miao2 zu2 zi4 zhi4 zhou1], Yunnan" -丘北县,qiū běi xiàn,"Qiubei county in Wenshan Zhuang and Miao autonomous prefecture 文山壯族苗族自治州|文山壮族苗族自治州[Wen2 shan1 Zhuang4 zu2 Miao2 zu2 zi4 zhi4 zhou1], Yunnan" -丘吉尔,qiū jí ěr,variant of 邱吉爾|邱吉尔[Qiu1 ji2 er3] -丘壑,qiū hè,"hills and valleys; remote, secluded area" -丘成桐,qiū chéng tóng,"Shing-Tung Yau (1949-), Chinese-American mathematician, Fields medalist in 1982" -丘比特,qiū bǐ tè,"Cupid, son of Venus and Mars, Roman god of love and beauty" -丘尔金,qiū ěr jīn,"Churkin (name); Vitaly I. Churkin (1952-), Russian diplomat, Ambassador to UN from 2006" -丘疹,qiū zhěn,pimple -丘县,qiū xiàn,Qiu county in Hebei -丘脑,qiū nǎo,thalamus -丘脑损伤,qiū nǎo sǔn shāng,thalamic lesions -丘逢甲,qiū féng jiǎ,"Qiu Fengjia or Ch'iu Feng-chia (1864-1912), Taiwanese Hakkanese poet" -丘陵,qiū líng,hills -丘鹬,qiū yù,(bird species of China) Eurasian woodcock (Scolopax rusticola) -丙,bǐng,"third of the ten Heavenly Stems 十天干[shi2 tian1 gan1]; third in order; letter ""C"" or Roman ""III"" in list ""A, B, C"", or ""I, II, III"" etc; ancient Chinese compass point: 165°; propyl" -丙三醇,bǐng sān chún,glycerine; same as 甘油 -丙二醇,bǐng èr chún,"propylene glycol; propane-1,2-diol C3H6(OH)2" -丙午,bǐng wǔ,"forty-third year C7 of the 60 year cycle, e.g. 1966 or 2026" -丙型,bǐng xíng,type C; type III; gamma- -丙型肝炎,bǐng xíng gān yán,hepatitis C -丙基,bǐng jī,propyl group (chemistry) -丙子,bǐng zǐ,"thirteenth year C1 of the 60 year cycle, e.g. 1996 or 2056" -丙子战争,bǐng zǐ zhàn zhēng,second Manchu invasion of Korea (1636) -丙子胡乱,bǐng zǐ hú luàn,second Manchu invasion of Korea (1636) -丙寅,bǐng yín,"third year C3 of the 60 year cycle, e.g. 1986 or 2046" -丙戌,bǐng xū,"twenty-third year C11 of the 60 year cycle, e.g. 2006 or 2066" -丙氨酸,bǐng ān suān,"alanine (Ala), an amino acid" -丙烯,bǐng xī,propylene C3H6 -丙烯腈,bǐng xī jīng,acrylo-nitrile -丙烯酸,bǐng xī suān,acrylic acid C3H4O2 -丙烯酸酯,bǐng xī suān zhǐ,acrylic ester -丙烯醛,bǐng xī quán,acrolein CH2CHCHO -丙烷,bǐng wán,propane -丙环唑,bǐng huán zuò,propiconazole (antifungal agent) -丙申,bǐng shēn,"thirty-third year C9 of the 60 year cycle, e.g. 1956 or 2016" -丙种射线,bǐng zhǒng shè xiàn,gamma ray -丙等,bǐng děng,third rank; third category; third grade; grade C -丙糖,bǐng táng,"triose (CH2O)3, monosaccharide with three carbon atoms, such as glyceraldehyde 甘油醛[gan1 you2 quan2]" -丙纶,bǐng lún,polypropylene fiber -丙辰,bǐng chén,"fifty-third year C5 of the 60 year cycle, e.g. 1976 or 2036" -丙酮,bǐng tóng,acetone CH3COCH -丙酮酸,bǐng tóng suān,pyruvic acid CH3COCOOH -丙酮酸脱氢酶,bǐng tóng suān tuō qīng méi,pyruvate dehydrogenase -丙酸氟替卡松,bǐng suān fú tì kǎ sōng,fluticasone propionate -丙醇,bǐng chún,propanol; propyl alcohol C3H7OH -丙醚,bǐng mí,n-propyl ether -丙醛,bǐng quán,propionaldehyde; propanal CH3CH2CHO -丞,chéng,deputy -丞相,chéng xiàng,the most senior minister of many kingdoms or dynasties (with varying roles); prime minister -丢,diū,to lose; to put aside; to throw -丢三落四,diū sān là sì,forgetful; empty-headed -丢下,diū xià,to abandon -丢丑,diū chǒu,to lose face -丢人,diū rén,to lose face -丢人现眼,diū rén xiàn yǎn,to make an exhibition of oneself; to be a disgrace -丢到家,diū dào jiā,to lose (face) utterly -丢包,diū bāo,(computing) packet loss; to lose a packet -丢命,diū mìng,to die -丢失,diū shī,to lose; to misplace -丢官,diū guān,(of an official) to lose one's job -丢手,diū shǒu,to wash one's hands of sth; to have nothing further to do with sth -丢掉,diū diào,to lose; to throw away; to discard; to cast away -丢弃,diū qì,to discard; to abandon -丢乌纱帽,diū wū shā mào,lit. to lose one's black hat; to be sacked from an official post -丢眉丢眼,diū méi diū yǎn,to wink at sb -丢眉弄色,diū méi nòng sè,to wink at sb -丢脸,diū liǎn,to lose face; humiliation -丢轮扯炮,diū lún chě pào,(idiom) flustered; confused -丢开,diū kāi,to cast or put aside; to forget for a while -丢面子,diū miàn zi,to lose face -丢饭碗,diū fàn wǎn,to lose one's job -丢魂,diū hún,to be distracted -丢魂落魄,diū hún luò pò,see 失魂落魄[shi1 hun2 luo4 po4] -并,bìng,and; furthermore; also; together with; (not) at all; simultaneously; to combine; to join; to merge -并不,bìng bù,not at all; by no means -并不在乎,bìng bù zài hu,really does not care -并且,bìng qiě,and; besides; moreover; furthermore; in addition -并入,bìng rù,to merge into; to incorporate in -并列,bìng liè,to stand side by side; to be juxtaposed -并口,bìng kǒu,parallel port (computing) -并坐,bìng zuò,to sit together -并存,bìng cún,to exist at the same time; to coexist -并排,bìng pái,side by side; abreast -并条,bìng tiáo,drawing (textile industry) -并激,bìng jī,parallel excitation; shunt excitation; shunt-wound (e.g. electric generator) -并发,bìng fā,to happen simultaneously -并发计算,bìng fā jì suàn,concurrent computing -并称,bìng chēng,joint name; combined name -并立,bìng lì,to exist side by side; to exist simultaneously -并系群,bìng xì qún,paraphyletic group -并联,bìng lián,parallel connection -并肩,bìng jiān,alongside; shoulder to shoulder; side by side; abreast -并臻,bìng zhēn,to arrive simultaneously -并举,bìng jǔ,to develop simultaneously; to undertake concurrently -并蒂莲,bìng dì lián,lit. twin lotus flowers on one stalk; fig. a devoted married couple -并处,bìng chǔ,to impose an additional penalty -并行,bìng xíng,"to proceed in parallel; side by side (of two processes, developments, thoughts etc)" -并行不悖,bìng xíng bù bèi,to run in parallel without hindrance; not mutually exclusive; two processes can be implemented without conflict -并行口,bìng xíng kǒu,parallel port (computing) -并行程序,bìng xíng chéng xù,parallel program -并行计算,bìng xíng jì suàn,parallel computing; (Tw) concurrent computing -并进,bìng jìn,to advance together -并重,bìng zhòng,to lay equal stress on; to pay equal attention to -并非,bìng fēi,really isn't -并驾齐驱,bìng jià qí qū,to run neck and neck; to keep pace with; to keep abreast of; on a par with one another -丨,gǔn,radical in Chinese characters (Kangxi radical 2) -丨,shù,"vertical stroke (in Chinese characters), referred to as 豎筆|竖笔[shu4 bi3]" -丩,jiū,archaic variant of 糾|纠[jiu1] -丫,yā,fork; branch; bifurcation; girl -丫子,yā zi,see 腳丫子|脚丫子[jiao3 ya1 zi5] -丫巴儿,yā bā er,"fork (of a tree, road, argument etc); bifurcation; fork junction" -丫挺,yā tǐng,(Beijing dialect) bastard; damned -丫杈,yā chà,fork (of a tree); tool made of forked wood -丫环,yā huan,servant girl; maid -丫角,yā jiǎo,"traditional hairstyle for children, with two pointy braids, giving it a horn-like appearance" -丫头,yā tou,"girl; servant girl; (used deprecatingly, but sometimes also as a term of endearment)" -丫头片子,yā tou piàn zi,(coll.) silly girl; little girl -丫髻,yā jì,bun (of hair); topknot -丫鬟,yā huan,servant girl; maid -中,zhōng,(bound form) China; Chinese; surname Zhong -中,zhōng,within; among; in; middle; center; while (doing sth); during; (dialect) OK; all right -中,zhòng,"to hit (the mark); to be hit by; to suffer; to win (a prize, a lottery)" -中世纪,zhōng shì jì,medieval; Middle Ages -中中,zhōng zhōng,"middling; average; impartial; (Hong Kong) secondary school that uses Chinese as the medium of instruction (""CMI school"")" -中二病,zhōng èr bìng,"(neologism) strange behavior characteristic of a teenager going through puberty (loanword from Japanese ""chūnibyō"")" -中亚,zhōng yà,Central Asia -中亚夜鹰,zhōng yà yè yīng,(bird species of China) Vaurie's nightjar (Caprimulgus centralasicus) -中亚细亚,zhōng yà xì yà,Central Asia -中亚草原,zhōng yà cǎo yuán,Central Asian grasslands -中亚鸽,zhōng yà gē,(bird species of China) yellow-eyed pigeon (Columba eversmanni) -中人,zhōng rén,go-between; mediator; intermediary -中介,zhōng jiè,to act as intermediary; to link; intermediate; inter-; agency; agent -中介所,zhōng jiè suǒ,agency -中介资料,zhōng jiè zī liào,metadata -中企业,zhōng qǐ yè,medium sized enterprise -中伏,zhōng fú,"the second of the three annual periods of hot weather (三伏[san1 fu2]), which begins in late July and lasts either 10 or 20 days, depending on the Chinese calendar in that year" -中伏,zhòng fú,to be ambushed -中位数,zhōng wèi shù,median -中低端,zhōng dī duān,mid-to-low-range -中俄,zhōng é,China-Russia -中俄伊犁条约,zhōng é yī lí tiáo yuē,"Treaty of Saint Petersburg of 1881, whereby Russia handed back Yili province to Qing China in exchange for compensation payment and unequal treaty rights" -中俄北京条约,zhōng é běi jīng tiáo yuē,the Treaty of Beijing of 1860 between Qing China and Tsarist Russia -中俄尼布楚条约,zhōng é ní bù chǔ tiáo yuē,Treaty of Nerchinsk (1698) between Qing China and Russia -中俄改订条约,zhōng é gǎi dìng tiáo yuē,"Treaty of Saint Petersburg of 1881, whereby Russia handed back Yili province to Qing China in exchange for compensation payment and unequal treaty rights" -中俄边界协议,zhōng é biān jiè xié yì,Sino-Russian Border Agreement of 1991 -中俄关系,zhōng é guān xì,Sino-Russian relations -中保,zhōng bǎo,middleman and guarantor -中信银行,zhōng xìn yín háng,China CITIC Bank -中值定理,zhōng zhí dìng lǐ,mean value theorem (in calculus) -中伤,zhòng shāng,to slander; to defame; to get hit (by a bullet); to be wounded -中元,zhōng yuán,Ghost Festival on 15th day of 7th lunar month when offerings are made to the deceased -中元普渡,zhōng yuán pǔ dù,Ghosts' festival on 15th day of 7th moon -中元节,zhōng yuán jié,Ghost Festival on 15th day of 7th lunar month when offerings are made to the deceased -中共,zhōng gòng,"abbr. for 中國共產黨|中国共产党[Zhong1 guo2 Gong4 chan3 dang3], Chinese Communist Party" -中共中央,zhōng gòng zhōng yāng,"Central Committee of the Communist Party of China, abbr. for 中國共產黨中央委員會|中国共产党中央委员会[Zhong1 guo2 Gong4 chan3 dang3 Zhong1 yang1 Wei3 yuan2 hui4]" -中共中央宣传部,zhōng gòng zhōng yāng xuān chuán bù,Propaganda Department of the Central Committee of the Communist Party of China -中共中央纪委监察部,zhōng gòng zhōng yāng jì wěi jiān chá bù,party discipline committee -中共中央组织部,zhōng gòng zhōng yāng zǔ zhī bù,"Organization Department of the Communist Party of China Central Committee, which oversees appointments of Party members to official positions throughout China; abbr. to 中組部|中组部[Zhong1 zu3 bu4]" -中共中央办公厅,zhōng gòng zhōng yāng bàn gōng tīng,"General Office of the Central Committee of the CCP, responsible for technical and logistical matters relating to the Central Committee; abbr. to 中辦|中办[Zhong1 Ban4]" -中共九大,zhōng gòng jiǔ dà,Chinese Communist Party 9th congress in 1969 -中分,zhōng fēn,to part one's hair in the middle -中前卫,zhōng qián wèi,center forward (soccer position) -中北大学,zhōng běi dà xué,North University of China (Shanxi) -中北部,zhōng běi bù,north central area -中区,zhōng qū,central district (of a city); central zone -中午,zhōng wǔ,noon; midday; CL:個|个[ge4] -中南,zhōng nán,"South Central China (Henan, Hubei, Hunan, Guangdong, Guangxi, Hainan); abbr. for China-South Africa" -中南半岛,zhōng nán bàn dǎo,Indochina -中南海,zhōng nán hǎi,"Zhongnanhai, palace adjacent to the Forbidden City, now the central headquarters of the Communist Party and the State Council" -中南部,zhōng nán bù,south central region -中印,zhōng yìn,China-India -中印半岛,zhōng yìn bàn dǎo,Indochina -中卷,zhōng juǎn,"adult squid, typically more than 15 cm long with a slender body and fins in the shape of a big rhombus (Tw)" -中原,zhōng yuán,"Central Plain, the middle and lower regions of the Yellow river, including Henan, western Shandong, southern Shanxi and Hebei" -中原区,zhōng yuán qū,"Zhongyuan District of Zhengzhou City 鄭州市|郑州市[Zheng4 zhou1 Shi4], Henan" -中原大学,zhōng yuán dà xué,"Chung Yuan Christian University, in Taiwan" -中古,zhōng gǔ,Sino-Cuban; China-Cuba -中古,zhōng gǔ,"medieval; Middle Ages; Chinese middle antiquity, 3rd to 9th centuries, including Sui and Tang Dynasties; Middle (of a language, e.g. Middle English); used; second-hand" -中古汉语,zhōng gǔ hàn yǔ,Middle Chinese (linguistics) -中向性格,zhōng xiàng xìng gé,ambiversion; ambiverted -中和,zhōng hé,"Zhonghe or Chungho city in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -中和,zhōng hé,to neutralize; to counteract; neutralization (chemistry) -中和剂,zhōng hé jì,neutralizing agent; neutralizer -中和市,zhōng hé shì,"Zhonghe or Chungho city in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -中和抗体,zhōng hé kàng tǐ,neutralizing antibody -中圈套,zhòng quān tào,to fall in a trap -中国,zhōng guó,China -中国中央电视台,zhōng guó zhōng yāng diàn shì tái,"China Central Television (CCTV), PRC state TV network" -中国中心主义,zhōng guó zhōng xīn zhǔ yì,Sinocentrism -中国交通建设,zhōng guó jiāo tōng jiàn shè,China Communications Construction Company -中国交通运输协会,zhōng guó jiāo tōng yùn shū xié huì,China Communications and Transportation Association (CCTA) -中国人,zhōng guó rén,Chinese person -中国人大,zhōng guó rén dà,China National People's Congress -中国人权民运信息中心,zhōng guó rén quán mín yùn xìn xī zhōng xīn,"Information Center for Human Rights and Democracy, Hong Kong" -中国人权组织,zhōng guó rén quán zǔ zhī,Human Rights in China (New York-based expatriate PRC organization) -中国人民大学,zhōng guó rén mín dà xué,Renmin University of China -中国人民对外友好协会,zhōng guó rén mín duì wài yǒu hǎo xié huì,Chinese People's Association for Friendship with Foreign Countries (CPAFFC) -中国人民志愿军,zhōng guó rén mín zhì yuàn jūn,the Chinese People's Volunteer Army deployed by China to aid North Korea in 1950 -中国人民政治协商会议,zhōng guó rén mín zhèng zhì xié shāng huì yì,CPPCC (Chinese People's Political Consultative Conference) -中国人民武装警察部队,zhōng guó rén mín wǔ zhuāng jǐng chá bù duì,"Chinese People's Armed Police Force (PAP, aka CAPF)" -中国人民解放军,zhōng guó rén mín jiě fàng jūn,Chinese People's Liberation Army (PLA) -中国人民解放军海军,zhōng guó rén mín jiě fàng jūn hǎi jūn,Chinese People's Liberation Army Navy (PLAN) -中国人民解放军空军,zhōng guó rén mín jiě fàng jūn kōng jūn,People's Liberation Army Air Force (PLAAF) -中国人民银行,zhōng guó rén mín yín háng,People's Bank of China -中国伊斯兰教协会,zhōng guó yī sī lán jiào xié huì,Chinese Patriotic Islamic Association -中国作协,zhōng guó zuò xié,China Writers Association (CWA) (abbr. for 中國作家協會|中国作家协会[Zhong1 guo2 Zuo4 jia1 Xie2 hui4]) -中国作家协会,zhōng guó zuò jiā xié huì,China Writers Association (CWA) -中国保险监督管理委员会,zhōng guó bǎo xiǎn jiān dū guǎn lǐ wěi yuán huì,China Insurance Regulatory Commission (CIRC) -中国传媒大学,zhōng guó chuán méi dà xué,"Communication University of China (CUC), the highest institute of radio, film and television education in China" -中国光大银行,zhōng guó guāng dà yín háng,China Everbright Bank -中国共产主义青年团,zhōng guó gòng chǎn zhǔ yì qīng nián tuán,Communist Youth League of China; China Youth League -中国共产党,zhōng guó gòng chǎn dǎng,Communist Party of China -中国共产党中央委员会,zhōng guó gòng chǎn dǎng zhōng yāng wěi yuán huì,"Central Committee of the Communist Party of China, abbr. to 中共中央[Zhong1 Gong4 Zhong1 yang1]" -中国共产党中央委员会宣传部,zhōng guó gòng chǎn dǎng zhōng yāng wěi yuán huì xuān chuán bù,Propaganda Department of the Communist Party of China -中国剩余定理,zhōng guó shèng yú dìng lǐ,Chinese remainder theorem (math.) -中国化,zhōng guó huà,to sinicize; to take on Chinese characteristics -中国北方工业公司,zhōng guó běi fāng gōng yè gōng sī,China North Industries Corporation (Norinco) -中国同盟会,zhōng guó tóng méng huì,"Tongmenghui, Sun Yat-sen's alliance for democracy, founded 1905, became the Guomindang 國民黨|国民党 in 1912" -中国商用飞机,zhōng guó shāng yòng fēi jī,COMAC (Chinese aeronautics company) -中国商飞,zhōng guó shāng fēi,"COMAC, Chinese aeronautics company (abbr. for 中國商用飛機|中国商用飞机[Zhong1 guo2 Shang1 yong4 Fei1 ji1])" -中国国家博物馆,zhōng guó guó jiā bó wù guǎn,National Museum of China -中国国家原子能机构,zhōng guó guó jiā yuán zǐ néng jī gòu,China Atomic Energy Agency (CAEA) -中国国家环保局,zhōng guó guó jiā huán bǎo jú,PRC State Environmental Protection Administration (SEPA) -中国国家环境保护总局,zhōng guó guó jiā huán jìng bǎo hù zǒng jú,PRC State Environmental Protection Administration (SEPA) -中国国家航天局,zhōng guó guó jiā háng tiān jú,China National Space Administration (CNSA) -中国国民党革命委员会,zhōng guó guó mín dǎng gé mìng wěi yuán huì,Revolutionary Committee of the Kuomintang -中国国防科技信息中心,zhōng guó guó fáng kē jì xìn xī zhōng xīn,China Defense Science and Technology Information Center (CDSTIC) -中国国际信托投资公司,zhōng guó guó jì xìn tuō tóu zī gōng sī,CITIC; Chinese International Trust and Investment Company -中国国际广播电台,zhōng guó guó jì guǎng bō diàn tái,China Radio International; CRI -中国国际航空公司,zhōng guó guó jì háng kōng gōng sī,Air China Ltd. -中国国际贸易促进委员会,zhōng guó guó jì mào yì cù jìn wěi yuán huì,China Council for the Promotion of International Trade (CCPIT) -中国地球物理学会,zhōng guó dì qiú wù lǐ xué huì,Chinese Geophysical Society -中国地质大学,zhōng guó dì zhì dà xué,China University of Geosciences -中国地质调查局,zhōng guó dì zhì diào chá jú,China Geological Survey (CGS) -中国地震台网,zhōng guó dì zhèn tái wǎng,"China Earthquake Networks Center (CENC), the information hub of the China Earthquake Administration 中國地震局|中国地震局[Zhong1 guo2 Di4 zhen4 ju2]" -中国地震局,zhōng guó dì zhèn jú,China Earthquake Administration (CEA); State Seismological Bureau -中国城,zhōng guó chéng,Chinatown -中国梦,zhōng guó mèng,"Chinese Dream (i.e. the great rejuvenation of the Chinese nation), term associated with Xi Jinping 習近平|习近平[Xi2 Jin4 ping2]" -中国大百科全书出版社,zhōng guó dà bǎi kē quán shū chū bǎn shè,Encyclopedia of China Publishing House -中国大蝾螈,zhōng guó dà róng yuán,Chinese giant salamander (Andrias davidianus davidianus) -中国天主教爱国会,zhōng guó tiān zhǔ jiào ài guó huì,Chinese Patriotic Catholic Association -中国好声音,zhōng guó hǎo shēng yīn,"The Voice of China, PRC reality talent show" -中国小说史略,zhōng guó xiǎo shuō shǐ lüè,Concise History of the Chinese Novel by Lu Xun 魯迅|鲁迅[Lu3 Xun4] -中国工商银行,zhōng guó gōng shāng yín háng,Industrial and Commercial Bank of China (ICBC) -中国工程院,zhōng guó gōng chéng yuàn,Chinese Academy of Engineering -中国左翼作家联盟,zhōng guó zuǒ yì zuò jiā lián méng,"the League of the Left-Wing Writers, an organization of writers formed in China in 1930" -中国广播公司,zhōng guó guǎng bō gōng sī,Broadcasting Corporation of China (BCC) -中国建设银行,zhōng guó jiàn shè yín háng,China Construction Bank -中国式,zhōng guó shì,Chinese style; à la chinoise -中国感恩节,zhōng guó gǎn ēn jié,"Chinese Thanksgiving, another name for 蛋炒飯節|蛋炒饭节[Dan4 chao3 fan4 jie2]" -中国政法大学,zhōng guó zhèng fǎ dà xué,"China University of Political Science and Law, Beijing, with undergraduate campus at Changping 昌平[Chang1 ping2], and graduate campus in Haidian district 海淀區|海淀区[Hai3 dian4 Qu1]" -中国教育和科研计算机网,zhōng guó jiào yù hé kē yán jì suàn jī wǎng,China Education and Research Network (CERNET); abbr. to 中國教育網|中国教育网[Zhong1 guo2 Jiao4 yu4 Wang3] -中国教育网,zhōng guó jiào yù wǎng,abbr. for 中國教育和科研計算機網|中国教育和科研计算机网[Zhong1 guo2 Jiao4 yu4 he2 Ke1 yan2 Ji4 suan4 ji1 Wang3] -中国文学艺术界联合会,zhōng guó wén xué yì shù jiè lián hé huì,China Federation of Literary and Art Circles (CFLAC); abbr. to 文聯|文联 -中国文联,zhōng guó wén lián,"abbr. for 中國文學藝術界聯合會|中国文学艺术界联合会, China Federation of Literary and Art Circles (CFLAC)" -中国新民党,zhōng guó xīn mín dǎng,"New Democracy Party of China, a short-lived party founded in 2007 by human rights activist Guo Quan, who was jailed in 2009" -中国新闻社,zhōng guó xīn wén shè,China News Service -中国新闻网,zhōng guó xīn wén wǎng,China News Service website (chinanews.com) -中国日报,zhōng guó rì bào,China Daily (an English language newspaper) -中国时报,zhōng guó shí bào,China Times (newspaper) -中国东方航空,zhōng guó dōng fāng háng kōng,China Eastern Airlines -中国林蛙,zhōng guó lín wā,Chinese brown frog (Rana chensinensis) -中国核能总公司,zhōng guó hé néng zǒng gōng sī,China National Nuclear Corporation (CNNC) -中国历史博物馆,zhōng guó lì shǐ bó wù guǎn,Museum of Chinese History -中国残疾人联合会,zhōng guó cán jí rén lián hé huì,China Disabled Persons' Federation -中国残联,zhōng guó cán lián,China Disabled Persons' Federation (abbr. for 中國殘疾人聯合會|中国残疾人联合会[Zhong1 guo2 Can2 ji2 ren2 Lian2 he2 hui4]) -中国民主促进会,zhōng guó mín zhǔ cù jìn huì,China Association for Promoting Democracy -中国民主同盟,zhōng guó mín zhǔ tóng méng,China Democratic League -中国民主建国会,zhōng guó mín zhǔ jiàn guó huì,China Democratic National Construction Association -中国民用航空局,zhōng guó mín yòng háng kōng jú,Civil Aviation Administration of China (CAAC) -中国气象局,zhōng guó qì xiàng jú,China Meteorological Administration (CMA) -中国法学会,zhōng guó fǎ xué huì,China Law Society -中国海,zhōng guó hǎi,"the China Seas (the seas of the Western Pacific Ocean, around China: Bohai Sea, Yellow Sea, East China Sea, South China Sea)" -中国海事局,zhōng guó hǎi shì jú,PRC Maritime Safety Agency -中国海洋石油总公司,zhōng guó hǎi yáng shí yóu zǒng gōng sī,CNOOC; China National Offshore Oil Corporation -中国消费者协会,zhōng guó xiāo fèi zhě xié huì,China Consumers' Association (CCA) -中国无线电频谱管理和监测,zhōng guó wú xiàn diàn pín pǔ guǎn lǐ hé jiān cè,China state radio regulation committee SRRC -中国特色社会主义,zhōng guó tè sè shè huì zhǔ yì,"socialism with Chinese characteristics, phrase introduced by the CCP in 1986 to refer to its ideological model, embracing the economic reforms of the post-Mao era" -中国产,zhōng guó chǎn,made in China; home-grown (talent) -中国画,zhōng guó huà,Chinese painting -中国石化,zhōng guó shí huà,"China Petroleum and Chemical Corporation, Sinopec" -中国石油化工股份有限公司,zhōng guó shí yóu huà gōng gǔ fèn yǒu xiàn gōng sī,"China Petroleum and Chemical Corporation, Sinopec; abbr. to 中石化[Zhong1 shi2 hua4]" -中国石油和化学工业协会,zhōng guó shí yóu hé huà xué gōng yè xié huì,China Petrol and Chemical Industry Association (CPCIA) -中国石油天然气集团公司,zhōng guó shí yóu tiān rán qì jí tuán gōng sī,China National Petroleum Corporation -中国社会科学院,zhōng guó shè huì kē xué yuàn,Chinese Academy of Social Sciences (CASS) -中国科学院,zhōng guó kē xué yuàn,Chinese Academy of Science -中国移动通信,zhōng guó yí dòng tōng xìn,China Mobile (PRC state telecommunications company) -中国籍,zhōng guó jí,Chinese (i.e. of Chinese nationality) -中国精密机械进出口公司,zhōng guó jīng mì jī xiè jìn chū kǒu gōng sī,China Precision Machinery Import-Export Corporation (CPMIEC) -中国红,zhōng guó hóng,vermilion -中国经营报,zhōng guó jīng yíng bào,China Business (a Beijing newspaper) -中国美术馆,zhōng guó měi shù guǎn,National Art Museum of China -中国联合航空,zhōng guó lián hé háng kōng,China United Airlines -中国联通,zhōng guó lián tōng,China Unicom -中国致公党,zhōng guó zhì gōng dǎng,"(PRC) China Zhi Gong Party, one of the eight legally recognized minor political parties following the direction of the CCP" -中国航天工业公司,zhōng guó háng tiān gōng yè gōng sī,"China Aerospace Corporation, forerunner of China Aerospace Science and Technology Corporation (CASC) 中國航天科技集團公司|中国航天科技集团公司" -中国航海日,zhōng guó háng hǎi rì,Maritime Day (July 11th) commemorating the first voyage of Zheng He 鄭和|郑和[Zheng4 He2] in 1405 AD -中国航空工业公司,zhōng guó háng kōng gōng yè gōng sī,Aviation Industries of China (AVIC) -中国航空运输协会,zhōng guó háng kōng yùn shū xié huì,China Air Transport Association (CATA) -中国船舶工业集团,zhōng guó chuán bó gōng yè jí tuán,China State Shipbuilding Corporation (CSSC) -中国船舶贸易公司,zhōng guó chuán bó mào yì gōng sī,China Shipbuilding Trading Corporation (CSTC) -中国船舶重工集团公司,zhōng guó chuán bó zhòng gōng jí tuán gōng sī,China Ship Scientific Research Center (CSSRC) -中国菜,zhōng guó cài,Chinese cuisine -中国制造,zhōng guó zhì zào,made in China -中国西北边陲,zhōng guó xī běi biān chuí,border area of northwest China (i.e. Xinjiang) -中国话,zhōng guó huà,(spoken) Chinese language -中国证券报,zhōng guó zhèng quàn bào,China Securities Journal -中国证券监督管理委员会,zhōng guó zhèng quàn jiān dū guǎn lǐ wěi yuán huì,China Securities Regulatory Commission (CSRC); abbr. to 證監會|证监会[Zheng4 jian1 hui4] -中国证监会,zhōng guó zhèng jiàn huì,China Securities Regulatory Commission (CSRC); abbr. for 中國證券監督管理委員會|中国证券监督管理委员会 -中国农业银行,zhōng guó nóng yè yín háng,Agricultural Bank of China -中国通,zhōng guó tōng,China watcher; an expert on China; an old China hand -中国进出口银行,zhōng guó jìn chū kǒu yín háng,The Export-Import Bank of China (state-owned bank) -中国游艺机游乐园协会,zhōng guó yóu yì jī yóu lè yuán xié huì,China Association of Amusement Parks and Attractions (CAAPA) -中国邮政,zhōng guó yóu zhèng,China Post (Chinese postal service) -中国钹,zhōng guó bó,China cymbal (drum kit component) -中国银联,zhōng guó yín lián,"China UnionPay (CUP), China's only domestic bank card organization" -中国银行,zhōng guó yín háng,Bank of China (BoC) -中国银行业监督管理委员会,zhōng guó yín háng yè jiān dū guǎn lǐ wěi yuán huì,China Banking Regulatory Commission (CBRC) -中国长城工业公司,zhōng guó cháng chéng gōng yè gōng sī,China Great Wall Industry Corporation (CGWIC) -中国电信,zhōng guó diàn xìn,China Telecom (Chinese company providing mobile phone service) -中国电视公司,zhōng guó diàn shì gōng sī,"China Television Company (CTV), Taiwan" -中国青年报,zhōng guó qīng nián bào,"China Youth Daily, www.cyol.net" -中国风,zhōng guó fēng,Chinese style; chinoiserie -中国餐馆症候群,zhōng guó cān guǎn zhèng hòu qún,Chinese restaurant syndrome -中国鸟类学会,zhōng guó niǎo lèi xué huì,China Ornithological Society -中土,zhōng tǔ,Sino-Turkish -中型,zhōng xíng,medium sized -中埔,zhōng pǔ,"Zhongpu or Chungpu Township in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -中埔乡,zhōng pǔ xiāng,"Zhongpu or Chungpu Township in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -中坚,zhōng jiān,core; nucleus; backbone -中场,zhōng chǎng,middle period of a tripartite provincial exam (in former times); midfield; mid-court (in sports); half-time; intermission half-way through a performance -中压管,zhōng yā guǎn,medium pressure tube; middle pressure hose (diving) -中坜,zhōng lì,"Zhongli or Chungli city in Taoyuan county 桃園縣|桃园县[Tao2 yuan2 xian4], north Taiwan" -中坜市,zhōng lì shì,"Zhongli or Chungli city in Taoyuan county 桃園縣|桃园县[Tao2 yuan2 xian4], north Taiwan" -中外,zhōng wài,Sino-foreign; Chinese-foreign; home and abroad -中大西洋脊,zhōng dà xī yáng jǐ,mid-Atlantic ridge -中天,zhōng tiān,culmination (astronomy) -中央,zhōng yāng,central; middle; center; central authorities (of a state) -中央人民政府驻香港特别行政区联络办公室,zhōng yāng rén mín zhèng fǔ zhù xiāng gǎng tè bié xíng zhèng qū lián luò bàn gōng shì,Liaison Office of the Central People's Government in the Hong Kong Special Administrative Region -中央企业,zhōng yāng qǐ yè,centrally-managed state-owned enterprise (PRC) -中央全会,zhōng yāng quán huì,plenary session of the Central Committee -中央凹,zhōng yāng āo,"fovea centralis (depression in the macula retina, most sensitive optic region)" -中央分车带,zhōng yāng fēn chē dài,median strip; central reservation (on a divided road) -中央汇金,zhōng yāng huì jīn,central finance; Chinese monetary fund -中央执行委员会,zhōng yāng zhí xíng wěi yuán huì,Central Executive Committee -中央委员会,zhōng yāng wěi yuán huì,Central Committee -中央宣传部,zhōng yāng xuān chuán bù,Central Propaganda Department (abbr. for 中國共產黨中央委員會宣傳部|中国共产党中央委员会宣传部[Zhong1 guo2 Gong4 chan3 dang3 Zhong1 yang1 Wei3 yuan2 hui4 Xuan1 chuan2 bu4]) -中央专制集权,zhōng yāng zhuān zhì jí quán,centralized autocratic rule -中央广播电台,zhōng yāng guǎng bō diàn tái,Radio Taiwan International (RTI) -中央情报局,zhōng yāng qíng bào jú,"US Central Intelligence Agency, CIA" -中央戏剧学院,zhōng yāng xì jù xué yuàn,Central Academy of Drama -中央政府,zhōng yāng zhèng fǔ,central government -中央日报,zhōng yāng rì bào,Central Daily News -中央民族大学,zhōng yāng mín zú dà xué,Central University for Nationalities -中央海岭,zhōng yāng hǎi lǐng,mid-ocean ridge (geology) -中央直辖市,zhōng yāng zhí xiá shì,"municipality, namely: Beijing 北京, Tianjin 天津, Shanghai 上海 and Chongqing 重慶|重庆, the first level administrative subdivision; province level city; also called directly governed city" -中央省,zhōng yāng shěng,Töv Province (Töv Aimag) of Mongolia; Central Province (the name of provinces in various nations) -中央研究院,zhōng yāng yán jiū yuàn,"Academia Sinica, research institution headquartered in Taipei" -中央社,zhōng yāng shè,Central News Agency (Taiwan) -中央空调,zhōng yāng kōng tiáo,"central air conditioning; (fig.) (neologism) ladies' man (contrasted with 暖男[nuan3 nan2], a guy who is attentive to his partner rather than to all and sundry)" -中央处理机,zhōng yāng chǔ lǐ jī,central processing unit (CPU) -中央财经大学,zhōng yāng cái jīng dà xué,"Central University of Finance and Economics, Beijing" -中央军事委员会,zhōng yāng jūn shì wěi yuán huì,(PRC) Central Military Commission -中央军委,zhōng yāng jūn wěi,Central Military Committee (CMC) -中央邦,zhōng yāng bāng,"Madhya Pradesh, central Indian state" -中央银行,zhōng yāng yín háng,Central Bank of the Republic of China (Taiwan) -中央银行,zhōng yāng yín háng,central bank -中央集权,zhōng yāng jí quán,centralized state power -中央电视台,zhōng yāng diàn shì tái,"China Central Television (CCTV), PRC state TV network" -中央音乐学院,zhōng yāng yīn yuè xué yuàn,Central Conservatory of Music -中央党校,zhōng yāng dǎng xiào,"Central Party School, China's highest institution specifically for training Party cadres, founded in 1933" -中子,zhōng zǐ,neutron -中子俘获,zhōng zǐ fú huò,neutron capture -中子射线摄影,zhōng zǐ shè xiàn shè yǐng,neutron radiography -中子弹,zhōng zǐ dàn,neutron bomb -中子数,zhōng zǐ shù,neutron number -中子星,zhōng zǐ xīng,neutron star -中子源,zhōng zǐ yuán,neutron source -中学,zhōng xué,middle school -中学生,zhōng xué shēng,middle-school student; high school student -中宣部,zhōng xuān bù,Publicity Department of the CCP (abbr. for 中國共產黨中央委員會宣傳部|中国共产党中央委员会宣传部[Zhong1 guo2 Gong4 chan3 dang3 Zhong1 yang1 Wei3 yuan2 hui4 Xuan1 chuan2 bu4]) -中密度纤维板,zhōng mì dù xiān wéi bǎn,medium-density fiberboard (MDF); abbr. to 中纖板|中纤板[zhong1 xian1 ban3] -中宁,zhōng níng,"Zhongning county in Zhongwei 中衛|中卫[Zhong1 wei4], Ningxia" -中宁县,zhōng níng xiàn,"Zhongning county in Zhongwei 中衛|中卫[Zhong1 wei4], Ningxia" -中寮,zhōng liáo,"Zhongliao or Chungliao Township in Nantou County 南投縣|南投县[Nan2 tou2 Xian4], central Taiwan" -中寮乡,zhōng liáo xiāng,"Zhongliao or Chungliao Township in Nantou County 南投縣|南投县[Nan2 tou2 Xian4], central Taiwan" -中将,zhōng jiàng,lieutenant general; vice admiral; air marshal -中专,zhōng zhuān,vocational secondary school; technical secondary school; trade school; abbr. for 中等專科學校|中等专科学校 -中尉,zhōng wèi,lieutenant (navy); first lieutenant (army); subaltern -中小企业,zhōng xiǎo qǐ yè,small and medium enterprise -中小型企业,zhōng xiǎo xíng qǐ yè,small or medium size enterprise (SME) -中小学,zhōng xiǎo xué,middle and elementary school -中尼,zhōng ní,China-Nepal -中局,zhōng jú,middle game (in go or chess) -中层,zhōng céng,middle-ranking -中山,zhōng shān,"courtesy name of Dr Sun Yat-sen; Zhongshan, prefecture-level city in Guangdong, close to Sun Yat-sen's birthplace; Nakayama (Japanese surname)" -中山公园,zhōng shān gōng yuán,"Zhongshan Park, the name of numerous parks in China, honoring Sun Yat-sen 孫中山|孙中山[Sun1 Zhong1 shan1]" -中山区,zhōng shān qū,"Zhongshan or Chungshan District of Taipei City 臺北市|台北市[Tai2 bei3 Shi4], Taiwan; Zhongshan District of Dalian 大連市|大连市[Da4 lian2 shi4], Liaoning; Chungshan District of Keelung City 基隆市[Ji1 long2 shi4], Taiwan" -中山大学,zhōng shān dà xué,"Sun Yat-sen University (Guangzhou); Sun Yat-sen University (Kaohsiung); Sun Yat-sen University (Moscow), founded in 1925 as training ground for Chinese communists" -中山市,zhōng shān shì,"Zhongshan prefecture-level city in Guangdong Province 廣東省|广东省[Guang3 dong1 Sheng3] in south China, close to Dr Sun Yat-sen's birthplace" -中山成彬,zhōng shān chéng bīn,"NAKAYAMA Nariaki (1943-), right-wing Japanese cabinet minister and prominent denier of Japanese war crimes" -中山服,zhōng shān fú,Chinese tunic suit; Mao jacket; CL:件[jian4] -中山狼传,zhōng shān láng zhuàn,"The Wolf of Zhongshan, fable by Ma Zhongxi 馬中錫|马中锡[Ma3 Zhong1 xi1]" -中山装,zhōng shān zhuāng,Chinese tunic suit -中山陵,zhōng shān líng,Dr Sun Yat-sen's mausoleum in Nanjing -中岛,zhōng dǎo,Nakajima or Nakashima (Japanese surname and place name) -中岳,zhōng yuè,"Mt Song 嵩山 in Henan, one of the Five Sacred Mountains 五嶽|五岳[Wu3 yue4]" -中川,zhōng chuān,Nakagawa (Japanese surname and place name) -中巴,zhōng bā,China-Pakistan (relations); China-Bahamas -中巴,zhōng bā,minibus -中巴士,zhōng bā shì,minibus -中师,zhōng shī,secondary normal school (abbr. for 中等師範學校|中等师范学校[zhong1 deng3 shi1 fan4 xue2 xiao4]) -中常,zhōng cháng,ordinary; average; medium; mid-range; moderate -中帮,zhōng bāng,mid-top (shoes) -中年,zhōng nián,middle age -中度性肺水肿,zhōng dù xìng fèi shuǐ zhǒng,toxic pulmonary edema -中庭,zhōng tíng,courtyard -中庸,zhōng yōng,"the Doctrine of the Mean, one of the Four Books 四書|四书[Si4 shu1]" -中庸,zhōng yōng,golden mean (Confucianism); (literary) (of person) mediocre; ordinary -中庸之道,zhōng yōng zhī dào,doctrine of the mean; moderation in all things -中厅,zhōng tīng,lobby; foyer; CL:間|间[jian1] -中式,zhōng shì,Chinese style -中式,zhòng shì,to pass the imperial examinations -中式英语,zhōng shì yīng yǔ,Chinglish -中弹,zhòng dàn,to get hit by a bullet; to get shot -中彩,zhòng cǎi,to win a prize at a lottery -中径,zhōng jìng,diameter -中复电讯,zhōng fù diàn xùn,Zoomflight Telecom (Chinese company) -中微子,zhōng wēi zǐ,neutrino (particle physics); also written 微中子[wei1 zhong1 zi3] -中德诊所,zhōng dé zhěn suǒ,Sino-German clinic -中心,zhōng xīn,center; heart; core -中心区,zhōng xīn qū,central district -中心埋置关系从句,zhōng xīn mái zhì guān xì cóng jù,center-embedded relative clauses -中心矩,zhōng xīn jǔ,(statistics) central moment -中心粒,zhōng xīn lì,centriole -中心语,zhōng xīn yǔ,qualified word -中心点,zhōng xīn diǎn,center; central point; focus -中性,zhōng xìng,neutral -中性笔,zhōng xìng bǐ,rollerball pen -中性粒细胞,zhōng xìng lì xì bāo,neutrophil (the most common type of white blood cell) -中情局,zhōng qíng jú,"US Central Intelligence Agency, CIA (abbr. for 中央情報局|中央情报局[Zhong1 yang1 Qing2 bao4 ju2])" -中意,zhōng yì,Sino-Italian -中意,zhòng yì,to take one's fancy; to be to one's liking -中成药,zhōng chéng yào,prepared prescription (Chinese medicine) -中招,zhōng zhāo,senior high school enrollment -中招,zhòng zhāo,(martial arts) to get hit; to get taken down; (fig.) to get infected (disease or computer virus); (fig.) to fall for sb's trap; to be taken in -中括号,zhōng kuò hào,square brackets [ ] -中指,zhōng zhǐ,middle finger -中控面板,zhōng kòng miàn bǎn,center dash console; central dashboard -中提琴,zhōng tí qín,viola -中文,zhōng wén,Chinese language -中文标准交换码,zhōng wén biāo zhǔn jiāo huàn mǎ,"CSIC, Chinese standard interchange code used from 1992" -中新世,zhōng xīn shì,Miocene (geological epoch from 24m-5m years ago) -中新社,zhōng xīn shè,"China News Service (CNS), abbr. for 中國新聞社|中国新闻社" -中新网,zhōng xīn wǎng,ChinaNews (China News Service) -中断,zhōng duàn,to cut short; to break off; to discontinue; to interrupt -中方,zhōng fāng,the Chinese side (in an international venture) -中方县,zhōng fāng xiàn,"Zhongfang county in Huaihua 懷化|怀化[Huai2 hua4], Hunan" -中旅社,zhōng lǚ shè,"China Travel Service (CTS), state-owned travel company" -中日,zhōng rì,China-Japan -中日关系,zhōng rì guān xì,Sino-Japanese relations -中日韩,zhōng rì hán,"China, Japan and Korea" -中日韩统一表意文字,zhōng rì hán tǒng yī biǎo yì wén zì,China Japan Korea (CJK) unified ideographs; Unihan -中日韩越,zhōng rì hán yuè,"China, Japan, Korea, and Vietnam" -中旬,zhōng xún,middle third of a month -中时,zhōng shí,China Times (newspaper) (abbr. for 中國時報|中国时报[Zhong1 guo2 Shi2 bao4]) -中暑,zhòng shǔ,to suffer heat exhaustion; sunstroke; heatstroke -中朝,zhōng cháo,Sino-Korean; China and North Korea -中期,zhōng qī,"middle (of a period of time); medium-term (plan, forecast etc)" -中村,zhōng cūn,Nakamura (Japanese surname) -中杓鹬,zhōng sháo yù,(bird species of China) whimbrel (Numenius phaeopus) -中杜鹃,zhōng dù juān,(bird species of China) Himalayan cuckoo (Cuculus saturatus) -中东,zhōng dōng,Middle East -中东呼吸综合征,zhōng dōng hū xī zōng hé zhèng,Middle East respiratory syndrome (MERS) -中板,zhōng bǎn,moderato -中校,zhōng xiào,middle ranking officer in Chinese army; lieutenant colonel; commander -中概股,zhōng gài gǔ,China concepts stock (stock in a Chinese company that trades on an exchange outside China or in Hong Kong) (abbr. for 中國概念股|中国概念股[Zhong1 guo2 gai4 nian4 gu3]) -中枪,zhòng qiāng,to be hit by a gun; shot -中乐透,zhòng lè tòu,to have a win in the lottery -中标,zhòng biāo,to win a tender; to win a bid -中枢,zhōng shū,center; hub; the central administration -中枢神经系统,zhōng shū shén jīng xì tǒng,"central nervous system, CNS" -中档,zhōng dàng,mid-range (in quality and price) -中欧,zhōng ōu,Sino-European -中欧,zhōng ōu,Central Europe -中止,zhōng zhǐ,to cease; to suspend; to break off; to stop; to discontinue -中正,zhōng zhèng,adopted name of Chiang Kai-shek 蔣介石|蒋介石[Jiang3 Jie4 shi2] -中正,zhōng zhèng,fair and honest -中正区,zhōng zhèng qū,Zhongzheng District of Taipei 台北市[Tai2 bei3 Shi4] or Keelung 基隆市[Ji1 long2 Shi4] -中正纪念堂,zhōng zhèng jì niàn táng,"Chiang Kai-shek Memorial Hall, Taipei" -中段,zhōng duàn,middle section; middle period; middle area; mid- -中毒,zhòng dú,to be poisoned -中毒性,zhòng dú xìng,poisonous; toxic -中气层,zhōng qì céng,mesosphere; upper atmosphere -中气层顶,zhōng qì céng dǐng,mesopause; top of mesosphere -中水,zhōng shuǐ,reclaimed water; recycled water -中江,zhōng jiāng,"Zhongjiang county in Deyang 德陽|德阳[De2 yang2], Sichuan" -中江县,zhōng jiāng xiàn,"Zhongjiang county in Deyang 德陽|德阳[De2 yang2], Sichuan" -中沙群岛,zhōng shā qún dǎo,"Macclesfield Bank, series of reefs in the South China Sea southeast of Hainan Island" -中油,zhòng yóu,"CNPC, China National Petroleum Corporation (abbr.)" -中法,zhōng fǎ,China-France (cooperation); Sino-French -中法战争,zhōng fǎ zhàn zhēng,Sino-French War (1883-1885) (concerning French seizure of Vietnam) -中法新约,zhōng fǎ xīn yuē,treaty of Tianjin of 1885 ceding Vietnam to France -中波,zhōng bō,Chinese-Polish -中波,zhōng bō,medium wave (radio frequency range) -中洋脊,zhōng yáng jǐ,mid-ocean ridge (geology) -中流,zhōng liú,midstream -中流砥柱,zhōng liú dǐ zhù,mainstay; cornerstone; tower of strength -中海油,zhōng hǎi yóu,China National Offshore Oil Corporation -中港,zhōng gǎng,PRC and Hong Kong -中港台,zhōng gǎng tái,"China, Hong Kong and Taiwan (abbr.)" -中游,zhōng yóu,the middle stretches of a river; middle level; middle echelon; midstream -中源地震,zhōng yuán dì zhèn,medium depth earthquake (with epicenter 70-300 km deep) -中澳,zhōng ào,China-Australia (relations) -中灶,zhōng zào,mess hall for mid-level cadres; cf. 大灶[da4 zao4] -中焦,zhōng jiāo,"(TCM) middle burner, the part of the body within the abdominal cavity (between the diaphragm and the navel, including the spleen and stomach)" -中爪哇,zhōng zhǎo wā,"Central Java, province of Indonesia" -中牟,zhōng mù,"Zhongmu county in Zhengzhou 鄭州|郑州[Zheng4 zhou1], Henan" -中牟县,zhōng mù xiàn,"Zhongmu county in Zhengzhou 鄭州|郑州[Zheng4zhou1], Henan" -中奖,zhòng jiǎng,to win a prize (in a lottery etc) -中环,zhōng huán,"Central, Hong Kong Island" -中生代,zhōng shēng dài,"Mesozoic (geological era 250-65m years ago, covering Triassic 三疊紀|三叠纪, Jurassic 侏羅紀|侏罗纪 and Cretaceous 白堊紀|白垩纪)" -中产,zhōng chǎn,middle class; bourgeois -中产阶级,zhōng chǎn jiē jí,middle class -中用,zhōng yòng,useful; helpful; Taiwan pr. [zhong4 yong4] -中甸,zhōng diàn,"Gyeltang or Gyalthang town and county, former name of Shangri-La County 香格里拉縣|香格里拉县[Xiang1 ge2 li3 la1 Xian4] in Dêqên or Diqing Tibetan Autonomous Prefecture 迪慶藏族自治州|迪庆藏族自治州[Di2 qing4 Zang4 zu2 Zi4 zhi4 zhou1], northwest Yunnan" -中甸县,zhōng diàn xiàn,"Gyeltang or Gyalthang town and county, former name of Shangri-La County 香格里拉縣|香格里拉县[Xiang1 ge2 li3 la1 Xian4] in Dêqên or Diqing Tibetan Autonomous Prefecture 迪慶藏族自治州|迪庆藏族自治州[Di2 qing4 Zang4 zu2 Zi4 zhi4 zhou1], northwest Yunnan" -中白鹭,zhōng bái lù,(bird species of China) intermediate egret (Egretta intermedia) -中的,zhòng dì,to hit the target; (fig.) to hit the nail on the head -中盘,zhōng pán,middle game (in go or chess); (share trading) mid-session; (abbr. for 中盤商|中盘商[zhong1 pan2 shang1]) distributor; wholesaler; middleman -中盘商,zhōng pán shāng,distributor; wholesaler; middleman -中盘股,zhōng pán gǔ,(share trading) mid-cap -中看,zhōng kàn,pleasant to the eye; Taiwan pr. [zhong4 kan4] -中看不中用,zhōng kàn bù zhōng yòng,impressive-looking but useless -中短债,zhōng duǎn zhài,short- or medium-term loan -中石化,zhōng shí huà,"China Petroleum and Chemical Corporation, Sinopec; abbr. for 中國石油化工股份有限公司|中国石油化工股份有限公司" -中石器时代,zhōng shí qì shí dài,Mesolithic Era -中研院,zhōng yán yuàn,Academia Sinica (abbr. for 中央研究院[Zhong1 yang1 Yan2 jiu1 yuan4]) -中秋,zhōng qiū,"the Mid-autumn festival, the traditional moon-viewing festival on the 15th of the 8th lunar month" -中秋节,zhōng qiū jié,the Mid-Autumn Festival on 15th of 8th lunar month -中科院,zhōng kē yuàn,"abbr. for 中國社會科學院|中国社会科学院[Zhong1 guo2 She4 hui4 Ke1 xue2 yuan4], Chinese Academy of Sciences (CAS)" -中程,zhōng chéng,medium-range -中空,zhōng kōng,hollow; empty interior -中空玻璃,zhōng kōng bō li,double glazing -中立,zhōng lì,neutral; neutrality -中立国,zhōng lì guó,neutral country -中立性,zhōng lì xìng,impartiality; neutrality -中立派,zhōng lì pài,centrist; the centrist faction -中站,zhōng zhàn,"Zhongzhan district of Jiaozuo city 焦作市[Jiao1 zuo4 shi4], Henan" -中站区,zhōng zhàn qū,"Zhongzhan district of Jiaozuo city 焦作市[Jiao1 zuo4 shi4], Henan" -中等,zhōng děng,medium -中等专业学校,zhōng děng zhuān yè xué xiào,specialized middle school -中等专业教育,zhōng děng zhuān yè jiào yù,technical middle school education -中等师范学校,zhōng děng shī fàn xué xiào,secondary normal school (secondary school that trains kindergarten and elementary school teachers) -中等技术学校,zhōng děng jì shù xué xiào,technical middle school; polytechnic -中等教育,zhōng děng jiào yù,secondary education; middle school education -中等普通教育,zhōng děng pǔ tōng jiào yù,general middle school education -中筋面粉,zhōng jīn miàn fěn,all-purpose flour; flour for making dumplings and noodles -中箭落马,zhòng jiàn luò mǎ,lit. to be struck by an arrow and fall from one's horse; to suffer a serious setback (idiom) -中篇小说,zhōng piān xiǎo shuō,novella -中签,zhòng qiān,to win a ballot; to draw a lucky number -中纪委,zhōng jì wěi,"Central Commission for Discipline Inspection (CCDI), organization within the CCP which investigates corruption and other wrongdoing among Party cadres; abbr. for 中共中央紀律檢查委員會|中共中央纪律检查委员会" -中级,zhōng jí,middle level (in a hierarchy) -中组部,zhōng zǔ bù,Organization Department (abbr. for 中共中央組織部|中共中央组织部[Zhong1 Gong4 Zhong1 yang1 Zu3 zhi1 bu4]) -中缀,zhōng zhuì,"infix (grammar), particle attached within a word or expression" -中线,zhōng xiàn,half-way line; median line -中缝,zhōng fèng,vertical space in a newspaper between two attached pages; vertical line on the back of clothing -中继,zhōng jì,to relay; to repeat -中继器,zhōng jì qì,repeater -中继站,zhōng jì zhàn,relay station -中继资料,zhōng jì zī liào,metadata -中美,zhōng měi,China-USA -中美文化研究中心,zhōng měi wén huà yán jiū zhōng xīn,Hopkins-Nanjing Center -中美洲,zhōng měi zhōu,Central America -中老年,zhōng lǎo nián,middle and old age -中老年人,zhōng lǎo nián rén,middle-aged and elderly people -中考,zhōng kǎo,entrance exam for senior middle school -中耳,zhōng ěr,middle ear -中耳炎,zhōng ěr yán,inflammation of middle ear; otitis media -中联航,zhōng lián háng,"China United Airlines, abbr. for 中國聯合航空|中国联合航空[Zhong1 guo2 Lian2 he2 Hang2 kong1]" -中联办,zhōng lián bàn,Liaison Office of the Central People's Government in the Hong Kong Special Administrative Region (abbr. for 中央人民政府駐香港特別行政區聯絡辦公室|中央人民政府驻香港特别行政区联络办公室[Zhong1 yang1 Ren2 min2 Zheng4 fu3 Zhu4 Xiang1 gang3 Te4 bie2 Xing2 zheng4 qu1 Lian2 luo4 Ban4 gong1 shi4]) or the equivalent office in Macao -中声,zhōng shēng,the medial (vowel or diphthong) of a Korean syllable -中听,zhōng tīng,pleasant to hear (i.e. agreeable news); to one's liking; music to one's ears; Taiwan pr. [zhong4 ting1] -中肯,zhòng kěn,pertinent; apropos -中胚层,zhōng pēi céng,mesoderm (cell lineage in embryology) -中脊,zhōng jǐ,mid-ocean ridge (geology) -中台,zhōng tái,China and Taiwan -中兴,zhōng xīng,resurgence; recovery; restoration -中兴新村,zhōng xīng xīn cūn,"Zhongxing New Village, model town in Nantou County, west-central Taiwan" -中举,zhòng jǔ,to pass the provincial level imperial examination -中航技进出口有限责任公司,zhōng háng jì jìn chū kǒu yǒu xiàn zé rèn gōng sī,China National Aero-Technology Import & Export Corporation (CATIC) -中英,zhōng yīng,Sino-British; Chinese-English -中英对照,zhōng yīng duì zhào,Chinese English parallel texts -中英文对照,zhōng yīng wén duì zhào,Chinese-English parallel texts -中草药,zhōng cǎo yào,Chinese herbal medicine -中华,zhōng huá,China (alternate formal name) -中华人民共和国,zhōng huá rén mín gòng hé guó,People's Republic of China -中华全国妇女联合会,zhōng huá quán guó fù nǚ lián hé huì,"All-China Women's Federation (PRC, established 1949)" -中华全国总工会,zhōng huá quán guó zǒng gōng huì,All-China Federation of Trade Unions (ACFTU) -中华全国体育总会,zhōng huá quán guó tǐ yù zǒng huì,All-China Sports Federation -中华字海,zhōng huá zì hǎi,"Zhonghua Zihai, the most comprehensive Chinese character dictionary with 85,568 entries, compiled in 1994" -中华攀雀,zhōng huá pān què,(bird species of China) Chinese penduline tit (Remiz consobrinus) -中华民国,zhōng huá mín guó,Republic of China -中华民族,zhōng huá mín zú,the Chinese nation; the Chinese people (collective reference to all the ethnic groups in China) -中华田园犬,zhōng huá tián yuán quǎn,Chinese rural dog; indigenous dog; mongrel -中华短翅莺,zhōng huá duǎn chì yīng,(bird species of China) Chinese bush warbler (Locustella tacsanowskia) -中华秋沙鸭,zhōng huá qiū shā yā,(bird species of China) scaly-sided merganser (Mergus squamatus) -中华台北,zhōng huá tái běi,"Chinese Taipei, name for Taiwan to which the PRC and Taiwan agreed for the purpose of participation in international events" -中华航空公司,zhōng huá háng kōng gōng sī,China Airlines (Taiwan); abbr. to 華航|华航[Hua2 hang2] -中华苏维埃共和国,zhōng huá sū wéi āi gòng hé guó,Chinese Soviet Republic (1931-1937) -中华电视,zhōng huá diàn shì,"Chinese Television System (CTS), Taiwan" -中华鹧鸪,zhōng huá zhè gū,(bird species of China) Chinese francolin (Francolinus pintadeanus) -中华龙鸟,zhōng huá lóng niǎo,"Sinosauropteryx, a small dinosaur that lived in what is now northeastern China during the early Cretaceous period" -中叶,zhōng yè,mid- (e.g. mid-century); middle period -中药,zhōng yào,"traditional Chinese medicine; CL:服[fu4],種|种[zhong3]" -中苏解决悬案大纲协定,zhōng sū jiě jué xuán àn dà gāng xié dìng,the treaty of 1923 normalizing relations between the Soviet Union and the Northern Warlord government of China -中号,zhōng hào,medium-sized -中行,zhōng háng,abbr. for 中國銀行|中国银行[Zhong1 guo2 Yin2 hang2] -中卫,zhōng wèi,"Zhongwei, prefecture-level city in Ningxia" -中卫市,zhōng wèi shì,"Zhongwei, prefecture-level city in Ningxia" -中装,zhōng zhuāng,Chinese dress -中西,zhōng xī,China and the West; Chinese-Western -中西区,zhōng xī qū,Central and Western district of Hong Kong -中西合并,zhōng xī hé bìng,Chinese-Western fusion -中西合璧,zhōng xī hé bì,harmonious combination of Chinese and Western elements (idiom) -中西部,zhōng xī bù,midwest -中西医,zhōng xī yī,Chinese and Western medicine; a doctor trained in Chinese and Western medicine -中西医结合,zhōng xī yī jié hé,to combine traditional Chinese and Western medicine -中规中矩,zhòng guī zhòng jǔ,conforming with the norms of society -中视,zhōng shì,"China Television Company (CTV), Taiwan (abbr. for 中國電視公司|中国电视公司[Zhong1 guo2 Dian4 shi4 Gong1 si1])" -中计,zhòng jì,to fall into a trap; to be taken in -中试,zhōng shì,pilot test (in product development etc) -中试,zhòng shì,to pass a test -中调,zhōng diào,(perfumery) middle note; heart note -中译语通,zhōng yì yǔ tōng,"Global Tone Communication Technology Co., Ltd (GTCOM), Chinese big data and AI company" -中财,zhōng cái,"Central University of Finance and Economics, Beijing (abbr. for 中央財經大學|中央财经大学[Zhong1 yang1 Cai2 jing1 Da4 xue2])" -中资,zhōng zī,Chinese capital; Chinese enterprise -中贼鸥,zhōng zéi ōu,(bird species of China) pomarine skua (Stercorarius pomarinus) -中超,zhōng chāo,Chinese Super League (soccer) -中超,zhōng chāo,Chinese supermarket -中越战争,zhōng yuè zhàn zhēng,Sino-Vietnamese War (1979) -中路,zhōng lù,midway; mediocre (quality); midfield (soccer) -中轴,zhōng zhóu,axis; (bicycle) bottom bracket -中轴线,zhōng zhóu xiàn,central axis (line) -中辍,zhōng chuò,to stop halfway; to give up halfway; interruption; suspension -中转,zhōng zhuǎn,to change (train or plane); transfer; correspondence -中转柜台,zhōng zhuǎn guì tái,transfer desk; correspondence desk -中转站,zhōng zhuǎn zhàn,transit hub; transport hub; interchange -中辣,zhōng là,hot; medium level of spiciness -中办,zhōng bàn,General Office of the Central Committee of the CCP (abbr. for 中共中央辦公廳|中共中央办公厅[Zhong1 gong4 Zhong1 yang1 Ban4 gong1 ting1]) -中农,zhōng nóng,Chinese agriculture -中途,zhōng tú,midway -中途岛,zhōng tú dǎo,Midway Islands -中途岛战役,zhōng tú dǎo zhàn yì,"Battle of Midway, June 1942" -中途搁浅,zhōng tú gē qiǎn,to run aground in mid-course; to run into difficulty and stop -中途退场,zhōng tú tuì chǎng,to leave in the middle of the play; (fig.) to leave before the matter is concluded -中远,zhōng yuǎn,China Ocean Shipping Company (COSCO) (abbr. for 中國遠洋運輸|中国远洋运输[Zhong1 guo2 Yuan3 yang2 Yun4 shu1]) -中选,zhòng xuǎn,to be chosen; to be selected -中邪,zhòng xié,to be possessed; to be bewitched -中部,zhōng bù,middle part; central section -中都,zhōng dū,"Zhongdu, capital of China during the Jin Dynasty (1115-1234), modern day Beijing" -中医,zhōng yī,traditional Chinese medical science; a doctor trained in Chinese medicine -中医学,zhōng yī xué,traditional Chinese medicine; TCM -中野,zhōng yě,Nakano (Japanese surname and place name) -中量级,zhōng liàng jí,middleweight (boxing etc) -中银,zhōng yín,Bank of China (abbr. for 中國銀行|中国银行[Zhong1 guo2 Yin2 hang2]) -中锋,zhōng fēng,"midfielder; center (basketball); center forward (hockey, football)" -中长跑,zhōng cháng pǎo,middle distance race -中间,zhōng jiān,the middle; the inside; in the middle; within; between; among; during; in the meantime -中间人,zhōng jiān rén,intermediary; mediator -中间人攻击,zhōng jiān rén gōng jī,(computing) man-in-the-middle attack -中间件,zhōng jiān jiàn,middleware -中间名,zhōng jiān míng,middle name; second given name -中间商,zhōng jiān shāng,middleman; broker -中间层,zhōng jiān céng,mesosphere -中间派,zhōng jiān pài,moderate faction; party of compromise; middle ground -中间神经元,zhōng jiān shén jīng yuán,interneuron -中间纤维,zhōng jiān xiān wéi,intermediate filament -中间路线,zhōng jiān lù xiàn,middle road (in politics) -中间音,zhōng jiān yīn,(phonetics) medial -中关村,zhōng guān cūn,"Zhongguancun neighborhood of Beijing, containing Peking University, famous for electronics shops and bookstores" -中阮,zhōng ruǎn,"zhongruan or alto lute, like pipa 琵琶 but bigger and lower range" -中阳,zhōng yáng,"Zhangyang county in Lüliang 呂梁|吕梁[Lu:3 liang2], Shanxi 山西" -中阳县,zhōng yáng xiàn,"Zhangyang county in Lüliang 呂梁|吕梁[Lu:3 liang2], Shanxi 山西" -中隔,zhōng gé,septum (anatomy) -中青,zhōng qīng,China Youth (official newspaper) (abbr. for 中國青年報|中国青年报[Zhong1 guo2 Qing1 nian2 Bao4]) -中青年,zhōng qīng nián,middle-aged -中非,zhōng fēi,China-Africa (relations); Central Africa; Central African Republic -中非共和国,zhōng fēi gòng hé guó,Central African Republic -中韩,zhōng hán,China-South Korea -中风,zhòng fēng,to suffer a paralyzing stroke -中饭,zhōng fàn,lunch -中饱,zhōng bǎo,to embezzle; to misappropriate; to line one's pockets with public funds -中饱私囊,zhōng bǎo sī náng,to stuff one's pockets; to take bribes -中餐,zhōng cān,"lunch; Chinese meal; Chinese food; CL:份[fen4],頓|顿[dun4]" -中餐馆,zhōng cān guǎn,Chinese restaurant -中体西用,zhōng tǐ xī yòng,adopting Western knowledge for its practical uses while keeping Chinese values as the core -中高度防空,zhōng gāo dù fáng kōng,high-to-medium-altitude air defense (HIMAD) -中魔,zhòng mó,to be possessed; to be bewitched -中点,zhōng diǎn,midpoint; half-way point -丰,fēng,luxuriant; buxom; variant of 豐|丰[feng1]; variant of 風|风[feng1]; appearance; charm -丰姿,fēng zī,charm; good looks -丰采,fēng cǎi,variant of 風采|风采[feng1 cai3] -丱,guàn,two tufts of hair; young; underage -丱,kuàng,archaic variant of 礦|矿[kuang4] -串,chuàn,"to string together; to skewer; to connect wrongly; to gang up; to rove; string; bunch; skewer; classifier for things that are strung together, or in a bunch, or in a row: string of, bunch of, series of; to make a swift or abrupt linear movement (like a bead on an abacus); to move across" -串供,chuàn gòng,to collude to fabricate a story -串口,chuàn kǒu,serial port (computing) -串味,chuàn wèi,to become tainted with the smell of sth else; to pick up an odor -串岗,chuàn gǎng,to leave one's post while on duty -串戏,chuàn xì,to act in a play; (of an amateur) to play a part in a professional performance -串换,chuàn huàn,to exchange; to change; to swap -串流,chuàn liú,to stream (online) -串烧,chuàn shāo,to cook on a skewer; barbecued food on a skewer; shish kebab; (fig.) to perform or play songs in sequence; sequence of songs; medley -串线,chuàn xiàn,to get the lines crossed -串联,chuàn lián,to establish ties; to contact; (electricity) to connect (components) in series -串处理,chuàn chǔ lǐ,string processing (computing) -串号,chuàn hào,identification number; IMEI -串行,chuàn háng,to miss a line; to confuse two lines -串行,chuàn xíng,series; serial (computer) -串行口,chuàn xíng kǒu,serial port (computing) -串行点阵打印机,chuàn xíng diǎn zhèn dǎ yìn jī,serial dot matrix printer -串亲访友,chuàn qīn fǎng yǒu,to call on friends and relations (idiom) -串谋,chuàn móu,to conspire -串通,chuàn tōng,to collude; to collaborate; to gang up -串通一气,chuàn tōng yī qì,to act in collusion (idiom) -串乡,chuàn xiāng,to go from village to village (like an itinerant artist) -串门,chuàn mén,to call on sb; to drop in; to visit sb's home -串门儿,chuàn mén er,erhua variant of 串門|串门[chuan4 men2] -串门子,chuàn mén zi,see 串門|串门[chuan4 men2] -串音,chuàn yīn,crosstalk; to overhear -丵,zhuó,"thick grass; ""bush"" component in Chinese characters" -丶,zhǔ,"""dot"" radical in Chinese characters (Kangxi radical 3), aka 點|点[dian3]" -丷,bā,"""eight"" component in Chinese characters; archaic variant of 八[ba1]" -丷,,"one of the characters used in kwukyel, an ancient Korean writing system" -丸,wán,ball; pellet; pill -丸剂,wán jì,pill -丸子,wán zi,pills; balls; meatballs -丸山,wán shān,Maruyama (Japanese surname and place name) -丹,dān,red; pellet; powder; cinnabar -丹佛,dān fó,"Denver, Colorado" -丹参,dān shēn,(botany) red sage (Salvia miltiorrhiza) -丹宁,dān níng,(loanword) denim; tannin -丹寨,dān zhài,"Danzhai county in Qiandongnan Miao and Dong autonomous prefecture 黔東南州|黔东南州[Qian2 dong1 nan2 zhou1], Guizhou" -丹寨县,dān zhài xiàn,"Danzhai county in Qiandongnan Miao and Dong autonomous prefecture 黔東南州|黔东南州[Qian2 dong1 nan2 zhou1], Guizhou" -丹尼,dān ní,Danny (name) -丹尼斯,dān ní sī,Dennis (name) -丹尼尔,dān ní ěr,Daniel (name) -丹尼索瓦人,dān ní suǒ wǎ rén,"Denisovan, an extinct species of human" -丹巴,dān bā,"Danba county (Tibetan: rong brag rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州, Sichuan (formerly in Kham province of Tibet)" -丹巴县,dān bā xiàn,"Danba county (Tibetan: rong brag rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1], Sichuan (formerly in Kham province of Tibet)" -丹布朗,dān bù lǎng,Dan Brown (American novelist) -丹彩,dān cǎi,vermilion; rhetorical language -丹徒,dān tú,"Dantu district of Zhenjiang city 鎮江市|镇江市[Zhen4 jiang1 shi4], Jiangsu" -丹徒区,dān tú qū,"Dantu district of Zhenjiang city 鎮江市|镇江市[Zhen4 jiang1 shi4], Jiangsu" -丹心,dān xīn,loyal heart; loyalty -丹方,dān fāng,folk remedy -丹东,dān dōng,Dandong prefecture-level city in Liaoning province 遼寧省|辽宁省[Liao2 ning2 Sheng3] in northeast China -丹东市,dān dōng shì,Dandong prefecture-level city in Liaoning province 遼寧省|辽宁省[Liao2 ning2 Sheng3] in northeast China -丹桂,dān guì,orange osmanthus -丹毒,dān dú,erysipelas (medicine) -丹江口,dān jiāng kǒu,"Danjiangkou, county-level city in Shiyan 十堰[Shi2 yan4], Hubei" -丹江口市,dān jiāng kǒu shì,"Danjiangkou, county-level city in Shiyan 十堰[Shi2 yan4], Hubei" -丹沙,dān shā,cinnabar (used in TCM) -丹瑞,dān ruì,"General Than Shwe (1933-), Myanmar army officer and politician, leader of the military junta 1992-2011" -丹瑞大将,dān ruì dà jiàng,"Than Shwe (1933-), Myanmar general and politician, president of Myanmar 1992-2011" -丹田,dān tián,pubic region; point two inches below the navel where one's qi resides -丹皮,dān pí,the root bark of the peony tree -丹砂,dān shā,cinnabar -丹棱,dān léng,"Danleng County in Meishan 眉山市[Mei2 shan1 Shi4], Sichuan" -丹棱县,dān léng xiàn,"Danleng County in Meishan 眉山市[Mei2 shan1 Shi4], Sichuan" -丹衷,dān zhōng,real sincerity -丹贝,dān bèi,see 天貝|天贝[tian1 bei4] -丹阳,dān yáng,"Danyang, county-level city in Zhenjiang 鎮江|镇江[Zhen4 jiang1], Jiangsu" -丹阳市,dān yáng shì,"Danyang, county-level city in Zhenjiang 鎮江|镇江[Zhen4 jiang1], Jiangsu" -丹霞,dān xiá,"Mt Danxia in Shaoguan 韶關|韶关[Shao2 guan1], Guangdong; Danxia landform (red conglomerate and sandstone)" -丹霞地貌,dān xiá dì mào,Danxia landform (red conglomerate and sandstone) -丹霞山,dān xiá shān,"Mt Danxia in Shaoguan 韶關|韶关[Shao2 guan1], Guangdong" -丹青,dān qīng,painting -丹顶鹤,dān dǐng hè,(bird species of China) red-crowned crane (Grus japonensis) -丹魄,dān pò,amber -丹凤,dān fèng,"Danfeng County in Shangluo 商洛[Shang1 luo4], Shaanxi" -丹凤,dān fèng,red phoenix -丹凤眼,dān fèng yǎn,red phoenix eyes (eyes whose outer corners incline upwards) -丹凤县,dān fèng xiàn,"Danfeng County in Shangluo 商洛[Shang1 luo4], Shaanxi" -丹麦,dān mài,Denmark -丹麦包,dān mài bāo,Danish pastry -主,zhǔ,owner; master; host; individual or party concerned; God; Lord; main; to indicate or signify; trump card (in card games) -主人,zhǔ rén,master; host; owner; CL:個|个[ge4] -主人公,zhǔ rén gōng,hero (of a novel or film); main protagonist -主人翁,zhǔ rén wēng,master (of the house); main character in a novel etc; hero or heroine -主任,zhǔ rèn,director; head; CL:個|个[ge4] -主使,zhǔ shǐ,to mastermind; to orchestrate; to instigate; mastermind; instigator -主保圣人,zhǔ bǎo shèng rén,patron saint -主修,zhǔ xiū,(education) to major in; major -主仆,zhǔ pú,master and servant -主公,zhǔ gōng,Your Highness; Your Majesty -主刀,zhǔ dāo,to act as the chief surgeon; chief surgeon -主创,zhǔ chuàng,to play a major role in a creative endeavor (e.g. making a movie); person who plays a key creative role (e.g. movie director) -主力,zhǔ lì,main force; main strength of an army -主力舰,zhǔ lì jiàn,battleship -主力军,zhǔ lì jūn,main force (military); (fig.) the group or element with the most impact; mainstay; main cohort -主动,zhǔ dòng,to take the initiative; to do sth of one's own accord; spontaneous; active; opposite: passive 被動|被动[bei4 dong4]; drive (of gears and shafts etc) -主动免疫,zhǔ dòng miǎn yì,active immunity -主动权,zhǔ dòng quán,"initiative (as in ""seize the initiative""); advantageous position that allows one to call the shots" -主动脉,zhǔ dòng mài,aorta; principal artery -主和弦,zhǔ hé xián,tonic triad; triad of the home key -主和派,zhǔ hé pài,the peace faction; doves -主品牌,zhǔ pǐn pái,umbrella brand (marketing) -主因,zhǔ yīn,main reason -主场,zhǔ chǎng,home ground (sports); home field; main venue; main stadium -主委,zhǔ wěi,committee chairperson -主妇,zhǔ fù,housewife; woman of senior authority in a household; the lady of the house; hostess -主嫌,zhǔ xián,"prime, key or main suspect (law)" -主子,zhǔ zi,Master (term used by servant); Your Majesty; operator (of machine) -主宰,zhǔ zǎi,to dominate; to rule; to dictate; master -主宰者,zhǔ zǎi zhě,ruler -主将,zhǔ jiàng,commander-in-chief (military); star player (sports); key figure (in an organization) -主导,zhǔ dǎo,leading; dominant; prevailing; to lead; to direct; to dominate -主导性,zhǔ dǎo xìng,leadership -主导权,zhǔ dǎo quán,leadership (role) -主峰,zhǔ fēng,main peak (of a mountain range) -主帅,zhǔ shuài,(military) commander-in-chief; (sports) team manager; coach -主席,zhǔ xí,"chairperson; premier; chairman; CL:個|个[ge4],位[wei4]" -主席国,zhǔ xí guó,chair country; country holding revolving presidency -主席团,zhǔ xí tuán,presidium -主席台,zhǔ xí tái,rostrum; platform; CL:個|个[ge4] -主干,zhǔ gàn,trunk; main; core -主干网络,zhǔ gàn wǎng luò,core network -主干网路,zhǔ gàn wǎng lù,core network; backbone network -主干线,zhǔ gàn xiàn,"trunk line (of road, network etc); backbone (cable)" -主序带,zhǔ xù dài,(astronomy) main sequence -主序星,zhǔ xù xīng,(astronomy) main-sequence star -主厨,zhǔ chú,chef; to be the chef -主厅,zhǔ tīng,main lobby -主张,zhǔ zhāng,to advocate; to stand for; view; position; stand; proposition; viewpoint; assertion; CL:個|个[ge4] -主从,zhǔ cóng,master-slave (computing); client-server (computing); primary and secondary -主心骨,zhǔ xīn gǔ,backbone; mainstay; pillar; definite view; one's own judgment -主意,zhǔ yi,plan; idea; decision; CL:個|个[ge4]; Beijing pr. [zhu2 yi5] -主战派,zhǔ zhàn pài,the pro-war faction; hawks -主打,zhǔ dǎ,principal; main; flagship (product); title (track); to specialize in; to take as one's priority; to primarily focus on -主打品牌,zhǔ dǎ pǐn pái,flagship brand -主承销商,zhǔ chéng xiāo shāng,lead underwriter -主抓,zhǔ zhuā,to be in charge of; to concentrate on -主持,zhǔ chí,to take charge of; to manage or direct; to preside over; to uphold; to stand for (justice etc); to host (a TV or radio program etc); (TV) anchor -主持人,zhǔ chí rén,TV or radio presenter; host; anchor -主掌,zhǔ zhǎng,in charge (of a position etc); the person in charge; responsible -主播,zhǔ bō,(news) anchor; (program) host; (Internet) streamer -主攻,zhǔ gōng,main assault; to focus on; to specialize in; to major in -主教,zhǔ jiào,bishop -主教座堂,zhǔ jiào zuò táng,cathedral -主料,zhǔ liào,main ingredients (in a cooking recipe) -主旋律,zhǔ xuán lǜ,(music) theme; principal melody; (fig.) central theme; main idea; (of a movie) created with the purpose of promoting Party values and point of view -主族,zhǔ zú,main group -主日,zhǔ rì,Sabbath; Sunday -主日学,zhǔ rì xué,Sunday School -主旨,zhǔ zhǐ,gist; main idea; general tenor; one's judgment -主旨演讲,zhǔ zhǐ yǎn jiǎng,keynote speech -主材,zhǔ cái,principal or main material (engineering) -主板,zhǔ bǎn,(computing) motherboard; (stock market) main board -主格,zhǔ gé,nominative case (grammar) -主业,zhǔ yè,main business -主楼,zhǔ lóu,main building -主机,zhǔ jī,main engine; (military) lead aircraft; (computing) host computer; main processor; server -主机名,zhǔ jī míng,hostname (of a networked computer) -主机板,zhǔ jī bǎn,motherboard -主权,zhǔ quán,sovereignty -主权国家,zhǔ quán guó jiā,sovereign country -主次,zhǔ cì,the important and the less important; primary and secondary -主治医师,zhǔ zhì yī shī,doctor-in-charge; resident physician -主法向量,zhǔ fǎ xiàng liàng,principal normal vector (to a space curve) -主流,zhǔ liú,main stream (of a river); fig. the essential point; main viewpoint of a matter; mainstream (culture etc) -主演,zhǔ yǎn,to play the leading role; to star; lead actor -主犯,zhǔ fàn,culprit -主球,zhǔ qiú,cue ball (in pool etc) -主环,zhǔ huán,primary ring -主祭,zhǔ jì,to perform the sacrificial rites at a funeral -主祷文,zhǔ dǎo wén,Lord's Prayer -主科,zhǔ kē,required courses in the major subject -主管,zhǔ guǎn,in charge; responsible for; person in charge; manager -主管人员,zhǔ guǎn rén yuán,executive -主管教区,zhǔ guǎn jiào qū,diocese -主管机关,zhǔ guǎn jī guān,the agency in charge of (e.g. a program); the relevant government body -主簿,zhǔ bù,official registrar (of a county etc) in imperial China -主线,zhǔ xiàn,main line (of communication); main thread (of a plotline or concept); central theme -主编,zhǔ biān,editor in chief -主罚,zhǔ fá,penalty (kick) -主义,zhǔ yì,-ism; ideology -主脑,zhǔ nǎo,"leader; the one in control; main (part, character etc)" -主航道,zhǔ háng dào,main channel -主菜,zhǔ cài,main course -主裁,zhǔ cái,(sports) to referee; to umpire; to officiate; referee; umpire (abbr. for 主裁判[zhu3 cai2 pan4]) -主裁判,zhǔ cái pàn,(sports) referee; umpire -主要,zhǔ yào,main; principal; major; primary -主见,zhǔ jiàn,one's own view; definite opinion -主观,zhǔ guān,subjective -主观主义,zhǔ guān zhǔ yì,subjectivism -主角,zhǔ jué,leading role; lead; protagonist -主计,zhǔ jì,chief accounting officer; controller; comptroller; (Han Dynasty) treasurer -主计室,zhǔ jì shì,auditing department; accounting department; comptroller office -主诉,zhǔ sù,(medicine) to complain of; a patient's brief account of their illness; (law) main suit; principal claim -主词,zhǔ cí,subject -主语,zhǔ yǔ,subject (in grammar) -主调,zhǔ diào,main point of an argument; a principal viewpoint -主谋,zhǔ móu,mastermind; ringleader; lead plotter -主谓句,zhǔ wèi jù,subject-predicate sentence; subject-predicate clause -主谓结构,zhǔ wèi jié gòu,subject-predicate construction -主谓宾,zhǔ wèi bīn,subject-verb-object SVO or subject-predicate-object sentence pattern (e.g. in Chinese grammar) -主讲,zhǔ jiǎng,to give a lecture; to lecture on -主宾,zhǔ bīn,guest of honor; host and guests -主宾谓,zhǔ bīn wèi,subject-object-verb SOV or subject-object-predicate sentence pattern (e.g. in Japanese or Korean grammar) -主车群,zhǔ chē qún,peloton (main group of riders in a bicycle race) -主轴,zhǔ zhóu,"axis; principal axis (in mechanics, optics, botany etc); main axle (of engine)" -主轴承,zhǔ zhóu chéng,main bearing -主办,zhǔ bàn,to organize; to host (a conference or sports event) -主办国,zhǔ bàn guó,host country -主办权,zhǔ bàn quán,the right to host (an international meeting) -主销,zhǔ xiāo,"kingpin (vehicle part); to focus one's marketing efforts on (a region, product etc)" -主队,zhǔ duì,host team (at sports event); host side -主音,zhǔ yīn,keynote; principal tone; tonic; vowel -主页,zhǔ yè,home page -主题,zhǔ tí,theme; subject -主题曲,zhǔ tí qǔ,theme song -主题乐园,zhǔ tí lè yuán,theme park -主题歌,zhǔ tí gē,theme song -主题演讲,zhǔ tí yǎn jiǎng,keynote speech -主顾,zhǔ gù,client; customer -主显节,zhǔ xiǎn jié,Epiphany -主食,zhǔ shí,staple food -主体,zhǔ tǐ,main part; bulk; body; subject; agent -主体思想,zhǔ tǐ sī xiǎng,"Juche Idea (North Korean ideology of political, economic and military independence)" -主麻,zhǔ má,(Islam) Jumu'ah (refers to Friday or the noon prayer on Friday) (loanword from Arabic); (Islam) a week -主麻日,zhǔ má rì,"(Islam) Friday, when Muslims go to the mosque before noon to attend congregational prayers" -丿,piě,"radical in Chinese characters (Kangxi radical 4), aka 撇[pie3]" -乂,yì,to regulate; to govern; to control; to mow -乃,nǎi,to be; thus; so; therefore; then; only; thereupon -乃堆拉,nǎi duī lā,Nathu La (Himalayan pass on Silk Road between Tibet and Indian Sikkim) -乃堆拉山口,nǎi duī lā shān kǒu,Nathu La (Himalayan pass on Silk Road between Tibet and Indian Sikkim) -乃是,nǎi shì,equivalent to either 是[shi4] or 就是[jiu4 shi4] -乃东,nǎi dōng,"Nêdong county, Tibetan: Sne gdong rdzong, in Lhokha prefecture 山南地區|山南地区[Shan1 nan2 di4 qu1], Tibet" -乃东县,nǎi dōng xiàn,"Nêdong county, Tibetan: Sne gdong rdzong, in Lhokha prefecture 山南地區|山南地区[Shan1 nan2 di4 qu1], Tibet" -乃尔,nǎi ěr,thus; like this -乃至,nǎi zhì,and even; to go so far as to -久,jiǔ,(long) time; (long) duration of time -久久,jiǔ jiǔ,for a very long time -久之,jiǔ zhī,for a long time -久仰,jiǔ yǎng,honorific: I've long looked forward to meeting you.; It's an honor to meet you at last. -久仰大名,jiǔ yǎng dà míng,I have been looking forward to meeting you for a long time (idiom) -久保,jiǔ bǎo,Kubo (Japanese surname) -久假不归,jiǔ jiǎ bù guī,to fail to return a borrowed item -久别,jiǔ bié,a long period of separation -久别重逢,jiǔ bié chóng féng,to meet again after a long period of separation -久已,jiǔ yǐ,long ago; a long time since -久慕,jiǔ mù,lit. I've admired you for a long time (honorific).; I've been looking forward to meeting you.; It's an honor to meet you at last. -久慕盛名,jiǔ mù shèng míng,(idiom) I've admired your reputation for a long time; it's an honor to meet you at last -久攻不下,jiǔ gōng bù xià,to attack for a long time without success -久旷,jiǔ kuàng,"to leave uncultivated for a long time; by extension, to neglect one's work; to remain single" -久治,jiǔ zhì,"Jigzhi or Jiuzhi county (Tibetan: gcig sgril rdzong) in Golog Tibetan autonomous prefecture 果洛州[Guo3 luo4 zhou1], Qinghai (formerly in Sichuan)" -久治县,jiǔ zhì xiàn,"Jigzhi or Jiuzhi county (Tibetan: gcig sgril rdzong) in Golog Tibetan autonomous prefecture 果洛州[Guo3 luo4 zhou1], Qinghai (formerly in Sichuan)" -久留,jiǔ liú,to stay for a long time -久病,jiǔ bìng,my old illness; chronic condition -久病成良医,jiǔ bìng chéng liáng yī,long illness makes the patient into a good doctor (idiom) -久病成医,jiǔ bìng chéng yī,(proverb) a long illness makes the patient into a doctor -久等,jiǔ děng,to wait for a long time -久经,jiǔ jīng,to have long experience of; to go through repeatedly -久经考验,jiǔ jīng kǎo yàn,well tested over a long period of time (idiom); seasoned -久而久之,jiǔ ér jiǔ zhī,over time; as time passes; in the fullness of time -久闻大名,jiǔ wén dà míng,your name has been known to me for a long time (polite) -久负盛名,jiǔ fù shèng míng,seasoned; honed to perfection over centuries; special reserve -久违,jiǔ wéi,(haven't done sth) for a long time; a long time since we last met -久远,jiǔ yuǎn,old; ancient; far away -久长,jiǔ cháng,a long time -久阔,jiǔ kuò,a long period of separation -久陪,jiǔ péi,to accompany over long term -乇,tuō,archaic variant of 托[tuo1] -乇,zhé,"""blade of grass"" component in Chinese characters" -幺,yāo,surname Yao -幺,yāo,"youngest; most junior; tiny; one (unambiguous spoken form when spelling out numbers, esp. on telephone or in military); one or ace on dice or dominoes; variant of 吆[yao1], to shout" -幺并矢,yāo bìng shǐ,idemfactor (math.) -幺二,yāo èr,one-two or ace-deuce (smallest throw at dice); a prostitute -幺麽小丑,yāo mó xiǎo chǒu,insignificant wretch -幺点,yāo diǎn,ace -之,zhī,"(possessive particle, literary equivalent of 的[de5]); him; her; it" -之一,zhī yī,"one of (sth); one out of a multitude; one (third, quarter, percent etc)" -之上,zhī shàng,above -之下,zhī xià,under; beneath; less than -之中,zhī zhōng,inside; among; in the midst of (doing sth); during -之乎者也,zhī hū zhě yě,"lit. 之[zhi1], 乎[hu1], 者[zhe3] and 也[ye3] (four grammatical particles of Classical Chinese) (idiom); fig. archaic expressions" -之内,zhī nèi,inside; within -之前,zhī qián,before; prior to; ago; previously; beforehand -之外,zhī wài,outside; excluding -之字形,zhī zì xíng,Z-shaped; zigzag -之字路,zhī zì lù,zigzag road; switchback -之后,zhī hòu,after; behind; (at the beginning of a sentence) afterwards; since then -之所以,zhī suǒ yǐ,"(after a noun N and before a predicate P) the reason why N P; Example: 我之所以討厭他|我之所以讨厌他[wo3 zhi1 suo3 yi3 tao3 yan4 ta1] ""the reason why I dislike him (is ...)""" -之至,zhī zhì,extremely -之间,zhī jiān,"(after a noun) between; among; amid; (used after certain bisyllabic words to form expressions indicating a short period of time, e.g. 彈指之間|弹指之间[tan2 zhi3 zhi1 jian1])" -之际,zhī jì,during; at the time of -之类,zhī lèi,and so on; and such -乍,zhà,at first; suddenly; abruptly; to spread; (of hair) to stand on end; bristling -乍得,zhà dé,Chad -乍得湖,zhà dé hú,Lake Chad -乍浦,zhà pǔ,Zhapu town and port on north of Hangzhou Bay 杭州灣|杭州湾 in Zhejiang -乍浦镇,zhà pǔ zhèn,Zhapu town and port on north of Hangzhou Bay 杭州灣|杭州湾 in Zhejiang -乍现,zhà xiàn,to appear suddenly -乍看,zhà kàn,at first glance -乍青乍白,zhà qīng zhà bái,(of sb's face) turning alternately green and white -乎,hū,"(classical particle similar to 於|于[yu2]) in; at; from; because; than; (classical final particle similar to 嗎|吗[ma5], 吧[ba5], 呢[ne5], expressing question, doubt or astonishment)" -乏,fá,short of; tired -乏人照顾,fá rén zhào gù,(of a person) left unattended; not cared for -乏力,fá lì,lacking in strength; weak; feeble; not up to the task -乏味,fá wèi,tedious -乏善可陈,fá shàn kě chén,(idiom) to be nothing to write home about -乏燃料,fá rán liào,spent fuel -乏燃料棒,fá rán liào bàng,spent fuel rods -乑,zhòng,to stand side by side; variant of 眾|众[zhong4] -乒,pīng,(onom.) ping; bing -乒乓,pīng pāng,(onom.) rattle; clatter; (sports) ping-pong; table tennis -乒乓球,pīng pāng qiú,table tennis; ping-pong; table tennis ball; CL:個|个[ge4] -乒乓球拍,pīng pāng qiú pāi,ping-pong paddle -乒乓球台,pīng pāng qiú tái,table-tennis table -乓,pāng,(onom.) bang -乖,guāi,"(of a child) obedient, well-behaved; clever; shrewd; alert; perverse; contrary to reason; irregular; abnormal" -乖乖,guāi guāi,(of a child) well-behaved; obediently; (term of endearment for a child) darling; sweetie -乖乖,guāi guai,goodness gracious!; oh my lord! -乖乖女,guāi guāi nǚ,well-behaved girl; good girl -乖乖牌,guāi guāi pái,good little boy (or girl) -乖僻,guāi pì,peculiar; eccentric -乖巧,guāi qiǎo,clever (child); smart; lovable; cute -乖张,guāi zhāng,recalcitrant; unreasonable; peevish -乖忤,guāi wǔ,stubborn; contrary; disobedient -乖戾,guāi lì,perverse (behavior); disagreeable (character) -乖离,guāi lí,to part; to separate; to deviate -乖觉,guāi jué,perceptive; alert; clever; shrewd -乖谬,guāi miù,ridiculous; abnormal -乖迕,guāi wǔ,stubborn; contrary; disobedient -乖顺,guāi shùn,obedient (colloquial) -乘,chéng,surname Cheng -乘,chéng,to ride; to mount; to make use of; to avail oneself of; to take advantage of; to multiply (math.); Buddhist sect or creed -乘,shèng,(archaic) four horse military chariot; (archaic) four; generic term for history books -乘人不备,chéng rén bù bèi,to take advantage of sb in an unguarded moment (idiom); to take sb by surprise -乘人之危,chéng rén zhī wēi,to take advantage of sb's precarious position -乘以,chéng yǐ,(math.) multiplied with -乘便,chéng biàn,at your convenience -乘幂,chéng mì,(math.) to exponentiate; to raise (a number) to a power; exponentiation; power -乘务,chéng wù,"service (on a train, a plane etc)" -乘务员,chéng wù yuán,"attendant on an airplane, train, boat etc" -乘胜,chéng shèng,to follow up a victory; to pursue retreating enemy -乘胜追击,chéng shèng zhuī jī,to follow up a victory and press home the attack; to pursue retreating enemy -乘势,chéng shì,to seize the opportunity; to strike while the iron is hot -乘坐,chéng zuò,to ride (in a vehicle) -乘坚策肥,chéng jiān cè féi,to live in luxury; lit. to ride a solid carriage pulled by fat horses -乘客,chéng kè,passenger -乘搭,chéng dā,"to ride as a passenger (in a car, boat, plane etc)" -乘数,chéng shù,multiplier -乘方,chéng fāng,(math.) to exponentiate; to raise (a number) to a power; exponentiation; power -乘机,chéng jī,to take the opportunity; to take a plane -乘法,chéng fǎ,multiplication -乘法表,chéng fǎ biǎo,multiplication table -乘法逆,chéng fǎ nì,multiplicative inverse (math.) -乘凉,chéng liáng,to cool off in the shade -乘火打劫,chéng huǒ dǎ jié,to take advantage of sb's misfortune; to loot -乘用车,chéng yòng chē,passenger vehicle -乘积,chéng jī,product (result of multiplication) -乘组,chéng zǔ,crew (on board a spacecraft) -乘兴,chéng xìng,while in high spirits; feeling upbeat; on an impulse -乘船,chéng chuán,to embark; to travel by ship; to ferry -乘虚,chéng xū,to take advantage of weakness -乘虚而入,chéng xū ér rù,to enter by exploiting a weak spot (idiom); to take advantage of a lapse -乘号,chéng hào,multiplication sign (math.) -乘警,chéng jǐng,police on trains; train marshal -乘车,chéng chē,to ride (in a car or carriage); to drive; to motor -乘除,chéng chú,to multiply and divide -乘隙,chéng xì,to seize an opportunity; to exploit (a loophole) -乘风,chéng fēng,to ride the wind; to use a fair wind; to take an opportunity -乘风破浪,chéng fēng pò làng,to brave the wind and the billows (idiom); to have high ambitions -乘鹤,chéng hè,to fly on a crane; to die -乘龙,chéng lóng,to ride the dragon; to die (of emperors and kings) -乘龙快婿,chéng lóng kuài xù,ideal son-in-law -乙,yǐ,"second of the ten Heavenly Stems 十天干[shi2 tian1 gan1]; second in order; letter ""B"" or Roman ""II"" in list ""A, B, C"", or ""I, II, III"" etc; second party (in legal contract, usually 乙方[yi3 fang1], as opposed to 甲方[jia3 fang1]); ethyl; bent; winding; radical in Chinese characters (Kangxi radical 5); ancient Chinese compass point: 105°" -乙,zhé,"turning stroke (in Chinese characters), aka 折[zhe2]" -乙丑,yǐ chǒu,"second year B2 of the 60 year cycle, e.g. 1985 or 2045" -乙二醇,yǐ èr chún,glycol; ethylene glycol C2H4(OH)2 (antifreeze) -乙亥,yǐ hài,"twelfth year B12 of the 60 year cycle, e.g. 1995 or 2055" -乙卯,yǐ mǎo,"fifty-second year B4 of the 60 year cycle, e.g. 1975 or 2035" -乙型,yǐ xíng,type B; type II; beta- -乙型肝炎,yǐ xíng gān yán,hepatitis B -乙型脑炎,yǐ xíng nǎo yán,"epidemic encephalitis B, aka Japanese encephalitis" -乙基,yǐ jī,ethyl group (chemistry) -乙太,yǐ tài,variant of 以太[yi3 tai4] -乙巳,yǐ sì,"forty-second year B6 of the 60 year cycle, e.g. 1965 or 2025" -乙方,yǐ fāng,second party (law) (contrasted with 甲方[jia3 fang1]) -乙未,yǐ wèi,"thirty-second year B8 of the 60 year cycle, e.g. 1955 or 2015" -乙氧基,yǐ yǎng jī,ethoxy (chemistry) -乙氨基,yǐ ān jī,ethylamino group -乙炔,yǐ quē,acetylene; ethyne C2H2 -乙烯,yǐ xī,ethylene; vinyl -乙烯基,yǐ xī jī,vinyl; vinyl group (chemistry) -乙烷,yǐ wán,ethane (C2H6) -乙状结肠,yǐ zhuàng jié cháng,"sigmoid colon (anatomy); bent colon, linking the descending colon to the rectum" -乙硫醇,yǐ liú chún,ethanethiol (chemistry) -乙种,yǐ zhǒng,beta- or type 2 -乙种射线,yǐ zhǒng shè xiàn,beta ray (electron stream from radioactive decay) -乙种粒子,yǐ zhǒng lì zǐ,"beta particle (electron, esp. high speed electron emitted by radioactive nucleus)" -乙肝,yǐ gān,hepatitis B -乙脑,yǐ nǎo,epidemic encephalitis B (abbr. for 乙型腦炎|乙型脑炎[yi3 xing2 nao3 yan2]) -乙酉,yǐ yǒu,"twenty-second year B10 of the 60 year cycle, e.g. 2005 or 2065" -乙酰,yǐ xiān,acetyl (chemistry) -乙酰胺吡咯烷酮,yǐ xiān àn bǐ luò wán tóng,piracetam (C6H10N2O2) -乙酰胆碱,yǐ xiān dǎn jiǎn,acetylcholine ACh (amine related to vitamin B complex) -乙酸,yǐ suān,acetic acid (CH3COOH); ethanoic acid -乙酸基,yǐ suān jī,acetyl radical CH3COO- -乙酸根,yǐ suān gēn,acetyl radical CH3COO- -乙酸盐,yǐ suān yán,acetate CH3COO- -乙醇,yǐ chún,ethanol C2H5OH; same as alcohol 酒精 -乙醇酸,yǐ chún suān,glycolic acid C2H4O3 -乙醚,yǐ mí,ether; diethyl ether C2H5OC2H5 -乙醛,yǐ quán,acetaldehyde H3CCHO; ethanal -乚,yà,component in Chinese characters; archaic variant of 毫[hao2]; archaic variant of 乙[yi3] -乛,zhé,variant of 乙[zhe2] -乜,niè,surname Nie -乜,miē,used in 乜斜[mie1xie5]; (Cantonese) what? -乜嘢,miē yě,what? (Cantonese) (Mandarin equivalent: 什麼|什么[shen2 me5]) -乜斜,miē xie,to squint -九,jiǔ,nine; 9 -九一八事变,jiǔ yī bā shì biàn,the Mukden or Manchurian Railway Incident of 18th September 1931 used by the Japanese as a pretext to annex Manchuria; also known as Liutiaogou incident 柳條溝事變|柳条沟事变 -九三学社,jiǔ sān xué shè,"Jiusan Society, one of the eight political parties of the CCP" -九九乘法表,jiǔ jiǔ chéng fǎ biǎo,multiplication table -九九归一,jiǔ jiǔ guī yī,nine divide by nine is one (abacus rule); when all is said and done -九九重阳,jiǔ jiǔ chóng yáng,Double Ninth or Yang Festival; 9th day of 9th lunar month -九二共识,jiǔ èr gòng shí,"1992 Consensus, statement issued after 1992 talks between PRC and Taiwan representatives, asserting that there is only one China" -九份,jiǔ fèn,"Jiufen (or Jioufen or Chiufen), mountainside town in north Taiwan, former gold mining town, used as the setting for two well-known movies" -九分之一,jiǔ fēn zhī yī,one ninth -九十,jiǔ shí,ninety -九卿,jiǔ qīng,the Nine Ministers (in imperial China) -九原区,jiǔ yuán qū,"Jiuyuan district of Baotou city 包頭市|包头市[Bao1 tou2 shi4], Inner Mongolia" -九台,jiǔ tái,"Jiutai District of Changchun city 長春市|长春市, Jilin" -九台区,jiǔ tái qū,"Jiutai District of Changchun city 長春市|长春市, Jilin" -九天,jiǔ tiān,the ninth heaven; the highest of the heavens -九天揽月,jiǔ tiān lǎn yuè,(idiom) to reach for the stars -九天玄女,jiǔ tiān xuán nǚ,"Xuan Nü, a fairy in Chinese mythology" -九如,jiǔ rú,"Chiuju township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -九如乡,jiǔ rú xiāng,"Chiuju township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -九孔,jiǔ kǒng,abalone (Haliotis diversicolor) -九孔螺,jiǔ kǒng luó,see 九孔[jiu3 kong3] -九官鸟,jiǔ guān niǎo,hill myna; Indian grackle; Gracula religiosa -九宫山,jiǔ gōng shān,"Jiugong Mountains (the location of Jiugong Mountain National Park), in Tongshan County, Xianning 咸寧|咸宁[Xian2 ning2], Hubei" -九宫山镇,jiǔ gōng shān zhèn,"Jiugongshan town in Tongshan county, Xianning prefecture-level city 咸寧|咸宁[Xian2 ning2], Hubei" -九宫格,jiǔ gōng gé,3-by-3 grid -九宫格数独,jiǔ gōng gé shù dú,sudoku (puzzle game) -九寨沟,jiǔ zhài gōu,"Jiuzhaigou Valley, Sichuan; Jiuzhaigou county, Sichuan" -九寨沟县,jiǔ zhài gōu xiàn,"Jiuzhaigou county, Sichuan" -九寨沟风景名胜区,jiǔ zhài gōu fēng jǐng míng shèng qū,"Jiuzhaigou Valley Scenic and Historical Interest Area, Sichuan" -九尾狐,jiǔ wěi hú,nine-tailed fox (mythological creature) -九尾龟,jiǔ wěi guī,"nine-tailed turtle of mythology; The Nine-tailed Turtle, novel by late Qing novelist Zhang Chunfan 張春帆|张春帆" -九层塔,jiǔ céng tǎ,basil -九嶷山,jiǔ yí shān,Jiuyi Mountains in Hunan on the border with Guangdong -九州,jiǔ zhōu,"division of China during earliest dynasties; fig. ancient China; Kyūshū, southernmost of Japan's four major islands" -九巴,jiǔ bā,Kowloon Motor Bus (KMB) (abbr. for 九龍巴士|九龙巴士) -九成,jiǔ chéng,nine-tenths; ninety percent -九折,jiǔ zhé,10% off (price) -九旬老人,jiǔ xún lǎo rén,nonagenarian -九月,jiǔ yuè,September; ninth month (of the lunar year) -九月份,jiǔ yuè fèn,September; ninth month -九校联盟,jiǔ xiào lián méng,"C9 League, alliance of nine prestigious Chinese universities, established in 1998" -九归,jiǔ guī,abacus division rules (using a single-digit divisor) -九死一生,jiǔ sǐ yī shēng,nine deaths and still alive (idiom); a narrow escape; new lease of life -九江,jiǔ jiāng,Jiujiang prefecture-level city in Jiangxi; also Jiujiang county -九江市,jiǔ jiāng shì,Jiujiang prefecture-level city in Jiangxi -九江县,jiǔ jiāng xiàn,"Jiujiang county in Jiujiang 九江, Jiangxi" -九泉,jiǔ quán,the nine springs; the underworld of Chinese mythology; Hades -九流,jiǔ liú,"the nine schools of thought, philosophical schools of the Spring and Autumn and Warring States Periods (770-220 BC), viz Confucians 儒家[Ru2 jia1], Daoists 道家[Dao4 jia1], Yin and Yang 陰陽家|阴阳家[Yin1 yang2 jia1], Legalists 法家[Fa3 jia1], Logicians 名家[Ming2 jia1], Mohists 墨家[Mo4 jia1], Diplomats 縱橫家|纵横家[Zong4 heng2 jia1], Miscellaneous 雜家|杂家[Za2 jia1], and Agriculturalists 農家|农家[Nong2 jia1]" -九渊,jiǔ yuān,abyss; deep chasm -九牛一毛,jiǔ niú yī máo,lit. one hair from nine oxen (idiom); fig. a drop in the ocean -九牛二虎之力,jiǔ niú èr hǔ zhī lì,tremendous strength (idiom) -九窍,jiǔ qiào,"nine orifices of the human body (eyes, nostrils, ears, mouth, urethra, anus)" -九章算术,jiǔ zhāng suàn shù,The Nine Chapters on the Mathematical Art -九声六调,jiǔ shēng liù diào,nine tones and six modes (tonal system of Cantonese and other southern languages) -九华山,jiǔ huá shān,"Mount Jiuhua in Anhui, scenic tourist site, and one of the four famous Buddhist mountains" -九号球,jiǔ hào qiú,nine-ball (billiards game) -九连环,jiǔ lián huán,"Chinese rings, a brainteaser toy consisting of nine rings interlocked on a looped handle, the objective being to remove the rings from the handle" -九边形,jiǔ biān xíng,nonagon -九里,jiǔ lǐ,"Liuli district of Xuzhou city 徐州市[Xu2 zhou1 shi4], Jiangsu" -九里区,jiǔ lǐ qū,"Liuli district of Xuzhou city 徐州市[Xu2 zhou1 shi4], Jiangsu" -九重霄,jiǔ chóng xiāo,ninth heaven; Highest Heaven -九野,jiǔ yě,"the nine ""fields"" into which Heaven was anciently divided; the Nine Provinces of ancient China" -九零后,jiǔ líng hòu,90s generation -九霄云外,jiǔ xiāo yún wài,beyond the topmost clouds (idiom); unimaginably far away -九面体,jiǔ miàn tǐ,enneahedron (solid figure having nine plane faces) -九头鸟,jiǔ tóu niǎo,legendary bird with nine heads (old); cunning or sly person -九香虫,jiǔ xiāng chóng,brown marmorated stinkbug (BMSB) -九鼎,jiǔ dǐng,"the Nine Tripod Cauldrons, symbol of state power, dating back to the Xia Dynasty" -九齿钉耙,jiǔ chǐ dīng pá,The Nine-Toothed Rake (weapon of Zhu Bajie 豬八戒|猪八戒[Zhu1 Ba1 jie4]) -九龙,jiǔ lóng,Kowloon district of Hong Kong -九龙坡,jiǔ lóng pō,"Jiulongpo, a district of Chongqing 重慶|重庆[Chong2qing4]" -九龙坡区,jiǔ lóng pō qū,"Jiulongpo, a district of Chongqing 重慶|重庆[Chong2qing4]" -九龙坡区,jiǔ lóng pō qū,"Jiulongpo district of central Chongqing municipality, formerly in Sichuan" -九龙城,jiǔ lóng chéng,"Kowloon City, Hong Kong" -九龙城寨,jiǔ lóng chéng zhài,Kowloon Walled City -九龙县,jiǔ lóng xiàn,"Jiulong county (Tibetan: brgyad zur rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1], Sichuan (formerly in Kham province of Tibet)" -乞,qǐ,to beg -乞丐,qǐ gài,beggar -乞人,qǐ rén,beggar -乞伏,qǐ fú,tribe of the Xianbei 鮮卑|鲜卑 nomadic people -乞休,qǐ xiū,to request permission to resign from an official position (old) -乞儿,qǐ ér,beggar -乞力马扎罗山,qǐ lì mǎ zhā luó shān,Mt Kilimanjaro in Tanzania -乞和,qǐ hé,to sue for peace -乞哀告怜,qǐ āi gào lián,begging for pity and asking for help (idiom) -乞恕,qǐ shù,to beg forgiveness -乞怜,qǐ lián,to beg for pity -乞求,qǐ qiú,to beg -乞讨,qǐ tǎo,to beg; to go begging -乞贷,qǐ dài,to beg for a loan -乞食,qǐ shí,to beg for food -也,yě,surname Ye -也,yě,(adverb) also; both ... and ... (before predicates only); (literary) particle having functions similar to 啊[a5] -也好,yě hǎo,that's fine; may as well; (reduplicated) regardless of whether ... or ... -也好不了多少,yě hǎo bu liǎo duō shǎo,hardly any better; just as bad -也好不到哪里去,yě hǎo bù dào nǎ lǐ qù,just as bad; not much better -也就是,yě jiù shì,that is; i.e. -也就是说,yě jiù shì shuō,in other words; that is to say; so; thus -也有今天,yě yǒu jīn tiān,(coll.) to get one's just deserts; to serve sb right; to get one's share of (good or bad things); every dog has its day -也罢,yě bà,(reduplicated) whether... or...; never mind; fine (indicating acceptance or resignation) -也许,yě xǔ,perhaps; maybe -也门,yě mén,Yemen -乩,jī,to divine -乩童,jī tóng,spirit medium -乳,rǔ,breast; milk -乳交,rǔ jiāo,mammary intercourse -乳光,rǔ guāng,"(mineralogy, physics) opalescence" -乳儿,rǔ ér,nursing infant; child less than one year old -乳剂,rǔ jì,emulsion -乳化,rǔ huà,to emulsify -乳化剂,rǔ huà jì,emulsifier -乳名,rǔ míng,pet name for a child; infant name -乳品,rǔ pǐn,dairy product -乳哺,rǔ bǔ,(literary) to feed an infant breast milk -乳山,rǔ shān,"Rushan, county-level city in Weihai 威海, Shandong" -乳山市,rǔ shān shì,"Rushan, county-level city in Weihai 威海, Shandong" -乳房,rǔ fáng,breast; udder -乳房摄影,rǔ fáng shè yǐng,mammography -乳晕,rǔ yùn,mammary areola -乳果糖,rǔ guǒ táng,lactulose -乳杆菌,rǔ gǎn jūn,lactobacillus -乳母,rǔ mǔ,wet nurse -乳汁,rǔ zhī,milk -乳液,rǔ yè,(skin) cream; lotion; emulsion -乳清,rǔ qīng,whey -乳源瑶族自治县,rǔ yuán yáo zú zì zhì xiàn,"Ruyuan Yao Autonomous County in Shaoguan 韶關|韶关[Shao2 guan1], Guangdong" -乳源县,rǔ yuán xiàn,"Ruyuan Yao Autonomous County in Shaoguan 韶關|韶关[Shao2 guan1], Guangdong" -乳沟,rǔ gōu,cleavage (hollow between a woman's breasts) -乳滑,rǔ huá,"(Internet slang) variant of 辱華|辱华[ru3 Hua2], to insult China" -乳浆,rǔ jiāng,milky liquid; whey -乳燕,rǔ yàn,baby swallow -乳牙,rǔ yá,deciduous tooth; milk tooth; baby tooth -乳牛,rǔ niú,dairy cattle -乳癌,rǔ ái,breast cancer -乳白,rǔ bái,milky white; cream color -乳白天空,rǔ bái tiān kōng,whiteout -乳白色,rǔ bái sè,milky white -乳突,rǔ tū,mastoid process -乳突窦,rǔ tū dòu,mastoid antrum (bones at the back of tympanic chamber) -乳糖,rǔ táng,lactose -乳糖不耐症,rǔ táng bù nài zhèng,lactose intolerance -乳糜泻,rǔ mí xiè,celiac disease -乳钵,rǔ bō,small mortar used for grinding medicines into a powder (TCM) -乳罩,rǔ zhào,bra -乳脂,rǔ zhī,cream; milk fat -乳腐,rǔ fǔ,fermented soybean curd -乳腺,rǔ xiàn,mammary gland -乳腺炎,rǔ xiàn yán,mastitis -乳腺癌,rǔ xiàn ái,breast cancer -乳胶,rǔ jiāo,latex -乳胶漆,rǔ jiāo qī,latex paint; emulsion paint -乳臭未干,rǔ xiù wèi gān,lit. smell of breast milk not yet dried (idiom); fig. immature and inexperienced; still wet behind the ears -乳草,rǔ cǎo,milkweeds (genus Asclepias) -乳制品,rǔ zhì pǐn,dairy products -乳猪,rǔ zhū,suckling pig -乳贴,rǔ tiē,pasties -乳部,rǔ bù,breasts -乳酪,rǔ lào,cheese -乳酪蛋糕,rǔ lào dàn gāo,cheesecake -乳酪饼,rǔ lào bǐng,"(Tw) a square sheet of pastry, typically pan-fried and served with savory fillings or sweet jam" -乳酸,rǔ suān,lactic acid -乳酸菌,rǔ suān jūn,lactic acid bacteria -乳头,rǔ tóu,nipple -乳头瘤,rǔ tóu liú,papilloma -乳香,rǔ xiāng,frankincense -乳黄色,rǔ huáng sè,cream (color) -乳齿,rǔ chǐ,deciduous tooth; milk tooth; baby tooth -乶,fǔ,"(phonetic ""pol"", used in Korean place names)" -乶下,fǔ xià,"Polha, a place in the Joseon dynasty province of Hamgyeong 咸鏡道|咸镜道[Xian2 jing4 Dao4]" -乾,qián,old variant of 乾[qian2] -干,gān,old variant of 乾|干[gan1] -乾,qián,surname Qian -乾,qián,"one of the Eight Trigrams 八卦[ba1 gua4], symbolizing heaven; male principle; ☰; ancient Chinese compass point: 315° (northwest)" -干,gān,surname Gan -干,gān,dry; dried food; empty; hollow; taken in to nominal kinship; adoptive; foster; futile; in vain; (dialect) rude; blunt; (dialect) to cold-shoulder -干俸,gān fèng,income provided by a sinecure -干儿,gān ér,"adopted son (traditional adoption, i.e. without legal ramifications)" -干儿,gān er,dried food -干儿子,gān ér zi,"adopted son (traditional adoption, i.e. without legal ramifications)" -干冰,gān bīng,dry ice (i.e. frozen CO2); CL:塊|块[kuai4] -干咳,gān ké,to cough without phlegm; a dry cough -乾嘉三大家,qián jiā sān dà jiā,"Three great poets of the Qianlong and Jiaqing era (1735-1820), namely: Yuan Mei 袁枚, Jiang Shiquan 蔣士銓|蒋士铨 and Zhao Yi 趙翼|赵翼" -干呕,gān ǒu,to retch -干哕,gān yue,to dry-heave; to retch -干嚎,gān háo,to cry out loud without tears -乾坤,qián kūn,yin and yang; heaven and earth; the universe -干女儿,gān nǚ ér,"adopted daughter (traditional adoption, i.e. without legal ramifications)" -干娘,gān niáng,"adoptive mother (traditional adoption, i.e. without legal ramifications)" -干妈,gān mā,"adoptive mother (traditional adoption, i.e. without legal ramifications)" -乾安,qián ān,"Qian'an county in Songyuan 松原, Jilin" -乾安县,qián ān xiàn,"Qian'an county in Songyuan 松原, Jilin" -干尸,gān shī,a mummy -干巴巴,gān bā bā,dry; parched; dull; insipid -干手机,gān shǒu jī,hand dryer -干打垒,gān dǎ lěi,rammed earth; adobe house -乾旦,qián dàn,male actor playing the female role (Chinese opera) -干旱,gān hàn,drought; arid; dry -干旱土,gān hàn tǔ,aridisol (soil taxonomy) -干杯,gān bēi,to drink a toast; Cheers! (proposing a toast); Here's to you!; Bottoms up!; lit. dry cup -干果,gān guǒ,dried fruit; dry fruits (nuts etc) -干枯,gān kū,withered; shriveled; dried-up -干梅子,gān méi zi,prunes -干洗,gān xǐ,to dry clean; dry cleaning -干涸,gān hé,to dry up -干净,gān jìng,clean; neat -干净俐落,gān jìng lì luò,clean and efficient; neat and tidy -干净利落,gān jìng lì luo,squeaky clean; neat and tidy; efficient -干渴,gān kě,parched; dry mouth -干潮,gān cháo,low tide; low water -干涩,gān sè,dry and rough (skin); hoarse (voice); dry and heavy (style) -干煸,gān biān,to stir-fry with oil only (no addition of water) -干煸四季豆,gān biān sì jì dòu,"fried beans, Sichuan style" -干煸土豆丝,gān biān tǔ dòu sī,dry-fried potato slices (Chinese dish) -干煸豆角,gān biān dòu jiǎo,"green beans in sauce, popular Beijing dish" -干燥,gān zào,"(of weather, climate, soil etc) dry; arid; (of skin, mouth etc) dry; (fig.) dull; dry; boring; (of timber etc) to dry out; to season; to cure" -干燥剂,gān zào jì,desiccant -干燥机,gān zào jī,a drier -干爹,gān diē,"adoptive father (traditional adoption, i.e. without legal ramifications)" -干爽,gān shuǎng,dry and clean; clear and fresh -干物女,gān wù nǚ,"single girl who lives a lackadaisical life, uninterested in relationships (orthographic borrowing from Japanese 干物女 ""himono onna"")" -干瘦,gān shòu,wizened; skinny and shriveled -干瘪,gān biě,dried out; wizened; shriveled -干癣,gān xuǎn,psoriasis -干眼症,gān yǎn zhèng,"dry eye; xerophthalmia (drying of the tear glands, often due to lack of vitamin A)" -干瞪眼,gān dèng yǎn,to watch helplessly -干笑,gān xiào,to give a hollow laugh; to force a smile; forced laugh; CL:聲|声[sheng1] -干等,gān děng,to wait in vain; to sit around waiting -干粉,gān fěn,dry powder -干粮,gān liáng,rations (to take on expedition) -干粮袋,gān liáng dài,knapsack (for provisions); haversack -乾县,qián xiàn,"Qian County in Xianyang 咸陽|咸阳[Xian2 yang2], Shaanxi" -干脆,gān cuì,candid; direct and to the point; simply; just; might as well -干脆利索,gān cuì lì suo,see 乾脆利落|干脆利落[gan1 cui4 li4 luo5] -干脆利落,gān cuì lì luo,(of speech or actions) direct and efficient; without fooling around -干草,gān cǎo,hay -干菜,gān cài,dried vegetable -干叶,gān yè,dried leaf -干着急,gān zháo jí,to worry helplessly -干姜,gān jiāng,dried ginger -干号,gān háo,to cry out loud without tears -干衣,gān yī,drysuit (diving) -干裂,gān liè,(of dry soil etc) to crack; (of skin) to chap -干贝,gān bèi,conpoy; dried scallop -干货,gān huò,"dried food (including dried fruits, mushrooms and seafoods such as shrimp and abalone); (fig.) (coll.) knowledge presented in readily assimilable form; just what you want to know: no more, no less (no 水分[shui3 fen1])" -干透,gān tòu,to dry out; to dry completely -干酪,gān lào,cheese -干酪素,gān lào sù,casein -干锅,gān guō,"dry pot, a type of dish in which ingredients are wok-fried, then served hot in a clay pot or on a metal pan" -乾陵,qián líng,"Qianling at Xianyang 咸陽市|咸阳市 in Shaanxi, burial site of third Tang emperor 高宗 and empress Wuzetian 武則天|武则天" -乾隆,qián lóng,"Qianlong Emperor (1711-1799), sixth Qing emperor, princely title 寶親王|宝亲王[Bao3 Qin1 wang2], personal name 弘曆|弘历[Hong2 li4], reigned 1735-1799" -干饭,gān fàn,plain cooked rice (as opposed to rice porridge) -干馏,gān liú,to carbonize; dry distillation; carbonization -干面,gān miàn,noodles mixed with a sauce and served with toppings (not in a soup); (dialect) flour -乿,luàn,archaic variant of 亂|乱[luan4] -乿,zhì,archaic variant of 治[zhi4] -乾,qián,variant of 乾[qian2] -干,gān,variant of 乾|干[gan1] -乱,luàn,in confusion or disorder; in a confused state of mind; disorder; upheaval; riot; illicit sexual relations; to throw into disorder; to mix up; indiscriminate; random; arbitrary -乱七八糟,luàn qī bā zāo,(idiom) chaotic; in disorder; muddled -乱世,luàn shì,the world in chaos; troubled times; (in Buddhism) the mortal world -乱世佳人,luàn shì jiā rén,Gone with the Wind (film) -乱丢,luàn diū,to discard in the wrong place (cigarette butts etc); to leave one's things lying around -乱作决定,luàn zuò jué dìng,to make arbitrary decisions -乱来,luàn lái,to act recklessly; to mess around -乱伦,luàn lún,to violate moral principles; depravity; (esp.) to commit incest; incest -乱动,luàn dòng,to fiddle with; to tamper with; to meddle with; to move randomly; to flail about -乱叫,luàn jiào,to inconsiderately shout -乱吃,luàn chī,to eat indiscriminately -乱咕攘,luàn gū rang,to disturb (dialect) -乱哄哄,luàn hōng hōng,noisy and in disarray; in an uproar -乱套,luàn tào,in a mess; upside down -乱子,luàn zi,disturbance; trouble -乱写,luàn xiě,to write without basis -乱局,luàn jú,chaotic situation -乱弹琴,luàn tán qín,to talk nonsense; to behave like a fool -乱成一团,luàn chéng yī tuán,in a great mess; chaotic -乱扔,luàn rēng,to throw (sth) without due care; (esp.) to litter -乱抓,luàn zhuā,to claw wildly; to scratch frantically; to arrest people indiscriminately -乱掉,luàn diào,messed up; in disarray; chaotic -乱搞,luàn gǎo,to make a mess; to mess with; to be wild; to sleep around; to jump into bed -乱搞男女关系,luàn gǎo nán nǚ guān xì,to be promiscuous; to sleep around -乱政,luàn zhèng,to corrupt politics -乱数,luàn shù,random number -乱民,luàn mín,rebels -乱画,luàn huà,to doodle; graffito; doodle -乱真,luàn zhēn,to pass off as genuine; spurious -乱石,luàn shí,rocks; stones; rubble; riprap -乱石砸死,luàn shí zá sǐ,to stone to death -乱码,luàn mǎ,mojibake (nonsense characters displayed when software fails to render text according to its intended character encoding) -乱穿马路,luàn chuān mǎ lù,to jaywalk -乱窜,luàn cuàn,to flee in disarray; to scatter -乱糟糟,luàn zāo zāo,chaotic; topsy turvy; a complete mess -乱纪,luàn jì,to break the rules; to break discipline -乱臣贼子,luàn chén zéi zǐ,rebels and traitors (idiom); general term for scoundrel -乱花,luàn huā,to spend recklessly; to waste money -乱花钱,luàn huā qián,to spend money recklessly; to squander -乱葬岗,luàn zàng gǎng,unmarked burial mound; untended graveyard; mass grave -乱蓬蓬,luàn pēng pēng,disheveled; tangled -乱视,luàn shì,astigmatism (medicine) (Tw) -乱说,luàn shuō,to talk drivel; to make irresponsible remarks -乱讲,luàn jiǎng,to talk nonsense; nonsense! -乱象,luàn xiàng,chaos; madness -乱跑,luàn pǎo,to run around all over the place -乱跳,luàn tiào,to jump about; (of the heart) to beat wildly -乱道,luàn dào,see 亂說|乱说[luan4 shuo1] -乱麻,luàn má,lit. tangled skein; in a tremendous muddle; confused -乱党,luàn dǎng,the rebel party -亅,jué,"""vertical stroke with hook"" radical in Chinese characters (Kangxi radical 6), aka 豎鉤|竖钩[shu4gou1]" -了,le,"(completed action marker); (modal particle indicating change of state, situation now); (modal particle intensifying preceding clause)" -了,liǎo,to finish; to achieve; variant of 瞭|了[liao3]; to understand clearly -了不得,liǎo bu de,terrific; terrible; (after 得[de5]) very -了不起,liǎo bu qǐ,amazing; terrific; extraordinary -了了,liǎo liǎo,to realize clearly; to settle a matter; to get it over with -了事,liǎo shì,to dispose of a matter; to be done with it -了债,liǎo zhài,to repay one's debt -了却,liǎo què,to resolve; to settle -了却此生,liǎo què cǐ shēng,to die; to be done with this world -了去了,le qù le,"(coll.) (after adjectives such as 多[duo1], 大[da4], 遠|远[yuan3], 高[gao1]) very; extremely" -了如指掌,liǎo rú zhǐ zhǎng,"to know sth like the back of one's hand (idiom); to know (a person, a place etc) inside out" -了局,liǎo jú,end; conclusion; solution -了得,liǎo de,exceptional; outstanding; dreadful; appalling -了断,liǎo duàn,to bring to a conclusion; to settle (a dispute); to do away with (oneself); to break off (a relationship); resolution (of a problem) -了无,liǎo wú,to completely lack; to have not even the slightest -了无新意,liǎo wú xīn yì,unoriginal; stereotyped -了无生趣,liǎo wú shēng qù,to lose all interest in life (idiom) -了然,liǎo rán,to understand clearly; evident -了然于胸,liǎo rán yú xiōng,to be well aware; to understand clearly -了当,liǎo dàng,frank; outspoken; ready; settled; in order; (old) to deal with; to handle -了知,liǎo zhī,(Buddhism) to fully understand; to understand completely -了结,liǎo jié,to settle; to finish; to conclude; to wind up -了若指掌,liǎo ruò zhǐ zhǎng,see 了如指掌[liao3 ru2 zhi3 zhang3] -了解,liǎo jiě,to understand; to realize; to find out -予,yú,(archaic) I; me -予,yǔ,(literary) to give -予人口实,yǔ rén kǒu shí,to give cause for gossip -予以,yǔ yǐ,to give; to impose; to apply -予以照顾,yǔ yǐ zhào gù,to ask sb to carefully consider a request (idiom) -事,shì,"matter; thing; item; work; affair; CL:件[jian4],樁|桩[zhuang1],回[hui2]" -事不宜迟,shì bù yí chí,the matter should not be delayed; there's no time to lose -事不过三,shì bù guò sān,(idiom) a thing should not be attempted more than three times; don't repeat the same mistake again and again; (idiom) bad things don't happen more than three times -事不关己,shì bù guān jǐ,a matter of no concern to oneself (idiom) -事主,shì zhǔ,victim (of a criminal); party involved (in a dispute etc); main instigator -事事,shì shì,everything -事件,shì jiàn,event; happening; incident; CL:個|个[ge4] -事件相关电位,shì jiàn xiāng guān diàn wèi,(neuroscience) event-related potential -事例,shì lì,example; exemplar; typical case -事倍功半,shì bèi gōng bàn,twice the effort for half the result -事假,shì jià,leave of absence for a personal matter -事先,shì xiān,in advance; before the event; beforehand; prior -事先通知,shì xiān tōng zhī,preliminary notification; to announce in advance -事儿,shì er,"one's employment; business; matter that needs to be settled; (northern dialect) (of a person) demanding; trying; troublesome; erhua variant of 事[shi4]; CL:件[jian4],樁|桩[zhuang1]" -事儿妈,shì er mā,(coll.) fussbudget; pain in the ass -事典,shì diǎn,encyclopedia -事到今日,shì dào jīn rì,under the circumstances; the matter having come to that point -事到如今,shì dào rú jīn,as matters stand; things having reached this stage -事到临头,shì dào lín tóu,when things come to a head (idiom) -事前,shì qián,in advance; before the event -事务,shì wù,"(political, economic etc) affairs; work; transaction (as in a computer database)" -事务律师,shì wù lǜ shī,solicitor (law) -事务所,shì wù suǒ,business office; firm -事务繁忙,shì wù fán máng,busy; bustling -事势,shì shì,state of affairs -事半功倍,shì bàn gōng bèi,"half the work, twice the effect (idiom); the right approach saves effort and leads to better results; a stitch in time saves nine" -事危累卵,shì wēi lěi luǎn,lit. the matter has become a pile of eggs (idiom); fig. at a critical juncture -事在人为,shì zài rén wéi,"the matter depends on the individual (idiom); it is a matter for your own effort; With effort, one can achieve anything." -事奉,shì fèng,to serve -事宜,shì yí,matters; arrangements -事实,shì shí,fact; CL:個|个[ge4] -事实上,shì shí shàng,in fact; in reality; actually; as a matter of fact; de facto; ipso facto -事实胜于雄辩,shì shí shèng yú xióng biàn,facts speak louder than words (idiom) -事实婚,shì shí hūn,common-law marriage; de facto marriage -事实根据,shì shí gēn jù,factual basis -事已至此,shì yǐ zhì cǐ,see 事到如今[shi4 dao4 ru2 jin1] -事后,shì hòu,after the event; in hindsight; in retrospect -事后聪明,shì hòu cōng ming,"wise after the event (idiom); with hindsight, one should have predicted it" -事后诸葛亮,shì hòu zhū gě liàng,person who is wise after the event -事必躬亲,shì bì gōng qīn,to attend to everything personally -事怕行家,shì pà háng jiā,an expert always produces the best work (idiom) -事情,shì qing,"affair; matter; thing; business; CL:件[jian4],樁|桩[zhuang1]" -事态,shì tài,situation; existing state of affairs -事态发展,shì tài fā zhǎn,course of events -事故,shì gù,"accident; CL:樁|桩[zhuang1],起[qi3],次[ci4]" -事故照射,shì gù zhào shè,accidental exposure -事业,shì yè,"undertaking; project; activity; (charitable, political or revolutionary) cause; publicly funded institution, enterprise or foundation; career; occupation; CL:個|个[ge4]" -事业单位,shì yè dān wèi,public institution; (Tw) business enterprise; company; firm -事业心,shì yè xīn,devotion to one's work; professional ambition -事业有成,shì yè yǒu chéng,to be successful in business; professional success -事业线,shì yè xiàn,(slang) cleavage; (palmistry) business line -事机,shì jī,confidential aspects of a matter; secrets; key moment for action -事权,shì quán,position; authority; responsibility -事无大小,shì wú dà xiǎo,see 事無巨細|事无巨细[shi4 wu2 ju4 xi4] -事无巨细,shì wú jù xì,"lit. things are not separated according to their size (idiom); fig. to deal with any matter, regardless of its importance" -事物,shì wù,thing; object; CL:個|个[ge4] -事理,shì lǐ,reason; logic -事由,shì yóu,main content; matter; work; origin of an incident; cause; purpose; subject (of business letter) -事界,shì jiè,event horizon -事略,shì lüè,biographical sketch -事发地点,shì fā dì diǎn,the scene of the incident -事发时,shì fā shí,the time of the incident -事端,shì duān,disturbance; incident -事与愿违,shì yǔ yuàn wéi,things turn out contrary to the way one wishes (idiom) -事证,shì zhèng,evidence -事变,shì biàn,incident; unforeseen event; events (in general) -事迹,shì jì,deed; past achievement; important event of the past -事过境迁,shì guò jìng qiān,"The issue is in the past, and the situation has changed (idiom).; It is water under the bridge." -事关,shì guān,to concern; on (some topic); about; concerning; to have importance for -事关重大,shì guān zhòng dà,the implications are profound; the ramifications are huge; (of a decision etc) consequential -事项,shì xiàng,matter; item -事体,shì tǐ,things; affairs; decorum -二,èr,two; 2; (Beijing dialect) stupid -二一添作五,èr yī tiān zuò wǔ,lit. one half equals zero point five (division rule in abacus reckoning); to share fairly between two parties; to go fifty-fifty -二丁醚,èr dīng mí,dibutyl ether -二七区,èr qī qū,"Erqi District of Zhengzhou City 鄭州市|郑州市[Zheng4 zhou1 Shi4], Henan" -二世,èr shì,the Second (of numbered kings); second generation (e.g. Chinese Americans) -二人世界,èr rén shì jiè,world with only two people (usually refers to a romantic couple); romantic couple's world -二人台,èr rén tái,genre of song-and-dance duet popular in Inner Mongolia -二人转,èr rén zhuàn,genre of song-and-dance duet popular in northeast China -二代,èr dài,"secondary; twice in the year (of generations of insects, harvests etc)" -二伏,èr fú,中伏[zhong1 fu2] -二来,èr lái,"secondly, ..." -二便,èr biàn,urination and defecation -二倍体,èr bèi tǐ,diploid (in cell biology) -二侧,èr cè,two sides -二价,èr jià,negotiable price; (chemistry) divalent; bivalent -二元,èr yuán,duality; dual; bipolar; binary -二元论,èr yuán lùn,"dualism, belief that the universe is made of two different substance (e.g. mind and matter or good and evil)" -二元醇,èr yuán chún,ethyl alcohol C2H5OH -二八,èr bā,16; sixteen -二八佳人,èr bā jiā rén,16-year-old beauty -二分,èr fēn,second part; the equinox -二分之一,èr fēn zhī yī,one half -二分裂,èr fēn liè,binary division (in bacterial reproduction) -二分音符,èr fēn yīn fú,minim (music) -二分点,èr fēn diǎn,the two equinoxes -二刻拍案惊奇,èr kè pāi àn jīng qí,"Slapping the Table in Amazement (Part II), second of two books of vernacular stories by Ming dynasty novelist Ling Mengchu 凌濛初|凌蒙初[Ling2 Meng2 chu1]" -二副,èr fù,second officer (of ship); second mate -二十,èr shí,twenty; 20 -二十一世纪,èr shí yī shì jì,21st century -二十一条,èr shí yī tiáo,the Japanese Twenty-One Demands of 1915 -二十一点,èr shí yī diǎn,blackjack (card game) -二十世纪,èr shí shì jì,20th century -二十五史,èr shí wǔ shǐ,twenty four dynastic histories (or 25 or 26 in modern editions) -二十八宿,èr shí bā xiù,the twenty-eight constellations -二十四史,èr shí sì shǐ,"the Twenty-Four Histories (25 or 26 in modern editions), collection of books on Chinese dynastic history from 3000 BC till 17th century; fig. a long and complicated story" -二十四孝,èr shí sì xiào,"the Twenty-four Filial Exemplars, classic Confucian text on filial piety from Yuan dynasty" -二十四节气,èr shí sì jié qi,"the 24 solar terms, calculated from the position of the sun on the ecliptic, that divide the year into 24 equal periods" -二十多,èr shí duō,over 20 -二十年目睹之怪现状,èr shí nián mù dǔ zhī guài xiàn zhuàng,"The Strange State of the World Witnessed Over 20 Years, novel by late Qing novelist Wu Jianren 吳趼人|吴趼人[Wu2 Jian3 ren2]" -二十面体,èr shí miàn tǐ,icosahedron -二叉树,èr chā shù,binary tree -二合一,èr hé yī,2-in-1; two-in-one -二名法,èr míng fǎ,binomial nomenclature (taxonomy) -二哈,èr hā,(coll.) silly but cute husky (dog) -二哥,èr gē,second brother -二地主,èr dì zhǔ,sublandlord; tenant who sublets -二奶,èr nǎi,mistress; second wife; lover -二奶专家,èr nǎi zhuān jiā,"""mercenary expert"", a person who is supposedly an independent expert, but receives payment for making comments favorable to a particular entity" -二婚,èr hūn,(coll.) (usu. of women in former times) to marry for a second time; second marriage; person who remarries -二婚头,èr hūn tóu,remarried lady (contemptuous term); lady who marries for a second time -二宝,èr bǎo,second child; second baby -二尕子,èr gǎ zi,scoundrel -二尖瓣,èr jiān bàn,mitral valve (physiology) -二尖瓣狭窄,èr jiān bàn xiá zhǎi,mitral stenosis (physiology) -二屄,èr bī,(slang) idiot; idiotic -二仑,èr lún,"Erlun or Erhlun township in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -二仑乡,èr lún xiāng,"Erlun or Erhlun township in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -二年生,èr nián shēng,biennial (botany) -二度,èr dù,second degree -二心,èr xīn,disloyalty; half-heartedness; duplicity -二恶英,èr è yīng,dioxin -二愣子,èr lèng zi,stupid person; dolt; rash (slang) -二战,èr zhàn,World War II -二房,èr fáng,second branch of an extended family; concubine -二房东,èr fáng dōng,sublandlord; tenant who sublets -二手,èr shǒu,"indirectly acquired; second-hand (information, equipment etc); assistant" -二手房,èr shǒu fáng,second-hand house; house acquired indirectly through a middle-man -二手烟,èr shǒu yān,second-hand smoke -二手货,èr shǒu huò,second-hand goods; used goods -二手车,èr shǒu chē,second-hand car -二把刀,èr bǎ dāo,inexpert; a botcher -二把手,èr bǎ shǒu,deputy leader; the second-in-command -二拇指,èr mu zhǐ,index finger -二指,èr zhǐ,index finger -二斑百灵,èr bān bǎi líng,(bird species of China) bimaculated lark (Melanocorypha bimaculata) -二更,èr gēng,second of the five night watch periods 21:00-23:00 (old) -二月,èr yuè,February; second month (of the lunar year) -二月份,èr yuè fèn,February -二杆子,èr gān zi,hot-tempered; rash; hot-tempered person -二林,èr lín,"Erlin or Erhlin Town in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -二林镇,èr lín zhèn,"Erlin or Erhlin Town in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -二极管,èr jí guǎn,diode; vacuum tube -二次,èr cì,second (i.e. number two); second time; twice; (math.) quadratic (of degree two) -二次世界大战,èr cì shì jiè dà zhàn,World War Two -二次元,èr cì yuán,"two-dimensional; the fictional worlds of anime, comics and games" -二次函数,èr cì hán shù,quadratic function -二次型,èr cì xíng,quadratic form (math.) -二次多项式,èr cì duō xiàng shì,quadratic polynomial -二次大战,èr cì dà zhàn,World War Two -二次方,èr cì fāng,square (i.e. x times x) -二次方程,èr cì fāng chéng,quadratic equation -二次曲,èr cì qū,quadratic curve; conic section (geometry) -二次曲线,èr cì qū xiàn,quadratic curve (geometry); conic -二次曲面,èr cì qū miàn,quadric surface (geometry) -二次革命,èr cì gé mìng,"Second Revolution, campaign from 1913 of the provisional revolutionary government (under Sun Yat-sen and the Guomindang) against Yuan Shikai 袁世凱|袁世凯[Yuan2 Shi4 kai3] and the Northern Warlords" -二正丙醚,èr zhèng bǐng mí,di-n-propyl ether -二毛子,èr máo zi,"lit. secondary foreigner; (derogatory term for Chinese Christians and others associated with foreigners, used at the time of the Boxer Rebellion); (coll.) westernized Chinese person; (derog.) person of mixed Chinese and Russian blood; (slang) Ukraine; German shepherd dog; (dialect) two-year-old goat" -二氧化氮,èr yǎng huà dàn,nitrogen dioxide -二氧化物,èr yǎng huà wù,dioxide -二氧化硅,èr yǎng huà guī,silicon dioxide (SiO2) -二氧化硫,èr yǎng huà liú,sulfur dioxide SO2 -二氧化碳,èr yǎng huà tàn,carbon dioxide CO2 -二氧化碳隔离,èr yǎng huà tàn gé lí,carbon sequestration; carbon dioxide sequestration -二氧化钛,èr yǎng huà tài,titanium dioxide -二氧化铀,èr yǎng huà yóu,brown oxidier; uranium dioxide -二氧化锰,èr yǎng huà měng,manganese(iv) oxide -二氧芑,èr yǎng qǐ,dioxin -二氧杂芑,èr yǎng zá qǐ,dioxin -二氯甲烷,èr lǜ jiǎ wán,dichloromethane -二氯异三聚氰酸钠,èr lǜ yì sān jù qíng suān nà,sodium dichloroisocyanurate -二氯胺,èr lǜ àn,dichloramine -二氯苯胺苯乙酸钠,èr lǜ běn àn běn yǐ suān nà,diclofenac sodium (non-steroidal anti-inflammatory drug used to reduce swelling and as painkiller); also called voltaren 扶他林 -二水,èr shuǐ,"Ershui or Erhshui Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -二水货,èr shuǐ huò,used goods; second hand goods -二水乡,èr shuǐ xiāng,"Ershui or Erhshui Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -二流,èr liú,second-rate; second-tier -二流子,èr liú zi,loafer; idler; bum -二汤,èr tāng,"second bouillon, a light broth obtained by reboiling ingredients that were previously used to make a full-strength first bouillon 頭湯|头汤[tou2 tang1]" -二甘醇,èr gān chún,diethylene glycol; glycerin (used in antifreeze) -二产妇,èr chǎn fù,lady who has given birth twice -二甲,èr jiǎ,2nd rank of candidates who passed the imperial examination (i.e. 4th place and up) -二甲基砷酸,èr jiǎ jī shēn suān,dimethylarsenic acid (CH3)2AsO2H; cacodylic acid -二甲基胂酸,èr jiǎ jī shèn suān,dimethylarsenic acid (CH3)2AsO2H; cacodylic acid -二甲苯,èr jiǎ běn,xylene -二叠纪,èr dié jì,Permian (geological period 292-250m years ago) -二百五,èr bǎi wǔ,idiot; stupid person; a dope -二百方针,èr bǎi fāng zhēn,see 雙百方針|双百方针[shuang1 bai3 fang1 zhen1] -二皇帝,èr huáng dì,second emperor of a dynasty -二硫化碳,èr liú huà tàn,carbon disulfide -二硫基丙磺酸钠,èr liú jī bǐng huáng suān nà,sodium dimercaptosulfanate -二硫基丙醇,èr liú jī bǐng chún,dimercaprol -二硫基琥珀酸钠,èr liú jī hǔ pò suān nà,sodium dimercaptosuccinate -二硫键,èr liú jiàn,disulfide (chemistry) -二磷酸腺苷,èr lín suān xiàn gān,adenosine diphosphate (ADP) -二等,èr děng,second class; second-rate -二等公民,èr děng gōng mín,second-class citizen -二等舱,èr děng cāng,second class cabin -二等车,èr děng chē,second-class carriage (of a train) -二节棍,èr jié gùn,"nunchaku (weapon with two rods joined by a short chain, used in martial arts)" -二简,èr jiǎn,abbr. for 第二次漢字簡化方案|第二次汉字简化方案[Di4 er4 ci4 Han4 zi4 Jian3 hua4 Fang1 an4] -二簧,èr huáng,variant of 二黃|二黄[er4 huang2] -二糖,èr táng,disaccharide -二级,èr jí,grade 2; second class; category B -二级士官,èr jí shì guān,sergeant -二级头,èr jí tóu,second stage (diving) -二级头呼吸器,èr jí tóu hū xī qì,(scuba diving) regulator; demand valve -二维,èr wéi,two-dimensional -二维码,èr wéi mǎ,2D barcode; matrix code; (esp.) QR code -二老,èr lǎo,mother and father; parents -二者,èr zhě,both; both of them; neither -二聚体,èr jù tǐ,dimer (chemistry) -二联式发票,èr lián shì fā piào,"(Tw) duplicate uniform invoice, a type of receipt 統一發票|统一发票[tong3 yi1 fa1 piao4] issued to a person or organization without a VAT identification number" -二声,èr shēng,second tone -二胎,èr tāi,second pregnancy -二胡,èr hú,erhu (Chinese 2-string fiddle); alto fiddle; CL:把[ba3] -二苯氯胂,èr běn lǜ shèn,diphenylchloroarsine -二茬罪,èr chá zuì,to suffer second persecution -二号,èr hào,2nd day of the month -二号人物,èr hào rén wù,second best person; second-rate person -二号电池,èr hào diàn chí,C size battery (Tw); PRC equivalent: 三號電池|三号电池[san1 hao4 dian4 chi2] -二话,èr huà,objection; differing opinion -二话不说,èr huà bù shuō,(idiom) not saying anything further; not raising any objection; without demur -二话没说,èr huà méi shuō,see 二話不說|二话不说[er4hua4-bu4shuo1] -二货,èr huò,(slang) fool; dunce; foolishly cute person -二轮,èr lún,second round (of a match or election) -二轮片,èr lún piàn,second-run movie -二迭纪,èr dié jì,Permian (geological period 292-250m years ago); also written 二疊紀|二叠纪 -二连,èr lián,Erlian Basin in Inner Mongolia -二连巨盗龙,èr lián jù dào lóng,Gigantoraptor erlianensis (a giant bird-like dinosaur found in Erlian in Inner Mongolia) -二连浩特,èr lián hào tè,"Erenhot City in Xilingol League 錫林郭勒盟|锡林郭勒盟[Xi1 lin2 guo1 le4 Meng2], Inner Mongolia" -二连浩特市,èr lián hào tè shì,"Erenhot City in Xilingol League 錫林郭勒盟|锡林郭勒盟[Xi1 lin2 guo1 le4 Meng2], Inner Mongolia" -二连盆地,èr lián pén dì,Erlian Basin in Inner Mongolia -二进,èr jìn,binary (math.) -二进制,èr jìn zhì,binary system (math.) -二进制编码,èr jìn zhì biān mǎ,binary code; binary encoding -二进宫,èr jìn gōng,name of a famous opera; (slang) to go to jail for a second offense -二逼,èr bī,variant of 二屄[er4 bi1] -二遍苦,èr biàn kǔ,second persecution -二过一,èr guò yī,(soccer) one-two; push-and-run -二道,èr dào,"Erdao district of Changchun city 長春市|长春市, Jilin" -二道区,èr dào qū,"Erdao district of Changchun city 長春市|长春市, Jilin" -二道江,èr dào jiāng,"Erdaojiang district of Tonghua city 通化市, Jilin" -二道江区,èr dào jiāng qū,"Erdaojiang district of Tonghua city 通化市, Jilin" -二道贩子,èr dào fàn zi,middleman; buyer and seller -二郎,èr láng,see 二郎神[Er4 lang2 shen2] -二郎神,èr láng shén,"Erlangshen, Chinese deity" -二郎腿,èr láng tuǐ,one leg over the other (legs crossed) -二部制,èr bù zhì,two shift system (in schools) -二醇,èr chún,glycol -二里头,èr lǐ tou,"Erlitou (Xia dynasty 夏朝[Xia4 chao2] archaeological site at Yanshi 偃師|偃师[Yan3 shi1] in Luoyang 洛陽|洛阳[Luo4 yang2], Henan)" -二重,èr chóng,double; repeated twice -二重下标,èr chóng xià biāo,double subscript; doubly indexed -二重唱,èr chóng chàng,duet -二重奏,èr chóng zòu,duet (in music) -二重性,èr chóng xìng,dualism; two sided; double nature -二重根,èr chóng gēn,a double root of an equation -二重母音,èr chóng mǔ yīn,diphthong -二锅头,èr guō tóu,erguotou (sorghum liquor) -二阿姨,èr ā yí,"auntie, second eldest of sisters in mother's family" -二阶,èr jiē,second order; quadratic (math.) -二项式,èr xiàng shì,two items; binomial (math.) -二项式系数,èr xiàng shì xì shù,(math.) binomial coefficient -二项式定理,èr xiàng shì dìng lǐ,the binomial theorem (math.) -二头肌,èr tóu jī,biceps muscle -二鬼子,èr guǐ zi,traitor; collaborator with the enemy -二黄,èr huáng,one of the two chief types of music in Chinese opera; Peking opera; also written 二簧[er4 huang2]; see also 西皮[xi1 pi2] -亍,chù,to step with the right foot (used in 彳亍[chi4chu4]) -于,yú,surname Yu -于,yú,to go; to take; sentence-final interrogative particle; variant of 於|于[yu2] -于丹,yú dān,"Yu Dan (1965-), female scholar, writer, educator and TV presenter" -于归,yú guī,(literary) (of a girl) to marry -于归之喜,yú guī zhī xǐ,the joy of matrimony (polite phrase referring to a young woman) -于洪,yú hóng,"Yuhong district of Shenyang city 瀋陽市|沈阳市, Liaoning" -于洪区,yú hóng qū,"Yuhong District of Shenyang city 瀋陽市|沈阳市[Shen3 yang2 shi4], Liaoning" -云,yún,(classical) to say -云云,yún yún,and so on; so and so; many and confused -云城,yún chéng,"Yuncheng district of Yunfu city 雲浮市|云浮市[Yun2 fu2 shi4], Guangdong" -云城区,yún chéng qū,"Yuncheng district of Yunfu city 雲浮市|云浮市[Yun2 fu2 shi4], Guangdong" -互,hù,mutual -互不侵犯,hù bù qīn fàn,non-aggression -互不相欠,hù bù xiāng qiàn,see 兩不相欠|两不相欠[liang3 bu4 xiang1 qian4] -互不相让,hù bù xiāng ràng,neither giving way to the other -互信,hù xìn,mutual trust -互利,hù lì,mutually beneficial -互助,hù zhù,"Huzhu Tuzu autonomous county in Haidong prefecture 海東地區|海东地区[Hai3 dong1 di4 qu1], Qinghai" -互助,hù zhù,to help each other -互助土族自治县,hù zhù tǔ zú zì zhì xiàn,"Huzhu Tuzu Autonomous County in Haidong prefecture 海東地區|海东地区[Hai3 dong1 di4 qu1], Qinghai" -互助县,hù zhù xiàn,"Huzhu Tuzu autonomous county in Haidong prefecture 海東地區|海东地区[Hai3 dong1 di4 qu1], Qinghai" -互勉,hù miǎn,to encourage each other -互动,hù dòng,to interact; interactive -互动电视,hù dòng diàn shì,interactive TV -互惠,hù huì,mutual benefit; mutually beneficial; reciprocal -互扔,hù rēng,to throw (sth) at each other -互换,hù huàn,to exchange -互操性,hù cāo xìng,interoperability -互文,hù wén,paired phrases (poetic device) -互斥,hù chì,mutually exclusive -互殴,hù ōu,to fight each other; to come to blows -互为因果,hù wéi yīn guǒ,mutually related karma (idiom); fates are intertwined; interdependent -互生,hù shēng,alternate leaf arrangement (botany) -互生叶,hù shēng yè,alternate phyllotaxy (leaf pattern) -互异,hù yì,differing from one another; mutually different -互相,hù xiāng,each other; mutually; mutual -互相依存,hù xiāng yī cún,interdependent -互相扯皮,hù xiāng chě pí,to pass the buck; to shirk responsibility -互相推诿,hù xiāng tuī wěi,mutually shirking responsibilities (idiom); each blaming the other; passing the buck to and fro; each trying to unload responsibilities onto the other -互相监督,hù xiāng jiān dū,mutual supervision -互相联系,hù xiāng lián xì,mutually related; interconnected -互相连接,hù xiāng lián jiē,interlinked -互粉,hù fěn,to follow each other's accounts (on Weibo etc) -互素,hù sù,(math.) coprime; relatively prime (having no common factor) -互联,hù lián,interconnected -互联网,hù lián wǎng,Internet -互联网站,hù lián wǎng zhàn,Internet site -互联网络,hù lián wǎng luò,network -互补,hù bǔ,complementary; to complement each other -互访,hù fǎng,exchange visits -互诉衷肠,hù sù zhōng cháng,(idiom) to confide in each other -互译,hù yì,two-way translation -互让,hù ràng,to yield to one another; mutual accommodation -互通,hù tōng,to intercommunicate; to interoperate -互通性,hù tōng xìng,interoperability (of communications equipment) -互通有无,hù tōng yǒu wú,(idiom) mutual exchange of assistance; to benefit from each other's strengths and make up each other's shortfalls; to reciprocate with material assistance; to scratch each other's back -互连,hù lián,interconnection -亓,qí,surname Qi -亓,qí,his; her; its; their -五,wǔ,five; 5 -五一,wǔ yī,5-1 (May 1st) -五七,wǔ qī,memorial activity 35 days after a person's death -五七干校,wǔ qī gàn xiào,May 7 cadre school (farm where urban cadres had to undertake manual labor and study ideology during the Cultural Revolution) (abbr. for 五七幹部學校|五七干部学校[Wu3 Qi1 Gan4 bu4 Xue2 xiao4]) -五七干部学校,wǔ qī gàn bù xué xiào,May 7 Cadre School (farm where urban cadres had to undertake manual labor and study ideology during the Cultural Revolution) (abbr. to 五七幹校|五七干校[Wu3 Qi1 Gan4 xiao4]) -五世,wǔ shì,the fifth (of series of numbered kings) -五五,wǔ wǔ,"50-50; equal (share, partnership etc)" -五人墓碑记,wǔ rén mù bēi jì,"Five tombstone inscriptions (1628), written by Zhang Pu 張溥|张溥[Zhang1 Pu3]" -五代,wǔ dài,"Five Dynasties, period of history between the fall of the Tang dynasty (907) and the founding of the Song dynasty (960), when five would-be dynasties were established in quick succession in North China" -五代十国,wǔ dài shí guó,"Five Dynasties (907-960) and Ten Kingdoms (902-979), period of political turmoil in ancient China" -五代史,wǔ dài shǐ,"History of the Five Dynasties, eighteenth of the 24 dynastic histories 二十四史[Er4 shi2 si4 Shi3], compiled under Xue Juzheng 薛居正[Xue1 Ju1 zheng4] in 974 during Northern Song 北宋[Bei3 Song4], 150 scrolls" -五倍子树,wǔ bèi zi shù,Chinese sumac (Rhus chinensis) -五伦,wǔ lún,"the five Confucian relationships (ruler-subject, father-son, brother-brother, husband-wife, friend-friend)" -五光十色,wǔ guāng shí sè,(idiom) bright and multicolored; of rich variety; dazzling; glitzy -五分之一,wǔ fēn zhī yī,one fifth -五分熟,wǔ fēn shú,medium (of steak) -五分美金,wǔ fēn měi jīn,nickel; five US cents -五刑,wǔ xíng,"imperial five punishments of feudal China, up to Han times: tattooing characters on the forehead 墨[mo4], cutting off the nose 劓[yi4], amputation of one or both feet 刖[yue4], castration 宮|宫[gong1], execution 大辟[da4 pi4]; Han dynasty onwards: whipping 笞[chi1], beating the legs and buttocks with rough thorns 杖[zhang4], forced labor 徒[tu2], exile or banishment 流[liu2], capital punishment 死[si3]" -五加,wǔ jiā,Acanthopanax gracilistylus -五劳七伤,wǔ láo qī shāng,"(TCM) ""five strains and seven impairments"", five referring to the five viscera 五臟|五脏[wu3 zang4], and seven to adverse effects on one's body as a result of: overeating (spleen), anger (liver), moisture (kidney), cold (lung), worry (heart), wind and rain (outer appearance) and fear (mind)" -五十,wǔ shí,fifty -五十步笑百步,wǔ shí bù xiào bǎi bù,lit. the one who has retreated 50 steps laughs at the one who has retreated 100 steps (idiom); fig. the pot calls the kettle black -五十肩,wǔ shí jiān,adhesive capsulitis (frozen shoulder) -五十铃,wǔ shí líng,Isuzu -五卅,wǔ sà,"abbr. for 五卅運動|五卅运动[wu3 sa4 yun4 dong4], The May Thirtieth Movement (1925)" -五卅运动,wǔ sà yùn dòng,"anti-imperialist movement of 30th May 1925, involving general strike esp. in Shanghai, Guangzhou, Hong Kong etc" -五原,wǔ yuán,"Wuyuan county in Bayan Nur 巴彥淖爾|巴彦淖尔[Ba1 yan4 nao4 er3], Inner Mongolia" -五原县,wǔ yuán xiàn,"Wuyuan county in Bayan Nur 巴彥淖爾|巴彦淖尔[Ba1 yan4 nao4 er3], Inner Mongolia" -五口通商,wǔ kǒu tōng shāng,"the five treaty ports forced on Qing China by the 1842 treaty of Nanjing 南京條約|南京条约 that concluded the First Opium War, namely: Guangzhou 廣州|广州, Fuzhou 福州, Ningbo 寧波|宁波, Xiamen or Amoy 廈門|厦门 and Shanghai 上海" -五味,wǔ wèi,"the five flavors, namely: sweet 甜, sour 酸, bitter 苦, spicy hot 辣, salty 鹹|咸; all kinds of flavors" -五味俱全,wǔ wèi jù quán,a complete gamut of all five flavors (idiom); every flavor under the sun -五味子,wǔ wèi zǐ,schizandra (Schisandra chinensis); Magnolia vine -五味杂陈,wǔ wèi zá chén,with complex feelings (idiom) -五四,wǔ sì,"fourth of May, cf 五四運動|五四运动, national renewal movement that started with 4th May 1919 protest against the Treaty of Versailles" -五四爱国运动,wǔ sì ài guó yùn dòng,May Fourth Movement; Chinese national renewal movement that started with 4th May 1919 protest against the Treaty of Versailles -五四运动,wǔ sì yùn dòng,May Fourth Movement; Chinese national renewal movement that started with 4th May 1919 protest against the Treaty of Versailles -五大三粗,wǔ dà sān cū,burly; strapping; big and strong -五大名山,wǔ dà míng shān,"Five Sacred Mountains of the Daoists, namely: Mt Tai 泰山[Tai4 Shan1] in Shandong, Mt Hua 華山|华山[Hua4 Shan1] in Shaanxi, Mt Heng 衡山[Heng2 Shan1] in Hunan, Mt Heng 恆山|恒山[Heng2 Shan1] in Shanxi, Mt Song 嵩山[Song1 Shan1] in Henan" -五大洲,wǔ dà zhōu,five continents; the whole world -五大湖,wǔ dà hú,Great Lakes; the five north American Great Lakes -五大连池,wǔ dà lián chí,"Wudalianchi, county-level city in Heihe 黑河[Hei1 he2], Heilongjiang" -五大连池市,wǔ dà lián chí shì,"Wudalianchi, county-level city in Heihe 黑河[Hei1 he2], Heilongjiang" -五子棋,wǔ zǐ qí,five-in-a-row (game similar to tic-tac-toe); Japanese: gomoku; gobang -五官,wǔ guān,"five sense organs of TCM (nose, eyes, lips, tongue, ears 鼻目口舌耳); facial features" -五官端正,wǔ guān duān zhèng,to have regular features -五家渠,wǔ jiā qú,Wujyachü shehiri (Wujiaqu city) or Wǔjiāqú subprefecture level city in Ili Kazakh autonomous prefecture in north Xinjiang -五家渠市,wǔ jiā qú shì,Wujyachü shehiri (Wujiaqu city) or Wǔjiāqú subprefecture level city in Ili Kazakh autonomous prefecture in north Xinjiang -五寨,wǔ zhài,"Wuzhai county in Xinzhou 忻州[Xin1 zhou1], Shanxi" -五寨县,wǔ zhài xiàn,"Wuzhai county in Xinzhou 忻州[Xin1 zhou1], Shanxi" -五峰,wǔ fēng,"abbr. for 五峰土家族自治縣|五峰土家族自治县[Wu3 feng1 Tu3 jia1 zu2 Zi4 zhi4 xian4], Wufeng Tujia Autonomous County in Hubei; Wufeng township in Hsinchu County 新竹縣|新竹县[Xin1 zhu2 Xian4], northwest Taiwan" -五峰土家族自治县,wǔ fēng tǔ jiā zú zì zhì xiàn,Wufeng Tujia Autonomous County in Hubei -五峰县,wǔ fēng xiàn,"abbr. for 五峰土家族自治縣|五峰土家族自治县[Wu3 feng1 Tu3 jia1 zu2 Zi4 zhi4 xian4], Wufeng Tujia Autonomous County in Hubei" -五峰乡,wǔ fēng xiāng,"Wufeng township in Hsinchu County 新竹縣|新竹县[Xin1 zhu2 Xian4], northwest Taiwan" -五岭,wǔ lǐng,"the five ranges separating Hunan and Jiangxi from south China, esp. Guangdong and Guangxi, namely: Dayu 大庾嶺|大庾岭[Da4 yu3 ling3], Dupang 都龐嶺|都庞岭[Du1 pang2 ling3], Qitian 騎田嶺|骑田岭[Qi2 tian2 ling3], Mengzhu 萌渚嶺|萌渚岭[Meng2 zhu3 ling3] and Yuecheng 越城嶺|越城岭[Yue4 cheng2 ling3]" -五岳,wǔ yuè,"Five Sacred Mountains of the Daoists, namely: Mt Tai 泰山[Tai4 Shan1] in Shandong, Mt Hua 華山|华山[Hua4 Shan1] in Shaanxi, Mt Heng 衡山[Heng2 Shan1] in Hunan, Mt Heng 恆山|恒山[Heng2 Shan1] in Shanxi, Mt Song 嵩山[Song1 Shan1] in Henan" -五帝,wǔ dì,"the Five Legendary Emperors, usually taken to be the Yellow Emperor 黃帝|黄帝[Huang2 di4], Zhuanxu 顓頊|颛顼[Zhuan1 xu1], Di Ku 帝嚳|帝喾[Di4 Ku4], Tang Yao 唐堯|唐尧[Tang2 Yao2] and Yu Shun 虞舜[Yu2 Shun4]" -五常,wǔ cháng,"Wuchang, county-level city in Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1], Heilongjiang; the Permanent Five (the five permanent members of the United Nations Security Council: China, France, Russia, the UK, and the USA)" -五常,wǔ cháng,"the five cardinal virtues in traditional Chinese ethics: benevolence 仁[ren2], justice 義|义[yi4], propriety 禮|礼[li3], wisdom 智[zhi4] and honor 信[xin4]; alternative term for 五倫|五伦[wu3lun2], the five cardinal relationships; alternative term for 五行[wu3xing2], the five elements" -五常市,wǔ cháng shì,"Wuchang, county-level city in Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1], Heilongjiang" -五年计划,wǔ nián jì huà,Five-Year Plan -五度,wǔ dù,"five degrees; fifth (basic musical interval, doh to soh)" -五形,wǔ xíng,"Wuxing - ""Five Animals"" - Martial Art" -五彩,wǔ cǎi,"five (main) colors (white, black, red, yellow, and blue); multicolored" -五彩缤纷,wǔ cǎi bīn fēn,all the colors in profusion (idiom); a garish display -五彩宾纷,wǔ cǎi bīn fēn,colorful -五打一,wǔ dǎ yī,to masturbate (slang) -五指,wǔ zhǐ,the five fingers of one's hand -五指山,wǔ zhǐ shān,"Wuzhi Mountain (1,840 m), highest mountain in Hainan; Wuzhishan City, Hainan" -五指山市,wǔ zhǐ shān shì,"Wuzhishan City, Hainan" -五斗柜,wǔ dǒu guì,chest of drawers -五斗米道,wǔ dǒu mǐ dào,Way of the Five Pecks of Rice (Taoist movement); Way of the Celestial Master -五方,wǔ fāng,"the five regions: the east, south, west, north and center; all parts; China and the lands beyond its frontiers" -五旬节,wǔ xún jié,Pentecost -五星,wǔ xīng,"the five visible planets, namely: Mercury 水星, Venus 金星, Mars 火星, Jupiter 木星, Saturn 土星" -五星红旗,wǔ xīng hóng qí,five-starred red flag (PRC national flag) -五星级,wǔ xīng jí,five-star (hotel) -五更,wǔ gēng,fifth of the five night watch periods 03:00-05:00 (old) -五月,wǔ yuè,May; fifth month (of the lunar year) -五月份,wǔ yuè fèn,May -五月节,wǔ yuè jié,Dragon Boat Festival (the 5th day of the 5th lunar month) -五权宪法,wǔ quán xiàn fǎ,"Sun Yat-sen's Five-power constitution of Republic of China, then of Taiwan; The five courts or 院[yuan4] are 行政院[xing2 zheng4 yuan4] Executive yuan, 立法院[li4 fa3 yuan4] Legislative yuan, 司法院[si1 fa3 yuan4] Judicial yuan, 考試院|考试院[kao3 shi4 yuan4] Examination yuan, 監察院|监察院[jian1 cha2 yuan4] Control yuan" -五步蛇,wǔ bù shé,"Deinagkistrodon acutus, a species of venomous pit viper, aka five-pace viper (i.e. can grow to five paces)" -五毛,wǔ máo,fifty cents (0.5 RMB); (fig.) paltry sum of money; (abbr. for 五毛黨|五毛党[wu3 mao2 dang3]) hired Internet commenter -五毛特效,wǔ máo tè xiào,laughable low-budget special effects -五毛党,wǔ máo dǎng,fifty cents party (person supposed to relay government propaganda on Internet sites) -五氧化二钒,wǔ yǎng huà èr fán,Vanadium pentoxide V2O5; vanadic anhydride -五河,wǔ hé,"Wuhe, a county in Bengbu 蚌埠[Beng4bu4], Anhui; Punjab, a province of Pakistan" -五河县,wǔ hé xiàn,"Wuhe, a county in Bengbu 蚌埠[Beng4bu4], Anhui" -五洲,wǔ zhōu,five continents; the world -五凉,wǔ liáng,"the five Liang of the Sixteen Kingdoms, namely: Former Liang 前涼|前凉 (314-376), Later Liang 後涼|后凉 (386-403), Northern Liang 北涼|北凉 (398-439), Southern Liang 南涼|南凉[Nan2 Liang2] (397-414), Western Liang 西涼|西凉 (400-421)" -五湖四海,wǔ hú sì hǎi,all parts of the country -五浊,wǔ zhuó,the five impurities (Buddhism) -五灯会元,wǔ dēng huì yuán,"Song Dynasty History of Zen Buddhism in China (1252), 20 scrolls" -五营,wǔ yíng,"Wuying district of Yichun city 伊春市[Yi1 chun1 shi4], Heilongjiang" -五营区,wǔ yíng qū,"Wuying district of Yichun city 伊春市[Yi1 chun1 shi4], Heilongjiang" -五环,wǔ huán,five rings; pentacyclic (chemistry) -五环会徽,wǔ huán huì huī,Olympic rings -五瘟,wǔ wēn,five chief demons of folklore personifying pestilence -五瘟神,wǔ wēn shén,five chief demons of folklore personifying pestilence; cf four horsemen of the apocalypse -五痨七伤,wǔ láo qī shāng,variant of 五勞七傷|五劳七伤[wu3 lao2 qi1 shang1] -五百年前是一家,wǔ bǎi nián qián shì yī jiā,five hundred years ago we were the same family (idiom) (said of persons with the same surname) -五短身材,wǔ duǎn shēn cái,(of a person) short in stature -五碳糖,wǔ tàn táng,"pentose (CH2O)5, monosaccharide with five carbon atoms, such as ribose 核糖[he2 tang2]" -五祖拳,wǔ zǔ quán,"Wuzuquan - ""Five Ancestors"" - Martial Art" -五福临门,wǔ fú lín mén,"lit. (may the) five blessings descend upon this home (namely: longevity, wealth, health, virtue, and a natural death); (an auspicious saying for the Lunar New Year)" -五棱镜,wǔ léng jìng,pentaprism -五谷,wǔ gǔ,"five crops, e.g. millet 粟[su4], soybean 豆[dou4], sesame 麻[ma2], barley 麥|麦[mai4], rice 稻[dao4] or other variants; all crops; all grains; oats, peas, beans and barley" -五谷丰登,wǔ gǔ fēng dēng,abundant harvest of all food crops; bumper grain harvest -五笔,wǔ bǐ,"abbr. of 五筆字型|五笔字型, five stroke input method for Chinese characters by numbered strokes, invented by Wang Yongmin 王永民 in 1983" -五笔字型,wǔ bǐ zì xíng,"five stroke input method for Chinese characters by numbered strokes, invented by Wang Yongmin 王永民 in 1983" -五笔字形,wǔ bǐ zì xíng,Chinese character input method for entering characters by numbered strokes (variant of 五筆字型|五笔字型[wu3 bi3 zi4 xing2]) -五笔编码,wǔ bǐ biān mǎ,"five-stroke code, Chinese character input method" -五笔输入法,wǔ bǐ shū rù fǎ,"five stroke input method for Chinese characters by numbered strokes, invented by Wang Yongmin 王永民 in 1983" -五等爵位,wǔ děng jué wèi,"five orders of feudal nobility, namely: Duke 公[gong1], Marquis 侯[hou2], Count 伯[bo2], Viscount 子[zi3], Baron 男[nan2]" -五粮液,wǔ liáng yè,Wuliangye liquor; Five Grain liquor -五级士官,wǔ jí shì guān,master sergeant -五结,wǔ jié,"Wujie or Wuchieh Township in Yilan County 宜蘭縣|宜兰县[Yi2 lan2 Xian4], Taiwan" -五结乡,wǔ jié xiāng,"Wujie or Wuchieh Township in Yilan County 宜蘭縣|宜兰县[Yi2 lan2 Xian4], Taiwan" -五经,wǔ jīng,"the Five Classics of Confucianism, namely: the Book of Songs 詩經|诗经[Shi1 jing1], the Book of History 書經|书经[Shu1 jing1], the Classic of Rites 禮記|礼记[Li3 ji4], the Book of Changes 易經|易经[Yi4 jing1], and the Spring and Autumn Annals 春秋[Chun1 qiu1]" -五线谱,wǔ xiàn pǔ,(music) staff; stave -五声音阶,wǔ shēng yīn jiē,pentatonic scale -五股,wǔ gǔ,"Wugu township in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -五股乡,wǔ gǔ xiāng,"Wugu township in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -五胡,wǔ hú,"Five non-Han people, namely: Huns or Xiongnu 匈奴[Xiong1 nu2], Xianbei 鮮卑|鲜卑[Xian1 bei1], Jie 羯[Jie2], Di 氐[Di1], Qiang 羌[Qiang1], esp. in connection with the Sixteen Kingdoms 304-439 五胡十六國|五胡十六国[Wu3 hu2 Shi2 liu4 guo2]" -五胡十六国,wǔ hú shí liù guó,Sixteen Kingdoms of Five non-Han people (ruling most of China 304-439) -五脏,wǔ zàng,"five viscera of TCM, namely: heart 心[xin1], liver 肝[gan1], spleen 脾[pi2], lungs 肺[fei4] and kidneys 腎|肾[shen4]" -五脏六腑,wǔ zàng liù fǔ,five viscera and six bowels (TCM) -五台,wǔ tái,"Wutai city and county in Xinzhou 忻州[Xin1 zhou1], Shanxi" -五台山,wǔ tái shān,"Mt Wutai in Shanxi 山西[Shan1 xi1], one of the Four Sacred Mountains and home of the Bodhimanda of Manjushri 文殊[Wen2 shu1]" -五台市,wǔ tái shì,Wutai city in Shanxi -五台县,wǔ tái xiàn,"Wutai county in Xinzhou 忻州[Xin1 zhou1], Shanxi" -五色,wǔ sè,multicolored; the rainbow; garish -五色缤纷,wǔ sè bīn fēn,all the colors in profusion (idiom); a garish display -五花八门,wǔ huā bā mén,myriad; all kinds of; all sorts of -五花大绑,wǔ huā dà bǎng,"to bind a person's upper body, with arms tied behind the back and rope looped around the neck; to truss up" -五花肉,wǔ huā ròu,pork belly; streaky pork -五花腌猪肉,wǔ huā yān zhū ròu,streaky bacon -五苓散,wǔ líng sǎn,wuling powder (decoction of poria mushroom used in TCM); poria five powder; Hoelen five powder; five ling powder -五华,wǔ huá,"Wuhua county in Meizhou 梅州, Guangdong; Wuhua district of Kunming city 昆明市[Kun1 ming2 shi4], Yunnan" -五华区,wǔ huá qū,"Wuhua district of Kunming city 昆明市[Kun1 ming2 shi4], Yunnan" -五华县,wǔ huá xiàn,"Wuhua county in Meizhou 梅州, Guangdong" -五荤,wǔ hūn,"(Buddhism etc) the five forbidden pungent vegetables: leek, scallion, garlic, rape and coriander" -五莲,wǔ lián,"Wulian county in Rizhao 日照[Ri4 zhao4], Shandong" -五莲县,wǔ lián xiàn,"Wulian county in Rizhao 日照[Ri4 zhao4], Shandong" -五蕴,wǔ yùn,"the Five Aggregates (from Sanskrit ""skandha"") (Buddhism)" -五虎将,wǔ hǔ jiàng,"Liu Bei's five great generals in Romance of the Three Kingdoms, namely: Guan Yu 關羽|关羽, Zhang Fei 張飛|张飞, Zhao Yun 趙雲|赵云, Ma Chao 馬超|马超, Huang Zhong 黃忠|黄忠" -五号,wǔ hào,the fifth; fifth day of a month -五号电池,wǔ hào diàn chí,AA battery (PRC); Taiwan equivalent: 三號電池|三号电池[san1 hao4 dian4 chi2] -五行,wǔ xíng,"five phases of Chinese philosophy: wood 木, fire 火, earth 土, metal 金, water 水" -五行八作,wǔ háng bā zuō,all the trades; people of all trades and professions -五角,wǔ jiǎo,pentagon -五角场,wǔ jiǎo chǎng,"Wujiaochang neighborhood of Shanghai, adjacent to Fudan University" -五角大楼,wǔ jiǎo dà lóu,the Pentagon -五角形,wǔ jiǎo xíng,pentagon -五角星,wǔ jiǎo xīng,pentagram -五言绝句,wǔ yán jué jù,"poetic form consisting of four lines of five syllables, with rhymes on first, second and fourth line" -五讲四美三热爱,wǔ jiǎng sì měi sān rè ài,"the five emphases, four beauties and three loves (PRC policy introduced in 1981, including emphasis on manners, beauty of language and love of socialism)" -五辛,wǔ xīn,see 五葷|五荤[wu3 hun1] -五辛素,wǔ xīn sù,(adjective) non-Buddhist vegetarian (allowing strong-smelling vegetables like garlic and onions) -五通,wǔ tōng,bottom bracket shell (in a bicycle frame); (Buddhism) the five supernatural powers (abbr. for 五神通[wu3 shen2tong1]) -五通桥,wǔ tōng qiáo,"Wutongqiao district of Leshan city 樂山市|乐山市[Le4 shan1 shi4], Sichuan" -五通桥区,wǔ tōng qiáo qū,"Wutongqiao district of Leshan city 樂山市|乐山市[Le4 shan1 shi4], Sichuan" -五道口,wǔ dào kǒu,Wudaokou neighborhood of Beijing -五边形,wǔ biān xíng,pentagon -五金,wǔ jīn,"metal hardware (nuts and bolts); the five metals: gold, silver, copper, iron and tin 金銀銅鐵錫|金银铜铁锡[jin1 yin2 tong2 tie3 xi1]" -五金店,wǔ jīn diàn,hardware store; ironmonger's store -五金店铺,wǔ jīn diàn pù,hardware store -五院,wǔ yuàn,"the five yuan (administrative branches of government) of the Republic of China under Sun Yat-sen's constitution: 行政院[Xing2 zheng4 yuan4] Executive Yuan, 立法院[Li4 fa3 yuan4] Legislative Yuan, 司法院[Si1 fa3 yuan4] Judicial Yuan, 考試院|考试院[Kao3 shi4 yuan4] Examination Yuan, 監察院|监察院[Jian1 cha2 yuan4] Control Yuan" -五霸,wǔ bà,the Five Hegemons of the Spring and Autumn Period 春秋[Chun1 qiu1] -五音,wǔ yīn,"five notes of pentatonic scale, roughly do, re, mi, sol, la; five classes of initial consonants of Chinese phonetics, namely: 喉音[hou2 yin1], 牙音[ya2 yin1], 舌音[she2 yin1], 齒音|齿音[chi3 yin1], 唇音[chun2 yin1]" -五音不全,wǔ yīn bù quán,tone deaf; unable to sing in tune -五音度,wǔ yīn dù,fifth (musical interval) -五项全能,wǔ xiàng quán néng,pentathlon -五颜六色,wǔ yán liù sè,multicolored; every color under the sun -五香,wǔ xiāng,"five spice seasoned; incorporating the five basic flavors of Chinese cooking (sweet, sour, bitter, savory, salty)" -五香粉,wǔ xiāng fěn,five-spice powder -五体投地,wǔ tǐ tóu dì,to prostrate oneself in admiration (idiom); to adulate sb -五鬼,wǔ guǐ,five chief demons of folklore personifying pestilence; also written 五瘟神 -五鬼闹判,wǔ guǐ nào pàn,"Five ghosts mock the judge, or Five ghosts resist judgment (title of folk opera, idiom); important personage mobbed by a crowd of ne'er-do-wells" -井,jǐng,"Jing, one of the 28 constellations of Chinese astronomy; surname Jing" -井,jǐng,a well; CL:口[kou3]; neat; orderly -井上,jǐng shàng,"Inoue (Japanese surname, pr. ""ee-no-oo-ay"")" -井下,jǐng xià,underground; in the pit (mining) -井井,jǐng jǐng,always clean; orderly; methodical -井井有条,jǐng jǐng yǒu tiáo,everything clear and orderly (idiom); neat and tidy -井口,jǐng kǒu,entrance to mine -井喷,jǐng pēn,(oil) blowout; surge; gush -井字棋,jǐng zì qí,tic-tac-toe -井冈山,jǐng gāng shān,"Jinggang Mountains, in the Jiangxi-Hunan border region" -井冈山,jǐng gāng shān,"Jinggangshan, county-level city in Ji'an 吉安, Jiangxi" -井冈山市,jǐng gāng shān shì,"Jinggangshan, county-level city in Ji'an 吉安, Jiangxi" -井底之蛙,jǐng dǐ zhī wā,the frog at the bottom of the well (idiom); fig. a person of limited outlook and experience -井水不犯河水,jǐng shuǐ bù fàn hé shuǐ,everyone minds their own business -井然,jǐng rán,"tidy, methodical" -井然有序,jǐng rán yǒu xù,everything clear and in good order (idiom); neat and tidy -井田,jǐng tián,the well-field system of ancient China -井田制,jǐng tián zhì,well-field system -井研,jǐng yán,"Jingwan county in Leshan 樂山|乐山[Le4 shan1], Sichuan" -井研县,jǐng yán xiàn,"Jingwan county in Leshan 樂山|乐山[Le4 shan1], Sichuan" -井绳,jǐng shéng,rope for drawing water from a well -井盖,jǐng gài,"manhole cover (more formally, 窨井蓋|窨井盖[yin4 jing3 gai4])" -井号,jǐng hào,number sign # (punctuation); hash symbol; pound sign -井蛙之见,jǐng wā zhī jiàn,the view of a frog in a well (idiom); fig. a narrow view -井陉,jǐng xíng,"Jingxing county in Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1], Hebei" -井陉矿,jǐng xíng kuàng,"Jingxingkuang District of Shijiazhuang City 石家莊市|石家庄市[Shi2 jia1 zhuang1 Shi4], Hebei" -井陉矿区,jǐng xíng kuàng qū,"Jingxingkuang District of Shijiazhuang City 石家莊市|石家庄市[Shi2 jia1 zhuang1 Shi4], Hebei" -井陉县,jǐng xíng xiàn,"Jingxing county in Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1], Hebei" -亘,gèn,extending all the way across; running all the way through -亘古,gèn gǔ,throughout time; from ancient times (up to the present) -亘古不变,gèn gǔ bù biàn,unchanging since times immemorial (idiom); unalterable; unvarying; monotonous -亘古未有,gèn gǔ wèi yǒu,unprecedented; never seen since ancient times -亘古通今,gèn gǔ tōng jīn,from ancient times up to now; throughout history -些,xiē,"classifier indicating a small amount or small number greater than 1: some, a few, several" -些微,xiē wēi,slight; minor; small; slightly -些许,xiē xǔ,a few; a little; a bit -斋,zhāi,old variant of 齋|斋[zhai1] -亚,yà,Asia; Asian; Taiwan pr. [Ya3] -亚,yà,second; next to; inferior; sub-; Taiwan pr. [ya3] -亚丁,yà dīng,Aden -亚丁湾,yà dīng wān,Gulf of Aden -亚伯,yà bó,"Abe (short form for Abraham); Abel, a figure of Jewish, Christian and Muslim mythologies" -亚伯拉罕,yà bó lā hǎn,"Abraham (name); Abraham, father of Judaism and Islam in the Bible and Quran; same as Ibrahim 易卜拉辛" -亚伯氏症,yà bó shì zhèng,Apert syndrome -亚们,yà men,Amon (son of Manasseh) -亚伦,yà lún,"Aaron (name); Yaren, capital of Nauru" -亚健康,yà jiàn kāng,suboptimal health status -亚克力,yà kè lì,acrylic (loanword) -亚利安娜,yà lì ān nà,Ariane (French space rocket) -亚利桑纳州,yà lì sāng nà zhōu,state of Arizona -亚利桑那,yà lì sāng nà,Arizona -亚利桑那州,yà lì sāng nà zhōu,Arizona -亚剌伯,yà lā bó,(old) Arabia; Arab; Arabic -亚努科维奇,yà nǔ kē wéi qí,Viktor Feyedov Yanukovych (1950-) Ukrainian politician -亚原子,yà yuán zǐ,subatomic -亚哈,yà hā,"Ahab (9th c. BC), King of Israel, son of Omri and husband of Jezebel, prominent figure in 1 Kings 16-22" -亚哈斯,yà hā sī,Ahaz (son of Jotham) -亚喀巴,yà kā bā,Aqaba (port city in Jordan) -亚单位,yà dān wèi,subunit -亚型,yà xíng,subtype; subcategory -亚塞拜然,yà sè bài rán,Azerbaijan (Tw) -亚太,yà tài,Asia-Pacific -亚太区,yà tài qū,Asian area; the Far East; Asia Pacific region -亚太经合会,yà tài jīng hé huì,APEC (Asia Pacific economic cooperation) -亚太经合组织,yà tài jīng hé zǔ zhī,APEC (organization) -亚太经济合作组织,yà tài jīng jì hé zuò zǔ zhī,Asian-Pacific Economic Cooperation organization; APEC -亚巴郎,yà bā láng,Abraham (name) -亚平宁,yà píng nìng,Apennine (Mountains) -亚庇,yà bì,"Kota Kinabalu (capital of Sabah state, Malaysia)" -亚弗烈,yà fú liè,Alfred (name) -亚得里亚海,yà dé lǐ yà hǎi,Adriatic Sea -亚急性,yà jí xìng,subacute -亚所,yà suǒ,Azor (son of Eliakim and father of Zadok in Matthew 1:13-14) -亚投行,yà tóu háng,"Asian Infrastructure Investment Bank, abbr. for 亞洲基礎設施投資銀行|亚洲基础设施投资银行[Ya4 zhou1 Ji1 chu3 She4 shi1 Tou2 zi1 Yin2 hang2]" -亚拉巴马,yà lā bā mǎ,"Alabama, US state" -亚拉巴马州,yà lā bā mǎ zhōu,"Alabama, US state" -亚撒,yà sā,"Asa (?-870 BC), third king of Judah and fifth king of the House of David (Judaism)" -亚文化,yà wén huà,subculture -亚斯伯格,yà sī bó gé,see 阿斯佩爾格爾|阿斯佩尔格尔[A1 si1 pei4 er3 ge2 er3] -亚曼牙,yà màn yá,"Yamanya township in Shule county, Kashgar, Xinjiang" -亚曼牙乡,yà màn yá xiāng,"Yamanya township in Shule county, Kashgar, Xinjiang" -亚东,yà dōng,"Yadong county, Tibetan: Gro mo rdzong, in Shigatse prefecture, Tibet" -亚东县,yà dōng xiàn,"Yadong county, Tibetan: Gro mo rdzong, in Shigatse prefecture, Tibet" -亚松森,yà sōng sēn,"Asunción, capital of Paraguay" -亚格门农,yà gé mén nóng,Agamemnon -亚欧,yà ōu,see 歐亞|欧亚[Ou1 Ya4] -亚欧大陆,yà ōu dà lù,Eurasian continent -亚欧大陆桥,yà ōu dà lù qiáo,Eurasian land bridge (rail line linking China and Europe) -亚欧大陆腹地,yà ōu dà lù fù dì,Eurasian hinterland (i.e. Central Asia including Xinjiang) -亚历山大,yà lì shān dà,Alexander (name); Alexandria (town name) -亚历山大大帝,yà lì shān dà dà dì,Alexander the Great (356-323 BC) -亚历山大里亚,yà lì shān dà lǐ yà,Alexandria -亚历山大鹦鹉,yà lì shān dà yīng wǔ,(bird species of China) Alexandrine parakeet (Psittacula eupatria) -亚比利尼,yà bǐ lì ní,Abilene -亚比玉,yà bǐ yù,Abiud (son of Zerubbabel) -亚氏保加,yà shì bǎo jiā,see 阿斯佩爾格爾|阿斯佩尔格尔[A1 si1 pei4 er3 ge2 er3] -亚洲,yà zhōu,Asia (abbr. for 亞細亞洲|亚细亚洲[Ya4xi4ya4 Zhou1]) -亚洲周刊,yà zhōu zhōu kān,Asiaweek (current affairs magazine) -亚洲太平洋地区,yà zhōu tài píng yáng dì qū,Asia-Pacific region -亚洲杯,yà zhōu bēi,Asian Cup -亚洲漠地林莺,yà zhōu mò dì lín yīng,(bird species of China) Asian desert warbler (Sylvia nana) -亚洲杯,yà zhōu bēi,Asian Cup -亚洲短趾百灵,yà zhōu duǎn zhǐ bǎi líng,(bird species of China) Asian short-toed lark (Alaudala cheleensis) -亚洲绶带,yà zhōu shòu dài,"(bird species of China) Asian paradise flycatcher (Terpsiphone paradisi), also called 壽帶|寿带[shou4 dai4]" -亚洲与太平洋,yà zhōu yǔ tài píng yáng,Asia-Pacific -亚洲与太平洋地区,yà zhōu yǔ tài píng yáng dì qū,Asia-Pacific region -亚洲足球联合会,yà zhōu zú qiú lián hé huì,Asian Football Confederation -亚洲开发银行,yà zhōu kāi fā yín háng,Asian Development Bank -亚热带,yà rè dài,subtropical (zone or climate) -亚父,yà fù,(term of respect) second only to father; like a father (to me) -亚尔发和奥米加,yà ěr fā hé ào mǐ jiā,Alpha and Omega -亚特兰大,yà tè lán dà,Atlanta -亚琛,yà chēn,"Aachen, city in Nordrhein-Westfalen, Germany; Aix-la-Chapelle" -亚瑟,yà sè,Arthur (name) -亚瑟士,yà sè shì,ASICS (Japanese footwear brand) -亚瑟王,yà sè wáng,King Arthur -亚界,yà jiè,subkingdom (taxonomy) -亚当,yà dāng,Adam -亚当斯,yà dāng sī,Adams -亚当斯敦,yà dāng sī dūn,"Adamstown, capital of the Pitcairn Islands" -亚的斯亚贝巴,yà dì sī yà bèi bā,"Addis Ababa, capital of Ethiopia" -亚目,yà mù,suborder (taxonomy) -亚砷,yà shēn,arsenous -亚砷酸,yà shēn suān,arsenous acid -亚硝胺,yà xiāo àn,nitrosamine -亚硝酸,yà xiāo suān,nitrous acid -亚硝酸异戊酯,yà xiāo suān yì wù zhǐ,amyl nitrite -亚硝酸钠,yà xiāo suān nà,sodium nitrite -亚硝酸盐,yà xiāo suān yán,nitrite -亚硫酸,yà liú suān,sulfurous acid H2SO3 -亚科,yà kē,subfamily (taxonomy) -亚种,yà zhǒng,subspecies (taxonomy) -亚穆苏克罗,yà mù sū kè luó,Yamoussoukro (city in the Ivory Coast) -亚符号模型,yà fú hào mó xíng,subsymbolic model -亚米拿达,yà mǐ ná dá,Amminadab (son of Ram) -亚纯,yà chún,meromorphic (math.) -亚细亚,yà xì yà,Asia -亚细亚洲,yà xì yà zhōu,Asia (abbr. to 亞洲|亚洲[Ya4zhou1]) -亚细安,yà xì ān,ASEAN -亚纲,yà gāng,subclass (taxonomy) -亚罗士打,yà luó shì dǎ,"Alor Star city, capital of Kedah state in northwest Malaysia" -亚罗号,yà luó hào,the Arrow (a Hong Kong registered ship involved in historical incident in 1856 used as pretext for the second Opium War) -亚罗号事件,yà luó hào shì jiàn,the Arrow Incident of 1856 (used as pretext for the second Opium War) -亚美利加,yà měi lì jiā,America -亚美利加洲,yà měi lì jiā zhōu,America; abbr. to 美洲[Mei3 zhou1] -亚美尼亚,yà měi ní yà,"Armenia, capital Yerevan 埃里溫|埃里温[Ai1 li3 wen1]" -亚圣,yà shèng,"Second Sage, traditional title of Mencius 孟子[Meng4 zi3] in Confucian studies" -亚临界,yà lín jiè,subcritical -亚兰,yà lán,Ram (son of Hezron) -亚裔,yà yì,of Asian descent -亚该亚,yà gāi yà,Achaia -亚足联,yà zú lián,Asian Football Confederation (abbr. for 亞洲足球聯合會|亚洲足球联合会[Ya4zhou1 Zu2qiu2 Lian2he2hui4]) -亚军,yà jūn,second place (in a sports contest); runner-up -亚速海,yà sù hǎi,Sea of Azov in southern Russia -亚速尔群岛,yà sù ěr qún dǎo,Azores Islands -亚运,yà yùn,Asian Games -亚运会,yà yùn huì,Asian Games -亚运村,yà yùn cūn,Yayuncun neighborhood of Beijing -亚达薛西,yà dá xuē xī,Artaxerxes -亚里士多德,yà lǐ shì duō dé,"Aristotle (384-322 BC), Greek philosopher" -亚里斯多德,yà lǐ sī duō dé,Aristotle (philosopher) -亚金,yà jīn,Achim (son of Zadok in Matthew 1:14) -亚铁,yà tiě,ferrous -亚门,yà mén,(biology) subphylum (in zoological taxonomy); subdivision (in the taxonomy of plants or fungi) -亚非拉,yà fēi lā,"Asia, Africa and Latin America" -亚音节单位,yà yīn jié dān wèi,subsyllabic unit -亚类,yà lèi,subtype; subclass -亚马孙,yà mǎ sūn,Amazon -亚马孙河,yà mǎ sūn hé,Amazon River -亚马逊,yà mǎ xùn,Amazon -亚马逊河,yà mǎ xùn hé,Amazon River -亚麻,yà má,flax -亚麻子,yà má zǐ,linseed -亚麻布,yà má bù,linen -亚麻籽,yà má zǐ,linseed -亚麻酸,yà má suān,linolenic acid -亚齐,yà qí,Aceh province of Indonesia in northwest Sumatra; Aceh sultanate 16th-19th century -亚齐省,yà qí shěng,Aceh province of Indonesia in northwest Sumatra -亚龙湾,yà lóng wān,"Yalong Bay in Sanya 三亞|三亚[San1 ya4], Hainan" -亟,jí,urgent -亟,qì,repeatedly; frequently -亟待,jí dài,see 急待[ji2 dai4] -亟需,jí xū,to urgently need; urgent need -亠,tóu,"""lid"" radical in Chinese characters (Kangxi radical 8)" -亡,wáng,to die; to lose; to be gone; to flee; deceased -亡佚,wáng yì,nonextant; lost to the ages -亡八,wáng bā,variant of 王八[wang2 ba1] -亡兵纪念日,wáng bīng jì niàn rì,Memorial Day (American holiday) -亡命,wáng mìng,to flee; to go into exile (from prison) -亡命之徒,wáng mìng zhī tú,runaway (idiom); desperate criminal; fugitive -亡国,wáng guó,(of a nation) to be destroyed; to be subjugated; vanquished nation -亡国奴,wáng guó nú,conquered people -亡国灭种,wáng guó miè zhǒng,"country destroyed, its people annihilated (idiom); total destruction" -亡国虏,wáng guó lǔ,subjugated people; refugee from a destroyed country -亡故,wáng gù,to die; to pass away -亡母,wáng mǔ,deceased mother -亡羊补牢,wáng yáng bǔ láo,lit. to mend the pen after sheep are lost (idiom); fig. to act belatedly; better late than never; to lock the stable door after the horse has bolted -亡者,wáng zhě,the deceased -亡灵,wáng líng,departed spirit -亡魂,wáng hún,soul of the deceased; departed spirit -亢,kàng,"surname Kang; Kang, one of the 28 constellations" -亢,kàng,high; overbearing; excessive -亢奋,kàng fèn,excited; stimulated -亢旱,kàng hàn,severe drought (literary) -亢直,kàng zhí,upright and unyielding (literary) -亢进,kàng jìn,hyperfunction (medical) -交,jiāo,to hand over; to deliver; to pay (money); to turn over; to make friends; (of lines) to intersect; variant of 跤[jiao1] -交九,jiāo jiǔ,the coldest period of the year; three nine day periods after the winter solstice -交互,jiāo hù,mutual; interactive; each other; alternately; in turn; interaction -交付,jiāo fù,to hand over; to deliver -交代,jiāo dài,to transfer (duties to sb else); to give instructions; to tell (sb to do sth); to explain; to give an account; to brief; to confess; to account for oneself; (jocular) to come to a bad end -交并,jiāo bìng,occurring simultaneously -交保,jiāo bǎo,to post bail; bail -交保释放,jiāo bǎo shì fàng,to release sb on bail -交兵,jiāo bīng,in a state of war -交出,jiāo chū,to hand over -交割,jiāo gē,delivery (commerce) -交加,jiāo jiā,(of two or more things) to occur at the same time; to be mingled; to accompany each other -交汇,jiāo huì,"to flow together; confluence (of rivers, airflow, roads); (international) cooperation" -交汇处,jiāo huì chù,confluence (of two rivers); junction (of roads); (transport) interchange -交卷,jiāo juàn,to hand in one's examination script -交卸,jiāo xiè,to hand over to a successor; to relinquish one's office -交叉,jiāo chā,to cross; to intersect; to overlap -交叉口,jiāo chā kǒu,(road) intersection -交叉学科,jiāo chā xué kē,interdisciplinary; interdisciplinary subject (in science) -交叉火力,jiāo chā huǒ lì,crossfire -交叉熵,jiāo chā shāng,cross entropy (information theory) -交叉耐药性,jiāo chā nài yào xìng,cross-tolerance -交叉运球,jiāo chā yùn qiú,crossover dribble (basketball) -交叉阴影线,jiāo chā yīn yǐng xiàn,hatched lines; cross-hatched graphic pattern -交叉点,jiāo chā diǎn,junction; crossroads; (geometry) point of intersection -交友,jiāo yǒu,to make friends -交口,jiāo kǒu,"Jiaokou county in Lüliang 呂梁|吕梁[Lu:3 liang2], Shanxi 山西" -交口称誉,jiāo kǒu chēng yù,voices unanimous in praise (idiom); with an extensive public reputation -交口县,jiāo kǒu xiàn,"Jiaokou county in Lüliang 呂梁|吕梁[Lu:3 liang2], Shanxi 山西" -交合,jiāo hé,to join; to meet; to copulate; sexual intercourse -交售,jiāo shòu,(of a farmer) to sell one's produce to the state as stipulated by government policy -交困,jiāo kùn,beset with difficulties -交城,jiāo chéng,"Jiaocheng county in Lüliang 呂梁|吕梁[Lu:3 liang2], Shanxi 山西" -交城县,jiāo chéng xiàn,"Jiaocheng county in Lüliang 呂梁|吕梁[Lu:3 liang2], Shanxi 山西" -交大,jiāo dà,Jiaotong University; University of Communications; abbr. of 交通大學|交通大学[Jiao1 tong1 Da4 xue2] -交契,jiāo qì,friendship -交媾,jiāo gòu,to have sex; to copulate -交安,jiāo ān,road traffic safety (abbr. for 交通安全) -交尾,jiāo wěi,to copulate (of animals); to mate -交差,jiāo chāi,to report back after completion of one's mission -交帐,jiāo zhàng,to settle accounts -交底,jiāo dǐ,to fill sb in (on the details of sth); to put all one's cards on the table -交强险,jiāo qiáng xiǎn,compulsory vehicle insurance (abbr. for 機動車交通事故責任強制保險|机动车交通事故责任强制保险[ji1 dong4 che1 jiao1 tong1 shi4 gu4 ze2 ren4 qiang2 zhi4 bao3 xian3]) -交汇,jiāo huì,"variant of 交匯|交汇; to flow together; confluence (of rivers, airflow, roads); (international) cooperation" -交往,jiāo wǎng,to associate (with); to have contact (with); to hang out (with); to date; (interpersonal) relationship; association; contact -交待,jiāo dài,variant of 交代[jiao1 dai4] -交心,jiāo xīn,to open one's heart; to have a heart-to-heart conversation -交情,jiāo qing,friendship; friendly relations -交情匪浅,jiāo qíng fěi qiǎn,to be very close; to understand each other -交恶,jiāo wù,to become enemies; to become hostile towards -交感神经,jiāo gǎn shén jīng,sympathetic nervous system -交战,jiāo zhàn,to fight; to wage war -交手,jiāo shǒu,to fight hand to hand -交托,jiāo tuō,to entrust -交拜,jiāo bài,to bow to one another; to kneel and kowtow to one another; formal kowtow as part of traditional wedding ceremony -交接,jiāo jiē,(of two things) to come into contact; to meet; to hand over to; to take over from; to associate with; to have friendly relations with; to have sexual intercourse -交接班,jiāo jiē bān,to change shift -交换,jiāo huàn,to exchange; to swap; to switch (telecom); commutative (math); to commute -交换代数,jiāo huàn dài shù,(math.) commutative algebra -交换代数学,jiāo huàn dài shù xué,(math.) commutative algebra -交换以太网络,jiāo huàn yǐ tài wǎng luò,switched Ethernet -交换价值,jiāo huàn jià zhí,exchange value -交换器,jiāo huàn qì,(telecom or network) switch -交换律,jiāo huàn lǜ,commutative law xy = yx (math) -交换技术,jiāo huàn jì shù,switching technology -交换机,jiāo huàn jī,switch (telecommunications) -交换码,jiāo huàn mǎ,"interchange code; computer coding for characters, including Chinese" -交换端,jiāo huàn duān,switched port -交换网路,jiāo huàn wǎng lù,switched network -交换虚电路,jiāo huàn xū diàn lù,Switched Virtual Circuit; SVC -交易,jiāo yì,to deal; to trade; to transact; transaction; deal; CL:筆|笔[bi3] -交易员,jiāo yì yuán,dealer; trader -交易市场,jiāo yì shì chǎng,exchange; trading floor -交易所,jiāo yì suǒ,exchange; stock exchange -交易所交易基金,jiāo yì suǒ jiāo yì jī jīn,exchange-traded fund (ETF) -交易日,jiāo yì rì,(finance) trading day -交易会,jiāo yì huì,trade fair -交易者,jiāo yì zhě,dealer -交易额,jiāo yì é,sum or volume of business transactions; turnover -交替,jiāo tì,to replace; alternately; in turn -交会,jiāo huì,to encounter; to rendezvous; to converge; to meet (a payment) -交朋友,jiāo péng you,to make friends; (dialect) to start an affair with sb -交杯酒,jiāo bēi jiǔ,formal exchange of cups of wine between bride and groom as traditional wedding ceremony -交椅,jiāo yǐ,"old-style wooden folding armchair, typically featuring a footrest; (fig.) position in a hierarchy" -交款单,jiāo kuǎn dān,payment slip -交欢,jiāo huān,to have cordial relations with each other; to have sexual intercourse -交流,jiāo liú,to exchange; exchange; communication; interaction; to have social contact (with sb) -交流道,jiāo liú dào,(Tw) highway interchange; (fig.) channel of communication -交流电,jiāo liú diàn,alternating current -交涉,jiāo shè,to negotiate (with); to have dealings (with) -交浅言深,jiāo qiǎn yán shēn,(idiom) to talk intimately while being comparative strangers -交火,jiāo huǒ,firefight; shooting -交班,jiāo bān,to hand over to the next workshift -交由,jiāo yóu,to hand over (responsibility for sth) to (sb); to leave it to (sb else to take charge of the next stage of a process) -交界,jiāo jiè,common boundary; common border -交睫,jiāo jié,to close one's eyes (i.e. sleep) -交管,jiāo guǎn,traffic control -交管所,jiāo guǎn suǒ,DMV (department of motor vehicles) (abbr. for 公安局交通管理局車輛管理所|公安局交通管理局车辆管理所) -交粮本,jiāo liáng běn,to hand in one's ration cards; to die -交纳,jiāo nà,to pay (taxes or dues) -交结,jiāo jié,to associate with; to mix with; to connect -交给,jiāo gěi,to give; to deliver; to hand over -交织,jiāo zhī,to interweave -交缠,jiāo chán,to intertwine; to intermingle -交臂,jiāo bì,linking arms; arm in arm; very close -交臂失之,jiāo bì shī zhī,to miss sb by a narrow chance; to miss an opportunity -交与,jiāo yǔ,to hand over -交融,jiāo róng,to blend; to mix -交规,jiāo guī,traffic rules (abbr. for 交通規則|交通规则[jiao1 tong1 gui1 ze2]) -交角,jiāo jiǎo,(math.) angle of intersection -交谊,jiāo yì,association; communion; friendship -交谊舞,jiāo yì wǔ,social dance; ballroom dancing -交谈,jiāo tán,to discuss; to converse; chat; discussion -交警,jiāo jǐng,traffic police (abbr. for 交通警察[jiao1tong1 jing3cha2]) -交变,jiāo biàn,half-period of a wave motion; alternation -交变流电,jiāo biàn liú diàn,alternating current; same as 交流電|交流电 -交变电流,jiāo biàn diàn liú,alternating current (electricity) -交货,jiāo huò,to deliver goods -交货期,jiāo huò qī,delivery time (time between ordering goods and receiving the delivery); date of delivery -交费,jiāo fèi,to pay a fee -交趾,jiāo zhǐ,"former southernmost province of the Chinese Empire, now northern Vietnam" -交办,jiāo bàn,to assign (a task to sb) -交迫,jiāo pò,to be beleaguered -交通,jiāo tōng,to be connected; traffic; transportation; communications; liaison -交通协管员,jiāo tōng xié guǎn yuán,traffic warden -交通卡,jiāo tōng kǎ,public transportation card; prepaid transit card; subway pass -交通堵塞,jiāo tōng dǔ sè,road congestion; traffic jam -交通大学,jiāo tōng dà xué,"abbr. for 上海交通大學|上海交通大学 Shanghai Jiao Tong University, 西安交通大學|西安交通大学 Xia'an Jiaotong University, 國立交通大學|国立交通大学 National Chiao Tung University (Taiwan) etc" -交通工具,jiāo tōng gōng jù,means of transportation; vehicle -交通意外,jiāo tōng yì wài,traffic accident; car crash -交通拥挤,jiāo tōng yōng jǐ,traffic congestion -交通标志,jiāo tōng biāo zhì,traffic sign -交通枢纽,jiāo tōng shū niǔ,traffic hub -交通灯,jiāo tōng dēng,traffic light -交通立体化,jiāo tōng lì tǐ huà,grade separation (civil engineering) -交通管理局,jiāo tōng guǎn lǐ jú,department of transport -交通肇事罪,jiāo tōng zhào shì zuì,culpable driving causing serious damage or injury -交通规则,jiāo tōng guī zé,traffic rules; rules of the road -交通警察,jiāo tōng jǐng chá,traffic police -交通警卫,jiāo tōng jǐng wèi,road traffic policing -交通费,jiāo tōng fèi,transport costs -交通车,jiāo tōng chē,shuttle bus -交通运输部,jiāo tōng yùn shū bù,PRC Ministry of Transport (MOT) -交通部,jiāo tōng bù,Department of Transportation; (PRC) Ministry of Transport -交通银行,jiāo tōng yín háng,Bank of Communications -交通锥,jiāo tōng zhuī,traffic cone -交通阻塞,jiāo tōng zǔ sè,traffic jam -交游,jiāo yóu,to have friendly relationships; circle of friends -交运,jiāo yùn,to meet with luck; to hand over for transportation; to check (one's baggage at an airport etc) -交还,jiāo huán,to return sth; to hand back -交配,jiāo pèi,mating; copulation (esp. of animals) -交锋,jiāo fēng,to cross swords; to have a confrontation (with sb) -交钱,jiāo qián,to pay up; to shell out; to hand over the money to cover sth -交错,jiāo cuò,to crisscross; to intertwine -交际,jiāo jì,communication; social intercourse -交际舞,jiāo jì wǔ,social dance; ballroom dance -交际花,jiāo jì huā,(female) social butterfly; socialite; courtesan -交集,jiāo jí,(of diverse emotions) to occur simultaneously; to intermingle; common ground; points of commonality; overlap; connection; interaction; dealings; (math.) (set theory) intersection -交响,jiāo xiǎng,"symphony, symphonic" -交响曲,jiāo xiǎng qǔ,symphony -交响乐,jiāo xiǎng yuè,symphony -交响乐团,jiāo xiǎng yuè tuán,symphony orchestra -交响乐队,jiāo xiǎng yuè duì,symphony orchestra -交响金属,jiāo xiǎng jīn shǔ,symphonic metal (pop music); heavy metal with symphonic pretensions -交头接耳,jiāo tóu jiē ěr,to whisper to one another's ear -交驰,jiāo chí,continuously circling one another; to buzz around -交骨,jiāo gǔ,pubic bone -交点,jiāo diǎn,meeting point; point of intersection -亥,hài,"12th earthly branch: 9-11 p.m., 10th solar month (7th November-6th December), year of the Boar; ancient Chinese compass point: 330°" -亥时,hài shí,9-11 pm (in the system of two-hour subdivisions used in former times) -亥猪,hài zhū,"Year 12, year of the Boar (e.g. 2007)" -亦,yì,also -亦且,yì qiě,variant of 抑且[yi4 qie3] -亦作,yì zuò,also written as -亦即,yì jí,namely; that is -亦或,yì huò,or -亦敌亦友,yì dí yì yǒu,(idiom) to be both friend and foe to each other; to have a friendly rivalry -亦步亦趋,yì bù yì qū,to blindly follow suit (idiom); to imitate slavishly; to do what everyone else is doing -亦称,yì chēng,also known as; alternative name; to also be called -亦庄,yì zhuāng,Yizhuang town in Beijing municipality -亨,hēng,prosperous; henry (unit of inductance) -亨丁顿舞蹈症,hēng dīng dùn wǔ dǎo zhèng,Huntington's disease -亨利,hēng lì,Henry (name); henry (unit of inductance) -亨利五世,hēng lì wǔ shì,"Henry V (1387-1422), English warrior king, victor of Agincourt; History of Henry V by William Shakespeare 莎士比亞|莎士比亚[Sha1 shi4 bi3 ya4]" -亨廷顿舞蹈症,hēng tíng dùn wǔ dǎo zhèng,Huntington's disease -亨德尔,hēng dé ěr,"Handel (name); George Frideric Handel (1685-1759), German-born British composer" -亨格洛,hēng gé luò,"Hengelo, city in the Netherlands" -亨氏,hēng shì,"Heinz (name); Heinz, US food processing company" -亨特,hēng tè,Hunter (name) -亨祚,hēng zuò,to prosper; to flourish -亨通,hēng tōng,to go smoothly; prosperous; going well -享,xiǎng,to enjoy; to benefit; to have the use of -享受,xiǎng shòu,to enjoy; to live it up; pleasure; CL:種|种[zhong3] -享名,xiǎng míng,to enjoy a reputation -享国,xiǎng guó,to reign -享年,xiǎng nián,to live to the (ripe) age of -享有,xiǎng yǒu,"to enjoy (rights, privileges etc)" -享乐,xiǎng lè,to enjoy life; pleasures of life -享乐主义,xiǎng lè zhǔ yì,hedonism -享乐主义者,xiǎng lè zhǔ yì zhě,hedonist -享清福,xiǎng qīng fú,to live in ease and comfort -享用,xiǎng yòng,to enjoy (i.e. have the use or benefit of) -享福,xiǎng fú,to live comfortably; happy and prosperous life -享誉,xiǎng yù,to be renowned -京,jīng,surname Jing; Jing ethnic minority; abbr. for Beijing 北京[Bei3jing1] -京,jīng,capital city of a country; big; algebraic term for a large number (old); artificial mound (old) -京九铁路,jīng jiǔ tiě lù,JingJiu (Beijing-Kowloon) railway -京二胡,jīng èr hú,"jing'erhu, a two-stringed fiddle intermediate in size and pitch between the jinghu 京胡 and erhu 二胡, used to accompany Chinese opera; also called 京胡" -京兆,jīng zhào,capital of a country -京剧,jīng jù,"Beijing opera; CL:場|场[chang3],齣|出[chu1]" -京口,jīng kǒu,"Jingkou district of Zhenjiang city 鎮江市|镇江市[Zhen4 jiang1 shi4], Jiangsu" -京口区,jīng kǒu qū,"Jingkou district of Zhenjiang city 鎮江市|镇江市[Zhen4 jiang1 shi4], Jiangsu" -京味,jīng wèi,Beijing flavor; Beijing style -京哈,jīng hā,Beijing-Harbin -京哈铁路,jīng hā tiě lù,Beijing-Harbin railway -京城,jīng chéng,capital of a country -京报,jīng bào,Peking Gazette (official government bulletin) -京山,jīng shān,"Jingshan county in Jingmen 荊門|荆门[Jing1 men2], Hubei" -京山县,jīng shān xiàn,"Jingshan county in Jingmen 荊門|荆门[Jing1 men2], Hubei" -京巴狗,jīng bā gǒu,Pekingese (dog breed) -京师,jīng shī,capital of a country (literary) -京广,jīng guǎng,Beijing and Guangdong -京广铁路,jīng guǎng tiě lù,Jing-Guang (Beijing-Guangzhou) Railway -京戏,jīng xì,Beijing opera; CL:齣|出[chu1] -京斯敦,jīng sī dūn,"Kingstown, capital of Saint Vincent and the Grenadines; (Tw) Kingston, capital of Jamaica" -京族,jīng zú,"Gin or Jing, ethnic minority of China, descendants of ethnic Vietnamese people living mainly in Guangxi; Kinh, the ethnic majority in Vietnam" -京杭大运河,jīng háng dà yùn hé,"the Grand Canal, 1800 km from Beijing to Hangzhou, built starting from 486 BC" -京杭运河,jīng háng yùn hé,"the Grand Canal, 1800 km from Beijing to Hangzhou, built starting from 486 BC" -京东,jīng dōng,"Jingdong, Chinese e-commerce company" -京津,jīng jīn,Beijing and Tianjin -京津冀,jīng jīn jì,"Jing-Jin-Ji (Beijing, Tianjin and Hebei Province)" -京沪,jīng hù,Beijing and Shanghai -京沪高铁,jīng hù gāo tiě,"Beijing-Shanghai High-Speed Railway, completed in 2010; abbr. for 京滬高速鐵路|京沪高速铁路" -京片子,jīng piàn zi,Beijing dialect -京畿,jīng jī,"Gyeonggi Province, South Korea, surrounding Seoul and Incheon, capital Suweon City 水原市[Shui3 yuan2 shi4]" -京畿,jīng jī,capital city and its surrounding area -京畿道,jīng jī dào,"Gyeonggi Province, South Korea, surrounding Seoul and Incheon, capital Suweon City 水原市[Shui3 yuan2 shi4]" -京胡,jīng hú,"jinghu, a smaller, higher-pitched erhu 二胡 (two-stringed fiddle) used to accompany Chinese opera; also called 京二胡" -京华时报,jīng huá shí bào,Beijing Times (newspaper) -京郊,jīng jiāo,suburbs of Beijing -京郊日报,jīng jiāo rì bào,"Beijing Suburbs Daily, newspaper in operation 1980-2018" -京都,jīng dū,"Kyoto, Japan" -京都,jīng dū,capital (of a country) -京都府,jīng dū fǔ,Kyōto prefecture in central Japan -京都念慈庵,jīng dū niàn cí ān,"King-to Nin Jiom, or just Nin Jiom, manufacturer of 枇杷膏[pi2 pa2 gao1] cough medicine" -亭,tíng,pavilion; booth; kiosk; erect -亭亭玉立,tíng tíng yù lì,slender and elegant (of a woman) -亭午,tíng wǔ,(literary) noon -亭子,tíng zi,pavilion -亭湖,tíng hú,"Tinghu district of Yancheng city 鹽城市|盐城市[Yan2 cheng2 shi4], Jiangsu" -亭湖区,tíng hú qū,"Tinghu district of Yancheng city 鹽城市|盐城市[Yan2 cheng2 shi4], Jiangsu" -亭台,tíng tái,pavilion -亭台楼榭,tíng tái lóu xiè,see 亭臺樓閣|亭台楼阁[ting2 tai2 lou2 ge2] -亭台楼阁,tíng tái lóu gé,pavilions and kiosks (in Chinese gardens) -亭长,tíng zhǎng,ancient official title -亭阁,tíng gé,pavilion -亮,liàng,bright; light; to shine; to flash; loud and clear; to show (one's passport etc); to make public (one's views etc) -亮光,liàng guāng,light; beam of light; gleam of light; light reflected from an object -亮出,liàng chū,"to suddenly reveal; to flash (one's ID, a banknote etc)" -亮堂,liàng táng,bright; clear -亮堂堂,liàng táng táng,very bright; well-lit -亮底牌,liàng dǐ pái,to show one's hand; to lay one's cards on the table -亮度,liàng dù,brightness -亮彩,liàng cǎi,a bright color; sparkle; shine; glitter -亮星,liàng xīng,bright star -亮星云,liàng xīng yún,diffuse nebula -亮晶晶,liàng jīng jīng,gleaming; glistening -亮氨酸,liàng ān suān,"leucine (Leu), an essential amino acid" -亮相,liàng xiàng,"to strike a pose (Chinese opera); (fig.) to make a public appearance; to come out in public (revealing one's true personality, opinions etc); (of a product) to appear on the market or at a trade show etc" -亮眼,liàng yǎn,eye-catching; striking; impressive; sighted eyes; functioning eyes -亮眼人,liàng yǎn rén,(term used by the blind) sighted person; person with eyesight; perceptive person; observant person -亮菌,liàng jūn,Armillariella tabescens (mushroom used in trad. Chinese medicine) -亮菌甲素,liàng jūn jiǎ sù,armillarisin (fungal enzyme used as antibiotic) -亮蓝,liàng lán,bright blue -亮锃锃,liàng zèng zèng,polished to a shine; shiny; glistening -亮闪闪,liàng shǎn shǎn,bright -亮饰,liàng shì,diamanté -亮丽,liàng lì,bright and beautiful -亮黄灯,liàng huáng dēng,(lit.) to flash the yellow light; (fig.) to give a warning sign -亮点,liàng diǎn,highlight; bright spot -享,xiǎng,old variant of 享[xiang3] -夜,yè,variant of 夜[ye4] -亳,bó,name of district in Anhui; capital of Yin -亳州,bó zhōu,Bozhou prefecture-level city in Anhui -亳州市,bó zhōu shì,Bozhou prefecture-level city in Anhui -亶,dǎn,surname Dan -亶,dǎn,sincere -廉,lián,old variant of 廉[lian2] -亹,mén,mountain pass; defile (archaic) -亹,wěi,resolute -亹亹,wěi wěi,diligently; relentlessly; pressing forward -亹亹不倦,wěi wěi bù juàn,on and on; relentlessly -人,rén,"person; people; CL:個|个[ge4],位[wei4]" -人丁,rén dīng,number of people in a family; population; (old) adult males; male servants -人不可貌相,rén bù kě mào xiàng,"you can't judge a person by appearance (idiom); you can't judge a book by its cover; often in combination 人不可貌相,海水不可斗量[ren2 bu4 ke3 mao4 xiang4 , hai3 shui3 bu4 ke3 dou3 liang2]" -人不知鬼不觉,rén bù zhī guǐ bù jué,in absolute secrecy -人世,rén shì,the world; this world; the world of the living -人世间,rén shì jiān,the secular world -人中,rén zhōng,"philtrum; infranasal depression; the ""human center"" acupuncture point" -人中龙凤,rén zhōng lóng fèng,a giant among men (idiom) -人之常情,rén zhī cháng qíng,human nature (idiom); a behavior that is only natural -人事,rén shì,personnel; human resources; human affairs; ways of the world; (euphemism) sexuality; the facts of life -人事不知,rén shì bù zhī,to have lost consciousness -人事管理,rén shì guǎn lǐ,personnel management -人事处,rén shì chù,human resources department -人事部,rén shì bù,personnel office; human resources (HR) -人事部门,rén shì bù mén,personnel office -人云亦云,rén yún yì yún,to say what everyone says (idiom); to conform to what one perceives to be the majority view; to follow the herd -人五人六,rén wǔ rén liù,(idiom) to make a show of being decent and proper; to display phony or hypocritical behavior -人人,rén rén,everyone; every person -人人有责,rén rén yǒu zé,it is everyone's duty -人人皆知,rén rén jiē zhī,known to everyone -人人网,rén rén wǎng,Renren (Chinese social networking website) -人仰马翻,rén yǎng mǎ fān,to suffer a crushing defeat (idiom); in a pitiful state; in a complete mess; to roll (with laughter) -人位相宜,rén wèi xiāng yí,to be the right person for the job (idiom) -人来疯,rén lái fēng,to get hyped up in front of an audience; (of children) to play up in front of guests -人保,rén bǎo,personal guarantee; to sign as guarantor -人们,rén men,people -人偶,rén ǒu,puppet; figure -人偶戏,rén ǒu xì,puppet show -人杰,rén jié,outstanding talent; wise and able person; illustrious individual -人杰地灵,rén jié dì líng,"illustrious hero, spirit of the place (idiom); a place derives reflected glory from an illustrious son" -人传人,rén chuán rén,transmitted person-to-person -人像,rén xiàng,"likeness of a person (sketch, photo, sculpture etc)" -人儿,rén er,figurine -人力,rén lì,manpower; labor power -人力接龙,rén lì jiē lóng,bucket brigade; human chain -人力资源,rén lì zī yuán,human resources -人力车,rén lì chē,rickshaw -人力车夫,rén lì chē fū,rickshaw puller -人势,rén shì,(human) penis (TCM) -人去楼空,rén qù lóu kōng,lit. the occupants have gone and the place is now empty (idiom); fig. (of a dwelling) empty; deserted -人参,rén shēn,ginseng -人丛,rén cóng,crowd of people -人口,rén kǒu,population; people -人口学,rén kǒu xué,demography -人口密度,rén kǒu mì dù,population density -人口密集,rén kǒu mì jí,densely populated -人口数,rén kǒu shù,population -人口普查,rén kǒu pǔ chá,census -人口稠密,rén kǒu chóu mì,populous -人口红利,rén kǒu hóng lì,(economics) demographic dividend -人口统计学,rén kǒu tǒng jì xué,population studies; population statistics -人口调查,rén kǒu diào chá,census -人口贩运,rén kǒu fàn yùn,trafficking in persons; human trafficking -人各有所好,rén gè yǒu suǒ hào,everyone has their likes and dislikes; there is no accounting for taste; chacun son goût -人名,rén míng,personal name -人命,rén mìng,human life; CL:條|条[tiao2] -人命关天,rén mìng guān tiān,human life is beyond value (idiom) -人品,rén pǐn,character; moral strength; integrity; (coll.) looks; appearance; bearing -人员,rén yuán,staff; crew; personnel; CL:個|个[ge4] -人喊马嘶,rén hǎn mǎ sī,lit. people shouting and horses neighing (idiom); fig. tumultuous; hubbub -人困马乏,rén kùn mǎ fá,riders tired and horses weary (idiom); worn out; exhausted; spent; fatigued -人均,rén jūn,per capita -人士,rén shì,person; figure; public figure -人寿保险,rén shòu bǎo xiǎn,life insurance -人寿年丰,rén shòu nián fēng,"long-lived people, rich harvests (idiom); stable and affluent society; prosperity" -人多势众,rén duō shì zhòng,"many men, a great force (idiom); many hands provide great strength; There is safety in numbers." -人大,rén dà,(Chinese) National People's Congress (abbr. for 全國人民代表大會|全国人民代表大会[Quan2 guo2 Ren2 min2 Dai4 biao3 Da4 hui4]); Renmin University of China (abbr. for 中國人民大學|中国人民大学[Zhong1 guo2 Ren2 min2 Da4 xue2]) -人夫,rén fū,married man; husband (as a social role) -人如其名,rén rú qí míng,(idiom) to live up to one's name; true to one's name -人妖,rén yāo,transvestite; transsexual; ladyboy -人妻,rén qī,married woman; wife (as a social role) -人子,rén zǐ,son of man -人孔,rén kǒng,manhole -人字形,rén zì xíng,V-shape; chevron; herringbone -人字拖,rén zì tuō,flip-flops (abbr. for 人字拖鞋[ren2 zi4 tuo1 xie2]) -人字拖鞋,rén zì tuō xié,flip-flops; flip-flop sandals; thongs; see also 人字拖[ren2 zi4 tuo1] -人字洞,rén zì dòng,"Renzidong palaeolithic archaeological site at Fanchang 繁昌[Fan2 chang1], Anhui" -人定,rén dìng,middle of the night; the dead of night -人定胜天,rén dìng shèng tiān,man can conquer nature (idiom); human wisdom can prevail over nature -人家,rén jiā,"household; dwelling; family; sb else's house; household business; house of woman's husband-to-be; CL:戶|户[hu4],家[jia1]" -人家,rén jia,"other people; sb else; he, she or they; I, me (referring to oneself as ""one"" or ""people"")" -人家牵驴你拔橛,rén jiā qiān lǘ nǐ bá jué,see 別人牽驢你拔橛子|别人牵驴你拔橛子[bie2 ren5 qian1 lu:2 ni3 ba2 jue2 zi5] -人寰,rén huán,world; earthly world -人尖儿,rén jiān er,outstanding individual; person of great ability -人居,rén jū,human habitat -人山人海,rén shān rén hǎi,(idiom) multitude; vast crowd -人工,rén gōng,artificial; manpower; manual work -人工受孕,rén gōng shòu yùn,artificial insemination -人工吹气,rén gōng chuī qì,oral inflation -人工呼吸,rén gōng hū xī,artificial respiration (medicine) -人工岛,rén gōng dǎo,artificial island -人工授精,rén gōng shòu jīng,artificial insemination -人工智慧,rén gōng zhì huì,artificial intelligence (Tw) -人工智能,rén gōng zhì néng,artificial intelligence (AI) -人工概念,rén gōng gài niàn,artificial concept -人工河,rén gōng hé,canal; man-made waterway -人工流产,rén gōng liú chǎn,abortion -人工湖,rén gōng hú,artificial lake -人工照亮,rén gōng zhào liàng,artificial lighting -人工耳蜗,rén gōng ěr wō,cochlear implant -人工费,rén gōng fèi,labor cost -人工电子耳,rén gōng diàn zǐ ěr,cochlear implant -人师,rén shī,mentor; role model -人形,rén xíng,human form; human-shaped; humanoid -人影,rén yǐng,the shadow of a human figure; a trace of a person's presence (usu. combined with a negative verb) -人从,rén cóng,retinue; hangers-on -人微言轻,rén wēi yán qīng,(idiom) what lowly people think counts for little -人心,rén xīn,popular feeling; the will of the people -人心不古,rén xīn bù gǔ,(idiom) moral standards are much lower now than in former times -人心不足蛇吞象,rén xīn bù zú shé tūn xiàng,a man who is never content is like a snake trying to swallow an elephant (idiom) -人心惶惶,rén xīn huáng huáng,(idiom) everyone is anxious; (of a group of people) to feel anxious -人心所向,rén xīn suǒ xiàng,that which is yearned for by the public -人心果,rén xīn guǒ,"sapodilla, a tropical fruit bearing tree" -人心涣散,rén xīn huàn sàn,"(of a nation, government etc) demoralized; disunited" -人心隔肚皮,rén xīn gé dù pí,there is no knowing what is in a man's heart (idiom) -人心难测,rén xīn nán cè,hard to fathom a person's mind (idiom) -人怕出名猪怕壮,rén pà chū míng zhū pà zhuàng,lit. people fear getting famous like pigs fear fattening up (for the slaughter); fig. fame has its price -人怕出名猪怕肥,rén pà chū míng zhū pà féi,lit. people fear getting famous like pigs fear fattening up (for the slaughter); fig. fame has its price -人性,rén xìng,human nature; humanity; human; the totality of human attributes -人性化,rén xìng huà,(of a system or product etc) adapted to human needs; people-oriented; user-friendly -人情,rén qíng,human emotions; social relationship; friendship; favor; a good turn -人情世故,rén qíng shì gù,worldly wisdom; the ways of the world; to know how to get on in the world -人情债,rén qíng zhài,debt of gratitude -人情味,rén qíng wèi,human warmth; friendliness; human touch -人情味儿,rén qíng wèi er,erhua variant of 人情味[ren2 qing2 wei4] -人意,rén yì,people's expectations -人所共知,rén suǒ gòng zhī,something that everybody knows -人手,rén shǒu,manpower; staff; human hand -人才,rén cái,talent; talented person; looks; attractive looks -人才外流,rén cái wài liú,brain drain -人才流失,rén cái liú shī,brain drain; outflow of talent -人才济济,rén cái jǐ jǐ,a galaxy of talent (idiom); a great number of competent people -人数,rén shù,number of people -人文,rén wén,humanities; human affairs; culture -人文主义,rén wén zhǔ yì,humanism -人文地理学,rén wén dì lǐ xué,human geography -人文学,rén wén xué,humanities -人文景观,rén wén jǐng guān,place of cultural interest -人文社会学科,rén wén shè huì xué kē,humanities and social sciences -人文社科,rén wén shè kē,(abbr.) humanities and social sciences -人族,rén zú,Hominini -人是铁饭是钢,rén shì tiě fàn shì gāng,one can't function properly on an empty stomach (idiom); an empty sack cannot stand upright -人有三急,rén yǒu sān jí,(jocular) to need to answer the call of nature -人材,rén cái,variant of 人才[ren2 cai2] -人格,rén gé,personality; integrity; dignity -人格化,rén gé huà,to personalize; anthropomorphism -人格神,rén gé shén,personal god -人格魅力,rén gé mèi lì,personal charm; charisma -人模狗样,rén mú gǒu yàng,(idiom) to pose; to put on airs; Taiwan pr. [ren2 mo2 gou3 yang4] -人机工程,rén jī gōng chéng,ergonomics; man-machine engineering -人机界面,rén jī jiè miàn,user interface -人权,rén quán,human rights -人权法,rén quán fǎ,Human Rights law (Hong Kong) -人权观察,rén quán guān chá,"Human Rights Watch (HRW), New York-based non-governmental organization" -人权斗士,rén quán dòu shì,a human rights activist; a fighter for human rights -人次,rén cì,person-times; visits; classifier for number of people participating -人武,rén wǔ,armed forces -人母,rén mǔ,mother (as a social role) -人比人得死,rén bǐ rén děi sǐ,"see 人比人,氣死人|人比人,气死人[ren2 bi3 ren2, qi4si3 ren2]" -人氏,rén shì,native; person from a particular place -人民,rén mín,the people; CL:個|个[ge4] -人民代表,rén mín dài biǎo,deputy to the People's Congress -人民内部矛盾,rén mín nèi bù máo dùn,internal contradiction among the people (pretext for a purge) -人民公敌,rén mín gōng dí,the enemy of the people; the class enemy (Marxism) -人民公社,rén mín gōng shè,people's commune -人民公社化,rén mín gōng shè huà,collectivization of agriculture (disastrous policy of communist Russia around 1930 and China in the 1950s) -人民利益,rén mín lì yì,interests of the people -人民团体,rén mín tuán tǐ,"people's organization (e.g. labor unions, peasant associations, scholarly associations etc); mass organization" -人民基本权利,rén mín jī běn quán lì,fundamental civil rights -人民大会堂,rén mín dà huì táng,the Great Hall of the People (in Beijing) -人民币,rén mín bì,Renminbi (RMB); Chinese Yuan (CNY) -人民币元,rén mín bì yuán,"renminbi yuan (RMB), PRC currency unit" -人民广场,rén mín guǎng chǎng,"People's Square, Shanghai" -人民战争,rén mín zhàn zhēng,"people's war, military strategy advocated by Mao whereby a large number of ordinary citizens provide support in a campaign" -人民政府,rén mín zhèng fǔ,people's government -人民日报,rén mín rì bào,People's Daily (PRC newspaper) -人民民主专政,rén mín mín zhǔ zhuān zhèng,people's democratic dictatorship -人民法院,rén mín fǎ yuàn,people's court (of law); people's tribunal -人民网,rén mín wǎng,"online version of the People's Daily, 人民日報|人民日报[Ren2 min2 Ri4 bao4]" -人民联盟党,rén mín lián méng dǎng,People's alliance party; Bengali Awami league -人民英雄纪念碑,rén mín yīng xióng jì niàn bēi,"Monument to the People's Heroes, at Tiananmen Square" -人民行动党,rén mín xíng dòng dǎng,People's Action Party (ruling party in Singapore) -人民解放军,rén mín jiě fàng jūn,People's Liberation Army -人民警察,rén mín jǐng chá,civil police; PRC police -人民起义,rén mín qǐ yì,popular uprising -人民银行,rén mín yín háng,People's Bank of China -人民阵线,rén mín zhèn xiàn,popular front -人民党,rén mín dǎng,People's party (of various countries) -人气,rén qì,popularity; personality; character -人治,rén zhì,rule of man -人流,rén liú,stream of people; abortion; abbr. for 人工流產|人工流产[ren2 gong1 liu2 chan3] -人流手术,rén liú shǒu shù,an abortion; abbr. of 人工流產手術|人工流产手术 -人浮于事,rén fú yú shì,more hands than needed (idiom); too many cooks spoil the broth -人海,rén hǎi,a multitude; a sea of people -人海战术,rén hǎi zhàn shù,(military) human wave attack -人渣,rén zhā,dregs of society; scum -人满为患,rén mǎn wéi huàn,packed with people; overcrowded; overpopulation -人潮,rén cháo,a tide of people -人为,rén wéi,artificial; man-made; having human cause or origin; human attempt or effort -人为土,rén wéi tǔ,anthrosol (soil taxonomy) -人无完人,rén wú wán rén,nobody is perfect; everyone has their defect -人烟,rén yān,sign of human habitation -人烟稀少,rén yān xī shǎo,no sign of human habitation (idiom); desolate -人父,rén fù,father (as a social role) -人墙,rén qiáng,human barricade; (soccer) defensive wall -人物,rén wù,"person; personage; figure (esp. sb of importance); character (in a play, novel etc); (genre of traditional Chinese painting) figure painting" -人物描写,rén wù miáo xiě,portrayal -人犯,rén fàn,criminal; culprit; suspect (old) -人猿,rén yuán,anthropoid ape -人球,rén qiú,"person who is passed back and forth, with nobody willing to look after them (e.g. a child of divorced parents); (esp.) patient who gets shuttled from hospital to hospital, each of which refuses to admit the patient for treatment" -人琴俱亡,rén qín jù wáng,person and lute have both vanished (idiom); death of a close friend -人瑞,rén ruì,very old person; venerable old person -人生,rén shēng,life (one's time on earth) -人生何处不相逢,rén shēng hé chù bù xiāng féng,it's a small world (idiom) -人生地不熟,rén shēng dì bù shú,to be a stranger in a strange land (idiom); in an unfamiliar place without friends or family -人生如梦,rén shēng rú mèng,life is but a dream (idiom) -人生如朝露,rén shēng rú zhāo lù,human life as the morning dew (idiom); fig. ephemeral and precarious nature of human existence -人生朝露,rén shēng zhāo lù,human life as the morning dew (idiom); fig. ephemeral and precarious nature of human existence -人生盛衰,rén shēng shèng shuāi,life has its ups and downs (idiom) -人生路不熟,rén shēng lù bù shú,everything is unfamiliar -人畜共患症,rén chù gòng huàn zhèng,zoonosis -人皇,rén huáng,"Human Sovereign, one of the three legendary sovereigns 三皇[san1 huang2]" -人尽其才,rén jìn qí cái,employ one's talent to the fullest; everyone gives of their best -人尽其材,rén jìn qí cái,employ one's talent to the fullest; everyone gives of their best; also written 人盡其才|人尽其才 -人尽可夫,rén jìn kě fū,(idiom) (of a woman) promiscuous; loose -人尽皆知,rén jìn jiē zhī,see 盡人皆知|尽人皆知[jin4 ren2 jie1 zhi1] -人相,rén xiàng,physiognomy -人相学,rén xiàng xué,"physiognomy (judgment of a person's fate, character etc, based on facial features)" -人盾,rén dùn,human shield -人矿,rén kuàng,"(neologism c. 2023) (slang) the Chinese people, seen as a resource that is exploited for its value to the nation" -人社部,rén shè bù,Ministry of Human Resources and Social Security (PRC); abbr. for 人力資源和社會保障部|人力资源和社会保障部 -人祸,rén huò,man-made disaster -人种,rén zhǒng,race (of people) -人称,rén chēng,"person (first person, second person etc in grammar); called; known as" -人称代词,rén chēng dài cí,personal pronoun -人穷志不穷,rén qióng zhì bù qióng,(idiom) poor but with great ambitions; poor but principled -人穷志短,rén qióng zhì duǎn,poor and with low expectations; poverty stunts ambition -人算不如天算,rén suàn bù rú tiān suàn,"man proposes, God disposes (idiom); one's plans can be derailed by unforeseen events" -人精,rén jīng,sophisticate; man with extensive experience; child prodigy; Wunderkind (i.e. brilliant child); spirit within a person (i.e. blood and essential breath 血氣|血气 of TCM) -人给家足,rén jǐ jiā zú,"lit. each household provided for, enough for the individual (idiom); comfortably off" -人缘,rén yuán,relations with other people -人缘儿,rén yuán er,erhua variant of 人緣|人缘[ren2 yuan2] -人群,rén qún,crowd -人群管理特别用途车,rén qún guǎn lǐ tè bié yòng tú chē,"specialized crowd management vehicle, a riot control vehicle equipped with a water cannon, commonly known as water cannon vehicle 水炮車|水炮车[shui3 pao4 che1]" -人老珠黄,rén lǎo zhū huáng,(of a woman) old and faded -人声鼎沸,rén shēng dǐng fèi,lit. a boiling cauldron of voices (idiom); hubbub; brouhaha -人肉,rén ròu,"to crowdsource information about sb or sth (typically as a form of vigilantism resulting in doxing) (abbr. for 人肉搜索[ren2 rou4 sou1 suo3]); human (used attributively, as in 人肉盾牌[ren2 rou4 dun4 pai2], human shield)" -人肉搜索,rén ròu sōu suǒ,to crowdsource information about sb or sth (typically as a form of vigilantism resulting in doxing) -人肉搜索引擎,rén ròu sōu suǒ yǐn qíng,human flesh search engine; a large-scale collective effort to find details about a person or event (Internet slang) -人脉,rén mài,contacts; connections; network -人脸识别,rén liǎn shí bié,(computing) facial recognition; (cognitive pyschology) face perception -人臣,rén chén,an official (in former times) -人艰不拆,rén jiān bù chāi,life is hard enough as it is; don't burst my bubble (Internet slang) -人蛇,rén shé,illegal immigrant -人蛇集团,rén shé jí tuán,human smuggling syndicate; snakehead gang -人行区,rén xíng qū,pedestrian precinct -人行地下通道,rén xíng dì xià tōng dào,pedestrian underpass -人行横道,rén xíng héng dào,crosswalk; pedestrian crossing -人行横道线,rén xíng héng dào xiàn,crosswalk; pedestrian crossing with zebra stripes -人行道,rén xíng dào,sidewalk -人见人爱,rén jiàn rén ài,loved by all; to have universal appeal -人言可畏,rén yán kě wèi,gossip is a fearful thing (idiom) -人言啧啧,rén yán zé zé,everyone comments disapprovingly (idiom) -人言籍籍,rén yán jí jí,tongues are wagging (idiom) -人设,rén shè,"the design of a character (in games, manga etc) (abbr. for 人物設定|人物设定); (fig.) (a celebrity or other public figure's) image in the eyes of the public; public persona" -人谁无过,rén shéi wú guò,Everyone makes mistakes (idiom) -人证,rén zhèng,witness testimony -人证物证,rén zhèng wù zhèng,human testimony and material evidence -人财两失,rén cái liǎng shī,see 人財兩空|人财两空[ren2 cai2 liang3 kong1] -人财两得,rén cái liǎng dé,(idiom) to succeed in both love and business -人财两旺,rén cái liǎng wàng,(idiom) thriving; (of a city) populous and wealthy; (of a family) large and prosperous -人财两空,rén cái liǎng kōng,(idiom) to suffer the departure of sb (talented staff or one's spouse etc) and a financial loss as well; to get burned both romantically and financially -人贩子,rén fàn zi,human trafficker -人资,rén zī,abbr. of 人力資源|人力资源[ren2 li4 zi1 yuan2] -人质,rén zhì,hostage -人赃俱获,rén zāng jù huò,"(of a thief, smuggler etc) to be caught with stolen or illegal goods; to be caught red-handed" -人走茶凉,rén zǒu chá liáng,"lit. when people leave, the tea cools (idiom); fig. when sb is no longer in a position of power, others cease to care about him" -人迹罕至,rén jì hǎn zhì,lit. men's footprints are rare (idiom); fig. off the beaten track; lonely; deserted -人身,rén shēn,person; personal; human body -人身事故,rén shēn shì gù,accident causing injury or death -人身安全,rén shēn ān quán,personal safety -人身攻击,rén shēn gōng jī,personal attack -人身权,rén shēn quán,one's personal rights -人车混行,rén chē hún xíng,pedestrian-vehicle mixed use -人造,rén zào,man-made; artificial; synthetic -人造天体,rén zào tiān tǐ,artificial satellite -人造奶油,rén zào nǎi yóu,margarine -人造牛油,rén zào niú yóu,margarine -人造丝,rén zào sī,rayon -人造纤维,rén zào xiān wéi,man-made fiber -人造卫星,rén zào wèi xīng,artificial satellite -人造语言,rén zào yǔ yán,artificial language; constructed language; conlang -人造革,rén zào gé,artificial leather -人造黄油,rén zào huáng yóu,margarine -人道,rén dào,"human sympathy; humanitarianism; humane; the ""human way"", one of the stages in the cycle of reincarnation (Buddhism); sexual intercourse" -人道主义,rén dào zhǔ yì,humanism; humanitarian (aid) -人道救援,rén dào jiù yuán,humanitarian aid -人选,rén xuǎn,choice of person; candidate -人链,rén liàn,human chain -人间,rén jiān,the human world; the earth -人间佛教,rén jiān fó jiào,Humanistic Buddhism -人间喜剧,rén jiān xǐ jù,"La Comédie humaine, series of novels by 19th century French novelist Honoré de Balzac 巴爾扎克|巴尔扎克[Ba1 er3 zha1 ke4]" -人间地狱,rén jiān dì yù,hell on earth (idiom); suffering the torments of Buddhist hell while still alive; fig. having an uncomfortable time -人间天堂,rén jiān tiān táng,heaven on Earth; nickname for the city Suzhou -人间清醒,rén jiān qīng xǐng,(neologism c. 2021) to keep one's senses; not get carried away; not let success go to one's head -人间蒸发,rén jiān zhēng fā,to vanish; to disappear from the face of the earth -人际,rén jì,human relationships; interpersonal -人际关系,rén jì guān xì,interpersonal relationship -人面兽心,rén miàn shòu xīn,"lit. human face, beastly heart (idiom); fig. mild in appearance but malicious in nature" -人头,rén tóu,person; number of people; (per) capita; (a person's) head; (Tw) person whose identity is used by sb else (e.g. to create a bogus account) -人头熟,rén tóu shú,to know a lot of people -人头狮身,rén tóu shī shēn,sphinx -人头税,rén tóu shuì,poll tax -人头马,rén tóu mǎ,Rémy Martin cognac -人类,rén lèi,humanity; human race; mankind -人类乳突病毒,rén lèi rǔ tū bìng dú,human papillomavirus (HPV) -人类免疫缺陷病毒,rén lèi miǎn yì quē xiàn bìng dú,human immunodeficiency virus (HIV) -人类基因组计划,rén lèi jī yīn zǔ jì huà,Human Genome Project -人类学,rén lèi xué,anthropology -人类学家,rén lèi xué jiā,anthropologist -人类起源,rén lèi qǐ yuán,origin of mankind -人马,rén mǎ,men and horses; troops; group of people; troop; staff; centaur -人马座,rén mǎ zuò,Sagittarius (constellation and sign of the zodiac) -人马臂,rén mǎ bì,Sagittarius spiral arm (of our galaxy) -人体,rén tǐ,human body -人体器官,rén tǐ qì guān,human organ -人体工学,rén tǐ gōng xué,ergonomics -人体解剖,rén tǐ jiě pōu,human anatomy -人体解剖学,rén tǐ jiě pōu xué,human anatomy -人高马大,rén gāo mǎ dà,tall and strong -人鱼,rén yú,mermaid; dugong; sea cow; manatee; giant salamander -人鱼小姐,rén yú xiǎo jie,mermaid; the Little Mermaid -人龙,rén lóng,a queue of people -亻,rén,"""person"" radical in Chinese characters (Kangxi radical 9)" -亼,jí,variant of 集[ji2] -亡,wáng,old variant of 亡[wang2] -什,shén,what -什,shí,"ten (used in fractions, writing checks etc); assorted; miscellaneous" -什一奉献,shí yī fèng xiàn,tithing -什刹海,shí chà hǎi,"Shichahai, scenic area of northwest Beijing with three lakes" -什器,shí qì,various kinds of everyday utensils -什菜,shí cài,mixed vegetables -什叶,shí yè,Shia (a movement in Islam) -什叶派,shí yè pài,Shia sect (of Islam) -什邡,shí fāng,"Shifang, county-level city in Deyang 德陽|德阳[De2 yang2], Sichuan" -什邡市,shí fāng shì,"Shifang, county-level city in Deyang 德陽|德阳[De2 yang2], Sichuan" -什锦,shí jǐn,(food) assorted; mixed; assortment -什锦果盘,shí jǐn guǒ pán,mixed fruit salad -什么,shén me,what?; something; anything -什么事,shén me shì,what?; which? -什么人,shén me rén,who?; what (kind of) person? -什么地方,shén me dì fang,somewhere; someplace; where -什么好说,shén me hǎo shuō,sth pertinent to say -什么时候,shén me shí hou,when?; at what time? -什么样,shén me yàng,what kind?; what sort? -什么的,shén me de,and so on; and so forth; and what not -什么风把你吹来的,shén me fēng bǎ nǐ chuī lái de,What brings you here? (idiom) -仁,rén,humane; kernel -仁丹,rén dān,"Jintan mouth refresher lozenge, produced by Morishita Jintan company from 1905" -仁人君子,rén rén jūn zǐ,people of good will (idiom); charitable person -仁人志士,rén rén zhì shì,gentleman aspiring to benevolence (idiom); people with lofty ideals -仁人义士,rén rén yì shì,those with lofty ideals (idiom); men of vision -仁兄,rén xiōng,(honorific written address) My dear friend -仁化,rén huà,see 仁化縣|仁化县[Ren2 hua4 Xian4] -仁化县,rén huà xiàn,"Renhua County, Shaoguan 韶關|韶关[Shao2 guan1], Guangdong" -仁厚,rén hòu,kindhearted; tolerant; honest and generous -仁和,rén hé,"Renhe district of Panzhihua city 攀枝花市[Pan1 zhi1 hua1 shi4], south Sichuan" -仁和区,rén hé qū,"Renhe district of Panzhihua city 攀枝花市[Pan1 zhi1 hua1 shi4], south Sichuan" -仁和县,rén hé xiàn,Renhe county in Zhejiang -仁寿,rén shòu,"Renshou County in Meishan 眉山市[Mei2 shan1 Shi4], Sichuan" -仁寿县,rén shòu xiàn,"Renshou County in Meishan 眉山市[Mei2 shan1 Shi4], Sichuan" -仁川,rén chuān,"Incheon Metropolitan City in Gyeonggi Province 京畿道[Jing1 ji1 dao4], South Korea" -仁川市,rén chuān shì,"Incheon Metropolitan City in Gyeonggi Province 京畿道[Jing1 ji1 dao4], South Korea" -仁川广域市,rén chuān guǎng yù shì,"Incheon Metropolitan City in Gyeonggi Province 京畿道[Jing1 ji1 dao4], South Korea" -仁布,rén bù,"Rinbung county, Tibetan: Rin spungs rdzong, in Shigatse prefecture, Tibet" -仁布县,rén bù xiàn,"Rinbung county, Tibetan: Rin spungs rdzong, in Shigatse prefecture, Tibet" -仁弟,rén dì,(honorific written address to younger man) My dear young friend -仁德,rén dé,"Jente township in Tainan county 台南縣|台南县[Tai2 nan2 xian4], Taiwan" -仁德,rén dé,benevolent integrity; high mindedness -仁心仁术,rén xīn rén shù,"benevolent heart and skillful execution (idiom, from Mencius); charitable in thought and deed" -仁惠,rén huì,benevolent; merciful; humane -仁爱,rén ài,"Ren'ai or Jenai District of Keelung City 基隆市[Ji1 long2 Shi4], Taiwan; Ren'ai or Jenai Township in Nantou County 南投縣|南投县[Nan2 tou2 Xian4], central Taiwan" -仁爱,rén ài,benevolence; charity; compassion -仁爱区,rén ài qū,"Ren'ai or Jenai District of Keelung City 基隆市[Ji1 long2 Shi4], Taiwan" -仁爱乡,rén ài xiāng,"Ren'ai or Jenai Township in Nantou County 南投縣|南投县[Nan2 tou2 Xian4], central Taiwan" -仁慈,rén cí,benevolent; charitable; kind; kindly; kindness; merciful -仁怀,rén huái,"Renhuai, county-level city in Zunyi 遵義|遵义[Zun1 yi4], Guizhou" -仁怀市,rén huái shì,"Renhuai, county-level city in Zunyi 遵義|遵义[Zun1 yi4], Guizhou" -仁怀县,rén huái xiàn,"Renhuai county in Zunyi prefecture 遵義|遵义, Guizhou" -仁政,rén zhèng,benevolent policy; humane government -仁武,rén wǔ,"Renwu or Jenwu township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -仁武乡,rén wǔ xiāng,"Renwu or Jenwu township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -仁民爱物,rén mín ài wù,"love to all creatures (idiom, from Mencius); universal benevolence" -仁波切,rén bō qiè,Rinpoche (Tibetan honorific) -仁义,rén yì,benevolence and righteousness -仁义,rén yi,affable and even-tempered -仁义道德,rén yì dào dé,"compassion, duty, propriety and integrity (idiom); all the traditional virtues; mainly used sarcastically, to mean hypocritical" -仁至义尽,rén zhì yì jìn,"extreme benevolence, utmost duty (idiom); meticulous virtue and attention to duty" -仁术,rén shù,kindness; benevolence; to govern in humanitarian way -仁言利博,rén yán lì bó,Words of benevolence apply universally (idiom). Humanitarian expressions benefit all. -仂,lè,surplus; tithe -仂语,lè yǔ,phrase (linguistics) -仃,dīng,used in 伶仃[ling2ding1] -仄,zè,to tilt; narrow; uneasy; oblique tones (in Chinese poetry) -仄径,zè jìng,narrow path -仄声,zè shēng,oblique tone; nonlevel tone; uneven tone (the third tone of Classical Chinese) -仆,pū,to fall forward; to fall prostrate -仆街,pū jiē,drop dead!; go to hell!; fuck you! (Cantonese) -仇,qiú,surname Qiu -仇,chóu,"hatred; animosity; enmity; foe; enemy; to feel animosity toward (the wealthy, foreigners etc)" -仇,qiú,spouse; companion -仇人,chóu rén,foe; one's personal enemy -仇外,chóu wài,to feel animosity toward foreigners or outsiders; xenophobia -仇外心理,chóu wài xīn lǐ,xenophobia -仇家,chóu jiā,enemy; foe -仇富,chóu fù,to hate the rich -仇怨,chóu yuàn,hatred and desire for revenge -仇恨,chóu hèn,to hate; hatred; enmity; hostility -仇恨罪,chóu hèn zuì,hate crime -仇恨罪行,chóu hèn zuì xíng,hate crime -仇敌,chóu dí,enemy -仇杀,chóu shā,to kill in revenge -仇视,chóu shì,to view sb as an enemy; to be hateful towards -仇雠,chóu chóu,(literary) enemy; foe -仇隙,chóu xì,feud; bitter quarrel -仉,zhǎng,surname Zhang -今,jīn,"now; the present time; current; contemporary; this (day, year etc)" -今不如昔,jīn bù rú xī,things are not as good as they used to be -今世,jīn shì,this life; this age -今井,jīn jǐng,Imai (Japanese surname) -今人,jīn rén,modern people -今儿,jīn er,(coll.) today -今儿个,jīn er ge,(coll.) today -今古文,jīn gǔ wén,Former Han dynasty study or rewriting of classical texts such as the Confucian six classics 六經|六经[Liu4 jing1] -今夜,jīn yè,tonight; this evening -今天,jīn tiān,today; the present time; now -今年,jīn nián,this year -今后,jīn hòu,hereafter; henceforth; in the future; from now on -今文经,jīn wén jīng,Former Han dynasty school of Confucian scholars -今文经学,jīn wén jīng xué,Former Han dynasty school of Confucian scholars -今日,jīn rì,today -今日事今日毕,jīn rì shì jīn rì bì,never put off until tomorrow what you can do today (idiom) -今日头条,jīn rì tóu tiáo,"Toutiao, personalized content recommendation app" -今早,jīn zǎo,this morning -今昔,jīn xī,past and present; yesterday and today -今时今日,jīn shí jīn rì,this day and age (dialect) -今晚,jīn wǎn,tonight -今晨,jīn chén,this morning -今朝,jīn zhāo,(dialect) today; (literary) the present; this age -今朝有酒今朝醉,jīn zhāo yǒu jiǔ jīn zhāo zuì,to live in the moment (idiom); to live every day as if it were one's last; to enjoy while one can -今村,jīn cūn,Imamura (Japanese name) -今次,jīn cì,this; the present (meeting etc); this time; this once -今岁,jīn suì,(literary) this year -今生,jīn shēng,this life -今译,jīn yì,modern language version; modern translation; contemporary translation -今非昔比,jīn fēi xī bǐ,(idiom) things are very different now; times have changed -今音,jīn yīn,modern (i.e. not ancient) pronunciation of a Chinese character -今体诗,jīn tǐ shī,same as 近體詩|近体诗[jin4 ti3 shi1] -介,jiè,to introduce; to lie between; between; shell; armor -介之推,jiè zhī tuī,"Jie Zhitui (7th century BC), legendary selfless subject of Duke Wen of Jin 晉文公|晋文公[Jin4 Wen2 gong1], in whose honor the Qingming festival 清明[Qing1 ming2] (Pure brightness or tomb-sweeping festival) is said to have been initiated" -介乎,jiè hū,to lie between -介休,jiè xiū,"Jiexiu, county-level city in Jinzhong 晉中|晋中[Jin4 zhong1], Shanxi" -介休市,jiè xiū shì,"Jiexiu, county-level city in Jinzhong 晉中|晋中[Jin4 zhong1], Shanxi" -介系词,jiè xì cí,preposition -介值定理,jiè zhí dìng lǐ,intermediate value theorem (math.) -介入,jiè rù,to intervene; to get involved -介子,jiè zǐ,meson; mesotron (physics) -介子推,jiè zǐ tuī,see 介之推[Jie4 Zhi1 tui1] -介导,jiè dǎo,(biology) to mediate -介意,jiè yì,to care about; to take offense; to mind -介怀,jiè huái,to mind; to brood over; to be concerned about -介于,jiè yú,between; intermediate; to lie between -介于两难,jiè yú liǎng nán,to be on the horns of a dilemma (idiom) -介壳,jiè qiào,(zoology) shell -介绍,jiè shào,to introduce (sb to sb); to give a presentation; to present (sb for a job etc); introduction -介胄,jiè zhòu,armor -介蒂,jiè dì,variant of 芥蒂[jie4 di4] -介词,jiè cí,preposition -介质,jiè zhì,medium; media -介质访问控制,jiè zhì fǎng wèn kòng zhì,Medium Access Control; MAC -介质访问控制层,jiè zhì fǎng wèn kòng zhì céng,MAC layer -介电常数,jiè diàn cháng shù,dielectric constant -介面,jiè miàn,(Tw) interface (computing) -仌,bīng,old variant of 冰[bing1] -仍,réng,still; yet; to remain; (literary) frequently; often -仍然,réng rán,still; as before; yet -仍旧,réng jiù,still (remaining); to remain (the same); yet -从,cóng,variant of 從|从[cong2] -仔,zǎi,variant of 崽[zai3]; (dialect) (bound form) young man -仔,zī,used in 仔肩[zi1 jian1] -仔,zǐ,(bound form) (of domestic animals or fowl) young; (bound form) fine; detailed -仔密,zǐ mì,(textiles) closely woven; tightly knitted -仔畜,zǐ chù,newborn animal -仔细,zǐ xì,careful; attentive; cautious; to be careful; to look out -仔肩,zī jiān,to bear responsibility for sth -仔姜,zǐ jiāng,stem ginger -仔猪,zǐ zhū,piglet -仔鸡,zǐ jī,chick; baby chicken -仕,shì,"to serve as an official; an official; the two chess pieces in Chinese chess guarding the ""general"" or ""king"" 將|将[jiang4]" -仕女,shì nǚ,court lady; palace maid; traditional painting of beautiful women -仕宦,shì huàn,(literary) to serve as an official -仕途,shì tú,official career (formal) -他,tā,he; him (used for either sex when the sex is unknown or unimportant); (used before sb's name for emphasis); (used as a meaningless mock object); (literary) other -他人,tā rén,another person; sb else; other people -他他米,tā tā mǐ,see 榻榻米[ta4 ta4 mi3] -他信,tā xìn,"Thaksin Shinawatra (1949-), Thai businessman and politician, prime minister 2001-2006" -他们,tā men,they; them -他加禄语,tā jiā lù yǔ,Tagalog (language) -他喵的,tā miāo de,drat; frick; (euphemistic variant of 他媽的|他妈的[ta1 ma1 de5]) -他国,tā guó,another country -他娘的,tā niáng de,same as 他媽的|他妈的[ta1 ma1 de5] -他妈的,tā mā de,(taboo curse) damn it!; fucking -他山之石可以攻玉,tā shān zhī shí kě yǐ gōng yù,lit. the other mountain's stone can polish jade (idiom); to improve oneself by accepting criticism from outside; to borrow talent from abroad to develop the nation effectively -他律,tā lǜ,"external regulation (e.g. by means of a regulatory body, as opposed to self-regulation 自律[zi4 lu:4]); (ethics) heteronomy" -他性,tā xìng,otherness -他日,tā rì,(literary) some day; (literary) days in the past -他杀,tā shā,homicide (law) -他用,tā yòng,other use; other purpose -他者,tā zhě,"others; (sociology, philosophy) the Other" -他者化,tā zhě huà,othering; otherization -他者性,tā zhě xìng,otherness -他迁,tā qiān,to relocate; to move elsewhere -他乡,tā xiāng,foreign land; away from one's native place -他乡遇故知,tā xiāng yù gù zhī,meeting an old friend in a foreign place (idiom) -仗,zhàng,weaponry; to hold (a weapon); to wield; to rely on; to depend on; war; battle -仗势,zhàng shì,to rely on power -仗势欺人,zhàng shì qī rén,to take advantage of one's position to bully people (idiom); to kick people around -仗恃,zhàng shì,to rely on; to depend on -仗火,zhàng huǒ,battle -仗义,zhàng yì,to uphold justice; to be loyal (to one's friends); to stick by -仗义执言,zhàng yì zhí yán,to speak out for justice (idiom); to take a stand on a matter of principle -仗义疏财,zhàng yì shū cái,to help the needy for justice (idiom); to be loyal to one's friends and generous to the needy -仗腰,zhàng yāo,to back sb up; to support (from the rear) -付,fù,surname Fu -付,fù,to pay; to hand over to; classifier for pairs or sets of things -付之一叹,fù zhī yī tàn,to dismiss with a sigh (idiom); a hopeless case -付之一叹,fù zhī yī tàn,to dismiss with a sigh (idiom); a hopeless case -付之一炬,fù zhī yī jù,to put to the torch (idiom); to commit to the flames; to burn sth down deliberately -付之一笑,fù zhī yī xiào,(idiom) to dismiss sth with a laugh; to laugh it off -付之丙丁,fù zhī bǐng dīng,to burn down (idiom) -付之度外,fù zhī dù wài,to think nothing of doing sth (idiom); to do sth without considering the risks; to leave out of consideration -付之东流,fù zhī dōng liú,to commit to the waters (idiom); to lose sth irrevocably -付之行动,fù zhī xíng dòng,to put into action; to transform into acts -付出,fù chū,to pay; to expend; to invest (energy or time) -付印,fù yìn,to go to press; to submit for printing -付托,fù tuō,to entrust to -付方,fù fāng,"credit side (of a balance sheet), as opposed to 收方[shou1 fang1]" -付梓,fù zǐ,(literary) to send (a manuscript) to the press -付款,fù kuǎn,to pay a sum of money; payment -付款方式,fù kuǎn fāng shì,terms of payment; payment method -付款条件,fù kuǎn tiáo jiàn,terms of payment -付清,fù qīng,to pay in full; to pay all of a bill; to pay off -付现,fù xiàn,to pay in cash -付给,fù gěi,to deliver; to pay -付讫,fù qì,paid -付诸,fù zhū,"to apply to; to put into (practice etc); to put to (a test, a vote etc)" -付诸实施,fù zhū shí shī,to put into practice; to carry out (idiom) -付诸东流,fù zhū dōng liú,wasted effort -付费,fù fèi,to pay; to cover the costs -付费墙,fù fèi qiáng,(computing) paywall (loanword) -付账,fù zhàng,to settle an account -付钱,fù qián,to pay money -仙,xiān,immortal -仙丹,xiān dān,elixir; magic potion -仙人,xiān rén,Daoist immortal; celestial being -仙人掌,xiān rén zhǎng,cactus -仙人掌果,xiān rén zhǎng guǒ,prickly pear -仙人掌杆菌,xiān rén zhǎng gǎn jūn,(microbiology) Bacillus cereus -仙人球,xiān rén qiú,ball cactus -仙人跳,xiān rén tiào,confidence trick in which a man is lured by an attractive woman -仙八色鸫,xiān bā sè dōng,(bird species of China) fairy pitta (Pitta nympha) -仙去,xiān qù,to become an immortal; (fig.) to die -仙台,xiān tái,"Sendai, city in northeast Japan" -仙后座,xiān hòu zuò,Cassiopeia (constellation) -仙境,xiān jìng,fairyland; wonderland; paradise -仙女,xiān nǚ,fairy -仙女座,xiān nǚ zuò,Andromeda (constellation) -仙女座大星云,xiān nǚ zuò dà xīng yún,great nebula in Andromeda or Andromeda galaxy M31 -仙女座星系,xiān nǚ zuò xīng xì,Andromeda galaxy M31 -仙女星座,xiān nǚ xīng zuò,Andromeda constellation (galaxy) M31 -仙女星系,xiān nǚ xīng xì,Andromeda galaxy M31 -仙女棒,xiān nǚ bàng,sparkler (hand-held firework) -仙姑,xiān gū,female immortal; sorceress -仙姿玉色,xiān zī yù sè,"heavenly beauty, jewel colors (idiom); unusually beautiful lady" -仙子,xiān zǐ,fairy -仙客来,xiān kè lái,cyclamen (loanword) -仙宫,xiān gōng,"underground palace of ghouls, e.g. Asgard of Scandinavian mythology" -仙居,xiān jū,"Xianju county in Taizhou 台州[Tai1 zhou1], Zhejiang" -仙居县,xiān jū xiàn,"Xianju county in Taizhou 台州[Tai1 zhou1], Zhejiang" -仙山,xiān shān,mountain of Immortals -仙山琼阁,xiān shān qióng gé,jeweled palace in the fairy mountain -仙岛,xiān dǎo,island of the immortals -仙方,xiān fāng,prescription of elixir; potion of immortality; potion prescribed by an immortal -仙方儿,xiān fāng er,erhua variant of 仙方[xian1 fang1] -仙桃,xiān táo,Xiantao sub-prefecture level city in Hubei -仙桃,xiān táo,the peaches of immortality of Goddess Xi Wangmu 西王母 -仙桃市,xiān táo shì,Xiantao sub-prefecture level city in Hubei -仙乐,xiān yuè,heavenly music -仙气,xiān qì,"ethereal quality; (Chinese folklore) a puff of breath from the mouth of a celestial being, which can magically transform an object into sth else" -仙王座,xiān wáng zuò,Cepheus (constellation) -仙界,xiān jiè,world of the immortals; a fairyland; a paradise -仙童,xiān tóng,elf; leprechaun -仙股,xiān gǔ,penny stocks -仙台,xiān tái,"Sendai, capital of Miyagi prefecture 宮城縣|宫城县[Gong1 cheng2 xian4] in northeast Japan" -仙茅,xiān máo,golden eye-grass (Curculigo orchioides); Curculigo rhizome (used in TCM) -仙草,xiān cǎo,medicinal herb (genus Mesona); grass jelly -仙药,xiān yào,legendary magic potion of immortals; panacea; fig. wonder solution to a problem -仙贝,xiān bèi,rice cracker -仙逝,xiān shì,to die; to depart this mortal coil -仙游,xiān yóu,"Xianyou, a county in Putian City 莆田市[Pu2tian2 Shi4], Fujian" -仙游县,xiān yóu xiàn,"Xianyou, a county in Putian City 莆田市[Pu2tian2 Shi4], Fujian" -仙乡,xiān xiāng,fairyland; honorific: your homeland -仙鹤,xiān hè,red-crowned crane (Grus japonensis) -仝,tóng,variant of 同[tong2] (used as a surname and in given names) -仞,rèn,(measure) -仟,qiān,thousand (banker's anti-fraud numeral) -仡,gē,"used in 仡佬族[Ge1 lao3 zu2], Gelao or Klau ethnic group of Guizhou; Taiwan pr. [qi4]" -仡,yì,strong; brave -仡佬族,gē lǎo zú,Gelao or Klau ethnic group of Guizhou -代,dài,to substitute; to act on behalf of others; to replace; generation; dynasty; age; period; (historical) era; (geological) eon -代之以,dài zhī yǐ,(has been) replaced with; (its) place has been taken by -代人受过,dài rén shòu guò,to take the blame for sb else; to be made a scapegoat -代代,dài dài,from generation to generation; generation after generation -代代相传,dài dài xiāng chuán,passed on from generation to generation (idiom); to hand down -代价,dài jià,price; cost; consideration (in share dealing) -代偿,dài cháng,(medical) compensation; to repay a debt or obligation in place of sb else -代入,dài rù,to substitute into -代利斯,dài lì sī,"Dallys, Algerian seaport and naval base" -代劳,dài láo,to do sth in place of sb else -代名词,dài míng cí,pronoun; synonym; byword -代填,dài tián,to fill in a form for sb else -代孕,dài yùn,to serve as a surrogate mother; surrogacy -代孕母亲,dài yùn mǔ qīn,surrogate mother -代字,dài zì,"abbreviated name of an entity (e.g. 皖政, a short name for 安徽省人民政府); code name; (old) pronoun" -代字号,dài zì hào,swung dash; tilde (~) -代宗,dài zōng,"Daizong, temple name of seventh Ming emperor Jingtai 景泰[Jing3 tai4]" -代客泊车,dài kè bó chē,valet parking -代写,dài xiě,to write as substitute for sb; a ghost writer; plagiarism -代工,dài gōng,OEM (original equipment manufacturer) -代币,dài bì,"token (used instead of money for slot machines, in game arcades etc)" -代扣,dài kòu,to withhold tax (from employee's salary) -代拿买特,dài ná mǎi tè,dynamite (loanword) -代指,dài zhǐ,to mean; to signify -代换,dài huàn,to substitute; to replace -代收,dài shōu,to receive sth on another's behalf -代收货款,dài shōu huò kuǎn,collect on delivery (COD) -代数,dài shù,algebra -代数函数,dài shù hán shù,(math.) algebraic function -代数函数论,dài shù hán shù lùn,algebraic function theory (math.) -代数和,dài shù hé,algebraic sum -代数基本定理,dài shù jī běn dìng lǐ,fundamental theorem of algebra -代数学,dài shù xué,algebra (as branch of math.) -代数学基本定理,dài shù xué jī běn dìng lǐ,fundamental theorem of algebra (every polynomial has a complex root) -代数几何,dài shù jǐ hé,algebraic geometry -代数几何学,dài shù jǐ hé xué,algebraic geometry -代数式,dài shù shì,(math.) algebraic expression -代数拓扑,dài shù tuò pū,(math.) algebraic topology -代数数域,dài shù shù yù,algebraic number field (math.) -代数方程,dài shù fāng chéng,algebraic equation -代数曲线,dài shù qū xiàn,algebraic curve -代数曲面,dài shù qū miàn,algebraic surface -代数簇,dài shù cù,algebraic variety (math.) -代数结构,dài shù jié gòu,algebraic structure -代数群,dài shù qún,algebraic group (math.) -代数量,dài shù liàng,algebraic quantity -代书,dài shū,to write on sb's behalf; a scrivener (who writes legal documents or letters for others) -代替,dài tì,to replace; to take the place of -代替父母,dài tì fù mǔ,in place of sb's parents; in loco parentis (law) -代替者,dài tì zhě,substitute -代步,dài bù,"to get around using a conveyance (car, bicycle, sedan chair etc); to ride (or drive); means of transportation" -代步车,dài bù chē,"vehicle; (esp.) mobility vehicle (mobility scooter, electric wheelchair, Segway etc)" -代母,dài mǔ,godmother; surrogate mother -代沟,dài gōu,generation gap -代为,dài wéi,to do sth on behalf of sb else -代尔夫特,dài ěr fū tè,"Delft, Zuid-Holland, the Netherlands" -代班,dài bān,(Tw) to take over sb's job; to substitute for -代理,dài lǐ,to act on behalf of sb in a responsible position; to act as an agent or proxy; surrogate; (computing) proxy -代理人,dài lǐ rén,agent -代理商,dài lǐ shāng,agent -代理孕母,dài lǐ yùn mǔ,(Tw) surrogacy; surrogate pregnancy; surrogate mother -代码,dài mǎ,code -代码段,dài mǎ duàn,code segment -代码页,dài mǎ yè,code page -代祷,dài dǎo,to pray on behalf of sb -代称,dài chēng,alternative name; to refer to sth by another name; antonomasia -代笔,dài bǐ,to write on behalf of sb; to ghostwrite -代管,dài guǎn,to administer; to manage; to hold in trust or escrow -代糖,dài táng,sugar substitute -代县,dài xiàn,"Dai county in Xinzhou 忻州[Xin1 zhou1], Shanxi" -代罪,dài zuì,to redeem oneself; to make up for one's misdeeds -代罪羔羊,dài zuì gāo yáng,scapegoat -代考,dài kǎo,to take a test or exam for sb -代号,dài hào,code name -代行,dài xíng,to act as a substitute; to act on sb's behalf -代表,dài biǎo,"representative; delegate; CL:位[wei4],個|个[ge4],名[ming2]; to represent; to stand for; on behalf of; in the name of" -代表人物,dài biǎo rén wù,representative individual (of a school of thought) -代表作,dài biǎo zuò,representative work (of an author or artist) -代表团,dài biǎo tuán,delegation; CL:個|个[ge4] -代表性,dài biǎo xìng,representativeness; representative; typical -代表处,dài biǎo chù,representative office -代表队,dài biǎo duì,delegation -代言,dài yán,to be a spokesperson; to be an ambassador (for a brand); to endorse -代言人,dài yán rén,spokesperson -代词,dài cí,pronoun -代志,dài zhì,"(Tw) (coll.) matter; thing (from Taiwanese, Tai-lo pr. [tāi-tsì], equivalent to Mandarin 事情[shi4 qing5])" -代课,dài kè,to teach as substitute for absent teacher -代谢,dài xiè,replacement; substitution; metabolism (biol.) -代购,dài gòu,to buy (on behalf of sb) -代办,dài bàn,to act for sb else; to act on sb's behalf; an agent; a diplomatic representative; a chargé d'affaires -代销,dài xiāo,to sell as agent; to sell on commission (e.g. insurance policies); proxy sale (of stocks) -代销店,dài xiāo diàn,outlet; commission shop; agency -代际,dài jì,intergenerational; generational -代顿,dài dùn,Dayton (city in Ohio) -代餐,dài cān,meal replacement -代驾,dài jià,to drive a vehicle for its owner (often as a paid service for sb who has consumed alcohol) (abbr. for 代理駕駛|代理驾驶[dai4 li3 jia4 shi3]); substitute driver (abbr. for 代駕司機|代驾司机[dai4 jia4 si1 ji1]) -令,líng,used in 脊令[ji2 ling2]; used in 令狐[Ling2 hu2] (Taiwan pr. [ling4]) -令,lǐng,classifier for a ream of paper -令,lìng,to order; to command; an order; warrant; writ; to cause; to make sth happen; virtuous; honorific title; season; government position (old); type of short song or poem -令人,lìng rén,"to cause one (to do sth); to make one (angry, delighted etc)" -令人不快,lìng rén bù kuài,unpleasant; objectionable -令人吃惊,lìng rén chī jīng,to shock; to amaze -令人叹,lìng rén tàn,to astonish -令人振奋,lìng rén zhèn fèn,inspiring; exciting; rousing -令人钦佩,lìng rén qīn pèi,admirable -令人满意,lìng rén mǎn yì,satisfying; satisfactory -令人发指,lìng rén fà zhǐ,(idiom) to make one feel a sense of revulsion; abhorrent; heinous; deeply disturbing -令人鼓舞,lìng rén gǔ wǔ,encouraging; heartening -令兄,lìng xiōng,Your esteemed older brother (honorific) -令吉,lìng jí,ringgit (Malaysian currency unit) -令名,lìng míng,good name; reputation -令和,lìng hé,"Reiwa, Japanese era name, corresponding to the reign (2019-) of emperor Naruhito 德仁[De2 ren2]" -令堂,lìng táng,(honorific) your mother -令嫒,lìng ài,variant of 令愛|令爱[ling4ai4] -令尊,lìng zūn,Your esteemed father (honorific) -令尊令堂,lìng zūn lìng táng,(honorific) your parents -令弟,lìng dì,honorable little brother -令爱,lìng ài,(courteous) your daughter -令慈,lìng cí,Your esteemed mother (honorific) -令正,lìng zhèng,(honorific) your wife -令牌,lìng pái,(archaic) wooden or metal token of authority; (fig.) decree; directive; (computing) token -令牌环,lìng pái huán,token ring -令牌环网,lìng pái huán wǎng,token ring network -令状,lìng zhuàng,writ -令狐,líng hú,"old place name (in present-day Linyi County 臨猗縣|临猗县[Lin2yi1 Xian4], Shanxi); two-character surname Linghu" -令狐德棻,líng hú dé fēn,"Linghu Defen (583-666), Tang dynasty historian, compiler of History of Zhou of the Northern dynasties 周書|周书" -令箭,lìng jiàn,arrow banner of command (archaic used as symbol of military authority); fig. instructions from one's superiors -令节,lìng jié,festive season; happy time; noble principle -令药,lìng yào,seasonal medication -令行禁止,lìng xíng jìn zhǐ,lit. orders are carried out and prohibitions are observed (idiom)fig. to execute every order without fail -令亲,lìng qīn,Your esteemed parent (honorific) -令誉,lìng yù,honorable reputation -令郎,lìng láng,your esteemed son (honorific) -令阃,lìng kǔn,your wife (honorific) -以,yǐ,abbr. for Israel 以色列[Yi3 se4 lie4] -以,yǐ,to use; by means of; according to; in order to; because of; at (a certain date or place) -以一驭万,yǐ yī yù wàn,to control a key point is to be master of the situation (idiom) -以上,yǐ shàng,that level or higher; that amount or more; the above-mentioned; (used to indicate that one has completed one's remarks) That is all. -以下,yǐ xià,that level or lower; that amount or less; the following -以下犯上,yǐ xià fàn shàng,to disrespect one's superiors; to offend one's elders -以不变应万变,yǐ bù biàn yìng wàn biàn,(idiom) to deal with varying circumstances by adhering to a basic principle -以人名命名,yǐ rén míng mìng míng,to name sth after a person; named after; eponymous -以人废言,yǐ rén fèi yán,"to reject a word because of the speaker (idiom, from Analects); to judge on preference between advisers rather than the merits of the case" -以人为本,yǐ rén wéi běn,people-oriented -以来,yǐ lái,since (a previous event) -以便,yǐ biàn,so that; so as to; in order to -以偏概全,yǐ piān gài quán,(lit.) to take a part for the whole; to generalize -以备不测,yǐ bèi bù cè,to be prepared for accidents -以债养债,yǐ zhài yǎng zhài,debt nurtures more debt (idiom) -以亿计,yǐ yì jì,to number in the thousands -以儆效尤,yǐ jǐng xiào yóu,(idiom) to warn against following bad examples; as a warning to others -以免,yǐ miǎn,in order to avoid; so as not to -以内,yǐ nèi,within; less than -以利亚,yǐ lì yà,Elijah (Old Testament prophet) -以利亚撒,yǐ lì yà sā,Eleazar (son of Eluid) -以利亚敬,yǐ lì yà jìng,"Eliakim (name, Hebrew: God will raise up); Eliakim, servant of the Lord in Isaiah 22:20; Eliakim, son of Abiud and father of Azor in Matthew 1:13" -以利于,yǐ lì yú,for the sake of; in order to -以前,yǐ qián,before; formerly; previous; ago -以北,yǐ běi,to the north of (suffix) -以南,yǐ nán,to the south of (suffix) -以卵击石,yǐ luǎn jī shí,lit. to strike a stone with egg (idiom); to attempt the impossible; to invite disaster by overreaching oneself -以及,yǐ jí,as well as; too; and -以史为鉴,yǐ shǐ wéi jiàn,to learn from history (idiom) -以和为贵,yǐ hé wéi guì,harmony is to be prized -以埃,yǐ āi,Israel-Egypt -以外,yǐ wài,apart from; other than; except for; external; outside of; on the other side of; beyond -以太,yǐ tài,Ether- -以太坊,yǐ tài fáng,Ethereum -以太网,yǐ tài wǎng,Ethernet -以太网络,yǐ tài wǎng luò,Ethernet -以太网络端口,yǐ tài wǎng luò duān kǒu,Ethernet port -以太网路,yǐ tài wǎng lù,Ethernet -以失败而告终,yǐ shī bài ér gào zhōng,to succeed through failure; to achieve one's final aim despite apparent setback -以夷制夷,yǐ yí zhì yí,to use foreigners to subdue foreigners (idiom); let the barbarians fight it out among themselves (traditional policy of successive dynasties); Use Western science and technology to counter imperialist encroachment. (late Qing modernizing slogan) -以小挤大,yǐ xiǎo jǐ dà,minor projects eclipse major ones (idiom) -以少胜多,yǐ shǎo shèng duō,using the few to defeat the many (idiom); to win from a position of weakness -以工代赈,yǐ gōng dài zhèn,to provide work to relieve poverty -以巴,yǐ bā,Israeli-Palestinian -以弗所,yǐ fú suǒ,"Ephesus, city of ancient Greece" -以弗所书,yǐ fú suǒ shū,Epistle of St Paul to the Ephesians -以弱胜强,yǐ ruò shèng qiáng,using the weak to defeat the strong (idiom); to win from a position of weakness -以强凌弱,yǐ qiáng líng ruò,to use one's strength to bully the weak (idiom) -以往,yǐ wǎng,in the past; formerly -以律,yǐ lǜ,Eluid (son of Achim) -以后,yǐ hòu,after; later; afterwards; following; later on; in the future -以德报怨,yǐ dé bào yuàn,to return good for evil (idiom); to requite evil with good -以慎为键,yǐ shèn wéi jiàn,to take caution as the key (idiom); to proceed very carefully -以撒,yǐ sā,Isaac (son of Abraham) -以叙,yǐ xù,Israel-Syria -以斯帖,yǐ sī tiě,Esther (name) -以斯帖记,yǐ sī tiě jì,Book of Esther -以斯拉记,yǐ sī lā jì,Book of Ezra -以暴制暴,yǐ bào zhì bào,to use violence to curb violence -以暴易暴,yǐ bào yì bào,to replace one tyranny by another; to use violence against violence -以期,yǐ qī,in order to; hoping to; attempting to; waiting for -以本人名,yǐ běn rén míng,under one's own name; named after oneself -以东,yǐ dōng,to the east of (suffix) -以柔克刚,yǐ róu kè gāng,to use softness to conquer strength (idiom) -以权压法,yǐ quán yā fǎ,to abuse power to crush the law -以权谋私,yǐ quán móu sī,to use one's position for personal gain (idiom) -以次,yǐ cì,in the proper order; the following -以此,yǐ cǐ,with this; thereby; thus; because of this -以此为,yǐ cǐ wéi,to regard as; to treat as -以此类推,yǐ cǐ lèi tuī,and so on; in a similar fashion -以死明志,yǐ sǐ míng zhì,to demonstrate one's sincerity by dying -以毒攻毒,yǐ dú gōng dú,to cure ills with poison (TCM); to fight evil with evil; set a thief to catch a thief; to fight fire with fire -以求,yǐ qiú,in order to -以法莲,yǐ fǎ lián,Ephraim (city) -以泪洗面,yǐ lèi xǐ miàn,to bathe one's face in tears (idiom) -以汤沃沸,yǐ tāng wò fèi,to manage a situation badly (idiom) -以为,yǐ wéi,to think (i.e. to take it to be true that ...) (Usually there is an implication that the notion is mistaken – except when expressing one's own current opinion.) -以牙还牙,yǐ yá huán yá,a tooth for a tooth (retaliation) -以物易物,yǐ wù yì wù,to barter; barter -以眦睚杀人,yǐ zì yá shā rén,to kill sb for a trifle -以眼还眼,yǐ yǎn huán yǎn,an eye for an eye (idiom); fig. to use the enemy's methods against him; to give sb a taste of his own medicine -以示警戒,yǐ shì jǐng jiè,to serve as a warning (idiom) -以礼相待,yǐ lǐ xiāng dài,to treat sb with due respect (idiom) -以老大自居,yǐ lǎo dà zì jū,"regarding oneself as number one in terms of leadership, seniority or status" -以至,yǐ zhì,down to; up to; to such an extent as to ...; also written 以至於|以至于[yi3 zhi4 yu2] -以至于,yǐ zhì yú,down to; up to; to the extent that... -以致,yǐ zhì,to such an extent as to; down to; up to -以致于,yǐ zhì yú,so that; to the point that -以色列,yǐ sè liè,Israel -以色列人,yǐ sè liè rén,an Israeli; an Israelite -以华制华,yǐ huá zhì huá,use Chinese collaborators to subdue the Chinese (imperialist policy) -以药养医,yǐ yào yǎng yī,"""drugs serving to nourish doctors"", perceived problem in PRC medical practice" -以虚带实,yǐ xū dài shí,to let correct ideology guide practical work (idiom) -以西,yǐ xī,to the west of (suffix) -以西结书,yǐ xī jié shū,Book of Ezekiel -以言代法,yǐ yán dài fǎ,to substitute one's words for the law (idiom); high-handedly putting one's orders above the law -以讹传讹,yǐ é chuán é,to spread falsehoods; to increasingly distort the truth; to pile errors on top of errors (idiom) -以貌取人,yǐ mào qǔ rén,to judge sb by appearances (idiom) -以资,yǐ zī,by way of; to serve as -以资证明,yǐ zī zhèng míng,in support or witness hereof (idiom) -以赛亚书,yǐ sài yà shū,Book of Isaiah -以身作则,yǐ shēn zuò zé,to set an example (idiom); to serve as a model -以身报国,yǐ shēn bào guó,to give one's body for the nation (idiom); to spend one's whole life in the service of the country -以身抵债,yǐ shēn dǐ zhài,forced labor to repay a debt -以身相许,yǐ shēn xiāng xǔ,to give one's heart to; to devote one's life to -以身许国,yǐ shēn xǔ guó,to dedicate oneself to the cause of one's country (idiom) -以身试法,yǐ shēn shì fǎ,to challenge the law (idiom); to knowingly violate the law -以军,yǐ jūn,Israeli soldiers -以逸待劳,yǐ yì dài láo,to wait at one's ease for the exhausted enemy; to nurture one's strength and bide one's time (idiom) -以邻为壑,yǐ lín wéi hè,to use one's neighbor as a drain; to shift one's problems onto others (idiom) -以防,yǐ fáng,(so as) to avoid; to prevent; (just) in case -以防万一,yǐ fáng wàn yī,to guard against the unexpected (idiom); just in case; prepared for any eventualities -以降,yǐ jiàng,since (some point in the past) -以飨读者,yǐ xiǎng dú zhě,for the benefit of the reader -以马内利,yǐ mǎ nèi lì,Emanuel; Immanuel (name) -仨,sā,three (colloquial equivalent of 三個|三个) -仫,mù,"used in 仫佬族[Mu4 lao3 zu2], Mulao ethnic group of Guangxi" -仫佬,mù lǎo,Mulao ethnic group of Guangxi -仫佬族,mù lǎo zú,Mulao ethnic group of Guangxi -仰,yǎng,surname Yang -仰,yǎng,to face upward; to look up; to admire; to rely on -仰人鼻息,yǎng rén bí xī,to rely on others for the air one breathes (idiom); to depend on sb's whim for one's living -仰仗,yǎng zhàng,to rely on; to depend on -仰光,yǎng guāng,"Yangon (Rangoon), city, capital of Myanmar from 1948 to 2006" -仰光大金塔,yǎng guāng dà jīn tǎ,Great Pagoda of Yangon (Rangoon) -仰天,yǎng tiān,to face upwards; to look up to the sky -仰屋,yǎng wū,to lie looking at the ceiling (in despair) -仰屋兴叹,yǎng wū xīng tàn,to stare at the ceiling in despair; to find no way out; nothing you can do about it; at the end of one's wits -仰屋著书,yǎng wū zhù shū,lit. to stare at the ceiling while writing a book (idiom); to put one's whole body and soul into a book -仰慕,yǎng mù,to admire -仰望,yǎng wàng,to look up at; to look up to sb hopefully -仰泳,yǎng yǒng,backstroke -仰卧,yǎng wò,to lie supine -仰卧式,yǎng wò shì,corpse pose (yoga) -仰卧起坐,yǎng wò qǐ zuò,sit-up (physical exercise) -仰视,yǎng shì,to tilt one's head back to see (sth); to look up at -仰角,yǎng jiǎo,(math.) angle of elevation -仰赖,yǎng lài,to rely on -仰躺,yǎng tǎng,to lie on one's back -仰韶,yǎng sháo,Yangshao culture (archaeological period with red and black pottery) -仰韶文化,yǎng sháo wén huà,"Yangshao neolithic culture from the central Yellow river basin, with red and black pottery" -仰头,yǎng tóu,to raise one's head -仲,zhòng,surname Zhong -仲,zhòng,second month of a season; middle; intermediate; second amongst brothers -仲介,zhòng jiè,middleman; agent; broker -仲夏,zhòng xià,midsummer; second month of summer -仲夏夜之梦,zhòng xià yè zhī mèng,"Midsummer night's dream, comedy by William Shakespeare 莎士比亞|莎士比亚[Sha1 shi4 bi3 ya4]" -仲尼,zhòng ní,courtesy name for Confucius 孔夫子[Kong3 fu1 zi3] -仲巴,zhòng bā,"Zhongba county, Tibetan: 'Brong pa rdzong, in Shigatse prefecture, Tibet" -仲巴县,zhòng bā xiàn,"Zhongba county, Tibetan: 'Brong pa rdzong, in Shigatse prefecture, Tibet" -仲父,zhòng fù,father's younger brother; (sometimes used to refer to Confucius) -仲秋,zhòng qiū,second month of autumn; 8th month of the lunar calendar -仲裁,zhòng cái,arbitration -仳,pǐ,to part -仵,wǔ,surname Wu -仵,wǔ,equal; well-matched; to violate -仵作,wǔ zuò,coroner (old) -仵工,wǔ gōng,pallbearer -件,jiàn,"item; component; classifier for events, things, clothes etc" -件件桩桩,jiàn jiàn zhuāng zhuāng,see 樁樁件件|桩桩件件[zhuang1 zhuang1 jian4 jian4] -件数,jiàn shǔ,item count (of a consignment etc) -任,rén,surname Ren; Ren County 任縣|任县[Ren2 Xian4] in Hebei -任,rèn,"to assign; to appoint; to take up a post; office; responsibility; to let; to allow; to give free rein to; no matter (how, what etc); classifier for terms served in office, or for spouses, girlfriends etc (as in 前任男友)" -任一,rèn yī,any; either -任一个,rèn yī ge,any one of (a list of possibilities) -任丘市,rén qiū shì,"Renqiu, county-level city in Cangzhou 滄州|沧州[Cang1 zhou1], Hebei" -任事,rèn shì,appointment to an important post -任人,rèn rén,to appoint (sb to a post) -任人唯亲,rèn rén wéi qīn,(idiom) to appoint people by favoritism; to practice cronyism (or nepotism) -任人唯贤,rèn rén wéi xián,to appoint people according to their merits (idiom); appointment on the basis of ability and integrity -任人宰割,rèn rén zǎi gē,to get trampled on (idiom); to be taken advantage of -任令,rèn lìng,to allow (sth to happen) -任何,rèn hé,any; whatever; whichever -任便,rèn biàn,as you see fit; to do as one likes -任侠,rèn xiá,chivalrous; helping the weak for the sake of justice -任免,rèn miǎn,to appoint and dismiss -任内,rèn nèi,period in office -任其自然,rèn qí zì rán,to let things take their course (idiom); to leave it to nature; laissez-faire -任务,rèn wu,"mission; assignment; task; duty; role; CL:項|项[xiang4],個|个[ge4]" -任务栏,rèn wu lán,taskbar (computing) -任务管理器,rèn wu guǎn lǐ qì,(computing) task manager -任劳任怨,rèn láo rèn yuàn,to work hard without complaint (idiom) -任命,rèn mìng,to appoint; (job) appointment; CL:紙|纸[zhi3] -任命状,rèn mìng zhuàng,certificate of appointment (to government office) -任咎,rèn jiù,to take the blame -任城,rèn chéng,"Rencheng district of Jining city 濟寧市|济宁市, Shandong" -任城区,rèn chéng qū,"Rencheng district of Jining city 濟寧市|济宁市, Shandong" -任天堂,rèn tiān táng,Nintendo -任安,rén ān,"Ren An (-c. 90 BC), Han Dynasty general, also called Ren Shaoqing 任少卿" -任从,rèn cóng,at one's discretion -任性,rèn xìng,willful; headstrong; unruly -任情,rèn qíng,to let oneself go; to do as much as one pleases -任意,rèn yì,any; arbitrary; at will; at random -任意球,rèn yì qiú,free kick -任凭,rèn píng,no matter what; despite; to allow (sb to act arbitrarily) -任所,rèn suǒ,one's office; place where one holds a post -任教,rèn jiào,to hold a teaching position -任期,rèn qī,term of office; CL:屆|届[jie4]; tenure (entire period in office) -任气,rèn qì,to act on impulse -任用,rèn yòng,to appoint; to assign -任由,rèn yóu,to let (sb do sth); to allow; regardless of -任直,rèn zhí,Nintendo Direct (announcement presentation) -任县,rén xiàn,"Ren county in Xingtai 邢台[Xing2 tai2], Hebei" -任职,rèn zhí,to hold a post; to take office -任职期间,rèn zhí qī jiān,term of office; while holding a post -任听,rèn tīng,to allow (sb to act arbitrarily); to let sb have his head -任诞,rèn dàn,dissipated; unruly -任课,rèn kè,to give classes; to work as a teacher -任贤使能,rèn xián shǐ néng,to appoint the virtuous and use the able (idiom); appointment on the basis of ability and integrity -任达华,rén dá huá,"Simon Yam Tat-Wah (1955-), Hong Kong actor and film producer" -任选,rèn xuǎn,to choose freely; to pick whichever one fancies -任重,rèn zhòng,a load; a heavy burden -任重道远,rèn zhòng dào yuǎn,"a heavy load and a long road; fig. to bear heavy responsibilities through a long struggle (cf Confucian Analects, 8.7)" -任随,rèn suí,to allow (sb to have his head); to let things happen -份,fèn,"classifier for gifts, newspaper, magazine, papers, reports, contracts etc; variant of 分[fen4]" -份儿,fèn er,degree; extent; allotted share -份儿饭,fèn er fàn,set meal -份子,fèn zǐ,Taiwan variant of 分子[fen4 zi3] -份子,fèn zi,one's share of expenses (e.g. when buying a gift collectively); cash gift -份子钱,fèn zi qián,gift money (on the occasion of a wedding etc) -份量,fèn liang,see 分量[fen4liang5] -份额,fèn é,share; portion -仿,fǎng,to imitate; to copy -仿似,fǎng sì,as if; to seem -仿佛,fǎng fú,variant of 彷彿|仿佛[fang3 fu2] -仿效,fǎng xiào,to copy; to imitate -仿冒,fǎng mào,to counterfeit; fake -仿冒品,fǎng mào pǐn,counterfeit object; imitation; fake; pirated goods -仿古,fǎng gǔ,pseudo-classical; modeled on antique; in the old style -仿如,fǎng rú,like; similar to; as if -仿宋,fǎng sòng,imitation Song dynasty typeface; Fangsong font -仿射,fǎng shè,(math.) affine -仿射子空间,fǎng shè zǐ kōng jiān,(math.) affine subspace -仿射空间,fǎng shè kōng jiān,(math.) affine space -仿照,fǎng zhào,to imitate -仿生,fǎng shēng,"to design an artificial system, taking inspiration from a living organism; bionic; biomimetic" -仿生学,fǎng shēng xué,bionics; bionicist -仿皮,fǎng pí,imitation leather -仿真,fǎng zhēn,to emulate; to simulate; emulation; simulation -仿真服务器,fǎng zhēn fú wù qì,emulation server -仿纸,fǎng zhǐ,copying paper (with printed model characters and blank squares for writing practice) -仿羊皮纸,fǎng yáng pí zhǐ,imitation parchment -仿行,fǎng xíng,to fashion after; to imitate -仿制,fǎng zhì,to copy; to imitate; to make by imitating a model -仿制品,fǎng zhì pǐn,counterfeit object; fake -仿制药,fǎng zhì yào,generic drug; generic medicine -仿讽,fǎng fěng,parody -仿造,fǎng zào,to copy; to produce sth after a model; to counterfeit -企,qǐ,(bound form) to stand on tiptoe and look; to anticipate; to look forward to; abbr. for 企業|企业[qi3ye4]; Taiwan pr. [qi4] -企划,qǐ huà,to plan; to lay out; to design -企及,qǐ jí,to hope to reach; to strive for -企图,qǐ tú,to attempt; to try; attempt; CL:種|种[zhong3] -企图心,qǐ tú xīn,ambition; ambitious -企慕,qǐ mù,to admire -企投,qì tóu,"to have fun (from Taiwanese 𨑨迌, Tai-lo pr. [tshit-thô])" -企望,qǐ wàng,hope; to hope; to look forward to -企业,qǐ yè,company; firm; enterprise; corporation; CL:家[jia1] -企业主,qǐ yè zhǔ,owner of enterprise -企业内网路,qǐ yè nèi wǎng lù,intranet; company-internal network -企业家,qǐ yè jiā,entrepreneur -企业社会责任,qǐ yè shè huì zé rèn,corporate social responsibility (CSR) -企业管理,qǐ yè guǎn lǐ,business management -企业管理硕士,qǐ yè guǎn lǐ shuò shì,Master of Business Administration (MBA) -企业联合组织,qǐ yè lián hé zǔ zhī,syndicate (group of businesses) -企业间网路,qǐ yè jiān wǎng lù,extranet; company-external network -企业集团,qǐ yè jí tuán,business conglomerate -企求,qǐ qiú,to seek for; to hope to gain; desirous -企盼,qǐ pàn,to expect; to look forward to; anxious for sth; to hope (to get sth) -企稳,qǐ wěn,"(of economy, prices etc) to stabilize" -企管硕士,qǐ guǎn shuò shì,Master of Business Administration (MBA) -企鹅,qǐ é,penguin -伄,diào,used in 伄儅[diao4 dang1] -伄儅,diào dāng,seldom; irregularly -伉,kàng,spouse; big and tall; strong; robust; upright and outspoken -伉俪,kàng lì,husband and wife (literary) -伉俪情深,kàng lì qíng shēn,married couple very much in love; deep conjugal love -伊,yī,"surname Yi; abbr. for 伊拉克[Yi1la1ke4], Iraq; abbr. for 伊朗[Yi1lang3], Iran" -伊,yī,"(old) third person singular pronoun (""he"" or ""she""); second person singular pronoun (""you""); (May 4th period) third person singular feminine pronoun (""she""); (Classical Chinese) introductory particle with no specific meaning; that (preceding a noun)" -伊人,yī rén,(literary) that person (usually female); she; one's intended -伊伦,yī lún,Irun (city in Basque region of Spain) -伊凡,yī fán,Ivan (Russian name) -伊利亚特,yī lì yà tè,Homer's Iliad -伊利埃斯库,yī lì āi sī kù,Iliescu -伊利格瑞,yī lì gé ruì,"Luce Irigaray (1930-), French psychoanalyst and feminist" -伊利湖,yī lì hú,"Lake Erie, one of the Great Lakes 五大湖[Wu3 da4 hu2]" -伊利诺,yī lì nuò,"Illinois, US state" -伊利诺伊,yī lì nuò yī,"Illinois, US state" -伊利诺伊州,yī lì nuò yī zhōu,"Illinois, US state" -伊利诺州,yī lì nuò zhōu,"Illinois, US state" -伊势丹,yī shì dān,"Isetan, Japanese department store" -伊吾,yī wú,"Yiwu County in Hami 哈密市[Ha1 mi4 Shi4], Xinjiang" -伊吾县,yī wú xiàn,"Yiwu County in Hami 哈密市[Ha1 mi4 Shi4], Xinjiang" -伊塔,yī tǎ,eta (Greek letter Ηη) -伊塞克湖,yī sāi kè hú,Lake Issyk Kul in Kyrgyzstan -伊壁鸠鲁,yī bì jiū lǔ,"Epicurus (341-270 BC), ancient Greek philosopher" -伊士曼柯达公司,yī shì màn kē dá gōng sī,Eastman Kodak Company (US film company) -伊妹儿,yī mèi er,email (loanword) -伊始,yī shǐ,outset; beginning -伊娃,yī wá,Eva (name) -伊媚儿,yī mèi er,variant of 伊妹兒|伊妹儿[yi1 mei4 r5] -伊宁,yī níng,"Yining city and county or Ghulja nahiyisi in Ili Kazakh Autonomous Prefecture 伊犁哈薩克自治州|伊犁哈萨克自治州[Yi1 li2 Ha1 sa4 ke4 Zi4 zhi4 zhou1], Xinjiang" -伊宁市,yī níng shì,"Gulja or Yining city in Xinjiang, capital of Ili Kazakh autonomous prefecture" -伊宁县,yī níng xiàn,"Yining County or Ghulja nahiyisi in Ili Kazakh Autonomous Prefecture 伊犁哈薩克自治州|伊犁哈萨克自治州[Yi1 li2 Ha1 sa4 ke4 Zi4 zhi4 zhou1], Xinjiang" -伊尼亚斯,yī ní yà sī,Aeneas -伊尼伊德,yī ní yī dé,Aeneid -伊尼特,yī ní tè,Virgil's Aeneid (epic about the foundation of Rome) -伊川,yī chuān,"Yichuan county in Luoyang 洛陽|洛阳, Henan" -伊川县,yī chuān xiàn,"Yichuan county in Luoyang 洛陽|洛阳, Henan" -伊州,yī zhōu,"Tang dynasty province in modern Xinjiang, around Hami 哈密[Ha1 mi4]; Illinois (US state)" -伊府面,yī fǔ miàn,see 伊麵|伊面[yi1 mian4] -伊思迈尔,yī sī mài ěr,"Ismail (name); Shah Ismail I (1487-1524), founder of Persian Safavid dynasty, reigned 1501-1524" -伊戈尔,yī gē ěr,Igor -伊戈尔斯,yī gē ěr sī,Eagles (name) -伊拉克,yī lā kè,Iraq -伊斯坦堡,yī sī tǎn bǎo,(Tw) Istanbul -伊斯坦布尔,yī sī tǎn bù ěr,"Istanbul, Turkey" -伊斯帕尼奥拉,yī sī pà ní ào lā,Hispaniola (Caribbean island including Haiti and the Dominican Republic) -伊斯曼,yī sī màn,"Eastman (name); George Eastman (1854-1932), US inventor and founder of Kodak 柯達|柯达[Ke1 da2]; Max F. Eastman (1883-1969), US socialist writer, subsequently severe critic of USSR" -伊斯法罕,yī sī fǎ hǎn,Isfahan province and city in central Iran -伊斯特,yī sī tè,Istres (French town) -伊斯兰,yī sī lán,Islam -伊斯兰国,yī sī lán guó,Muslim countries; caliphate; Islamic State group (aka IS or ISIL or ISIS) -伊斯兰堡,yī sī lán bǎo,"Islamabad, capital of Pakistan" -伊斯兰教,yī sī lán jiào,Islam -伊斯兰会议组织,yī sī lán huì yì zǔ zhī,Organization of the Islamic Conference -伊斯兰圣战组织,yī sī lán shèng zhàn zǔ zhī,Islamic Jihad (Palestinian armed faction) -伊斯兰马巴德,yī sī lán mǎ bā dé,"Islamabad, capital of Pakistan (Tw)" -伊于胡底,yī yú hú dǐ,where will it stop? -伊春,yī chūn,"Yichun, prefecture-level city in Heilongjiang" -伊春区,yī chūn qū,"Yichun district of Yichun city, Heilongjiang" -伊春市,yī chūn shì,"Yichun, prefecture-level city in Heilongjiang province 黑龍江|黑龙江[Hei1 long2 jiang1] in northeast China" -伊普西隆,yī pǔ xī lóng,epsilon (Greek letter Εε) -伊曼,yī màn,see 伊瑪目|伊玛目[yi1 ma3 mu4] -伊曼纽尔,yī màn niǔ ěr,Emanuel; Immanuel (name) -伊朗,yī lǎng,Iran -伊朗宪监会,yī lǎng xiàn jiān huì,Guardian Council of the Constitution of Iran -伊比利亚,yī bǐ lì yà,Iberia; the Iberian peninsula -伊比利亚半岛,yī bǐ lì yà bàn dǎo,Iberian Peninsula -伊水,yī shuǐ,"Yi river in west Henan, tributary of North Luo river 洛河|洛河[Luo4 he2]" -伊波拉,yī bō lā,Ebola (virus) -伊洛瓦底,yī luò wǎ dǐ,"Irrawaddy or Ayeyarwaddy River, the main river of Myanmar (Burma)" -伊洛瓦底三角洲,yī luò wǎ dǐ sān jiǎo zhōu,Irrawaddy Delta in south Myanmar (Burma) -伊洛瓦底江,yī luò wǎ dǐ jiāng,"Irrawaddy or Ayeyarwaddy River, the main river of Myanmar (Burma)" -伊尔库茨克,yī ěr kù cí kè,Irkutsk -伊犁,yī lí,the Ili river basin around Turpan in Xinjiang; Ili Kazakh Autonomous Prefecture (abbr. for 伊犁哈薩克自治州|伊犁哈萨克自治州[Yi1 li2 Ha1 sa4 ke4 Zi4 zhi4 zhou1]) -伊犁哈萨克自治州,yī lí hā sà kè zì zhì zhōu,Ili Kazakh Autonomous Prefecture in Xinjiang -伊犁河,yī lí hé,Ili River in central Asia -伊犁盆地,yī lí pén dì,the Yili basin around Urumqi in Xinjiang -伊瑞克提翁庙,yī ruì kè tí wēng miào,"the Erechteum, Athens" -伊玛目,yī mǎ mù,imam (Islam) (loanword) -伊甸园,yī diàn yuán,Garden of Eden -伊留申,yī liú shēn,"Ilyushin, Russian plane maker" -伊科病毒,yī kē bìng dú,echovirus (RNA virus in genus Enterovirus) -伊索,yī suǒ,"Aesop (trad. 620-560 BC), Greek slave and storyteller, supposed author of Aesop's fables" -伊芙,yī fú,Eve (name) -伊莉莎白,yī lì shā bái,Elizabeth; also written 伊麗莎白|伊丽莎白 -伊莉萨白,yī lì sà bái,Elizabeth (name); also written 伊麗莎白|伊丽莎白 -伊莱克斯,yī lái kè sī,Electrolux (Swedish manufacturer of home appliances) -伊万卡,yī wàn kǎ,Ivanka (name) -伊萨卡,yī sà kǎ,"Ithaca, a Greek island; Ithaca NY, location of Cornell University 康奈爾|康奈尔[Kang1 nai4 er3]" -伊藤,yī téng,"Itō or Itoh, Japanese surname; Ito-Yokado (supermarket) (abbr. for 伊藤洋華堂|伊藤洋华堂[Yi1teng2 Yang2hua2tang2])" -伊藤博文,yī téng bó wén,"ITŌ Hirobumi (1841-1909), Japanese politician, prime minister on four occasions, influential in Japanese expansionism in Korea, assassinated in Harbin" -伊蚊,yī wén,"Aedes, a genus of mosquito" -伊通,yī tōng,"Yitong Manchurian autonomous county in Siping 四平, Jilin" -伊通河,yī tōng hé,"Yitong River in Siping 四平[Si4 ping2], Jilin" -伊通满族自治县,yī tōng mǎn zú zì zhì xiàn,"Yitong Manchurian autonomous county in Siping 四平, Jilin" -伊通火山群,yī tōng huǒ shān qún,"Yitong volcanic area in Yitong Manchurian autonomous county 伊通滿族自治縣|伊通满族自治县, Siping, Jilin" -伊通县,yī tōng xiàn,"Yitong Manchurian autonomous county in Siping 四平, Jilin" -伊通自然保护区,yī tōng zì rán bǎo hù qū,"Yitong nature reserve in Yitong Manchurian autonomous county 伊通滿族自治縣|伊通满族自治县, Siping, Jilin" -伊通镇,yī tōng zhèn,"Yitong township, capital of Yitong Manchurian autonomous county in Siping 四平, Jilin" -伊里奇,yī lǐ qí,Ilyich or Illich (name) -伊金霍洛,yī jīn huò luò,"Ejin Horo banner (Ejen Khoruu khoshuu) in Ordos prefecture 鄂爾多斯|鄂尔多斯[E4 er3 duo1 si1], Inner Mongolia" -伊金霍洛旗,yī jīn huò luò qí,"Ejin Horo banner (Ejen Khoruu khoshuu) in Ordos prefecture 鄂爾多斯|鄂尔多斯[E4 er3 duo1 si1], Inner Mongolia" -伊顿公学,yī dùn gōng xué,Eton public school (English elite school) -伊马姆,yī mǎ mǔ,see 伊瑪目|伊玛目[yi1 ma3 mu4] -伊丽莎白,yī lì shā bái,Elizabeth (person name) -伊面,yī miàn,"yi mein (or yee mee or yee-fu noodles etc), a variety of Cantonese egg noodle" -伊党,yī dǎng,Pan-Malaysian Islamic Party -伍,wǔ,surname Wu -伍,wǔ,squad of five soldiers; to associate with; five (banker's anti-fraud numeral) -伍奢,wǔ shē,"Wu She (-522 BC), powerful minister of Chu and father of Wu Zixu 伍子胥" -伍子胥,wǔ zǐ xū,"Wu Zixu (-484 BC), powerful politician, famous as destitute refugee begging in the town of Wu" -伍家岗,wǔ jiā gǎng,"Wujiagang district of Yichang city 宜昌市[Yi2 chang1 shi4], Hubei" -伍家岗区,wǔ jiā gǎng qū,"Wujiagang district of Yichang city 宜昌市[Yi2 chang1 shi4], Hubei" -伍廷芳,wǔ tíng fāng,"Wu Tingfang (1842-1922), diplomat and lawyer" -伍德豪斯,wǔ dé háo sī,Woodhouse or Wodehouse (name) -伎,jì,artistry; talent; skill; (in ancient times) female entertainer -伎俩,jì liǎng,trick; scheme; ploy; skill -伏,fú,surname Fu -伏,fú,to lean over; to fall (go down); to hide (in ambush); to conceal oneself; to lie low; hottest days of summer; to submit; to concede defeat; to overcome; to subdue; volt -伏侍,fú shi,variant of 服侍[fu2 shi5] -伏兵,fú bīng,hidden troops; ambush -伏地,fú dì,to lie prostrate -伏地挺身,fú dì tǐng shēn,push-up (exercise) -伏地魔,fú dì mó,Lord Voldemort (Harry Potter) -伏天,fú tiān,see 三伏[san1 fu2] -伏安,fú ān,volt-ampere (measure of apparent power in alternating current circuits) -伏惟,fú wéi,to lie prostrate; to prostrate oneself (in veneration) -伏击,fú jī,ambush; to ambush -伏明霞,fú míng xiá,"Fu Mingxia (1978-), Chinese diving champion" -伏案,fú àn,"to bend over one's desk (writing, studying, taking a nap etc)" -伏汛,fú xùn,summer flood -伏法,fú fǎ,to be executed -伏流,fú liú,hidden stream; ground stream -伏尔加格勒,fú ěr jiā gé lè,"Volgograd, Russian city on the Volga River 伏爾加河|伏尔加河[Fu2 er3 jia1 He2]" -伏尔加河,fú ěr jiā hé,Volga River -伏尔泰,fú ěr tài,"Voltaire (1694-1778), Enlightenment philosopher" -伏牛山,fú niú shān,"Funiu mountain range in southwest Henan, an eastern extension of Qinling range 秦嶺山脈|秦岭山脉[Qin2 ling3 shan1 mai4], Shaanxi" -伏特,fú tè,volt (loanword) -伏特加,fú tè jiā,vodka (loanword) -伏特计,fú tè jì,voltmeter -伏牺,fú xī,variant of 伏羲[Fu2xi1] -伏笔,fú bǐ,foreshadowing (literary device); foretaste of material to come (in an essay or story) -伏线,fú xiàn,foreshadowing (literary device) -伏罪,fú zuì,variant of 服罪[fu2 zui4] -伏罗希洛夫,fú luó xī luò fū,"Kliment Voroshilov (1881-1969), Soviet politician and military commander" -伏羲,fú xī,"Fuxi, legendary Chinese emperor, trad. 2852-2738 BC, mythical creator of fishing, trapping and writing" -伏羲氏,fú xī shì,"Fuxi or Fu Hsi, legendary Chinese emperor 2852-2738 BC, mythical creator of fishing, trapping, and writing" -伏卧,fú wò,lying down; to lie prostrate; prone -伏虎,fú hǔ,to subdue a tiger; fig. to prevail over sinister forces -伏诛,fú zhū,to be executed -伏输,fú shū,variant of 服輸|服输[fu2 shu1] -伏辩,fú biàn,variant of 服辯|服辩[fu2 bian4] -伏都教,fú dū jiào,Voodoo -伏隔核,fú gé hé,nucleus accumbens (anatomy) -伏龙凤雏,fú lóng fèng chú,hidden genius (idiom) -伐,fá,to cut down; to fell; to dispatch an expedition against; to attack; to boast; Taiwan pr. [fa1] -伐木,fá mù,to cut wood; tree-felling; lumbering -伐木场,fá mù chǎng,a logging area -伐木工人,fá mù gōng rén,lumberjack; tree cutter -伐柯,fá kē,(cf Book of Songs) How to fashion an ax handle? You need an ax; fig. to follow a principle; fig. to act as matchmaker -休,xiū,surname Xiu -休,xiū,to rest; to stop doing sth for a period of time; to cease; (imperative) don't -休伊特,xiū yī tè,Hewitt -休伦湖,xiū lún hú,"Lake Huron, one of the Great Lakes 五大湖[Wu3 da4 hu2]" -休假,xiū jià,to go on vacation; to have a holiday; to take leave -休克,xiū kè,shock (loanword); to go into shock -休兵,xiū bīng,to cease fire; armistice; rested troops -休士顿,xiū shì dùn,"Houston, Texas" -休妻,xiū qī,to repudiate one's wife -休学,xiū xué,to suspend schooling; to defer study -休宁,xiū níng,"Xiuning, a county in Huangshan 黃山|黄山[Huang2shan1], Anhui" -休宁县,xiū níng xiàn,"Xiuning, a county in Huangshan 黃山|黄山[Huang2shan1], Anhui" -休市,xiū shì,to close the market (for a holiday or overnight etc) -休庭,xiū tíng,to adjourn (law) -休怪,xiū guài,don't blame (sb) -休息,xiū xi,rest; to rest -休息室,xiū xī shì,lobby; lounge -休惜,xiū xī,recess -休想,xiū xiǎng,don't think (that); don't imagine (that) -休憩,xiū qì,to rest; to relax; to take a break -休戚相关,xiū qī xiāng guān,to share the same interests (idiom); to be closely related; to be in the same boat -休战,xiū zhàn,armistice -休整,xiū zhěng,to rest and reorganize (military) -休斯敦,xiū sī dūn,"Houston, Texas" -休斯顿,xiū sī dùn,Houston -休旅车,xiū lǚ chē,sport utility vehicle (SUV) -休会,xiū huì,to adjourn -休止,xiū zhǐ,to stop -休止符,xiū zhǐ fú,rest (music) -休氏旋木雀,xiū shì xuán mù què,(bird species of China) Hume's treecreeper (Certhia manipurensis) -休氏树莺,xiū shì shù yīng,(bird species of China) Hume's bush warbler (Horornis brunnescens) -休氏白喉林莺,xiū shì bái hóu lín yīng,(bird species of China) Hume's whitethroat (Sylvia althaea) -休眠,xiū mián,to be dormant (biology); inactive (volcano); to hibernate (computing) -休眠火山,xiū mián huǒ shān,dormant volcano -休耕,xiū gēng,to leave farmland to lie fallow -休谟,xiū mó,"David Hume (1711-1776), Scottish Enlightenment philosopher" -休达,xiū dá,Sebta or Ceuta (city in north Morocco) -休闲,xiū xián,leisure; relaxation; not working; idle; to enjoy leisure; to lie fallow -休闲裤,xiū xián kù,casual pants -休闲鞋,xiū xián xié,leisure shoes -休养,xiū yǎng,to recuperate; to recover; to convalesce -休养生息,xiū yǎng shēng xī,to recover; to recuperate -伕,fū,variant of 夫[fu1] -伙,huǒ,meals (abbr. for 伙食[huo3 shi2]); variant of 夥|伙[huo3] -伙伴,huǒ bàn,partner; companion; comrade -伙同,huǒ tóng,to collude; in collusion with -伙夫,huǒ fū,mess cook (old) -伙计,huǒ ji,partner; fellow; mate; waiter; servant; shop assistant -伙颐,huǒ yí,variant of 夥頤|夥颐[huo3 yi2] -伙食,huǒ shí,food; meals -伙食费,huǒ shí fèi,food expenses; board expenses; meals (cost) -伢,yá,(dialect) child -伢子,yá zi,(dialect) child -伢崽,yá zǎi,(dialect) child -伯,bà,variant of 霸[ba4] -伯,bǎi,one hundred (old) -伯,bó,"father's elder brother; senior; paternal elder uncle; eldest of brothers; respectful form of address; Count, third of five orders of nobility 五等爵位[wu3 deng3 jue2 wei4]" -伯仲之间,bó zhòng zhī jiān,almost on a par -伯仲叔季,bó zhòng shū jì,eldest; second; third and youngest of brothers; order of seniority among brothers -伯伯,bó bo,father's elder brother; uncle -伯杰,bó jié,"(name) Berger; Samuel Berger, former US National Security Advisor under President Carter" -伯克利,bó kè lì,Berkeley -伯利恒,bó lì héng,Bethlehem (in the biblical nativity story) -伯利兹,bó lì zī,Belize -伯劳,bó láo,shrike -伯劳鸟,bó láo niǎo,shrike (family Laniidae) -伯南克,bó nán kè,"Bernanke (name); Ben Shalom Bernanke (1953-), US economist, Chairman of the Federal Reserve 2006-2014" -伯叔,bó shū,father's brother (uncle); husband's brother (brother-in-law) -伯叔祖母,bó shū zǔ mǔ,father's father's brother's wife; great aunt -伯叔祖父,bó shū zǔ fù,father's father's brother; great uncle -伯多禄,bó duō lù,Peter (Catholic transliteration) -伯恩,bó ēn,"Bern or Berne, capital of Switzerland (Tw)" -伯恩斯,bó ēn sī,"Burns (name); Nicholas Burns (1956-), US ambassador to China 2022-" -伯恩茅斯,bó ēn máo sī,"Bournemouth, UK" -伯拉第斯拉瓦,bó lā dì sī lā wǎ,"Bratislava, capital of Slovakia" -伯明翰,bó míng hàn,Birmingham -伯乐,bó lè,Bo Le (horse connoisseur during Spring and Autumn Period); a good judge of talent; talent scout -伯母,bó mǔ,wife of father's elder brother; aunt; (polite form of address for a woman who is about the age of one's mother); CL:個|个[ge4] -伯爵,bó jué,earl; count; earldom or countship (old) -伯父,bó fù,father's elder brother; term of respect for older man; CL:個|个[ge4] -伯尔尼,bó ěr ní,"Bern, capital of Switzerland" -伯特兰,bó tè lán,Bertrand (name) -伯特兰德,bó tè lán dé,Bertrand (name) -伯罗奔尼撒,bó luó bēn ní sā,Peloponnese (peninsula in southern Greece) -伯莎,bó shā,Bertha (name) -伯赛大,bó sài dà,"Bethsaida, settlement on the shore of the Sea of Galilee mentioned in the New Testament" -伯邑考,bó yì kǎo,"Bo Yikao, eldest son of King Wen of Zhou 周文王[Zhou1 Wen2 wang2] and the elder brother of King Wu 周武王[Zhou1 Wu3 wang2] who was the founder of the Zhou Dynasty 周朝[Zhou1 chao2] of ancient China" -伯都,bó dū,"tiger (ancient, dialect)" -伯里克利,bó lǐ kè lì,"Pericles (c. 495-429 BC), Athenian strategist and politician before and at the start of the Peloponnesian war" -伯颜,bà yán,"Bayan (name); Bayan of the Baarin (1236-1295), Mongol Yuan general under Khubilai Khan, victorious over the Southern Song 1235-1239; Bayan of the Merkid (-1340), Yuan dynasty general and politician" -估,gū,to estimate -估,gù,used in 估衣[gu4yi5] -估值,gū zhí,valuation; estimation -估价,gū jià,to value; to appraise; to be valued at; estimate; valuation -估堆儿,gū duī er,to assess an entire lot -估定,gū dìng,to assess; to estimate the value -估摸,gū mo,to reckon; to guess -估测,gū cè,estimate -估产,gū chǎn,"to assess; to estimate (value of property, yield of harvest etc)" -估算,gū suàn,assessment; evaluation -估衣,gù yi,secondhand clothes; cheap ready-made clothes -估计,gū jì,to estimate; to assess; to calculate; (coll.) to reckon; to think (that ...) -估量,gū liang,to estimate; to assess -伲,nǐ,variant of 你[ni3] -伲,nì,(dialect) I; my; we; our -伴,bàn,partner; companion; comrade; associate; to accompany -伴侣,bàn lǚ,companion; mate; partner -伴侣号,bàn lǚ hào,"HMS Consort, Royal Navy destroyer involved in 1949 Amethyst incident on Changjiang" -伴同,bàn tóng,to accompany -伴君如伴虎,bàn jūn rú bàn hǔ,being close to the sovereign can be as perilous as lying with a tiger (idiom) -伴唱,bàn chàng,vocal accompaniment; to accompany a singer; to support of sb; to echo sb; to chime in with sb -伴奏,bàn zòu,to accompany (musically) -伴娘,bàn niáng,bridesmaid; maid of honor; matron of honor -伴手,bàn shǒu,see 伴手禮|伴手礼[ban4 shou3 li3] -伴手礼,bàn shǒu lǐ,"gift given when visiting sb (esp. a local specialty brought back from one's travels, or a special product of one's own country taken overseas) (Tw)" -伴星,bàn xīng,companion (star) -伴有,bàn yǒu,to be accompanied by -伴热,bàn rè,steam or heat tracing -伴生气,bàn shēng qì,associated gas (petrochemical engineering) -伴矩阵,bàn jǔ zhèn,adjoint matrix (math.) -伴舞,bàn wǔ,to be a dancing partner to sb; to perform as a backup dancer; taxi dancer (hired dancing partner); escort -伴郎,bàn láng,best man -伴随,bàn suí,to accompany; to follow; to occur together with; concomitant -伴随效应,bàn suí xiào yìng,contingent effects -伶,líng,(old) actor; actress; (meaningless bound form) -伶人,líng rén,(old) actor; actress -伶仃,líng dīng,alone and helpless -伶俐,líng lì,clever; witty; intelligent -伶俜,líng pīng,(literary) lonely; all alone; solitary -伶牙俐齿,líng yá lì chǐ,clever and eloquent (idiom); fluent; having the gift of the gab -伶盗龙,líng dào lóng,velociraptor (dinosaur) -伶鼬,líng yòu,weasel; Mustela nivalis (zoology) -伸,shēn,to stretch; to extend -伸冤,shēn yuān,to right wrongs; to redress an injustice -伸出,shēn chū,to extend -伸卡球,shēn kǎ qiú,sinker (baseball) (loanword) -伸展,shēn zhǎn,stretching; extension -伸展台,shēn zhǎn tái,runway (for a fashion show etc); catwalk -伸延,shēn yán,see 延伸[yan2 shen1] -伸张,shēn zhāng,to uphold (e.g. justice or virtue); to promote -伸懒腰,shēn lǎn yāo,to stretch oneself (on waking or when tired etc) -伸手,shēn shǒu,to reach out with one's hand; to hold out a hand; (fig.) to beg; to get involved; to meddle -伸手不见五指,shēn shǒu bù jiàn wǔ zhǐ,pitch-dark (idiom) -伸手派,shēn shǒu pài,freeloader; moocher; sponger -伸手牌,shēn shǒu pái,freeloader; moocher; sponger -伸港,shēn gǎng,"Shengang or Shenkang Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -伸港乡,shēn gǎng xiāng,"Shengang or Shenkang Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -伸直,shēn zhí,to straighten; to stretch out -伸缩,shēn suō,to lengthen and shorten; flexible; adjustable; retractable; extensible; telescoping (collapsible) -伸缩喇叭,shēn suō lǎ ba,trombone -伸缩性,shēn suō xìng,flexibility -伸肌,shēn jī,extensor (anatomy) -伸长,shēn cháng,to stretch; to extend -伸开,shēn kāi,to stretch out -伸雪,shēn xuě,variant of 申雪[shen1 xue3] -伺,cì,used in 伺候[ci4hou5] -伺,sì,to watch; to wait; to examine; to spy -伺候,cì hou,to serve; to wait upon -伺服,sì fú,servo (small electric motor); computer server -伺服器,sì fú qì,server (computer) (Tw) -伺机,sì jī,to wait for an opportunity; to watch for one's chance -伺隙,sì xì,to wait for the opportunity -似,shì,used in 似的[shi4de5] -似,sì,to seem; to appear; to resemble; similar; -like; pseudo-; (more) than -似乎,sì hū,it seems; seemingly; as if -似懂非懂,sì dǒng fēi dǒng,to not really understand; to half-understand -似是而非,sì shì ér fēi,apparently right but actually wrong; specious (idiom) -似曾相识,sì céng xiāng shí,déjà vu (the experience of seeing exactly the same situation a second time); seemingly familiar; apparently already acquainted -似核,sì hé,nucleoid (of prokaryotic cell) -似水年华,sì shuǐ nián huá,fleeting years (idiom) -似的,shì de,seems as if; rather like; Taiwan pr. [si4 de5] -似笑非笑,sì xiào fēi xiào,like a smile yet not a smile (idiom) -似雪,sì xuě,snowy -似鲴,sì gù,"Xenocyprioides, genus of cyprinid fish endemic to China" -伽,jiā,"traditionally used as phonetic for ""ga""; also pr. [ga1]; also pr. [qie2]" -伽倻,jiā yē,"Gaya, a Korean confederacy of territorial polities in the Nakdong River basin of southern Korea (42-532 AD)" -伽倻琴,jiā yē qín,gayageum (Korean 12-stringed zither) -伽利略,jiā lì lüè,"Galileo Galilei (1564-1642), Italian scientist" -伽利略号,jiā lì lüè hào,"Galileo, American robotic spacecraft launched to Jupiter in 1989, orbiting the planet 1995-2003" -伽师,jiā shī,"Peyzivat nahiyisi (Peyziwat county) in Kashgar prefecture 喀什地區|喀什地区[Ka1 shi2 di4 qu1], west Xinjiang" -伽师县,jiā shī xiàn,"Peyzivat nahiyisi (Peyziwat county) in Kashgar prefecture 喀什地區|喀什地区[Ka1 shi2 di4 qu1], west Xinjiang" -伽玛射线,jiā mǎ shè xiàn,gamma ray (loanword) -伽罗瓦,jiā luó wǎ,"Évariste Galois (1811-1832), French mathematician" -伽罗瓦理论,jiā luó wǎ lǐ lùn,Galois theory (math.) -伽罗华,jiā luó huá,"Évariste Galois (1811-1832), French mathematician" -伽罗华理论,jiā luó huá lǐ lùn,Galois theory (math.) -伽蓝,qié lán,"Buddhist temple (loanword from Sanskrit ""samgharama"")" -伽马,gā mǎ,gamma (Greek letter Γγ) (loanword) -伽马射线,gā mǎ shè xiàn,gamma rays -伽马辐射,jiā mǎ fú shè,gamma radiation -伾,pī,multitudinous; powerful -似,sì,old variant of 似[si4] -佃,diàn,to rent farmland from a landlord -佃,tián,to cultivate; to hunt -佃户,diàn hù,tenant farmer -佃农,diàn nóng,tenant farmer; sharecropper -但,dàn,but; yet; however; still; merely; only; just -但丁,dàn dīng,"Dante Alighieri (1265-1321), Italian poet, author of the Divine Comedy 神曲" -但以理书,dàn yǐ lǐ shū,Book of Daniel -但凡,dàn fán,every single; as long as -但尼生,dàn ní shēng,"Tennyson (name); Alfred Tennyson, 1st Baron Tennyson (1809-1892), English poet" -但是,dàn shì,but; however -但书,dàn shū,proviso; qualifying clause -但说无妨,dàn shuō wú fáng,there is no harm in saying what one thinks (idiom) -但愿,dàn yuàn,if only (sth were possible); I wish (that) -但愿如此,dàn yuàn rú cǐ,if only it were so; I hope so (idiom) -伫,zhù,to stand for a long time; to wait; to look forward to; to accumulate -伫列,zhù liè,queue (computing) -伫立,zhù lì,to stand for a long time -布,bù,variant of 布[bu4]; to announce; to spread -布伍,bù wǔ,to deploy troops -布列塔尼,bù liè tǎ ní,"Brittany or Bretagne, area of western France" -布告,bù gào,posting on a bulletin board; notice; bulletin; to announce -布告栏,bù gào lán,bulletin board -布囊其口,bù náng qí kǒu,lit. to cover sb's mouth with cloth; to gag; fig. to silence -布局,bù jú,arrangement; composition; layout; opening (chess jargon) -布局投手,bù jú tóu shǒu,(baseball) setup man; setup pitcher -布建,bù jiàn,"to progressively extend (service delivery, network etc) to a wider area; rollout" -布景,bù jǐng,(stage) set -布尔乔亚,bù ěr qiáo yà,bourgeois (loanword); also written 布爾喬亞|布尔乔亚 -布置,bù zhì,to put in order; to arrange; to decorate; to fix up; to deploy -布兰森,bù lán sēn,"Branson or Brandsen (name); Sir Richard Branson (1950-), British millionaire and founder of Virgin" -布道,bù dào,sermon; to sermonize; to preach; to evangelize -布雷,bù léi,to lay mines -布雷舰,bù léi jiàn,minelayer (ship) -布雷顿森林,bù léi dùn sēn lín,"Bretton woods conference in 1944 of allied powers, regulating world exchange rates and setting up IMF and world bank" -佉,qū,surname Qu -佉卢文,qū lú wén,Kharosthi (ancient language of central Asia) -位,wèi,position; location; place; seat; classifier for people (honorific); classifier for binary bits (e.g. 十六位 16-bit or 2 bytes); (physics) potential -位元,wèi yuán,bit (computing) -位元币,wèi yuán bì,Bitcoin -位元组,wèi yuán zǔ,(Tw) byte (computing) -位列,wèi liè,to rank -位图,wèi tú,raster graphics -位子,wèi zi,place; seat -位居,wèi jū,to be located at -位形,wèi xíng,configuration -位形空间,wèi xíng kōng jiān,configuration space (math.) -位于,wèi yú,to be located at; to be situated at; to lie -位极人臣,wèi jí rén chén,to have reached the highest official positions -位次,wèi cì,place (in numbered sequence); degree on employment scale -位移,wèi yí,(geometry) displacement (a vector quantity) -位置,wèi zhi,position; place; seat; CL:個|个[ge4] -位置效应,wèi zhì xiào yìng,position effect -位面,wèi miàn,plane (of existence) -低,dī,low; beneath; to lower (one's head); to let droop; to hang down; to incline -低三下四,dī sān xià sì,servile -低下,dī xià,low status; lowly; to lower (one's head) -低丘,dī qiū,hilly (geography) -低估,dī gū,to underestimate; to underrate -低低切切,dī dī qiè qiè,in a low voice; whispered -低俗,dī sú,vulgar; poor taste -低俗之风,dī sú zhī fēng,vulgar style (used of items to be censored) -低俗化,dī sú huà,vulgarization -低保,dī bǎo,subsistence allowance; welfare (abbr. for 城市居民最低生活保障[cheng2 shi4 ju1 min2 zui4 di1 sheng1 huo2 bao3 zhang4]) -低保真,dī bǎo zhēn,low fidelity; lo-fi -低价,dī jià,low price -低八度,dī bā dù,an octave lower (music) -低分,dī fēn,low marks; low score -低利,dī lì,low interest -低利贷款,dī lì dài kuǎn,low interest loan -低剂量照射,dī jì liàng zhào shè,low dose irradiation -低劣,dī liè,inferior quality; substandard; low-grade -低吟,dī yín,to chant softly; to murmur -低地,dī dì,lowland -低地绣眼鸟,dī dì xiù yǎn niǎo,(bird species of China) lowland white-eye (Zosterops meyeni) -低地轨道,dī dì guǐ dào,see 近地軌道|近地轨道[jin4 di4 gui3 dao4] -低垂,dī chuí,to droop; to hang low -低压,dī yā,low pressure; low voltage -低压带,dī yā dài,low-pressure zone; depression (meteorology) -低尾气排放,dī wěi qì pái fàng,low emissions (from car exhaust) -低层,dī céng,low level -低帮,dī bāng,low-top (shoes) -低平火山口,dī píng huǒ shān kǒu,maar -低年级,dī nián jí,a lower grade (in a school) (e.g. 1st or 2nd year); the lower division (of a school etc) -低廉,dī lián,cheap; inexpensive; low -低微,dī wēi,meager (wages); humble (social status); feeble (voice) -低息,dī xī,low-interest -低成本,dī chéng běn,low cost; inexpensive -低收入,dī shōu rù,low income -低放射性废物,dī fàng shè xìng fèi wù,low-level waste -低效,dī xiào,inefficient; ineffective -低于,dī yú,to be lower than -低昂,dī áng,ups and down; rise and fall -低档,dī dàng,low-grade; of low worth or rank; poor quality; inferior -低栏,dī lán,low hurdles (track event) -低气压,dī qì yā,low pressure; depression (meteorology) -低沉,dī chén,(of weather) overcast; gloomy; (of a voice) low and deep; low-spirited; downcast -低温,dī wēn,low temperature -低潮,dī cháo,low tide; low ebb -低浓缩铀,dī nóng suō yóu,low-enriched uranium (LEU) -低热,dī rè,a low fever (up to 38°C) -低烧,dī shāo,a low fever (up to 38°C) -低产,dī chǎn,low yield -低眉顺眼,dī méi shùn yǎn,docile; submissive -低矮,dī ǎi,short; low -低碳,dī tàn,(attributive) low-carbon; low-carb (diet) -低空,dī kōng,low altitude -低空跳伞,dī kōng tiào sǎn,BASE Jumping -低空飞过,dī kōng fēi guò,to just scrape through with a narrow pass (in an exam) -低洼,dī wā,low-lying -低端,dī duān,low-end -低端人口,dī duān rén kǒu,low-paid workers in industries that offer jobs for the unskilled; derogatory-sounding abbr. for 低端產業從業人口|低端产业从业人口 -低等,dī děng,inferior -低等动物,dī děng dòng wù,lower animal; primitive life-form -低筋面粉,dī jīn miàn fěn,low-gluten flour; cake flour; pastry flour; soft flour -低粉,dī fěn,abbr. for 低筋麵粉|低筋面粉[di1 jin1 mian4 fen3] -低级,dī jí,low level; rudimentary; vulgar; low; inferior -低级语言,dī jí yǔ yán,low-level (computer) language -低维,dī wéi,low-dimensional (math.) -低缓,dī huǎn,low and unhurried (voice etc); low and gently sloping (terrain) -低耗,dī hào,"low consumption (energy, fuel etc)" -低聚物,dī jù wù,oligomer (chemistry) -低声,dī shēng,in a low voice; softly -低声细语,dī shēng xì yǔ,in a whisper; in a low voice (idiom) -低胸,dī xiōng,low-cut (dress); plunging (neckline) -低能,dī néng,incapable; incompetent; stupid; mentally deficient -低能儿,dī néng ér,retarded child; moron; idiot -低脂,dī zhī,low fat -低落,dī luò,downcast; gloomy; to decline; to get worse -低血压,dī xuè yā,low blood pressure -低血糖,dī xuè táng,hypoglycemia (medicine) -低语,dī yǔ,mutter -低调,dī diào,low pitch; quiet (voice); subdued; low-key; low-profile -低谷,dī gǔ,valley; trough (as opposed to peaks); fig. low point; lowest ebb; nadir of one's fortunes -低费用,dī fèi yòng,low cost -低贱,dī jiàn,lowly; humble; cheap; inexpensive -低迷,dī mí,blurred (landscape etc); low (spirits); in a slump (economy) -低速,dī sù,low speed -低速区,dī sù qū,low-velocity zone (seismology) -低速挡,dī sù dǎng,low gear; bottom gear -低速率,dī sù lǜ,low speed -低陷,dī xiàn,to sink; to settle -低阶,dī jiē,low level -低阶语言,dī jiē yǔ yán,low-level (computer) language -低音,dī yīn,bass -低音喇叭,dī yīn lǎ ba,woofer -低音大提琴,dī yīn dà tí qín,double bass; contrabass -低音大号,dī yīn dà hào,bass tuba; euphonium -低音提琴,dī yīn tí qín,double bass; contrabass -低音炮,dī yīn pào,subwoofer -低音管,dī yīn guǎn,bassoon; also written 巴頌管|巴颂管 or 巴松管 -低领口,dī lǐng kǒu,low-cut neckline -低头,dī tóu,to bow the head; to yield; to give in -低头不见抬头见,dī tóu bù jiàn tái tóu jiàn,see 抬頭不見低頭見|抬头不见低头见[tai2 tou2 bu4 jian4 di1 tou2 jian4] -低头族,dī tóu zú,smartphone addicts -低头认罪,dī tóu rèn zuì,to bow one's head in acknowledgment of guilt; to admit one's guilt -低首下心,dī shǒu xià xīn,to be fawningly submissive (idiom) -低体温症,dī tǐ wēn zhèng,hypothermia -低龄,dī líng,(of a member of a specific cohort) lower than average in age -低龄化,dī líng huà,"(of a certain group of people, e.g. recreational drug users) to become younger, on average, than before" -低龄犯罪,dī líng fàn zuì,juvenile crime; juvenile delinquency -低龋齿性,dī qǔ chǐ xìng,non-caries-inducing -住,zhù,"to live; to dwell; to stay; to reside; to stop; (suffix indicating firmness, steadiness, or coming to a halt)" -住区,zhù qū,living area -住友,zhù yǒu,"Sumitomo, Japanese company" -住口,zhù kǒu,shut up; shut your mouth; stop talking -住嘴,zhù zuǐ,to hold one's tongue; Shut up! -住地,zhù dì,living area; residential area -住址,zhù zhǐ,address -住宅,zhù zhái,residence; dwelling; abode -住宅区,zhù zhái qū,residential area; housing development -住宅楼,zhù zhái lóu,"residential building; CL:幢[zhuang4],座[zuo4],棟|栋[dong4]" -住宅泡沫,zhù zhái pào mò,housing bubble -住客,zhù kè,hotel guest; tenant -住家,zhù jiā,residence; household; to reside -住宿,zhù sù,to stay at; lodging; accommodation -住居,zhù jū,to live; to reside -住建部,zhù jiàn bù,Ministry of Housing and Urban-Rural Development of the PRC (MOHURD) (abbr. for 住房和城鄉建設部|住房和城乡建设部[Zhu4 fang2 he2 Cheng2 xiang1 Jian4 she4 bu4]) -住户,zhù hù,household; inhabitant; householder -住房,zhù fáng,housing -住房和城乡建设部,zhù fáng hé chéng xiāng jiàn shè bù,Ministry of Housing and Urban-Rural Development of the PRC (MOHURD); abbr. to 住建部[Zhu4 Jian4 bu4] -住所,zhù suǒ,habitation; dwelling place; residence; CL:處|处[chu4] -住手,zhù shǒu,to desist; to stop; to stay one's hand -住持,zhù chí,to administer a monastery Buddhist or Daoist; abbot; head monk -住校,zhù xiào,to board at school -住棚节,zhù péng jié,"Sukkot or Succoth, Jewish holiday" -住海边,zhù hǎi biān,(fig.) (slang) to stick one's nose in other people's affairs (i.e. the scope of other people's business that one concerns oneself with is as wide as an ocean vista) -住脚,zhù jiǎo,(old) to halt; to stop -住舍,zhù shè,house; residence -住处,zhù chù,residence; dwelling -住读,zhù dú,to attend boarding school -住院,zhù yuàn,to be in hospital; to be hospitalized -住院治疗,zhù yuàn zhì liáo,to receive hospital treatment; to be hospitalized -住院部,zhù yuàn bù,inpatient department -住院医师,zhù yuàn yī shī,resident physician -佐,zuǒ,to assist; assistant; aide; to accompany -佐世保,zuǒ shì bǎo,"Sasebo, city and naval port in Nagasaki prefecture, Kyūshū, Japan" -佐丹奴,zuǒ dān nú,Giordano (brand) -佐佐木,zuǒ zuǒ mù,Sasaki (Japanese surname) -佐料,zuǒ liào,condiments; seasoning -佐治亚,zuǒ zhì yà,"Georgia, US state" -佐治亚州,zuǒ zhì yà zhōu,"Georgia, US state" -佐科威,zuǒ kē wēi,"Joko Widodo (1961-), Indonesian politician, president of Indonesia (2014-)" -佐罗,zuǒ luó,Zorro -佐藤,zuǒ téng,Satō (Japanese surname) -佐证,zuǒ zhèng,evidence; proof; to confirm; corroboration -佐贰,zuǒ èr,deputy; junior -佐酒,zuǒ jiǔ,to drink together (in company); to drink together (with food) -佐野,zuǒ yě,Sano (Japanese surname and place name) -佐餐,zuǒ cān,(of food) accompaniment -佑,yòu,(bound form) to bless; to protect -佑护,yòu hù,blessing -占,zhàn,variant of 占[zhan4] -占上风,zhàn shàng fēng,to take the lead; to gain the upper hand -占下风,zhàn xià fēng,to be at a disadvantage -占中,zhàn zhōng,"Occupy Central, Hong Kong civil disobedience movement (September 2014 -)" -占便宜,zhàn pián yi,advantageous; favorable; to benefit at others' expense; to take unfair advantage -占优势,zhàn yōu shì,to predominate; to occupy a dominant position -占先,zhàn xiān,to take precedence -占去,zhàn qù,to take up (one's time etc); to occupy (one's attention etc); to account for (a proportion of sth) -占城,zhàn chéng,"Champa (Sanskrit: Campapura or Campanagara), ancient kingdom in the South of Vietnam c. 200-1693" -占压,zhàn yā,to tie up (funds or resources etc that could otherwise be used) -占婆,zhàn pó,"Champa (Sanskrit: Campapura or Campanagara), ancient kingdom in the South of Vietnam c. 200-1693" -占据,zhàn jù,to occupy; to hold -占族,zhàn zú,Cham ethnic group -占有,zhàn yǒu,to have; to own; to hold; to occupy; to possess; to account for (a high proportion etc) -占为己有,zhàn wéi jǐ yǒu,to appropriate to oneself (what rightfully belongs to others) -占用,zhàn yòng,to occupy -占线,zhàn xiàn,busy (telephone line) -占领,zhàn lǐng,to capture; to seize; to occupy by force -占领者,zhàn lǐng zhě,occupant -何,hé,surname He -何,hé,what; how; why; which; carry -何不,hé bù,why not?; why not do (sth)? -何不食肉糜,hé bù shí ròu mí,"lit. ""Why don't they eat meat?"" (said by Emperor Hui of Jin 晉惠帝|晋惠帝[Jin4 Hui4 di4] when told that his people didn't have enough rice to eat); fig. (of people from higher class etc) to be oblivious to other people's plight" -何人,hé rén,who -何以,hé yǐ,(literary) why; how -何以见得,hé yǐ jiàn dé,how can one be sure? -何其,hé qí,"(literary) (similar to 多麼|多么[duo1 me5], used before an adjective in exclamations) how (fortunate etc); so (many etc)" -何出此言,hé chū cǐ yán,"where do these words stem from?; why do you (he, etc) say such a thing?" -何厚铧,hé hòu huá,"He Houhua (1955-), Macau financier and politician, Chief Executive 1999-2009" -何去何从,hé qù hé cóng,what course to follow; what path to take -何啻,hé chì,(literary) far more than; not limited to -何尝,hé cháng,(rhetorical question) when?; how?; it's not that... -何在,hé zài,where?; what place? -何如,hé rú,how about; what kind of -何妨,hé fáng,what harm is there in (doing sth) -何干,hé gān,what business? -何必,hé bì,there is no need; why should -何应钦,hé yìng qīn,"He Yingqin (1890-1987), senior Guomindang general" -何所,hé suǒ,where; what place -何故,hé gù,what for?; what's the reason? -何方,hé fāng,where? -何日,hé rì,when? -何时,hé shí,when -何曾,hé céng,"did I ever ...? (or ""did he ever ...?"" etc)" -何乐不为,hé lè bù wéi,see 何樂而不為|何乐而不为[he2le4er2bu4wei2] -何乐而不为,hé lè ér bù wéi,What can you have against it? (idiom); We should do this.; Go for it! -何止,hé zhǐ,far more than; not just -何况,hé kuàng,let alone; to say nothing of; besides; what's more -何济于事,hé jì yú shì,of what use is it; (idiom) -何为,hé wéi,what is; (old) what for; (in a rhetorical question) it's no use -何为,hé wèi,(old) why -何等,hé děng,"what kind?; how, what; somewhat" -何苦,hé kǔ,why bother?; is it worth the trouble? -何处,hé chù,whence; where -何西阿书,hé xī ā shū,Book of Hosea -何许,hé xǔ,(literary) what place; what time; how -何许人,hé xǔ rén,(literary) what kind of person -何谓,hé wèi,(literary) what is?; what is the meaning of? -何须,hé xū,there is no need; why should -何首乌,hé shǒu wū,Chinese knotweed (Polygonum multiflorum); fleeceflower root -何鲁晓夫,hé lǔ xiǎo fū,"Nikita Khrushchev (1894-1971), secretary-general of Soviet communist party 1953-1964; also written 赫魯曉夫|赫鲁晓夫" -佗,tuó,carry on the back -佘,shé,surname She -余,yú,surname Yu -余,yú,(literary) I; me; variant of 餘|余[yu2] -余月,yú yuè,alternative term for fourth lunar month -余车,yú chē,emperor's carriage -佚,yì,surname Yi -佚,dié,old variant of 迭[die2] -佚,yì,lost; missing; forsaken; dissolute; (of a woman) beautiful; fault; offense; hermit; variant of 逸[yi4] -佚名,yì míng,(of an author) anonymous -佛,fó,Buddha; Buddhism (abbr. for 佛陀[Fo2tuo2]) -佛像,fó xiàng,"Buddhist image; statue of Buddha or Bodhisattva; CL:尊[zun1], 張|张[zhang1]" -佛光,fó guāng,Buddha's teachings; aura (around the head of Buddha) -佛典,fó diǎn,Buddhist scriptures; Buddhist classics -佛卡夏,fó kǎ xià,focaccia (loanword) -佛口蛇心,fó kǒu shé xīn,"words of a Buddha, heart of a snake (idiom); two-faced; malicious and duplicitous" -佛吉尼亚,fú jí ní yà,"Virginia, US state" -佛坪,fó píng,"Foping County in Hanzhong 漢中|汉中[Han4 zhong1], Shaanxi" -佛坪县,fó píng xiàn,"Foping County in Hanzhong 漢中|汉中[Han4 zhong1], Shaanxi" -佛塔,fó tǎ,pagoda -佛媛,fó yuán,Buddhist griftress (female Internet influencer who exploits Buddhist imagery for self-promotion or commercial purposes) -佛学,fó xué,Buddhist doctrine; Buddhist studies -佛家,fó jiā,Buddhism; Buddhist -佛寺,fó sì,Buddhist temple -佛山,fó shān,"Foshan, a prefecture-level city in Guangdong" -佛山市,fó shān shì,"Foshan, a prefecture-level city in Guangdong" -佛冈,fó gāng,"Fogang county in Qingyuan 清遠|清远[Qing1 yuan3], Guangdong" -佛冈县,fó gāng xiàn,"Fogang county in Qingyuan 清遠|清远[Qing1 yuan3], Guangdong" -佛得角,fó dé jiǎo,Cape Verde -佛心,fó xīn,Buddha-like heart (full of compassion); spirit of Buddha (awakened to reality and no longer clinging to appearances) -佛性,fó xìng,Buddha nature -佛手瓜,fó shǒu guā,chayote (Sechium edule); choko; mirliton -佛教,fó jiào,Buddhism -佛教徒,fó jiào tú,Buddhist -佛教语,fó jiào yǔ,Buddhist term -佛书,fó shū,Buddhist scripture -佛朗哥,fó lǎng gē,"Franco (name); Generalissimo Francisco Franco Bahamonde (1892-1975), Spanish dictator and head of state 1939-1975" -佛朗明哥,fó lǎng míng gē,flamenco (Tw) (loanword) -佛朗机,fó lǎng jī,Portuguese (Ming era loanword) -佛朗机炮,fó lǎng jī pào,Western (or Western-style) cannon of the Ming era -佛朗机铳,fó lǎng jī chòng,Western (and so styled) cannon of the Ming era -佛法,fó fǎ,Dharma (the teachings of the Buddha); Buddhist doctrine -佛法僧目,fó fǎ sēng mù,"Coraciiformes, class of birds including kingfishers and hornbills" -佛洛伊德,fó luò yī dé,"Floyd (name); Freud (name); Dr Sigmund Freud (1856-1939), the founder of psychoanalysis" -佛洛斯特,fú luò sī tè,Frost (surname) -佛爷,fó ye,"Buddha (term of respect for Sakyamuni 釋迦牟尼|释迦牟尼[Shi4 jia1 mou2 ni2]); His Holiness (refers to a Buddhist grandee); Buddha; God; emperor; in late Qing court, refers exclusively to Empress Dowager Cixi 慈禧太后[Ci2 xi3 tai4 hou4]" -佛牙,fó yá,Buddha's tooth (a holy relic) -佛珠,fó zhū,Buddhist prayer beads -佛祖,fó zǔ,Buddha; founder of a buddhist sect -佛系,fó xì,(neologism c. 2017) (coll.) chill about everything (typically used to describe young people who don't buy into aspirational society) -佛经,fó jīng,Buddhist texts; Buddhist scripture -佛罗伦斯,fó luó lún sī,"Florence, city in Italy (Tw)" -佛罗伦萨,fó luó lún sà,"Florence, city in Italy" -佛罗里达,fú luó lǐ dá,Florida -佛罗里达州,fó luó lǐ dá zhōu,Florida -佛舍利,fó shè lì,ashes of cremated Buddha -佛蒙特,fó méng tè,"Vermont, US state" -佛蒙特州,fó méng tè zhōu,"Vermont, US state" -佛兰德,fó lán dé,"of or relating to Flemish people, language or culture" -佛兰芒语,fó lán máng yǔ,Flemish (language) -佛号,fó hào,one of the many names of Buddha -佛诞日,fó dàn rì,Buddha's Birthday (8th day of the 4th Lunar month) -佛语,fó yǔ,Buddhist term -佛跳墙,fó tiào qiáng,"lit. Buddha jumps over the wall, name for a Chinese dish that uses many non-vegetarian ingredients" -佛门,fó mén,Buddhism -佛陀,fó tuó,"Buddha (a person who has attained Buddhahood, or specifically Siddhartha Gautama)" -佛香阁,fó xiāng gé,"Tower of Buddhist Incense in the Summer Palace 頤和園|颐和园[Yi2 he2 yuan2], Beijing" -佛骨,fó gǔ,Buddha's bones (as a sacred relic) -佛骨塔,fó gǔ tǎ,stupa (Buddhist shrine) -佛龛,fó kān,"niche for statue (esp. Buddhist, Christian etc)" -作,zuō,(bound form) worker; (bound form) workshop; (slang) troublesome; high-maintenance (person) -作,zuò,"to do; to engage in; to write; to compose; to pretend; to feign; to regard as; to consider to be; to be; to act the part of; to feel (itchy, nauseous etc); writings; works" -作下,zuò xià,to do; to make (usually bad connotation) -作主,zuò zhǔ,to decide; to have the final say -作乱,zuò luàn,to rebel; to rise in revolt -作人,zuò rén,to conduct oneself; same as 做人 -作件,zuò jiàn,workpiece -作伴,zuò bàn,to accompany; to keep sb company -作保,zuò bǎo,to act as surety for sb; to be sb's guarantor; to stand bail for sb -作假,zuò jiǎ,to counterfeit; to falsify; to cheat; to defraud; fraudulent; to behave affectedly -作出,zuò chū,"to put out; to come up with; to make (a choice, decision, proposal, response, comment etc); to issue (a permit, statement, explanation, apology, reassurance to the public etc); to draw (conclusion); to deliver (speech, judgment); to devise (explanation); to extract" -作别,zuò bié,to take one's leave; to bid farewell -作势,zuò shì,to adopt an attitude; to strike a posture -作古,zuò gǔ,to die; to pass away -作合,zuò hé,to make a match; to get married -作品,zuò pǐn,"work (of art); opus; CL:部[bu4],篇[pian1]" -作呕,zuò ǒu,to feel sick; to feel nauseous; to feel disgusted -作坊,zuō fang,workshop (of artisan) -作寿,zuò shòu,variant of 做壽|做寿[zuo4 shou4] -作好准备,zuò hǎo zhǔn bèi,to prepare; to make adequate preparation -作奸犯科,zuò jiān fàn kē,to flout the law -作威作福,zuò wēi zuò fú,tyrannical abuse (idiom); riding roughshod over people -作孽,zuò niè,to sin -作客,zuò kè,to live somewhere as a visitor; to stay with sb as a guest; to sojourn -作家,zuò jiā,"author; CL:個|个[ge4],位[wei4]" -作对,zuò duì,to set oneself against; to oppose; to make a pair -作废,zuò fèi,to become invalid; to cancel; to delete; to nullify -作弄,zuò nòng,to tease; to play tricks on -作弊,zuò bì,to practice fraud; to cheat; to engage in corrupt practices -作怪,zuò guài,(of a ghost) to make strange things happen; to act up; to act behind the scenes; to make mischief; odd; to misbehave (euphemism for having sex) -作息,zuò xī,to work and rest -作息时间,zuò xī shí jiān,daily schedule; daily routine -作息时间表,zuò xī shí jiān biǎo,daily schedule; work schedule -作恶,zuò è,to do evil -作爱,zuò ài,to make love -作态,zuò tài,to put on an attitude; to pose -作战,zuò zhàn,combat; to fight -作战失踪,zuò zhàn shī zōng,see 作戰失蹤人員|作战失踪人员[zuo4 zhan4 shi1 zong1 ren2 yuan2] -作战失踪人员,zuò zhàn shī zōng rén yuán,missing in action (MIA) (military) -作手,zuò shǒu,writer; expert -作揖,zuò yī,to bow with hands held in front -作数,zuò shù,valid; counting (as valid) -作文,zuò wén,to write an essay; composition (student essay); CL:篇[pian1] -作料,zuò liao,condiments; seasoning; coll. pr. [zuo2 liao5]; Taiwan pr. [zuo2 liao4] -作曲,zuò qǔ,to compose (music) -作曲家,zuò qǔ jiā,composer; songwriter -作曲者,zuò qǔ zhě,composer; song writer -作东,zuò dōng,to host (a dinner); to treat; to pick up the check -作案,zuò àn,to commit a crime -作梗,zuò gěng,to hinder; to obstruct; to create difficulties -作业,zuò yè,school assignment; homework; work; task; operation; CL:個|个[ge4]; to operate -作业环境,zuò yè huán jìng,operating environment -作业系统,zuò yè xì tǒng,operating system (Tw) -作乐,zuò lè,to make merry -作死,zuò sǐ,to court disaster; also pr. [zuo1 si3] -作法,zuò fǎ,course of action; method of doing sth; practice; modus operandi -作派,zuò pài,see 做派[zuo4 pai4] -作准,zuò zhǔn,to be valid; to count; authentic -作为,zuò wéi,one's conduct; deed; activity; accomplishment; achievement; to act as; as (in the capacity of); qua; to view as; to look upon (sth as); to take sth to be -作物,zuò wù,crop -作用,zuò yòng,"to act on; to affect; action; function; activity; impact; result; effect; purpose; intent; (suffix) -ation, -tion etc, as in 抑制作用[yi4 zhi4 zuo4 yong4], inhibition" -作用力,zuò yòng lì,effort; active force; applied force -作用理论,zuò yòng lǐ lùn,interactive theory -作画,zuò huà,to paint -作痛,zuò tòng,to ache -作祟,zuò suì,haunted; to haunt; to cause mischief -作秀,zuò xiù,"to show off (loanword, from English ""show""); to grandstand; to perform in a stage show" -作笔记,zuò bǐ jì,to take notes -作答,zuò dá,to answer; to respond -作茧,zuò jiǎn,to make a cocoon -作茧自缚,zuò jiǎn zì fù,to spin a cocoon around oneself (idiom); enmeshed in a trap of one's own devising; hoist by his own petard -作罢,zuò bà,to drop (subject etc) -作者,zuò zhě,author; writer -作者不详,zuò zhě bù xiáng,author unknown -作者未详,zuò zhě wèi xiáng,author unspecified -作者权,zuò zhě quán,copyright -作兴,zuò xīng,maybe; possibly; there is reason to believe -作色,zuò sè,to show signs of anger; to flush with annoyance -作誓,zuò shì,to pledge -作证,zuò zhèng,to bear witness; to testify; to serve as evidence -作证能力,zuò zhèng néng lì,competence -作贼,zuò zéi,to be a thief -作践,zuò jiàn,to ill-use; to humiliate; to degrade; to ruin; also pr. [zuo2 jian4] -作辍,zuò chuò,"now working, now stopping" -作陪,zuò péi,to attend (a banquet etc) to keep a chief guest company -作风,zuò fēng,style; style of work; way -作风正派,zuò fēng zhèng pài,to be honest and upright; to have moral integrity -作马,zuò mǎ,sawhorse -作鸟兽散,zuò niǎo shòu sàn,lit. scatter like birds and beasts (idiom); fig. to head off in various directions; to flee helter-skelter -佝,gōu,used in 佝僂|佝偻[gou1 lou2] -佝,kòu,used in 佝瞀[kou4mao4] -佝偻,gōu lóu,stooped; crooked -佝偻病,gōu lóu bìng,rickets (medicine) -佝瞀,kòu mào,stupid -佞,nìng,to flatter; flattery -佟,tóng,surname Tong -佟佳江,tóng jiā jiāng,"Tongjia River in Manchuria, a tributary of the Yalu River 鴨綠江|鸭绿江[Ya1 lu4 Jiang1]" -你,nǐ,"you (informal, as opposed to courteous 您[nin2])" -你个头,nǐ ge tóu,"(coll.) (suffix) my ass!; yeah, right!" -你们,nǐ men,you (plural) -你好,nǐ hǎo,hello; hi -你妈,nǐ mā,(interjection) fuck you; (intensifier) fucking -你情我愿,nǐ qíng wǒ yuàn,to both be willing; mutual consent -你我,nǐ wǒ,you and I; everyone; all of us (in society); we (people in general) -你死我活,nǐ sǐ wǒ huó,"lit. you die, I live (idiom); irreconcilable adversaries; two parties cannot coexist" -你争我夺,nǐ zhēng wǒ duó,"lit. you fight, I snatch (idiom); to compete fiercely offering no quarter; fierce rivalry; tug-of-war" -你看着办吧,nǐ kàn zhe bàn ba,You figure it out for yourself.; Do as you please. -你真行,nǐ zhēn xíng,"you're incredible (often an ironic expression of vexation, but can also express approbation)" -你等,nǐ děng,(archaic) you all -你追我赶,nǐ zhuī wǒ gǎn,friendly one-upmanship; to try to emulate -佣,yòng,commission (for middleman); brokerage fee -佣金,yòng jīn,commission -佣钱,yòng qian,commission; brokerage -佤,wǎ,"Wa, Kawa or Va ethnic group of Myanmar, south China and southeast Asia" -佤族,wǎ zú,"Wa, Kawa or Va ethnic group of Myanmar, south China and southeast Asia" -佧,kǎ,ancient name for an ethnic group in China -佧佤族,kǎ wǎ zú,"Wa, Kawa or Va ethnic group of Myanmar, south China and southeast Asia" -佩,pèi,to respect; to wear (belt etc) -佩剑,pèi jiàn,sword; (fencing) saber -佩奇,pèi qí,"Peppa, from Peppa Pig cartoon" -佩带,pèi dài,to wear (as accessories); carry at the waist -佩戴,pèi dài,to wear (as accessories) -佩服,pèi fú,to admire -佩洛西,pèi luò xī,"Nancy Pelosi (1940-), US Democrat politician from California, speaker of US House of Representatives 2007-2011 and 2019-" -佩环,pèi huán,ring-like jade belt pendant -佩皮尼昂,pèi pí ní áng,Perpignan (city in France) -佩兰,pèi lán,orchid; fragrant thoroughwort; (botany) Eupatorium fortunei; Herba Eupatorii (used in Chinese medicine) -佩饰,pèi shì,ornament; pendant -佩鲁贾,pèi lǔ jiǎ,Perugia (city in Italy) -佬,lǎo,male; man (Cantonese) -佯,yáng,to feign; to pretend -佯狂,yáng kuáng,to feign madness -佯装,yáng zhuāng,to pretend; to pose as -佯言,yáng yán,to claim falsely (literary) -佰,bǎi,hundred (banker's anti-fraud numeral) -佳,jiā,surname Jia -佳,jiā,beautiful; fine; good -佳世客,jiā shì kè,"JUSCO, Japanese chain of hypermarkets" -佳人,jiā rén,beautiful woman -佳人才子,jiā rén cái zǐ,"lit. beautiful lady, gifted scholar (idiom); fig. pair of ideal lovers" -佳作,jiā zuò,masterpiece; fine piece of writing -佳偶,jiā ǒu,happily married couple -佳冬,jiā dōng,"Chiatung township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -佳冬乡,jiā dōng xiāng,"Chiatung township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -佳利酿,jiā lì niàng,Carignan (grape type) -佳境,jiā jìng,the most pleasant or enjoyable stage -佳妙,jiā miào,wonderful; beautiful (calligraphy) -佳得乐,jiā dé lè,Gatorade (brand) -佳期,jiā qī,wedding day; day of tryst -佳木斯,jiā mù sī,Kiamusze or Jiamusi prefecture-level city in Heilongjiang province 黑龍江|黑龙江[Hei1 long2 jiang1] in northeast China -佳木斯大学,jiā mù sī dà xué,Jiamusi University (Heilongjiang) -佳木斯市,jiā mù sī shì,Kiamusze or Jiamusi prefecture-level city in Heilongjiang province 黑龍江|黑龙江[Hei1 long2 jiang1] in northeast China -佳洁士,jiā jié shì,Crest (brand) -佳节,jiā jié,festive day; holiday -佳县,jiā xiàn,"Jia County in Yulin 榆林[Yu2 lin2], Shaanxi" -佳绩,jiā jì,good result; success -佳美,jiā měi,beautiful -佳能,jiā néng,Canon (Japanese company) -佳评如潮,jiā píng rú cháo,a hit; tremendous popularity -佳话,jiā huà,story or deed that captures the imagination and is spread far and wide -佳宾,jiā bīn,variant of 嘉賓|嘉宾[jia1 bin1] -佳酿,jiā niàng,excellent wine -佳里,jiā lǐ,"Jiali, a district in Tainan 台南|台南[Tai2 nan2], Taiwan" -佳里镇,jiā lǐ zhèn,"Chiali town in Tainan county 台南縣|台南县[Tai2 nan2 xian4], Taiwan" -佳音,jiā yīn,good news -佳肴,jiā yáo,fine food; delicacies; delicious food -佳丽,jiā lì,a beauty; beautiful -佳丽酿,jiā lì niàng,Carignan (grape type) -佴,èr,assistant -并,bìng,to combine; to amalgamate -并入,bìng rù,to merge into; to incorporate in -并吞,bìng tūn,to swallow up; to annex; to merge -并卷机,bìng juǎn jī,ribbon lap machine -并拢,bìng lǒng,"to draw together; to place side by side (e.g. one's fingers, two halves of a torn sheet of paper etc)" -并发,bìng fā,to happen simultaneously; (medicine) (of one disease) to be complicated by (another); (of another disease) to erupt simultaneously; (computing) concurrent -并发症,bìng fā zhèng,complications (undesired side-effect of medical procedure) -并系群,bìng xì qún,variant of 並系群|并系群[bing4 xi4 qun2] -并纱,bìng shā,doubling (combining two or more lengths of yarn into a single thread) -并购,bìng gòu,merger and acquisition (M and A); acquisition; to take over -并集,bìng jí,union (symbol ∪) (set theory) -佶,jí,difficult to pronounce -佻,tiāo,frivolous; unsteady; delay -佼,jiǎo,handsome -佼佼者,jiǎo jiǎo zhě,"well-known figure; excellent (person, company etc)" -佽,cì,surname Ci -佽,cì,nimble; to help -佾,yì,row of dancers at sacrifices -使,shǐ,to make; to cause; to enable; to use; to employ; to send; to instruct sb to do sth; envoy; messenger -使不得,shǐ bu de,cannot be used; must not (do sth); unacceptable -使人信服,shǐ rén xìn fú,convincing -使出,shǐ chū,to use; to exert -使劲,shǐ jìn,to exert all one's strength -使劲儿,shǐ jìn er,erhua variant of 使勁|使劲[shi3 jin4] -使命,shǐ mìng,mission; long-term task to which one devotes oneself; a calling -使唤,shǐ huan,"to order sb around; (coll.) to handle (a draught animal, tool, machine etc); Taiwan pr. [shi3 huan4]" -使团,shǐ tuán,diplomatic mission -使坏,shǐ huài,to play dirty tricks; to be up to mischief -使役,shǐ yì,"to use (an animal or servant); working (animal); (beast) of burden; causative form of verbs (esp. in grammar of Japanese, Korean etc)" -使徒,shǐ tú,apostle -使徒行传,shǐ tú xíng zhuàn,Acts of the Apostles (New Testament) -使得,shǐ de,usable; serviceable; feasible; workable; doable; to make; to cause; to bring about -使性,shǐ xìng,to throw a fit; to act temperamental -使性子,shǐ xìng zi,to lose one's temper -使成,shǐ chéng,to cause; to render -使然,shǐ rán,(literary) to make it so; to dictate -使用,shǐ yòng,to use; to employ; to apply; to make use of -使用价值,shǐ yòng jià zhí,usable value -使用数量,shǐ yòng shù liàng,usage (i.e. extent of use) -使用条款,shǐ yòng tiáo kuǎn,terms of use -使用权,shǐ yòng quán,usage rights -使用者,shǐ yòng zhě,user -使用量,shǐ yòng liàng,volume of use; usage amount -使尽,shǐ jìn,to exert all one's strength -使眼色,shǐ yǎn sè,to give sb a meaningful look -使节,shǐ jié,(diplomatic) envoy -使节团,shǐ jié tuán,a diplomatic group; a delegation -使者,shǐ zhě,emissary; envoy -使领官员,shǐ lǐng guān yuán,ambassador and consul; diplomat -使领馆,shǐ lǐng guǎn,embassy and consulate -使馆,shǐ guǎn,consulate; diplomatic mission -侃,kǎn,upright and honest; cheerful; to chat idly; to boast; to talk smoothly -侃侃,kǎn kǎn,to possess assurance and composure -侃侃而谈,kǎn kǎn ér tán,to speak frankly with assurance -侃价,kǎn jià,to bargain; to haggle with a peddler -侃大山,kǎn dà shān,to chatter idly; to gossip; to boast or brag -侃星,kǎn xīng,chatterbox; boaster -侃爷,kǎn yé,big talker -侄,zhí,variant of 姪|侄[zhi2] -来,lái,"to come; (used as a substitute for a more specific verb); hither (directional complement for motion toward the speaker, as in 回來|回来[hui2lai5]); ever since (as in 自古以來|自古以来[zi4gu3 yi3lai2]); for the past (amount of time); (prefix) the coming ...; the next ... (as in 來世|来世[lai2shi4]); (between two verbs) in order to; (after a round number) approximately; (used after 得[de2] to indicate possibility, as in 談得來|谈得来[tan2de5lai2], or after 不[bu4] to indicate impossibility, as in 吃不來|吃不来[chi1bu5lai2])" -来不及,lái bu jí,there's not enough time (to do sth); it's too late (to do sth) -来不得,lái bu dé,cannot allow (to be present); cannot admit -来世,lái shì,afterlife; next life -来信,lái xìn,incoming letter; to send us a letter -来函,lái hán,incoming letter; letter from afar; same as 來信|来信[lai2 xin4] -来到,lái dào,to arrive; to come -来劲,lái jìn,(dialect) to be full of zeal; high-spirited; exhilarating; to stir sb up -来势,lái shì,momentum of sth approaching -来去无踪,lái qù wú zōng,"come without a shadow, leave without a footprint (idiom); to come and leave without a trace" -来回,lái huí,to make a round trip; return journey; back and forth; to and fro; repeatedly -来回来去,lái huí lái qù,repeatedly; back and forth again and again -来安,lái ān,"Lai'an, a county in Chuzhou 滁州[Chu2zhou1], Anhui" -来安县,lái ān xiàn,"Lai'an, a county in Chuzhou 滁州[Chu2zhou1], Anhui" -来客,lái kè,guest -来年,lái nián,next year; the coming year -来往,lái wǎng,to come and go; to have dealings with; to be in relation with -来得,lái de,to emerge (from a comparison); to come out as; to be competent or equal to -来得及,lái de jí,to have enough time; can do it in time; can still make it -来得早不如来得巧,lái de zǎo bù rú lái de qiǎo,arriving early can't beat coming at the right time; perfect timing -来复枪,lái fù qiāng,rifle (loanword); also written 來福槍|来福枪 -来复线,lái fù xiàn,rifling (spiral lines on inside of gun barrel imparting spin to the bullet) -来意,lái yì,one's purpose in coming -来文,lái wén,received document; sent document -来日,lái rì,future days; (literary) the next day; (old) past days -来日方长,lái rì fāng cháng,the future is long (idiom); there will be ample time for that later; We'll cross that bridge when we get there -来朝,lái zhāo,(literary) tomorrow (morning) -来历,lái lì,history; antecedents; origin -来历不明,lái lì bù míng,(idiom) of unknown origin; of dubious background -来港,lái gǎng,to come to Hong Kong -来源,lái yuán,source (of information etc); origin -来源于,lái yuán yú,to originate in -来潮,lái cháo,(of water) to rise; rising tide; (of women) to get one's period -来火,lái huǒ,to get angry -来火儿,lái huǒ er,to get angry -来犯,lái fàn,to invade one's territory -来生,lái shēng,next life -来由,lái yóu,reason; cause -来硬的,lái yìng de,to get tough; to use force -来示,lái shì,(polite) your letter -来神,lái shén,to become spirited -来福枪,lái fú qiāng,rifle (loanword); also written 來復槍|来复枪 -来福线,lái fú xiàn,rifling (helical grooves inside the barrel of a gun) -来义,lái yì,"Laiyi township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -来义乡,lái yì xiāng,"Laii township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -来者不拒,lái zhě bù jù,to refuse nobody (idiom); all comers welcome -来而不往非礼也,lái ér bù wǎng fēi lǐ yě,not to reciprocate is against etiquette (classical); to respond in kind -来临,lái lín,to approach; to come closer -来自,lái zì,to come from (a place); From: (in email header) -来台,lái tái,to visit Taiwan (esp. from PRC) -来华,lái huá,to come to China -来着,lái zhe,auxiliary showing sth happened in the past -来苏糖,lái sū táng,lyxose (type of sugar) -来袭,lái xí,to invade; (of a storm etc) to strike; to hit -来访,lái fǎng,to pay a visit -来访者,lái fǎng zhě,visitor; (psychological counseling) client -来讲,lái jiǎng,as to; considering; for -来宾,lái bīn,Laibin prefecture-level city in Guangxi -来宾,lái bīn,guest; visitor -来宾市,lái bīn shì,Laibin prefecture-level city in Guangxi -来路,lái lù,incoming road; origin; past history -来路不明,lái lù bù míng,unidentified origin; no-one knows where it comes from; of dubious background -来踪去迹,lái zōng qù jì,the traces of a person's movements; (fig.) sb's history; (fig.) the ins and out of a matter -来电,lái diàn,"incoming telephone call (or telegram); to phone in; to send in a telegram; to have an instant attraction to sb; (of electricity, after an outage) to come back" -来电答铃,lái diàn dá líng,(Tw) ringback tone (heard by the originator of a telephone call) -来电显示,lái diàn xiǎn shì,caller ID -来项,lái xiang,income -来头,lái tóu,cause; reason; interest; influence -来凤,lái fèng,"Laifeng County in Enshi Tujia and Miao Autonomous Prefecture 恩施土家族苗族自治州[En1 shi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1], Hubei" -来凤县,lái fèng xiàn,"Laifeng County in Enshi Tujia and Miao Autonomous Prefecture 恩施土家族苗族自治州[En1 shi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1], Hubei" -来鸿,lái hóng,incoming letter (literary) -来鸿去燕,lái hóng qù yàn,"lit. the goose comes, the swallow goes (idiom); fig. always on the move" -来龙去脉,lái lóng qù mài,lit. the rise and fall of the terrain (idiom); fig. the whole sequence of events; causes and effects -侈,chǐ,extravagant; wasteful; exaggerating -侈糜,chǐ mí,variant of 侈靡[chi3 mi2] -侈谈,chǐ tán,to prate -侈靡,chǐ mí,wasteful; extravagant -侉,kuǎ,foreign accent -侉子,kuǎ zi,person speaking with a foreign accent -例,lì,example; precedent; rule; case; instance -例假,lì jià,legal holiday; (euphemism) menstrual leave; menstrual period -例句,lì jù,example sentence -例外,lì wài,exception; to be an exception -例外字,lì wài zì,exception(s) -例如,lì rú,for example; for instance; such as -例子,lì zi,case; (for) instance; example; CL:個|个[ge4] -例会,lì huì,regular meeting -例汤,lì tāng,soup of the day -例示,lì shì,to exemplify -例行,lì xíng,"routine (task, procedure etc); as usual" -例行公事,lì xíng gōng shì,routine business; usual practice; mere formality -例言,lì yán,introductory remarks -例语,lì yǔ,example sentence -例证,lì zhèng,example; case in point -例题,lì tí,problem or question solved for illustrative purposes in the classroom; practice question (used in preparation for an exam); sample question -侌,yīn,old variant of 陰|阴[yin1] -侍,shì,to serve; to attend upon -侍候,shì hòu,to serve; to wait upon -侍奉,shì fèng,to wait upon; to serve; to attend to sb's needs -侍女,shì nǚ,maid -侍妾,shì qiè,concubine -侍弄,shì nòng,"to look after; to tend (one's crops, garden, livestock, pets etc); to repair" -侍从,shì cóng,to serve (an important personage); attendant; retainer -侍从官,shì cóng guān,aide-de-camp -侍应,shì yìng,waiter; waitress (abbr. for 侍應生|侍应生[shi4 ying4 sheng1]) -侍应生,shì yìng shēng,waiter; waitress -侍立,shì lì,to stand by in attendance -侍者,shì zhě,attendant; waiter -侍卫,shì wèi,Imperial bodyguard -侍卫官,shì wèi guān,guard -侍郎,shì láng,(Ming and Qing dynasties) vice-minister of one of the Six Boards; (also an official title in earlier dynasties) -侏,zhū,dwarf -侏儒,zhū rú,dwarf; pygmy; small person; midget -侏儒仓鼠,zhū rú cāng shǔ,dwarf hamster -侏儒症,zhū rú zhèng,pituitary dwarfism -侏罗,zhū luó,Jura mountains of eastern France and extending into Switzerland -侏罗纪,zhū luó jì,Jurassic (geological period 205-140m years ago) -侑,yòu,(literary) to urge sb (to eat or drink) -侔,móu,similar; comparable; equal -仑,lún,to arrange -侗,dòng,Dong ethnic group (aka Kam people) -侗,tóng,ignorant -侗人,dòng rén,people of the Dong ethnic minority -侗剧,dòng jù,Dong opera -侗族,dòng zú,"Kam people, who live mostly in southern China and in the north of Laos and Vietnam" -供,gōng,to provide; to supply; to be for (the use or convenience of) -供,gòng,to lay (sacrificial offerings); (bound form) offerings; to confess (Taiwan pr. [gong1]); confession; statement (Taiwan pr. [gong1]) -供不应求,gōng bù yìng qiú,supply does not meet demand -供佛花,gòng fó huā,flower offering -供品,gòng pǐn,offering -供大于求,gōng dà yú qiú,supply exceeds demand -供奉,gòng fèng,to consecrate; to enshrine and worship; an offering (to one's ancestors); a sacrifice (to a god) -供应,gōng yìng,to supply; to provide; to offer -供应品,gōng yìng pǐn,supplies -供应商,gōng yìng shāng,supplier -供应室,gōng yìng shì,supply room -供应者,gōng yìng zhě,supplier -供应链,gōng yìng liàn,supply chain -供房,gōng fáng,to buy a house on a mortgage; house mortgage -供暖,gōng nuǎn,to supply heating (in a building); heating -供水,gōng shuǐ,to supply water -供求,gōng qiú,supply and demand (economics) -供油系统,gōng yóu xì tǒng,fuel supply system; lubricating system -供热,gōng rè,heating (for a building); to supply heating -供燃气,gōng rán qì,gas supply -供物,gòng wù,offering -供状,gòng zhuàng,written confession -供献,gōng xiàn,a contribution -供石,gōng shí,"scholar's rock (one of the naturally-eroded, fantastically-shaped rocks put on display indoors or in gardens in China)" -供称,gòng chēng,to make a confession (law) -供稿,gōng gǎo,to contribute (to a magazine etc) -供给,gōng jǐ,to furnish; to provide; supply (as in supply and demand) -供职,gòng zhí,to hold an office or post -供花,gòng huā,flower offering -供血,gōng xuè,to donate blood -供血者,gōng xuè zhě,blood donor -供词,gòng cí,confession; statement; Taiwan pr. [gong1ci2] -供认,gòng rèn,to confess; confession -供认不讳,gòng rèn bù huì,to make a full confession; to plead guilty -供货,gōng huò,to supply goods -供货商,gōng huò shāng,supplier; vendor -供述,gòng shù,confession -供过于求,gōng guò yú qiú,supply exceeds demand -供销,gōng xiāo,supply and marketing; distribution; supply and sales -供销商,gōng xiāo shāng,distribution business; supplier -供电,gōng diàn,to supply electricity -供需,gōng xū,supply and demand -供养,gōng yǎng,to supply; to provide for one's elders; to support one's parents -供养,gòng yǎng,to make offerings to (gods or ancestors); Taiwan pr. [gong4yang4] -供体,gōng tǐ,"donor (chemistry, physics, medicine)" -依,yī,to depend on; to comply with or listen to sb; according to; in the light of -依仗,yī zhàng,to count on; to rely on -依依,yī yī,"reluctant to part; (of grass etc) soft and pliable, swaying in the wind" -依依不舍,yī yī bù shě,reluctant to part (idiom); broken-hearted at having to leave -依偎,yī wēi,to nestle against; to snuggle up to -依傍,yī bàng,to rely on; to depend on; to imitate (a model); to base a work (on some model) -依地酸二钴,yī dì suān èr gǔ,kelocyanor -依存,yī cún,to depend on sth for existence; dependent on -依安,yī ān,"Yi'an county in Qiqihar 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -依安县,yī ān xiàn,"Yi'an county in Qiqihar 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -依属,yī shǔ,dependence -依山傍水,yī shān bàng shuǐ,mountains on one side and water on the other -依从,yī cóng,to comply with; to obey -依循,yī xún,to follow; to comply -依恋,yī liàn,to be fondly attached to; to not wish to part with; to cling to -依我来看,yī wǒ lái kàn,as I see it; in my opinion -依我看,yī wǒ kàn,in my opinion -依撒依亚,yī sā yī yà,Isaiah (Catholic transliteration) -依撒意亚,yī sā yì yà,Isaiah -依撒格,yī sā gé,Issac (name) -依据,yī jù,according to; basis; foundation -依样画葫芦,yī yàng huà hú lu,lit. to draw a gourd from the model (idiom); fig. to copy sth mechanically without attempt at originality -依次,yī cì,in order; in succession -依法,yī fǎ,legal (proceedings); according to law -依法治国,yī fǎ zhì guó,to rule according to the law -依洛瓦底,yī luò wǎ dǐ,"Irrawaddy or Ayeyarwady River, the main river of Myanmar" -依然,yī rán,still; as before -依然如故,yī rán rú gù,(idiom) back to where we were; absolutely no improvement; things haven't changed at all -依然故我,yī rán gù wǒ,to be one's old self (idiom); to be unchanged; (derog.) to be stuck in one's ways -依照,yī zhào,according to; in light of -依稀,yī xī,vaguely; dimly; probably; very likely -依旧,yī jiù,as before; still -依着,yī zhe,in accordance with -依葫芦画瓢,yī hú lu huà piáo,lit. to draw a dipper with a gourd as one's model (idiom); fig. to follow the existing pattern without modification -依兰,yī lán,"Yilan county in Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1], Heilongjiang" -依兰县,yī lán xiàn,"Yilan county in Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1], Heilongjiang" -依亲,yī qīn,(Tw) to be in the care of one's relatives; to be dependent on a relative; to draw on family connections -依计行事,yī jì xíng shì,to act according to plan -依托,yī tuō,to rely on; to depend on; support -依赖,yī lài,to depend on; to be dependent on -依赖注入,yī lài zhù rù,(software engineering) dependency injection -依附,yī fù,to adhere; to attach oneself to; to append -依云,yī yún,"Evian, mineral water company; Évian-les-Bains, resort and spa town in south-eastern France" -依靠,yī kào,to rely on sth (for support etc); to depend on -依顺,yī shùn,to comply -侮,wǔ,to insult; to ridicule; to disgrace -侮弄,wǔ nòng,to mock; to bully and insult -侮慢,wǔ màn,to humiliate; to bully -侮骂,wǔ mà,to scold; to abuse -侮蔑,wǔ miè,contempt; to despise -侮辱,wǔ rǔ,to insult; to humiliate; dishonor -侯,hóu,surname Hou -侯,hóu,"marquis, second of the five orders of ancient Chinese nobility 五等爵位[wu3deng3 jue2wei4]; nobleman; high official" -侯景之乱,hóu jǐng zhī luàn,rebellion against Liang of the Southern Dynasties 南朝梁 in 548 -侯爵,hóu jué,marquis -侯赛因,hóu sài yīn,"Husain or Hussein (name); Hussein (c. 626-680), Muslim leader whose martyrdom is commemorated at Ashura; Saddam Hussein al Tikriti (1937-2006), dictator of Iraq 1979-2003" -侯门,hóu mén,noble house -侯门似海,hóu mén sì hǎi,lit. the gate of a noble house is like the sea (idiom); fig. there is a wide gap between the nobility and the common people -侯马,hóu mǎ,"Houma, county-level city in Linfen 臨汾|临汾[Lin2 fen2], Shanxi" -侯马市,hóu mǎ shì,"Houma, county-level city in Linfen 臨汾|临汾[Lin2 fen2], Shanxi" -侵,qīn,to invade; to encroach; to infringe; to approach -侵占,qīn zhàn,to invade and occupy (territory) -侵入,qīn rù,to make (military) incursions; to invade; to intrude into; to trespass; to gain unauthorized access (computing) -侵入岩,qīn rù yán,intrusive rock -侵入性,qīn rù xìng,invasive (e.g. disease or procedure) -侵入者,qīn rù zhě,intruder; invader -侵吞,qīn tūn,to annex; to swallow (up); to embezzle -侵夜,qīn yè,(literary) nightfall; night -侵害,qīn hài,to encroach on; to infringe on -侵害人,qīn hài rén,perpetrator -侵彻,qīn chè,(of a projectile) to penetrate (armor etc) -侵截,qīn jié,to hack (computer) -侵截者,qīn jié zhě,cracker (computing) -侵扰,qīn rǎo,to invade and harass -侵晨,qīn chén,towards dawn -侵权,qīn quán,to infringe the rights of; to violate; infringement -侵权行为,qīn quán xíng wéi,tort; infringement (of sb's rights) -侵犯,qīn fàn,to infringe on; to encroach on; to violate; to assault -侵略,qīn lüè,to invade; invasion -侵略战争,qīn lüè zhàn zhēng,war of aggression -侵略者,qīn lüè zhě,aggressors; invaders -侵略军,qīn lüè jūn,invading army -侵华,qīn huá,to invade China (referring to 19th century imperialist powers and Japan) -侵蚀,qīn shí,to erode; to corrode -侵蚀作用,qīn shí zuò yòng,erosion -侵袭,qīn xí,to invade; to assail; onslaught -侵限,qīn xiàn,intrusion; perimeter breach; (esp.) (of a person or a foreign object) to breach the perimeter surrounding railway tracks -侣,lǚ,companion -局,jú,narrow -局促,jú cù,cramped; ill at ease -局限,jú xiàn,variant of 局限[ju2 xian4] -便,biàn,plain; informal; suitable; convenient; opportune; to urinate or defecate; equivalent to 就[jiu4]: then; in that case; even if; soon afterwards -便,pián,used in 便宜|便宜[pian2yi5]; used in 便便[pian2pian2]; used in 便嬛[pian2xuan1] -便中,biàn zhōng,at one's convenience; when it's convenient -便人,biàn rén,sb who happens to be on hand for an errand -便便,biàn biàn,to poo poo (kiddie or feminine term); also pr. [bian3bian3] -便便,pián pián,obese; bulging -便函,biàn hán,an informal letter sent by an organization -便利,biàn lì,convenient; easy; to facilitate -便利商店,biàn lì shāng diàn,convenience store (Tw) -便利店,biàn lì diàn,convenience store -便利性,biàn lì xìng,convenience -便利贴,biàn lì tiē,sticky note -便器,biàn qì,toilet; urinal -便士,biàn shì,(loanword) pence; penny -便壶,biàn hú,bed urinal; chamber pot -便嬛,pián xuān,(old) graceful -便宜,biàn yí,convenient -便宜,pián yi,cheap; inexpensive; a petty advantage; to let sb off lightly -便宜行事,biàn yí xíng shì,act at one's discretion; act as one sees fit -便宜货,pián yi huò,a bargain; cheap goods -便宴,biàn yàn,informal dinner -便帽,biàn mào,cap -便急,biàn jí,to need the toilet; urinary or defecatory urgency -便意,biàn yì,an urge to defecate -便所,biàn suǒ,(dialect) toilet; privy -便捷,biàn jié,convenient and fast -便捷化,biàn jié huà,to facilitate; to streamline; to make convenient and fast -便携,biàn xié,portable; easy to carry -便携式,biàn xié shì,portable -便于,biàn yú,easy to; convenient for -便是,biàn shì,(emphasizes that sth is precisely or exactly as stated); precisely; exactly; even; if; just like; in the same way as -便服,biàn fú,everyday clothes; informal dress; civilian clothes -便桶,biàn tǒng,chamber pot -便条,biàn tiáo,"(informal) note; CL:張|张[zhang1],個|个[ge4]" -便条纸,biàn tiáo zhǐ,scrap paper -便桥,biàn qiáo,temporary bridge -便步走,biàn bù zǒu,march at ease; route step -便民,biàn mín,"user-friendly; convenient (for customers, citizens etc)" -便民利民,biàn mín lì mín,for the convenience and benefit of the people (idiom) -便池,biàn chí,urinal -便溺,biàn niào,to urinate or defecate; urine and feces -便当,biàn dāng,convenient; handy; easy; bento (a meal in a partitioned box); lunchbox -便盆,biàn pén,bed pan -便秘,biàn mì,constipation; Taiwan pr. [bian4bi4] -便笺,biàn jiān,a note; a memo; notepaper; memo pad -便签,biàn qiān,"note; memo; CL:張|张[zhang1],個|个[ge4]" -便血,biàn xiě,having blood in one's stool -便衣,biàn yī,civilian clothes; plain clothes; plainclothesman -便衣警察,biàn yī jǐng chá,plain-clothed policeman -便装,biàn zhuāng,casual dress -便览,biàn lǎn,brief guide -便车,biàn chē,to hitchhike -便车旅行者,biàn chē lǚ xíng zhě,hitch-hiker -便道,biàn dào,pavement; sidewalk; shortcut; makeshift road -便酌,biàn zhuó,informal dinner -便门,biàn mén,side door; wicket door -便闭,biàn bì,see 便秘[bian4 mi4] -便难,biàn nàn,retort with challenging questions; debate -便鞋,biàn xié,cloth shoes; slippers -便饭,biàn fàn,an ordinary meal; simple home cooking -俣,yǔ,big -系,xì,to connect; to relate to; to tie up; to bind; to be (literary) -系数,xì shù,coefficient; factor; modulus; ratio -促,cù,(bound form) of short duration; hasty; rapid; (bound form) to hasten; to hurry; to urge; (literary) close by; pressed against -促使,cù shǐ,to prompt; to induce; to spur -促动,cù dòng,to motivate -促弦,cù xián,to tighten the strings (of a musical instrument) -促成,cù chéng,to facilitate; to help bring about -促求,cù qiú,to urge -促狭,cù xiá,(coll.) teasing; mischievous; (coll.) cunning; sly -促狭鬼,cù xiá guǐ,mischievous fellow; rascal -促织,cù zhī,cricket (insect) -促声,cù shēng,entering tone (synonym of 入聲|入声[ru4sheng1]) -促膝,cù xī,to sit knee to knee -促膝谈心,cù xī tán xīn,(idiom) to sit side-by-side and have a heart-to-heart talk -促请,cù qǐng,to urge -促退,cù tuì,to hinder progress -促进,cù jìn,to promote (an idea or cause); to advance; boost -促销,cù xiāo,to promote sales -俄,é,Russia; Russian; abbr. for 俄羅斯|俄罗斯[E2 luo2 si1]; Taiwan pr. [E4] -俄,é,suddenly; very soon -俄中,é zhōng,Russia-China -俄中朝,é zhōng cháo,"Russia, China and North Korea" -俄亥俄,é hài é,Ohio -俄亥俄州,é hài é zhōu,Ohio -俄备得,é bèi dé,Obed (son of Boaz and Ruth) -俄克拉何马,é kè lā hé mǎ,"Oklahoma, US state" -俄克拉何马城,é kè lā hé mǎ chéng,Oklahoma City -俄克拉何马州,é kè lā hé mǎ zhōu,"Oklahoma, US state" -俄勒冈,é lè gāng,Oregon -俄勒冈州,é lè gāng zhōu,Oregon -俄国,é guó,Russia -俄国人,é guó rén,Russian (person) -俄塔社,é tǎ shè,"Information Telegraph Agency of Russia (ITAR-TASS), Russian news agency" -俄巴底亚书,é bā dǐ yà shū,Book of Obadiah -俄底浦斯,é dǐ pǔ sī,"Oedipus, legendary king of Thebes who killed his father and married his mother" -俄底浦斯情结,é dǐ pǔ sī qíng jié,Oedipus complex -俄文,é wén,Russian language -俄期,é qī,"abbr. for 俄狄浦斯期[e2 di2 pu3 si1 qi1], oedipal phase" -俄乌,é wū,Russo-Ukrainian -俄尔,é ěr,see 俄而[e2 er2] -俄狄浦斯,é dí pǔ sī,"Oedipus, hero of tragedy by Athenian dramatist Sophocles" -俄狄浦斯期,é dí pǔ sī qī,oedipal phase (psychology) -俄罗斯,é luó sī,Russia -俄罗斯人,é luó sī rén,Russian (person) -俄罗斯帝国,é luó sī dì guó,Russian empire (1546-1917) -俄罗斯方块,é luó sī fāng kuài,Tetris (video game) -俄罗斯族,é luó sī zú,Russian ethnic group (of northeast China and Xinjiang etc); Russian nationality; Russians (of Russia) -俄罗斯联邦,é luó sī lián bāng,"Russian Federation, RSFSR" -俄罗斯轮盘,é luó sī lún pán,Russian roulette -俄而,é ér,(literary) very soon; before long -俄联邦,é lián bāng,"Russian Federation, RSFSR" -俄语,é yǔ,Russian (language) -俄军,é jūn,Russian army -俄顷,é qǐng,in a moment; presently -俅,qiú,ornamental cap -俉,wú,used in 逢俉[feng2wu2] -俊,jùn,smart; eminent; handsome; talented -俊,zùn,(dialectal pronunciation of 俊[jun4]); cool; neat -俊俏,jùn qiào,attractive and intelligent; charming; elegant -俊杰,jùn jié,elite; outstanding talent; genius -俊拔,jùn bá,outstandingly talented -俊秀,jùn xiù,well-favored; elegant; pretty -俊美,jùn měi,pretty; handsome -俊雅,jùn yǎ,(literary) elegant; graceful; refined -俎,zǔ,a stand for food at sacrifice -俏,qiào,good-looking; charming; (of goods) in great demand; (coll.) to season (food) -俏皮,qiào pi,smart; charming; attractive; witty; facetious; ironic -俏皮话,qiào pi huà,witticism; wisecrack; sarcastic remark; double entendre -俏美,qiào měi,charming; pretty -俏货,qiào huò,goods that sell well -俏丽,qiào lì,handsome; pretty -俐,lì,clever -俐落,lì luo,variant of 利落[li4 luo5] -俑,yǒng,wooden figures buried with the dead -俑坑,yǒng kēng,pit with funerary figures; pit containing terracotta warriors -俗,sú,custom; convention; popular; common; coarse; vulgar; secular -俗不可耐,sú bù kě nài,intolerably vulgar -俗世,sú shì,the mundane world; the world of mortals -俗世奇人,sú shì qí rén,"Extraordinary people in our ordinary world, short stories by novelist Feng Jicai 馮驥才|冯骥才[Feng2 Ji4 cai2]" -俗事,sú shì,everyday routine; ordinary affairs -俗人,sú rén,common people; laity (i.e. not priests) -俗名,sú míng,vernacular name; lay name (of a priest) -俗套,sú tào,conventional patterns; cliché -俗字,sú zì,nonstandard form of a Chinese character -俗家,sú jiā,layman; layperson; original home of a monk -俗气,sú qì,tacky; inelegant; in poor taste; vulgar; banal -俗滥,sú làn,clichéd; tacky -俗称,sú chēng,commonly referred to as; common term -俗话,sú huà,common saying; proverb -俗话说,sú huà shuō,as the proverb says; as they say... -俗语,sú yǔ,common saying; proverb; colloquial speech -俗谚,sú yàn,common saying; proverb -俗谚口碑,sú yàn kǒu bēi,common sayings (idiom); widely circulated proverbs -俗辣,sú là,"(slang) (Tw) coward; paper tiger; a nobody (from Taiwanese 卒仔, Tai-lo pr. [tsut-á])" -俗随时变,sú suí shí biàn,"customs change with time (idiom); other times, other manners; O Tempora, O Mores!" -俗体字,sú tǐ zì,nonstandard form of a Chinese character -俘,fú,to take prisoner; prisoner of war -俘获,fú huò,to capture (enemy property or personnel); capture (physics: absorption of subatomic particle by an atom or nucleus) -俘虏,fú lǔ,captive -俚,lǐ,old name for the 黎[Li2] ethnic group -俚,lǐ,"rustic; vulgar; unrefined; abbr. for 俚語|俚语[li3 yu3], slang" -俚语,lǐ yǔ,slang -俚谚,lǐ yàn,common saying; folk proverb -俛,miǎn,to exhort -俯,fǔ,variant of 俯[fu3] -俜,pīng,used in 伶俜[ling2ping1] -保,bǎo,Bulgaria (abbr. for 保加利亞|保加利亚[Bao3jia1li4ya4]) -保,bǎo,to defend; to protect; to keep; to guarantee; to ensure; (old) civil administration unit in the baojia 保甲[bao3jia3] system -保不住,bǎo bu zhù,cannot maintain (sth); unable to keep; more likely than not; may well -保不定,bǎo bù dìng,more likely than not; quite possible; on the cards -保不齐,bǎo bu qí,more likely than not; quite possible; on the cards -保亭,bǎo tíng,"Baoting Li and Miao autonomous county, Hainan" -保亭县,bǎo tíng xiàn,"Baoting Li and Miao autonomous county, Hainan" -保亭黎族苗族自治县,bǎo tíng lí zú miáo zú zì zhì xiàn,"Baoting Li and Miao autonomous county, Hainan" -保人,bǎo rén,guarantor; person paying bail -保住,bǎo zhù,to preserve; to save -保佑,bǎo yòu,to bless and protect; blessing -保修,bǎo xiū,to promise to keep sth in good repair; guarantee; warranty -保修期,bǎo xiū qī,guarantee period; warranty period -保健,bǎo jiàn,health protection; health care; to maintain in good health -保健操,bǎo jiàn cāo,health exercises -保全,bǎo quán,to save from damage; to preserve; to maintain; to keep in good repair; (Tw) security guard -保全员,bǎo quán yuán,(Tw) security guard -保八,bǎo bā,to maintain an 8% annual growth rate of the GDP (PRC policy) -保准,bǎo zhǔn,to guarantee; reliable; for sure -保利科技有限公司,bǎo lì kē jì yǒu xiàn gōng sī,Poly Technologies (defense manufacturing company) -保力龙,bǎo lì lóng,polystyrene -保加利亚,bǎo jiā lì yà,Bulgaria -保呈,bǎo chéng,document guaranteeing the words or actions of a third party (old) -保命,bǎo mìng,to preserve one's life; to ensure one's survival -保单,bǎo dān,guarantee slip -保固,bǎo gù,"to undertake to rectify any deficiencies in the quality of a building, product or service; warranty; guarantee" -保墒,bǎo shāng,preservation of soil moisture -保外就医,bǎo wài jiù yī,to release for medical treatment (of a prisoner) -保姆,bǎo mǔ,nanny; housekeeper -保媒,bǎo méi,to act as go-between (between prospective marriage partners etc) -保存,bǎo cún,to conserve; to preserve; to keep; to save (a file etc) (computing) -保守,bǎo shǒu,conservative; to guard; to keep -保守主义,bǎo shǒu zhǔ yì,conservatism -保守派,bǎo shǒu pài,conservative faction -保守党,bǎo shǒu dǎng,conservative political parties -保安,bǎo ān,to ensure public security; to ensure safety (for workers engaged in production); public security; security guard -保安人员,bǎo ān rén yuán,security personnel; member of police force -保安团,bǎo ān tuán,peace keeping group -保安局局长,bǎo ān jú jú zhǎng,Secretary for Security (Hong Kong) -保安族,bǎo ān zú,"Bao'an, also called Bonan (ethnic group)" -保安自动化,bǎo ān zì dòng huà,security automation -保安部队,bǎo ān bù duì,security forces -保定,bǎo dìng,Baoding prefecture-level city in Hebei -保定市,bǎo dìng shì,Baoding prefecture-level city in Hebei -保家卫国,bǎo jiā wèi guó,"guard home, defend the country (idiom); national defense" -保密,bǎo mì,to keep sth confidential; to maintain secrecy -保密协议,bǎo mì xié yì,non-disclosure agreement; confidentiality agreement -保密性,bǎo mì xìng,secrecy -保山,bǎo shān,Baoshan prefecture-level city in Yunnan -保山市,bǎo shān shì,Baoshan prefecture-level city in Yunnan -保底,bǎo dǐ,to break even; to guarantee a minimum (salary etc) -保康,bǎo kāng,"Baokang county in Xiangfan 襄樊[Xiang1 fan2], Hubei" -保康县,bǎo kāng xiàn,"Baokang county in Xiangfan 襄樊[Xiang1 fan2], Hubei" -保德,bǎo dé,"Baode county in Xinzhou 忻州[Xin1 zhou1], Shanxi" -保德县,bǎo dé xiàn,"Baode county in Xinzhou 忻州[Xin1 zhou1], Shanxi" -保惠师,bǎo huì shī,(Christianity) Paraclete -保户,bǎo hù,insurance policy holder -保持,bǎo chí,to keep; to maintain; to hold; to preserve -保持克制,bǎo chí kè zhì,to exercise restraint -保持原貌,bǎo chí yuán mào,to preserve the original form -保时捷,bǎo shí jié,Porsche (car company) -保暖,bǎo nuǎn,to keep warm -保暖内衣,bǎo nuǎn nèi yī,thermal underwear -保有,bǎo yǒu,to keep; to retain -保本,bǎo běn,to break even -保残守缺,bǎo cán shǒu quē,conservative; to preserve the outmoded -保母,bǎo mǔ,variant of 保姆[bao3 mu3] -保准,bǎo zhǔn,variant of 保准[bao3 zhun3] -保温,bǎo wēn,to keep hot; heat preservation -保温杯,bǎo wēn bēi,thermal insulation cup (or bottle) -保温瓶,bǎo wēn píng,thermos -保洁,bǎo jié,sanitation -保洁箱,bǎo jié xiāng,litter-bin -保湿,bǎo shī,to moisturize; moisturizing -保尔,bǎo ěr,Paul (name) -保尔森,bǎo ěr sēn,"Paulson or Powellson (name); Henry (Hank) Paulson (1946-), US banker, US Treasury Secretary 2006-2009" -保特瓶,bǎo tè píng,variant of 寶特瓶|宝特瓶[bao3 te4 ping2] -保环主义,bǎo huán zhǔ yì,environmentalism -保甲,bǎo jiǎ,"historical communal administrative and self-defence system created during the Song Dynasty and revived during the Republican Era, in which households are grouped in jia 甲[jia3] and jia are grouped in bao 保[bao3]" -保留,bǎo liú,to keep; to retain; to have reservations (about sth); to hold back (from saying sth); to put aside for later -保留剧目,bǎo liú jù mù,repertory; repertoire; repertory item -保留区,bǎo liú qū,reservation (for an ethnic minority) -保皇党,bǎo huáng dǎng,royalists -保监会,bǎo jiān huì,"China Insurance Regulatory Commission (CIRC), abbr. for 中國保險監督管理委員會|中国保险监督管理委员会[Zhong1 guo2 Bao3 xian3 Jian1 du1 Guan3 li3 Wei3 yuan2 hui4]" -保真度,bǎo zhēn dù,fidelity -保研,bǎo yán,to recommend sb for postgraduate studies; to admit for postgraduate studies without taking the entrance exam -保税,bǎo shuì,"bonded (goods, factory etc)" -保税区,bǎo shuì qū,duty-free district; tariff-free zone; bonded area -保管,bǎo guǎn,to hold in safekeeping; to have in one's care; to guarantee; certainly; surely; custodian; curator -保管员,bǎo guǎn yuán,custodian; storeroom clerk -保罗,bǎo luó,Paul -保育,bǎo yù,childcare; conservation (of the environment etc) -保育箱,bǎo yù xiāng,incubator (for newborns) -保育院,bǎo yù yuàn,orphanage; nursery -保苗,bǎo miáo,"to protect young plants, ensuring that enough survive to produce a good crop" -保藏,bǎo cáng,to keep in store; to preserve -保卫,bǎo wèi,to defend; to safeguard -保卫祖国,bǎo wèi zǔ guó,to defend one's country -保角,bǎo jiǎo,(math.) angle-preserving; conformal -保角对应,bǎo jiǎo duì yìng,(math.) distance-preserving correspondence; conformal map -保语,bǎo yǔ,Bulgarian language -保证,bǎo zhèng,guarantee; to guarantee; to ensure; to safeguard; to pledge; CL:個|个[ge4] -保证人,bǎo zhèng rén,guarantor; bailor -保证破坏战略,bǎo zhèng pò huài zhàn lüè,assured destruction strategy -保证金,bǎo zhèng jīn,earnest money; cash deposit; bail; margin (in derivative trading) -保护,bǎo hù,to protect; to defend; to safeguard; protection; CL:種|种[zhong3] -保护主义,bǎo hù zhǔ yì,protectionism -保护人,bǎo hù rén,guardian; carer; patron -保护伞,bǎo hù sǎn,protective umbrella; fig. person affording protection (esp. corrupt) -保护剂,bǎo hù jì,protective agent -保护区,bǎo hù qū,"conservation district; CL:個|个[ge4],片[pian4]" -保护国,bǎo hù guó,protectorate -保护性,bǎo hù xìng,protective -保护模式,bǎo hù mó shì,protected mode -保护神,bǎo hù shén,patron saint; guardian angel -保护者,bǎo hù zhě,protector -保护色,bǎo hù sè,protective coloration; camouflage -保费,bǎo fèi,insurance premium -保质期,bǎo zhì qī,shelf life; expiration date -保送,bǎo sòng,to recommend (for admission to school) -保释,bǎo shì,to release on bail; to bail -保重,bǎo zhòng,to take care of oneself -保镖,bǎo biāo,bodyguard -保镳,bǎo biāo,variant of 保鏢|保镖[bao3 biao1] -保长,bǎo cháng,(math.) distance-preserving; isometric -保长,bǎo zhǎng,head of a bao 保[bao3] in the baojia 保甲[bao3 jia3] system -保长对应,bǎo cháng duì yìng,(math.) distance-preserving correspondence; isometry -保障,bǎo zhàng,to ensure; to guarantee; to safeguard -保障监督,bǎo zhàng jiān dū,safeguards -保险,bǎo xiǎn,insurance; to insure; safe; secure; be sure; be bound to; CL:份[fen4] -保险单,bǎo xiǎn dān,insurance policy (document) -保险套,bǎo xiǎn tào,condom; CL:隻|只[zhi1] -保险杠,bǎo xiǎn gàng,car bumper -保险柜,bǎo xiǎn guì,a safe; strongbox -保险灯,bǎo xiǎn dēng,kerosene lamp -保险盒,bǎo xiǎn hé,fuse box -保险箱,bǎo xiǎn xiāng,safe deposit box; a safe -保险丝,bǎo xiǎn sī,fuse wire; (electrical) fuse -保险费,bǎo xiǎn fèi,insurance fee -保靖,bǎo jìng,Baojing County in Xiangxi Tujia and Miao Autonomous Prefecture 湘西土家族苗族自治州[Xiang1 xi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1] -保靖县,bǎo jìng xiàn,Baojing County in Xiangxi Tujia and Miao Autonomous Prefecture 湘西土家族苗族自治州[Xiang1 xi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1] -保养,bǎo yǎng,to take good care of (or conserve) one's health; to keep in good repair; to maintain; maintenance -保养品,bǎo yǎng pǐn,(Tw) beauty product; skincare product -保驾,bǎo jià,(in former times) to escort the emperor (or other important personage); (nowadays) to escort sb (usually jocular) -保驾护航,bǎo jià hù háng,(idiom) to safeguard (sth); to protect (sth) -保鲜,bǎo xiān,to keep fresh -保鲜期,bǎo xiān qī,shelf life; freshness date -保鲜纸,bǎo xiān zhǐ,plastic wrap; cling wrap; cling film -保鲜膜,bǎo xiān mó,plastic wrap; preservative film; cling film -保丽龙,bǎo lì lóng,styrofoam -保龄球,bǎo líng qiú,ten-pin bowling (loanword); bowling ball -俞,yú,surname Yu -俞,shù,variant of 腧[shu4] -俞,yú,yes (used by Emperor or ruler); OK; to accede; to assent -俞天白,yú tiān bái,"Yu Tianbai (1937-), novelist" -俞文豹,yú wén bào,"Yu Wenbao (lived around 1240), prolific Song dynasty poet" -俞正声,yú zhèng shēng,"Yu Zhengsheng (1945-), PRC politician" -俞穴,shù xué,acupuncture point -俟,qí,used in 万俟[Mo4 qi2] -俟,sì,(literary) to wait for -俟候,sì hòu,to wait (literary) -俟机,sì jī,variant of 伺機|伺机[si4 ji1] -侠,xiá,knight-errant; brave and chivalrous; hero; heroic -侠士,xiá shì,knight-errant -侠客,xiá kè,chivalrous person; knight-errant -侠气,xiá qì,chivalry -侠盗猎车手,xiá dào liè chē shǒu,Grand Theft Auto (video game series) -侠盗飞车,xiá dào fēi chē,Grand Theft Auto (video game series) -侠义,xiá yì,chivalrous; chivalry; knight-errantry -信,xìn,letter; mail; CL:封[feng1]; to trust; to believe; to profess faith in; truthful; confidence; trust; at will; at random -信不过,xìn bù guò,to distrust; to be suspicious -信令,xìn lìng,signaling (engineering) -信以为真,xìn yǐ wéi zhēn,to take sth to be true -信仰,xìn yǎng,to believe in (a religion); firm belief; conviction -信仰者,xìn yǎng zhě,believer -信件,xìn jiàn,letter (sent by mail) -信任,xìn rèn,to trust; to have confidence in -信佛,xìn fó,to believe in Buddhism -信使,xìn shǐ,messenger; courier -信使核糖核酸,xìn shǐ hé táng hé suān,"messenger RNA, mRNA" -信函,xìn hán,letter; piece of correspondence (incl. email) -信口,xìn kǒu,to blurt sth out; to open one's mouth without thinking -信口胡说,xìn kǒu hú shuō,to speak without thinking; to blurt sth out -信口开合,xìn kǒu kāi hé,variant of 信口開河|信口开河[xin4 kou3 kai1 he2] -信口开河,xìn kǒu kāi hé,to speak without thinking (idiom); to blurt sth out -信口雌黄,xìn kǒu cí huáng,to speak off the cuff; to casually opine -信噪比,xìn zào bǐ,signal-to-noise ratio -信报,xìn bào,"abbr. for 信報財經新聞|信报财经新闻, Hong Kong Economic Journal" -信报财经新闻,xìn bào cái jīng xīn wén,Hong Kong Economic Journal -信天游,xìn tiān yóu,a style of folk music of Shaanxi -信天翁,xìn tiān wēng,albatross (family Diomedeidae) -信奉,xìn fèng,belief; to believe (in sth) -信孚中外,xìn fú zhōng wài,to be trusted both at home and abroad (idiom) -信守,xìn shǒu,to abide by; to keep (promises etc) -信宜,xìn yí,"Xinyi, county-level city in Maoming 茂名, Guangdong" -信宜市,xìn yí shì,"Xinyi, county-level city in Maoming 茂名, Guangdong" -信宿,xìn sù,(ancient) to lodge for two nights -信实,xìn shí,trustworthy; reliable; to believe something to be true -信封,xìn fēng,envelope; CL:個|个[ge4] -信州,xìn zhōu,"Xinzhou district of Shangrao, prefecture-level city 上饒市|上饶市, Jiangxi" -信州区,xìn zhōu qū,"Xinzhou district of Shangrao, prefecture-level city 上饒市|上饶市, Jiangxi" -信差,xìn chāi,messenger -信徒,xìn tú,believer -信得过,xìn de guò,trustworthy; reliable -信从,xìn cóng,to trust and obey -信德省,xìn dé shěng,Sindh province of Pakistan -信心,xìn xīn,confidence; faith (in sb or sth); CL:個|个[ge4] -信心百倍,xìn xīn bǎi bèi,brimming with confidence (idiom) -信念,xìn niàn,faith; belief; conviction -信息,xìn xī,information; news; message -信息化,xìn xī huà,informatization (the Information Age analog of industrialization) -信息图,xìn xī tú,infographic -信息图形,xìn xī tú xíng,infographic -信息学,xìn xī xué,information science -信息技术,xìn xī jì shù,information technology; IT -信息时代,xìn xī shí dài,information age -信息管理,xìn xī guǎn lǐ,information management -信息系统,xìn xī xì tǒng,information system -信息素,xìn xī sù,pheromone -信息茧房,xìn xī jiǎn fáng,(Internet) echo chamber; filter bubble -信息与通讯技术,xìn xī yǔ tōng xùn jì shù,"information and communication technology, ICT" -信息论,xìn xī lùn,information theory -信息灵通,xìn xi líng tōng,see 消息靈通|消息灵通[xiao1 xi5 ling2 tong1] -信意,xìn yì,at will; arbitrarily; just as one feels like -信手,xìn shǒu,casually; in passing -信教,xìn jiào,religious belief; to practice a faith; to be religious -信服,xìn fú,to have faith in; to believe in; to have confidence in; to respect -信札,xìn zhá,letter -信条,xìn tiáo,creed; article of faith -信标,xìn biāo,a signal -信步,xìn bù,to stroll; to saunter -信然,xìn rán,indeed; really -信物,xìn wù,keepsake; token -信用,xìn yòng,trustworthiness; (commerce) credit; (literary) to trust and appoint -信用卡,xìn yòng kǎ,credit card -信用危机,xìn yòng wēi jī,credit crisis -信用社,xìn yòng shè,credit union -信用等级,xìn yòng děng jí,credit level -信用观察,xìn yòng guān chá,credit watch -信用评等,xìn yòng píng děng,credit rating -信用评级,xìn yòng píng jí,credit rating -信用证,xìn yòng zhèng,letter of credit -信用证券,xìn yòng zhèng quàn,instrument of credit; letter of credit; see also 信用證|信用证[xin4 yong4 zheng4]; CL:張|张[zhang1] -信用额,xìn yòng é,credit limit -信用风险,xìn yòng fēng xiǎn,credit risk -信众,xìn zhòng,believers; worshippers -信神者,xìn shén zhě,a believer -信笔,xìn bǐ,to write freely; to express oneself as one pleases -信筒,xìn tǒng,mailbox; postbox -信笺,xìn jiān,letter; letter paper -信管,xìn guǎn,a fuse (for explosive charge); detonator -信箱,xìn xiāng,mailbox; post office box -信纸,xìn zhǐ,letter paper; writing paper -信经,xìn jīng,Credo (section of Catholic mass) -信义,xìn yì,"Xinyi or Hsinyi District of Taipei City 臺北市|台北市[Tai2 bei3 Shi4], Taiwan; Xinyi or Hsinyi District of Keelung City 基隆市[Ji1 long2 Shi4], Taiwan; Xinyi or Hsinyi Township in Nantou County 南投縣|南投县[Nan2 tou2 Xian4], central Taiwan" -信义,xìn yì,good faith; honor; trust and justice -信义区,xìn yì qū,"Xinyi or Hsinyi District of Taipei City 臺北市|台北市[Tai2 bei3 Shi4], Taiwan; Hsinyi District of Keelung City 基隆市[Ji1 long2 shi4], Taiwan" -信义乡,xìn yì xiāng,"Xinyi or Hsinyi Township in Nantou County 南投縣|南投县[Nan2 tou2 Xian4], central Taiwan" -信号,xìn hào,signal -信号灯,xìn hào dēng,signal light; car indicator -信号台,xìn hào tái,signal station -信号处理,xìn hào chǔ lǐ,signal processing -信托,xìn tuō,to entrust; trust bond (finance) -信访,xìn fǎng,to make a complaint or a suggestion to the authorities by letter or by paying a visit -信誓旦旦,xìn shì dàn dàn,to make a solemn vow -信誉,xìn yù,prestige; distinction; reputation; trust -信丰,xìn fēng,"Xinfeng county in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -信丰县,xìn fēng xiàn,"Xinfeng county in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -信贷,xìn dài,credit; borrowed money -信贷危机,xìn dài wēi jī,credit crisis -信贷衍生产品,xìn dài yǎn shēng chǎn pǐn,credit derivative (in finance) -信贷违约掉期,xìn dài wéi yuē diào qī,credit default swap (finance) -信赖,xìn lài,to trust; to have confidence in; to have faith in; to rely on -信赖区间,xìn lài qū jiān,(statistics) confidence interval -信道,xìn dào,(telecommunications) channel; (in Confucian texts) to believe in the principles of wisdom and follow them -信阳,xìn yáng,"Xinyang, prefecture-level city in Henan" -信阳市,xìn yáng shì,"Xinyang, prefecture-level city in Henan" -信靠,xìn kào,trust -信风,xìn fēng,trade wind -信鸽,xìn gē,homing pigeon; carrier pigeon -修,xiū,surname Xiu -修,xiū,to decorate; to embellish; to repair; to build; to write; to cultivate; to study; to take (a class) -修例,xiū lì,to amend an ordinance (abbr. for 修改條例|修改条例[xiu1 gai3 tiao2 li4]) -修剪,xiū jiǎn,to prune; to trim -修图,xiū tú,to retouch images; image retouching -修士,xiū shì,member of religious order; frater -修女,xiū nǚ,nun or sister (of the Roman Catholic or Greek Orthodox churches) -修好,xiū hǎo,to repair (sth broken); to restore (sth damaged); to establish friendly relations with; (literary) to do meritorious deeds -修建,xiū jiàn,to build; to construct -修复,xiū fù,to restore; to renovate; (computing) to repair (a corrupted file etc) -修心养性,xiū xīn yǎng xìng,to cultivate the heart and nurture the character (idiom); to improve oneself by meditation -修宪,xiū xiàn,to amend the constitution -修成正果,xiū chéng zhèng guǒ,to achieve Buddhahood through one's efforts and insight; to obtain a positive outcome after sustained efforts; to come to fruition -修手,xiū shǒu,manicure -修指甲,xiū zhǐ jia,manicure -修撰,xiū zhuàn,to compile; to compose -修改,xiū gǎi,to amend; to alter; to modify -修改稿,xiū gǎi gǎo,revised draft; new version (of a document) -修整,xiū zhěng,to spruce up; to renovate; to tend (a garden); to groom (one's hair); to finish (a rough surface); to trim (a lawn); to touch up (a photo) -修文,xiū wén,"Xiuwen County in Guiyang 貴陽|贵阳[Gui4 yang2], Guizhou" -修文县,xiū wén xiàn,"Xiuwen County in Guiyang 貴陽|贵阳[Gui4 yang2], Guizhou" -修昔底德,xiū xī dǐ dé,"Thucydides (c. 455 - c. 400 BC), Greek historian, author of the History of the Peloponnesian War" -修昔底德陷阱,xiū xī dǐ dé xiàn jǐng,Thucydides trap (theory that war results when a dominant established power fears the rise of a rival power) -修会,xiū huì,religious order -修业,xiū yè,to study at school -修正,xiū zhèng,to revise; to amend -修正主义,xiū zhèng zhǔ yì,revisionism -修正案,xiū zhèng àn,amendment; revised draft -修正液,xiū zhèng yè,correction fluid -修武,xiū wǔ,"Xiuwu county in Jiaozuo 焦作[Jiao1 zuo4], Henan" -修武县,xiū wǔ xiàn,"Xiuwu county in Jiaozuo 焦作[Jiao1 zuo4], Henan" -修水,xiū shuǐ,"Xiushui county in Jiujiang 九江, Jiangxi" -修水利,xiū shuǐ lì,water conservancy; irrigation works -修水县,xiū shuǐ xiàn,"Xiushui county in Jiujiang 九江, Jiangxi" -修法,xiū fǎ,to amend a law -修炼,xiū liàn,(of Taoists) to practice austerities; to practice asceticism -修炼成仙,xiū liàn chéng xiān,lit. to practice austerities to become a Daoist immortal; practice makes perfect -修理,xiū lǐ,to repair; to fix; to prune; to trim; (coll.) to sort sb out; to fix sb -修理厂,xiū lǐ chǎng,repair shop -修真,xiū zhēn,to practice Taoism; to cultivate the true self through spiritual exercises -修睦,xiū mù,to cultivate friendship with neighbors -修禊,xiū xì,to hold a semiannual ceremony of purification -修筑,xiū zhù,to build -修编,xiū biān,to revise -修练,xiū liàn,to practice (an activity); to perform -修缮,xiū shàn,to renovate; to repair (a building) -修罗,xiū luó,"Asura, malevolent spirits in Indian mythology" -修习,xiū xí,to study; to practice -修脚,xiū jiǎo,pedicure -修脚师,xiū jiǎo shī,pedicurist -修葺,xiū qì,to repair; to renovate -修行,xiū xíng,to devote oneself to spiritual development (esp. Buddhism or Daoism); to devote oneself to perfecting one's art or craft -修行人,xiū xíng rén,person pursuing religious practice (Buddhism) -修补,xiū bǔ,to mend -修补匠,xiū bǔ jiàng,tinker -修规,xiū guī,construction plan -修订,xiū dìng,to revise -修订本,xiū dìng běn,revised edition (of a book) -修订历史,xiū dìng lì shǐ,"revision history (of a document, web page etc)" -修订版,xiū dìng bǎn,revised edition; revised version -修课,xiū kè,to take a course -修读,xiū dú,to study (in an academic program); to pursue (a degree) -修路,xiū lù,to repair a road -修身,xiū shēn,to cultivate one's moral character; (fashion) slim-fit; body-hugging -修车,xiū chē,to repair a bike (car etc) -修辞,xiū cí,rhetoric -修辞学,xiū cí xué,rhetoric -修辞格,xiū cí gé,figure of speech -修造,xiū zào,to build; to repair -修造厂,xiū zào chǎng,"repair workshop (for machinery, vehicles etc)" -修道,xiū dào,to practice Daoism -修道士,xiū dào shì,friar; frater -修道会,xiū dào huì,order (of monks) -修道院,xiū dào yuàn,monastery; convent -修长,xiū cháng,slender; lanky; tall and thin -修阻,xiū zǔ,(literary) long and arduous (road) -修院,xiū yuàn,seminary (Christian college) -修面,xiū miàn,to have a shave; to enhance the appearance of the face -修鞋匠,xiū xié jiàng,a cobbler -修音,xiū yīn,"voicing (adjustment of timbre, loudness etc of organ or other musical instrument)" -修饰,xiū shì,to decorate; to adorn; to dress up; to polish (a written piece); to qualify or modify (grammar) -修饰话,xiū shì huà,modifier (grammar) -修饰语,xiū shì yǔ,(grammar) modifier; qualifier; adjunct -修养,xiū yǎng,accomplishment; training; self-cultivation -修齐,xiū qí,to make level; to make even; to trim -俯,fǔ,to look down; to stoop -俯仰,fǔ yǎng,lowering and raising of the head; (fig.) small move; pitch (position angle) -俯仰之间,fǔ yǎng zhī jiān,in a flash -俯仰无愧,fǔ yǎng wú kuì,to have a clear conscience -俯伏,fǔ fú,to lie prostrate -俯就,fǔ jiù,to deign; to condescend; to yield to (entreaties); to submit to (sb); (polite) to deign to accept (a post) -俯拾即是,fǔ shí jí shì,see 俯拾皆是[fu3 shi2 jie1 shi4] -俯拾皆是,fǔ shí jiē shì,lit. so numerous that one could just bend down and pick them up (idiom); fig. extremely common; easily available -俯看,fǔ kàn,to look down at -俯瞰,fǔ kàn,to look down at (from a high vantage point) -俯瞰图,fǔ kàn tú,bird's-eye view -俯瞰摄影,fǔ kàn shè yǐng,crane shot; boom shot (photography) -俯卧,fǔ wò,to lie prone -俯卧撑,fǔ wò chēng,push-up; press-up (exercise) -俯冲,fǔ chōng,to dive down fast; to swoop down -俯视,fǔ shì,to overlook; to look down at -俯角,fǔ jiǎo,(math.) angle of depression -俯身,fǔ shēn,to lean over; to bend over; to stoop; to bow -俯首,fǔ shǒu,to bend one's head -俯首帖耳,fǔ shǒu tiē ěr,bowed head and ears glued (idiom); docile and obedient; at sb's beck and call -俯首称臣,fǔ shǒu chēng chén,to bow before (idiom); to capitulate -俱,jù,(literary) all; both; entirely; without exception; (literary) to be together; (literary) to be alike -俱佳,jù jiā,excellent; wonderful -俱全,jù quán,every kind; every variety under the sun; a complete gamut -俱乐部,jù lè bù,club (the organisation or its premises) (loanword); CL:個|个[ge4] -俱舍宗,jù shè zōng,Kusha-shū (Japanese Buddhism school) -效,xiào,variant of 傚|效[xiao4] -俳,pái,not serious; variety show -俳句,pái jù,haiku -俸,fèng,(bound form) salary; stipend -俸恤,fèng xù,payment and pension -俸禄,fèng lù,official's salary (in feudal times) -俸给,fèng jǐ,pay; salary -俸银,fèng yín,official salary -俸钱,fèng qián,salary -俺,ǎn,I (northern dialects) -备,bèi,variant of 備|备[bei4] -俾,bǐ,to cause; to enable; phonetic bi; Taiwan pr. [bi4] -俾使,bǐ shǐ,in order that; so that; so as to; to cause sth -俾倪,bǐ ní,parapet; to look askance -俾利,bǐ lì,to facilitate; thus making easier -俾夜作昼,bǐ yè zuò zhòu,lit. to make night as day (idiom); fig. to burn the midnight oil; work especially hard -俾斯麦,bǐ sī mài,"Bismarck (name); Otto von Bismarck (1815-1898), Prussian politician, Minister-President of Prussia 1862-1873, Chancellor of Germany 1871-1890" -俾昼作夜,bǐ zhòu zuò yè,"to make day as night (idiom, from Book of Songs); fig. to prolong one's pleasure regardless of the hour" -俾格米,bǐ gé mǐ,Pygmy -俾路支,bǐ lù zhī,"Balochi (ethnic group of Iran, Pakistan and Afghanistan)" -俾路支省,bǐ lù zhī shěng,Balochistan (Pakistan) -伥,chāng,(bound form) ghost of sb devoured by a tiger who helps the tiger devour others -伥鬼,chāng guǐ,ghost of sb devoured by a tiger who helps the tiger devour others -俩,liǎ,two (colloquial equivalent of 兩個|两个); both; some -俩,liǎng,used in 伎倆|伎俩[ji4 liang3] -俩钱,liǎ qián,two bits; a small amount of money -俩钱儿,liǎ qián er,erhua variant of 倆錢|俩钱[lia3 qian2] -仓,cāng,barn; granary; storehouse; cabin; hold (in ship) -仓位,cāng wèi,(logistics) storage location; place to store goods; (finance) position -仓促,cāng cù,all of a sudden; hurriedly -仓储,cāng chǔ,to store in a warehouse -仓卒,cāng cù,variant of 倉促|仓促[cang1 cu4] -仓山,cāng shān,"Cangshan, a district of Fuzhou City 福州市[Fu2zhou1 Shi4], Fujian" -仓山区,cāng shān qū,"Cangshan, a district of Fuzhou City 福州市[Fu2zhou1 Shi4], Fujian" -仓庚,cāng gēng,black-naped oriole (Oriolus chinensis) -仓库,cāng kù,depot; storehouse; warehouse -仓廪,cāng lǐn,(literary) granary -仓惶,cāng huáng,variant of 倉皇|仓皇[cang1 huang2] -仓敷,cāng fū,"Kurashiki, city in Okayama Prefecture 岡山縣|冈山县[Gang1 shan1 xian4], Japan" -仓猝,cāng cù,variant of 倉促|仓促[cang1 cu4] -仓皇,cāng huáng,in a panic; flurried -仓皇出逃,cāng huáng chū táo,to run off in a great panic (idiom) -仓皇失措,cāng huáng shī cuò,flustered; ruffled; disconcerted -仓颉,cāng jié,"Cang Jie, legendary scribe of the Yellow Emperor and creator of Chinese writing; Cangjie input method (computing)" -仓鸮,cāng xiāo,(bird species of China) barn owl (Tyto alba) -仓黄,cāng huáng,variant of 倉皇|仓皇[cang1 huang2] -仓鼠,cāng shǔ,hamster -个,gě,used in 自個兒|自个儿[zi4 ge3 r5] -个,gè,(classifier used before a noun that has no specific classifier); (bound form) individual -个中,gè zhōng,therein; in this -个中人,gè zhōng rén,a person in the know -个人,gè rén,individual; personal; oneself -个人主义,gè rén zhǔ yì,individualism -个人伤害,gè rén shāng hài,personal injury -个人储蓄,gè rén chǔ xù,personal savings -个人崇拜,gè rén chóng bài,personality cult -个人数字助理,gè rén shù zì zhù lǐ,personal digital assistant (PDA) -个人赛,gè rén sài,individual competition; individual race -个人防护装备,gè rén fáng hù zhuāng bèi,individual protective equipment -个人隐私,gè rén yǐn sī,personal privacy; private matters -个人电脑,gè rén diàn nǎo,personal computer; PC -个位,gè wèi,the units place (or column) in the decimal system -个例,gè lì,specific example; rare instance -个个,gè gè,each one individually; each and every -个儿,gè er,size; height; stature -个别,gè bié,individually; one by one; just one or two; exceptional; rare -个子,gè zi,height; stature; build; size -个展,gè zhǎn,a one-person exhibition -个性,gè xìng,individuality; personality -个性化,gè xìng huà,to personalize; to customize; customization -个把,gè bǎ,one or two; a couple of -个数,gè shù,number of items or individuals -个案,gè àn,individual case; special case -个税,gè shuì,personal income tax (abbr. for 個人所得稅|个人所得税) -个股,gè gǔ,share (in a listed company) -个旧,gè jiù,"Gejiu, county-level city in Yunnan, capital of Honghe Hani and Yi autonomous county 紅河哈尼族彞族自治州|红河哈尼族彝族自治州[Hong2 he2 Ha1 ni2 zu2 Yi2 zu2 Zi4 zhi4 zhou1]" -个旧市,gè jiù shì,"Gejiu, county-level city in Yunnan, capital of Honghe Hani and Yi autonomous county 紅河哈尼族彞族自治州|红河哈尼族彝族自治州[Hong2 he2 Ha1 ni2 zu2 Yi2 zu2 Zi4 zhi4 zhou1]" -个头,gè tóu,size; height -个头,ge tóu,"(coll.) (suffix) my ass!; yeah, right!" -个头儿,gè tóu er,size; height; stature -个体,gè tǐ,individual -个体户,gè tǐ hù,self-employed; a private firm (PRC usage) -个体经济学,gè tǐ jīng jì xué,microeconomics -倌,guān,keeper of domestic animals; herdsman; (old) hired hand in certain trade -倍,bèi,"(two, three etc) -fold; times (multiplier); double; to increase or multiply" -倍儿,bèi er,(coll.) very; really -倍儿棒,bèi er bàng,(dialect) awesome; excellent -倍塔,bèi tǎ,beta (loanword) -倍增,bèi zēng,to double; to redouble; to increase many times over; to multiply by a factor; multiplication -倍增器,bèi zēng qì,multiplier -倍感,bèi gǎn,"to feel even more (lonely etc); to be extremely (sad, delighted etc)" -倍数,bèi shù,multiple; multiplier; factor -倍率,bèi lǜ,(optics) magnifying power -倍足纲,bèi zú gāng,Diplopoda (zoology) -倍足类,bèi zú lèi,"Diplopoda (arthropod class with a pair of legs on each segment, including centipedes and millipedes)" -倍频器,bèi pín qì,frequency multiplier -倏,shū,sudden; abrupt; Taiwan pr. [shu4] -倏地,shū de,swiftly; suddenly -倏忽,shū hū,(literary) suddenly -倏然,shū rán,(literary) suddenly -倏,shū,variant of 倏[shu1] -们,men,"plural marker for pronouns, and nouns referring to individuals" -倒,dǎo,to fall; to collapse; to lie horizontally; to fail; to go bankrupt; to overthrow; to change (trains or buses); to move around; to resell at a profit -倒,dào,to invert; to place upside down or frontside back; to pour out; to tip out; to dump; inverted; upside down; reversed; to go backward; contrary to what one might expect; but; yet -倒下,dǎo xià,to collapse; to topple over -倒伏,dǎo fú,(of cereal crops) to collapse and lie flat -倒休,dǎo xiū,"to shift holidays, taking a weekday off" -倒位,dào wèi,inversion -倒仓,dǎo cāng,to transfer grain from a store (e.g. to sun it); voice breaking (of male opera singer in puberty) -倒像,dào xiàng,(optics) inverted image -倒刺,dào cì,barb; barbed tip (e.g. of fishhook) -倒反,dào fǎn,instead; on the contrary; contrary (to expectations) -倒吊蜡烛,dào diào là zhú,"Wrightia tinctoria (flowering plant in Apocynaceae family, common names dyer's oleander or pala indigo)" -倒吸一口凉气,dào xī yī kǒu liáng qì,to gasp (with amazement or shock etc); to feel a chill run down one's spine; to have one's hairs stand on end -倒嗓,dǎo sǎng,(of a singer) to lose one's voice; (male opera singer's) voice change (at puberty) -倒噍,dǎo jiào,to ruminate (of cows) -倒嚼,dǎo jiào,(of cows) to ruminate -倒地,dǎo dì,to fall to the ground -倒坍,dǎo tān,to collapse (of building) -倒塌,dǎo tā,to collapse (of building); to topple over -倒写,dào xiě,mirror writing; upside down writing -倒帐,dǎo zhàng,dead loan; bad debts; to refuse to pay loan -倒带,dào dài,rewind (media player) -倒序,dào xù,reverse order; inverted order -倒座儿,dào zuò er,the north-facing room opposite the master's in a siheyuan 四合院[si4 he2 yuan4] -倒弄,dǎo nong,to move (things around); to buy and sell at a profit (derog.) -倒彩,dào cǎi,"adverse audience reaction: boos and jeers, hissing, catcalls or deliberate applause after a mistake" -倒彩声,dào cǎi shēng,jeering; booing; catcalls -倒影,dào yǐng,inverted image; reversed image (e.g. upside down) -倒悬,dào xuán,lit. to hang upside down; fig. in dire straits -倒悬之危,dào xuán zhī wēi,lit. the crisis of being hanged upside down (idiom); fig. extremely critical situation; dire straits -倒悬之急,dào xuán zhī jí,lit. the crisis of being hanged upside down (idiom); fig. extremely critical situation; dire straits -倒悬之苦,dào xuán zhī kǔ,lit. the pain of being hanged upside down (idiom); fig. extremely critical situation; dire straits -倒戈,dǎo gē,to change sides in a war; turncoat -倒戈卸甲,dǎo gē xiè jiǎ,to lay down arms -倒扁,dǎo biǎn,Taiwan political movement aimed at forcing the resignation of President Chen Shui-bian 陳水扁|陈水扁[Chen2 Shui3 bian3] in 2006 over corruption allegations -倒手,dǎo shǒu,to shift from one hand to the other; to change hands (of merchandise) -倒打一耙,dào dǎ yī pá,"lit. to strike with a muckrake (idiom), cf Pigsy 豬八戒|猪八戒 in Journey to the West 西遊記|西游记; fig. to counterattack; to make bogus accusations (against one's victim)" -倒把,dǎo bǎ,to play the market; to speculate (on financial markets); to profiteer -倒抽一口气,dào chōu yī kǒu qì,"to gasp (in surprise, dismay, fright etc)" -倒持太阿,dào chí tài ē,variant of 倒持泰阿[dao4chi2-Tai4e1] -倒持泰阿,dào chí tài ē,lit. to present the handle of a sword to another (idiom); fig. to relinquish power to another; to place oneself at another's mercy -倒挂,dào guà,"lit. to hang upside down; fig. topsy-turvy and inequitable, e.g. manufacturing and trading costs exceed the sale price (of some goods); to borrow more than one can ever repay" -倒插门,dào chā mén,to marry and live with the bride's family (inverting traditional Chinese expectations) -倒换,dǎo huàn,to take turns; to rotate (responsibility) -倒放,dào fàng,to turn upside down; to upend -倒败,dǎo bài,to collapse (of building) -倒叙,dào xù,"to start a narrative at the end (or midway), then proceed chronologically from the beginning; to flash back; flashback (in a novel, movie etc)" -倒数,dào shǔ,to count backwards (from 10 down to 0); to count down; from the bottom (lines on a page); from the back (rows of seats) -倒数,dào shù,inverse number; reciprocal (math.) -倒毙,dǎo bì,to fall dead -倒映,dào yìng,to reflect (producing an inverted image) -倒春寒,dào chūn hán,cold snap during the spring -倒是,dào shi,contrary to what one might expect; actually; contrariwise; why don't you -倒时差,dǎo shí chā,to adjust to a different time zone -倒替,dǎo tì,to take turns (responsibility); to replace -倒木,dǎo mù,fallen tree -倒果为因,dào guǒ wéi yīn,to reverse cause and effect; to put the horse before the cart -倒栽葱,dào zāi cōng,to fall headlong; (fig.) to suffer an ignominious failure -倒楣,dǎo méi,variant of 倒霉[dao3 mei2] -倒槽,dǎo cáo,to die out (of livestock) -倒流,dào liú,to flow backwards; reverse flow -倒海翻江,dǎo hǎi fān jiāng,see 翻江倒海[fan1 jiang1 dao3 hai3] -倒灌,dào guàn,"to flow backwards (of water, because of flood, tide, wind etc); reverse flow; to back up (sewage)" -倒灶,dǎo zào,to fall (from power); in decline; unlucky -倒烟,dào yān,to have smoke billowing from a fireplace or stove (due to a blockage in the chimney) -倒爷,dǎo yé,(coll.) a profiteer; (business) wheeler-dealer -倒片,dào piàn,(cinema) to rewind (a reel); (photography) to rewind (a roll of film) -倒班,dǎo bān,to change shifts; to work in turns -倒相,dào xiàng,phase reversal; phase inversion -倒睫,dào jié,trichiasis (ingrown eyelashes) -倒空,dào kōng,to empty (a bag); to turn inside out; to turn out -倒立,dào lì,a handstand; to turn upside down; to stand on one's head; upside down -倒立像,dào lì xiàng,inverted image; reversed image (e.g. upside down) -倒粪,dào fèn,to turn over manure; fig. to offend others by endlessly repeating unpleasant remarks -倒置,dào zhì,to invert -倒胃口,dǎo wèi kǒu,to spoil one's appetite; fig. to get fed up with sth -倒背如流,dào bèi rú liú,to know by heart (so well that you can recite it backwards) -倒背手,dào bèi shǒu,with one's hands behind one's back -倒背手儿,dào bèi shǒu er,erhua variant of 倒背手[dao4 bei4 shou3] -倒卧,dǎo wò,to lie down; to drop dead -倒台,dǎo tái,to fall from power; to collapse; downfall -倒苦水,dào kǔ shuǐ,to pour out one's grievances -倒茬,dǎo chá,rotation of crops -倒着,dào zhe,backwards; in reverse; upside down -倒蛋,dǎo dàn,mischief; to make trouble -倒血霉,dǎo xuè méi,to have rotten luck (stronger version of 倒霉[dao3 mei2]) -倒行逆施,dào xíng nì shī,to go against the tide (idiom); to do things all wrong; to try to turn back history; a perverse way of doing things -倒装,dào zhuāng,(linguistics) to invert (word order) -倒装句,dào zhuāng jù,(linguistics) inverted sentence -倒计时,dào jì shí,to count down; countdown -倒买倒卖,dǎo mǎi dǎo mài,to buy and sell at a profit; to speculate -倒贴,dào tiē,"to lose money instead of being paid (i.e. sb should pay me, but is actually taking my money)" -倒赔,dào péi,to sustain loss in trade -倒卖,dǎo mài,to resell at a profit; to speculate -倒账,dǎo zhàng,unrecoverable debt; bad debt; to evade debt -倒车,dǎo chē,"to change buses, trains etc" -倒车,dào chē,to reverse (a vehicle); to drive backwards -倒车挡,dào chē dǎng,reverse gear -倒转,dào zhuǎn,"to make an about-turn; to reverse one's direction, policy, sequence etc; to turn things on their head" -倒转,dào zhuàn,"(of time, or a video clip etc) to run in reverse; Taiwan pr. [dao4zhuan3]" -倒退,dào tuì,to fall back; to go in reverse -倒逼,dào bī,"(neologism c. 2006) (of circumstances) to stimulate (change, esp. innovation, reform etc)" -倒运,dǎo yùn,to have bad luck -倒过儿,dào guò er,"the wrong way round (back to front, inside out etc)" -倒采,dào cǎi,variant of 倒彩[dao4 cai3] -倒钩,dào gōu,barb; (football) bicycle kick; overhead kick -倒锁,dào suǒ,locked in (with the door locked from the outside) -倒闭,dǎo bì,to go bankrupt; to close down -倒开,dào kāi,to reverse a vehicle; to drive backwards -倒阳,dǎo yáng,(med.) to be impotent -倒霉,dǎo méi,to have bad luck; to be out of luck -倒霉蛋,dǎo méi dàn,(coll.) poor devil; unfortunate man -倒霉蛋儿,dǎo méi dàn er,erhua variant of 倒霉蛋[dao3 mei2 dan4] -倒头,dǎo tóu,to lie down; to die -倒腾,dǎo teng,to move; to shift; to exchange; to buy and sell; peddling -倔,jué,used in 倔強|倔强[jue2 jiang4] -倔,juè,gruff; surly -倔强,jué jiàng,stubborn; obstinate; unbending -倔头,juè tóu,"a surly, irascible person" -幸,xìng,trusted; intimate; (of the emperor) to visit; variant of 幸[xing4] -幸免,xìng miǎn,to avoid (an unpleasant fate) -幸存,xìng cún,to survive (a disaster) -幸存者,xìng cún zhě,survivor -倘,cháng,used in 倘佯[chang2 yang2] -倘,tǎng,if; supposing; in case -倘佯,cháng yáng,variant of 徜徉[chang2 yang2] -倘如,tǎng rú,if -倘或,tǎng huò,if; supposing that -倘然,tǎng rán,if; supposing that; leisurely -倘能如此,tǎng néng rú cǐ,if this can be done -倘若,tǎng ruò,if; supposing; in case -候,hòu,to wait; to inquire after; to watch; season; climate; (old) period of five days -候乘,hòu chéng,to wait for a train or bus -候任,hòu rèn,-elect; designate; (i.e. elected or appointed but not yet installed) -候命,hòu mìng,to await orders; to be on call -候场,hòu chǎng,"(of an actor, athlete etc) to prepare to make one's entrance; to wait in the wings" -候审,hòu shěn,awaiting trial -候机厅,hòu jī tīng,airport lounge -候机楼,hòu jī lóu,airport terminal -候缺,hòu quē,waiting for a vacancy -候虫,hòu chóng,seasonal insect (e.g. cicada) -候补,hòu bǔ,to wait to fill a vacancy; reserve (candidate); alternate; substitute -候补名单,hòu bǔ míng dān,waiting list -候诊,hòu zhěn,waiting to see a doctor; awaiting treatment -候诊室,hòu zhěn shì,"waiting room (at clinic, hospital)" -候车,hòu chē,to wait for a train or bus -候车亭,hòu chē tíng,bus shelter -候车室,hòu chē shì,"waiting room (for train, bus etc)" -候选,hòu xuǎn,candidate (attributive) -候选人,hòu xuǎn rén,candidate; CL:名[ming2] -候风地动仪,hòu fēng dì dòng yí,the world's first seismograph invented by Zhang Heng 張衡|张衡[Zhang1 Heng2] in 132 -候驾,hòu jià,to await (your) gracious presence -候鸟,hòu niǎo,migratory bird -倚,yǐ,to lean on; to rely upon -倚仗,yǐ zhàng,to lean on; to rely on -倚天屠龙记,yǐ tiān tú lóng jì,"Heaven Sword and Dragon Saber, wuxia (武俠|武侠[wu3 xia2], martial arts chivalry) novel by Jin Yong 金庸[Jin1 Yong1] and its screen adaptations" -倚托,yǐ tuō,to rely upon -倚栏望月,yǐ lán wàng yuè,to lean against the railings and look at the moon (idiom) -倚托,yǐ tuō,variant of 倚托[yi3 tuo1] -倚赖,yǐ lài,to rely on; to be dependent on -倚重,yǐ zhòng,to rely heavily upon -倚靠,yǐ kào,to lean on; to rest against; to rely on; support; backing; back of a chair -倜,tì,energetic; exalted; magnanimous -倜傥,tì tǎng,elegant; casual; free and easy -倝,gàn,dawn (archaic) -倞,jìng,strong; powerful -倞,liàng,distant; to seek; old variant of 亮[liang4]; bright -借,jiè,to borrow; (used in combination with 給|给[gei3] or 出[chu1] etc) to lend; to make use of; to avail oneself of; (sometimes followed by 著|着[zhe5]) by; with -借一步,jiè yī bù,could I have a word with you? (in private) -借代,jiè dài,metonymy -借以,jiè yǐ,so as to; for the purpose of; in order to -借位,jiè wèi,"in arithmetic of subtraction, to borrow 10 and carry from the next place" -借住,jiè zhù,to lodge -借债,jiè zhài,to borrow money -借债人,jiè zhài rén,debtor; borrower -借光,jiè guāng,"excuse me (i.e. let me through, please); reflected glory; to benefit from sb else's prestige" -借入方,jiè rù fāng,borrower; debit side (of a balance sheet) -借出,jiè chū,to lend -借刀杀人,jiè dāo shā rén,to lend sb a knife to kill sb; to get sb else to do one's dirty work; to attack using the strength of another (idiom) -借助,jiè zhù,to draw support from; with the help of -借势,jiè shì,to borrow sb's authority; to seize an opportunity -借取,jiè qǔ,to borrow -借口,jiè kǒu,to use as an excuse; excuse; pretext -借古喻今,jiè gǔ yù jīn,to borrow the past as a model for the present -借古讽今,jiè gǔ fěng jīn,to use the past to disparage the present (idiom) -借命,jiè mìng,to live out a pointless existence -借问,jiè wèn,(honorific) May I ask? -借单,jiè dān,receipt for a loan; written confirmation of a debt; IOU -借单儿,jiè dān er,receipt for a loan; written confirmation of a debt; IOU -借喻,jiè yù,to use sth as a metaphor -借契,jiè qì,contract for a loan -借字,jiè zì,see 通假字[tong1 jia3 zi4] -借字儿,jiè zì er,IOU; receipt for a loan -借宿,jiè sù,to stay with sb; to ask for lodging -借尸还魂,jiè shī huán hún,lit. reincarnated in sb else's body (idiom); fig. a discarded or discredited idea returns in another guise -借指,jiè zhǐ,to refer to; metaphor -借据,jiè jù,receipt for a loan -借支,jiè zhī,to get an advance on one's pay -借故,jiè gù,to find an excuse -借方,jiè fāng,borrower; debit side (of a balance sheet) -借方差额,jiè fāng chā é,debit balance (accountancy) -借书单,jiè shū dān,book slip -借书证,jiè shū zhèng,library card -借东风,jiè dōng fēng,lit. to use the eastern wind (idiom); fig. to use sb's help -借条,jiè tiáo,receipt for a loan; IOU -借机,jiè jī,to seize the opportunity -借款,jiè kuǎn,to lend money; to borrow money; loan -借款人,jiè kuǎn rén,the borrower -借壳,jiè ké,(finance) to acquire a company as a shell -借火,jiè huǒ,to borrow a light (for a cigarette) -借用,jiè yòng,to borrow sth for another use; to borrow an idea for one's own use -借端,jiè duān,to use as pretext -借箸,jiè zhù,lit. to borrow chopsticks; to make plans for sb else -借给,jiè gěi,to lend to sb -借腹生子,jiè fù shēng zǐ,surrogate pregnancy -借花献佛,jiè huā xiàn fó,lit. presenting the Buddha with borrowed flowers (idiom); fig. to win favor or influence using sb else's property; plagiarism -借记,jiè jì,to debit -借记卡,jiè jì kǎ,debit card -借词,jiè cí,loanword; pretext -借调,jiè diào,to temporarily transfer (personnel) -借译,jiè yì,loan translation; to calque -借译词,jiè yì cí,calque -借读,jiè dú,to attend school on a temporary basis -借贷,jiè dài,to borrow or lend money; debit and credit items on a balance sheet -借资挹注,jiè zī yì zhù,to make use of sth in order to make good the deficits in sth else (idiom) -借账,jiè zhàng,to borrow money; to take a loan -借过,jiè guò,"excuse me (i.e. let me through, please)" -借酒浇愁,jiè jiǔ jiāo chóu,to drown one's sorrows (in alcohol) -借重,jiè zhòng,to rely on sb for support -借钱,jiè qián,to borrow money; to lend money -借镜,jiè jìng,(Tw) to draw on (others' experience); to learn from (how others do things); lesson to be learned (by observing others) -借鉴,jiè jiàn,to draw on (others' experience); to learn from (how others do things); lesson to be learned (by observing others) -借阅,jiè yuè,to borrow books to read -借题发挥,jiè tí fā huī,to use the current topic to put over one's own ideas; to use sth as a pretext to make a fuss -倡,chàng,to initiate; to instigate; to introduce; to lead -倡始,chàng shǐ,to initiate -倡导,chàng dǎo,to advocate; to initiate; to propose; to be a proponent of (an idea or school of thought) -倡导者,chàng dǎo zhě,proponent; advocate; pioneer -倡狂,chāng kuáng,variant of 猖狂[chang1 kuang2] -倡言,chàng yán,to propose; to put forward (an idea); to initiate -倡言者,chàng yán zhě,proposer -倡议,chàng yì,to suggest; to initiate; proposal; initiative -倡议书,chàng yì shū,written proposal; document outlining an initiative -仿,fǎng,variant of 仿[fang3] -倥,kōng,ignorant; blank-minded -倥,kǒng,urgent; pressed -倥侗,kōng tóng,ignorant; unenlightened -倥偬,kǒng zǒng,pressing; urgent; poverty-stricken; destitute -倦,juàn,tired -倦容,juàn róng,a weary look (on one's face) -倦怠,juàn dài,worn out; exhausted; dispirited -倨,jù,(literary) haughty; arrogant -倨傲,jù ào,arrogant -倩,qiàn,pretty; winsome; to ask for sb's help; son-in-law (old) -倩影,qiàn yǐng,beautiful image of a woman -倩碧,qiàn bì,Clinique (brand) -倩装,qiàn zhuāng,beautiful attire -倪,ní,surname Ni -倪,ní,(literary) small child; (literary) limit; bound; extremity; (literary) to differentiate; (literary) origin; cause -倪匡,ní kuāng,"Ni Kuang (1935-2022), Chinese novelist and screenwriter" -倪嗣冲,ní sì chōng,"Ni Sichong (1868-1924), general closely linked to Yuan Shikai 袁世凱|袁世凯[Yuan2 Shi4 kai3] during his unsuccessful 1915 bid for Empire" -倪柝声,ní tuò shēng,"Ni Tuosheng or Watchman Nee (1903-1972), influential Chinese Christian" -倪桂珍,ní guì zhēn,"Ni Guizhen or Ni Kwei-Tseng (1869 - 1931), mother of Song Ailing 宋藹齡|宋蔼龄[Song4 Ai3 ling2], Song Qingling 宋慶齡|宋庆龄[Song4 Qing4 ling2] and Song Meiling 宋美齡|宋美龄[Song4 Mei3 ling2]" -伦,lún,human relationship; order; coherence -伦巴,lún bā,rumba (loanword) -伦常,lún cháng,proper human relationships -伦敦,lún dūn,"London, capital of United Kingdom" -伦敦国际金融期货交易所,lún dūn guó jì jīn róng qī huò jiāo yì suǒ,London International Financial Futures and Options Exchange (LIFFE) -伦敦大学亚非学院,lún dūn dà xué yà fēi xué yuàn,London University School of Oriental and African Studies (SOAS) -伦敦大学学院,lún dūn dà xué xué yuàn,"University College, London" -伦敦证券交易所,lún dūn zhèng quàn jiāo yì suǒ,London Stock Exchange (LSE) -伦理,lún lǐ,ethics -伦理学,lún lǐ xué,ethics -伦琴,lún qín,"Wilhelm Conrad Röntgen (1845-1923), German mechanical engineer" -伦琴射线,lún qín shè xiàn,X-ray; Röntgen or Roentgen ray -倬,zhuō,noticeable; large; clear; distinct; Taiwan pr. [zhuo2] -倭,wō,dwarf; Japanese (derog.) (old) -倭人,wō rén,dwarf; (old) (derog.) Japanese person -倭寇,wō kòu,Japanese pirates (in 16th and 17th century) -倭瓜,wō guā,(dialect) pumpkin -倭军,wō jūn,Japanese army (derog.) (old) -倭马亚王朝,wō mǎ yà wáng cháo,"Umayyad Empire (661-750, in Iberia -1031), successor of the Rashidun caliphate" -倭黑猩猩,wō hēi xīng xing,bonobo; pygmy chimpanzee -倮,luǒ,variant of 裸[luo3] -睬,cǎi,variant of 睬[cai3] -倻,yē,"used to represent phonetic ""ya"" in Korean names" -值,zhí,value; (to be) worth; to happen to; to be on duty -值勤,zhí qín,variant of 執勤|执勤[zhi2 qin2] -值域,zhí yù,image (or range) of a function (math.) -值夜,zhí yè,on night duty -值守,zhí shǒu,"(of a security guard etc) to be on duty, keeping an eye on things; to keep watch" -值宿,zhí sù,on night duty -值得,zhí de,to be worth; to deserve -值得一提,zhí de yī tí,to be worth mentioning -值得信赖,zhí de xìn lài,trustworthy -值得品味,zhí de pǐn wèi,worth tasting; you should try it -值得敬佩,zhí de jìng pèi,deserving; worthy of respect; estimable -值得注意,zhí de zhù yì,notable; noteworthy; merit attention -值得称赞,zhí de chēng zàn,commendable -值日,zhí rì,on day duty -值日生,zhí rì shēng,student on duty; prefect -值星,zhí xīng,(of army officers) to be on duty for the week -值机,zhí jī,(airline) check-in; to check in -值此,zhí cǐ,on this (occasion); at this time when ...; on this occasion -值班,zhí bān,to work a shift; on duty -值遇,zhí yù,to meet with; to bump into -值钱,zhí qián,valuable; costly; expensive -偃,yǎn,surname Yan -偃,yǎn,to lie supine; to stop; to fall down -偃师,yǎn shī,"Yanshi, county-level city in Luoyang 洛陽|洛阳[Luo4 yang2], Henan" -偃师市,yǎn shī shì,"Yanshi, county-level city in Luoyang 洛陽|洛阳, Henan" -偃息,yǎn xī,(literary) to take a rest; (literary) to cease -偃旗息鼓,yǎn qí xī gǔ,lit. lay down the flag and still the drums (idiom); fig. to cease; to give in -假,gēi,used in 假掰[gei1 bai1] -假,jiǎ,fake; false; artificial; to borrow; if; suppose -假,jià,vacation -假一赔十,jiǎ yī péi shí,"lit. if one is fake, I shall compensate you for ten of them; fig. (of goods) 100% genuine" -假人,jiǎ rén,"dummy (for crash testing, displaying clothes etc)" -假人像,jiǎ rén xiàng,an effigy -假仁假义,jiǎ rén jiǎ yì,hypocrisy; pretended righteousness -假仙,jiǎ xiān,"(Tw) to pretend; to put on a false front (from Taiwanese, Tai-lo pr. [ké-sian])" -假令,jiǎ lìng,if; supposing that; acting county magistrate -假作,jiǎ zuò,to feign; to pretend -假使,jiǎ shǐ,if; in case; suppose; given ... -假借,jiǎ jiè,to make use of; to use sth as pretext; under false pretenses; under the guise of; masquerading as; lenient; tolerant; loan character (one of the Six Methods 六書|六书 of forming Chinese characters); character acquiring meanings by phonetic association; also called phonetic loan -假借字,jiǎ jiè zì,loan character (one of the Six Methods 六書|六书 of forming Chinese characters); character acquiring meanings by phonetic association; also called phonetic loan -假借义,jiǎ jiè yì,"the meaning of a phonetic loan character 假借字[jia3 jie4 zi4] acquired from a similar-sounding word (e.g. 而[er2] originally meant ""beard"" but acquired the meaning ""and"")" -假充,jiǎ chōng,to pose as sb; to act a part; imposture -假公济私,jiǎ gōng jì sī,official authority used for private interests (idiom); to attain private ends by abusing public position -假冒,jiǎ mào,to impersonate; to pose as (someone else); to counterfeit; to palm off (a fake as a genuine) -假冒伪劣,jiǎ mào wěi liè,cheap quality counterfeit (goods); low-quality commodities -假冒品,jiǎ mào pǐn,counterfeit object; fake -假分数,jiǎ fēn shù,"improper fraction (with numerator ≥ denominator, e.g. seven fifths); see also: proper fraction 真分數|真分数[zhen1 fen1 shu4] and mixed number 帶分數|带分数[dai4 fen1 shu4]" -假别,jià bié,"category of leave (maternity leave, sick leave etc)" -假动作,jiǎ dòng zuò,fake move or pass (sports); feint -假名,jiǎ míng,false name; pseudonym; alias; pen name; the Japanese kana scripts; hiragana 平假名[ping2 jia3 ming2] and katakana 片假名[pian4 jia3 ming2] -假吏,jiǎ lì,acting magistrate; temporary official (in former times) -假唱,jiǎ chàng,to lip-sync (singing) -假善人,jiǎ shàn rén,false compassion; bogus charity -假嗓,jiǎ sǎng,falsetto (in opera) -假嗓子,jiǎ sǎng zi,falsetto (in opera) -假报告,jiǎ bào gào,false report; forgery; fabricated declaration (e.g. income tax return) -假大空,jiǎ dà kōng,empty words; bogus speech -假如,jiǎ rú,if -假子,jiǎ zǐ,adopted son; stepson -假定,jiǎ dìng,to assume; to suppose; supposed; so-called; assumption; hypothesis -假寐,jiǎ mèi,to doze; to take a nap; nodding off to sleep -假小子,jiǎ xiǎo zi,tomboy -假山,jiǎ shān,rock garden; rockery -假币,jiǎ bì,counterfeit money -假座,jiǎ zuò,to use as a venue (e.g. use {a restaurant} as the venue {for a farewell party}) -假性,jiǎ xìng,pseudo- -假性近视,jiǎ xìng jìn shì,pseudomyopia -假想,jiǎ xiǎng,imaginary; virtual; to imagine; hypothesis -假想敌,jiǎ xiǎng dí,opposing force (in war games); hypothetical enemy (in strategic studies) -假惺惺,jiǎ xīng xīng,hypocritical; unctuous; insincerely courteous; to shed crocodile tears -假意,jiǎ yì,insincerity; hypocrisy; insincerely -假慈悲,jiǎ cí bēi,phony mercy; sham benevolence; crocodile tears -假戏真唱,jiǎ xì zhēn chàng,fiction comes true; play-acting that turns into reality -假手,jiǎ shǒu,to use sb for one's own ends -假托,jiǎ tuō,to pretend; to use a pretext; to make sth up; to pass oneself off as sb else; to make use of -假扮,jiǎ bàn,to impersonate; to act the part of sb; to disguise oneself as sb else -假招子,jiǎ zhāo zi,to put on airs; to adopt a false attitude -假拱,jiǎ gǒng,blind arch; false arch -假掰,gēi bāi,"(Tw) affected; pretentious; to put on a display of histrionics (from Taiwanese, Tai-lo pr. [ké-pai])" -假摔,jiǎ shuāi,(soccer) diving; simulation; flopping -假日,jià rì,a holiday; a day off -假期,jià qī,vacation -假案,jiǎ àn,fabricated legal case; frame-up -假条,jià tiáo,leave of absence request (from work or school); excuse note; CL:張|张[zhang1] -假正经,jiǎ zhèng jīng,demure; prudish; hypocritical -假死,jiǎ sǐ,suspended animation; feigned death; to play dead -假洋鬼子,jiǎ yáng guǐ zi,"(derog.) wannabe foreigner, a Chinese person who apes the ways of foreigners" -假牙,jiǎ yá,false teeth; dentures -假球,jiǎ qiú,match-fixing -假的,jiǎ de,bogus; ersatz; fake; mock; phony -假眼,jiǎ yǎn,artificial eye; glass eye -假种皮,jiǎ zhǒng pí,aril (botany) -假称,jiǎ chēng,to claim falsely -假而,jiǎ ér,if -假声,jiǎ shēng,"falsetto (opposite: 真聲|真声[zhen1sheng1], natural or true voice)" -假肢,jiǎ zhī,artificial limb; prosthetic limb -假肯定句,jiǎ kěn dìng jù,false affirmative -假腿,jiǎ tuǐ,false leg -假芫茜,jiǎ yuán qiàn,Eryngium foetidum -假若,jiǎ ruò,if; supposing; in case -假药,jiǎ yào,fake drugs -假装,jiǎ zhuāng,to feign; to pretend -假托,jiǎ tuō,variant of 假托[jia3 tuo1] -假设,jiǎ shè,to suppose; to presume; to assume; supposing that ...; if; hypothesis; conjecture -假设性,jiǎ shè xìng,hypothetical -假设语气,jiǎ shè yǔ qì,subjunctive -假词叠词,jiǎ cí dié cí,pseudo-affixation -假话,jiǎ huà,a lie; untrue statement; misstatement -假说,jiǎ shuō,hypothesis -假证,jiǎ zhèng,false testimony -假证件,jiǎ zhèng jiàn,false documents -假象,jiǎ xiàng,false appearance; facade -假象牙,jiǎ xiàng yá,celluloid -假货,jiǎ huò,counterfeit article; fake; dummy; simulacrum -假账,jiǎ zhàng,fraudulent financial accounts; cooked books -假途灭虢,jiǎ tú miè guó,"lit. a short-cut to crush Guo (idiom); fig. to connive with sb to damage a third party, then turn on the partner" -假造,jiǎ zào,to forge; fake; to fabricate (a story) -假道,jiǎ dào,via; by way of -假道伐虢,jiǎ dào fá guó,to obtain safe passage to conquer the State of Guo; to borrow the resources of an ally to attack a common enemy (idiom) -假释,jiǎ shì,parole -假钞,jiǎ chāo,counterfeit money; forged note -假阴性,jiǎ yīn xìng,false negative -假阳性,jiǎ yáng xìng,false positive -假面,jiǎ miàn,mask -假面具,jiǎ miàn jù,mask; fig. false façade; deceptive front -假面舞会,jiǎ miàn wǔ huì,masked ball; masquerade -假音,jiǎ yīn,"falsetto, same as 假聲|假声" -假体,jiǎ tǐ,(medicine) prosthesis; implant -假高音,jiǎ gāo yīn,"falsetto, same as 假聲|假声" -假发,jiǎ fà,wig -偈,jì,Buddhist hymn; gatha; Buddhist verse -偈,jié,forceful; martial -伟,wěi,big; large; great -伟人,wěi rén,great person -伟力,wěi lì,mighty force -伟哥,wěi gē,Viagra (male impotence drug) -伟器,wěi qì,great talent -伟士牌,wěi shì pái,Vespa (scooter) -伟大,wěi dà,huge; great; grand; worthy of the greatest admiration; important (contribution etc) -伟岸,wěi àn,imposing; upright and tall; outstanding; gigantic in stature -伟晶岩,wěi jīng yán,pegmatite -伟业,wěi yè,exploit; great undertaking -伟绩,wěi jì,great acts -伟举,wěi jǔ,great feat; splendid achievement -伟观,wěi guān,magnificent vista; a wonder -伟丽,wěi lì,magnificent; imposing and beautiful -偌,ruò,so; such; to such a degree -偌大,ruò dà,so big; such a big -偎,wēi,to cuddle -偎傍,wēi bàng,to snuggle up to -偏,piān,to lean; to slant; oblique; prejudiced; to deviate from average; to stray from the intended line; stubbornly; contrary to expectations -偏三轮,piān sān lún,old-style cycle with lateral third wheel and passenger seat -偏三轮摩托车,piān sān lún mó tuō chē,motorbike with sidecar -偏低,piān dī,to be on the low side; to be inadequate (e.g. of a salary) -偏倚,piān yǐ,to be partial; to favor -偏偏,piān piān,(indicating that sth turns out just the opposite of what one would wish) unfortunately; as it happened; (indicating that sth is the opposite of what would be normal or reasonable) stubbornly; contrarily; against reason; (indicating that sb or a group is singled out) precisely; only; of all people -偏僻,piān pì,remote; desolate; far from the city -偏光,piān guāng,polarized light -偏光镜,piān guāng jìng,polarizing filter -偏劳,piān láo,undue trouble; Thank you for having gone out of your way to help me. -偏向,piān xiàng,partial towards sth; to prefer; to incline; erroneous tendencies (Leftist or Revisionist deviation) -偏执,piān zhí,extreme and inflexible; fixated; stubborn in clinging to a notion; (psychology) paranoid -偏执型,piān zhí xíng,paranoid (psych.) -偏执狂,piān zhí kuáng,paranoia; monomania -偏压,piān yā,biasing (electronics); bias voltage -偏好,piān hào,to have a special liking (for sth) -偏安,piān ān,content to hold a small part of the territory; fig. forced to relinquish the middle ground; forced to move away -偏宕,piān dàng,"extremely (stubborn, contrary, disobedient etc)" -偏宠,piān chǒng,to favor; to prefer; to show favoritism -偏将,piān jiàng,deputy general -偏巧,piān qiǎo,by coincidence; it so happened that; fortunately; against expectation -偏差,piān chā,bias; deviation -偏差距离,piān chā jù lí,offset distance -偏师,piān shī,military auxiliaries (archaic) -偏厦,piān shà,side annex; lean-to -偏废,piān fèi,to give unequal emphasis to; doing some things at the expense of others -偏待,piān dài,to show favoritism against sb; to treat unfairly -偏微分,piān wēi fēn,(math.) partial differential; (math.) partial derivative -偏微分方程,piān wēi fēn fāng chéng,partial differential equation (PDE) -偏心,piān xīn,partial; biased; prejudiced; eccentric -偏心率,piān xīn lǜ,(math.) eccentricity -偏心眼,piān xīn yǎn,bias; partiality; to be partial -偏心矩,piān xīn jǔ,axis of eccentricity -偏爱,piān ài,to be partial towards sth; to favor; to prefer; preference; favorite -偏态,piān tài,skewness (math) -偏房,piān fáng,side room; concubine -偏才,piān cái,talent in a particular area -偏振,piān zhèn,polarization (of waves) -偏振光,piān zhèn guāng,polarization of light; polarized light -偏振波,piān zhèn bō,polarized wave -偏振镜,piān zhèn jìng,polarizing filter -偏斜,piān xié,crooked; not upright; diverging from straight line; improper; dishonest -偏方,piān fāng,folk remedy; home remedy -偏旁,piān páng,component of a Chinese character (as the radical or the phonetic part) -偏析,piān xī,segregation (metallurgy) -偏极,piān jí,(physics) polarization -偏极化,piān jí huà,polarization; polarized -偏极镜,piān jí jìng,polarizing lens; polarizer -偏正式合成词,piān zhèng shì hé chéng cí,modified compound word -偏殿,piān diàn,side palace hall; side chamber -偏激,piān jī,"extreme (usu. of thoughts, speech, circumstances)" -偏狭,piān xiá,prejudiced; narrow-minded -偏疼,piān téng,to favor a junior; to show favoritism to some juniors -偏瘫,piān tān,paralysis of one side of the body; hemiplegia -偏私,piān sī,to practice favoritism -偏科,piān kē,to overemphasize some topic (at the expense of others); overdoing it; to go overboard -偏移,piān yí,displacement; deviation; offset -偏置,piān zhì,offset; biasing (electronics); bias voltage -偏置电流,piān zhì diàn liú,bias current (electronics) -偏置电阻,piān zhì diàn zǔ,bias impedance (electronics) -偏听偏信,piān tīng piān xìn,selective listening; to hear what one wants to hear -偏航,piān háng,"to diverge (from one's bearing, flight path etc); to go off course; to yaw" -偏蚀,piān shí,partial eclipse -偏袒,piān tǎn,to bare one shoulder; (fig.) to side with; to discriminate in favor of -偏西,piān xī,"inclining to the west (e.g. of the sun after noon, indicating lateness of the day)" -偏要,piān yào,"to insist on doing sth; must do it, despite everything" -偏见,piān jiàn,prejudice; bias -偏角,piān jiǎo,angle of drift (navigation); deflection (from course); angle of divergence -偏注,piān zhù,to stress in a prejudiced way; to emphasize sth unduly -偏误,piān wù,bias (statistics) -偏护,piān hù,to protect a croney; to give unprincipled support -偏转,piān zhuǎn,deflection (physics); deviation (away from a straight line) -偏转角,piān zhuǎn jiǎo,angle of drift (navigation); deflection (from course); angle of divergence -偏辞,piān cí,one-sided words; prejudice; flattery -偏远,piān yuǎn,remote; far from civilization -偏邪不正,piān xié bù zhèng,biased; prejudiced (idiom) -偏重,piān zhòng,to stress in a prejudiced way; to emphasize sth unduly -偏锋,piān fēng,brush stroke to the side (calligraphy); fig. side stroke; lateral thinking -偏门,piān mén,side door; doing things by the side door (i.e. dishonestly) -偏关,piān guān,"Pianguan county in Xinzhou 忻州[Xin1 zhou1], Shanxi" -偏关县,piān guān xiàn,"Pianguan county in Xinzhou 忻州[Xin1 zhou1], Shanxi" -偏离,piān lí,to deviate; to diverge; to wander -偏颇,piān pō,biased; partial -偏头痛,piān tóu tòng,migraine -偏题,piān tí,to go off-topic; to stray from the topic; obscure question; trick exam question; catch question (CL:道[dao4]) -偏食,piān shí,"partial to (some kinds of food, usu. unhealthy); having likes and dislikes; partial eclipse" -偏高,piān gāo,to be on the high side; to be unusually high -偏黄,piān huáng,yellowish -偕,xié,in company with -偕同,xié tóng,along with; accompanied by; together with -偕老,xié lǎo,to grow old together -侃,kǎn,old variant of 侃[kan3] -做,zuò,"to make; to produce; to write; to compose; to do; to engage in; to hold (a party etc); (of a person) to be (an intermediary, a good student etc); to become (husband and wife, friends etc); (of a thing) to serve as; to be used for; to assume (an air or manner)" -做一天和尚撞一天钟,zuò yī tiān hé shang zhuàng yī tiān zhōng,"lit. as a monk for today, toll today's bell (idiom); fig. to do one's job mechanically; to hold a position passively" -做不到,zuò bù dào,impossible -做主,zuò zhǔ,see 作主[zuo4 zhu3] -做事,zuò shì,to work; to handle matters; to have a job -做人,zuò rén,to conduct oneself; to behave with integrity -做人家,zuò rén jiā,thrifty; economical -做人情,zuò rén qíng,to do a favor to sb -做伴,zuò bàn,to keep sb company; to accompany -做伴儿,zuò bàn er,erhua variant of 做伴[zuo4 ban4] -做作,zuò zuo,affected; artificial -做出,zuò chū,to put out; to issue -做到,zuò dào,to accomplish; to achieve -做功,zuò gōng,to act (in opera); stage business -做功夫,zuò gōng fu,to practice (work skills) -做寿,zuò shòu,to celebrate a birthday (of an elderly person) -做梦,zuò mèng,to dream; to have a dream; fig. illusion; fantasy; pipe dream -做大,zuò dà,arrogant; to put on airs; (business etc) to expand; to enlarge; to do sth on a big scale -做好做歹,zuò hǎo zuò dǎi,to persuade using all possible arguments (idiom); to act good cop and bad cop in turn -做媒,zuò méi,to act as go-between (between prospective marriage partners etc) -做学问,zuò xué wèn,to study; to engage in scholarship -做完,zuò wán,to finish; to complete the task -做官,zuò guān,to take an official post; to become a government employee -做客,zuò kè,to be a guest or visitor -做小,zuò xiǎo,to become a concubine -做小抄,zuò xiǎo chāo,to prepare a crib sheet; to crib; to cheat by copying -做工,zuò gōng,to work with one's hands; manual work; workmanship -做工作,zuò gōng zuò,to do one's work; to work on sb; to try to persuade sb -做工夫,zuò gōng fu,to practice (work skills) -做市商,zuò shì shāng,market maker -做厅长,zuò tīng zhǎng,(jocular) to sleep on the couch; to sleep in the living room -做张做势,zuò zhāng zuò shì,to put on an act (idiom); to pose; to show theatrical affectation; to indulge in histrionics -做张做智,zuò zhāng zuò zhì,to put on an act (idiom); to pose; to show theatrical affectation; to indulge in histrionics -做张做致,zuò zhāng zuò zhì,see 做張做智|做张做智[zuo4 zhang1 zuo4 zhi4] -做爱,zuò ài,to make love -做戏,zuò xì,to act in a play; to put on a play -做手,zuò shǒu,to put one's hand to sth; to set about; skillful hands; worker; writer -做手脚,zuò shǒu jiǎo,to manipulate dishonestly; to tamper with sth -做掉,zuò diào,to kill; to get rid of; (sports) to defeat; to eliminate -做操,zuò cāo,to do exercises; to do gymnastics -做文章,zuò wén zhāng,to make an issue of sth; to fuss; to make a song and dance -做东,zuò dōng,to act as host -做法,zuò fǎ,way of handling sth; method for making; work method; recipe; practice; CL:個|个[ge4] -做活,zuò huó,to work for a living (esp. of woman needleworker); life of a group of stones in Go 圍棋|围棋[wei2 qi2] -做活儿,zuò huó er,erhua variant of 做活[zuo4 huo2] -做派,zuò pài,way of doing sth; behavior; to act in an affected manner; mannerism; gestures in opera -做准备工作,zuò zhǔn bèi gōng zuò,to make preparations -做满月,zuò mǎn yuè,to celebrate a child reaching the age of one month -做为,zuò wéi,to act as; used erroneously for 作為|作为 -做牛做马,zuò niú zuò mǎ,"lit. to work like an ox, to work like a horse; fig. to work extremely hard" -做球,zuò qiú,to set up a teammate (with an opportunity to score); to throw a game -做生意,zuò shēng yì,to do business -做生日,zuò shēng rì,to celebrate a birthday; to give a birthday party -做生活,zuò shēng huó,to work; to do manual labor -做眉做眼,zuò méi zuò yǎn,to frown -做眼,zuò yǎn,"(in the game of Go) to make an ""eye""; to serve as eyes and ears (i.e. go and seek out information); to be a scout" -做眼色,zuò yǎn sè,to give sb a meaningful look -做礼拜,zuò lǐ bài,to worship; to pray (esp. in a regular religious gathering at a church or mosque) -做祷告,zuò dǎo gào,to pray -做空,zuò kōng,to sell short (finance) -做绝,zuò jué,to go to extremes; to leave no room for maneuver -做声,zuò shēng,to speak; to emit sound -做脸,zuò liǎn,to win honor; to put on a stern face; to have a facial (beauty treatment) -做自己,zuò zì jǐ,to be oneself -做菜,zuò cài,to cook; cooking -做亲,zuò qīn,to become related by marriage; to marry -做证,zuò zhèng,variant of 作證|作证[zuo4zheng4] -做买卖,zuò mǎi mài,to buy and sell; to do business; to trade; to deal -做贼心虚,zuò zéi xīn xū,to feel guilty as a thief (idiom); to have sth on one's conscience -做针线,zuò zhēn xiàn,to do needlework -做错,zuò cuò,to make an error -做鸡,zuò jī,(slang) (of a woman) to work as a prostitute -做饭,zuò fàn,to prepare a meal; to cook -做鬼,zuò guǐ,to play tricks; to cheat; to get up to mischief; to become a ghost; to give up the ghost -做鬼脸,zuò guǐ liǎn,to pull a face; to grimace; to scowl -做鸭,zuò yā,(slang) (of a man) to work as a prostitute -停,tíng,to stop; to halt; to park (a car) -停下,tíng xià,to stop -停下来,tíng xià lái,to stop -停住,tíng zhù,to stop; to halt; to cease -停俸,tíng fèng,to suspend salary payments -停刊,tíng kān,"(of a newspaper, magazine etc) to stop publishing" -停尸,tíng shī,to keep the body of the deceased (until burial or cremation) -停尸房,tíng shī fáng,mortuary -停尸间,tíng shī jiān,morgue -停工,tíng gōng,to stop work; to shut down; to stop production -停息,tíng xī,to stop; to cease -停战,tíng zhàn,to cease fire; to stop fighting; armistice; truce -停战日,tíng zhàn rì,Armistice Day -停手,tíng shǒu,to stop (what one is doing) -停损单,tíng sǔn dān,stop-loss order (finance) -停损点,tíng sǔn diǎn,see 止損點|止损点[zhi3 sun3 dian3] -停摆,tíng bǎi,"(of a pendulum) to stop swinging; (of work, production, activities etc) to come to a halt; to be suspended; to be canceled; shutdown; (sports) lockout" -停放,tíng fàng,to park (a car etc); to moor (a boat etc); to leave sth (in a place) -停更,tíng gēng,to stop updating (content) -停服,tíng fú,to shut down a server; (of a service) to terminate; to stop taking (a medicine) -停板制度,tíng bǎn zhì dù,"system of circuit breakers; limit up, limit down system (finance)" -停业,tíng yè,to cease trading (temporarily or permanently); to close down -停机,tíng jī,(of a machine) to stop; to shut down; to park a plane; to finish shooting (a TV program etc); to suspend a phone line; (of a prepaid mobile phone) to be out of credit -停机坪,tíng jī píng,aircraft parking ground; apron; tarmac (at airport) -停机时间,tíng jī shí jiān,"downtime (computer network, power plant etc)" -停歇,tíng xiē,to stop for a rest -停止,tíng zhǐ,to stop; to halt; to cease -停步,tíng bù,to come to a stand; to stop -停泊,tíng bó,to anchor; anchorage; mooring (of a ship) -停滞,tíng zhì,stagnation; at a standstill; bogged down -停滞不前,tíng zhì bù qián,stuck and not moving forward (idiom); stagnant; in a rut; at a standstill -停火,tíng huǒ,to cease fire; ceasefire -停火线,tíng huǒ xiàn,cease-fire line -停产,tíng chǎn,to stop production -停用,tíng yòng,to stop using; to suspend; to discontinue; to disable -停留,tíng liú,to stay somewhere temporarily; to stop over -停当,tíng dang,settled; accomplished; ready; Taiwan pr. [ting2 dang4] -停盘,tíng pán,to suspend trading (stock market) -停站,tíng zhàn,bus stop -停经,tíng jīng,"to stop menstruating (as a result of pregnancy, menopause or medical condition etc)" -停职,tíng zhí,to suspend (sb) from duties -停航,tíng háng,"to stop running (of flight of shipping service); to suspend service (flight, sailing); to interrupt schedule" -停薪留职,tíng xīn liú zhí,leave of absence without pay -停表,tíng biǎo,stopwatch; (sports) to stop the clock -停课,tíng kè,to stop classes; to close (of school) -停车,tíng chē,to pull up (stop one's vehicle); to park; (of a machine) to stop working; to stall -停车位,tíng chē wèi,parking space; parking spot -停车位置,tíng chē wèi zhi,parking location; parking bay -停车场,tíng chē chǎng,parking lot; car park -停车库,tíng chē kù,car park -停车格,tíng chē gé,parking bay -停车站,tíng chē zhàn,bus stop -停车计时器,tíng chē jì shí qì,parking meter -停办,tíng bàn,to shut down; to terminate; to cancel; to go out of business -停电,tíng diàn,to have a power failure; power cut -停靠,tíng kào,to call at; to stop at; berth -停靠港,tíng kào gǎng,port of call -停靠站,tíng kào zhàn,"bus or tram stop; intermediate stop (on route of ship, plane etc); port of call; stopover" -停顿,tíng dùn,to halt; to break off; pause (in speech) -停飞,tíng fēi,(of an aircraft) to be grounded -停食,tíng shí,(of food) to retain in stomach due to indigestion (TCM) -停驶,tíng shǐ,"(of trains, buses or ferries etc) to stop running (temporarily or permanently)" -健,jiàn,healthy; to invigorate; to strengthen; to be good at; to be strong in -健保,jiàn bǎo,National Health Insurance (Tw) -健儿,jiàn ér,top athlete; heroic warrior -健全,jiàn quán,robust; sound -健在,jiàn zài,(of an elderly person) to be alive and in good health; to be intact -健壮,jiàn zhuàng,robust; healthy; sturdy -健康,jiàn kāng,health; healthy -健康保险,jiàn kāng bǎo xiǎn,health insurance -健康受损,jiàn kāng shòu sǔn,health damage -健康检查,jiàn kāng jiǎn chá,see 體格檢查|体格检查[ti3 ge2 jian3 cha2] -健康状况,jiàn kāng zhuàng kuàng,health status -健康食品,jiàn kāng shí pǐn,health food -健忘,jiàn wàng,forgetful -健忘症,jiàn wàng zhèng,amnesia -健怡可乐,jiàn yí kě lè,Diet Coke; Coca-Cola Light -健慰器,jiàn wèi qì,sex toy -健旺,jiàn wàng,robust; healthy; vigorous; energetic -健检,jiàn jiǎn,(Tw) medical checkup; physical examination (abbr. for 健康檢查|健康检查[jian4 kang1 jian3 cha2]) -健步如飞,jiàn bù rú fēi,running as fast as flying -健硕,jiàn shuò,well-built (physique); strong and muscular -健美,jiàn měi,healthy and beautiful; to do fitness exercises; abbr. for 健美運動|健美运动[jian4 mei3 yun4 dong4] -健美操,jiàn měi cāo,aerobics; aerobic dance (school P.E. activity) -健美运动,jiàn měi yùn dòng,body-building -健行,jiàn xíng,to hike -健诊,jiàn zhěn,"check-up (health, car safety, environment etc)" -健谈,jiàn tán,entertaining in conversation -健身,jiàn shēn,to exercise; to keep fit; to work out; physical exercise -健身室,jiàn shēn shì,gym -健身房,jiàn shēn fáng,gym; gymnasium -健身馆,jiàn shēn guǎn,gym (health center) -逼,bī,variant of 逼[bi1]; to compel; to pressure -侧,cè,the side; to incline towards; to lean; inclined; lateral; side -侧,zhāi,lean on one side -侧刀旁,cè dāo páng,"name of the lateral ""knife"" radical 刂[dao1] in Chinese characters (Kangxi radical 18), occurring in 到[dao4], 利[li4], 別|别[bie2] etc" -侧壁,cè bì,side wall -侧室,cè shì,sideroom; concubine -侧写,cè xiě,to profile; profile; (offender) profiling -侧影,cè yǐng,profile; silhouette -侧手翻,cè shǒu fān,(gymnastics) cartwheel; to do a cartwheel -侧根,cè gēn,lateral root (botany) -侧生动物,cè shēng dòng wù,"parazoan (animal of the subkingdom Parazoa, mostly sponges)" -侧目,cè mù,to raise eyebrows; to cast sidelong glances (expressing fear or indignation); shocked; surprised -侧空翻,cè kōng fān,aerial cartwheel; side somersault -侧翻,cè fān,(of a vehicle) to roll over; (of a boat) to capsize -侧耳,cè ěr,to bend an ear (to); to listen -侧卧,cè wò,to lie on one's side -侧芽,cè yá,axillary bud -侧身,cè shēn,(to stand or move) sideways -侧躺,cè tǎng,to lie down (on one's side) -侧载,cè zài,to sideload (an app etc) -侧边栏,cè biān lán,(computing) sidebar -侧重,cè zhòng,to place particular emphasis on -侧重点,cè zhòng diǎn,main point; emphasis -侧锋,cè fēng,oblique attack (brush movement in painting) -侧录,cè lù,to capture data; to record illicitly; data skimming -侧链,cè liàn,side chain (used in classifying amino acids) -侧门,cè mén,side door -侧面,cè miàn,lateral side; side; aspect; profile -侦,zhēn,to scout; to spy; to detect -侦察,zhēn chá,to investigate a crime; to scout; to reconnoiter; reconnaissance; detection; a scout -侦察兵,zhēn chá bīng,a scout; spy -侦察员,zhēn chá yuán,detective; investigator; scout; spy -侦察性,zhēn chá xìng,investigatory -侦察机,zhēn chá jī,surveillance aircraft; spy plane -侦探,zhēn tàn,detective; to do detective work -侦查,zhēn chá,to detect; to investigate -侦毒器,zhēn dú qì,detection unit -侦毒管,zhēn dú guǎn,detector tube -侦测,zhēn cè,to detect; to sense -侦测器,zhēn cè qì,detector -侦破,zhēn pò,to investigate (as detective); to solve (crime); to uncover (a plot); to sniff out; to break in and analyze; detective work; to scout -侦缉,zhēn jī,to track down; to investigate and arrest -侦听,zhēn tīng,to eavesdrop; to tap (telephone conversations); to intercept and investigate -侦讯,zhēn xùn,to interrogate during investigation -侦办,zhēn bàn,to investigate (a crime) and prosecute -偶,ǒu,accidental; image; pair; mate -偶一,ǒu yī,accidentally; once in a while; very occasionally -偶一为之,ǒu yī wéi zhī,to do sth once in a while (idiom); to do sth more as an exception than the rule -偶人,ǒu rén,idol (i.e. statue for worship) -偶像,ǒu xiàng,idol -偶像剧,ǒu xiàng jù,idol drama; drama series in which the actors are chosen for their preexisting popularity with young viewers -偶像包袱,ǒu xiàng bāo fu,burden of having to maintain one's image as a pop idol -偶函数,ǒu hán shù,even function (math.) -偶合,ǒu hé,coincidence -偶数,ǒu shù,even number -偶极,ǒu jí,dipole (e.g. magnetic dipole) -偶然,ǒu rán,incidentally; occasional; occasionally; by chance; randomly -偶然事件,ǒu rán shì jiàn,random accident; chance event -偶然性,ǒu rán xìng,chance; fortuity; serendipity -偶尔,ǒu ěr,occasionally; once in a while; sometimes -偶犯,ǒu fàn,casual offender; casual offense -偶而,ǒu ér,occasionally; once in a while -偶联反应,ǒu lián fǎn yìng,chain reaction (chemistry) -偶见,ǒu jiàn,to happen upon; to see incidentally; occasional; accidental -偶语弃市,ǒu yǔ qì shì,chance remarks can lead to public execution (idiom) -偶蹄,ǒu tí,artiodactyl (zoology) -偶蹄目,ǒu tí mù,"Artiodactyla (even-toed ungulates, such as pigs, cows, giraffes etc)" -偶蹄类,ǒu tí lèi,"Artiodactyla (even-toed ungulates, such as pigs, cows, giraffes etc)" -偶遇,ǒu yù,to meet by chance -偷,tōu,to steal; to pilfer; to snatch; thief; stealthily -偷偷,tōu tōu,stealthily; secretly; covertly; furtively; on the sly -偷偷摸摸,tōu tōu mō mō,surreptitious; sneaky -偷加,tōu jiā,to surreptitiously add (sth that shouldn't be there) -偷去,tōu qù,to steal; to make off with; stolen -偷取,tōu qǔ,to steal -偷吃,tōu chī,to eat on the sly; to pilfer food; to be unfaithful -偷天换日,tōu tiān huàn rì,to engage in fraudulent activities (idiom); skulduggery; to hoodwink people; to cheat sb audaciously -偷安,tōu ān,to shirk responsibility; thoughtless pleasure-seeking -偷工,tōu gōng,to skimp on the job; to avoid work -偷工减料,tōu gōng jiǎn liào,to skimp on the job and stint on materials (idiom); jerry-building; sloppy work -偷情,tōu qíng,to carry on a clandestine love affair -偷惰,tōu duò,to skive off work; to be lazy -偷懒,tōu lǎn,to goof off; to be lazy -偷拍,tōu pāi,to take a picture of a person without permission or without their knowledge -偷排,tōu pái,to dump illegally -偷换,tōu huàn,to substitute on the sly -偷梁换柱,tōu liáng huàn zhù,lit. to steal a rafter and replace it with a column; to replace the original with a fake; to perpetrate a fraud (idiom) -偷渡,tōu dù,illegal immigration; to stowaway (on a ship); to steal across the international border; to run a blockade -偷渡者,tōu dù zhě,smuggled illegal alien; stowaway -偷漏,tōu lòu,to evade (taxes) -偷汉,tōu hàn,(of a woman) to take a lover -偷汉子,tōu hàn zi,(of a woman) to take a lover -偷猎,tōu liè,to poach -偷猎者,tōu liè zhě,poacher -偷生,tōu shēng,to live without purpose -偷盗,tōu dào,to steal -偷看,tōu kàn,to peep; to peek; to steal a glance -偷眼,tōu yǎn,to take a furtive look at -偷税,tōu shuì,tax evasion -偷空,tōu kòng,to take some time out; to make use of a spare moment -偷窥,tōu kuī,to peep; to peek; to act as voyeur -偷窥狂,tōu kuī kuáng,voyeur; peeping tom -偷窃,tōu qiè,to steal; to pilfer -偷笑,tōu xiào,to laugh up one's sleeve -偷听,tōu tīng,to eavesdrop; to monitor (secretly) -偷腥,tōu xīng,to cheat on one's spouse; to have an affair -偷袭,tōu xí,to mount a sneak attack; to raid -偷跑,tōu pǎo,"to sneak off; to slip away; (sports) to jump the gun; to make a false start; (fig.) to jump the gun; to start doing sth before it's allowed; (of a movie, game etc) to be leaked before the official release" -偷运,tōu yùn,to smuggle -偷闲,tōu xián,to snatch a moment of leisure; to take a break from work; also written 偷閒|偷闲[tou1 xian2] -偷闲,tōu xián,to snatch a moment of leisure; to take a break from work -偷鸡不成蚀把米,tōu jī bù chéng shí bǎ mǐ,lit. to try to steal a chicken only to end up losing the rice used to lure it (idiom); fig. to try to gain an advantage only to end up worse off; to go for wool and come back shorn -偷鸡不着蚀把米,tōu jī bù zháo shí bǎ mǐ,see 偷雞不成蝕把米|偷鸡不成蚀把米[tou1 ji1 bu4 cheng2 shi2 ba3 mi3] -偷鸡摸狗,tōu jī mō gǒu,to imitate the dog and steal chicken (idiom); to pilfer; to dally with women; to have affairs -偷香窃玉,tōu xiāng qiè yù,"lit. stolen scent, pilfered jade (idiom); philandering; secret illicit sex" -咱,zán,variant of 咱[zan2] -伪,wěi,false; fake; forged; bogus; (prefix) pseudo-; Taiwan pr. [wei4] -伪代码,wěi dài mǎ,pseudocode -伪劣,wěi liè,inferior; false -伪君子,wěi jūn zǐ,hypocrite -伪命题,wěi mìng tí,"false proposition; fundamentally flawed notion; (in popular usage, can also refer to anything based on a flawed notion, such as a false dichotomy or a question that starts with a false premise)" -伪善,wěi shàn,hypocritical -伪善者,wěi shàn zhě,hypocrite -伪基百科,wěi jī bǎi kē,Uncyclopedia (satirical website parodying Wikipedia) -伪币,wěi bì,counterfeit currency -伪托,wěi tuō,faking a modern object as an ancient one -伪书,wěi shū,forged book; book of dubious authenticity; misattributed book; Apocrypha -伪朝,wěi cháo,illegitimate dynasty; pretender dynasty -伪科学,wěi kē xué,pseudoscience -伪纪录片,wěi jì lù piàn,mockumentary -伪经,wěi jīng,forged scriptures; bogus classic; pseudepigrapha; apocrypha -伪装,wěi zhuāng,to pretend to be (asleep etc); to disguise oneself as; pretense; disguise; (military) to camouflage; camouflage -伪证,wěi zhèng,perjury -伪军,wěi jūn,puppet army -伪迹,wěi jì,artifact (artificial feature) -伪造,wěi zào,to forge; to fake; to counterfeit -伪造品,wěi zào pǐn,counterfeit object; forgery; fake -伪造者,wěi zào zhě,forger -伪钞,wěi chāo,counterfeit currency -伪阴性,wěi yīn xìng,false negative -伪阳性,wěi yáng xìng,false positive -伪顶,wěi dǐng,false roof -伪饰,wěi shì,to prettify; to dress (sth) up -傀,guī,grand; strange; exotic -傀,kuǐ,used in 傀儡[kui3lei3] -傀儡,kuǐ lěi,(lit. and fig.) puppet -傀儡戏,kuǐ lěi xì,puppet show -傀儡政权,kuǐ lěi zhèng quán,puppet state; puppet regime -傅,fù,surname Fu -傅,fù,(bound form) instructor; (literary) to instruct; to attach; to apply (makeup etc) -傅作义,fù zuò yì,"Fu Zuoyi (1895-1974), Guomindang general, subsequently PRC top general and politician" -傅会,fù huì,variant of 附會|附会[fu4 hui4] -傅柯,fù kē,"Michel Foucault (1926-1984), French philosopher (Tw)" -傅科摆,fù kē bǎi,Foucault's pendulum -傅立叶,fù lì yè,"Charles Fourier (French sociologist and socialist, 1772-1837)" -傅立叶变换,fù lì yè biàn huàn,(math.) Fourier transform -傅说,fù shuō,"Fu Shuo (c. 14th century BC), legendary sage and principal minister of Shang ruler Wu Ding" -傅里叶,fù lǐ yè,"Jean-Baptiste-Joseph Fourier (French mathematician, 1768-1830)" -傈,lì,used in 傈僳[Li4 su4] -傈僳,lì sù,Lisu ethnic group of Yunnan -傈僳族,lì sù zú,Lisu ethnic group of Yunnan -傍,bàng,"near; approaching; to depend on; (slang) to have an intimate relationship with sb; Taiwan pr. [pang2], [bang1], [bang4]" -傍亮,bàng liàng,dawn; daybreak -傍人篱壁,bàng rén lí bì,to depend on others -傍人门户,bàng rén mén hù,to be dependent upon sb -傍午,bàng wǔ,towards noon; just before midday -傍大款,bàng dà kuǎn,to live off a rich man -傍家儿,bàng jiā er,lover; partner -傍户而立,bàng hù ér lì,to stand close to the door -傍晚,bàng wǎn,in the evening; when night falls; towards evening; at night fall; at dusk -傍柳随花,bàng liǔ suí huā,prostitute -傍近,bàng jìn,to be close to -傍边,bàng biān,near; beside -傍黑,bàng hēi,dusk -杰,jié,(bound form) hero; heroic; outstanding person; prominent; distinguished -杰伊汉港,jié yī hàn gǎng,Ceyhan (Turkish Mediterranean port) -杰佛兹,jié fó zī,"James Jeffords (1934-2014), former US Senator from Vermont" -杰作,jié zuò,masterpiece -杰克,jié kè,Jack (name) -杰克森,jié kè sēn,Jackson (name) -杰克逊,jié kè xùn,"Jackson (name); Jackson city, capital of Mississippi" -杰出,jié chū,outstanding; distinguished; remarkable; prominent; illustrious -杰利蝾螈,jié lì róng yuán,gerrymander (loanword) -杰士派,jié shì pài,"Gatsby, Japanese cosmetics brand" -杰夫,jié fū,Jeff or Geoff (name) -杰奎琳,jié kuí lín,Jacqueline (name) -杰弗逊,jié fú xùn,Jefferson; capital of Missouri -杰拉,jié lā,Gela (city in Sicily) -杰拉德,jié lā dé,Gerrard (name) -杰斐逊城,jié fěi xùn chéng,"Jefferson City, capital of Missouri" -杰瑞,jié ruì,Jerry or Gerry (name) -杰米,jié mǐ,(name) Jamie; Jim -杰西,jié xī,Jesse (name) -杰西卡,jié xī kǎ,Jessica (name) -杰里科,jié lǐ kē,Jericho (town in West Bank) -杰里米,jié lǐ mǐ,Jeremy (name) -傕,jué,surname Jue -傕,jué,used in old names -伧,cāng,low fellow; rustic; rude; rough -伞,sǎn,umbrella; parasol; CL:把[ba3] -伞下,sǎn xià,under the umbrella of -伞兵,sǎn bīng,paratrooper -伞形,sǎn xíng,umbrella-shaped -伞形科,sǎn xíng kē,"Umbelliferae or Apiaceae, plant family containing carrot, coriander etc" -伞菌,sǎn jùn,agaric -伞降,sǎn jiàng,to parachute into; parachuting -备,bèi,(bound form) to prepare; to equip; (literary) fully; in every possible way -备下,bèi xià,to prepare; to arrange (sth to be offered) -备件,bèi jiàn,spare parts -备份,bèi fèn,backup -备取,bèi qǔ,to be on the waiting list (for admission to a school) -备受,bèi shòu,to fully experience (good or bad) -备品,bèi pǐn,machine parts or tools kept in reserve; spare parts -备尝辛苦,bèi cháng xīn kǔ,to have suffered all kinds of hardships (idiom) -备妥,bèi tuǒ,to get sth ready -备孕,bèi yùn,to be trying to get pregnant -备忘录,bèi wàng lù,memorandum; aide-memoire; memorandum book -备悉,bèi xī,to know all about; to be informed of all the details -备战,bèi zhàn,prepared against war; to prepare for war; warmongering -备抵,bèi dǐ,an allowance; to allow for (a drop in value) (accountancy) -备援,bèi yuán,backup (Tw) -备料,bèi liào,to get the materials ready; to prepare feed (for livestock) -备查,bèi chá,for future reference -备案,bèi àn,to put on record; to file -备用,bèi yòng,reserve; spare; alternate; backup -备用二级头呼吸器,bèi yòng èr jí tóu hū xī qì,(scuba diving) backup regulator; octopus -备用环,bèi yòng huán,backup ring -备皮,bèi pí,"to prep a patient's skin prior to surgery (shaving hair, cleansing etc)" -备细,bèi xì,details; particulars -备考,bèi kǎo,"to prepare for an exam; (of an appendix, note etc) for reference" -备而不用,bèi ér bù yòng,have sth ready just in case; keep sth for possible future use -备耕,bèi gēng,to make preparations for plowing and sowing -备胎,bèi tāi,spare tire; (slang) fallback guy (or girl) -备至,bèi zhì,to the utmost; in every possible way -备荒,bèi huāng,to prepare against natural disasters -备注,bèi zhù,remarks column (abbr. for 備註欄|备注栏[bei4 zhu4 lan2]); remarks; notes (written in such a column) -备注栏,bèi zhù lán,remarks column -备课,bèi kè,(of a teacher) to prepare lessons -备办,bèi bàn,to provide (items for an event); to cater; to make preparations -备选,bèi xuǎn,"alternative (plan, arrangement, strategy etc)" -效,xiào,to imitate (variant of 效[xiao4]) -效仿,xiào fǎng,see 仿傚|仿效[fang3xiao4] -家,jiā,used in 傢伙|家伙[jia1 huo5] and 傢俱|家俱[jia1 ju4] -家伙,jiā huo,variant of 家伙[jia1 huo5] -家俱,jiā jù,variant of 家具[jia1 ju4] -傣,dǎi,Dai (ethnic group) -催,cuī,to urge; to press; to prompt; to rush sb; to hasten sth; to expedite -催乳,cuī rǔ,to promote lactation; to stimulate lactation (e.g. with drug) -催乳激素,cuī rǔ jī sù,prolactin -催促,cuī cù,to urge -催化,cuī huà,catalysis; to catalyze (a reaction) -催化作用,cuī huà zuò yòng,catalysis -催化剂,cuī huà jì,catalyst -催吐,cuī tù,to induce vomiting -催吐剂,cuī tù jì,an emetic -催命,cuī mìng,to press sb to death; fig. to pressurize sb continually -催奶,cuī nǎi,to promote lactation; to stimulate lactation (e.g. with drug) -催婚,cuī hūn,"to urge sb (typically, one's adult child or nephew etc) to get married" -催情,cuī qíng,to promote estrus; to bring an animal to heat by artificial means -催收,cuī shōu,to urge sb to provide sth; (esp.) to press (for payment of a debt); debt collection -催更,cuī gēng,(slang) (of a follower) to urge (a blogger etc) to post some fresh content (abbr. for 催促更新[cui1 cu4 geng1 xin1]) -催泪,cuī lèi,to move to tears (of a story); tear-provoking (gas); lacrimogen -催泪剂,cuī lèi jì,lachrymator -催泪大片,cuī lèi dà piàn,tear-jerker (movie) -催泪弹,cuī lèi dàn,tear bomb; tear-gas grenade -催泪瓦斯,cuī lèi wǎ sī,tear gas -催熟,cuī shú,to promote ripening of fruit -催生,cuī shēng,to pressure a younger relative to hurry up and have a baby; (obstetrics) to induce labor; to expedite childbirth; (fig.) to be a driving force in bringing sth into existence -催生婆,cuī shēng pó,midwife who induces labor -催生素,cuī shēng sù,oxytocin -催生者,cuī shēng zhě,driving force behind sth -催产,cuī chǎn,to induce labor; to expedite childbirth -催眠,cuī mián,hypnosis -催眠曲,cuī mián qǔ,lullaby -催眠状态,cuī mián zhuàng tài,hypnosis -催眠药,cuī mián yào,soporific drug -催眠术,cuī mián shù,hypnotism; hypnotherapy; mesmerism -催肥,cuī féi,to fatten (animal before slaughter) -催肥剂,cuī féi jì,(animal) fattening preparation -催膘,cuī biāo,to feed livestock with highly nutritional food in order to fatten them up in a short time -催芽,cuī yá,to promote germination -催讨,cuī tǎo,to demand repayment of debt -催证,cuī zhèng,to call for the issue of a letter of credit (international trade) -催谷,cuī gǔ,to boost; to propel -催逼,cuī bī,to press (for a payment) -佣,yōng,to hire; to employ; servant; hired laborer; domestic help -佣人,yōng rén,servant -佣人领班,yōng rén lǐng bān,butler -佣兵,yōng bīng,mercenary; hired gun -佣婢,yōng bì,servant girl -佣妇,yōng fù,maid; female servant; domestic worker; domestic helper; housekeeper -佣工,yōng gōng,hired laborer; servant -偬,zǒng,busy; hurried; despondent -傲,ào,proud; arrogant; to despise; unyielding; to defy -傲人,ào rén,worthy of pride; impressive; enviable -傲娇,ào jiāo,"(coll.) presenting as unfriendly and blunt, but warm and tender inside (loanword from Japanese ""tsundere"")" -傲岸,ào àn,proud; haughty -傲慢,ào màn,arrogant; haughty -傲慢与偏见,ào màn yǔ piān jiàn,"Pride and Prejudice, novel by Jane Austen 珍·奧斯汀|珍·奥斯汀[Zhen1 · Ao4 si1 ting1]" -傲气,ào qì,air of arrogance; haughtiness -傲然,ào rán,loftily; proudly; unyieldingly -傲睨,ào nì,to look down upon -傲立,ào lì,to stand proudly -傲视,ào shì,to turn up one's nose; to show disdain for; to regard superciliously -傲视群伦,ào shì qún lún,outstanding talent (idiom); incomparable artistic merit; accomplishment out of the ordinary -傲骨,ào gǔ,lofty and unyielding character -传,chuán,to pass on; to spread; to transmit; to infect; to transfer; to circulate; to conduct (electricity) -传,zhuàn,biography; historical narrative; commentaries; relay station -传三过四,chuán sān guò sì,to spread rumors; to gossip -传世,chuán shì,handed down from ancient times; family heirloom -传人,chuán rén,to teach; to impart; a disciple; descendant -传代,chuán dài,to pass to the next generation -传令,chuán lìng,to transmit an order -传令兵,chuán lìng bīng,(military) messenger; orderly -传来,chuán lái,(of a sound) to come through; to be heard; (of news) to arrive -传入,chuán rù,to import; transmitted inwards; afferent -传入神经,chuán rù shén jīng,afferent nerve (transmitting in to the brain); afferent neuron -传出,chuán chū,to transmit outwards; to disseminate; efferent (nerve) -传出神经,chuán chū shén jīng,efferent nerve (transmitting out from the brain); efferent neuron; motor nerve -传动,chuán dòng,drive (transmission in an engine) -传动器,chuán dòng qì,drive (engine) -传动带,chuán dòng dài,transmission belt -传动机构,chuán dòng jī gòu,transmission mechanism -传动比,chuán dòng bǐ,transmission ratio; gear ratio -传动系统,chuán dòng xì tǒng,transmission system; power drive -传动装置,chuán dòng zhuāng zhì,(automobile) transmission -传动轴,chuán dòng zhóu,drive shaft -传参,chuán cān,to pass an argument (computing) (abbr. for 傳遞參數|传递参数[chuan2 di4 can1 shu4]) -传名,chuán míng,to spread one's reputation -传告,chuán gào,to pass on (a message); to relay (the information) -传呼,chuán hū,to notify sb of a call; to call sb to the phone -传呼机,chuán hū jī,pager; beeper -传呼电话,chuán hū diàn huà,"neighborhood telephone, with sb in charge of notifying others when they receive a call" -传唱,chuán chàng,to pass on a song -传唤,chuán huàn,a summons (to the police); subpoena -传单,chuán dān,leaflet; flier; pamphlet -传回,chuán huí,to send back -传报,chuán bào,notification; memorial -传奇,chuán qí,legendary; fantasy saga; romance; short stories of the Tang and Song Dynasty -传奇人物,chuán qí rén wù,legendary person; legend (i.e. person) -传媒,chuán méi,media -传宗接代,chuán zōng jiē dài,to carry on one's ancestral line -传家,chuán jiā,to pass on through the generations -传家宝,chuán jiā bǎo,family heirloom -传寄,chuán jì,to send (message to sb); to communicate; to forward (message) -传写,chuán xiě,to copy; to pass on a copy -传导,chuán dǎo,"to conduct (heat, electricity etc)" -传布,chuán bù,to spread; to propagate; to disseminate -传帮带,chuán bāng dài,to pass on experience (to the next generation) -传心术,chuán xīn shù,telepathy -传情,chuán qíng,to pass on amorous feelings; to send one's love to sb -传感,chuán gǎn,sensing (electronics); telepathy -传感器,chuán gǎn qì,sensor; transducer -传戒,chuán jiè,(Buddhism) to initiate sb for monkhood or nunhood -传承,chuán chéng,to pass on (to future generations); passed on (from former times); a continued tradition; an inheritance -传抄,chuán chāo,to copy (a text) from person to person; (of a text) to be transmitted by copying -传授,chuán shòu,to impart; to pass on; to teach -传扬,chuán yáng,to spread (by word of mouth) -传播,chuán bō,to disseminate; to propagate; to spread -传播四方,chuán bō sì fāng,to disseminate in every direction (idiom) -传教,chuán jiào,to preach; missionary; to evangelize -传教团,chuán jiào tuán,a mission (group of missionaries) -传教士,chuán jiào shì,missionary -传旨,chuán zhǐ,issue a decree -传书鸽,chuán shū gē,carrier pigeon (used for mail) -传本,chuán běn,edition (of a book) currently in circulation -传染,chuán rǎn,to infect; contagious -传染性,chuán rǎn xìng,infectious; contagious; infectiousness; transmissibility -传染源,chuán rǎn yuán,source of an infection -传染病,chuán rǎn bìng,infectious disease; contagious disease; communicable disease -传染病学,chuán rǎn bìng xué,epidemiology -传檄,chuán xí,to circulate (a protest or call to arms); to promulgate -传法,chuán fǎ,to pass on doctrines from master to disciple (Buddhism) -传流,chuán liú,to spread; to hand down; to circulate -传热,chuán rè,to transmit heat -传热学,zhuàn rè xué,theory of heat; heat transmission (physics) -传灯,chuán dēng,to pass on the light of Buddha -传球,chuán qiú,(sports) to pass the ball -传略,zhuàn lüè,biographical sketch -传发,chuán fā,to order sb to start on a journey -传真,chuán zhēn,fax; facsimile -传真机,chuán zhēn jī,fax machine -传真发送,chuán zhēn fā sòng,fax transmission -传真号码,chuán zhēn hào mǎ,fax number -传真电报,chuán zhēn diàn bào,phototelegram -传神,chuán shén,vivid; lifelike -传票,chuán piào,summons; subpoena; voucher -传种,chuán zhǒng,to reproduce; to propagate -传粉,chuán fěn,pollination; to pollinate -传给,chuán gěi,to pass on to; to transfer to; to hand on to; (in football etc) to pass to -传统,chuán tǒng,tradition; traditional; convention; conventional; CL:個|个[ge4] -传统中国医药,chuán tǒng zhōng guó yī yào,Chinese traditional medicine -传统词类,chuán tǒng cí lèi,traditional parts of speech (grammar) -传统医药,chuán tǒng yī yào,Chinese traditional medicine -传经,chuán jīng,to pass on scripture; to teach Confucian doctrine; to pass on one's experience -传习,chuán xí,teaching and learning; to study and impart -传闻,chuán wén,rumor -传闻证据,chuán wén zhèng jù,hearsay (law) -传声,chuán shēng,microphone; to use a microphone -传声器,chuán shēng qì,microphone -传声筒,chuán shēng tǒng,loudhailer; megaphone; one who parrots sb; mouthpiece -传艺,chuán yì,to impart skills; to pass on one's art -传见,chuán jiàn,to summon for an interview -传观,chuán guān,to pass sth around (for others to look at) -传言,chuán yán,rumor; hearsay -传讯,chuán xùn,to summon (a witness); to subpoena -传记,zhuàn jì,"biography; CL:篇[pian1],部[bu4]" -传话,chuán huà,to pass on a story; to communicate a message -传话人,chuán huà rén,messenger; communicator; relay -传语,chuán yǔ,to pass on (information) -传诵,chuán sòng,widely known; on everyone's lips -传说,chuán shuō,legend; folk tale; to repeat from mouth to mouth; they say that... -传讲,chuán jiǎng,to preach -传谣,chuán yáo,to spread rumors -传译,chuán yì,to translate; to interpret -传质,chuán zhì,"(chemistry) mass transfer (as observed in processes like evaporation, distillation and membrane filtration)" -传赞,zhuàn zàn,postscript to a biography -传载,chuán zǎi,to reprint; to repost; to transmit (in writing etc) -传输,chuán shū,to transmit; transmission -传输协定,chuán shū xié dìng,transfer protocol; transportation protocol -传输媒界,chuán shū méi jiè,transport method -传输媒质,chuán shū méi zhì,transmission medium -传输媒体,chuán shū méi tǐ,transmission medium -传输层,chuán shū céng,transport layer -传输技术,chuán shū jì shù,transmission technology -传输控制,chuán shū kòng zhì,transmission control -传输控制协定,chuán shū kòng zhì xié dìng,transmission control protocol; TCP -传输服务,chuán shū fú wù,transport service -传输模式,chuán shū mó shì,transfer mode; transmission method -传输率,chuán shū lǜ,transmission rate -传输线,chuán shū xiàn,transmission line -传输设备,chuán shū shè bèi,transmission facility; transmission equipment -传输距离,chuán shū jù lí,transmission distance -传输通道,chuán shū tōng dào,transport channel -传输速率,chuán shū sù lǜ,transmission rate; transmission speed -传述,chuán shù,to relay; to retell -传送,chuán sòng,to convey; to deliver; to transmit -传送带,chuán sòng dài,conveyor belt; transmission belt -传送服务,chuán sòng fú wù,delivery service -传遍,chuán biàn,to spread widely -传道,chuán dào,to lecture on doctrine; to expound the wisdom of ancient sages; to preach; a sermon -传道受业,chuán dào shòu yè,to teach (idiom); lit. to give moral and practical instruction -传道书,chuán dào shū,Ecclesiastes (biblical book of sermons) -传道者,chuán dào zhě,missionary; preacher -传道部,chuán dào bù,mission -传达,chuán dá,to pass on; to convey; to relay; to transmit; transmission -传达员,chuán dá yuán,usher; receptionist -传达室,chuán dá shì,reception office; janitor's office -传递,chuán dì,to transmit; to pass on to sb else; (math.) transitive -传递者,chuán dì zhě,messenger; transmitter (of information) -传销,chuán xiāo,multi-level marketing -传开,chuán kāi,(of news) to spread; to get around -传阅,chuán yuè,to read and pass on; to pass on for perusal -传颂,chuán sòng,to eulogize; to pass on praise -伛,yǔ,hunchbacked -债,zhài,debt; CL:筆|笔[bi3] -债主,zhài zhǔ,creditor -债券,zhài quàn,bond; debenture -债务,zhài wù,debt; liability; amount due; indebtedness -债务人,zhài wù rén,debtor -债务担保证券,zhài wù dān bǎo zhèng quàn,"collateralized debt obligation (CDO), type of bond" -债务证券,zhài wù zhèng quàn,debt security; bond security -债务证书,zhài wù zhèng shū,debt instrument -债户,zhài hù,debtor -债权,zhài quán,creditor's rights (law) -债权人,zhài quán rén,creditor -债权国,zhài quán guó,creditor country -债款,zhài kuǎn,debt -债台高筑,zhài tái gāo zhù,lit. build a high desk of debt (idiom); heavily in debt -伤,shāng,to injure; injury; wound -伤不起,shāng bù qǐ,(slang) it's just the pits!; so unfair!; unbearable -伤亡,shāng wáng,casualties; injuries and deaths -伤人,shāng rén,to injure sb -伤俘,shāng fú,wounded and captured -伤停补时,shāng tíng bǔ shí,(sports) injury time -伤别,shāng bié,sorrowful farewell; sad goodbye -伤势,shāng shì,condition of an injury -伤及无辜,shāng jí wú gū,to harm the innocent (idiom) -伤口,shāng kǒu,wound; cut -伤和气,shāng hé qi,to damage a good relationship; to hurt sb's feelings -伤员,shāng yuán,wounded person -伤天害理,shāng tiān hài lǐ,to offend Heaven and reason (idiom); bloody atrocities that cry to heaven; outrageous acts -伤害,shāng hài,to injure; to harm -伤寒,shāng hán,typhoid -伤寒沙门氏菌,shāng hán shā mén shì jūn,salmonella typhimurium -伤寒症,shāng hán zhèng,typhoid -伤弓之鸟,shāng gōng zhī niǎo,see 驚弓之鳥|惊弓之鸟[jing1 gong1 zhi1 niao3] -伤心,shāng xīn,to grieve; to be broken-hearted; to feel deeply hurt -伤心惨目,shāng xīn cǎn mù,(idiom) too appalling to look at -伤心致死,shāng xīn zhì sǐ,to grieve to death; to die of a broken-heart -伤心蒿目,shāng xīn hāo mù,to grieve; broken-hearted -伤患,shāng huàn,injured person -伤悲,shāng bēi,sad; sorrowful (literary) -伤悼,shāng dào,to grieve for deceased relative; to mourn -伤感,shāng gǎn,sad; emotional; sentimental; pathos -伤怀,shāng huái,grieved; full of sorrow -伤残,shāng cán,disabled; maimed; crippled; (of objects) damaged -伤残人员,shāng cán rén yuán,the injured; wounded personnel -伤毫毛,shāng háo máo,see 動毫毛|动毫毛[dong4 hao2 mao2] -伤疤,shāng bā,scar; CL:道[dao4] -伤病员,shāng bìng yuán,the sick and the wounded -伤痕,shāng hén,scar; bruise -伤痕累累,shāng hén lěi lěi,cuts and bruises all over the body -伤痛,shāng tòng,pain (from wound); sorrow -伤筋动骨,shāng jīn dòng gǔ,to suffer serious injury (idiom) -伤筋断骨,shāng jīn duàn gǔ,to suffer serious injury (idiom) -伤者,shāng zhě,casualty; victim (of an accident); wounded person -伤耗,shāng hào,damage (e.g. to goods in transit) -伤脑筋,shāng nǎo jīn,to be a real headache; to find sth a real headache; to beat one's brains -伤号,shāng hào,casualties; wounded soldiers -伤身,shāng shēn,to be harmful to one's health -伤透,shāng tòu,to break (sb's heart); to cause grief to -伤道,shāng dào,wound track (the path of a bullet through the body) -伤风,shāng fēng,to catch cold -伤风败俗,shāng fēng bài sú,offending public morals (idiom) -傺,chì,to detain; to hinder -傻,shǎ,foolish -傻不愣登,shǎ bù lèng dēng,stupid; dazed -傻乎乎,shǎ hū hū,feeble-minded; dim-witted -傻人有傻福,shǎ rén yǒu shǎ fú,fortune favors fools (idiom); fool's luck -傻冒,shǎ mào,idiot; fool; foolish -傻叉,shǎ chā,fool; blockhead -傻大个,shǎ dà gè,idiot; blockhead; clod; oaf -傻大个儿,shǎ dà gè er,stupid great hulk of a man -傻子,shǎ zi,idiot; fool -傻屄,shǎ bī,stupid cunt (vulgar) -傻帽,shǎ mào,fool; idiot; foolish; stupid -傻帽儿,shǎ mào er,erhua variant of 傻帽[sha3 mao4] -傻愣愣,shǎ lèng lèng,staring stupidly; petrified -傻气,shǎ qì,foolish; foolishness -傻爆眼,shǎ bào yǎn,(slang) stunned; flabbergasted (emphatic form of 傻眼[sha3yan3]) -傻瓜,shǎ guā,idiot; fool -傻瓜干面,shǎ guā gān miàn,"boiled noodles served without broth, topped with just a sprinkle of oil and some chopped spring onions, to which customers add vinegar, soy sauce or chili oil according to their taste" -傻瓜式,shǎ guā shì,foolproof -傻瓜相机,shǎ guā xiàng jī,point-and-shoot camera; compact camera -傻白甜,shǎ bái tián,"(Internet slang) sweet, naive young woman" -傻眼,shǎ yǎn,(coll.) stunned; dumbfounded; flabbergasted -傻笑,shǎ xiào,to giggle; to laugh foolishly; to smirk; to simper -傻蛋,shǎ dàn,stupid young fellow; idiot -傻里傻气,shǎ li shǎ qì,foolish; stupid -傻话,shǎ huà,foolish talk; nonsense -傻逼,shǎ bī,variant of 傻屄[sha3 bi1] -傻头傻脑,shǎ tóu shǎ nǎo,moronic -倾,qīng,to overturn; to collapse; to lean; to tend; to incline; to pour out -倾佩,qīng pèi,to admire greatly -倾倒,qīng dǎo,to topple over; to greatly admire -倾倒,qīng dào,to dump; to pour; to empty out -倾侧,qīng cè,to lean to one side; slanting -倾力,qīng lì,to do one's utmost -倾动,qīng dòng,to admire -倾危,qīng wēi,in danger of collapse; in a parlous state; (of person) treacherous -倾卸,qīng xiè,to tip; to dump by tipping from a vehicle -倾吐,qīng tǔ,to pour out (emotions); to unburden oneself (of strong feelings); to vomit comprehensively -倾吐胸臆,qīng tǔ xiōng yì,to pour out one's heart -倾吐衷肠,qīng tǔ zhōng cháng,to pour out (emotions); to pour one's heart out; to say everything that is on one's mind -倾向,qīng xiàng,trend; tendency; orientation -倾向性,qīng xiàng xìng,tendency; inclination; orientation -倾向于,qīng xiàng yú,to incline to; to prefer; to be prone to -倾囊,qīng náng,to empty out one's pocket; (fig.) to give everything one has (to help) -倾国倾城,qīng guó qīng chéng,lit. capable of causing the downfall of a city or state (idiom); fig. (of a woman) devastatingly beautiful; also written 傾城傾國|倾城倾国[qing1 cheng2 qing1 guo2] -倾城,qīng chéng,coming from everywhere; from all over the place; gorgeous (of woman); to ruin and overturn the state -倾城倾国,qīng chéng qīng guó,lit. capable of causing the downfall of a city or state (idiom); fig. (of a woman) devastatingly beautiful -倾家,qīng jiā,to ruin a family; to lose a fortune -倾家荡产,qīng jiā dàng chǎn,to lose a family fortune (idiom) -倾巢,qīng cháo,lit. the whole nest came out (to fight us); a turnout in full force (of a gang of villains) -倾巢来犯,qīng cháo lái fàn,to turn out in force ready to attack (idiom) -倾巢而出,qīng cháo ér chū,the whole nest came out (idiom); to turn out in full strength -倾心,qīng xīn,to admire wholeheartedly; to fall in love with -倾心吐胆,qīng xīn tǔ dǎn,to pour out one's heart (idiom) -倾慕,qīng mù,to adore; to admire greatly -倾斜,qīng xié,to incline; to lean; to slant; to slope; to tilt -倾斜度,qīng xié dù,inclination (from the horizontal or vertical); slope; obliquity -倾服,qīng fú,to admire -倾泄,qīng xiè,to cascade down; to flow in torrents; (fig.) outpouring (of emotions) -倾注,qīng zhù,to throw into -倾泻,qīng xiè,to pour down in torrents -倾盆,qīng pén,a downpour; rain bucketing down -倾盆大雨,qīng pén dà yǔ,a downpour; rain bucketing down; (fig.) to be overwhelmed (with work or things to study) -倾尽,qīng jìn,to do all one can; to give all one has -倾箱倒箧,qīng xiāng dào qiè,(idiom) to exhaust all one has; to leave no stone unturned; to try one's best -倾羡,qīng xiàn,to admire; to adore -倾翻,qīng fān,to overturn; to topple; to tip -倾耳,qīng ěr,to prick up one's ear; to listen attentively -倾耳细听,qīng ěr xì tīng,to prick up one's ear and listen carefully -倾耳而听,qīng ěr ér tīng,to listen attentively -倾听,qīng tīng,to listen attentively -倾听者,qīng tīng zhě,listener -倾盖,qīng gài,to meet in passing; to get on well at first meeting -倾覆,qīng fù,to capsize; to collapse; to overturn; to overthrow; to undermine -倾角,qīng jiǎo,dip; angle of dip (inclination of a geological plane down from horizontal); tilt (inclination of ship from vertical) -倾诉,qīng sù,to say everything (that is on one's mind) -倾谈,qīng tán,to have a good talk -倾轧,qīng yà,conflict; internal strife; dissension -倾销,qīng xiāo,"to dump (goods, products)" -倾陷,qīng xiàn,to frame (an innocent person); to collapse -倾颓,qīng tuí,to collapse; to topple; to capsize -傿,yān,name of an immortal; ancient place name; surname Yan -傿,yàn,fraudulent price -偻,lóu,hunchback -偻,lǚ,crookbacked -仅,jǐn,barely; only; merely -仅作参考,jǐn zuò cān kǎo,for reference only -仅供,jǐn gōng,only for -仅供参考,jǐn gōng cān kǎo,for reference only -仅仅,jǐn jǐn,barely; only; merely; only (this and nothing more) -仅次于,jǐn cì yú,second only to ...; ranking behind only ... -仅此而已,jǐn cǐ ér yǐ,that's all; just this and nothing more -佥,qiān,all -仙,xiān,variant of 仙[xian1] -像,xiàng,to resemble; to be like; to look as if; such as; appearance; image; portrait; image under a mapping (math.) -像元,xiàng yuán,pixel (remote sensing imagery) -像差,xiàng chā,(optics) aberration -像模像样,xiàng mú xiàng yàng,solemn; presentable; decent; Taiwan pr. [xiang4 mo2 xiang4 yang4] -像样,xiàng yàng,presentable; decent; up to par -像片,xiàng piàn,photo -像片簿,xiàng piàn bù,album; photo album; sketch book -像章,xiàng zhāng,badge; insignia; lapel badge (e.g. with miniature portrait of great national leader) -像素,xiàng sù,pixel -像话,xiàng huà,proper; appropriate (mostly used in the negative or in a rhetorical question) -像貌,xiàng mào,variant of 相貌[xiang4 mao4] -像那么回事儿,xiàng nà me huí shì er,not bad at all; quite impressive -侨,qiáo,emigrant; to reside abroad -侨务,qiáo wù,matters relating to the Chinese diaspora (as a concern of the Chinese government) -侨务委员会,qiáo wù wěi yuán huì,"Overseas Chinese Affairs Council, Taiwan" -侨居,qiáo jū,to live far away from one's native place; to reside in a foreign country -侨民,qiáo mín,expatriates -侨眷,qiáo juàn,family members of nationals residing abroad -侨胞,qiáo bāo,countryman living abroad -侨乡,qiáo xiāng,hometown of overseas Chinese -仆,pú,servant -仆人,pú rén,servant -仆役,pú yì,servant -仆欧,pú ōu,"(old) waiter (loanword from ""boy""); attendant" -僖,xī,surname Xi -僖,xī,cautious; merry; joyful -僚,liáo,surname Liao -僚,liáo,bureaucrat; colleague -僚机,liáo jī,wingman aircraft -伪,wěi,variant of 偽|伪[wei3] -侥,jiǎo,by mere luck -侥,yáo,used in 僬僥|僬侥[Jiao1 Yao2] -侥幸,jiǎo xìng,luckily; by a fluke -侥幸心理,jiǎo xìng xīn lǐ,trusting to luck; wishful thinking -僦,jiù,(literary) to rent; to hire; to lease -僧,sēng,(bound form) Buddhist monk (abbr. for 僧伽[seng1 qie2]) -僧人,sēng rén,monk -僧伽,sēng qié,(Buddhism) sangha; the monastic community; monk -僧侣,sēng lǚ,monk -僧俗,sēng sú,laymen; laity -僧加罗语,sēng jiā luó yǔ,Sinhalese (language) -僧多粥少,sēng duō zhōu shǎo,lit. many monks and not much gruel (idiom); fig. not enough to go around; demand exceeds supply -僧尼,sēng ní,(Buddhist) monks and nuns -僧帽水母,sēng mào shuǐ mǔ,(zoology) Portuguese man o' war (Physalia physalis) -僧帽猴,sēng mào hóu,capuchin monkey; genus Cebidae -僧帽瓣,sēng mào bàn,see 二尖瓣[er4 jian1 ban4] -僧徒,sēng tú,Buddhist monks -僧院,sēng yuàn,abbey; Buddhist monastery; vihara -偾,fèn,to instigate; to ruin; to destroy -僬,jiāo,used in 僬僥|僬侥[jiao1 yao2]; used in 僬僬[jiao1 jiao1] -僬侥,jiāo yáo,legendary dwarfs in the west of China; (by extension) barbarians in the southwest of China -僬僬,jiāo jiāo,(archaic) clear-minded; (archaic) bustling -僭,jiàn,(bound form) to overstep one's authority -僭主,jiàn zhǔ,tyrant; usurper -僭主政治,jiàn zhǔ zhèng zhì,tyranny; government by usurper -僭称,jiàn chēng,to give sb or sth a title one has no authority to give -僭越,jiàn yuè,to usurp; to overstep one's authority -僮,zhuàng,"old variant of 壯|壮, Zhuang ethnic group of Guangxi" -僮,tóng,servant boy -僮仆,tóng pú,boy servant -僮族,zhuàng zú,"old term for 壯族|壮族, Zhuang ethnic group of Guangxi" -雇,gù,variant of 雇[gu4] -雇用,gù yòng,to employ; to hire -僳,sù,Lisu ethnic group of Yunnan -僵,jiāng,rigid; deadlock; stiff (corpse) -僵住,jiāng zhù,motionless; unable to move -僵住症,jiāng zhù zhèng,catalepsy -僵化,jiāng huà,to become rigid -僵固性,jiāng gù xìng,rigidity -僵局,jiāng jú,impasse; deadlock -僵尸网络,jiāng shī wǎng luò,botnet; zombie network; slave network (used by spammers) -僵尸车,jiāng shī chē,(coll.) abandoned car -僵持,jiāng chí,to be deadlocked -僵直,jiāng zhí,stiff; rigid; inflexible -僵硬,jiāng yìng,stiff; rigid -僵卧,jiāng wò,to lie rigid and motionless -价,jià,price; value; (chemistry) valence -价,jie,great; good; middleman; servant -价位,jià wèi,price level -价值,jià zhí,"value; worth; fig. values (ethical, cultural etc); CL:個|个[ge4]" -价值增殖,jià zhí zēng zhí,adding value -价值工程,jià zhí gōng chéng,value engineering -价值标准,jià zhí biāo zhǔn,values; standards -价值观,jià zhí guān,system of values -价值连城,jià zhí lián chéng,invaluable; priceless -价值量,jià zhí liàng,"magnitude of value; labor value (in economics, the labor inherent in a commodity)" -价原,jià yuán,"Kagen or the Origin of Value by MIURA Baien 三浦梅園|三浦梅园[San1 pu3 Mei2 yuan2], pioneering study of economics comparable to Adam Smith's The Wealth of Nations 國富論|国富论[Guo2 fu4 lun4]" -价层,jià céng,valency shell (chemistry) -价差,jià chā,price difference -价廉物美,jià lián wù měi,inexpensive and of good quality (idiom) -价格,jià gé,price; CL:個|个[ge4] -价格标签,jià gé biāo qiān,price tag -价格表,jià gé biǎo,price list -价款,jià kuǎn,cost -价目,jià mù,(marked) price; tariff (in a restaurant etc) -价码,jià mǎ,price tag -价签,jià qiān,price tag -价钱,jià qian,price -价键,jià jiàn,valence bond (chemistry) -价电子,jià diàn zǐ,valency electron; outer shell of electrons -僻,pì,(bound form) remote; out of the way; off-center; eccentric -僻地,pì dì,the sticks; the boondocks -僻处,pì chǔ,to be located in (a remote place); to be hidden away in (an out-of-the-way area) -僻远,pì yuǎn,remote and faraway -僻静,pì jìng,lonely; secluded -仪,yí,apparatus; rites; appearance; present; ceremony -仪仗,yí zhàng,ceremonial weaponry -仪仗队,yí zhàng duì,honor guard; guard of honor; the banner bearing contingent leading a military procession -仪典,yí diǎn,ceremony -仪器,yí qì,instrument; apparatus; CL:臺|台[tai2] -仪器表,yí qì biǎo,gauge -仪容,yí róng,appearance -仪式,yí shì,ceremony -仪征,yí zhēng,"Yizheng, county-level city in Yangzhou 揚州|扬州[Yang2 zhou1], Jiangsu" -仪征市,yí zhēng shì,"Yizheng, county-level city in Yangzhou 揚州|扬州[Yang2 zhou1], Jiangsu" -仪态,yí tài,bearing; deportment -仪礼,yí lǐ,"Rites and Ceremonies, part of the Confucian Classic of Rites 禮記|礼记[Li3 ji4]" -仪节,yí jié,etiquette; ceremonial protocol -仪卫,yí wèi,guard of honor -仪表,yí biǎo,appearance; bearing; meter (i.e. measuring instrument) -仪表放大器,yí biǎo fàng dà qì,instrumentation amplifier -仪表盘,yí biǎo pán,dashboard; indicator panel -仪队,yí duì,honor guard; parade squad -仪陇,yí lǒng,"Yilong county in Nanchong 南充[Nan2 chong1], Sichuan" -仪陇县,yí lǒng xiàn,"Yilong county in Nanchong 南充[Nan2 chong1], Sichuan" -俊,jùn,variant of 俊[jun4] -侬,nóng,"you (Wu dialect); I, me (classical)" -亿,yì,100 million -亿万,yì wàn,millions and millions -亿万富翁,yì wàn fù wēng,billionaire; multimillionaire -亿万富豪,yì wàn fù háo,multimillionaire -儅,dāng,stop -儆,jǐng,to warn; to admonish -儆戒,jǐng jiè,to warn; to admonish -儇,xuān,(literary) ingenious; (literary) frivolous -侩,kuài,broker -俭,jiǎn,(bound form) frugal; thrifty -俭以防匮,jiǎn yǐ fáng kuì,"(idiom) waste not, want not" -俭以养廉,jiǎn yǐ yǎng lián,(idiom) frugality makes honesty -俭则不缺,jiǎn zé bù quē,"(idiom) waste not, want not" -俭学,jiǎn xué,to be frugal so that one can pay for one's education -俭朴,jiǎn pǔ,thrifty and simple -俭用,jiǎn yòng,to economize; to be frugal -俭省,jiǎn shěng,thrifty; economical; sparing -俭约,jiǎn yuē,frugal; economical; thrifty -俭素,jiǎn sù,thrifty and plain -俭腹,jiǎn fù,lacking in knowledge; ignorant -俭薄,jiǎn bó,meager; poor -儋,dān,carry -儋州,dān zhōu,"Danzhou City, Hainan" -儋州市,dān zhōu shì,"Danzhou city, Hainan" -儋县,dān xiàn,"Dan county, Hainan" -傧,bīn,best man; to entertain -傧相,bīn xiàng,attendant of the bride or bridegroom at a wedding -儒,rú,scholar; Confucian -儒士,rú shì,a Confucian scholar -儒学,rú xué,Confucianism -儒家,rú jiā,"Confucian school, founded by Confucius 孔子[Kong3 zi3] (551-479 BC) and Mencius 孟子[Meng4 zi3] (c. 372-c. 289 BC)" -儒教,rú jiào,Confucianism -儒林外史,rú lín wài shǐ,"The Scholars, satirical Qing dynasty novel by Wu Jingzi 吳敬梓|吴敬梓[Wu2 Jing4zi3]" -儒生,rú shēng,Confucian scholar (old) -儒略日,rú lüè rì,Julian day (astronomy) -儒者,rú zhě,Confucian -儒艮,rú gèn,dugong -儒雅,rú yǎ,scholarly; refined; cultured; courteous -俦,chóu,comrades; friends; companions -侪,chái,a class; a company; companion -拟,nǐ,doubtful; suspicious; variant of 擬|拟[ni3]; to emulate; to imitate -尽,jǐn,to the greatest extent; (when used before a noun of location) furthest or extreme; to be within the limits of; to give priority to -尽先,jǐn xiān,in the first instance; as a first priority -尽可能,jǐn kě néng,as far as possible; to the best of one's ability -尽快,jǐn kuài,as quickly as possible; as soon as possible -尽数,jǐn shù,(Tw) in its entirety; all of it; all of them -尽早,jǐn zǎo,as early as possible -尽管,jǐn guǎn,"despite; although; even though; in spite of; unhesitatingly; do not hesitate (to ask, complain etc); (go ahead and do it) without hesitating" -尽自,jǐn zi,always; always regardless (of anything) -尽量,jǐn liàng,as much as possible; to the greatest extent -偿,cháng,to repay; to compensate for; to recompense; to fulfill (hopes etc) -偿付,cháng fù,to pay back -偿债,cháng zhài,to repay a debt -偿命,cháng mìng,to pay with one's life -偿清,cháng qīng,to repay; to pay off a debt -偿还,cháng huán,to repay; to reimburse -儡,lěi,used in 傀儡[kui3lei3] -优,yōu,excellent; superior -优伶,yōu líng,(old) performing artist; actor; actress -优先,yōu xiān,to have priority; to take precedence -优先承购权,yōu xiān chéng gòu quán,prior purchase right; right of first refusal (ROFR); preemptive right to purchase -优先级,yōu xiān jí,(computing) priority level; (computing) precedence (of operators) -优先股,yōu xiān gǔ,preferred stock -优先认股权,yōu xiān rèn gǔ quán,preemptive right (in share issue) -优劣,yōu liè,good and bad; merits and drawbacks -优胜,yōu shèng,(of a contestant) winning; superior; excellent -优胜劣败,yōu shèng liè bài,see 優勝劣汰|优胜劣汰[you1 sheng4 lie4 tai4] -优胜劣汰,yōu shèng liè tài,survival of the fittest (idiom) -优势,yōu shì,superiority; dominance; advantage -优化,yōu huà,to optimize -优厚,yōu hòu,"generous, liberal (pay, compensation)" -优哉游哉,yōu zāi yóu zāi,see 悠哉悠哉[you1 zai1 you1 zai1] -优孟,yōu mèng,"You Meng, famous court jester during the reign of King Zhuang of Chu 楚莊王|楚庄王[Chu3 Zhuang1 wang2], known for his intelligence and sharp tongue" -优尼科,yōu ní kē,Unocal (US oil company) -优待,yōu dài,preferential treatment; to give preferential treatment -优待券,yōu dài quàn,discount coupon; complimentary ticket -优待票,yōu dài piào,reduced-price ticket (e.g. for students) -优惠,yōu huì,privilege; favorable (terms); preferential (treatment); discount (price) -优惠券,yōu huì quàn,coupon -优惠贷款,yōu huì dài kuǎn,loan on favorable terms; concessionary loan; soft loan -优于,yōu yú,to surpass -优柔,yōu róu,gentle; carefree; indecisive; weak -优柔寡断,yōu róu guǎ duàn,indecisive; irresolute -优格,yōu gé,yogurt (loanword) -优步,yōu bù,"Uber, app-based taxi company founded in 2009" -优渥,yōu wò,handsome (pay etc); generous; liberal -优生,yōu shēng,outstanding student; to give birth to healthy babies (typically involving prenatal screening and the abortion of offspring with a severe abnormality); to enhance the genetic quality of a population; eugenics -优生学,yōu shēng xué,eugenics -优异,yōu yì,exceptional; outstandingly good -优异奖,yōu yì jiǎng,excellence award; merit award -优盘,yōu pán,USB flash drive -优秀,yōu xiù,outstanding; excellent -优等,yōu děng,first-rate; of the highest order; high-class; excellent; superior -优美,yōu měi,graceful; fine; elegant -优良,yōu liáng,fine; good; first-rate -优衣库,yōu yī kù,"Uniqlo, Japanese clothing brand" -优裕,yōu yù,plenty; abundance -优角,yōu jiǎo,reflex angle -优诺牌,yōu nuò pái,Uno (card game) -优质,yōu zhì,excellent quality -优越,yōu yuè,superior; superiority -优游,yōu yóu,carefree; leisurely -优游自得,yōu yóu zì dé,free and at leisure (idiom); unfettered -优选,yōu xuǎn,to optimize; preferred -优酪乳,yōu luò rǔ,yogurt (loanword) (Tw) -优酷,yōu kù,"Youku, Chinese video hosting platform" -优雅,yōu yǎ,grace; graceful -优点,yōu diǎn,"merit; benefit; strong point; advantage; CL:個|个[ge4],項|项[xiang4]" -储,chǔ,surname Chu; Taiwan pr. [Chu2] -储,chǔ,(bound form) to store up; to keep in reserve; heir to the throne; Taiwan pr. [chu2] -储值,chǔ zhí,(Tw) to put money into (a stored-value card or pre-paid phone account); to top up -储值卡,chǔ zhí kǎ,"stored-value card; prepaid card (telephone, transport etc)" -储备,chǔ bèi,to store up; reserves -储备粮,chǔ bèi liáng,grain reserves -储备货币,chǔ bèi huò bì,reserve currency -储备金,chǔ bèi jīn,reserves (bank) -储君,chǔ jūn,heir apparent to a throne -储存,chǔ cún,stockpile; to store; to stockpile; storage -储币,chǔ bì,to deposit money -储户,chǔ hù,(bank) depositor -储气,chǔ qì,gas storage -储气罐,chǔ qì guàn,"gas tank (for gas, not gasoline)" -储水,chǔ shuǐ,to store water -储水管,chǔ shuǐ guǎn,standpipe (firefighting water storage system for a building) -储水箱,chǔ shuǐ xiāng,water-storage tank -储物,chǔ wù,to store things; to stow items -储物柜,chǔ wù guì,locker; cabinet -储精囊,chǔ jīng náng,seminal vesicle -储蓄,chǔ xù,to save money (in a bank); savings -储蓄卡,chǔ xù kǎ,debit card -储蓄帐户,chǔ xù zhàng hù,savings account (in bank) -储蓄率,chǔ xù lǜ,savings rate -储藏,chǔ cáng,"to store; deposit; (oil, mineral etc) deposits" -储藏室,chǔ cáng shì,storeroom; CL:間|间[jian1] -储量,chǔ liàng,"remaining quantity; reserves (of natural resources, oil etc)" -倏,shū,variant of 倏[shu1] -俪,lì,husband and wife -俪影,lì yǐng,photo of a (married) couple -傩,nuó,to exorcise demons -傩戏,nuó xì,Anhui local opera -傩神,nuó shén,exorcising God; God who drives away plague and evil spirits -傥,tǎng,if; unexpectedly -俨,yǎn,majestic; dignified -俨如,yǎn rú,(literary) to be exactly like; to be exactly as if -俨如白昼,yǎn rú bái zhòu,as bright as daylight (idiom) -俨然,yǎn rán,just like; solemn; dignified; neatly laid out -儿,rén,"variant of 人[ren2]; ""person"" radical in Chinese characters (Kangxi radical 10), occurring in 兒, 兀, 兄 etc" -兀,wù,surname Wu -兀,wù,cut off the feet; rising to a height; towering; bald -兀凳,wù dèng,Chinese-style low stool -兀立,wù lì,to stand upright and motionless -兀自,wù zì,(literary) still; yet -兀臬,wù niè,variant of 杌隉|杌陧[wu4nie4] -兀臲,wù niè,variant of 杌隉|杌陧[wu4nie4] -兀鹫,wù jiù,vulture; (bird species of China) griffon vulture (Gyps fulvus) -兀鹰,wù yīng,bald eagle -允,yǔn,just; fair; to permit; to allow -允准,yǔn zhǔn,to approve; to permit; approval; permission -允宜,yǔn yí,appropriate; apt -允文允武,yǔn wén yǔn wǔ,equally proficient in intellectual and military affairs -允当,yǔn dàng,proper; suitable -允许,yǔn xǔ,to permit; to allow -允诺,yǔn nuò,to promise; to consent (to do sth) -元,yuán,surname Yuan; Yuan dynasty (1279-1368) -元,yuán,currency unit (esp. Chinese yuan); (bound form) first; original; primary; (bound form) basic; fundamental; (bound form) constituent; part; (prefix) meta-; (math.) argument; variable; era (of a reign); (Tw) (geology) eon -元世祖,yuán shì zǔ,"lit. progenitor of the Yuan Dynasty (1279-1368), title of Khubilai Khan (1215-1294), first Yuan dynasty emperor, reigned 1260-1294" -元代,yuán dài,the Yuan or Mongol dynasty (1279-1368) -元件,yuán jiàn,element; component -元来,yuán lái,variant of 原來|原来[yuan2 lai2] -元元本本,yuán yuán běn běn,variant of 原原本本[yuan2 yuan2 ben3 ben3] -元凶,yuán xiōng,chief offender; main culprit -元勋,yuán xūn,leading light; founding father; principal proponent; also written 元勳|元勋 -元勋,yuán xūn,leading light; founding father; principal proponent -元古代,yuán gǔ dài,Proterozoic (geological era 2500-540m years ago) -元古宙,yuán gǔ zhòu,pre-Cambrian (geological eon 2500-645m) -元史,yuán shǐ,"History of the Yuan Dynasty, twenty third of the 24 dynastic histories 二十四史[Er4 shi2 si4 Shi3], compiled under Song Lian 宋濂[Song4 Lian2] in 1370 during the Ming Dynasty, 210 scrolls" -元器件,yuán qì jiàn,component -元坝,yuán bà,"Yuanba district of Guangyuan city 廣元市|广元市[Guang3 yuan2 shi4], Sichuan" -元坝区,yuán bà qū,"Yuanba district of Guangyuan city 廣元市|广元市[Guang3 yuan2 shi4], Sichuan" -元夜,yuán yè,Lantern Festival; night of 15th of first lunar month; see also 元宵[yuan2 xiao1] -元太祖,yuán tài zǔ,posthumous title of Genghis Khan 成吉思汗[Cheng2 ji2 si1 han2] (1162-1227) -元好问,yuán hào wèn,"Yuan Haowen (1190-1257), famous poet Northern China during the Jin-Yuan transition" -元宇宙,yuán yǔ zhòu,metaverse (computing) -元宵,yuán xiāo,Lantern Festival; night of the 15th of the first lunar month; see also 元夜[yuan2 ye4]; sticky rice dumplings -元宵节,yuán xiāo jié,"Lantern Festival, the final event of the Spring Festival 春節|春节, on 15th of first month of the lunar calendar" -元宝,yuán bǎo,"Yuanbao district of Dandong city 丹東市|丹东市[Dan1 dong1 shi4], Liaoning" -元宝,yuán bǎo,a silver or gold ingot; mock ingot (burnt as offering in worship); a name for ancient currency; a rare genius -元宝区,yuán bǎo qū,"Yuanbao district of Dandong city 丹東市|丹东市[Dan1 dong1 shi4], Liaoning" -元宝山,yuán bǎo shān,"Yuanbaoshan district, Chifeng city, Inner Mongolia" -元宝山区,yuán bǎo shān qū,"Yuanbaoshan district, Chifeng city, Inner Mongolia" -元山,yuán shān,Wonsan city in Kangweon province 江原道 of North Korea -元山市,yuán shān shì,Wonsan city in Kangweon province 江原道 of North Korea -元帅,yuán shuài,marshal (in the army) -元年,yuán nián,first year of an emperor's reign; first year of an era; first year of a significant time period -元恶,yuán è,arch-criminal; master criminal -元恶大憝,yuán è dà duì,arch-criminal and archenemy (idiom) -元数据,yuán shù jù,metadata -元旦,yuán dàn,New Year's Day -元曲,yuán qǔ,"Yuan dynasty theater, including poetry, music and comedy" -元曲四大家,yuán qǔ sì dà jiā,"Four Great Yuan Dramatists, namely: Guan Hanqing 關漢卿|关汉卿[Guan1 Han4 qing1], Zheng Guangzu 鄭光祖|郑光祖[Zheng4 Guang1 zu3], Ma Zhiyuan 馬致遠|马致远[Ma3 Zhi4 yuan3] and Bai Pu 白樸|白朴[Bai2 Pu3]" -元月,yuán yuè,first month (of either lunar or Western calendars) -元朗,yuán lǎng,"Yuen Long town in northwest New Territories, Hong Kong" -元朗市,yuán lǎng shì,"Yuen Long town, Hong Kong Island" -元朝,yuán cháo,Yuan or Mongol dynasty (1279-1368) -元末,yuán mò,final years of Yuan dynasty (1279-1368); mid 14th century -元末明初,yuán mò míng chū,late Yuan and early Ming; mid 14th century -元氏,yuán shì,"Yuanshi county in Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1], Hebei" -元氏县,yuán shì xiàn,"Yuanshi county in Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1], Hebei" -元气,yuán qì,strength; vigor; vitality; (TCM) vital energy -元江哈尼族彝族傣族自治县,yuán jiāng hā ní zú yí zú dǎi zú zì zhì xiàn,"Yuanjiang Hani, Yi and Dai autonomous county in Yuxi 玉溪[Yu4 xi1], Yunnan" -元江县,yuán jiāng xiàn,"Yuanjiang Hani, Yi and Dai autonomous county in Yuxi 玉溪[Yu4 xi1], Yunnan" -元煤,yuán méi,variant of 原煤[yuan2 mei2] -元神,yuán shén,primordial spirit; fundamental essence of life -元素,yuán sù,element (key component of sth); (chemistry) element; (math.) element (member of a set) -元素周期表,yuán sù zhōu qī biǎo,periodic table of the elements (chemistry) -元组,yuán zǔ,tuple -元老,yuán lǎo,senior figure; elder; doyen -元老院,yuán lǎo yuàn,upper house; senate; senior statesmen's assembly -元肉,yuán ròu,dried longan pulp -元胞自动机,yuán bāo zì dòng jī,cellular automaton -元诗四大家,yuán shī sì dà jiā,"the four masters of Yuan poetry, namely 虞集[Yu2 Ji2], 範梈|范梈[Fan4 Peng1], 楊載|杨载[Yang2 Zai4] and 揭傒斯[Jie1 Xi1 si1]" -元认知,yuán rèn zhī,metacognition -元语言,yuán yǔ yán,metalanguage -元语言学意识,yuán yǔ yán xué yì shí,metalinguistic awareness -元语言能力,yuán yǔ yán néng lì,metalinguistic ability -元谋,yuán móu,"Yuanmou County in Chuxiong Yi Autonomous Prefecture 楚雄彞族自治州|楚雄彝族自治州[Chu3 xiong2 Yi2 zu2 Zi4 zhi4 zhou1], Yunnan" -元谋县,yuán móu xiàn,"Yuanmou County in Chuxiong Yi Autonomous Prefecture 楚雄彞族自治州|楚雄彝族自治州[Chu3 xiong2 Yi2 zu2 Zi4 zhi4 zhou1], Yunnan" -元资料,yuán zī liào,metadata -元军,yuán jūn,Mongol army; army of Yuan dynasty -元配,yuán pèi,first wife -元长,yuán cháng,"Yuanchang township in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -元长乡,yuán cháng xiāng,"Yuanchang township in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -元阳,yuán yáng,"Yuanyang county in Honghe Hani and Yi autonomous prefecture, Yunnan" -元阳县,yuán yáng xiàn,"Yuanyang county in Honghe Hani and Yi autonomous prefecture, Yunnan" -元青,yuán qīng,deep black -元音,yuán yīn,vowel -元音和谐,yuán yīn hé xié,vowel harmony (in phonetics of Altaic languages) -元音失读,yuán yīn shī dú,vowel devoicing -元首,yuán shǒu,head of state -元龙,yuán lóng,one that has achieved the way; emperor -兄,xiōng,elder brother -兄妹,xiōng mèi,brother(s) and sister(s) -兄嫂,xiōng sǎo,elder brother and his wife -兄弟,xiōng dì,"brothers; younger brother; CL:個|个[ge4]; I, me (humble term used by men in public speech); brotherly; fraternal" -兄弟姐妹,xiōng dì jiě mèi,brothers and sisters; siblings -兄弟会,xiōng dì huì,fraternity -兄弟阋墙,xiōng dì xì qiáng,internecine strife (idiom); fighting among oneself -兄台,xiōng tái,brother (polite appellation for a friend one's age) -兄长,xiōng zhǎng,elder brother; term of respect for a man of about the same age -充,chōng,sufficient; full; to fill; to serve as; to act as; to act falsely as; to pose as -充任,chōng rèn,to fill a post of; to act as -充作,chōng zuò,to serve as; to be a substitute for -充值,chōng zhí,to recharge (money onto a card) -充值卡,chōng zhí kǎ,rechargeable card; to recharge a card -充公,chōng gōng,to confiscate -充其量,chōng qí liàng,at most; at best -充分,chōng fèn,ample; sufficient; adequate; full; fully; to the full -充分就业,chōng fèn jiù yè,full employment -充分考虑,chōng fèn kǎo lǜ,to give sufficient consideration to -充塞,chōng sè,congestion; to block; to congest; to crowd; to choke; to cram; to fill up; to stuff; to take up all the space -充填,chōng tián,"to fill (gap, hole, area, blank); to pad out; to complement; (dental) filling; filled" -充填因数,chōng tián yīn shù,complementary factor -充填物,chōng tián wù,filling material; stuffing; lining; filling -充好,chōng hǎo,to substitute shoddy goods -充实,chōng shí,rich; full; substantial; to enrich; to augment; to substantiate (an argument) -充抵,chōng dǐ,see 抵充[di3 chong1] -充数,chōng shù,to make up the number (i.e. to fill places up to a given number); to serve as stopgap -充斥,chōng chì,to be full of; to flood; to congest -充畅,chōng chàng,abundant and fluent; affluent and smooth -充气,chōng qì,to pump air (into sth); to inflate -充气船,chōng qì chuán,inflatable boat -充氧,chōng yǎng,to oxygenate; to provide oxygen complement -充沛,chōng pèi,abundant; plentiful -充溢,chōng yì,to overflow (with riches); replete -充满,chōng mǎn,full of; brimming with; very full; permeated -充满阳光,chōng mǎn yáng guāng,sun-drenched -充当,chōng dāng,to serve as; to act as; to play the role of -充发,chōng fā,to banish to penal servitude -充盈,chōng yíng,abundant; plentiful -充耳不闻,chōng ěr bù wén,to block one's ears and not listen (idiom); to turn a deaf ear -充血,chōng xuè,hyperemia (increase in blood flow); blood congestion -充裕,chōng yù,abundant; ample; plenty; abundance -充要条件,chōng yào tiáo jiàn,necessary and sufficient condition -充足,chōng zú,adequate; sufficient; abundant -充足理由律,chōng zú lǐ yóu lǜ,sufficient grounds (law) -充车,chōng chē,to be transported to a distant place for penal servitude; to banish -充军,chōng jūn,"to banish (to an army post, as a punishment)" -充电,chōng diàn,to recharge (a battery); (fig.) to recharge one's batteries (through leisure); to update one's skills and knowledge -充电器,chōng diàn qì,battery charger -充电宝,chōng diàn bǎo,portable charger; mobile power pack -充饥,chōng jī,to allay one's hunger -充饥止渴,chōng jī zhǐ kě,to allay one's hunger and slake one's thirst (idiom) -兆,zhào,surname Zhao -兆,zhào,(bound form) omen; to foretell; million; mega-; (Tw) trillion; tera-; (old) billion -兆周,zhào zhōu,"megacycle (MC), equals 1,000,000 Hz" -兆字节,zhào zì jié,megabyte (2^20 or approximately a million bytes) -兆瓦,zhào wǎ,megawatt -兆瓦时,zhào wǎ shí,megawatt-hour -兆瓦特,zhào wǎ tè,megawatt -兆赫,zhào hè,megahertz -兆电子伏,zhào diàn zǐ fú,mega electron volt (MeV) (unit of energy equal to 1.6 x 10⁻¹³ joules) -兆头,zhào tou,omen; portent; sign -凶,xiōng,terrible; fearful -凶器,xiōng qì,lethal weapon; murder weapon -凶嫌,xiōng xián,alleged killer (or attacker); suspect in a case of violent crime -凶宅,xiōng zhái,inauspicious abode; haunted house -凶悍,xiōng hàn,violent; fierce and tough; shrewish (woman) -凶恶,xiōng è,fierce; ferocious; fiendish; frightening -凶戾,xiōng lì,cruel; tyrannical -凶手,xiōng shǒu,murderer; assassin -凶死,xiōng sǐ,to die in violence -凶残,xiōng cán,savage; cruel; fierce -凶杀,xiōng shā,to murder; assassination -凶杀案,xiōng shā àn,murder case -凶煞,xiōng shà,demon; fiend -凶犯,xiōng fàn,murderer -凶狂,xiōng kuáng,fierce; ferocious; savage -凶狠,xiōng hěn,variant of 凶狠[xiong1 hen3] -凶猛,xiōng měng,fierce; violent; ferocious -凶相,xiōng xiàng,ferocious appearance -凶相毕露,xiōng xiàng bì lù,show one's ferocious appearance (idiom); the atrocious features revealed; with fangs bared -凶神,xiōng shén,demon; fiend -凶神恶煞,xiōng shén è shà,fiends (idiom); devils and monsters -凶讯,xiōng xùn,evil tidings; bad news -凶身,xiōng shēn,murderer; killer -凶险,xiōng xiǎn,dangerous; ruthless; treacherous -凶顽,xiōng wán,fierce and uncontrollable -先,xiān,beforehand; first; earlier; at first; originally; for the time being; for now; (prefix) my late (in referring to deceased relatives older than oneself) -先下手为强,xiān xià shǒu wéi qiáng,(idiom) strike first to gain the upper hand -先不先,xiān bù xiān,(dialect) first of all; in the first place -先人,xiān rén,ancestor; forefather; sb's late father -先令,xiān lìng,(loanword) shilling -先来后到,xiān lái hòu dào,"in order of arrival; first come, first served" -先例,xiān lì,precedent -先兆,xiān zhào,omen -先入为主,xiān rù wéi zhǔ,(idiom) the first impression is the strongest; to hold a preconceived notion (about sth) -先公,xiān gōng,(literary) my late father -先兵后礼,xiān bīng hòu lǐ,opposite of 先禮後兵|先礼后兵[xian1 li3 hou4 bing1] -先到先得,xiān dào xiān dé,first come first served -先前,xiān qián,before; previously -先君,xiān jūn,my late father; my ancestors; the late emperor -先哲,xiān zhé,the wise and learned individuals of the past -先大母,xiān dà mǔ,my late paternal grandmother -先天,xiān tiān,embryonic period (contrasted with 後天|后天[hou4tian1]); inborn; innate; natural -先天不足,xiān tiān bù zú,to suffer from a congenital deficiency; to have an inherent weakness -先天性,xiān tiān xìng,congenital; intrinsic; innate -先天性缺陷,xiān tiān xìng quē xiàn,birth defect -先天愚型,xiān tiān yú xíng,Down syndrome; trisomy 21 -先天与后天,xiān tiān yǔ hòu tiān,nature versus nurture -先妣,xiān bǐ,(literary) my late mother -先容,xiān róng,"to introduce sb, putting in a good word for them in advance" -先导,xiān dǎo,to lead the way; guide; forerunner; pioneer -先帝遗诏,xiān dì yí zhào,posthumous edict of a former emperor; Liu Bei's 劉備|刘备[Liu2 Bei4] edict to posterity -先后,xiān hòu,early or late; first and last; priority; in succession; one after another -先后顺序,xiān hòu shùn xù,sequential order -先慈,xiān cí,(literary) my late mother -先斩后奏,xiān zhǎn hòu zòu,"lit. first execute the criminal, then report it to the emperor (idiom); fig. to take some drastic action without the prior approval of higher authorities" -先有,xiān yǒu,prior; preexisting -先有后婚,xiān yǒu hòu hūn,to marry after getting pregnant -先期,xiān qī,the time before a certain date; in advance; beforehand; premature; initial period -先期录音,xiān qī lù yīn,(filmmaking) to prerecord a musical soundtrack to which actors will later synchronize their performance during filming -先机,xiān jī,critical opportunity -先民,xiān mín,forebears -先决,xiān jué,prerequisite; necessary -先决问题,xiān jué wèn tí,issue that needs to be addressed first (before another issue can be resolved) -先决条件,xiān jué tiáo jiàn,a precondition; a prerequisite -先河,xiān hé,source; precursor; forerunner -先汉,xiān hàn,"Western Han Dynasty (206 BC-8 AD), aka 西漢|西汉[Xi1 Han4]" -先烈,xiān liè,martyr -先父,xiān fù,deceased father; my late father -先王,xiān wáng,former sovereigns -先王之政,xiān wáng zhī zhèng,the rule of former kings -先王之乐,xiān wáng zhī yuè,the music of former kings -先王之道,xiān wáng zhī dào,the way of former kings -先生,xiān sheng,teacher; gentleman; sir; mister (Mr.); husband; (dialect) doctor; CL:位[wei4] -先发,xiān fā,to take preemptive action; (sports) to be in the starting lineup; (of a baseball pitcher) to be the starting pitcher -先发制人,xiān fā zhì rén,(idiom) to gain the initiative by striking first; to preempt -先发投手,xiān fā tóu shǒu,(baseball) starting pitcher -先皇,xiān huáng,emperor of a former dynasty -先睹为快,xiān dǔ wéi kuài,(idiom) to consider it a pleasure to be among the first to read (or watch or enjoy) -先知,xiān zhī,a person of foresight; (religion) a prophet -先知先觉,xiān zhī xiān jué,having foresight; a person of foresight -先祖,xiān zǔ,(literary) my deceased grandfather; (literary) ancestors -先礼后兵,xiān lǐ hòu bīng,lit. peaceful measures before using force (idiom); fig. diplomacy before violence; jaw-jaw is better than war-war -先秦,xiān qín,"pre-Qin, Chinese history up to the foundation of the Qin imperial dynasty in 221 BC" -先声,xiān shēng,herald; precursor; harbinger -先声夺人,xiān shēng duó rén,to gain the upper hand by a show of strength -先行,xiān xíng,to start off before the others; to precede; to proceed in advance -先行者,xiān xíng zhě,forerunner -先见,xiān jiàn,foresight; prescience -先见之明,xiān jiàn zhī míng,foresight -先见者,xiān jiàn zhě,a visionary -先觉,xiān jué,person of foresight -先贤,xiān xián,(literary) ancient sage -先走一步,xiān zǒu yī bù,to leave first (courteous expression used to excuse oneself); (euphemism) to predecease; to die first (e.g. before one's spouse) -先辈,xiān bèi,an older generation; ancestors; forefathers -先进,xiān jìn,sophisticated; advanced (technology etc); meritorious; exemplary (deeds etc) -先进个人,xiān jìn gè rén,(official accolade) advanced individual; exemplary individual -先进先出,xiān jìn xiān chū,"(computing, inventory management etc) first in, first out" -先进武器,xiān jìn wǔ qì,advanced weapon -先进水平,xiān jìn shuǐ píng,advanced level -先进集体,xiān jìn jí tǐ,(official accolade) pace-setting team; exemplary group -先达,xiān dá,(literary) our learned predecessors -先遣队,xiān qiǎn duì,(military) advance party -先锋,xiān fēng,vanguard; pioneer; avant-garde -先锋派,xiān fēng pài,avant-garde -先锋队,xiān fēng duì,vanguard -先鞭,xiān biān,to be the first; to lead the way -先头,xiān tóu,(usu. of troops) in advance; in the vanguard; previously; in front; placed ahead of others -先驱,xiān qū,to pioneer; pioneer; trailblazer -先驱者,xiān qū zhě,pioneer; trailblazer -先验,xiān yàn,(philosophy) a priori -先验概率,xiān yàn gài lǜ,(math.) prior probability -光,guāng,light; ray (CL:道[dao4]); bright; shiny; only; merely; used up; finished; to leave (a part of the body) uncovered -光二极管,guāng èr jí guǎn,photodiode; light-emitting diode (LED) -光亮,guāng liàng,bright -光亮度,guāng liàng dù,brightness; luminosity -光伏,guāng fú,photovoltaic (e.g. cell) -光伏器件,guāng fú qì jiàn,photovoltaic device (e.g. solar cell) -光信号,guāng xìn hào,optical signal -光光,guāng guāng,bright; shiny; smooth; naked; bald; penniless -光刻,guāng kè,photolithography -光刻机,guāng kè jī,photolithography machine -光刻胶,guāng kè jiāo,photoresist (laser etching used in microelectronics) -光前裕后,guāng qián yù hòu,to bring honor to one's ancestors and benefit future generations (idiom) -光功率,guāng gōng lǜ,optical power -光动嘴,guāng dòng zuǐ,empty talk; mere rhetoric; palaver -光化作用,guāng huà zuò yòng,photochemical effect; photosynthesis; photolysis -光化学,guāng huà xué,photochemistry -光化性角化病,guāng huà xìng jiǎo huà bìng,"(medicine) actinic keratosis, aka solar keratosis" -光合,guāng hé,photosynthesis -光合作用,guāng hé zuò yòng,photosynthesis -光圈,guāng quān,aperture; diaphragm; halo; aureole -光大,guāng dà,"splendid; magnificent; abbr. for 中國光大銀行|中国光大银行[Zhong1 guo2 Guang1 da4 Yin2 hang2], China Everbright Bank" -光天化日,guāng tiān huà rì,the full light of day (idiom); fig. peace and prosperity; in broad daylight -光子,guāng zǐ,photon (particle physics) -光学,guāng xué,optics -光学仪器,guāng xué yí qì,optical instrument -光学字符识别,guāng xué zì fú shí bié,optical character recognition (OCR) -光学雷达,guāng xué léi dá,lidar -光学显微镜,guāng xué xiǎn wēi jìng,optical microscope -光宗耀祖,guāng zōng yào zǔ,to bring honor to one's ancestors -光害,guāng hài,light pollution (Tw) -光射线,guāng shè xiàn,light ray -光导纤维,guāng dǎo xiān wéi,optical fiber -光山,guāng shān,"Guangshan county in Xinyang 信陽|信阳, Henan" -光山县,guāng shān xiàn,"Guangshan county in Xinyang 信陽|信阳, Henan" -光州,guāng zhōu,"Guangzhou, old name for Huangchuan 潢川[Huang2 chuan1] in Xinyang 信陽|信阳, Henan; Gwangju Metropolitan City, capital of South Jeolla Province 全羅南道|全罗南道[Quan2 luo2 nan2 dao4], South Korea" -光州市,guāng zhōu shì,"Guangzhou, old name for Huangchuan 潢川[Huang2 chuan1] in Xinyang 信陽|信阳[Xin4 yang2], Henan; Gwangju Metropolitan City, capital of South Jeolla Province 全羅南道|全罗南道[Quan2 luo2 nan2 dao4], South Korea" -光州广域市,guāng zhōu guǎng yù shì,"Gwangju Metropolitan City, capital of South Jeolla Province 全羅南道|全罗南道[Quan2 luo2 nan2 dao4], South Korea" -光年,guāng nián,light-year -光度,guāng dù,luminosity -光彩,guāng cǎi,luster; splendor; radiance; brilliance -光彩夺目,guāng cǎi duó mù,dazzling; brilliant -光影,guāng yǐng,light and shadow; sunlight and shade -光影效,guāng yǐng xiào,lighting effect -光复,guāng fù,"Guangfu or Kuangfu township in Hualien County 花蓮縣|花莲县[Hua1 lian2 Xian4], east Taiwan" -光复,guāng fù,to recover (territory or power); the liberation of Taiwan from Japanese rule in 1945 -光复会,guāng fù huì,anti-Qing revolutionary party set up in 1904 under Cai Yuanpei 蔡元培[Cai4 Yuan2 pei2]; aka 復古會|复古会[Fu4 gu3 hui4] -光复乡,guāng fù xiāng,"Guangfu or Kuangfu township in Hualien County 花蓮縣|花莲县[Hua1 lian2 Xian4], east Taiwan" -光怪陆离,guāng guài lù lí,monstrous and multicolored; grotesque and variegated -光感应,guāng gǎn yìng,optical response; reaction to light; light sensitive; photoinduction -光接收器,guāng jiē shōu qì,optical receiver -光敏,guāng mǐn,photosensitive -光斑,guāng bān,facula (astronomy) -光明,guāng míng,light; radiance; (fig.) bright (prospects etc); openhearted -光明新区,guāng míng xīn qū,"New Guangming district of Shenzhen City 深圳市[Shen1 zhen4 shi4], Guangdong" -光明日报,guāng míng rì bào,"Guangming Daily, a Beijing newspaper" -光明正大,guāng míng zhèng dà,(of a person) honorable; not devious; (of a behavior) fair and aboveboard; without tricks; openly; (of a situation) out in the open -光明磊落,guāng míng lěi luò,open and candid (idiom); straightforward and upright -光明节,guāng míng jié,"Hanukkah (Chanukah), 8 day Jewish holiday starting on the 25th day of Kislev (can occur from late Nov up to late Dec on Gregorian calendar); also called 哈努卡節|哈努卡节 and simply 哈努卡" -光是,guāng shì,solely; just -光景,guāng jǐng,circumstances; scene; about; probably -光晕,guāng yùn,halo; (photography) halation -光束,guāng shù,light beam -光柱,guāng zhù,light beam; light pillar (atmospheric optics) -光棍,guāng gùn,gangster; hoodlum; a single person; bachelor -光棍儿,guāng gùn er,single person; bachelor -光棍节,guāng gùn jié,"Singles' Day (November 11), originally a day of activities for single people, but now also the world's biggest annual retail sales day" -光荣,guāng róng,honor and glory; glorious -光荣榜,guāng róng bǎng,honor roll -光荣革命,guāng róng gé mìng,"Glorious Revolution (England, 1688)" -光槃,guāng pán,variant of 光盤|光盘[guang1 pan2] -光标,guāng biāo,cursor (computing) -光检测器,guāng jiǎn cè qì,optical detector -光气,guāng qì,"phosgene COCl2, aka carbonyl chloride, a poisonous gas" -光波,guāng bō,light wave -光波长,guāng bō cháng,optical wavelength -光源,guāng yuán,light source -光溜,guāng liu,smooth; slippery -光滑,guāng huá,glossy; sleek; smooth -光漆,guāng qī,enamel -光洁,guāng jié,bright and clean -光润,guāng rùn,glossy; lustrous; sleek -光泽,guāng zé,Guangze county in Nanping 南平[Nan2 ping2] Fujian -光泽,guāng zé,luster; gloss -光泽县,guāng zé xiàn,Guangze county in Nanping 南平[Nan2 ping2] Fujian -光照,guāng zhào,illumination -光照度,guāng zhào dù,illuminance (physics) -光照治疗,guāng zhào zhì liáo,light therapy; phototherapy -光爆,guāng bào,explosion of light -光环,guāng huán,ring of light; halo; (fig.) glory; splendor -光发送器,guāng fā sòng qì,optical transmitter -光盘,guāng pán,"compact disc (CD); DVD; CD-ROM; CL:片[pian4],張|张[zhang1]" -光盘驱动器,guāng pán qū dòng qì,CD or DVD drive; abbr. to 光驅|光驱 -光碟,guāng dié,"optical disc; compact disc; CD; CD-ROM; CL:片[pian4],張|张[zhang1]" -光磁,guāng cí,magneto-optical -光磁碟,guāng cí dié,magneto-optical disk; floptical disk -光磁碟机,guāng cí dié jī,magneto-optical drive; floptical drive -光禄勋,guāng lù xūn,"Supervisor of Attendants in imperial China, one of the Nine Ministers 九卿[jiu3 qing1]" -光禄大夫,guāng lù dài fu,"honorific title during Tang to Qing times, approx. ""Glorious grand master""" -光秃秃,guāng tū tū,"bald; bare (no hair, no leaves, no vegetation etc)" -光笔,guāng bǐ,light pen -光绪,guāng xù,reign name of penultimate Qing emperor Guangxu or Guang-hsu (1875-1908) -光绪帝,guāng xù dì,Guangxu Emperor -光线,guāng xiàn,"light ray; CL:條|条[tiao2],道[dao4]; light; illumination; lighting (for a photograph)" -光线追踪,guāng xiàn zhuī zōng,(computing) ray tracing -光纤,guāng xiān,optical fiber; fiber optics -光纤分布数据接口,guāng xiān fēn bù shù jù jiē kǒu,FDDI; Fiber Distributed Data Interface -光纤分布式数据接口,guāng xiān fēn bù shì shù jù jiē kǒu,Fiber Distributed Data Interface; FDDI -光纤分散式资料介面,guāng xiān fēn sàn shì zī liào jiè miàn,fiber distributed data interface; FDDI -光纤接口,guāng xiān jiē kǒu,optical interface -光纤衰减,guāng xiān shuāi jiǎn,optical attenuation -光纤电缆,guāng xiān diàn lǎn,optical fiber; optical cable -光缆,guāng lǎn,optical cable -光耀,guāng yào,dazzling; brilliant -光耀门楣,guāng yào mén méi,splendor shines on the family's door (idiom); fig. to bring honor to one's family -光耦,guāng ǒu,abbr. for 光耦合器[guang1 ou3 he2 qi4] -光耦合器,guāng ǒu hé qì,optocoupler (electronics) -光背地鸫,guāng bèi dì dōng,(bird species of China) plain-backed thrush (Zoothera mollissima) -光能,guāng néng,light energy (e.g. solar) -光能合成,guāng néng hé chéng,photosynthesis -光腚肿菊,guāng dìng zhǒng jú,"(Internet slang) punning reference to 廣電總局|广电总局[Guang3 dian4 Zong3 ju2], the National Radio and Television Administration (NRTA)" -光脚,guāng jiǎo,bare feet -光脚的不怕穿鞋的,guāng jiǎo de bù pà chuān xié de,"lit. the barefooted people are not afraid of those who wear shoes (idiom); fig. the poor, who have nothing to lose, do not fear those in power" -光膀子,guāng bǎng zi,bare upper body; bare-chested; to bare one's chest -光临,guāng lín,(formal) to honor with one's presence; to attend -光艳,guāng yàn,bright and colorful; gorgeous -光芒,guāng máng,rays of light; brilliant rays; radiance -光华,guāng huá,brilliance; splendor; magnificence -光冲量,guāng chōng liàng,radiant exposure -光说不做,guāng shuō bù zuò,(idiom) to be all talk and no action; to preach what one does not practice -光说不练,guāng shuō bù liàn,all talk and no action (idiom); to preach what one does not practice; same as 光說不做|光说不做[guang1 shuo1 bu4 zuo4] -光谱,guāng pǔ,spectrum -光谱仪,guāng pǔ yí,spectrometer; spectrograph -光谱分析,guāng pǔ fēn xī,spectral analysis -光谱图,guāng pǔ tú,spectrogram -光谱学,guāng pǔ xué,spectroscopy -光辉,guāng huī,radiance; glory; brilliant; magnificent -光辐射,guāng fú shè,light radiation -光追,guāng zhuī,ray tracing (abbr. for 光線追蹤|光线追踪[guang1 xian4 zhui1 zong1]) -光通量,guāng tōng liàng,luminous flux (physics) -光速,guāng sù,the speed of light -光遗传学,guāng yí chuán xué,optogenetics -光量,guāng liàng,quantity of light; luminosity -光锥,guāng zhuī,(physics) light cone -光阴,guāng yīn,time available -光阴似箭,guāng yīn sì jiàn,time flies like an arrow (idiom); How time flies! -光阴荏苒,guāng yīn rěn rǎn,(idiom) How time flies! -光隔离器,guāng gé lí qì,opto-isolator (electronics) -光电,guāng diàn,photoelectric -光电二极管,guāng diàn èr jí guǎn,photodiode -光电子,guāng diàn zǐ,photoelectron -光电效应,guāng diàn xiào yìng,photoelectric effect -光面内质网,guāng miàn nèi zhì wǎng,smooth endoplasmic reticulum -光头,guāng tóu,shaven head; bald head; to go bareheaded; hatless -光头强,guāng tóu qiáng,Logger Vick (Boonie Bears character); nickname for bald people -光头党,guāng tóu dǎng,skinheads -光顾,guāng gù,to visit (as a customer) -光风霁月,guāng fēng jì yuè,lit. light breeze and clear moon (idiom); period of peace and prosperity; noble and benevolent character -光驱,guāng qū,CD or DVD Drive; abbr. for 光盤驅動器|光盘驱动器 -光鲜,guāng xiān,bright and neat -光卤石,guāng lǔ shí,carnallite (hydrated potassium magnesium chloride mineral) -光面,guāng miàn,plain noodles in broth -克,kè,"abbr. for 克羅地亞|克罗地亚[Ke4 luo2 di4 ya4], Croatia; (Tw) abbr. for 克羅埃西亞|克罗埃西亚[Ke4 luo2 ai1 xi1 ya4], Croatia" -克,kè,"to be able to; to subdue; to restrain; to overcome; gram; Tibetan unit of land area, about 6 ares" -克什克腾,kè shí kè téng,"Hexigten banner or Kesigüten khoshuu in Chifeng 赤峰[Chi4 feng1], Inner Mongolia" -克什克腾旗,kè shí kè téng qí,"Hexigten banner or Kesigüten khoshuu in Chifeng 赤峰[Chi4 feng1], Inner Mongolia" -克什米尔,kè shí mǐ ěr,Kashmir -克他命,kè tā mìng,ketamine (loanword) -克仑特罗,kè lún tè luō,clenbuterol -克俭,kè jiǎn,thrifty; frugal -克利夫兰,kè lì fū lán,Cleveland -克利斯朵夫,kè lì sī duǒ fū,Christopher (name) -克制,kè zhì,to restrain; to control; restraint; self-control -克勒,kè lè,"Keller or Köhler (name); Horst Köhler (1943-), German economist and CDU politician, head of the IMF 2000-2004, president of Germany 2004-2010" -克劳修斯,kè láo xiū sī,"Rudolf Clausius (1822-1888), German physicist and mathematician" -克劳德,kè láo dé,Claude (name) -克劳斯,kè láo sī,Claus or Klaus (name) -克劳福德,kè láo fú dé,Crawford (town in Texas) -克勤克俭,kè qín kè jiǎn,(idiom) industrious and frugal -克国,kè guó,(Tw) abbr. for 克羅埃西亞|克罗埃西亚[Ke4 luo2 ai1 xi1 ya4] Croatia -克基拉岛,kè jī lā dǎo,"Corfu (Greek: Kerkira), island in the Ionian sea" -克娄巴特拉,kè lóu bā tè lā,"Cleopatra (name); Cleopatra VII Thea Philopator (69-30 BC), the last Egyptian pharaoh" -克孜勒,kè zī lè,"Kyzyl, capital of Tuva 圖瓦|图瓦[Tu2 wa3]" -克孜勒苏,kè zī lè sū,Qizilsu or Kizilsu Kyrgyz autonomous prefecture in Xinjiang -克孜勒苏柯尔克孜自治州,kè zī lè sū kē ěr kè zī zì zhì zhōu,Qizilsu or Kizilsu Kyrgyz Autonomous Prefecture in Xinjiang -克孜勒苏河,kè zī lè sū hé,Qizilsu or Kizilsu River in Xinjiang -克孜尔千佛洞,kè zī ěr qiān fó dòng,"Kezil thousand-Buddha grotto in Baicheng 拜城, Aksu 阿克蘇地區|阿克苏地区, Xinjiang" -克孜尔尕哈,kè zī ěr gǎ hā,"Kizilgaha, site of a famous fire beacon tower and cliff caves in Kuqa, Aksu Prefecture, Xinjiang" -克孜尔尕哈烽火台,kè zī ěr gǎ hā fēng huǒ tái,"Kizilgaha fire beacon tower in Kuchar county 庫車|库车, Aksu 阿克蘇地區|阿克苏地区, Xinjiang" -克山,kè shān,"Keshan county in Qiqihar 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -克山县,kè shān xiàn,"Keshan county in Qiqihar 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -克己,kè jǐ,self-restraint; discipline; selflessness -克己奉公,kè jǐ fèng gōng,self-restraint and devotion to public duties (idiom); selfless dedication; to serve the public interest wholeheartedly -克己复礼,kè jǐ fù lǐ,"restrain yourself and return to the rites (idiom, from Analects); to subdue self and observe proprieties; (any number of possible translations)" -克拉,kè lā,carat (mass) (loanword) -克拉克,kè lā kè,Clark or Clarke (name) -克拉夫丘克,kè lā fū qiū kè,"Leonid Kravchuk (1934-), first post-communist president of Ukraine 1991-1994" -克拉斯诺亚尔斯克,kè lā sī nuò yà ěr sī kè,Krasnoyarsk -克拉斯诺达尔,kè lā sī nuò dá ěr,Krasnodar (city in Russia) -克拉斯金诺,kè lā sī jīn nuò,"Kraskino town in Primorsky Krai, Russia, close to the North Korean border" -克拉玛依,kè lā mǎ yī,Karamay prefecture-level city in Xinjiang -克拉玛依区,kè lā mǎ yī qū,"Karamay District of Karamay City 克拉瑪依市|克拉玛依市[Ke4 la1 ma3 yi1 Shi4], Xinjiang" -克拉玛依市,kè lā mǎ yī shì,Karamay prefecture-level city in Xinjiang -克拉科夫,kè lā kē fū,Krakow -克拉通,kè lā tōng,craton (loanword) -克文,kè wén,Kevin (name) -克日,kè rì,to set a date; to set a time frame; within a certain time limit -克服,kè fú,(try to) overcome (hardships etc); to conquer; to put up with; to endure -克朗,kè lǎng,"krone (currency of Norway, Denmark, Iceland and Sweden) (loanword)" -克朗代克,kè lǎng dài kè,Klondike in northwest Canada -克期,kè qī,to set a date; to set a time frame; within a certain time limit -克东,kè dōng,"Kedong county in Qiqihar 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -克东县,kè dōng xiàn,"Kedong county in Qiqihar 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -克林姆,kè lín mǔ,cream (loanword) -克林姆酱,kè lín mǔ jiàng,pastry cream; crème pâtissière -克林德,kè lín dé,"Klemens Freiherr von Ketteler, German minister killed during the Boxer uprising" -克林霉素,kè lín méi sù,clindamycin -克林顿,kè lín dùn,"Clinton (name); Bill Clinton (1946-), US Democratic politician, President 1993-2001; Hillary Rodham Clinton (1947-), US Democratic politician" -克格勃,kè gé bó,KGB (Soviet secret police); member of the KGB -克氏原螯虾,kè shì yuán áo xiā,red swamp crayfish (Procambarus clarkii); Louisiana crawfish -克汀病,kè tīng bìng,cretinism -克沙奇病毒,kè shā qí bìng dú,Coxsackievirus -克流感,kè liú gǎn,oseltamivir; Tamiflu -克漏字,kè lòu zì,cloze (loanword) (Tw) -克尔白,kè ěr bái,"Ka'aba, sacred building in Mecca" -克绍箕裘,kè shào jī qiú,to follow in one's father's footsteps -克丝钳子,kè sī qián zi,wire cutting pincers -克维拉,kè wéi lā,Kevlar -克罗地亚,kè luó dì yà,Croatia -克罗地亚共和国,kè luó dì yà gòng hé guó,Republic of Croatia -克罗地亚语,kè luó dì yà yǔ,Croatian (language) -克罗埃西亚,kè luó āi xī yà,Croatia (Tw) -克罗诺斯,kè luó nuò sī,Cronus (Titan of Greek mythology) -克耶族,kè yē zú,Kaya or Karenni ethnic group of Myanmar -克耶邦,kè yē bāng,Kaya state of Myanmar -克莉奥佩特拉,kè lì ào pèi tè lā,"Cleopatra (c. 70-30 BC), queen of Egypt" -克莱,kè lái,Clay (name) -克莱因,kè lái yīn,"Klein or Kline (name); Felix Klein (1849-1925), German mathematician" -克莱蒙特,kè lái méng tè,"Clermont (French town); Claremont, California" -克莱斯勒,kè lái sī lè,Chrysler (car manufacturer) -克莱尔,kè lái ěr,Claire (name) -克莱顿,kè lái dùn,(name) Clayton or Crichton -克蕾儿,kè lěi er,Clare (name) -克苏鲁,kè sū lǔ,"Cthulhu, fictional cosmic entity created by writer H. P. Lovecraft" -克虏伯,kè lǔ bó,Krupp -克西,kè xī,xi or ksi (Greek letter Ξξ) -克赖斯特彻奇,kè lài sī tè chè qí,Christchurch (New Zealand city) -克里奥尔语,kè lǐ ào ěr yǔ,creole language -克里姆林宫,kè lǐ mǔ lín gōng,the Kremlin -克里斯托弗,kè lǐ sī tuō fú,(Warren) Christopher -克里斯汀,kè lǐ sī tīng,"(name) Christine, Kristine, Kristen, Kristin etc; Christiane; Christian" -克里斯蒂娃,kè lǐ sī dì wá,"Julia Kristeva (1941-), Bulgarian-French psychoanalyst, philosopher and literary critic" -克里斯蒂安,kè lǐ sī dì ān,Kristian or Christian (name) -克里斯蒂安松,kè lǐ sī dì ān sōng,Kristiansund (city in Norway) -克里普斯,kè lǐ pǔ sī,"Cripps (name); Sir Stafford Cripps (1889-1952), UK socialist politician" -克里木,kè lǐ mù,Crimea; the Crimean peninsula -克里木半岛,kè lǐ mù bàn dǎo,Crimea; the Crimean peninsula -克里木战争,kè lǐ mù zhàn zhēng,the Crimean War (1853-1856) -克里特,kè lǐ tè,Crete -克里特岛,kè lǐ tè dǎo,Crete -克里米亚,kè lǐ mǐ yà,Crimea -克隆,kè lóng,clone (loanword) -克隆人,kè lóng rén,clone human -克隆技术,kè lóng jì shù,cloning technology -克隆氏病,kè lóng shì bìng,Crohn's disease -克雅氏症,kè yǎ shì zhèng,Creutzfeldt-Jacob disease CJD -克难,kè nán,to make do in difficult circumstances by being resourceful; (of circumstances) difficult; challenging; (of a budget) tight; (of a man-made thing) makeshift; rough and ready -克雷伯氏菌属,kè léi bó shì jūn shǔ,Klebsiella -克霉唑,kè méi zuò,clotrimazole (antifungal agent) -兑,duì,surname Dui -兑,duì,"to cash; to exchange; to add (liquid); to blend; one of the Eight Trigrams 八卦[ba1 gua4], symbolizing swamp; ☱" -兑付,duì fù,to cash (a check) -兑换,duì huàn,to convert; to exchange -兑换率,duì huàn lǜ,currency exchange rate -兑现,duì xiàn,(of a check etc) to cash; to honor a commitment -免,miǎn,to excuse sb; to exempt; to remove or dismiss from office; to avoid; to avert; to escape; to be prohibited -免,wèn,old variant of 絻[wen4] -免不了,miǎn bù liǎo,unavoidable; can't be avoided -免不得,miǎn bu de,unavoidable; bound to (happen) -免冠,miǎn guān,bareheaded (in a photo) -免去职务,miǎn qù zhí wù,to relieve from office; to sack -免受,miǎn shòu,"to avoid suffering; to prevent (sth bad); to protect against (damage); immunity (from prosecution); freedom (from pain, damage etc); exempt from punishment" -免受伤害,miǎn shòu shāng hài,to avoid damage -免单,miǎn dān,to let a customer have (a product or service) free of charge; to waive payment -免得,miǎn de,so as not to; so as to avoid -免息,miǎn xī,interest-free -免持,miǎn chí,(Tw) hands-free (telephone function) -免掉,miǎn diào,to eliminate; to scrap -免提,miǎn tí,hands-free (telephone function) -免于,miǎn yú,to be saved from; to be spared (something) -免洗杯,miǎn xǐ bēi,disposable cup (Tw) -免洗筷,miǎn xǐ kuài,(Tw) disposable chopsticks -免疫,miǎn yì,immunity (to disease) -免疫力,miǎn yì lì,immunity -免疫反应,miǎn yì fǎn yìng,immune response -免疫学,miǎn yì xué,immunology -免疫应答,miǎn yì yìng dá,immune response -免疫法,miǎn yì fǎ,immunization -免疫系统,miǎn yì xì tǒng,immune system -免票,miǎn piào,not to be charged for admission; (to be admitted) for free; free pass -免礼,miǎn lǐ,(formal) you may dispense with curtseying -免税,miǎn shuì,"not liable to taxation (of monastery, imperial family etc); tax free; duty free (shop)" -免签,miǎn qiān,to waive visa requirements; visa exemption; visa-exempt -免职,miǎn zhí,to relieve sb of his post; to sack; to demote; dismissal; sacking -免谈,miǎn tán,out of the question; pointless to discuss it -免责,miǎn zé,exemption from responsibility -免责条款,miǎn zé tiáo kuǎn,disclaimer -免责声明,miǎn zé shēng míng,disclaimer -免费,miǎn fèi,free (of charge) -免费搭车,miǎn fèi dā chē,free riding (economics) -免费软件,miǎn fèi ruǎn jiàn,freeware -免赔,miǎn péi,(insurance) excess -免赔条款,miǎn péi tiáo kuǎn,franchise clause (insurance) -免遭,miǎn zāo,to avoid suffering; to avoid meeting (a fatal accident); spared -免开尊口,miǎn kāi zūn kǒu,keep your thoughts to yourself -免除,miǎn chú,to prevent; to avoid; to excuse; to exempt; to relieve; (of a debt) to remit -免黜,miǎn chù,to dismiss; to fire; to degrade -兔,tù,variant of 兔[tu4] -儿,ér,child; son -儿,er,non-syllabic diminutive suffix; retroflex final -儿化,ér huà,(Chinese phonetics) to rhotacize a syllable final; to apply r-coloring to the final of a syllable -儿化音,ér huà yīn,(Chinese phonetics) erhua (the sound of the r-coloring of a syllable final) -儿化韵,ér huà yùn,(Chinese phonetics) syllable final with r-coloring; rhotacized syllable final -儿女,ér nǚ,children; sons and daughters; a young man and a young woman (in love) -儿女英雄传,ér nǚ yīng xióng zhuàn,"The Gallant Maid, novel by Manchu-born Qing dynasty writer 文康[Wen2 Kang1]" -儿媳,ér xí,daughter-in-law -儿媳妇,ér xí fu,daughter-in-law -儿媳妇儿,ér xí fu er,erhua variant of 兒媳婦|儿媳妇[er2 xi2 fu5] -儿子,ér zi,son -儿孙,ér sūn,descendant -儿孙自有儿孙福,ér sūn zì yǒu ér sūn fú,younger generations will do all right on their own (idiom) -儿戏,ér xì,child's play; trifling matter -儿时,ér shí,childhood -儿歌,ér gē,nursery rhyme -儿科,ér kē,pediatrics -儿童,ér tóng,child -儿童基金会,ér tóng jī jīn huì,UNICEF (United Nations Children's fund) -儿童乐园,ér tóng lè yuán,children's play area -儿童权利公约,ér tóng quán lì gōng yuē,Convention on the Rights of the Child (CRC) -儿茶素,ér chá sù,catechin (biochemistry) -儿马,ér mǎ,stallion -兔,tù,rabbit -兔唇,tù chún,hare lip (birth defect) -兔子,tù zi,hare; rabbit; CL:隻|只[zhi1] -兔子不吃窝边草,tù zi bù chī wō biān cǎo,lit. a rabbit never eats the grass beside its own burrow (idiom); fig. even a scoundrel does not do harm in his immediate neighborhood -兔子尾巴长不了,tù zi wěi ba cháng bu liǎo,rabbits don't have long tails (idiom); its days are numbered; won't last long -兔崽子,tù zǎi zi,brat; bastard -兔年,tù nián,Year of the Rabbit (e.g. 2011) -兔径,tù jìng,narrow winding path -兔斯基,tù sī jī,"Tuzki, a Chinese cartoon rabbit character used in emoticons and stickers, created in 2006" -兔死狐悲,tù sǐ hú bēi,"lit. if the rabbit dies, the fox grieves (idiom); fig. to have sympathy with a like-minded person in distress" -兔死狗烹,tù sǐ gǒu pēng,lit. to boil the hound once it caught the rabbit (idiom); fig. to get rid of sb once he has served his purpose -兔热病,tù rè bìng,tularemia; rabbit fever -兔爸,tù bà,toolbar (in computer software) (loanword) -兔狲,tù sūn,Pallas's cat (Otocolobus manul) -兔羔子,tù gāo zi,see 兔崽子[tu4 zai3 zi5] -兕,sì,"animal cited in ancient texts, resembling a buffalo (some say rhinoceros or female rhinoceros)" -兕觥,sì gōng,ancient type of drinking vessel -兖,yǎn,used in 兗州|兖州[Yan3 zhou1] -兖州,yǎn zhōu,"Yanzhou, county-level city in Jining 濟寧|济宁[Ji3 ning2], Shandong" -兖州市,yǎn zhōu shì,"Yanzhou, county-level city in Jining 濟寧|济宁[Ji3 ning2], Shandong" -兜,dōu,pocket; bag; to wrap up or hold in a bag; to move in a circle; to canvas or solicit; to take responsibility for; to disclose in detail; combat armor (old) -兜儿,dōu er,erhua variant of 兜[dou1] -兜兜,dōu dou,an undergarment covering chest and abdomen -兜兜转转,dōu dōu zhuàn zhuàn,(lit. and fig.) to go around and around; to wander around -兜售,dōu shòu,to hawk; to peddle -兜圈子,dōu quān zi,to encircle; to go around; to circle; to beat about the bush -兜帽,dōu mào,hood -兜底,dōu dǐ,to provide a safety net; (coll.) to reveal; to expose (sth disreputable) -兜抄,dōu chāo,to close in from the rear and flanks; to surround and attack; to mop up (remnant enemy troops) -兜捕,dōu bǔ,to round up (fugitives); to corner and arrest -兜揽,dōu lǎn,to canvas (for customers); to solicit; to advertise; to drum up; sales pitch; to take on (a task) -兜翻,dōu fān,to expose; to turn over -兜肚,dōu du,undergarment covering the chest and abdomen -兜卖,dōu mài,to peddle; to hawk (pirate goods) -兜鍪,dōu móu,helmet (archaic) -兜头,dōu tóu,full in the face -兜风,dōu fēng,to catch the wind; to go for a spin in the fresh air -兟,shēn,to advance -兜,dōu,old variant of 兜[dou1] -兢,jīng,to be fearful; apprehensive -兢兢业业,jīng jīng yè yè,(idiom) conscientious; assiduous -入,rù,to enter; to go into; to join; to become a member of; to confirm or agree with; abbr. for 入聲|入声[ru4 sheng1] -入不敷出,rù bù fū chū,income does not cover expenditure; unable to make ends meet -入世,rù shì,to engage with secular society; to involve oneself in human affairs; to join the WTO (abbr. for 加入世界貿易組織|加入世界贸易组织[jia1 ru4 Shi4 jie4 Mao4 yi4 Zu3 zhi1]) -入主,rù zhǔ,to invade and take control of (a territory); to take the helm at (an organization); (of a company) to take control of (another company) -入伍,rù wǔ,to enter the army; to enlist -入伍生,rù wǔ shēng,newly enlisted officer student; cadet -入伙,rù huǒ,to join a group; to become a member -入住,rù zhù,to check in (at a hotel etc) -入侵,rù qīn,to invade -入侵物种,rù qīn wù zhǒng,invasive species -入侵者,rù qīn zhě,intruder -入口,rù kǒu,entrance; to import -入口就化,rù kǒu jiù huà,to melt in one's mouth -入口网,rù kǒu wǎng,Web portal; (enterprise) portal -入口页,rù kǒu yè,web portal -入味,rù wèi,tasty; to be absorbed in sth; interesting -入围,rù wéi,to get past the qualifying round; to make it to the finals -入围者,rù wéi zhě,finalist; qualifier; person or item selected as one of the best -入园,rù yuán,"to enter a park or other place for public recreation (typically, one whose name ends in 園|园: a zoo 動物園|动物园[dong4 wu4 yuan2], amusement park 遊樂園|游乐园[you2 le4 yuan2] etc); to enrol in a kindergarten 幼兒園|幼儿园[you4 er2 yuan2]; to start going to kindergarten" -入团,rù tuán,to enroll in the Communist Youth League -入土,rù tǔ,to bury; buried; interred -入土为安,rù tǔ wéi ān,buried and at rest (idiom); Resquiescat in pacem (RIP) -入场,rù chǎng,"to enter the venue for a meeting; to enter into an examination; to enter a stadium, arena etc" -入场券,rù chǎng quàn,admission ticket -入场式,rù chǎng shì,ceremonial entry; opening procession -入场费,rù chǎng fèi,admission fee -入境,rù jìng,to enter a country -入境问俗,rù jìng wèn sú,"When you enter a country, enquire about the local customs (idiom); do as the natives do; When in Rome, do as the Romans do" -入境签证,rù jìng qiān zhèng,entry visa -入境随俗,rù jìng suí sú,"lit. when you enter a country, follow the local customs (idiom); fig. when in Rome, do as the Romans do" -入夜,rù yè,nightfall -入学,rù xué,to enter a school or college; to go to school for the first time as a child -入学率,rù xué lǜ,percentage of children who enter school -入定,rù dìng,(Buddhism) to enter a meditative state -入局,rù jú,to enter the game; to get involved; to walk into a scam -入席,rù xí,to take one's seat -入座,rù zuò,to take one's seat -入微,rù wēi,down to the smallest detail; thoroughgoing; fine and detailed -入息,rù xī,income (Hong Kong) -入情入理,rù qíng rù lǐ,sensible and reasonable (idiom) -入戏,rù xì,(of an actor) to inhabit one's role; to become the character; (of an audience) to get involved in the drama -入户,rù hù,to enter sb's house; to obtain a residence permit -入手,rù shǒu,"to begin (with ...) (typically used in a structure such as 從|从[cong2] + {noun} + 入手[ru4 shou3]: ""to begin with {noun}; to take {noun} as one's starting point""); to receive; to obtain; to buy" -入托,rù tuō,(of a child) to start daycare -入教,rù jiào,to join a religion -入时,rù shí,fashionable -入会,rù huì,"to join a society, association etc" -入月,rù yuè,(of women) beginning of menstrual cycle; full-term gestation -入木三分,rù mù sān fēn,written in a forceful hand; penetrating; profound -入樽,rù zūn,slam dunk -入殓,rù liàn,to put dead body in coffin -入海口,rù hǎi kǒu,estuary -入涅,rù niè,to enter nirvana (Buddhism) -入狱,rù yù,to go to jail; to be sent to prison -入球,rù qiú,to score a goal; goal -入盟,rù méng,to join (e.g. union or alliance) -入眠,rù mián,to fall asleep -入眼,rù yǎn,to appear before one's eyes; pleasing to the eye; nice to look at -入睡,rù shuì,to fall asleep -入神,rù shén,to be enthralled; to be entranced -入禀,rù bǐng,to file (law) -入籍,rù jí,to become naturalized; to become a citizen -入罪,rù zuì,to criminalize (an activity) -入罪化,rù zuì huà,to criminalize (an activity) -入圣,rù shèng,to become an arhat (Buddhism) -入联,rù lián,to join an alliance; admission to the United Nations -入声,rù shēng,entering tone; checked tone; one of the four tones of Middle Chinese -入职,rù zhí,to commence employment; to enter a company -入肉,rù ròu,to have intercourse; to fuck -入股,rù gǔ,to invest -入药,rù yào,to use in medicine -入行,rù háng,to enter a profession -入赘,rù zhuì,"to go and live with one's wife's family, in effect becoming a member of her family" -入超,rù chāo,trade deficit; import surplus -入轨,rù guǐ,to enter orbit -入迷,rù mí,to be fascinated; to be enchanted -入道,rù dào,to enter the Way; to become a Daoist -入选,rù xuǎn,to be included among those selected for -入乡随俗,rù xiāng suí sú,"When you enter a village, follow the local customs (idiom); do as the natives do; When in Rome, do as the Romans do" -入门,rù mén,entrance door; to enter a door; introduction (to a subject); to learn the basics of a subject -入门课程,rù mén kè chéng,introductory course; primer -入关,rù guān,to enter a pass; to go through customs -入关学,rù guān xué,"theory proposed in 2019 on Chinese social media, centering on the idea of China replacing the United States as the dominant nation in a new world order, drawing an analogy with the Manchu overthrow of the Ming dynasty, achieved after the Qing army entered China via the Shanhai Pass 入關|入关[ru4 guan1]" -入院,rù yuàn,to enter hospital; to be hospitalized -入风口,rù fēng kǒu,air intake vent -入党,rù dǎng,to join a political party (esp. the Communist Party) -内,nèi,inside; inner; internal; within; interior -内丘,nèi qiū,"Neiqiu county in Xingtai 邢台[Xing2 tai2], Hebei" -内丘县,nèi qiū xiàn,"Neiqiu county in Xingtai 邢台[Xing2 tai2], Hebei" -内中,nèi zhōng,within it; among them -内丹,nèi dān,Taoist internal alchemy -内乱,nèi luàn,internal disorder; civil strife; civil unrest -内人,nèi rén,my wife (humble) -内侧,nèi cè,inner side -内传,nèi zhuàn,biography recounting apocryphal anecdotes and rumors; (old) book of exegesis of a classic -内伤,nèi shāng,"internal injury; disorder of internal organs (due to improper nutrition, overexertion etc)" -内兄,nèi xiōng,wife's older brother -内内,nèi nei,(coll.) panties -内八字脚,nèi bā zì jiǎo,intoeing; pigeon toes; knock-knees -内六角圆柱头螺钉,nèi liù jiǎo yuán zhù tóu luó dīng,hexagon socket head cap screw -内六角扳手,nèi liù jiǎo bān shǒu,Allen key; hex key -内出血,nèi chū xuè,internal bleeding; internal hemorrhage -内分泌,nèi fēn mì,"endocrine (internal secretion, e.g. hormone)" -内分泌腺,nèi fēn mì xiàn,endocrine gland -内切,nèi qiē,(math.) to inscribe; internally tangent -内切球,nèi qiē qiú,inside cut (golf); (math.) inscribed sphere; insphere -内务,nèi wù,internal affairs; domestic affairs; family affairs; (trad.) affairs within the palace -内务府,nèi wù fǔ,Imperial Household Department (in Qing dynasty) -内务部,nèi wù bù,Ministry of Internal Affairs -内化,nèi huà,internalization; to internalize -内卡河,nèi kǎ hé,Neckar River in Germany -内卷,nèi juǎn,(embryology) to involute; involution; (neologism c. 2017) (of a society) to become more and more of a rat race; to become increasingly competitive (due to limited resources) -内参,nèi cān,"restricted document, available only to certain individuals such as high-ranking Party officials (abbr. for 內部參考|内部参考); (literary) palace eunuch" -内向,nèi xiàng,reserved (personality); introverted; (economics etc) domestic-oriented -内含,nèi hán,to contain; to include -内唇,nèi chún,epipharynx (entomology); inner part of the lip -内啡素,nèi fēi sù,endorphin -内啡肽,nèi fēi tài,endorphin -内在,nèi zài,inner; internal; intrinsic; innate -内在几何,nèi zài jǐ hé,intrinsic geometry -内在几何学,nèi zài jǐ hé xué,intrinsic geometry -内在坐标,nèi zài zuò biāo,intrinsic coordinates (geometry) -内在美,nèi zài měi,inner beauty -内在超越,nèi zài chāo yuè,"inner transcendence (perfection through one's own inner moral cultivation, as in Confucianism, for example)" -内地,nèi dì,"mainland China (PRC excluding Hong Kong and Macau, but including islands such as Hainan); Japan (used in Taiwan during Japanese colonization)" -内地,nèi dì,inland; interior; hinterland -内城,nèi chéng,inner castle; donjon -内埔,nèi pǔ,"Neipu Township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -内埔乡,nèi pǔ xiāng,"Neipu Township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -内场,nèi chǎng,inner area (of a place that has an outer area); the kitchen of a restaurant (as opposed to the dining area); infield (baseball etc); (Chinese opera) the area behind the table on the stage -内塔尼亚胡,nèi tǎ ní yà hú,"Netanyahu (name); Benjamin Netanyahu (1949-), Israeli Likud politician, prime minister 1996-1999 and from 2009" -内外,nèi wài,inside and outside; domestic and foreign; approximately; about -内外兼修,nèi wài jiān xiū,(of a person) beautiful inside and out -内奸,nèi jiān,undiscovered traitor; enemy within one's own ranks -内存,nèi cún,internal storage; computer memory; random access memory (RAM) -内定,nèi dìng,to select sb for a position without announcing the decision until later; to decide behind closed doors; all cut and dried -内室,nèi shì,inner room; bedroom -内容,nèi róng,"content; substance; details; CL:個|个[ge4],項|项[xiang4]" -内容管理系统,nèi róng guǎn lǐ xì tǒng,content management system (CMS) (Internet) -内射,nèi shè,to ejaculate in the vagina or anus -内层,nèi céng,internal layer -内布拉斯加,nèi bù lā sī jiā,"Nebraska, US state" -内布拉斯加州,nèi bù lā sī jiā zhōu,"Nebraska, US state" -内幕,nèi mù,inside story; non-public information; behind the scenes; internal -内幕交易,nèi mù jiāo yì,insider trading; insider dealing -内廷,nèi tíng,"place at the imperial court, where emperor handled government affairs, gave orders etc" -内建,nèi jiàn,built-in -内弟,nèi dì,wife's younger brother -内径,nèi jìng,internal diameter -内心,nèi xīn,heart; innermost being; (math.) incenter -内心世界,nèi xīn shì jiè,(one's) inner world -内心戏,nèi xīn xì,psychological drama -内心深处,nèi xīn shēn chù,deep in one's heart -内急,nèi jí,to need to answer the call of nature -内情,nèi qíng,inside story; inside information -内忧外困,nèi yōu wài kùn,internal trouble and outside aggression (idiom); in a mess both domestically and abroad -内忧外患,nèi yōu wài huàn,internal trouble and outside aggression (idiom); in a mess both domestically and abroad -内战,nèi zhàn,civil war -内推,nèi tuī,(math.) interpolation; (human resources) internal referral; employee referral (recommendation of a potential new employee by an existing employee or client) -内插,nèi chā,to install (hardware) internally (rather than plugging it in as a peripheral); (math.) to interpolate; interpolation -内搭裤,nèi dā kù,leggings (Tw) -内政,nèi zhèng,internal affairs (of a country) -内政部,nèi zhèng bù,Ministry of the Interior -内政部警政署,nèi zhèng bù jǐng zhèng shǔ,National Police Agency (Tw) -内政部长,nèi zhèng bù zhǎng,Minister of the Interior -内敛,nèi liǎn,introverted; reserved; (artistic style) understated -内斜视,nèi xié shì,(medicine) esotropia; cross-eye -内服,nèi fú,to take medicine orally (as opposed to applying externally) -内核,nèi hé,core (of a fruit); (fig.) the essence (of a concept or doctrine etc); (geology) inner core; (computing) kernel -内比都,nèi bǐ dū,"Naypyidaw or Nay Pyi Taw, capital of Myanmar" -内江,nèi jiāng,"Neijiang, prefecture-level city in Sichuan" -内江市,nèi jiāng shì,"Neijiang, prefecture-level city in Sichuan" -内流,nèi liú,inward flowing (of river); flowing into desert -内流河,nèi liú hé,"inward flowing river; river flowing into desert or salt lake, e.g. Tarim river 塔里木河" -内涵,nèi hán,meaningful content; implication; (semantics) connotation; inner qualities (of a person) -内涵意义,nèi hán yì yì,(semantics) connotative meaning; connotation -内测,nèi cè,(software development) to do closed beta (or internal beta) testing -内湖,nèi hú,"Neihu District of Taipei City 臺北市|台北市[Tai2 bei3 Shi4], Taiwan" -内湖区,nèi hú qū,"Neihu District of Taipei City 臺北市|台北市[Tai2 bei3 Shi4], Taiwan" -内源,nèi yuán,source -内涝,nèi lào,waterlogged -内熵,nèi shāng,internal entropy (physics) -内燃,nèi rán,internal combustion (engine) -内燃机,nèi rán jī,internal combustion engine -内燃机车,nèi rán jī chē,automobile -内营力,nèi yíng lì,internal force; endogenic force -内爆,nèi bào,to implode -内爆法原子弹,nèi bào fǎ yuán zǐ dàn,implosion atomic bomb -内用,nèi yòng,to eat in (at a restaurant) (Tw); to take the medicine orally -内田,nèi tián,Uchida (Japanese surname) -内疚,nèi jiù,guilty conscience; to feel a twinge of guilt -内皮,nèi pí,(med.) endothelium; thin skin on the inside of some fruits (e.g. oranges) -内省,nèi xǐng,to reflect upon oneself; introspection -内省性,nèi xǐng xìng,introversion; introspective -内眦,nèi zì,(anatomy) medial canthus; inner corner of the eye -内眷,nèi juàn,the females in a family; womenfolk -内眼角,nèi yǎn jiǎo,inner corner of the eye -内码,nèi mǎ,internal code -内科,nèi kē,internal medicine; general medicine -内科学,nèi kē xué,internal medicine -内科医生,nèi kē yī shēng,"medical doctor; physician who works primarily by administering drugs, as opposed to surgeon 外科醫生|外科医生[wai4 ke1 yi1 sheng1]" -内稃,nèi fū,(botany) palea -内积,nèi jī,inner product; the dot product of two vectors -内窥镜,nèi kuī jìng,endoscope -内细胞团,nèi xì bāo tuán,inner cell mass (ICM) -内经,nèi jīng,"abbr. for 黃帝內經|黄帝内经[Huang2 di4 Nei4 jing1], The Yellow Emperor's Internal Canon, medical text c. 300 BC" -内线交易,nèi xiàn jiāo yì,insider trading (illegal share-dealing) -内线消息,nèi xiàn xiāo xi,insider information -内置,nèi zhì,built-in; internal -内罗毕,nèi luó bì,"Nairobi, capital of Kenya" -内耗,nèi hào,internal friction; internal dissipation of energy (in mechanics); fig. waste or discord within an organization -内耳,nèi ěr,inner ear -内耳道,nèi ěr dào,internal auditory meatus (canal in temporal bone of skull housing auditory nerves) -内联网,nèi lián wǎng,intranet -内胎,nèi tāi,inner tube (of a tire) -内胚层,nèi pēi céng,endoderm (cell lineage in embryology) -内能,nèi néng,internal energy -内膜,nèi mó,inner membrane -内胆,nèi dǎn,"inner container (e.g. the rice pot inside a rice cooker, the vacuum bottle inside a thermos, the tank inside a hot water heater, the bladder of a football)" -内脏,nèi zàng,internal organs; viscera -内臣,nèi chén,chamberlain -内华达,nèi huá dá,"Nevada, US state" -内华达州,nèi huá dá zhōu,"Nevada, US state" -内蒙,nèi měng,Inner Mongolia or Inner Mongolia autonomous region 內蒙古自治區|内蒙古自治区[Nei4 meng3 gu3 Zi4 zhi4 qu1] -内蒙古,nèi měng gǔ,Inner Mongolia (abbr. for 內蒙古自治區|内蒙古自治区[Nei4 meng3 gu3 Zi4 zhi4 qu1]) -内蒙古大学,nèi měng gǔ dà xué,Inner Mongolia University -内蒙古自治区,nèi měng gǔ zì zhì qū,"Inner Mongolia autonomous region, abbr. 內蒙古|内蒙古[Nei4 meng3 gu3], capital Hohhot 呼和浩特市[Hu1 he2 hao4 te4 Shi4]" -内行,nèi háng,expert; adept; experienced; an expert; a professional -内衣,nèi yī,undergarment; underwear; CL:件[jian4] -内衣裤,nèi yī kù,underwear -内袋,nèi dài,inner pocket -内装,nèi zhuāng,filled with; internal decoration; installed inside -内里,nèi lǐ,the inside -内裤,nèi kù,underpants; panties; briefs -内衬,nèi chèn,lining (of a container etc) (engineering) -内视镜,nèi shì jìng,endoscope -内观,nèi guān,to introspect; to examine oneself; (Buddhism) vipassana meditation (seeking insight into the true nature of reality) -内讧,nèi hòng,internal strife -内详,nèi xiáng,name and address of the sender enclosed; details inside -内贸,nèi mào,domestic trade -内贾德,nèi jiǎ dé,"Mahmoud Ahmadinejad (1956-), Iranian fundamentalist politician, president of Iran 2005-2013; abbr. for 艾哈邁迪內賈德|艾哈迈迪内贾德" -内宾,nèi bīn,guest from the same country; internal or domestic visitor (as opposed to international guest 外賓|外宾) -内质网,nèi zhì wǎng,endoplasmic reticulum (ER) -内购,nèi gòu,buying direct from your company at preferential prices; (gaming) in-app purchase -内踝,nèi huái,medial malleolus -内部,nèi bù,"interior; inside (part, section); internal" -内部事务,nèi bù shì wù,internal affairs -内部矛盾,nèi bù máo dùn,internal contradiction -内部网,nèi bù wǎng,intranet -内部斗争,nèi bù dòu zhēng,internal power struggle -内乡,nèi xiāng,"Neixiang county in Nanyang 南陽|南阳[Nan2 yang2], Henan" -内乡县,nèi xiāng xiàn,"Neixiang county in Nanyang 南陽|南阳[Nan2 yang2], Henan" -内酯,nèi zhǐ,lactone -内酰胺酶,nèi xiān àn méi,beta-lactamase (a bacterial inhibitor) -内销,nèi xiāo,to sell in the domestic market; domestic market -内门,nèi mén,"Neimen township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -内门乡,nèi mén xiāng,"Neimen township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -内阁,nèi gé,(government) cabinet -内阁总理大臣,nèi gé zǒng lǐ dà chén,formal title of the Japanese prime minister -内院,nèi yuàn,inner courtyard (in a courtyard house) -内陆,nèi lù,inland; interior -内陆国,nèi lù guó,landlocked country -内陆河,nèi lù hé,inland river; river draining to inland sea -内需,nèi xū,domestic demand -内饰,nèi shì,interior decor -内斗,nèi dòu,internal strife; power struggle; (of members of an organization) to fight each other -内哄,nèi hòng,variant of 內訌|内讧[nei4 hong4] -内鬼,nèi guǐ,mole; spy; rat; traitor -内黄,nèi huáng,"Neihuang county in Anyang 安陽|安阳[An1 yang2], Henan" -内黄县,nèi huáng xiàn,"Neihuang county in Anyang 安陽|安阳[An1 yang2], Henan" -全,quán,surname Quan -全,quán,all; whole; entire; every; complete -全世界,quán shì jiè,worldwide; entire world -全世界无产者联合起来,quán shì jiè wú chǎn zhě lián hé qǐ lai,"Proletarier aller Länder, vereinigt euch!; Workers of the world, unite!" -全世界第一,quán shì jiè dì yī,world's first -全乎,quán hu,(coll.) complete; comprehensive -全份,quán fèn,complete set -全休,quán xiū,complete rest (after an illness) -全优,quán yōu,overall excellence -全副,quán fù,completely -全副武装,quán fù wǔ zhuāng,fully armed; armed to the teeth; fig. fully equipped -全副精力,quán fù jīng lì,to concentrate entirely on sth; fully engaged; with full force -全力,quán lì,with all one's strength; full strength; all-out (effort); fully (support) -全力以赴,quán lì yǐ fù,to do at all costs; to make an all-out effort -全胜,quán shèng,total victory; to excel by far; name of a tank; slam -全勤,quán qín,(of an individual) to have a perfect attendance record; (of a group) to have no absentees -全南,quán nán,"Quannan county in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -全南县,quán nán xiàn,"Quannan county in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -全同,quán tóng,identical -全向,quán xiàng,in all directions -全员,quán yuán,all personnel; the whole staff -全国,quán guó,whole nation; nationwide; countrywide; national -全国人大,quán guó rén dà,"abbr. for 全國人大會議|全国人大会议[Quan2 guo2 Ren2 Da4 hui4 yi4], National People's Congress (NPC)" -全国人大常委会,quán guó rén dà cháng wěi huì,Standing Committee of the National People's Congress (abbr. of 全國人民代表大會常務委員會|全国人民代表大会常务委员会) -全国人大会议,quán guó rén dà huì yì,National People's Congress (NPC) -全国人民代表大会,quán guó rén mín dài biǎo dà huì,(Chinese) National People's Congress; abbr. to 人大[Ren2 da4] -全国人民代表大会常务委员会,quán guó rén mín dài biǎo dà huì cháng wù wěi yuán huì,Standing Committee of the National People's Congress -全国代表大会,quán guó dài biǎo dà huì,"national general congress; Communist party national congress, in recent times every five years" -全国各地,quán guó gè dì,every part of the country -全国大会党,quán guó dà huì dǎng,National Congress Party (Sudan) -全国性,quán guó xìng,national -全国民主联盟,quán guó mín zhǔ lián méng,Myanmar or Burma National league for democracy (NLD) -全国运动会,quán guó yùn dòng huì,"National Games, Chinese athletics competition, organized every four years since 1959" -全国重点文物保护单位,quán guó zhòng diǎn wén wù bǎo hù dān wèi,Major Historical and Cultural Site Protected at the National Level -全地形车,quán dì xíng chē,all-terrain vehicle (ATV) -全城,quán chéng,whole city -全域,quán yù,the entire area; the entire domain; global; domain-wide -全场,quán chǎng,everyone present; the whole audience; across-the-board; unanimously; whole duration (of a competition or match) -全场一致,quán chǎng yī zhì,unanimous -全垒打,quán lěi dǎ,home run (baseball) -全天,quán tiān,whole day -全天候,quán tiān hòu,all-weather -全套,quán tào,an entire set; full complement -全家,quán jiā,FamilyMart (convenience store chain) -全家,quán jiā,whole family -全家福,quán jiā fú,photograph of the entire family; hodgepodge (cookery) -全局,quán jú,overall situation -全局作用域,quán jú zuò yòng yù,(computing) global scope -全局性,quán jú xìng,global -全局模块,quán jú mó kuài,global module -全局语境,quán jú yǔ jìng,global context -全尸,quán shī,intact corpse; dead body with no parts missing -全屏,quán píng,(computing) fullscreen -全州,quán zhōu,"Quanzhou county in Guilin 桂林[Gui4 lin2], Guangxi" -全州市,quán zhōu shì,"Jeonju city, capital of North Jeolla Province, in west South Korea" -全州县,quán zhōu xiàn,"Quanzhou county in Guilin 桂林[Gui4 lin2], Guangxi" -全市,quán shì,whole city -全年,quán nián,the whole year; all year long -全度音,quán dù yīn,whole tone (musical interval) -全影,quán yǐng,total shadow; umbra -全复,quán fù,completely; totally recovered; healed -全心,quán xīn,with heart and soul -全心全意,quán xīn quán yì,heart and soul; wholeheartedly -全息,quán xī,holographic -全情,quán qíng,wholeheartedly -全情投入,quán qíng tóu rù,to put one's heart and soul into -全愈,quán yù,variant of 痊癒|痊愈[quan2 yu4] -全才,quán cái,all-rounder; versatile -全拼,quán pīn,"(computing) full pinyin (input method where the user types pinyin without tones, e.g. ""shiqing"" for 事情[shi4 qing5])" -全攻全守,quán gōng quán shǒu,total football (soccer) -全数,quán shù,the entire sum; the whole amount -全文,quán wén,entire text; full text -全文检索,quán wén jiǎn suǒ,full text search -全斗焕,quán dòu huàn,"Chun Doo Hwan (1931-), South Korean politician, president 1980-1988" -全新,quán xīn,all new; completely new -全新世,quán xīn shì,Holocene (geological period covering approx 12000 years since the last ice age) -全新纪,quán xīn jì,holocene; period since the last ice age -全新统,quán xīn tǒng,holocene system (geological strata laid down during the last 12000 years) -全方位,quán fāng wèi,all around; omnidirectional; complete; holistic; comprehensive -全日制,quán rì zhì,"full-time (schooling, work etc)" -全日空,quán rì kōng,All Nippon Airways (ANA) -全时工作,quán shí gōng zuò,full-time work -全景,quán jǐng,panoramic view -全书,quán shū,entire book; unabridged book -全会,quán huì,plenary session (at a conference); CL:屆|届[jie4] -全本,quán běn,whole edition; whole performance (of Chinese opera) -全椒,quán jiāo,"Quanjiao, a county in Chuzhou 滁州[Chu2zhou1], Anhui" -全椒县,quán jiāo xiàn,"Quanjiao, a county in Chuzhou 滁州[Chu2zhou1], Anhui" -全桥,quán qiáo,H bridge (electronics) -全权,quán quán,full powers; total authority; plenipotentiary powers -全权代表,quán quán dài biǎo,a plenipotentiary (representative) -全权大使,quán quán dà shǐ,plenipotentiary ambassador -全歼,quán jiān,to annihilate; to wipe out completely; to exterminate -全民,quán mín,entire population (of a country) -全民健保,quán mín jiàn bǎo,National Health Insurance (Tw) (abbr. for 全民健康保險|全民健康保险[Quan2 min2 Jian4 kang1 Bao3 xian3]) -全民健康保险,quán mín jiàn kāng bǎo xiǎn,National Health Insurance (Tw) -全民公决,quán mín gōng jué,referendum -全民投票,quán mín tóu piào,referendum; plebiscite -全民皆兵,quán mín jiē bīng,to bring the entire nation to arms (idiom) -全民义务植树日,quán mín yì wù zhí shù rì,"National Tree Planting Day (March 12th), as known as Arbor Day 植樹節|植树节[Zhi2 shu4 jie2]" -全民英检,quán mín yīng jiǎn,"General English Proficiency Test (GEPT), commissioned by Taiwan's Ministry of Education in 1999" -全活,quán huó,to save life; to rescue; the whole business with all its processes -全港,quán gǎng,whole territory of Hong Kong -全无,quán wú,none; completely without -全无准备,quán wú zhǔn bèi,completely unprepared -全然,quán rán,completely -全熟,quán shú,thoroughly cooked; well done (of steak) -全烧祭,quán shāo jì,burnt offering (Judaism) -全班,quán bān,the whole class -全球,quán qiú,the whole world; worldwide; global -全球位置测定系统,quán qiú wèi zhì cè dìng xì tǒng,GPS (Global Positioning System) -全球化,quán qiú huà,globalization -全球定位系统,quán qiú dìng wèi xì tǒng,global positioning system (GPS) -全球性,quán qiú xìng,global; worldwide -全球暖化,quán qiú nuǎn huà,global warming (Taiwan and Hong Kong usage); written 全球變暖|全球变暖 in PRC -全球气候,quán qiú qì hòu,global climate -全球气候升温,quán qiú qì hòu shēng wēn,global warming -全球气候变暖,quán qiú qì hòu biàn nuǎn,global warming -全球发展中心,quán qiú fā zhǎn zhōng xīn,Center for Global Development (an environmental think tank) -全球而言,quán qiú ér yán,globally; worldwide -全球卫星导航系统,quán qiú wèi xīng dǎo háng xì tǒng,"Globalnaya Navigatsionaya Satelinaya Sistema or Global Navigation Satellite System (GLONASS), the Russian equivalent of GPS; abbr. to 格洛納斯|格洛纳斯" -全球变暖,quán qiú biàn nuǎn,global warming (PRC usage); written 全球暖化 in Taiwan -全球资讯网,quán qiú zī xùn wǎng,world wide web; WWW -全球通,quán qiú tōng,Global System for Mobile Communications (GSM) (telecommunications) -全盛,quán shèng,flourishing; at the peak; in full bloom -全盘,quán pán,overall; comprehensive -全省,quán shěng,the whole province -全知,quán zhī,omniscient -全知全能,quán zhī quán néng,omniscient and omnipotent -全神灌注,quán shén guàn zhù,variant of 全神貫注|全神贯注[quan2 shen2 guan4 zhu4] -全神贯注,quán shén guàn zhù,to concentrate one's attention completely (idiom); with rapt attention -全票,quán piào,full-priced ticket; by unanimous vote -全科医生,quán kē yī shēng,general practitioner -全程,quán chéng,the whole distance; from beginning to end -全称,quán chēng,full name -全谷物,quán gǔ wù,whole grain -全端工程师,quán duān gōng chéng shī,full-stack developer (computing) -全等,quán děng,(geometry) congruent -全等图形,quán děng tú xíng,congruent figure (geometry) -全等形,quán děng xíng,(math.) congruent figure -全节流,quán jié liú,full throttle; top speed -全纯,quán chún,holomorphic (math.) -全素,quán sù,vegan -全素食,quán sù shí,vegan -全网,quán wǎng,the entire Internet -全线,quán xiàn,the whole front (in a war); the whole length (of a road or railway line) -全编,quán biān,complete edition -全罗北道,quán luó běi dào,"North Jeolla Province, in west South Korea, capital Jeonju 全州[Quan2 zhou1]" -全罗南道,quán luó nán dào,"South Jeolla Province, in southwest South Korea, capital Gwangju 光州[Guang1 zhou1]" -全罗道,quán luó dào,"Jeolla or Cholla Province of Joseon Korea, now divided into North Jeolla Province 全羅北道|全罗北道[Quan2 luo2 bei3 dao4] and South Jeolla Province 全羅南道|全罗南道[Quan2 luo2 nan2 dao4]" -全美,quán měi,throughout the United States; the whole of America -全美广播公司,quán měi guǎng bō gōng sī,National Broadcasting Company (NBC) -全聚德,quán jù dé,Quanjude (famous Chinese restaurant) -全联,quán lián,PX Mart (supermarket chain in Taiwan) -全职,quán zhí,full-time job -全能,quán néng,omnipotent; all-round; strong in every area -全般,quán bān,entire -全色,quán sè,full color; in all colors -全蚀,quán shí,total eclipse -全裸,quán luǒ,completely naked; stark naked -全托,quán tuō,full-time care (of children in a boarding nursery) -全豹,quán bào,the full picture (i.e. the whole situation); panorama -全貌,quán mào,complete picture; full view -全责,quán zé,full responsibility -全资附属公司,quán zī fù shǔ gōng sī,wholly owned subsidiary -全跏坐,quán jiā zuò,crossed leg posture (usu. of Buddha) -全距,quán jù,range (of a set of data) (statistics) -全身,quán shēn,the whole body; (typography) em -全身心,quán shēn xīn,wholeheartedly; (to devote oneself) heart and soul -全身性红斑狼疮,quán shēn xìng hóng bān láng chuāng,systemic lupus erythematosus (SLE) -全身而退,quán shēn ér tuì,to escape unscathed; to get through in one piece -全身镜,quán shēn jìng,full-length mirror -全身麻醉,quán shēn má zuì,general anesthesia -全军,quán jūn,whole army -全军覆没,quán jūn fù mò,total defeat of an army (idiom); fig. a complete wipeout -全轮驱动,quán lún qū dòng,all-wheel drive -全速,quán sù,top speed; at full speed -全运会,quán yùn huì,abbr. for 全國運動會|全国运动会[Quan2 guo2 Yun4 dong4 hui4] -全部,quán bù,whole; all -全都,quán dōu,all; without exception -全录,quán lù,Xerox (Tw) -全长,quán cháng,overall length; span -全陪,quán péi,tour escort (throughout the entire tour) -全集,quán jí,omnibus; complete works (of a writer or artist) -全面,quán miàn,all-around; comprehensive; total; overall -全面禁止,quán miàn jìn zhǐ,complete prohibition; total ban -全面禁止核试验条约,quán miàn jìn zhǐ hé shì yàn tiáo yuē,Comprehensive Nuclear-Test-Ban Treaty -全音,quán yīn,whole tone (musical interval) -全额,quán é,"the full amount; full (compensation, scholarship, production etc)" -全食,quán shí,total eclipse -全马,quán mǎ,full marathon (abbr. for 全程馬拉松|全程马拉松[quan2 cheng2 ma3 la1 song1]); the whole of Malaysia -全体,quán tǐ,all; entire -全体人员,quán tǐ rén yuán,crew -全体会议,quán tǐ huì yì,general congress; meeting of the whole committee -全须全尾儿,quán xū quán yǐ er,(Beijing dialect) intact; in one piece -全麦,quán mài,whole wheat -全麻,quán má,general anesthesia (abbr. for 全身麻醉[quan2 shen1 ma2 zui4]) -全党全军,quán dǎng quán jūn,the (communist) party and the army together (idiom) -两,liǎng,"two; both; some; a few; tael, unit of weight equal to 50 grams (modern) or 1⁄16 of a catty 斤[jin1] (old)" -两下,liǎng xià,twice; for a little while -两下子,liǎng xià zi,a couple of times; to repeat the same; the same old trick; tricks of the trade -两不相欠,liǎng bù xiāng qiàn,to be even; to be quits; to be even-steven -两不误,liǎng bù wù,to neglect neither one -两伊战争,liǎng yī zhàn zhēng,Iran-Iraq War (1980-1988) -两个中国,liǎng gè zhōng guó,two-China (policy) -两倍,liǎng bèi,twice as much; double the amount -两侧,liǎng cè,two sides; both sides -两侧对称,liǎng cè duì chèn,bilateral symmetry -两仪,liǎng yí,heaven and earth; yin and yang -两全,liǎng quán,to satisfy both sides; to accommodate both (demands) -两全其美,liǎng quán qí měi,to satisfy rival demands (idiom); to get the best of both worlds; to have it both ways; to have one's cake and eat it too -两分法,liǎng fēn fǎ,(Maoism) one divides into two -两千年,liǎng qiān nián,the year 2000; 2000 years -两口儿,liǎng kǒu er,husband and wife; couple -两口子,liǎng kǒu zi,husband and wife -两句,liǎng jù,(say) a few words -两回事,liǎng huí shì,two quite different things; two unrelated matters -两国,liǎng guó,both countries; two countries -两国之间,liǎng guó zhī jiān,bilateral; between two countries -两国关系,liǎng guó guān xì,bilateral relations -两宋,liǎng sòng,the Song dynasty (960-1279); refers to the Northern (960-1127) and Southern Song (1128-1279) -两小无猜,liǎng xiǎo wú cāi,innocent playmates -两岸,liǎng àn,bilateral; both shores; both sides; both coasts; Taiwan and mainland -两岸三地,liǎng àn sān dì,"China, Taiwan, Hong Kong and Macau (media term used esp. since 1997)" -两岸对话,liǎng àn duì huà,bilateral talks -两厢情愿,liǎng xiāng qíng yuàn,both sides are willing; by mutual consent -两广,liǎng guǎng,the two provinces of Guangdong and Guangxi (traditional) -两广总督,liǎng guǎng zǒng dū,Governor of Guangdong and Guangxi -两弹一星,liǎng dàn yī xīng,(China's achievements of) producing an atomic bomb (1964) and hydrogen bomb (1967) and launching a satellite into space (1970) -两德,liǎng dé,two Germanies; refers to German Democratic Republic (East Germany) and the Federal Republic of Germany (West Germany) -两性,liǎng xìng,"male and female; both types (acid and alkaline, positive and negative etc); (chemistry) amphoteric" -两性动物,liǎng xìng dòng wù,hermaphrodite creature -两性差距,liǎng xìng chā jù,disparity between the sexes -两性平等,liǎng xìng píng děng,equality between the sexes -两性异形,liǎng xìng yì xíng,sexual dimorphism -两性花,liǎng xìng huā,hermaphrodite flower -两性离子,liǎng xìng lí zǐ,(chemistry) zwitterion -两情两愿,liǎng qíng liǎng yuàn,by mutual consent (north China dialect) -两情相悦,liǎng qíng xiāng yuè,(of a couple) to be harmonious; to be each other's sunshine -两手,liǎng shǒu,"one's two hands; two prongs (of a strategy); both aspects, eventualities etc; skills; expertise" -两手不沾阳春水,liǎng shǒu bù zhān yáng chūn shuǐ,see 十指不沾陽春水|十指不沾阳春水[shi2 zhi3 bu4 zhan1 yang2 chun1 shui3] -两手空空,liǎng shǒu kōng kōng,empty-handed (idiom); fig. not receiving anything -两手策略,liǎng shǒu cè lüè,two-pronged strategy -两把刷子,liǎng bǎ shuā zi,ability; skill -两败俱伤,liǎng bài jù shāng,both sides suffer (idiom); neither side wins -两方,liǎng fāng,both sides (in contract); the two opposing sides (in a dispute) -两旁,liǎng páng,both sides; either side -两星期,liǎng xīng qī,fortnight -两会,liǎng huì,National People's Congress and Chinese People's Political Consultative Conference -两栖,liǎng qī,amphibious; dual-talented; able to work in two different lines -两栖动物,liǎng qī dòng wù,amphibian; amphibious animals -两栖类,liǎng qī lèi,class Amphibia; amphibians -两极,liǎng jí,the two poles; the north and south poles; both ends of sth; electric or magnetic poles -两极分化,liǎng jí fēn huà,polarization -两极化,liǎng jí huà,to polarize; polarization; polarized; divergent -两样,liǎng yàng,not the same; different -两样东西,liǎng yàng dōng xi,two distinct things -两步路,liǎng bù lù,a step away; very close -两江道,liǎng jiāng dào,"Ryanggang province province in north North Korea, adjacent to Jilin province" -两河,liǎng hé,the areas to the north and south of the Yellow River (in the Spring and Autumn Period); Mesopotamia -两河文明,liǎng hé wén míng,Mesopotamian civilization -两河流域,liǎng hé liú yù,Mesopotamia -两清,liǎng qīng,to square accounts (between borrower and lender or between buyer and seller) -两湖,liǎng hú,Hubei 湖北 and Hunan 湖南 provinces -两汉,liǎng hàn,Han dynasty (206 BC-220 AD); refers to the Western Han and Eastern Han -两生类,liǎng shēng lèi,class Amphibia -两用,liǎng yòng,dual-use -两当,liǎng dāng,"Liangdang county in Longnan 隴南|陇南[Long3 nan2], Gansu" -两当县,liǎng dāng xiàn,"Liangdang county in Longnan 隴南|陇南[Long3 nan2], Gansu" -两相,liǎng xiāng,both sides -两相,liǎng xiàng,two-phase (physics) -两相情愿,liǎng xiāng qíng yuàn,both sides are willing; by mutual consent -两码事,liǎng mǎ shì,two quite different things; another kettle of fish -两立,liǎng lì,to coexist; coexistence -两端,liǎng duān,both ends (of a stick etc); two extremes -两节棍,liǎng jié gùn,nunchaku -两者,liǎng zhě,both sides -两耳不闻窗外事,liǎng ěr bù wén chuāng wài shì,to pay no attention to outside matters -两肋插刀,liǎng lèi chā dāo,"lit. knifes piercing both sides (idiom); fig. to attach a great importance to friendship, up to the point of being able to sacrifice oneself for it" -两脚架,liǎng jiǎo jià,bipod (supporting a machine gun etc) -两着儿,liǎng zhāo er,the same old trick; illegal device -两虎相争,liǎng hǔ xiāng zhēng,lit. two tigers fighting (idiom); fig. fierce contest between evenly matched adversaries -两虎相斗,liǎng hǔ xiāng dòu,lit. two tigers fight (idiom); fig. a dispute between two powerful adversaries; a battle of the giants -两袖清风,liǎng xiù qīng fēng,lit. both sleeves flowing in the breeze (idiom); having clean hands; uncorrupted; unsoiled by corrupt practices -两亲,liǎng qīn,see 雙親|双亲[shuang1 qin1] -两讫,liǎng qì,received and paid for (business term); the goods delivered and the bill settled -两造,liǎng zào,both parties (to a lawsuit); plaintiff and defendant -两边,liǎng biān,either side; both sides -两院,liǎng yuàn,"two chambers (of legislative assembly), e.g. House of Representatives and Senate" -两院制,liǎng yuàn zhì,bicameralism; bicameral legislative system -两难,liǎng nán,dilemma; quandary; to face a difficult choice -两面,liǎng miàn,both sides -两面三刀,liǎng miàn sān dāo,"two-faced, three knives (idiom); double-cross; double dealing and back stabbing" -两面刃,liǎng miàn rèn,double-edged sword -两面派,liǎng miàn pài,two-faced person; double-dealing -两头,liǎng tóu,both ends; both parties to a deal -两头儿,liǎng tóu er,erhua variant of 兩頭|两头[liang3 tou2] -两颊生津,liǎng jiá shēng jīn,mouth-watering; to whet one's appetite -两点水,liǎng diǎn shuǐ,"name of ""ice"" radical 冫[bing1] in Chinese characters (Kangxi radical 15)" -两党制,liǎng dǎng zhì,two-party system -八,bā,eight; 8 -八一五,bā yī wǔ,15th August (the date of Japan's surrender in 1945) -八一建军节,bā yī jiàn jūn jié,see 建軍節|建军节[Jian4 jun1 jie2] -八九不离十,bā jiǔ bù lí shí,pretty close; very near; about right -八二三炮战,bā èr sān pào zhàn,"bombardment of Kinmen by PRC forces that started August 23rd 1958, also called the Second Taiwan Strait Crisis" -八二丹,bā èr dān,eight-to-two powder (TCM) -八仙,bā xiān,the Eight Immortals (Daoist mythology) -八仙桌,bā xiān zhuō,old-fashioned square table to seat eight people -八仙湖,bā xiān hú,see 草海[Cao3 hai3] -八位元,bā wèi yuán,8-bit (computing) -八佰伴,bā bǎi bàn,Yaohan retail group -八倍体,bā bèi tǐ,octoploid -八八六,bā bā liù,Bye bye! (in chat room and text messages) -八公山,bā gōng shān,"Bagongshan, a district of Huainan City 淮南市[Huai2nan2 Shi4], Anhui" -八公山区,bā gōng shān qū,"Bagongshan, a district of Huainan City 淮南市[Huai2nan2 Shi4], Anhui" -八分之一,bā fēn zhī yī,one eighth -八分音符,bā fēn yīn fú,quaver; eighth note -八十,bā shí,eighty; 80 -八十天环游地球,bā shí tiān huán yóu dì qiú,Around the World in Eighty Days by Jules Verne 儒勒·凡爾納|儒勒·凡尔纳[Ru2 le4 · Fan2 er3 na4] -八卦,bā guà,the eight divinatory trigrams of the Book of Changes 易經|易经[Yi4 jing1]; gossip; gossipy -八卦山,bā guà shān,"Bagua Mountain, Taiwan" -八卦拳,bā guà quán,baguazhang (a form of Chinese boxing) -八卦掌,bā guà zhǎng,baguazhang (a form of Chinese boxing) -八卦阵,bā guà zhèn,eight-trigram battle array; (fig.) mystifying tactics -八哥,bā ge,(bird species of China) crested myna (Acridotheres cristatellus) -八哥儿,bā gē er,erhua variant of 八哥[ba1 ge1] -八哥狗,bā gē gǒu,pug (breed of dog) -八国联军,bā guó lián jūn,"Eight-Nation Alliance, involved in a military intervention in northern China in 1900" -八国集团,bā guó jí tuán,G8 (group of eight major industrialized nations) -八块腹肌,bā kuài fù jī,six pack (abdominal muscles) -八大元老,bā dà yuán lǎo,"""the Eight Great Eminent Officials"" of the CCP, namely 鄧小平|邓小平[Deng4 Xiao3 ping2], 陳雲|陈云[Chen2 Yun2], 李先念[Li3 Xian1 nian4], 彭真[Peng2 Zhen1], 楊尚昆|杨尚昆[Yang2 Shang4 kun1], 薄一波[Bo2 Yi1 bo1], 王震[Wang2 Zhen4], and 宋任窮|宋任穷[Song4 Ren4 qiong2]; abbr. to 八老[Ba1 lao3]" -八大工业国组织,bā dà gōng yè guó zǔ zhī,G8 (group of eight major industrialized nations) -八大菜系,bā dà cài xì,"the eight major cuisines of China, namely 川魯粵蘇浙閩湘徽|川鲁粤苏浙闽湘徽[Chuan1 Lu3 Yue4 Su1 Zhe4 Min3 Xiang1 Hui1]" -八婆,bā pó,meddling woman; nosy parker (Cantonese) -八字,bā zì,the character 8 or 八; birthdate characters used in fortune-telling -八字命理,bā zì mìng lǐ,divination based on the eight characters of one's birth date -八字形,bā zì xíng,shape resembling the character 八 or 8; V-shape; splayed; figure of eight -八字方针,bā zì fāng zhēn,"a policy expressed as an eight-character slogan; (esp.) the eight-character slogan for the economic policy proposed by Li Fuchun 李富春[Li3 Fu4chun1] in 1961: 調整、鞏固、充實、提高|调整、巩固、充实、提高 ""adjust, consolidate, enrich and improve""" -八字步,bā zì bù,step with feet splayed outwards -八字没一撇,bā zì méi yī piě,lit. there is not even the first stroke of the character 八[ba1] (idiom); fig. things have not even begun to take shape; no sign of success yet -八字眉,bā zì méi,"sloping eyebrows, formed like character for ""eight""" -八字脚,bā zì jiǎo,splayfoot -八字还没一撇,bā zì hái méi yī piě,lit. not even the first stroke of the character 八[ba1] has been written (idiom); fig. things have not even gotten started yet; nothing tangible has come of one's plans yet -八字还没一撇儿,bā zì hái méi yī piě er,lit. there is not even the first stroke of the character 八[ba1] (idiom); fig. things have not even begun to take shape; no sign of success yet -八字胡,bā zì hú,mustache shaped like character 八 -八字胡须,bā zì hú xū,mustache shaped like character 八 -八家将,bā jiā jiàng,"Ba Jia Jiang, the eight generals that guard the godly realm in Taiwanese folklore, represented by troupes of dancers in temple processions; (slang) lowlife gangster or young hoodlum, often written as ""8+9"", [ba1 jia1 jiu3]" -八宿,bā sù,"Baxoi county, Tibetan: Dpa' shod rdzong, in Chamdo prefecture 昌都地區|昌都地区[Chang1 du1 di4 qu1], Tibet" -八宿县,bā sù xiàn,"Baxoi county, Tibetan: Dpa' shod rdzong, in Chamdo prefecture 昌都地區|昌都地区[Chang1 du1 di4 qu1], Tibet" -八宝丹,bā bǎo dān,eight-jewel elixir (TCM) -八宝山,bā bǎo shān,Mt Babao in Haidian district of Beijing -八宝山革命公墓,bā bǎo shān gé mìng gōng mù,Mt Babao Revolutionary Cemetery in Haidian district of Beijing -八宝眼药,bā bǎo yǎn yào,eight-jewel eye ointment (TCM) -八宝粥,bā bǎo zhōu,"rice congee made with red beans, lotus seeds, longan, red dates, nuts etc" -八小时工作制,bā xiǎo shí gōng zuò zhì,eight-hour working day -八岐大蛇,bā qí dà shé,"Yamata no Orochi, serpent with eight heads and eight tails from mythological section of Nihon Shoki (Chronicles of Japan)" -八带鱼,bā dài yú,octopus -八度,bā dù,octave -八廓,bā kuò,"Barkhor, pilgrim circuit around Jokhang temple in Lhasa, Tibet" -八廓街,bā kuò jiē,"Barkhor street, central business area and pilgrim circuit around Jokhang temple in Lhasa, Tibet" -八强,bā qiáng,(sports) top eight; quarterfinals -八强赛,bā qiáng sài,quarterfinals -八德,bā dé,"Bade or Pate city in Taoyuan county 桃園縣|桃园县[Tao2 yuan2 xian4], north Taiwan" -八德市,bā dé shì,"Bade or Pate city in Taoyuan county 桃園縣|桃园县[Tao2 yuan2 xian4], north Taiwan" -八成,bā chéng,eighty percent; most probably; most likely -八戒,bā jiè,the eight precepts (Buddhism) -八抬大轿,bā tái dà jiào,palanquin with eight carriers; (fig.) lavish treatment -八拜之交,bā bài zhī jiāo,sworn brotherhood; intimate friendship -八方,bā fāng,the eight points of the compass; all directions -八旗,bā qí,"Eight Banners, military organization of Manchu later Jin dynasty 後金|后金[Hou4 Jin1] from c. 1600, subsequently of the Qing dynasty" -八旗制度,bā qí zhì dù,"Eight Banners system, the military and social organization of the Manchus between c. 1500 and 1911" -八旗子弟,bā qí zǐ dì,child of a Manchu bannerman family (nobility); (fig.) privileged brat -八会穴,bā huì xué,the eight influential points (acupuncture) -八月,bā yuè,August; eighth month (of the lunar year) -八月之光,bā yuè zhī guāng,Light in August (novel by William Faulkner 威廉·福克納|威廉·福克纳[Wei1 lian2 · Fu2 ke4 na4]) -八月份,bā yuè fèn,August -八极拳,bā jí quán,"Ba Ji Quan ""Eight Extremes Fist"" - Martial Art" -八荣八耻,bā róng bā chǐ,"Eight Honors and Eight Shames, PRC official moral guidelines" -八正道,bā zhèng dào,the Eight-fold Noble Way (Buddhism) -八步,bā bù,"Babu district of Hezhou city 賀州市|贺州市[He4 zhou1 shi4], Guangxi" -八步区,bā bù qū,"Babu district of Hezhou city 賀州市|贺州市[He4 zhou1 shi4], Guangxi" -八段锦,bā duàn jǐn,"eight-section brocade, a traditional eight-part sequence of qigong exercises" -八冲,bā chōng,"eight surges (a group of eight acupoints in Chinese acupuncture, namely PC-9, TB-1, HT-9 and LV-3, bilaterally)" -八法,bā fǎ,eight methods of treatment (TCM) -八法拳,bā fǎ quán,"Ba Fa Quan ""Eight Methods"" - Martial Art" -八爪鱼,bā zhuǎ yú,octopus -八珍汤,bā zhēn tāng,"eight-treasure decoction, tonic formula used in Chinese medicine" -八疸,bā dǎn,eight (types of) jaundices (TCM) -八疸身面黄,bā dǎn shēn miàn huáng,eight types of jaundice with yellowing of body and face (TCM) -八目鳗,bā mù mán,lamprey (jawless proto-fish of family Petromyzontidae) -八相成道,bā xiàng chéng dào,the eight stages of the Buddha's life (Buddhism) -八级工,bā jí gōng,grade 8 worker (highest on the eight grade wage scale); top-grade worker -八级工资制,bā jí gōng zī zhì,eight grade wage scale (system) -八级风,bā jí fēng,force 8 wind; fresh gale -八纲,bā gāng,"(TCM) the eight principal syndromes (used to differentiate pathological conditions): yin and yang, exterior and interior, cold and heat, hypofunction and hyperfunction" -八纲辨证,bā gāng biàn zhèng,pattern-syndrome identification based on the eight principles (TCM) -八美,bā měi,"Bamay in Dawu County 道孚縣|道孚县[Dao4 fu2 xian4], Garze Tibetan autonomous prefecture, Sichuan" -八美乡,bā měi xiāng,"Bamei or Bamay township in Dawu County 道孚縣|道孚县[Dao4 fu2 xian4], Garze Tibetan autonomous prefecture, Sichuan" -八老,bā lǎo,"""the Eight Great Eminent Officials"" of the CCP, abbr. for 八大元老[Ba1 Da4 Yuan2 lao3]" -八声杜鹃,bā shēng dù juān,(bird species of China) plaintive cuckoo (Cacomantis merulinus) -八股,bā gǔ,an essay in eight parts; stereotyped writing -八股文,bā gǔ wén,eight-part essay one had to master to pass the imperial exams in Ming and Qing dynasties -八般头风,bā bān tóu fēng,"(TCM) eight kinds of ""head wind"" (headache)" -八苦,bā kǔ,"the eight distresses - birth, age, sickness, death, parting with what we love, meeting with what we hate, unattained aims, and all the ills of the five skandhas (Buddhism)" -八万大藏经,bā wàn dà zàng jīng,"Tripitaka Koreana, Buddhist scriptures carved on 81,340 wooden tablets and housed in the Haein Temple 海印寺[Hai3 yin4 si4] in South Gyeongsang province of South Korea" -八行书,bā háng shū,formal recommendation letter in eight columns -八角,bā jiǎo,anise; star anise; aniseed; octagonal; Fructus Anisi stellati -八角床,bā jiǎo chuáng,traditional-style canopy bed -八角形,bā jiǎo xíng,octagon -八角枫,bā jiǎo fēng,alangium -八角茴香,bā jiǎo huí xiāng,Chinese anise; star anise; Fructus Anisi Stellati -八角街,bā jiǎo jiē,"Barkhor street, central business area and pilgrim circuit around Jokhang temple in Lhasa, Tibet, aka 八廓街[Ba1 kuo4 Jie1]" -八路军,bā lù jūn,"Eighth Route Army, the larger of the two major Chinese communist forces fighting the Japanese in the Second Sino-Japanese War (1937-1945)" -八辈子,bā bèi zi,(fig.) a long time -八进制,bā jìn zhì,octal -八道江,bā dào jiāng,"Badaojiang district in Baishan city 白山市, Jilin" -八道江区,bā dào jiāng qū,"Badaojiang district in Baishan city 白山市, Jilin" -八达岭,bā dá lǐng,"Badaling, a particular section of the Great Wall that is a favorite tourist destination" -八达通,bā dá tōng,Octopus (Hong Kong smart card system for electronic payments) -八达通卡,bā dá tōng kǎ,Octopus card (Hong Kong smart card for electronic payments) -八边形,bā biān xíng,octagon -八里,bā lǐ,"Bali or Pali township in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -八里乡,bā lǐ xiāng,"Bali or Pali township in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -八重奏,bā chóng zòu,octet (musical ensemble) -八开,bā kāi,octavo -八面玲珑,bā miàn líng lóng,be smooth and slick (in establishing social relations) -八面体,bā miàn tǐ,octahedron -八音,bā yīn,"ancient classification system for musical instruments, based on the material of which the instrument is made (metal 金, stone 石, clay 土, leather 革, silk 絲|丝, wood 木, gourd 匏, bamboo 竹); the eight kinds of sound produced by instruments in these categories; music" -八音盒,bā yīn hé,musical box -八风,bā fēng,see 八風穴|八风穴[ba1 feng1 xue2] -八风穴,bā fēng xué,"""eight wind points"", name of a set of acupuncture points (EX-LE-10), four on each foot" -八点档,bā diǎn dàng,8:00 p.m. time slot (on television); (Tw) (coll.) television drama series that airs in the prime time slot of 8:00 p.m. -公,gōng,"public; collectively owned; common; international (e.g. high seas, metric system, calendar); make public; fair; just; Duke, highest of five orders of nobility 五等爵位[wu3 deng3 jue2 wei4]; honorable (gentlemen); father-in-law; male (animal)" -公丈,gōng zhàng,decameter -公主,gōng zhǔ,princess -公主岭,gōng zhǔ lǐng,"Gongzhuling, county-level city in Siping 四平, Jilin" -公主岭市,gōng zhǔ lǐng shì,"Gongzhuling, county-level city in Siping 四平, Jilin" -公主抱,gōng zhǔ bào,to carry sb the way grooms carry brides across the threshold -公主病,gōng zhǔ bìng,(neologism c. 1997) (coll.) self-entitlement -公主车,gōng zhǔ chē,ladies bicycle -公之于世,gōng zhī yú shì,(idiom) to announce to the world; to make public; to let everyone know -公之于众,gōng zhī yú zhòng,to make known to the masses (idiom); to publicize widely; to let the world know -公了,gōng liǎo,to settle in court (opposite: 私了[si1 liao3]) -公事,gōng shì,work-related matters; documents -公事公办,gōng shì gōng bàn,to do things in a strictly businesslike manner (idiom) -公事包,gōng shì bāo,(Tw) briefcase -公事房,gōng shì fáng,office (room or building) -公交,gōng jiāo,public transportation; mass transit; abbr. for 公共交通[gong1 gong4 jiao1 tong1] -公交站,gōng jiāo zhàn,public transport station -公交车,gōng jiāo chē,public transport vehicle; town bus; CL:輛|辆[liang4] -公仔,gōng zǎi,doll; cuddly toy -公仔面,gōng zǎi miàn,brand of Hong Kong instant noodles; also used as term for instant noodles in general -公休,gōng xiū,"to have a public holiday; to have an official holiday; (Tw) (of a business establishment) to be closed regularly on certain days, as determined by a trade association" -公休日,gōng xiū rì,public holiday -公布,gōng bù,to announce; to make public; to publish -公布栏,gōng bù lán,bulletin board -公使,gōng shǐ,"minister; diplomat performing ambassadorial role in Qing times, before regular diplomatic relations" -公使馆,gōng shǐ guǎn,embassy (old term); foreign mission -公信力,gōng xìn lì,public trust; credibility -公倍式,gōng bèi shì,common multiple expression -公倍数,gōng bèi shù,common multiple -公假,gōng jià,"official leave from work (e.g. maternity leave, sick leave or leave to attend to official business)" -公债,gōng zhài,government bond -公债券,gōng zhài quàn,public bond -公伤,gōng shāng,work-related injury -公伤事故,gōng shāng shì gù,industrial accident; work-related injury -公仆,gōng pú,"public servant; CL:個|个[ge4],位[wei4]" -公允,gōng yǔn,equitable; fair -公允价值,gōng yǔn jià zhí,fair value (accounting) -公元,gōng yuán,CE (Common Era); Christian Era; AD (Anno Domini) -公元前,gōng yuán qián,BCE (before the Common Era); BC (before Christ) -公克,gōng kè,gram -公两,gōng liǎng,hectogram -公公,gōng gong,husband's father; father-in-law; grandpa; grandad; (old) form of address for a eunuch -公共,gōng gòng,public; common; communal -公共事业,gōng gòng shì yè,"public utility; state-run enterprise; public foundation or enterprise, often charitable" -公共交换电话网路,gōng gòng jiāo huàn diàn huà wǎng lù,public switched telephone network; PSTN -公共交通,gōng gòng jiāo tōng,public transport; mass transit -公共休息室,gōng gòng xiū xī shì,shared lounge; common room -公共假期,gōng gòng jià qī,public holiday -公共团体,gōng gòng tuán tǐ,public organization -公共场所,gōng gòng chǎng suǒ,public place -公共安全罪,gōng gòng ān quán zuì,crime against public order -公共汽车,gōng gòng qì chē,"bus; CL:輛|辆[liang4],班[ban1]" -公共汽车站,gōng gòng qì chē zhàn,bus stop; bus station -公共知识分子,gōng gòng zhī shi fèn zǐ,public intellectual (sometimes used derogatorily) -公共秩序,gōng gòng zhì xù,public order -公共行政,gōng gòng xíng zhèng,public administration -公共卫生,gōng gòng wèi shēng,public health -公共设施,gōng gòng shè shī,public facilities; infrastructure -公共财产,gōng gòng cái chǎn,public property -公共道德,gōng gòng dào dé,public morality; social ethics -公共开支,gōng gòng kāi zhī,public expenditure -公共关系,gōng gòng guān xì,public relations -公共零点,gōng gòng líng diǎn,common zeros (of system of equations) -公出,gōng chū,to be away on business -公函,gōng hán,official letter -公分,gōng fēn,centimeter (cm); gram (g) -公分母,gōng fēn mǔ,(math.) common denominator -公判,gōng pàn,public opinion; public announcement of verdict at a trial -公制,gōng zhì,metric system -公制单位,gōng zhì dān wèi,metric units -公务,gōng wù,official business -公务人员,gōng wù rén yuán,government functionary -公务员,gōng wù yuán,civil servant; public servant -公务舱,gōng wù cāng,business class (airplane travel) -公募,gōng mù,public placement (investing) -公勺,gōng sháo,"serving spoon; centiliter (i.e. 10 ml), abbr. to 勺[shao2]" -公升,gōng shēng,liter -公卿,gōng qīng,high-ranking officials in the court of a Chinese emperor -公司,gōng sī,company; firm; corporation; CL:家[jia1] -公司三明治,gōng sī sān míng zhì,club sandwich -公司债,gōng sī zhài,corporate bonds (finance) -公司会议,gōng sī huì yì,company meeting -公司治理,gōng sī zhì lǐ,corporate governance -公司法,gōng sī fǎ,corporations law; company law; corporate law -公司理财,gōng sī lǐ cái,company finance; corporate finance -公司行号,gōng sī háng hào,(Tw) companies; businesses -公合,gōng gě,deciliter -公告,gōng gào,post; announcement -公哈,gōng hā,male husky (dog) -公吨,gōng dūn,ton; metric ton -公因子,gōng yīn zǐ,(math.) common factor -公因式,gōng yīn shì,common factor; common divisor (of a math. expression) -公国,gōng guó,duchy; dukedom; principality -公园,gōng yuán,park (for public recreation); CL:座[zuo4] -公地,gōng dì,public land; land in common use -公地悲剧,gōng dì bēi jù,tragedy of the commons (economics) -公堂,gōng táng,law court; hall (in castle); CL:家[jia1] -公报,gōng bào,announcement; bulletin; communique -公报私仇,gōng bào sī chóu,to use public office to avenge private wrongs -公墓,gōng mù,public cemetery -公婆,gōng pó,husband's parents; parents-in-law; (dialect) a couple; husband and wife -公子,gōng zǐ,son of an official; son of nobility; your son (honorific) -公子哥儿,gōng zǐ gē er,pampered son of a wealthy family -公孙,gōng sūn,two-character surname Gongsun -公孙起,gōng sūn qǐ,"Gongsun Qi (-258 BC), famous general of Qin 秦國|秦国, the victor at 長平|长平 in 260 BC; same as Bai Qi 白起" -公孙龙,gōng sūn lóng,"Gongsun Long (c. 325-250 BC), leading thinker of the School of Logicians of the Warring States Period (475-220 BC)" -公学,gōng xué,elite fee-charging independent school in England or Wales (e.g. Eton College) -公安,gōng ān,(Ministry of) Public Security; public safety; public security -公安官员,gōng ān guān yuán,public safety officials -公安局,gōng ān jú,public security bureau (government office similar in function to a police station) -公安机关,gōng ān jī guān,public security bureau -公安县,gōng ān xiàn,"Gong'an county in Jingzhou 荊州|荆州[Jing1 zhou1], Hubei" -公安部,gōng ān bù,Ministry of Public Security -公室,gōng shì,office (room); ruling families during Spring and Autumn period -公害,gōng hài,environmental pollution; social scourge; blight on society -公宴,gōng yàn,banquet hosted by an organization to honor a distinguished figure; to host such a banquet -公家,gōng jiā,the public; the state; society; the public purse -公家机关,gōng jiā jī guān,civil service -公寓,gōng yù,apartment building; block of flats (may be a public housing block or a condominium etc) (CL:套[tao4]) -公寓大楼,gōng yù dà lóu,apartment building -公寓楼,gōng yù lóu,apartment building; CL:座[zuo4] -公审,gōng shěn,public trial (in a court of law) -公寸,gōng cùn,decimeter -公尺,gōng chǐ,meter (unit of length) -公差,gōng chā,tolerance (allowed error); common difference (of an arithmetic series) -公差,gōng chāi,official errand; bailiff in a yamen -公平,gōng píng,fair; impartial -公平交易,gōng píng jiāo yì,fair dealing -公平合理,gōng píng hé lǐ,fair; equitable -公平审判权,gōng píng shěn pàn quán,the right to a fair trial -公平竞争,gōng píng jìng zhēng,fair competition -公平贸易,gōng píng mào yì,fair trade -公干,gōng gàn,public business; official work -公府,gōng fǔ,government post in Han dynasty -公厕,gōng cè,public toilet -公式,gōng shì,formula -公式化,gōng shì huà,to formalize; formalism in art (esp. as proscribed in USSR and PRC) -公引,gōng yǐn,hectometer -公德,gōng dé,public ethics; social morality -公德心,gōng dé xīn,civility; public spirit -公心,gōng xīn,fair-mindedness; public spirit -公愤,gōng fèn,public anger; popular indignation -公房,gōng fáng,"public housing; dormitory, esp. for unmarried people" -公投,gōng tóu,referendum (abbr. for 公民投票[gong1 min2 tou2 piao4]) -公推,gōng tuī,elected by acclamation; recommended by all -公撮,gōng cuō,milliliter -公担,gōng dàn,quintal (100 kg) -公敌,gōng dí,public enemy -公文,gōng wén,official document -公文包,gōng wén bāo,briefcase; attaché case -公斗,gōng dǒu,decaliter -公斤,gōng jīn,kilogram (kg) -公断,gōng duàn,arbitration (law) -公映,gōng yìng,public screening (of a movie) -公历,gōng lì,Gregorian calendar; solar calendar -公会,gōng huì,guild -公有,gōng yǒu,publicly owned; communal; held in common -公有制,gōng yǒu zhì,public ownership -公有化,gōng yǒu huà,to nationalize; to take over as communal property -公案,gōng àn,judge's desk; complex legal case; contentious issue; koan (Zen Buddhism) -公检法,gōng jiǎn fǎ,"public security authorities, acronym from 公安局[gong1 an1 ju2], 檢察院|检察院[jian3 cha2 yuan4] and 法院[fa3 yuan4]" -公款,gōng kuǎn,public money -公正,gōng zhèng,just; fair; equitable -公母俩,gōng mǔ liǎ,husband and wife -公毫,gōng háo,centigram -公民,gōng mín,citizen -公民投票,gōng mín tóu piào,plebiscite; referendum -公民权,gōng mín quán,civil rights; citizenship rights -公民权利,gōng mín quán lì,civil rights -公民权利和政治权利国际公约,gōng mín quán lì hé zhèng zhì quán lì guó jì gōng yuē,International Covenant on Civil and Political Rights (ICCPR) -公民社会,gōng mín shè huì,civil society -公民义务,gōng mín yì wù,civil obligation; a citizen's duty -公民表决,gōng mín biǎo jué,referendum; decided by public vote -公决,gōng jué,public decision (by ballot); majority decision; a joint decision; referendum -公法,gōng fǎ,public law -公派,gōng pài,to send sb abroad at the government's expense -公海,gōng hǎi,high sea; international waters -公测,gōng cè,(software development) to do beta testing -公演,gōng yǎn,to perform in public; to give a performance -公然,gōng rán,openly; publicly; undisguised -公然表示,gōng rán biǎo shì,to state openly -公燕,gōng yàn,banquet held for high-ranking imperial or feudal officials -公营,gōng yíng,"public; publicly (owned, financed, operated etc); run by the state" -公营企业,gōng yíng qǐ yè,"public enterprise, as opposed to private enterprise 私營企業|私营企业[si1 ying2 qi3 ye4]" -公营经济,gōng yíng jīng jì,the public sector of the economy -公爵,gōng jué,duke; dukedom -公爵夫人,gōng jué fū rén,duchess -公爹,gōng diē,husband's father -公牛,gōng niú,bull -公物,gōng wù,public property -公犬,gōng quǎn,male dog -公理,gōng lǐ,self-evident truth; (math.) axiom -公理法,gōng lǐ fǎ,the axiomatic method -公用,gōng yòng,public; for public use -公用交换电话网,gōng yòng jiāo huàn diàn huà wǎng,public switched telephone network; PSTN -公用电话,gōng yòng diàn huà,public phone; CL:部[bu4] -公畜,gōng chù,stud; male animal kept to breed offspring -公亩,gōng mǔ,"are (1 are = 1⁄100 hectare, or 100 m²)" -公益,gōng yì,public good; public welfare; public interest -公益事业,gōng yì shì yè,service to the public; public welfare undertaking; charity; social facility -公益活动,gōng yì huó dòng,charity event; public service activities -公益金,gōng yì jīn,public welfare funds; community chest -公众,gōng zhòng,public -公众人物,gōng zhòng rén wù,public figure; famous person -公众意见,gōng zhòng yì jiàn,public opinion -公众号,gōng zhòng hào,official account (on a social networking platform) -公众集会,gōng zhòng jí huì,public meeting -公众电信网路,gōng zhòng diàn xìn wǎng lù,public telephone network -公知,gōng zhī,public intellectual (sometimes used derogatorily) (abbr. for 公共知識分子|公共知识分子[gong1 gong4 zhi1 shi5 fen4 zi3]) -公石,gōng dàn,hectoliter; quintal -公示,gōng shì,to make known to the public (for information or to seek comments); public notification -公社,gōng shè,commune -公祭,gōng jì,public memorial service -公私,gōng sī,"public and private (interests, initiative etc)" -公私兼顾,gōng sī jiān gù,to adequately take into account both public and private interests -公私合营,gōng sī hé yíng,joint public private operation -公秉,gōng bǐng,kiloliter -公租房,gōng zū fáng,public housing -公称,gōng chēng,nominal -公积金,gōng jī jīn,official reserves; accumulated fund -公立,gōng lì,"public (e.g. school, hospital)" -公立学校,gōng lì xué xiào,public school -公章,gōng zhāng,official seal -公筷,gōng kuài,serving chopsticks -公粮,gōng liáng,grain collected by the government as tax -公约,gōng yuē,convention (i.e. international agreement) -公约数,gōng yuē shù,common factor; common divisor -公网,gōng wǎng,(computing) public network; wide area network; Internet -公署,gōng shǔ,government office -公羊,gōng yáng,ram (male sheep) -公羊传,gōng yáng zhuàn,"Mr Gongyang's Annals or commentary on 春秋[Chun1 qiu1], early history, probably written by multiple authors during Han dynasty, same as 公羊春秋[Gong1 yang2 Chun1 qiu1]" -公羊春秋,gōng yáng chūn qiū,"Mr Gongyang's Annals or commentary on 春秋[Chun1 qiu1], early history, probably written during Han dynasty, same as 公羊傳|公羊传[Gong1 yang2 Zhuan4]" -公义,gōng yì,righteousness -公而忘私,gōng ér wàng sī,for the common good and forgetting personal interests (idiom); to behave altruistically; selfless -公职,gōng zhí,civil service; public office; government job -公职人员,gōng zhí rén yuán,civil servant -公听会,gōng tīng huì,public hearing -公股,gōng gǔ,government stake -公举,gōng jǔ,public election -公设,gōng shè,(math.) postulate; public facilities (abbr. for 公共設施|公共设施[gong1gong4 she4shi1]) -公设比,gōng shè bǐ,(Tw) shared-facilities ratio (expressed as a percentage of the total floor space of a building) -公诉,gōng sù,public prosecution; criminal prosecution -公诉人,gōng sù rén,district attorney; public prosecutor; procurator -公认,gōng rèn,publicly known (to be); accepted (as) -公论,gōng lùn,public opinion -公诸同好,gōng zhū tóng hào,to share pleasure in the company of others (idiom); shared enjoyment with fellow enthusiasts -公诸于世,gōng zhū yú shì,to announce to the world (idiom); to make public; to let everyone know -公证,gōng zhèng,notarization; notarized; acknowledgement -公证人,gōng zhèng rén,notary; actuary -公证处,gōng zhèng chù,notary office -公议,gōng yì,public discussion -公猪,gōng zhū,boar -公猫,gōng māo,male cat; tomcat -公买公卖,gōng mǎi gōng mài,buying and selling at fair prices -公费,gōng fèi,at public expense -公费医疗,gōng fèi yī liáo,medical treatment at public expense -公路,gōng lù,highway; road; CL:條|条[tiao2] -公路网,gōng lù wǎng,road network -公路自行车,gōng lù zì xíng chē,racing bicycle; road bike -公路赛,gōng lù sài,road race -公路车,gōng lù chē,racing bicycle (abbr. for 公路自行車|公路自行车[gong1 lu4 zi4 xing2 che1]) -公车,gōng chē,"bus; abbr. for 公共汽車|公共汽车[gong1 gong4 qi4 che1]; car belonging to an organization and used by its members (government car, police car, company car etc); abbr. for 公務用車|公务用车[gong1 wu4 yong4 che1]" -公转,gōng zhuàn,orbital revolution -公办,gōng bàn,state-run -公道,gōng dào,justice; fairness; public highway -公道,gōng dao,fair; equitable -公里,gōng lǐ,kilometer -公里时,gōng lǐ shí,kilometer per hour -公厘,gōng lí,millimeter -公钱,gōng qián,decagram -公钥,gōng yào,(cryptography) public key -公开,gōng kāi,open; overt; public; to make public; to release -公开信,gōng kāi xìn,open letter -公开化,gōng kāi huà,to make public; to bring into the open -公开指责,gōng kāi zhǐ zé,to denounce -公开讨论会,gōng kāi tǎo lùn huì,open forum -公开赛,gōng kāi sài,"(sports) open championship; open (as in ""the US Open"")" -公开钥匙,gōng kāi yào shi,public key (in encryption) -公关,gōng guān,public relations -公鸡,gōng jī,cock; rooster -公顷,gōng qǐng,hectare -公馆,gōng guǎn,"Gongguan or Kungkuan township in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -公馆,gōng guǎn,residence (of sb rich or important); mansion -公馆乡,gōng guǎn xiāng,"Gongguan or Kungkuan township in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -公马,gōng mǎ,male horse; stallion; stud -公鹿,gōng lù,stag; buck -六,liù,six; 6 -六一儿童节,liù yī ér tóng jié,"Children's Day (June 1st), PRC national holiday for children under 14" -六二五事变,liù èr wǔ shì biàn,Korean war (dating from North Korean invasion on 25th Jun 1950) -六二五战争,liù èr wǔ zhàn zhēng,the Korean War (started June 25 1950) -六价,liù jià,hexavalent -六分之一,liù fēn zhī yī,one sixth -六分仪,liù fēn yí,sextant -六分仪座,liù fēn yí zuò,Sextans (constellation) -六十,liù shí,sixty; 60 -六十四位元,liù shí sì wèi yuán,64-bit (computing) -六十四卦,liù shí sì guà,the 64 hexagrams of the Book of Changes (I Ching or Yi Jing) 易經|易经 -六十年代,liù shí nián dài,the sixties; the 1960s -六合,lù hé,Luhe district of Nanjing City 南京市 in Jiangsu 江蘇|江苏 -六合,liù hé,"the six directions (north, south, east, west, up, down); the whole country; the universe; everything under the sun" -六合八法,liù hé bā fǎ,"Liuhe Bafa - ""Six Harmonies, Eight Methods"" - Martial Art" -六合区,lù hé qū,Luhe district of Nanjing City 南京市 in Jiangsu 江蘇|江苏 -六合彩,liù hé cǎi,Mark Six (Hong Kong lotto game) -六四,liù sì,refers to Tiananmen incident of 4th June 1989 -六四事件,liù sì shì jiàn,"Tiananmen Incident of June 4, 1989" -六块腹肌,liù kuài fù jī,six-pack (abs) -六字真言,liù zì zhēn yán,the six-syllable Sanskrit mantra of Avalokiteshvara bodhisattva (i.e. om mani padme hum) -六安,lù ān,Lu'an prefecture-level city in Anhui -六安市,lù ān shì,Lu'an prefecture-level city in Anhui -六宫,liù gōng,empress and imperial concubines or their residence -六家,liù jiā,"Six schools of pre-Han philosophy, as analyzed by 司馬談|司马谈[Si1 ma3 Tan2] (儒家[Ru2 jia1], 道家[Dao4 jia1], 陰陽|阴阳[yin1 yang2], 法家[Fa3 jia1], 名家[Ming2 jia1], and 墨家[Mo4 jia1])" -六库,liù kù,"Liuku or Lutku, capital of Nujiang Lisu autonomous prefecture 怒江傈僳族自治州 in Yunnan" -六库镇,liù kù zhèn,"Liuku or Lutku, capital of Nujiang Lisu autonomous prefecture 怒江傈僳族自治州 in Yunnan" -六扇门,liù shàn mén,seat of the government; yamen; (in wuxia stories) special police force -六方,liù fāng,hexagonal -六方最密堆积,liù fāng zuì mì duī jī,hexagonal close-packed (HCP) (math.) -六方会谈,liù fāng huì tán,six-sided talks (on North Korea) -六日战争,liù rì zhàn zhēng,the Six-Day War of June 1967 between Israel and its Arab neighbors -六书,liù shū,"Six Methods of forming Chinese characters, according to Han dictionary Shuowen 說文|说文 - namely, two primary methods: 象形 (pictogram), 指事 (ideogram), two compound methods: 會意|会意 (combined ideogram), 形聲|形声 (ideogram plus phonetic), and two transfer methods: 假借 (loan), 轉注|转注 (transfer)" -六月,liù yuè,June; sixth month (of the lunar year) -六月份,liù yuè fèn,June -六朝,liù cháo,Six Dynasties (220-589) -六朝四大家,liù cháo sì dà jiā,"Four Great Painters of the Six Dynasties, namely: Cao Buxing 曹不興|曹不兴[Cao2 Bu4 xing1], Gu Kaizhi 顧愷之|顾恺之[Gu4 Kai3 zhi1], Lu Tanwei 陸探微|陆探微[Lu4 Tan4 wei1] and Zhang Sengyou 張僧繇|张僧繇[Zhang1 Seng1 you2]" -六朝时代,liù cháo shí dài,the Six Dynasties period (222-589) between Han and Tang -六枝特区,lù zhī tè qū,"Luzhi special economic area in Liupanshui 六盤水|六盘水, west Guizhou" -六氟化硫,liù fú huà liú,sulfur hexafluoride -六氟化铀,liù fú huà yóu,uranium hexafluoride (UF6) -六淫,liù yín,"(TCM) six excesses causing illness, namely: excessive wind 風|风[feng1], cold 寒[han2], heat 暑[shu3], damp 濕|湿[shi1], dryness 燥[zao4], fire 火[huo3]" -六环路,liù huán lù,"Sixth ring road (Beijing), opened in 2008" -六甲,liù jiǎ,(place name) -六畜,liù chù,"six domestic animals, namely: pig, cow, sheep, horse, chicken and dog" -六盘山,liù pán shān,"Liupan Mountains, mountain range in northern China" -六盘水,liù pán shuǐ,Liupanshui prefecture-level city in west Guizhou 貴州|贵州[Gui4 zhou1] -六盘水市,liù pán shuǐ shì,Liupanshui prefecture-level city in Guizhou 貴州|贵州[Gui4 zhou1] -六碳糖,liù tàn táng,"hexose (CH2O)6, monosaccharide with six carbon atoms, such as glucose 葡萄糖[pu2 tao5 tang2]" -六神,liù shén,"the six spirits that rule the vital organs (heart 心[xin1], lungs 肺[fei4], liver 肝[gan1], kidneys 腎|肾[shen4], spleen 脾[pi2] and gall bladder 膽|胆[dan3])" -六神无主,liù shén wú zhǔ,out of one's wits (idiom); distracted; stunned -六级士官,liù jí shì guān,sergeant major -六经,liù jīng,"Six Classics, namely: Book of Songs 詩經|诗经[Shi1 jing1], Book of History 尚書|尚书[Shang4 shu1], Book of Rites 儀禮|仪礼[Yi2 li3], the lost Book of Music 樂經|乐经[Yue4 jing1], Book of Changes 易經|易经[Yi4 jing1], Spring and Autumn Annals 春秋[Chun1 qiu1]" -六腑,liù fǔ,"(TCM) the six hollow organs: gallbladder 膽|胆[dan3], stomach 胃[wei4], large intestine 大腸|大肠[da4chang2], small intestine 小腸|小肠[xiao3chang2], triple heater 三焦[san1jiao1], bladder 膀胱[pang2guang1]" -六脚,liù jiǎo,"Liujiao or Liuchiao Township in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -六脚乡,liù jiǎo xiāng,"Liujiao or Liuchiao Township in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -六艺,liù yì,"the Confucian Six Arts, namely: rites or etiquette 禮|礼[li3] (禮儀|礼仪[li3 yi2]), music 樂|乐[yue3] (音樂|音乐[yin1 yue4]), archery 射[she4] (射箭[she4 jian4]), charioteering 御[yu4] (駕車|驾车[jia4 che1]), calligraphy or literacy 書|书[shu1] (識字|识字[shi2 zi4]), mathematics or reckoning 數|数[shu4] (計算|计算[ji4 suan4]); another name for the Six Classics 六經|六经[Liu4 jing1]" -六亲,liù qīn,"six close relatives, namely: father 父[fu4], mother 母[mu3], older brothers 兄[xiong1], younger brothers 弟[di4], wife 妻[qi1], male children 子[zi3]; one's kin" -六亲不认,liù qīn bù rèn,not recognizing one's family (idiom); self-centered and not making any allowances for the needs of one's relatives -六亲无靠,liù qīn wú kào,orphaned of all one's immediate relatives (idiom); no one to rely on; left to one's own devices -六角,liù jiǎo,hexagon -六角形,liù jiǎo xíng,hexagon -六角括号,liù jiǎo kuò hào,tortoise shell brackets 〔〕 -六角星,liù jiǎo xīng,six-pointed star; hexagram; star of David -六角螺帽,liù jiǎo luó mào,hexagonal nut -六边形,liù biān xíng,hexagon -六邪,liù xié,"(TCM) six unhealthy influences causing illness, namely: excessive wind 風|风[feng1], cold 寒[han2], heat 暑[shu3], damp 濕|湿[shi1], dryness 燥[zao4], fire 火[huo3]" -六陈,liù chén,"food grains (rice, wheat, barley, beans, soybeans, sesame)" -六面体,liù miàn tǐ,hexahedron -六韬,liù tāo,"“Six Secret Strategic Teachings”, one of the Seven Military Classics of ancient China 武經七書|武经七书[Wu3 jing1 Qi1 shu1], attributed to Jiang Ziya 姜子牙[Jiang1 Zi3 ya2]" -六韬三略,liù tāo sān lüè,"""Six Secret Strategic Teachings"" 六韜|六韬[Liu4 tao1] and ""Three Strategies of Huang Shigong"" 三略[San1 lu:e4], two of the Seven Military Classics of ancient China 武經七書|武经七书[Wu3 jing1 Qi1 shu1], attributed to Jiang Ziya 姜子牙[Jiang1 Zi3 ya2]" -六龟,liù guī,"Liugui or Liukuei township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -六龟乡,liù guī xiāng,"Liugui or Liukuei township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -兮,xī,(particle in old Chinese similar to 啊) -兮兮,xī xī,"(particle used to exaggerate certain adjectives, in particular 神經兮兮|神经兮兮, 髒兮兮|脏兮兮, 可憐兮兮|可怜兮兮, and 慘兮兮|惨兮兮)" -共,gòng,"common; general; to share; together; total; altogether; abbr. for 共產黨|共产党[Gong4 chan3 dang3], Communist party" -共乘,gòng chéng,to ride together; to carpool -共事,gòng shì,to work together -共享,gòng xiǎng,to share; to enjoy together -共享函数库,gòng xiǎng hán shù kù,shared library (computing) -共享带宽,gòng xiǎng dài kuān,shared bandwidth -共享库,gòng xiǎng kù,shared library (computing) -共享程序库,gòng xiǎng chéng xù kù,shared library (computing) -共享计划,gòng xiǎng jì huà,joint project; partnership -共享软体,gòng xiǎng ruǎn tǐ,shareware -共价键,gòng jià jiàn,covalent bond (chemistry) -共刺激,gòng cì jī,(immunology) costimulation; costimulatory -共匪,gòng fěi,communist bandit (i.e. PLA soldier (during the civil war) or Chinese communist (Tw)) -共同,gòng tóng,common; joint; jointly; together; collaborative -共同利益,gòng tóng lì yì,common interest; mutual benefit -共同努力,gòng tóng nǔ lì,to work together; to collaborate -共同基金,gòng tóng jī jīn,mutual fund -共同社,gòng tóng shè,"Kyōdō, Japanese news agency" -共同筛选,gòng tóng shāi xuǎn,collaborative filtering -共同纲领,gòng tóng gāng lǐng,"common program; formal program of the communist party after 1949, that served as interim national plan" -共同闸道介面,gòng tóng zhá dào jiè miàn,Common Gateway Interface; CGI -共同体,gòng tóng tǐ,community -共同点,gòng tóng diǎn,common ground -共和,gòng hé,republic; republicanism -共和制,gòng hé zhì,republic -共和国,gòng hé guó,republic -共和政体,gòng hé zhèng tǐ,republican system of government -共和派,gòng hé pài,Republican faction -共和县,gòng hé xiàn,"Gonghe county in Hainan Tibetan autonomous prefecture 海南藏族自治州[Hai3 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -共和党,gòng hé dǎng,Republican Party -共和党人,gòng hé dǎng rén,a Republican party member -共商,gòng shāng,to jointly discuss; to discuss together (business) -共商大计,gòng shāng dà jì,to discuss matters of vital importance -共存,gòng cún,to coexist -共存性,gòng cún xìng,compatibility; the possibility of mutual coexistence -共工,gòng gōng,God of Water -共建房,gòng jiàn fáng,co-op owned house -共形,gòng xíng,conformal -共性,gòng xìng,overall character -共情,gòng qíng,empathy -共振,gòng zhèn,resonance (physics) -共时,gòng shí,synchronic; concurrent -共有,gòng yǒu,to have altogether; in all -共栖,gòng qī,symbiosis -共业,gòng yè,collective karma (Buddhism); consequences that all must suffer -共模,gòng mó,common-mode (electronics) -共模抑制比,gòng mó yì zhì bǐ,(electronics) common-mode rejection ratio (CMRR) -共济会,gòng jì huì,Freemasonry -共焦,gòng jiāo,confocal (math.) -共犯,gòng fàn,accomplice -共生,gòng shēng,symbiosis -共产,gòng chǎn,(adj.) communist; communism; to collectivize ownership of property -共产主义,gòng chǎn zhǔ yì,communism -共产主义青年团,gòng chǎn zhǔ yì qīng nián tuán,the Communist Youth League -共产国际,gòng chǎn guó jì,"Communist International or Comintern (1919-1943), also known as the Third International 第三國際|第三国际[Di4 san1 Guo2 ji4]" -共产党,gòng chǎn dǎng,Communist Party -共产党员,gòng chǎn dǎng yuán,Communist Party member -共产党宣言,gòng chǎn dǎng xuān yán,"Manifesto of the Communist Party; ""Manifest der Kommunistischen Partei"" by Marx and Engels (1848)" -共用,gòng yòng,"to share the use of; to have joint use of; communal (bathroom); shared (antenna); to use, in total, ..." -共管,gòng guǎn,to administer jointly -共线,gòng xiàn,(geometry) collinear; concurrency (a single road serving as a section of multiple routes) -共处,gòng chǔ,to coexist; to get along (with others) -共行车道,gòng xíng chē dào,carpool lane -共襄善举,gòng xiāng shàn jǔ,to cooperate in a charity project -共襄盛举,gòng xiāng shèng jǔ,to cooperate on a great undertaking or joint project -共计,gòng jì,to sum up to; to total -共话,gòng huà,to discuss together -共谋,gòng móu,to scheme together; to conspire; joint plan; conspiracy -共谋罪,gòng móu zuì,conspiracy -共谋者,gòng móu zhě,conspirator -共识,gòng shí,common understanding; consensus -共赢,gòng yíng,mutually profitable; win-win -共赴,gòng fù,joint participation; to go together -共轭,gòng è,"(math., physics, chemistry) to be conjugate" -共轭不尽根,gòng è bù jìn gēn,(math.) conjugate surd -共轭复数,gòng è fù shù,(math.) complex conjugate -共通,gòng tōng,universal; applicable to all (or both); shared; common -共通性,gòng tōng xìng,commonality; universality -共青团,gòng qīng tuán,"the Communist Youth League, abbr. for 共產主義青年團|共产主义青年团[Gong4 chan3 zhu3 yi4 Qing1 nian2 tuan2]" -共面,gòng miàn,(geometry) coplanar -共鸣,gòng míng,(physics) to resonate; resonance; sympathetic response -共党,gòng dǎng,Communist Party (abbr. for 共產黨|共产党[Gong4 chan3 dang3]) -兵,bīng,soldiers; a force; an army; weapons; arms; military; warlike; CL:個|个[ge4] -兵不厌诈,bīng bù yàn zhà,there can never be too much deception in war; in war nothing is too deceitful; all's fair in war -兵不血刃,bīng bù xuè rèn,lit. no blood on the men's swords (idiom); fig. an effortless victory -兵乱,bīng luàn,confusion of war; turmoil of war -兵刃,bīng rèn,(bladed) weapons -兵制,bīng zhì,military system -兵力,bīng lì,military strength; armed forces; troops -兵卒,bīng zú,soldiers; troops -兵员,bīng yuán,soldiers; troops -兵器,bīng qì,weaponry; weapons; arms -兵器术,bīng qì shù,martial arts involving weapons -兵团,bīng tuán,large military unit; formation; corps; army -兵士,bīng shì,ordinary soldier -兵家,bīng jiā,"the School of the Military, one of the Hundred Schools of Thought 諸子百家|诸子百家[zhu1 zi3 bai3 jia1] of the Warring States Period (475-220 BC)" -兵家,bīng jiā,military strategist in ancient China; military commander; soldier -兵家常事,bīng jiā cháng shì,commonplace in military operations (idiom) -兵工厂,bīng gōng chǎng,munitions factory -兵差,bīng chāi,labor conscripted to support the military -兵库,bīng kù,Hyōgo prefecture in the midwest of Japan's main island Honshū 本州[Ben3 zhou1] -兵库县,bīng kù xiàn,Hyōgo prefecture in the midwest of Japan's main island Honshū 本州[Ben3 zhou1] -兵强马壮,bīng qiáng mǎ zhuàng,lit. strong soldiers and sturdy horses (idiom); fig. a well-trained and powerful army -兵役,bīng yì,military service -兵戈,bīng gē,weapons; arms; fighting; war -兵戈扰攘,bīng gē rǎo rǎng,arms and confusion (idiom); turmoil of war -兵戎,bīng róng,arms; weapons -兵戎相见,bīng róng xiāng jiàn,to meet on the battlefield (idiom) -兵败如山倒,bīng bài rú shān dǎo,troops in defeat like a landslide (idiom); a beaten army in total collapse -兵书,bīng shū,a book on the art of war -兵棋推演,bīng qí tuī yǎn,war-gaming; simulation of a military operation -兵权,bīng quán,military leadership; military power -兵法,bīng fǎ,art of war; military strategy and tactics -兵源,bīng yuán,manpower resources (for military service); sources of troops -兵营,bīng yíng,military camp; barracks -兵痞,bīng pǐ,army riffraff; army ruffian; soldier of fortune -兵种,bīng zhǒng,(military) branch of the armed forces -兵站,bīng zhàn,army service station; military depot -兵符,bīng fú,see 虎符[hu3 fu2] -兵精粮足,bīng jīng liáng zú,"elite soldiers, ample provisions (idiom); well-prepared forces; preparations for war are in an advanced state" -兵临城下,bīng lín chéng xià,soldiers at the city walls (idiom); fig. at a critical juncture -兵船,bīng chuán,man-of-war; naval vessel; warship -兵舰,bīng jiàn,warship -兵荒马乱,bīng huāng mǎ luàn,soldiers munity and troops rebel (idiom); turmoil and chaos of war -兵蚁,bīng yǐ,soldier ant; dinergate -兵变,bīng biàn,mutiny; (Tw) to be dumped by one's girlfriend while serving in the army -兵贵神速,bīng guì shén sù,lit. speed is a crucial asset in war (idiom); fig. swift and resolute (in doing sth) -兵连祸结,bīng lián huò jié,ravaged by successive wars; war-torn; war-ridden -兵部,bīng bù,Ministry of War (in imperial China) -兵队,bīng duì,troops -兵饷,bīng xiǎng,pay and provisions for soldiers -兵马,bīng mǎ,troops and horses; military forces -兵马俑,bīng mǎ yǒng,figurines of warriors and horses buried with the dead; Terracotta Army (historic site) -其,qí,his; her; its; their; that; such; it (refers to sth preceding it) -其一,qí yī,one of the given (options etc); the first; firstly -其三,qí sān,thirdly; the third -其中,qí zhōng,among; in; included among these -其二,qí èr,secondly; the other (usu. of two); the second -其他,qí tā,other; (sth or sb) else; the rest -其来有自,qí lái yǒu zì,there is a reason for it; (of sth) not incidental -其先,qí xiān,previously; before that; up to then -其内,qí nèi,included; within that -其外,qí wài,besides; in addition; apart from that -其它,qí tā,(adjective) other -其实,qí shí,actually; in fact; really -其后,qí hòu,next; later; after that -其所,qí suǒ,its place; one's appointed place; the place for that -其乐不穷,qí lè bù qióng,boundless joy -其乐无穷,qí lè wú qióng,boundless joy -其乐融融,qí lè róng róng,(of relations) joyous and harmonious -其次,qí cì,next; secondly -其自身,qí zì shēn,one's own (respective); proprietary -其貌不扬,qí mào bù yáng,(idiom) nothing special to look at; unprepossessing -其间,qí jiān,in between; within that interval; in the meantime -其余,qí yú,the rest; the others; remaining; remainder; apart from them -具,jù,"tool; device; utensil; equipment; instrument; talent; ability; to possess; to have; to provide; to furnish; to state; classifier for devices, coffins, dead bodies" -具保,jù bǎo,to find guarantor; to find surety -具备,jù bèi,to possess; to have; equipped with; able to fulfill (conditions or requirements) -具名,jù míng,to sign; to put one's name to -具有,jù yǒu,to have; to possess -具有主权,jù yǒu zhǔ quán,sovereign -具格,jù gé,instrumental case (grammar) -具尔,jù ěr,(archaic) brother -具结,jù jié,to bind over (as surety); to sign an undertaking -具象,jù xiàng,tangible image; concrete; representational (art) -具体,jù tǐ,concrete; specific; detailed -具体到,jù tǐ dào,to embody into; to apply to; to take the shape of; specific to -具体化,jù tǐ huà,to concretize -具体问题,jù tǐ wèn tí,concrete issue -具体而微,jù tǐ ér wēi,miniature; scaled-down; forming a microcosm -具体计划,jù tǐ jì huà,a concrete plan; a definite plan -具体说明,jù tǐ shuō míng,to specify; specific details -典,diǎn,canon; law; standard work of scholarship; literary quotation or allusion; ceremony; to be in charge of; to mortgage or pawn -典型,diǎn xíng,model; typical case; archetype; typical; representative -典型化,diǎn xíng huà,stereotype; exemplar; typification -典型用途,diǎn xíng yòng tú,typical use; typical application -典型登革热,diǎn xíng dēng gé rè,dengue fever -典押,diǎn yā,see 典當|典当[dian3 dang4] -典故,diǎn gù,classical story or quote from the literature; the story behind sth -典狱长,diǎn yù zhǎng,warden -典当,diǎn dàng,to pawn; pawnshop -典礼,diǎn lǐ,ceremony; celebration -典章,diǎn zhāng,institution; institutional -典范,diǎn fàn,model; example; paragon -典籍,diǎn jí,ancient books or records -典藏,diǎn cáng,repository of items of cultural significance; collection -典质,diǎn zhì,to mortgage; to pawn -典雅,diǎn yǎ,refined; elegant -兼,jiān,double; twice; simultaneous; holding two or more (official) posts at the same time -兼并与收购,jiān bìng yǔ shōu gòu,mergers and acquisitions (M&A) -兼任,jiān rèn,to hold several jobs at once; concurrent post; working part-time -兼并,jiān bìng,to annex; to take over; to acquire -兼备,jiān bèi,have both -兼优,jiān yōu,an all-rounder; good at everything -兼具,jiān jù,to combine; to have both -兼容,jiān róng,compatible -兼容并包,jiān róng bìng bāo,to include and monopolize many things; all-embracing -兼容性,jiān róng xìng,compatibility -兼差,jiān chāi,to moonlight; side job -兼爱,jiān ài,"""universal love"", principle advocated by Mozi 墨子[Mo4 zi3], stressing that people should care for everyone equally" -兼收并蓄,jiān shōu bìng xù,incorporating diverse things (idiom); eclectic; all-embracing -兼施,jiān shī,using several (methods) -兼有,jiān yǒu,to combine; to have both -兼济天下,jiān jì tiān xià,to make everyone's lives better -兼营,jiān yíng,a second job; supplementary way of making a living -兼程,jiān chéng,to travel at double speed; to make all haste -兼而有之,jiān ér yǒu zhī,to have both (at the same time) -兼职,jiān zhí,to hold concurrent posts; concurrent job; moonlighting -兼蓄,jiān xù,to contain two things at a time; to mingle; to incorporate -兼课,jiān kè,to teach classes in addition to other duties; to hold several teaching jobs -兼顾,jiān gù,"to attend simultaneously to two or more things; to balance (career and family, family and education etc)" -冀,jì,short name for Hebei 河北[He2bei3]; surname Ji -冀,jì,(literary) to hope for -冀州,jì zhōu,"Jishou, county-level city in Hengshui 衡水[Heng2 shui3], Hebei" -冀州市,jì zhōu shì,"Jishou, county-level city in Hengshui 衡水[Heng2 shui3], Hebei" -冀朝铸,jì cháo zhù,"Ji Chaozhu (1929-2020), Chinese diplomat" -冀县,jì xiàn,Ji county in Hebei -冂,jiōng,"radical in Chinese characters (Kangxi radical 13), occurring in 用[yong4], 同[tong2], 網|网[wang3] etc, referred to as 同字框[tong2 zi4 kuang4]" -冉,rǎn,variant of 冉[ran3] -円,yuán,yen (Japanese currency); Japanese variant of 圓|圆 -冉,rǎn,surname Ran -冉,rǎn,edge of a tortoiseshell; used in 冉冉[ran3 ran3] -冉冉,rǎn rǎn,"gradually; slowly; softly drooping (branches, hair)" -冉冉上升,rǎn rǎn shàng shēng,to ascend slowly -册,cè,book; booklet; classifier for books -册亨,cè hēng,"Ceheng county in Qianxinan Buyei and Miao autonomous prefecture 黔西南州[Qian2 xi1 nan2 zhou1], Guizhou" -册亨县,cè hēng xiàn,"Ceheng county in Qianxinan Buyei and Miao autonomous prefecture 黔西南州[Qian2 xi1 nan2 zhou1], Guizhou" -册子,cè zi,a book; a volume -册封,cè fēng,to confer a title upon sb; to dub; to crown; to invest with rank or title -册府元龟,cè fǔ yuán guī,"Prime tortoise of the record bureau, Song dynasty historical encyclopedia of political essays, autobiography, memorials and decrees, compiled 1005-1013 under Wang Qinruo 王欽若|王钦若 and Yang Yi 楊億|杨亿, 1000 scrolls" -册历,cè lì,diary -册立,cè lì,to confer a title on (an empress or a prince) -冋,jiōng,archaic variant of 坰[jiong1] -再,zài,"again; once more; re-; second; another; then (after sth, and not until then); no matter how ... (followed by an adjective or verb, and then (usually) 也[ye3] or 都[dou1] for emphasis)" -再一次,zài yī cì,again -再三,zài sān,over and over again; again and again -再三再四,zài sān zài sì,repeatedly; over and over again -再不,zài bù,if not; if (one) does not; or else; alternatively -再世,zài shì,to be reincarnated -再也,zài yě,(not) any more -再使用,zài shǐ yòng,to reuse -再保证,zài bǎo zhèng,to reassure -再保险,zài bǎo xiǎn,reinsurance (contractual device spreading risk between insurers) -再入,zài rù,to re-enter -再出现,zài chū xiàn,to reappear -再利用,zài lì yòng,to reuse -再则,zài zé,moreover; besides -再四,zài sì,repeatedly; over and over again -再好,zài hǎo,even better -再好不过,zài hǎo bù guò,couldn't be better; ideal; wonderful -再婚,zài hūn,to remarry -再嫁,zài jià,to remarry (of woman) -再审,zài shěn,to hear a case again; review; retrial -再平衡,zài píng héng,to rebalance -再度,zài dù,once more; once again; one more time -再建,zài jiàn,to reconstruct; to build another -再怎么,zài zěn me,no matter how ... -再拜,zài bài,"to bow again; to bow twice (gesture of respect in former times); (in letters, an expression of respect)" -再接再厉,zài jiē zài lì,to continue the struggle (idiom); to persist; unremitting efforts -再接再砺,zài jiē zài lì,variant of 再接再厲|再接再厉[zai4 jie1 zai4 li4] -再改,zài gǎi,to renew; to reform -再会,zài huì,to meet again; until we meet again; goodbye -再次,zài cì,once more; once again -再活化假说,zài huó huà jiǎ shuō,reactivation hypothesis -再版,zài bǎn,second edition; reprint -再犯,zài fàn,to re-offend; repeat offender; recidivist -再现,zài xiàn,to recreate; to reconstruct (a historical relic) -再生,zài shēng,to be reborn; to regenerate; to be a second so-and-so (famous dead person); recycling; regeneration -再生不良性贫血,zài shēng bù liáng xìng pín xuè,aplastic anemia -再生制动,zài shēng zhì dòng,regenerative braking -再生水,zài shēng shuǐ,reclaimed water; recycled water -再生燃料,zài shēng rán liào,renewable fuel -再生父母,zài shēng fù mǔ,like a second parent (idiom); one's great benefactor -再生产,zài shēng chǎn,to reproduce; reproduction -再生能源,zài shēng néng yuán,renewable energy source -再生资源,zài shēng zī yuán,renewable resource -再生医学,zài shēng yī xué,regenerative medicine -再发,zài fā,to reissue; (of a disease) to recur; (of a patient) to suffer a relapse -再发生,zài fā shēng,to reoccur -再发见,zài fā xiàn,rediscovery -再者,zài zhě,moreover; besides -再育,zài yù,to increase; to multiply; to proliferate -再临,zài lín,to come again -再处理,zài chǔ lǐ,reprocessing -再融资,zài róng zī,refinancing; restructuring (a loan) -再衰三竭,zài shuāi sān jié,weakening and close to exhaustion (idiom); in terminal decline; on one's last legs -再制,zài zhì,to make more of the same thing; to reproduce; to reprocess; to remanufacture -再制纸,zài zhì zhǐ,recycled paper -再制盐,zài zhì yán,refined salt -再见,zài jiàn,goodbye; see you again later -再见全垒打,zài jiàn quán lěi dǎ,walk-off home run -再说,zài shuō,to say again; to put off a discussion until later; moreover; what's more; besides -再读,zài dú,to read again; to review (a lesson etc) -再赛,zài sài,"to compete again (i.e. either have a rematch or, when the scores are tied, have extra time)" -再起,zài qǐ,to arise again; to make a comeback; resurgence -再造,zài zào,"to give a new lease of life; to reconstruct; to reform; to rework; to recycle; to reproduce (copies, or offspring); restoration; restructuring" -再造手术,zài zào shǒu shù,reconstructive surgery -再造业,zài zào yè,recycling industry -再迁,zài qiān,to promote again; reappointed -再醮,zài jiào,to remarry -冏,jiǒng,"velvetleaf (Abutilon avicennae), plant of the jute family; bright" -冏卿,jiǒng qīng,"minister of the imperial stud, originally charged with horse breeding" -冏寺,jiǒng sì,"same as 太僕寺|太仆寺[Tai4 pu2 si4], Court of imperial stud, office originally charged with horse breeding" -冏彻,jiǒng chè,bright and easily understood; clear; transparent -冏牧,jiǒng mù,"minister of the imperial stud, originally charged with horse breeding" -冒,mào,old variant of 冒[mao4] -冑,zhòu,variant of 胄[zhou4] -冒,mào,surname Mao -冒,mào,"to emit; to give off; to send out (or up, forth); to brave; to face; (bound form) reckless; to falsely adopt (sb's identity etc); to feign; (literary) to cover" -冒充,mào chōng,to feign; to pretend to be; to pass oneself off as -冒冒失失,mào mào shī shī,bold; forthright -冒出来,mào chū lái,to emerge; to pop up; to spring forth; to appear from nowhere -冒名,mào míng,an impostor; to impersonate -冒名顶替,mào míng dǐng tì,to assume sb's name and take his place (idiom); to impersonate; to pose under a false name -冒名顶替者,mào míng dǐng tì zhě,impersonator; impostor -冒大不韪,mào dà bù wěi,(idiom) to face opprobrium -冒天下之大不韪,mào tiān xià zhī dà bù wěi,see 冒大不韙|冒大不韪[mao4 da4 bu4 wei3] -冒失,mào shi,rash; impudent -冒失鬼,mào shi guǐ,reckless person; hothead -冒昧,mào mèi,bold; presumptuous; to take the liberty of -冒暑,mào shǔ,heat stroke (TCM) -冒死,mào sǐ,to brave death -冒渎,mào dú,to disrespect; blasphemy -冒火,mào huǒ,to get angry; to burn with rage -冒烟,mào yān,to discharge smoke; to fume with rage -冒牌,mào pái,fake; impostor; quack (doctor); imitation brand -冒牌货,mào pái huò,fake goods; imitation; forgery -冒犯,mào fàn,to offend -冒犯者,mào fàn zhě,offender -冒生命危险,mào shēng mìng wēi xiǎn,to risk one's life -冒用,mào yòng,to falsely use (sb's identity etc) -冒纳罗亚,mào nà luó yà,"Moanalua, Hawaiian volcano" -冒着,mào zhe,to brave; to face dangers -冒号,mào hào,colon (punct.) -冒进,mào jìn,to advance prematurely -冒险,mào xiǎn,to take risks; to take chances; foray; adventure -冒险主义,mào xiǎn zhǔ yì,adventurism (a left-wing error against Mao's line during the 1930s) -冒险家,mào xiǎn jiā,adventurer -冒险者,mào xiǎn zhě,adventurer -冒雨,mào yǔ,to brave the rain -冒顶,mào dǐng,(mining) roof fall; to have the roof cave in -冒领,mào lǐng,to obtain by impersonation; to falsely claim as one's own -冒头,mào tóu,to emerge; to crop up; a little more than -冒题,mào tí,writing style in which the main subject is not introduced initially (opposite: 破題|破题[po4 ti2]) -冒风险,mào fēng xiǎn,to take risks -冓,gòu,inner rooms of palace; ten billions -冕,miǎn,crown in the form of a horizontal board with hanging decorations; imperial crown -冕冠,miǎn guān,see 冕[mian3] -冕宁,miǎn níng,"Mianning county in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -冕宁县,miǎn níng xiàn,"Mianning county in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -冕柳莺,miǎn liǔ yīng,(bird species of China) eastern crowned warbler (Phylloscopus coronatus) -冕雀,miǎn què,(bird species of China) sultan tit (Melanochlora sultanea) -冖,mì,"""cover"" radical in Chinese characters (Kangxi radical 14), occurring in 軍|军[jun1], 冠[guan1] etc, known as 禿寶蓋|秃宝盖[tu1 bao3 gai4] or 平寶蓋|平宝盖[ping2 bao3 gai4]" -冗,rǒng,extraneous; redundant; superfluous; busy schedule -冗位,rǒng wèi,redundant position -冗兵,rǒng bīng,superfluous troops -冗冗,rǒng rǒng,numerous; excessive; multitude -冗务,rǒng wù,miscellaneous affairs -冗员,rǒng yuán,excess personnel; superfluous staff -冗官,rǒng guān,redundant officials -冗散,rǒng sǎn,(literary) idle; unemployed; (literary) (of writing) leisurely and verbose -冗数,rǒng shù,redundant number -冗条子,rǒng tiáo zi,unwanted branches (of a tree etc) -冗笔,rǒng bǐ,superfluous words (in writing); superfluous strokes (in calligraphy) -冗繁,rǒng fán,miscellaneous -冗职,rǒng zhí,redundant position -冗言,rǒng yán,pleonasm (linguistics) -冗词,rǒng cí,tautology; superfluous words -冗语,rǒng yǔ,verbosity; verbose speech -冗费,rǒng fèi,unnecessary expenses -冗赘,rǒng zhuì,verbose -冗赘词,rǒng zhuì cí,expletive (linguistics) -冗辞,rǒng cí,variant of 冗詞|冗词[rong3 ci2] -冗长,rǒng cháng,long and tedious; redundant; superfluous; supernumerary; verbose (of writing) -冗长度,rǒng cháng dù,(level of) redundancy -冗长辩论,rǒng cháng biàn lùn,filibuster -冗杂,rǒng zá,many and varied; confused -冗食,rǒng shí,eating without working -冗余,rǒng yú,redundancy; redundant -冘,yín,to go forward; to advance -冘,yóu,(bound form) mostly used in either 冘豫[you2 yu4] or 冘疑[you2 yi2] -冘疑,yóu yí,variant of 猶疑|犹疑[you2 yi2] -冘豫,yóu yù,variant of 猶豫|犹豫[you2 yu4] -冠,guàn,surname Guan -冠,guān,hat; crown; crest; cap -冠,guàn,to put on a hat; to be first; to dub -冠以,guàn yǐ,to label; to call -冠冕,guān miǎn,royal crown; official hat; official; leader; chief; elegant and stately -冠冕堂皇,guān miǎn táng huáng,high-sounding; dignified; pompous (idiom) -冠名,guàn míng,"to name (a sports team, a competition etc)" -冠子,guān zi,crest; crown -冠形词,guān xíng cí,article (in grammar) -冠心病,guān xīn bìng,coronary heart disease -冠斑犀鸟,guān bān xī niǎo,(bird species of China) oriental pied hornbill (Anthracoceros albirostris) -冠海雀,guān hǎi què,(bird species of China) Japanese murrelet (Synthliboramphus wumizusume) -冠状,guān zhuàng,coronary (i.e. relating to the coronary arteries or veins); crown-shaped -冠状动脉,guān zhuàng dòng mài,coronary artery -冠状动脉旁路移植手术,guān zhuàng dòng mài páng lù yí zhí shǒu shù,coronary bypass operation -冠状动脉旁通手术,guān zhuàng dòng mài páng tōng shǒu shù,coronary bypass operation -冠状病毒,guān zhuàng bìng dú,coronavirus -冠礼,guàn lǐ,"the capping ceremony, a Confucian coming of age ceremony for males dating from pre-Qin times, performed when a boy reaches the age of 20, involving the ritual placing of caps on the head of the young man" -冠纹柳莺,guān wén liǔ yīng,(bird species of China) Claudia's leaf warbler (Phylloscopus claudiae) -冠县,guān xiàn,"Guan County in Liaocheng 聊城[Liao2 cheng2], Shandong" -冠脉,guān mài,coronary; coronary artery -冠脉循环,guān mài xún huán,coronary circulation -冠词,guàn cí,article (in grammar) -冠军,guàn jūn,champion -冠军赛,guàn jūn sài,championship -冠鱼狗,guān yú gǒu,(bird species of China) crested kingfisher (Megaceryle lugubris) -冠麻鸭,guān má yā,(bird species of China) crested shelduck (Tadorna cristata) -冡,méng,old variant of 蒙[meng2] -冢,zhǒng,mound; burial mound; senior (i.e. eldest child or senior in rank) -冣,jù,old variant of 聚[ju4] -最,zuì,old variant of 最[zui4] -冤,yuān,injustice; grievance; wrong -冤仇,yuān chóu,rancor; enmity; hatred resulting from grievances -冤假错案,yuān jiǎ cuò àn,"unjust, fake and false charges (in a legal case)" -冤冤相报何时了,yuān yuān xiāng bào hé shí liǎo,"if revenge breeds revenge, will there ever be an end to it? (Buddhist saying)" -冤大头,yuān dà tóu,spendthrift and foolish; sb with more money than sense -冤孽,yuān niè,sin (in Buddhism); enmity leading to sin -冤家,yuān jia,enemy; foe; (in opera) sweetheart or destined love -冤家宜解不宜结,yuān jiā yí jiě bù yí jié,It is better to squash enmity rather than keeping it alive (proverb) -冤家对头,yuān jiā duì tóu,enemy (idiom); opponent; arch-enemy -冤家路窄,yuān jiā lù zhǎi,"lit. for enemies, the road is narrow (idiom); fig. rivals inevitably cross paths" -冤屈,yuān qū,to treat unjustly; an injustice -冤情,yuān qíng,facts of an injustice; circumstances surrounding a miscarriage of justice -冤抑,yuān yì,to suffer injustice -冤枉,yuān wang,to accuse wrongly; to treat unjustly; injustice; wronged; not worthwhile -冤枉路,yuān wang lù,pointless trip; not worth the trip -冤枉钱,yuān wang qián,wasted money; pointless expense -冤案,yuān àn,miscarriage of justice -冤业,yuān yè,sin (in Buddhism); enmity leading to sin; also written 冤孽 -冤死,yuān sǐ,to suffer an unjust death -冤气,yuān qì,resentment over unfair treatment -冤狱,yuān yù,unjust charge or verdict; miscarriage of justice; frame-up -冤苦,yuān kǔ,to treat (sb) unjustly; anguish caused by an injustice -冤诬,yuān wū,unjust charge; frame-up -冤钱,yuān qián,money spent in vain; wasted money -冤头,yuān tóu,enemy; foe -冤魂,yuān hún,ghost of one who died unjustly; departed spirit demanding vengeance for grievances -冥,míng,dark; deep; stupid; the underworld -冥冥之中,míng míng zhī zhōng,in the unseen world of spirits; mysteriously and inexorably -冥合,míng hé,to agree implicitly; of one mind; views coincide without a word exchanged -冥婚,míng hūn,posthumous or ghost marriage (in which at least one of the bride and groom is dead) -冥币,míng bì,false paper money burned as an offering to the dead -冥府,míng fǔ,underworld; hell -冥思苦想,míng sī kǔ xiǎng,to consider from all angles (idiom); to think hard; to rack one's brains -冥思苦索,míng sī kǔ suǒ,to mull over (idiom); to think long and hard -冥想,míng xiǎng,to meditate; meditation -冥王,míng wáng,the king of hell -冥王星,míng wáng xīng,Pluto (dwarf planet) -冥界,míng jiè,ghost world -冥福,míng fú,afterlife happiness -冥纸,míng zhǐ,joss paper made to resemble paper money -冥道,míng dào,the gateway to the ghost world -冥钞,míng chāo,false paper money burned as an offering to the dead -冥钱,míng qián,joss paper made to resemble paper money -冥顽,míng wán,stupidly obstinate -冥顽不灵,míng wán bù líng,pigheaded -幂,mì,(math.) power; exponent; to cover with a cloth; cloth cover; veil -幂等,mì děng,idempotent (math.) -幂级数,mì jí shù,power series (math.) -冫,bīng,"""ice"" radical in Chinese characters (Kangxi radical 15), occurring in 冰[bing1], 次[ci4] etc, known as 兩點水|两点水[liang3 dian3 shui3]" -冬,dōng,winter -冬不拉,dōng bù lā,"Dombra or Tambura, Kazakh plucked lute" -冬令,dōng lìng,winter; winter climate -冬令时,dōng lìng shí,standard time (as opposed to daylight saving time 夏令時|夏令时[xia4 ling4 shi2]) -冬夏,dōng xià,winter and summer -冬天,dōng tiān,winter; CL:個|个[ge4] -冬奥会,dōng ào huì,Winter Olympics -冬字头,dōng zì tóu,"name of ""walk slowly"" component 夂[zhi3] in Chinese characters" -冬季,dōng jì,winter -冬宫,dōng gōng,Winter Palace (St Petersburg); Hermitage Museum -冬山,dōng shān,"Dongshan or Tungshan Township in Yilan County 宜蘭縣|宜兰县[Yi2 lan2 Xian4], Taiwan" -冬山乡,dōng shān xiāng,"Dongshan or Tungshan Township in Yilan County 宜蘭縣|宜兰县[Yi2 lan2 Xian4], Taiwan" -冬月,dōng yuè,eleventh lunar month -冬歇期,dōng xiē qī,winter break -冬残奥会,dōng cán ào huì,Winter Paralympics -冬烘,dōng hōng,shallow; uneducated -冬瓜,dōng guā,"wax gourd (Cucurbitaceae, Benincasa hispida); white gourd; white hairy melon; Chinese squash" -冬病夏治,dōng bìng xià zhì,to treat winter diseases in the summer (TCM) -冬眠,dōng mián,to hibernate; hibernation -冬笋,dōng sǔn,winter bamboo shoots (smaller and tenderer as a result of being dug out before they come out of the soil) -冬节,dōng jié,see 冬至[Dong1 zhi4] -冬粉,dōng fěn,(Tw) cellophane noodles; mung bean vermicelli -冬耕,dōng gēng,winter plowing -冬至,dōng zhì,"Winter Solstice, 22nd of the 24 solar terms 二十四節氣|二十四节气 22nd December-5th January" -冬至点,dōng zhì diǎn,the winter solstice -冬菇,dōng gū,"donko shiitake mushroom, a prized type of shiitake (Lentinula edodes) cultivated in winter, with thick flesh and partially open cap" -冬菜,dōng cài,preserved dried cabbage or mustard greens -冬蛰,dōng zhé,hibernation -冬虫夏草,dōng chóng xià cǎo,"caterpillar fungus (Ophiocordyceps sinensis) (The fungus grows within the body of a caterpillar, culminating in the emergence of a stalked fruiting body from the caterpillar's head, and is a much-prized and expensive ingredient used as a tonic in traditional Chinese medicine.)" -冬衣,dōng yī,winter clothes -冬运会,dōng yùn huì,winter games -冬闲,dōng xián,slack winter season (farming) -冬青,dōng qīng,holly -冬青树,dōng qīng shù,holly -冰,bīng,ice; CL:塊|块[kuai4]; to chill sth; (of an object or substance) to feel cold; (of a person) cold; unfriendly; (slang) methamphetamine -冰上运动,bīng shàng yùn dòng,ice-sports -冰冷,bīng lěng,ice-cold -冰凌,bīng líng,icicle -冰冻,bīng dòng,to freeze -冰凝器,bīng níng qì,cryophorus -冰刀,bīng dāo,ice skates; ice skate blades -冰品,bīng pǐn,frozen dessert -冰坨子,bīng tuó zi,(coll.) chunks of ice -冰场,bīng chǎng,skating or ice rink; ice stadium; ice arena -冰块,bīng kuài,ice cube; ice chunk -冰块盒,bīng kuài hé,ice cube tray -冰塔,bīng tǎ,serac -冰塔林,bīng tǎ lín,serac band -冰塞,bīng sāi,ice blockage; freezing of waterway -冰墩墩,bīng dūn dūn,"Bing Dwen Dwen (mascot of the Beijing 2022 Winter Olympics, a panda wearing a bodysuit of transparent ice)" -冰壑,bīng hè,ice gully -冰坝,bīng bà,freezing blockage; dam of ice on river -冰壶,bīng hú,jade pot for cold water; curling (sport); curling puck -冰壶秋月,bīng hú qiū yuè,"jade ice jug and autumn moon (idiom, from poem by Song writer Su Dongpo 蘇東坡|苏东坡); fig. spotless white and pure; flawless person" -冰天雪地,bīng tiān xuě dì,a world of ice and snow -冰封,bīng fēng,to freeze over; to ice over; icebound; to shelve (a proposal etc) -冰山,bīng shān,iceberg; ice-covered mountain; (fig.) a backer one cannot rely on for long; CL:座[zuo4] -冰山一角,bīng shān yī jiǎo,tip of the iceberg -冰岛,bīng dǎo,Iceland -冰川,bīng chuān,glacier -冰川期,bīng chuān qī,ice age -冰帽,bīng mào,icecap -冰店,bīng diàn,dessert parlor serving mainly cold sweets (esp. shaved ice) (Tw) -冰心,bīng xīn,"Bing Xin (1900-1999), female poet and children's writer" -冰排,bīng pái,ice raft; ice floe -冰斗,bīng dǒu,(geology) cirque -冰晶,bīng jīng,ice crystals -冰晶石,bīng jīng shí,cryolite -冰期,bīng qī,glacial epoch; ice age -冰染染料,bīng rǎn rǎn liào,azoic dyes -冰柱,bīng zhù,icicle -冰桶,bīng tǒng,ice bucket -冰棍,bīng gùn,popsicle; ice lolly; CL:根[gen1] -冰棍儿,bīng gùn er,ice lolly; popsicle -冰棒,bīng bàng,popsicle; ice pop; CL:根[gen1] -冰橇,bīng qiāo,sled; sledge; sleigh -冰桥,bīng qiáo,ice arch -冰柜,bīng guì,freezer -冰毒,bīng dú,methamphetamine -冰水,bīng shuǐ,iced water -冰沙,bīng shā,slushie; smoothie; crushed ice drink; frappucino -冰河,bīng hé,glacier -冰河时代,bīng hé shí dài,ice age -冰河时期,bīng hé shí qī,ice age -冰河期,bīng hé qī,ice age -冰洞,bīng dòng,hole in ice; crevasse -冰洲石,bīng zhōu shí,Iceland spar -冰消瓦解,bīng xiāo wǎ jiě,to melt like ice and break like tiles; to disintegrate; to dissolve -冰凉,bīng liáng,ice-cold -冰淇淋,bīng qí lín,ice cream -冰清玉洁,bīng qīng yù jié,clear as ice and clean as jade (idiom); spotless; irreproachable; incorruptible -冰湖,bīng hú,frozen lake -冰溜,bīng liù,icicle -冰沟,bīng gōu,crevasse -冰激凌,bīng jī líng,ice cream -冰火,bīng huǒ,fire and ice; combination of sharply contrasting or incompatible elements -冰炭不相容,bīng tàn bù xiāng róng,as incompatible or irreconcilable as ice and hot coals -冰灯,bīng dēng,ice lantern -冰爪,bīng zhuǎ,crampon -冰片,bīng piàn,borneol -冰球,bīng qiú,ice hockey; puck -冰球场,bīng qiú chǎng,ice hockey rink -冰皮月饼,bīng pí yuè bǐng,"snow skin mooncake (with a soft casing which is not baked, instead of the traditional baked pastry casing)" -冰硬,bīng yìng,frozen solid -冰碴,bīng chá,ice shards -冰砖,bīng zhuān,ice-cream brick; brick of ice -冰碛,bīng qì,moraine; rock debris from glacier -冰积物,bīng jī wù,glacial sediment -冰窖,bīng jiào,icehouse -冰箱,bīng xiāng,refrigerator; (old) icebox -冰糕,bīng gāo,ice-cream; popsicle; ice-lolly; sorbet -冰糖,bīng táng,crystal sugar; rock candy -冰糖葫芦,bīng táng hú lu,sugar-coated Chinese hawthorn or other fruit on a bamboo skewer; tanghulu -冰船,bīng chuán,ice breaker (ship) -冰花,bīng huā,ice crystal; frost (on windows) -冰菜,bīng cài,ice plant (Mesembryanthemum crystallinum) -冰叶日中花,bīng yè rì zhōng huā,ice plant (Mesembryanthemum crystallinum) -冰盖,bīng gài,ice sheet -冰蛋,bīng dàn,frozen eggs -冰蚀,bīng shí,glaciated; eroded by ice -冰袋,bīng dài,ice bag -冰轮,bīng lún,the moon -冰醋酸,bīng cù suān,glacial acetic acid -冰释,bīng shì,"to dispel (enmity, misunderstandings etc); to vanish (of misgivings, differences of opinion); thaw (in relations)" -冰释前嫌,bīng shì qián xián,to forget previous differences; to bury the hatchet -冰钓,bīng diào,ice fishing -冰锥,bīng zhuī,icicle -冰镐,bīng gǎo,ice pick -冰镇,bīng zhèn,iced -冰镩,bīng cuān,ice spud (aka ice chisel) with a pointy tip -冰钻,bīng zuàn,ice auger -冰隙,bīng xì,crevasse -冰雕,bīng diāo,ice sculpture -冰雪,bīng xuě,ice and snow -冰雪皇后,bīng xuě huáng hòu,Dairy Queen (brand) -冰雪聪明,bīng xuě cōng ming,exceptionally intelligent (idiom) -冰雹,bīng báo,"hail; hailstone; CL:場|场[chang2],粒[li4]" -冰霜,bīng shuāng,"(literary) ice formed in freezing weather as frost or icicles etc (often used as a metaphor for moral uprightness, strictness, sternness or aloofness)" -冰鞋,bīng xié,skating boots; skates -冰风暴,bīng fēng bào,icy storm; hailstorm -冰点,bīng diǎn,freezing point -冱,hù,congealed; frozen -冶,yě,to smelt; to cast; seductive in appearance -冶天,yě tiān,"ATI, brand name of AMD graphics cards" -冶容,yě róng,to mold (into seductive shape); to dress up (usu. derogatory); to sex up -冶炼,yě liàn,to smelt metal -冶炼炉,yě liàn lú,a furnace for smelting metal -冶艳,yě yàn,bewitching; beautiful -冶荡,yě dàng,lewd; lascivious -冶游,yě yóu,to go courting; to visit a brothel (old); related to 野遊|野游[ye3 you2] -冶金,yě jīn,metallurgy -冶金学,yě jīn xué,metallurgy -冶铸,yě zhù,to smelt and cast -冷,lěng,surname Leng -冷,lěng,cold -冷不丁,lěng bu dīng,suddenly; by surprise -冷不防,lěng bu fáng,unexpectedly; suddenly; at unawares; off guard; against expectations -冷傲,lěng ào,icily arrogant -冷僻,lěng pì,out-of-the-way; deserted; unfamiliar; obscure -冷冷,lěng lěng,coldly -冷冷清清,lěng lěng qīng qīng,deserted; desolate; unfrequented; cold and cheerless; lonely; in quiet isolation -冷冽,lěng liè,chilly -冷冻,lěng dòng,to freeze (food etc); (of weather) freezing -冷冻库,lěng dòng kù,freezer room -冷冻柜,lěng dòng guì,freezer -冷切,lěng qiè,cold cuts -冷却,lěng què,to cool (lit. and fig.) -冷却剂,lěng què jì,coolant -冷却塔,lěng què tǎ,cooling tower -冷却水,lěng què shuǐ,cooling water (in a reactor) -冷厉,lěng lì,stern; unsympathetic; icy -冷嘲热讽,lěng cháo rè fěng,frigid irony and scorching satire (idiom); to mock and ridicule -冷场,lěng chǎng,stage wait; (fig.) awkward silence -冷天,lěng tiān,cold weather; cold season -冷奴,lěng nú,"silken tofu served cold with various toppings (loanword from Japanese ""hiyayakko"")" -冷媒,lěng méi,refrigerant -冷字,lěng zì,obscure word; unfamiliar character -冷宫,lěng gōng,(in literature and opera) a place to which a monarch banishes a wife or concubine who falls from favor; (fig.) the doghouse; a state of disfavor -冷寂,lěng jì,cold and desolate; lonely -冷峻,lěng jùn,grave and stern -冷战,lěng zhàn,(US-Soviet) Cold War -冷战,lěng zhàn,cold war; (fig.) strained relationship; to be barely on speaking terms -冷战,lěng zhan,(coll.) shiver; shudder -冷房,lěng fáng,cooling; air conditioning -冷敷,lěng fū,to apply a cold compress -冷敷布,lěng fū bù,cold compress -冷暖,lěng nuǎn,"lit. daily changes of temperature; fig. well-being; sb's comfort, health, prosperity etc" -冷暖房,lěng nuǎn fáng,cooling and heating; air conditioning and central heating -冷暖自知,lěng nuǎn zì zhī,"see 如人飲水,冷暖自知|如人饮水,冷暖自知[ru2 ren2 yin3 shui3 , leng3 nuan3 zi4 zhi1]" -冷暴力,lěng bào lì,non-physical abuse; emotional abuse; the silent treatment -冷森森,lěng sēn sēn,chilling cold; cold and threatening -冷枪,lěng qiāng,sniper's shot -冷气,lěng qì,air conditioning (Tw) -冷气机,lěng qì jī,air conditioner -冷气衫,lěng qì shān,warm clothes such as padded jacket to be worn in air conditioning (esp. in Hong Kong) -冷水,lěng shuǐ,cold water; unboiled water; fig. not yet ready (of plans) -冷水机组,lěng shuǐ jī zǔ,chiller -冷水江,lěng shuǐ jiāng,"Lengshuijiang, county-level city in Loudi 婁底|娄底[Lou2 di3], Hunan" -冷水江市,lěng shuǐ jiāng shì,"Lengshuijiang, county-level city in Loudi 婁底|娄底[Lou2 di3], Hunan" -冷水滩,lěng shuǐ tān,"Lengshuitan district of Yongzhou city 永州市[Yong3 zhou1 shi4], Hunan" -冷水滩区,lěng shuǐ tān qū,"Lengshuitan district of Yongzhou city 永州市[Yong3 zhou1 shi4], Hunan" -冷汗,lěng hàn,cold sweat -冷淡,lěng dàn,cold; indifferent -冷淡关系,lěng dàn guān xì,cold relations (e.g. between countries) -冷清,lěng qīng,cold and cheerless; desolate; deserted -冷清清,lěng qīng qīng,deserted; desolate; unfrequented; cold and cheerless; lonely; in quiet isolation -冷湖,lěng hú,"Lenghu county level subdivision of Haixi Mongol and Tibetan autonomous prefecture 海西蒙古族藏族自治州[Hai3 xi1 Meng3 gu3 zu2 Zang4 zu2 zi4 zhi4 zhou1], Qinghai" -冷湖行政区,lěng hú xíng zhèng qū,"Lenghu county level subdivision of Haixi Mongol and Tibetan autonomous prefecture 海西蒙古族藏族自治州[Hai3 xi1 Meng3 gu3 zu2 Zang4 zu2 zi4 zhi4 zhou1], Qinghai" -冷湖行政委员会,lěng hú xíng zhèng wěi yuán huì,"Lenghu county level subdivision of Haixi Mongol and Tibetan autonomous prefecture 海西蒙古族藏族自治州[Hai3 xi1 Meng3 gu3 zu2 Zang4 zu2 zi4 zhi4 zhou1], Qinghai" -冷漠,lěng mò,cold and detached towards sb; lack of regard; indifference; neglect -冷漠对待,lěng mò duì dài,cold and detached towards sb; lack of regard; indifference; neglect -冷涩,lěng sè,cold and sluggish; chilly -冷热度数,lěng rè dù shù,temperature (esp. of medical patient) -冷热病,lěng rè bìng,malaria -冷盆,lěng pén,cold dish; appetizer -冷盘,lěng pán,cold plate; cold meats -冷眼,lěng yǎn,cool eye; fig. detached; (treating) with indifference -冷眼旁观,lěng yǎn páng guān,the cool eye of a bystander; a detached point of view -冷知识,lěng zhī shi,trivia -冷笑,lěng xiào,"to sneer; to laugh grimly; grin of dissatisfaction (bitterness, helplessness, indignation etc); bitter, grim, sarcastic or angry smile" -冷笑话,lěng xiào hua,corny joke -冷丝丝,lěng sī sī,a bit chilly -冷艳,lěng yàn,(of a woman) beautiful but aloof -冷若冰霜,lěng ruò bīng shuāng,"as cold as ice and frost (idiom, usually of woman); icy manner; frigid" -冷菜,lěng cài,cold dish; cold food -冷落,lěng luò,desolate; unfrequented; to treat sb coldly; to snub; to cold shoulder -冷藏,lěng cáng,"refrigeration; cold storage; to keep (food, medicine) in cold environment" -冷藏箱,lěng cáng xiāng,cooler; ice chest; reefer container -冷藏车,lěng cáng chē,refrigerated truck or wagon -冷处理,lěng chǔ lǐ,(mechanics) cold treatment; to downplay; to handle in a low-key way -冷血,lěng xuè,cold-blood; cold-blooded (animal) -冷血动物,lěng xuè dòng wù,cold-blooded animal; fig. cold-hearted person -冷言冷语,lěng yán lěng yǔ,sarcastic comments (idiom); to make sarcastic comments -冷话,lěng huà,harsh words; sarcasm; bitter remarks -冷语,lěng yǔ,sarcasm; sneering talk -冷语冰人,lěng yǔ bīng rén,to offend people with unkind remarks (idiom) -冷轧,lěng zhá,(metallurgy) cold-rolled; cold-rolling -冷遇,lěng yù,a cold reception; to cold-shoulder sb -冷酷,lěng kù,unfeeling; callous -冷酷无情,lěng kù wú qíng,cold-hearted; unfeeling; callous -冷锋,lěng fēng,cold front (meteorology) -冷链,lěng liàn,cold chain -冷门,lěng mén,"a neglected branch (of arts, science, sports etc); fig. a complete unknown who wins a competition" -冷静,lěng jìng,calm; cool-headed; dispassionate; (of a place) deserted; quiet -冷静期,lěng jìng qī,"cooling-off period (divorces, purchases, surgeries)" -冷面,lěng miàn,grim; stern; harsh -冷颤,lěng zhan,variant of 冷戰|冷战[leng3 zhan5] -冷飕飕,lěng sōu sōu,chilling; chilly -冷饮,lěng yǐn,cold drink -冷餐,lěng cān,cold meal; cold food -冷面,lěng miàn,naengmyeon (Korean dish based on cold noodles in soup) -泯,mǐn,variant of 泯[min3] -冼,xiǎn,surname Xian -冼星海,xiǎn xīng hǎi,"Xian Xinghai (1905-1945), violinist and composer, known for patriotic wartime pieces, including Yellow River Oratorio 黃河大合唱|黄河大合唱[Huang2 He2 Da4 he2 chang4]" -冽,liè,cold and raw -凄,qī,intense cold; frigid; dismal; grim; bleak; sad; mournful; also written 淒|凄[qi1] -凄梗,qī gěng,(literary) wailing; choking with sobs -准,zhǔn,to allow; to grant; in accordance with; in the light of -准予,zhǔn yǔ,to grant; to approve; to permit -准入,zhǔn rù,access; admittance -准将,zhǔn jiàng,brigadier general; commodore -准格尔旗,zhǔn gé ěr qí,"Jungar Banner in Ordos 鄂爾多斯|鄂尔多斯[E4 er3 duo1 si1], Inner Mongolia" -准生证,zhǔn shēng zhèng,birth permit -准考证,zhǔn kǎo zhèng,(exam) admission ticket -准许,zhǔn xǔ,to allow; to grant; to permit -凇,sōng,icicle -净,jìng,variant of 淨|净[jing4] -净心修身,jìng xīn xiū shēn,to have an untroubled heart and behave morally (idiom) -净身,jìng shēn,to purify one's body (i.e. to get castrated) -净身出户,jìng shēn chū hù,to leave a marriage with nothing (no possessions or property) -凋,diāo,withered -凋敝,diāo bì,impoverished; destitute; hard; depressed (of business); tattered; ragged -凋落,diāo luò,to wither (and drop off); to wilt; to pass away -凋谢,diāo xiè,to wither; to wilt; wizened -凋零,diāo líng,withered; wilted; to wither; to fade; to decay -凌,líng,surname Ling -凌,líng,to approach; to rise high; thick ice; to insult or maltreat -凌乱,líng luàn,messy; disarrayed; disheveled -凌乱不堪,líng luàn bù kān,in a terrible mess (idiom) -凌兢,líng jīng,(literary) icy cold; (literary) to shiver; to tremble -凌厉,líng lì,swift and fierce; fierce; forceful -凌夷,líng yí,to deteriorate; to decline; to slump; also written 陵夷 -凌志,líng zhì,Lexus -凌志美,líng zhì měi,"Laura Ling, US-Taiwanese woman journalist imprisoned as spy by North Korea in 2009" -凌晨,líng chén,very early in the morning; in the wee hours -凌汛,líng xùn,ice-jam flood (arising when river downstream freezes more than upstream) -凌河,líng hé,"Linghe district of Jinzhou city 錦州市|锦州市, Liaoning" -凌河区,líng hé qū,"Linghe district of Jinzhou city 錦州市|锦州市, Liaoning" -凌波舞,líng bō wǔ,limbo (dance) (loanword) -凌海,líng hǎi,"Linghai, county-level city in Jinzhou 錦州|锦州, Liaoning" -凌海市,líng hǎi shì,"Linghai, county-level city in Jinzhou 錦州|锦州, Liaoning" -凌源,líng yuán,"Lingyuan, county-level city in Chaoyang 朝陽|朝阳[Chao2 yang2], Liaoning" -凌源市,líng yuán shì,"Lingyuan, county-level city in Chaoyang 朝陽|朝阳[Chao2 yang2], Liaoning" -凌蒙初,líng méng chū,"Ling Mengchu (1580-1644), Ming dynasty novelist and dramatist" -凌空,líng kōng,be high up in the sky -凌蒙初,líng méng chū,"Ling Mengchu (1580-1644), Ming dynasty novelist and dramatist" -凌辱,líng rǔ,to insult; to humiliate; to bully -凌迟,líng chí,the lingering death; the death of a thousand cuts (old form of capital punishment) -凌杂,líng zá,in disorder -凌杂米盐,líng zá mǐ yán,disordered and fragmentary -凌云,líng yún,"Lingyun county in Baise 百色[Bai3 se4], Guangxi" -凌云,líng yún,(lit. and fig.) towering; lofty; high -凌云县,líng yún xiàn,"Lingyun county in Baise 百色[Bai3 se4], Guangxi" -凌霄花,líng xiāo huā,Chinese trumpet vine (Campsis grandiflora) -凌驾,líng jià,to be above; to place above -冻,dòng,to freeze; to feel very cold; aspic or jelly -冻干,dòng gān,to freeze-dry; freeze-dried food (such as meat or fruit) -冻伤,dòng shāng,frostbite -冻僵,dòng jiāng,frozen stiff; numb with cold -冻原,dòng yuán,tundra -冻品,dòng pǐn,frozen goods; frozen product -冻土,dòng tǔ,frozen earth; permafrost; tundra -冻土层,dòng tǔ céng,permafrost; tundra; layer of frozen soil -冻害,dòng hài,(agriculture) freezing injury -冻容,dòng róng,"""youth freezing"", Chinese girls beginning anti-ageing treatments as young as two years old in the hope they will never look old" -冻柜,dòng guì,reefer (refrigerated shipping container) -冻死,dòng sǐ,to freeze to death; to die off in winter -冻涨,dòng zhǎng,"to freeze (prices, fees etc) (Tw)" -冻疮,dòng chuāng,frostbite; chilblains -冻硬,dòng yìng,to freeze solid; frozen stiff -冻穿,dòng chuān,frostbite; chilblain -冻结,dòng jié,"to freeze (water etc); (fig.) to freeze (assets, prices etc)" -冻肉,dòng ròu,cold or frozen meat -冻胶,dòng jiāo,gel -冻雨,dòng yǔ,freezing rain -冻龄,dòng líng,to maintain a youthful appearance -凛,lǐn,cold; to shiver with cold; to tremble with fear; afraid; apprehensive; strict; stern; severe; austere; awe-inspiring; imposing; majestic -凛冽,lǐn liè,biting cold -凛遵,lǐn zūn,to strictly abide by -凝,níng,to congeal; to concentrate attention; to stare -凝冰,níng bīng,to freeze -凝固,níng gù,to freeze; to solidify; to congeal; fig. with rapt attention -凝固剂,níng gù jì,solidifying agent; coagulant -凝固汽油弹,níng gù qì yóu dàn,napalm -凝固点,níng gù diǎn,freezing point -凝块,níng kuài,clot; blood clot -凝望,níng wàng,to gaze at; to stare fixedly at -凝汞温度,níng gǒng wēn dù,mercury condensation temperature (physics) -凝液,níng yè,condensate -凝滞,níng zhì,to stagnate; to congeal; (fig.) to stop still; to freeze -凝炼,níng liàn,variant of 凝練|凝练[ning2 lian4] -凝睇,níng dì,to gaze intently; to stare at -凝神,níng shén,with rapt attention -凝结,níng jié,to condense; to solidify; to coagulate; clot (of blood) -凝练,níng liàn,concise; compact; condensed -凝缩,níng suō,to condense; to concentrate; compression; concentration -凝聚,níng jù,to condense; to coagulate; coacervation (i.e. form tiny droplets); aggregation; coherent -凝聚力,níng jù lì,cohesion; cohesiveness; cohesive -凝聚层,níng jù céng,coherent sheaf (math.) -凝聚态,níng jù tài,condensed matter (physics) -凝肩,níng jiān,frozen shoulder (medicine) -凝胶,níng jiāo,gel -凝胶体,níng jiāo tǐ,gel -凝花菜,níng huā cài,"gelidiella, tropical and subtropical red algae" -凝血,níng xuè,blood clot -凝血素,níng xuè sù,hemaglutinin (protein causing blood clotting) -凝血酶,níng xuè méi,thrombin (biochemistry) -凝血酶原,níng xuè méi yuán,prothrombin -凝视,níng shì,to gaze at; to fix one's eyes on -凝重,níng zhòng,dignified; grave (expression); imposing (attitude); heavy (atmosphere); (music etc) deep and resounding -凝集,níng jí,to concentrate; to gather; (biology) to agglutinate -凝集素,níng jí sù,(biochemistry) agglutinin; lectin -几,jī,small table -凡,fán,ordinary; commonplace; mundane; temporal; of the material world (as opposed to supernatural or immortal levels); every; all; whatever; altogether; gist; outline; note of Chinese musical scale -凡事,fán shì,everything -凡人,fán rén,ordinary person; mortal; earthling -凡例,fán lì,notes on the use of a book; guide to the reader -凡俗,fán sú,lay (as opposed to clergy); ordinary; commonplace -凡尘,fán chén,mundane world (in religious context); this mortal coil -凡士林,fán shì lín,vaseline (loanword) -凡士通,fán shì tōng,Firestone (Tire and Rubber Company) -凡夫,fán fū,common person; ordinary guy; mortal man -凡夫俗子,fán fū sú zǐ,common people; ordinary folk -凡庸,fán yōng,ordinary; mediocre -凡得瓦力,fán dé wǎ lì,(molecular physics) van der Waals force -凡心,fán xīn,reluctance to leave this world; heart set on the mundane -凡是,fán shì,each and every; every; all; any -凡尔丁,fán ěr dīng,valitin (plain wool fabric) (loanword) -凡尔赛,fán ěr sài,"Versailles (near Paris); (slang) to humblebrag; ostensibly modest, but in fact boastful" -凡尔赛宫,fán ěr sài gōng,"the Palace of Versailles, France" -凡尔赛文学,fán ěr sài wén xué,(slang) social media post whose purpose is to humblebrag -凡百,fán bǎi,all; everything; the whole -凡立水,fán lì shuǐ,varnish (loanword) -凡赛斯,fán sài sī,Versace (fashion brand) (Tw) -凡近,fán jìn,with little learning -凡间,fán jiān,the secular world -凡响,fán xiǎng,ordinary tones; everyday harmony; common chord -凡高,fán gāo,"Vincent Van Gogh (1853-1890), Dutch post-Impressionist painter" -凡,fán,variant of 凡[fan2] -処,chǔ,old variant of 處|处[chu3] -凰,huáng,phoenix -凯,kǎi,surname Kai -凯,kǎi,(bound form) triumphal music; (Tw) (coll.) generous with money; lavish in spending; chi (Greek letter Χχ) -凯利,kǎi lì,Kelly (person name) -凯夫拉,kǎi fū lā,Kevlar -凯子,kǎi zi,"(slang) rich, good-looking guy" -凯尼恩,kǎi ní ēn,(name) Kenyon; Canyon -凯彻,kǎi chè,"variant of 愷撒|恺撒, Caesar (emperor)" -凯恩斯,kǎi ēn sī,"Keynes (name); John Maynard Keynes (1883-1946), influential British economist; Cairns, city in Queensland, Australia" -凯悦,kǎi yuè,Hyatt (hotel company); Hyatt Regency (hotel brand) -凯撒,kǎi sā,Caesar or Kaiser (name) -凯撒肋雅,kǎi sā lèi yǎ,"Caesarea (town in Israel, between Tel Aviv and Haifa)" -凯撒酱,kǎi sā jiàng,Caesar salad dressing -凯文,kǎi wén,Kevin (person name) -凯旋,kǎi xuán,to return in triumph; to return victorious -凯旋门,kǎi xuán mén,triumphal arch -凯林赛,kǎi lín sài,"keirin cycle race (paced stadium event) (loanword from Japanese 競輪 ""keirin"")" -凯歌,kǎi gē,triumphal hymn; victory song; paean -凯法劳尼亚,kǎi fǎ láo ní yà,"Kefalonia, Greek Island in the Ionian sea" -凯尔特人,kǎi ěr tè rén,Celt -凯特,kǎi tè,Kate (name) -凯瑟琳,kǎi sè lín,Catherine (name); Katherine -凯芙拉,kǎi fú lā,Kevlar -凯蒂,kǎi dì,"(name) Kitty, Cathy, Katy, Caddy etc" -凯蒂猫,kǎi dì māo,Hello Kitty -凯迪拉克,kǎi dí lā kè,Cadillac -凯达格兰,kǎi dá gé lán,"Ketagalan, one of the indigenous peoples of Taiwan, esp. northeast corner" -凯达格兰族,kǎi dá gé lán zú,"Ketagalan, one of the indigenous peoples of Taiwan, esp. northeast corner" -凯里,kǎi lǐ,"Kaili city in Guizhou, capital of Qiandongnan Miao and Dong autonomous prefecture 黔東南苗族侗族自治州|黔东南苗族侗族自治州" -凯里市,kǎi lǐ shì,"Kaili city in Guizhou, capital of Qiandongnan Miao and Dong autonomous prefecture 黔東南苗族侗族自治州|黔东南苗族侗族自治州" -凯门鳄,kǎi mén è,(zoology) caiman -凳,dèng,bench; stool -凳子,dèng zi,stool; small seat -凭,píng,variant of 憑|凭[ping2] -凵,kǎn,receptacle -凶,xiōng,vicious; fierce; ominous; inauspicious; famine; variant of 兇|凶[xiong1] -凶事,xiōng shì,fateful accident; inauspicious matter (involving death or casualties) -凶信,xiōng xìn,fateful news; news of sb's death -凶兆,xiōng zhào,ill omen -凶光,xiōng guāng,ominous glint -凶刀,xiōng dāo,murder weapon (i.e. knife) -凶丧,xiōng sāng,funeral arrangements -凶多吉少,xiōng duō jí shǎo,"lit. everything bodes ill, no positive signs (idiom); fig. inauspicious; everything points to disaster" -凶巴巴,xiōng bā bā,harsh; savage; fierce -凶年,xiōng nián,year of famine -凶恶,xiōng è,"variant of 兇惡|凶恶, fierce; ferocious; fiendish; frightening" -凶暴,xiōng bào,brutal -凶服,xiōng fú,mourning clothes (old) -凶残,xiōng cán,savage -凶焰,xiōng yàn,ferocity; aggressive arrogance -凶狠,xiōng hěn,cruel; vicious; fierce and malicious; vengeful -凶荒,xiōng huāng,(literary) famine -凶党,xiōng dǎng,band of accomplice -凸,tū,to stick out; protruding; convex; male (connector etc); Taiwan pr. [tu2] -凸凸,tū tū,convex on both sides (of lens); biconvex -凸出,tū chū,to protrude; to stick out -凸多胞形,tū duō bāo xíng,convex polytope -凸多边形,tū duō biān xíng,convex polygon -凸多面体,tū duō miàn tǐ,convex polyhedron -凸度,tū dù,convexity -凸性,tū xìng,convexity -凸折线,tū zhé xiàn,convex polygonal line -凸槌,tū chuí,(slang) (Tw) to mess up; to screw up -凸版,tū bǎn,relief printing plate -凸版印刷,tū bǎn yìn shuā,relief printing; typography; printing with metal plates -凸现,tū xiàn,to come to prominence; to appear clearly; to stick out -凸线,tū xiàn,convex curve -凸缘,tū yuán,flange -凸耳,tū ěr,flange; lug -凸起,tū qǐ,convex; protruding; to protrude; to bulge; to buckle upwards -凸轮,tū lún,cam -凸轮轴,tū lún zhóu,camshaft -凸透镜,tū tòu jìng,convex lens -凸边,tū biān,rim; protruding edge -凸镜,tū jìng,convex mirror -凸面,tū miàn,convex surface -凸面镜,tū miàn jìng,convex mirror -凸面体,tū miàn tǐ,convex body -凸显,tū xiǎn,to present clearly; to give prominence to; to magnify; clear and obvious -凹,āo,concave; depressed; sunken; indented; female (connector etc) -凹,wā,variant of 窪|洼[wa1]; (used in names) -凹入,āo rù,recessed; concave -凹凸,āo tū,concave or convex; bumps and holes; uneven (surface); rugged -凹凸不平,āo tū bù píng,uneven (surface); bumpy (road) -凹凸印刷,āo tū yìn shuā,embossing; die stamping -凹凸形,āo tū xíng,crenelated; corrugated -凹凸性,āo tū xìng,(math.) concavity -凹凸有致,āo tū yǒu zhì,curvaceous -凹凸轧花,āo tū yà huā,embossing -凹坑,āo kēng,concave depression; crater -凹岸,āo àn,concave bank -凹度,āo dù,concavity -凹朴皮,āo pò pí,bark of tulip tree (TCM); Cortex Liriodendri -凹板,āo bǎn,variant of 凹版[ao1 ban3] -凹槽,āo cáo,recess; notch; groove; fillister -凹洞,āo dòng,cavity; pit -凹版,āo bǎn,intaglio printing plate (or a print made with it) -凹痕,āo hén,dent; indentation; notch; pitting -凹纹,āo wén,"die (printing, metalwork etc)" -凹线,āo xiàn,groove -凹透镜,āo tòu jìng,concave lens -凹造型,āo zào xíng,(coll.) to strike a pose -凹进,āo jìn,concave; recessed; dented -凹镜,āo jìng,concave mirror -凹陷,āo xiàn,to cave in; hollow; sunken; depressed -凹雕,āo diāo,to engrave; to carve into -凹面镜,āo miàn jìng,concave mirror -出,chū,"to go out; to come out; to arise; to occur; to produce; to yield; to go beyond; to exceed; (used after a verb to indicate an outward direction or a positive result); classifier for dramas, plays, operas etc" -出世,chū shì,to be born; to come into being; to withdraw from worldly affairs -出主意,chū zhǔ yi,to come up with ideas; to make suggestions; to offer advice -出乎,chū hū,"due to; to stem from; to go beyond (also fig. beyond reason, expectations etc); to go against (expectations)" -出乎意外,chū hū yì wài,beyond expectation (idiom); unexpected -出乎意料,chū hū yì liào,beyond expectation (idiom); unexpected -出乎预料,chū hū yù liào,beyond expectation (idiom); unexpected -出乱子,chū luàn zi,to go wrong; to get into trouble -出了事,chū le shì,sth bad happened -出事,chū shì,to have an accident; to meet with a mishap -出亡,chū wáng,to go into exile -出人命,chū rén mìng,fatal; resulting in sb's death -出人意外,chū rén yì wài,turned out other than expected (idiom); unexpected -出人意料,chū rén yì liào,unexpected (idiom); surprising -出人意表,chū rén yì biǎo,to exceed all expectations; to come as a surprise -出人头地,chū rén tóu dì,to stand out among one's peers (idiom); to excel -出仕,chū shì,to take up an official post -出任,chū rèn,to take up a post; to start in a new job -出份子,chū fèn zi,to club together (to offer a gift); to hold a whip-round -出伏,chū fú,to come to the end of the hottest period of the year (known as 三伏[san1 fu2]) -出使,chū shǐ,to go abroad as ambassador; to be sent on a diplomatic mission -出来,chū lái,to come out; to appear; to arise -出来,chu lai,"(after a verb, indicates coming out, completion of an action, or ability to discern or detect)" -出来混迟早要还的,chū lái hùn chí zǎo yào huán de,"if you live a life of crime, sooner or later you'll pay for it" -出借,chū jiè,to lend; to put out a loan -出价,chū jià,to bid -出入,chū rù,to go out and come in; entrance and exit; expenditure and income; discrepancy; inconsistent -出入口,chū rù kǒu,gateway -出入境,chū rù jìng,to leave or enter a country -出入境检验检疫局,chū rù jìng jiǎn yàn jiǎn yì jú,entry-exit inspection and quarantine bureau -出入境管理局,chū rù jìng guǎn lǐ jú,Exit and Entry Administration Bureau (PRC) -出入平安,chū rù píng ān,lit. peace when you come or go; peace wherever you go -出入门,chū rù mén,entrance and exit door -出兵,chū bīng,to send troops -出其不意,chū qí bù yì,to do sth when least expected (idiom); to catch sb off guard -出具,chū jù,"to issue (document, certificate etc); to provide" -出列,chū liè,(military) to leave one's place in the ranks; to fall out; (fig.) to emerge; to become prominent -出力,chū lì,to exert oneself -出动,chū dòng,to start out on a trip; to dispatch troops -出勤,chū qín,"to go to work; to be present (at work, school etc); to be away on business" -出包,chū bāo,to contract out; to run into problems -出千,chū qiān,see 出老千[chu1 lao3 qian1] -出去,chū qù,to go out -出口,chū kǒu,an exit; CL:個|个[ge4]; to speak; to export; (of a ship) to leave port -出口商,chū kǒu shāng,exporter; export business -出口商品,chū kǒu shāng pǐn,export product; export goods -出口成章,chū kǒu chéng zhāng,(idiom) (of one's speech) eloquent; articulate -出口气,chū kǒu qì,to take one's revenge; to score off sb -出口产品,chū kǒu chǎn pǐn,export product -出口调查,chū kǒu diào chá,exit poll -出口货,chū kǒu huò,exports; goods for export -出口额,chū kǒu é,export amount -出名,chū míng,"well-known for sth; to become well known; to make one's mark; to lend one's name (to an event, endeavor etc)" -出品,chū pǐn,to produce an item; output; items that are produced -出品人,chū pǐn rén,producer (film) -出售,chū shòu,to sell; to offer for sale; to put on the market -出问题,chū wèn tí,to have sth go wrong; to have a problem arise; to give problems -出丧,chū sāng,to hold a funeral procession -出喽子,chū lóu zi,variant of 出婁子|出娄子[chu1 lou2 zi5] -出圈,chū juàn,to remove manure from a cowshed or pigsty etc (for use as fertilizer); to muck out -出圈儿,chū quān er,to overstep the bounds; to go too far -出国,chū guó,to go abroad; to leave the country -出土,chū tǔ,to dig up; to appear in an excavation; unearthed; to come up out of the ground -出埃及记,chū āi jí jì,Book of Exodus; Second Book of Moses -出场,chū chǎng,(of a performer) to come onto the stage to perform; (of an athlete) to enter the arena to compete; (fig.) to enter the scene (e.g. a new product); (of an examinee etc) to leave the venue -出场费,chū chǎng fèi,appearance fee -出境,chū jìng,to leave a country or region; outbound (tourism) -出外,chū wài,to go out; to leave for another place -出大差,chū dà chāi,lit. to go on a long trip; fig. to be sent to the execution ground -出奇,chū qí,extraordinary; exceptional; unusual -出奇制胜,chū qí zhì shèng,to win by a surprise move -出奔,chū bēn,to flee; to escape into exile -出娄子,chū lóu zi,to run into difficulties; to cause trouble -出嫁,chū jià,to get married (of woman) -出官,chū guān,to leave the capital for an official post -出家,chū jiā,to enter monastic life; to become a monk or nun -出家人,chū jiā rén,monk; nun (Buddhist or Daoist) -出尖,chū jiān,out of the ordinary; outstanding; egregious -出尖儿,chū jiān er,erhua variant of 出尖[chu1 jian1] -出局,chū jú,(of a batter) to be put out (in baseball); to be dismissed (in cricket); (of a player or team) to be eliminated from a competition; (fig.) to be weeded out; to get the chop (in a competitive environment) -出山,chū shān,to leave the mountain (of a hermit); to come out of obscurity to a government job; to take a leading position -出岔子,chū chà zi,to go wrong; to take a wrong turning -出巡,chū xún,to go on an inspection tour -出差,chū chāi,to go on an official or business trip -出师,chū shī,to finish apprenticeship; to graduate; to send out troops (under a commander) -出师未捷身先死,chū shī wèi jié shēn xiān sǐ,"""he failed to complete his quest before death"" (line from the poem ""The Premier of Shu"" 蜀相[Shu3 xiang4] by Du Fu 杜甫[Du4 Fu3])" -出席,chū xí,to attend; to participate; present -出席者,chū xí zhě,attendee -出席表决比例,chū xí biǎo jué bǐ lì,proportion of those present and voting -出庭,chū tíng,to appear in court -出厂,chū chǎng,to leave the factory (of finished goods) -出厂价,chū chǎng jià,invoice; factory price -出厂设置,chū chǎng shè zhì,(computing) factory settings -出彩,chū cǎi,to perform outstandingly; outstanding; dazzling; brilliant -出征,chū zhēng,to go into battle; to campaign (military) -出恭,chū gōng,to defecate (euphemism); to go to the toilet -出息,chū xī,"to yield interest, profit etc; to exhale (Buddhism)" -出息,chū xi,future prospects; profit; to mature; to grow up -出战,chū zhàn,(military) to go off to war; (sports) to compete -出戏,chū xì,(of an actor) to disengage from the performance (e.g. after the show ends); (of an audience) to lose interest in the performance -出手,chū shǒu,to dispose of; to spend (money); to undertake a task -出招,chū zhāo,to make a move (in martial arts or figuratively) -出拳,chū quán,to throw a punch -出击,chū jī,to sally; to attack -出操,chū cāo,to drill; to exercise; to go outdoors for physical exercise -出新,chū xīn,to make new advances; to move forwards -出于,chū yú,due to; to stem from -出书,chū shū,to publish books -出月,chū yuè,next month; after this month -出月子,chū yuè zi,to complete the month of confinement following childbirth; cf 坐月子[zuo4 yue4 zi5] -出格,chū gé,to overstep the bounds of what is proper; to take sth too far; (of a measuring device) to go off the scale -出榜,chū bǎng,to publish class list of successful exam candidates -出楼子,chū lóu zi,variant of 出婁子|出娄子[chu1 lou2 zi5] -出柜,chū guì,to come out of the closet; to reveal one's sexual orientation -出殡,chū bìn,to accompany a deceased person to his last resting place; to hold a funeral -出毛病,chū máo bìng,a problem appears; to break down -出气,chū qì,to vent one's anger; to breathe out; to exhale -出气口,chū qì kǒu,gas or air outlet; emotional outlet -出气筒,chū qì tǒng,(metaphorical) punching bag; undeserving target of sb's wrath -出水,chū shuǐ,to discharge water; to appear out of the water; to break the surface -出水口,chū shuǐ kǒu,water outlet; drainage outlet -出水芙蓉,chū shuǐ fú róng,as a lotus flower breaking the surface (idiom); surpassingly beautiful (of young lady's face or old gentleman's calligraphy) -出汁,chū zhī,dashi (soup stock used in Japanese cuisine) (orthographic borrowing from Japanese) -出汗,chū hàn,to perspire; to sweat -出没,chū mò,to come and go; to roam about (mostly unseen); (of a ghost) to haunt (a place); (of a criminal) to stalk (the streets); (of the sun) to rise and set -出没无常,chū mò wú cháng,to appear and disappear unpredictably -出洋,chū yáng,to go abroad (old) -出洋相,chū yáng xiàng,to make a fool of oneself -出活,chū huó,to finish a job on time; to produce the goods -出海,chū hǎi,to go out to sea; (neologism) to expand into overseas markets -出淤泥而不染,chū yū ní ér bù rǎn,lit. to grow out of the mud unsullied (idiom); fig. to be principled and incorruptible -出清,chū qīng,to clear out accumulated items; (retailing) to hold a clearance sale -出港,chū gǎng,to leave harbor; departure (at airport) -出港大厅,chū gǎng dà tīng,departure lounge -出溜,chū liu,to slip; to slide -出溜屁,chū liu pì,silent fart -出漏子,chū lòu zi,to take a wrong turn; to go wrong -出演,chū yǎn,to appear (in a show etc); an appearance (on stage etc) -出炉,chū lú,to take out of the furnace; fresh out of the oven; fig. newly announced; recently made available -出尔反尔,chū ěr fǎn ěr,"old: to reap the consequences of one's words (idiom, from Mencius); modern: to go back on one's word; to blow hot and cold; to contradict oneself; inconsistent" -出版,chū bǎn,to publish -出版商,chū bǎn shāng,publisher -出版物,chū bǎn wù,publications -出版社,chū bǎn shè,publishing house -出版者,chū bǎn zhě,publisher -出狱,chū yù,to be released from prison -出猎,chū liè,to go out hunting -出现,chū xiàn,to appear; to arise; to emerge; to show up -出生,chū shēng,to be born -出生入死,chū shēng rù sǐ,from the cradle to the grave (idiom); to go through fire and water; brave; willing to risk life and limb -出生地,chū shēng dì,birthplace -出生地点,chū shēng dì diǎn,place of birth -出生日期,chū shēng rì qī,date of birth -出生率,chū shēng lǜ,birthrate -出生缺陷,chū shēng quē xiàn,birth defect -出生证,chū shēng zhèng,birth certificate; CL:張|张[zhang1] -出生证明,chū shēng zhèng míng,birth certificate; CL:張|张[zhang1] -出生证明书,chū shēng zhèng míng shū,birth certificate; CL:張|张[zhang1] -出产,chū chǎn,"to produce (by natural growth, or by manufacture, mining etc); to yield; to turn out; produce; products" -出界,chū jiè,to cross a border; (sport) to go out of bounds -出发,chū fā,to set off; to start (on a journey) -出发点,chū fā diǎn,starting point; (fig.) basis; motive -出盘,chū pán,to sell up; to wind up a business -出众,chū zhòng,to stand out; outstanding -出示,chū shì,to show; to take out and show to others; to display -出神,chū shén,spellbound; entranced; lost in thought -出神入化,chū shén rù huà,to reach perfection (idiom); a superb artistic achievement -出神音乐,chū shén yīn yuè,trance (music genre) -出租,chū zū,to rent -出租司机,chū zū sī jī,taxi driver -出租汽车,chū zū qì chē,taxi; cab (PRC); hire car (Tw); CL:輛|辆[liang4] -出租车,chū zū chē,taxi; (Tw) rental car -出笼,chū lóng,"(of food) to be taken out of the steamer; (fig.) (often used with 紛紛|纷纷[fen1 fen1]) (of products, information etc) to appear; to emerge; to come out; (fig.) to dump; to inundate the market" -出糗,chū qiǔ,(coll.) to have sth embarrassing happen -出粮,chū liáng,(dialect) to pay salary -出纳,chū nà,cashier; to receive and hand over payment; to lend and borrow books -出纳员,chū nà yuán,cashier; teller; treasurer -出线,chū xiàn,(sports) to go out of bounds; to go over the line; to qualify for the next round of competition; (Tw) (fig.) to make the grade; to achieve success -出继,chū jì,to become adopted as heir -出缺,chū quē,to fall vacant; a job opening at a high level -出罪,chū zuì,(law) to exempt from punishment -出老千,chū lǎo qiān,to cheat (in gambling) -出声,chū shēng,to make a sound; to speak; to cry out -出脱,chū tuō,to manage to sell; to dispose of sth (by selling); to get property off one's hands; to find excuses (to get off a charge); to extricate sb (from trouble); to vindicate; to become prettier (of child) -出自,chū zì,to come from -出自肺腑,chū zì fèi fǔ,from the bottom of one's heart (idiom) -出臭子儿,chū chòu zǐ er,to make a bad move (in a game of chess) -出台,chū tái,"to officially launch (a policy, program etc); to appear on stage; to appear publicly; (of a bar girl) to leave with a client" -出航,chū háng,to set out (on a trip) -出色,chū sè,remarkable; outstanding -出苗,chū miáo,to sprout; to come out (of seedling); to bud -出草,chū cǎo,(of Taiwan aborigines) to go on a headhunting expedition -出菜,chū cài,(at a restaurant) to bring a dish to a customer; to serve food -出菜秀,chū cài xiù,dinner show; dinner and floor show -出落,chū luò,to grow (prettier etc); to mature into; to blossom -出处,chū chù,source (esp. of quotation or literary allusion); origin; where sth comes from -出号,chū hào,"large-sized (of clothes, shoes); (old) to give an order; (old) to quit one's job in a store" -出血,chū xuè,to bleed; bleeding; (fig.) to spend money in large amounts -出血性,chū xuè xìng,hemorrhagic -出血性登革热,chū xuè xìng dēng gé rè,dengue hemorrhagic fever (DHF) -出血热,chū xuè rè,hemorrhagic fever -出行,chū xíng,to go out somewhere (relatively short trip); to set off on a journey (longer trip) -出言,chū yán,to speak; words -出言不逊,chū yán bù xùn,to speak rudely -出访,chū fǎng,to go and visit in an official capacity or for investigation -出诊,chū zhěn,to visit a patient at home (of a doctor); house call -出谋划策,chū móu huà cè,to put forward plans and ideas (also derogatory); to give advice (idiom) -出警,chū jǐng,"to dispatch police to the scene of crime, accident etc" -出让,chū ràng,to transfer (one's property or rights to sb else) -出货,chū huò,to take money or valuables out of storage; to recover; to ship goods; to extract (chemicals from solution) -出资,chū zī,to fund; to put money into sth; to invest -出卖,chū mài,to offer for sale; to sell; to sell out; to betray -出赛,chū sài,to compete; to take part (in a sports event) -出走,chū zǒu,to leave home; to go off; to run away -出超,chū chāo,trade surplus; favorable balance of trade -出路,chū lù,a way out (lit. and fig.); opportunity for advancement; a way forward; outlet (for one's products) -出身,chū shēn,to be born of; to come from; family background; class origin -出车,chū chē,to dispatch a vehicle; (of a vehicle or its driver) to set off -出轨,chū guǐ,to be derailed; to go off the rails; (fig.) to overstep the bounds; (fig.) to have an extramarital affair -出辑,chū jí,to release an album (of a musician) -出迎,chū yíng,to greet; to go out to meet -出逃,chū táo,to run away; to flee (the country) -出游,chū yóu,to go on a tour; to have an outing -出道,chū dào,to start one's career; (of an entertainer) to make one's debut -出丑,chū chǒu,to make a fool of oneself -出锋头,chū fēng tou,to push oneself forward; to seek fame; to be in the limelight -出钱,chū qián,to pay -出错,chū cuò,to make a mistake; error -出错信息,chū cuò xìn xī,error message (computing) -出镜,chū jìng,to appear on camera; to play a role in a film -出钟,chū zhōng,(of a prostitute) to do an outcall; to accompany a customer to their place -出门,chū mén,to go out; to leave home; to go on a journey; away from home; (of a woman) to get married -出阁,chū gé,(of a girl) to marry (literary) -出院,chū yuàn,to leave hospital; to be discharged from hospital -出险,chū xiǎn,to get out of trouble; to escape from danger; a danger appears; threatened by danger -出难题,chū nán tí,to raise a tough question -出露,chū lù,to emerge -出面,chū miàn,to appear personally; to step in; to step forth; to show up -出鞘,chū qiào,(of a sword etc) to unsheath -出头,chū tóu,to get out of a predicament; to stick out; to take the initiative; remaining odd fraction after a division; a little more than -出头的椽子先烂,chū tóu de chuán zi xiān làn,lit. rafters that jut out rot first (idiom); fig. anyone who makes himself conspicuous will be targeted for attack -出头鸟,chū tóu niǎo,to stand out (among a group); distinguished -出题,chū tí,to draw up the theme (for discussion) -出类拔萃,chū lèi bá cuì,to excel the common (idiom); surpassing; preeminent; outstanding -出风口,chū fēng kǒu,air vent; air outlet -出风头,chū fēng tou,to push oneself forward; to seek fame; to be in the limelight; same as 出鋒頭|出锋头[chu1 feng1 tou5] -出饭,chū fàn,(coll.) (of rice) to rise well (with cooking) -出马,chū mǎ,to set out (on a campaign); to stand for election; to throw one's cap in the ring -出惊,chū jīng,see 吃驚|吃惊[chi1 jing1] -出点子,chū diǎn zi,to express an opinion; to offer advice -凼,dàng,pool; pit; ditch; cesspit -凼子,dàng zi,pool; pit; ditch; cesspit -凼肥,dàng féi,manure -函,hán,envelope; case; letter -函人,hán rén,armor maker -函件,hán jiàn,letters; correspondence -函大,hán dà,correspondence university (abbr. for 函授大學|函授大学[han2shou4 da4xue2]) -函子,hán zi,functor (math.) -函式库,hán shì kù,library (partition on computer hard disk) -函授,hán shòu,to teach by correspondence -函授大学,hán shòu dà xué,correspondence university -函授课程,hán shòu kè chéng,correspondence course -函数,hán shù,function (math.) -函洞,hán dòng,variant of 涵洞[han2 dong4] -函谷关,hán gǔ guān,"Hangu Pass in modern day Henan Province, strategic pass forming the eastern gate of the Qin State during the Warring States Period (770-221 BC)" -函购,hán gòu,mail order -函办,hán bàn,see 函送法辦|函送法办[han2 song4 fa3 ban4] -函送,hán sòng,(formal) to inform by letter; to submit in writing -函送法办,hán sòng fǎ bàn,to bring to justice; to hand over to the law -函馆,hán guǎn,"Hakodate, main port of south Hokkaidō 北海道[Bei3 hai3 dao4], Japan" -刀,dāo,surname Dao -刀,dāo,knife; blade; single-edged sword; cutlass; CL:把[ba3]; (slang) dollar (loanword); classifier for sets of one hundred sheets (of paper); classifier for knife cuts or stabs -刀俎,dāo zǔ,sacrificial knife and altar -刀光剑影,dāo guāng jiàn yǐng,lit. flash of knives and swords (idiom); fig. intense conflict -刀光血影,dāo guāng xuè yǐng,massacre -刀具,dāo jù,cutting tool -刀刃,dāo rèn,knife blade; crucial point -刀刺,dāo cì,to stab; to attack with knife -刀刺性痛,dāo cì xìng tòng,lancing pain -刀削面,dāo xiāo miàn,"knife-shaved noodles (pared or shaved into strips), a Shanxi specialty" -刀剑,dāo jiàn,sword -刀叉,dāo chā,knife and fork; CL:副[fu4] -刀口,dāo kǒu,the edge of a knife; cut; incision -刀塔,dāo tǎ,"Defense of the Ancients (DotA), video game" -刀子,dāo zi,knife; CL:把[ba3] -刀客,dāo kè,swordsman; swordswoman -刀山火海,dāo shān huǒ hǎi,lit. mountains of daggers and seas of flames; fig. extreme danger (idiom) -刀工,dāo gōng,knife work (food preparation) -刀库,dāo kù,tool magazine (computer-aided manufacturing) -刀斧手,dāo fǔ shǒu,lictor -刀枪,dāo qiāng,sword and spear; weapons -刀枪不入,dāo qiāng bù rù,lit. impervious to sword or spear (idiom); fig. invulnerable; untouchable; thick-skinned; impervious to criticism -刀片,dāo piàn,blade; razor blade; tool bit -刀片刺网,dāo piàn cì wǎng,razor wire -刀片铁丝网,dāo piàn tiě sī wǎng,razor wire -刀疤,dāo bā,scar from a knife wound -刀笔,dāo bǐ,writing up of official or judicial documents; pettifoggery -刀耕火种,dāo gēng huǒ zhòng,slash and burn (agriculture) -刀背,dāo bèi,back of the knife -刀叶,dāo yè,blade -刀螂,dāo lang,(dialect) mantis -刀身,dāo shēn,blade (of a knife or sword) -刀郎,dāo láng,"Dolan, a people of the Tarim Basin, Xinjiang, also known as 多郎" -刀锋,dāo fēng,"cutting edge or point of a knife, sword or tool" -刀锯斧钺,dāo jù fǔ yuè,"knife, saw, ax and hatchet (idiom); facing torture and execution" -刀锯鼎镬,dāo jù dǐng huò,"knife, saw and cauldron; ancient instruments of torture; fig. torture" -刀鞘,dāo qiào,scabbard -刀类,dāo lèi,knives; cutlery -刀马旦,dāo mǎ dàn,female warrior role in Chinese opera -刀鱼,dāo yú,tapertail anchovy (Coilia ectenes); various species of cutlassfish; saury -刁,diāo,surname Diao -刁,diāo,artful; wicked -刁妇,diāo fù,shrew; virago -刁悍,diāo hàn,cunning and fierce -刁斗,diāo dǒu,"soldier's copper saucepan, used for cooking food by day and for sounding the night watches during the hours of darkness (in ancient times)" -刁民,diāo mín,(derogatory) unruly people -刁滑,diāo huá,artful; crafty -刁藩都,diāo fān dōu,"Diophantus of Alexandria (3rd century AD), Greek mathematician" -刁藩都方程,diāo fān dōu fāng chéng,Diophantine equation -刁蛮,diāo mán,crafty and unruly -刁钻,diāo zuān,crafty; tricky -刁难,diāo nàn,to be hard on sb; to deliberately make things difficult; Taiwan pr. [diao1 nan2] -刂,dāo,"Kangxi radical 18 (刀[dao1]) as a vertical side element, referred to as 立刀旁[li4 dao1 pang2] or 側刀旁|侧刀旁[ce4 dao1 pang2]" -刃,rèn,edge of blade -刃具,rèn jù,cutting tool -分,fēn,to divide; to separate; to distribute; to allocate; to distinguish (good and bad); (bound form) branch of (an organization); sub- (as in 分局[fen1 ju2]); fraction; one tenth (of certain units); unit of length equivalent to 0.33 cm; minute (unit of time); minute (angular measurement unit); a point (in sports or games); 0.01 yuan (unit of money) -分,fèn,part; share; ingredient; component -分一杯羹,fēn yī bēi gēng,(fig.) to have a slice of the pie; to get a piece of the action -分之,fēn zhī,(indicating a fraction) -分享,fēn xiǎng,to share (let others have some of sth good) -分付,fēn fù,variant of 吩咐[fen1 fu4] -分布,fēn bù,"to scatter; to distribute; to be distributed (over an area etc); (statistical, geographic) distribution" -分布图,fēn bù tú,scatter diagram; distribution chart; histogram -分布式,fēn bù shì,distributed -分布式拒绝服务,fēn bù shì jù jué fú wù,distributed denial of service (DDOS) form of Internet attack -分布式环境,fēn bù shì huán jìng,distributed environment (computing) -分布式结构,fēn bù shì jié gòu,distributed architecture -分布式网络,fēn bù shì wǎng luò,distributed network -分布控制,fēn bù kòng zhì,distributed control -分位数,fēn wèi shù,quantile (statistics) -分光,fēn guāng,(prefix) spectro- -分光光度法,fēn guāng guāng dù fǎ,spectrophotometry -分光计,fēn guāng jì,spectrometer -分克,fēn kè,decigram -分内,fèn nèi,within one's area of responsibility -分公司,fēn gōng sī,subsidiary company; branch office -分册,fēn cè,fascicle; volume (of a book) -分分钟,fēn fēn zhōng,any minute now; in next to no time; at every minute; constantly -分列,fēn liè,to divide into rows; to identify subcategories; to break down into constituent parts; breakdown; disaggregation -分列式,fēn liè shì,(military) march-past -分别,fēn bié,to part; to leave each other; to distinguish; to tell apart; difference; distinction; in different ways; differently; separately; individually -分则,fēn zé,specific provisions (based on general regulations) -分割,fēn gē,to cut up; to break up -分割区,fēn gē qū,partition (computing) -分力,fēn lì,component force (physics) -分包,fēn bāo,to subcontract -分化,fēn huà,to split apart; differentiation -分区,fēn qū,"allocated area (for housing, industry etc); district" -分升,fēn shēng,deciliter -分叉,fēn chà,fork; bifurcation; to divide -分句,fēn jù,clause (grammar) -分地,fēn dì,to distribute land -分外,fèn wài,exceptionally; not one's responsibility or job -分娩,fēn miǎn,labor; parturition; delivery -分子,fēn zǐ,molecule; (math) numerator of a fraction -分子,fèn zǐ,members of a class or group; political elements (such as intellectuals or extremists); part -分子,fèn zi,Taiwan variant of 份子[fen4 zi5] -分子化合物,fēn zǐ huà hé wù,molecular biology -分子式,fēn zǐ shì,molecular formula -分子料理,fēn zǐ liào lǐ,molecular gastronomy -分子生物学,fēn zǐ shēng wù xué,molecular biology -分子筛,fēn zǐ shāi,molecular sieve -分子遗传学,fēn zǐ yí chuán xué,molecular genetics -分子医学,fēn zǐ yī xué,molecular medicine -分子量,fēn zǐ liàng,molecular mass -分子杂交,fēn zǐ zá jiāo,molecular hybridization -分宜,fēn yí,"Fenyi county in Xinyu 新餘|新余[Xin1 yu2], Jiangxi" -分宜县,fēn yí xiàn,"Fenyi county in Xinyu 新餘|新余[Xin1 yu2], Jiangxi" -分家,fēn jiā,to separate and live apart; division of a large family into smaller groups -分寸,fēn cun,propriety; appropriate behavior; proper speech or action; within the norms -分封,fēn fēng,to divide and confer (property on one's descendants) -分封制,fēn fēng zhì,the feudal system; system of enfeoffment -分局,fēn jú,branch office; sub-bureau -分居,fēn jū,"to separate (married couple); to live apart (of husband and wife, family members)" -分尸,fēn shī,to dismember a corpse -分层,fēn céng,lamination; layering; stratification; delamination -分属,fēn shǔ,classification -分岔,fēn chà,bifurcation -分崩离析,fēn bēng lí xī,to collapse and fall apart (idiom); to break up; falling to pieces -分巡兵备道,fēn xún bīng bèi dào,(Qing dynasty) provincial surveillance and defense commission -分工,fēn gōng,to divide up the work; division of labor -分布图,fēn bù tú,scatter diagram; distribution chart; histogram -分店,fēn diàn,branch (of a chain store); annex -分度,fēn dù,graduation (of a measuring instrument) -分庭抗礼,fēn tíng kàng lǐ,peer competition; to function as rivals; to make claims as an equal -分形,fēn xíng,fractal -分形几何,fēn xíng jǐ hé,fractal geometry -分形几何学,fēn xíng jǐ hé xué,fractal geometry -分心,fēn xīn,to divert one's attention; to get distracted; (courteous) to be so good as to take care of (a matter) -分忧,fēn yōu,to share tribulations; to help sb with worries and difficulties -分成,fēn chéng,to divide (into); to split a bonus; to break into; tenths; percentage allotment -分房,fēn fáng,to sleep in separate rooms; distribution of social housing -分所,fēn suǒ,branch (of a company etc) -分手,fēn shǒu,to part company; to split up; to break up -分手代理,fēn shǒu dài lǐ,"""break-up agent"", person who acts for sb who wishes to terminate a relationship but does not have the heart to do so" -分手炮,fēn shǒu pào,(slang) breakup sex -分批,fēn pī,to do sth in batches or groups -分拆,fèn chāi,to separate off; to hive off; a demerger -分掉,fēn diào,to share; to divide up -分拣,fēn jiǎn,to sort (mail) -分担,fēn dān,"to share (a burden, a cost, a responsibility)" -分摊,fēn tān,"to share (costs, responsibilities); to apportion" -分支,fēn zhī,"branch (of company, river etc); to branch; to diverge; to ramify; to subdivide" -分散,fēn sàn,to scatter; to disperse; to distribute -分散和弦,fēn sàn hé xián,(music) arpeggio -分散式,fēn sàn shì,distributed -分数,fēn shù,(exam) grade; mark; score; fraction -分数挂帅,fēn shù guà shuài,preoccupied with school grades; overemphasis on test scores -分数线,fēn shù xiàn,horizontal line (in a fraction); minimum passing score -分文,fēn wén,a single penny; a single cent -分文不取,fēn wén bù qǔ,to give for free -分明,fēn míng,clear; distinct; evidently; clearly -分星掰两,fēn xīng bāi liǎng,punctilious; clear and detailed -分时,fēn shí,time-sharing -分时多工,fēn shí duō gōng,time division multiplexing; TDM -分晓,fēn xiǎo,the result (becomes apparent); now one understands -分会,fēn huì,branch -分会场,fēn huì chǎng,sub-venues -分期,fēn qī,by stages; staggered; step by step; in installments -分期付款,fēn qī fù kuǎn,to pay in installments; payment in installments -分析,fēn xī,to analyze; analysis; CL:個|个[ge4] -分析人士,fēn xī rén shì,analyst; expert -分析化学,fēn xī huà xué,analytical chemistry -分析员,fēn xī yuán,analyst (e.g. of news) -分析器,fēn xī qì,analyzer -分析学,fēn xī xué,mathematical analysis; calculus -分析家,fēn xī jiā,(political) analyst -分析师,fēn xī shī,analyst; commentator -分析心理学,fēn xī xīn lǐ xué,analytical psychology; Jungian psychology -分析法,fēn xī fǎ,the analytic method; analytic reasoning -分析研究,fēn xī yán jiū,analysis; research -分析处理,fēn xī chǔ lǐ,to parse; analysis processing; to analyze and treat -分析语,fēn xī yǔ,analytic language -分枝,fēn zhī,branch -分校,fēn xiào,branch of a school -分桃,fēn táo,homosexual -分机,fēn jī,(telephone) extension; CL:臺|台[tai2] -分蘖,fēn niè,tiller (stem at the base of grass plants) -分权,fēn quán,separation of powers -分权制衡,fēn quán zhì héng,separation of powers for checks and balances -分步骤,fēn bù zhòu,step by step; one step at a time -分歧,fēn qí,"divergent; difference (of opinion, position); disagreement; (math.) bifurcation" -分歧点,fēn qí diǎn,point of disagreement -分段,fēn duàn,to divide (sth) into sections; to segment -分母,fēn mǔ,denominator of a fraction -分毫,fēn háo,fraction; slightest difference; hairsbreadth -分毫之差,fēn háo zhī chā,hairsbreadth difference -分水岭,fēn shuǐ lǐng,dividing range; drainage divide; (fig.) dividing line; watershed -分水线,fēn shuǐ xiàn,watershed -分治,fēn zhì,separate government; partition -分泌,fēn mì,to secrete; secretion -分泌物,fēn mì wù,secretion -分泌颗粒,fēn mì kē lì,secretory granule -分波多工,fēn bō duō gōng,wavelength division multiplexing; WDM -分洪,fēn hóng,to separate flood; flood defense -分派,fēn pài,to assign (a task to different people); to allocate -分流,fēn liú,"to diverge; to divert; to divide into separate streams (river flow, traffic etc); to stream (students into different programs); to reassign (redundant staff)" -分流电路,fēn liú diàn lù,shunt circuit; current divider (electronics) -分清,fēn qīng,to distinguish (between different things); to make distinctions clear -分为,fēn wéi,to divide sth into (parts); to subdivide -分争,fēn zhēng,to dispute; to struggle for mastery -分班,fēn bān,"to divide people into groups, teams, squads etc" -分瓦,fēn wǎ,deciwatt -分生组织,fēn shēng zǔ zhī,meristem -分产主义,fēn chǎn zhǔ yì,(economics) distributism -分界线,fēn jiè xiàn,dividing line -分异,fēn yì,distinction; differentiation -分当,fèn dāng,as should be; as expected -分发,fēn fā,to distribute; distribution; to assign (sb) to a job -分相,fēn xiàng,split phase (elec.) -分社,fēn shè,subdivision or branch of an organization; news bureau -分神,fēn shén,to give some attention to; to divert one's attention; to be distracted -分秒必争,fēn miǎo bì zhēng,seize every minute and second (idiom); not a minute to lose; every moment counts -分租,fēn zū,(of a landlord) to rent out one or more parts of a property; (of a tenant) to sublet one or more parts of a property; (agriculture) sharecropping -分灶吃饭,fēn zào chī fàn,"""meals prepared at separate stoves"", slogan of the program of fiscal decentralization that began in the 1980s in the PRC" -分立,fēn lì,to establish as separate entities; to divide (a company etc) into independent entities; discrete; separate; separation (of powers etc) -分站,fēn zhàn,substation -分管,fēn guǎn,to be put in charge of; to be responsible for; branched passage -分节,fēn jié,segmented -分米,fēn mǐ,decimeter -分系统,fēn xì tǒng,subsystem -分红,fēn hóng,dividend; to award a bonus -分级,fēn jí,to rank; to grade; to classify; rank; grade; classification -分组,fēn zǔ,to divide into groups; group (formed from a larger group); subgroup; (computer networking) packet -分组交换,fēn zǔ jiāo huàn,packet switching -分给,fēn gěi,to divide (and give to others) -分缝,fēn fèng,part (in one's hair) -分而治之,fēn ér zhì zhī,to divide and rule -分至点,fēn zhì diǎn,common word for equinox and solstice; point of difference; point of divergence -分色,fēn sè,color separation -分色镜头,fēn sè jìng tóu,process lens (working by color separation) -分号,fēn hào,semicolon (punct.) -分行,fēn háng,branch of bank or store; subsidiary bank -分袂,fēn mèi,to leave each other; to part company -分裂,fēn liè,to split up; to divide; to break up; fission; schism -分裂主义,fēn liè zhǔ yì,separatism -分裂情感性障碍,fēn liè qíng gǎn xìng zhàng ài,schizoaffective disorder -分裂组织,fēn liè zǔ zhī,separatist group; (botany) meristem -分装,fēn zhuāng,to divide into portions; to package in smaller quantities; to separate into loads -分装机,fēn zhuāng jī,racking machine; filling machine -分角器,fēn jiǎo qì,a protractor (device to divide angles) -分角线,fēn jiǎo xiàn,(Tw) angle bisector -分解,fēn jiě,to resolve; to decompose; to break down -分解代谢,fēn jiě dài xiè,catabolism (biology); metabolic breaking down and waste disposal; dissimilation -分解作用,fēn jiě zuò yòng,decomposition -分设,fēn shè,to set up separately; to establish separate units -分诉,fēn sù,to narrate; to explain; to justify oneself -分词,fēn cí,participle; word segmentation -分说,fēn shuō,to explain (the difference) -分贝,fēn bèi,decibel -分账,fēn zhàng,to share profits (or debt) -分赃,fēn zāng,to share the booty; to divide ill-gotten gains -分身,fēn shēn,"(of one who has supernatural powers) to replicate oneself so as to appear in two or more places at the same time; a derivative version of sb (or sth) (e.g. avatar, proxy, clone, sockpuppet); to spare some time for a separate task; to cut a corpse into pieces; to pull a body apart by the four limbs; parturition" -分身乏术,fēn shēn fá shù,to be up to one's ears in work (idiom); to be unable to attend to other things at the same time -分辨,fēn biàn,to distinguish; to differentiate; to resolve -分辨率,fēn biàn lǜ,"resolution (of images, monitors, scanners etc)" -分辩,fēn biàn,to explain the facts; to defend against an accusation -分述,fēn shù,to elaborate; detailed explanation -分送,fēn sòng,to send; to distribute -分道扬镳,fēn dào yáng biāo,lit. to take different roads and urge the horses on (idiom); fig. to part ways -分部,fēn bù,branch; subsection; to subdivide -分配,fēn pèi,to distribute; to assign; to allocate; to partition (a hard drive) -分配器,fēn pèi qì,dispenser (for consumables such as liquid soap); splitter (for cable TV signal etc) -分配律,fēn pèi lǜ,(math.) distributive law -分野,fēn yě,"dividing line between distinct realms; boundary; field-allocation (in Chinese astrology, the association between celestial regions and corresponding terrestrial realms)" -分量,fēn liàng,(vector) component -分量,fèn liàng,(food) portion size -分量,fèn liang,"quantity; weight; measure; (fig.) weight (importance, prestige, authority etc); (of written material) density" -分针,fēn zhēn,minute hand (of a clock) -分销,fēn xiāo,distribution; retail store -分销商,fēn xiāo shāng,distributor -分销店,fēn xiāo diàn,retail store -分销网络,fēn xiāo wǎng luò,distribution network -分录,fēn lù,entry (accounting) -分钱,fēn qián,cent; penny -分锅,fēn guō,(dialect) to set up separate households; (sports etc) to analyze the reasons for a defeat -分镜,fēn jìng,storyboard -分镜表,fēn jìng biǎo,storyboard -分镜头,fēn jìng tóu,storyboard -分钟,fēn zhōng,minute -分门别类,fēn mén bié lèi,(idiom) to organize by categories; to classify -分开,fēn kāi,to separate; to part -分队,fēn duì,military platoon or squad -分隔,fēn gé,to divide; to separate; partition -分离,fēn lí,to separate -分离主义,fēn lí zhǔ yì,separatism -分离分子,fēn lí fèn zǐ,separatist -分音符,fēn yīn fú,dieresis; umlaut; diacritical mark separating two adjacent syllables -分页,fēn yè,(computing) to insert a page break; to paginate; pagination; memory paging; tab (GUI element) -分页符,fēn yè fú,page break -分项,fēn xiàng,sub-item (of program) -分头,fēn tóu,separately; severally; parted hair -分头路,fēn tóu lù,part (in one's hair) -分频,fēn pín,frequency sharing; subdivision of radio waveband -分类,fēn lèi,to classify -分类学,fēn lèi xué,taxonomy; taxology; systematics -分类帐,fēn lèi zhàng,a ledger; a spreadsheet -分类理论,fēn lèi lǐ lùn,classification theory -分餐,fēn cān,to eat individual meals (rather than taking one's food from plates served to everyone at the table) -分馏,fēn liú,fractional distillation -分点,fēn diǎn,point of division -切,qiē,to cut; to slice; to carve; (math) tangential -切,qiè,"definitely; absolutely (not); (scoffing or dismissive interjection) Yeah, right.; Tut!; to grind; (bound form) close to; (bound form) eager; to correspond to; (used to indicate that the fanqie 反切[fan3 qie4] system should be applied to the previous two characters)" -切中,qiè zhòng,to hit the target (esp. in argument); to strike home -切中时弊,qiè zhòng shí bì,to hit home on the evils of the day (idiom); fig. to hit a current political target; to hit the nub of the matter -切中时病,qiè zhòng shí bìng,to hit the target where it hurts (idiom); fig. to hit home; to hit the nail on the head (in an argument) -切中要害,qiè zhòng yào hài,to hit the target and do real damage (idiom); fig. to hit where it hurts; fig. to hit home; an argument that hits the nail on the head -切入,qiē rù,"to cut into; to penetrate deeply into (a topic, area etc); (sports) (soccer etc) to penetrate (the defenses of the opposing team); (cinema) to cut (to the next scene)" -切刀,qiē dāo,cutter; knife -切分音,qiē fēn yīn,syncopation -切切,qiè qiè,urgently; eagerly; worried; (urge sb to) be sure to; it is absolutely essential to (follow the above instruction) -切切私语,qiè qiè sī yǔ,a private whisper -切削,qiē xiāo,to cut; cutting; machining -切割,qiē gē,to cut -切勿,qiè wù,by no means -切口,qiē kǒu,incision; notch; slit; gash; margin of a page; trimmed edge (of a page in a book) -切口,qiè kǒu,slang; argot; private language used as secret code -切合,qiè hé,to fit in with; to suit; appropriate -切合实际,qiè hé shí jì,practical; corresponding to reality; geared to practical situations -切向,qiē xiàng,tangent direction -切向力,qiē xiàng lì,tangential force -切向速度,qiē xiàng sù dù,tangential velocity -切向量,qiē xiàng liàng,tangent vector -切嘱,qiè zhǔ,urgent advice; to exhort -切块,qiē kuài,to cut into pieces -切实,qiè shí,feasible; realistic; practical; earnestly; conscientiously -切实可行,qiè shí kě xíng,feasible -切尼,qiē ní,"Cheney (name); Richard B. ""Dick"" Cheney (1941-), US Republican politician, vice-president 2001-2008" -切平面,qiē píng miàn,tangent plane (to a surface) -切忌,qiè jì,to avoid as taboo; to avoid by all means -切成,qiē chéng,to cut up (into pieces); to slice; to carve; to dice; to shred -切换,qiē huàn,to switch over; to switch modes or data streams; to cut (to a new scene) -切断,qiē duàn,to cut off; to sever -切望,qiè wàng,to eagerly anticipate -切末,qiè mo,stage props -切杆,qiē gān,chip (golf shot) -切格瓦拉,qiè gé wǎ lā,"Ernesto Che Guevara (1928-1967), Cuban Revolution leader" -切激,qiè jī,impassioned; fiercely -切尔西,qiè ěr xī,Chelsea -切尔诺贝利,qiē ěr nuò bèi lì,Chernobyl -切片,qiē piàn,to slice; slice; thin section of a specimen (for microscopic examination) -切片检查,qiē piàn jiǎn chá,slide examination; microscopic examination of thin section of specimen as part of biopsy -切牙,qiē yá,incisor tooth -切特豪斯学校,qiē tè háo sī xué xiào,Charterhouse public school (UK) -切痛,qiē tòng,sharp pain -切盼,qiè pàn,to look forward eagerly to sth; keenly desired -切碎,qiē suì,to chop -切磋,qiē cuō,to compare notes; to learn from one another -切磋琢磨,qiē cuō zhuó mó,lit. cutting and polishing (idiom); fig. to learn by exchanging ideas or experiences -切空间,qiē kōng jiān,space of sections (math.) -切糕,qiē gāo,traditional Xinjiang sweet walnut cake -切结书,qiè jié shū,affidavit; written pledge -切线,qiē xiàn,tangent line (geometry) -切肉刀,qiē ròu dāo,meat cleaver -切脉,qiè mài,to feel sb's pulse -切腹,qiē fù,"harakiri (formal Japanese: seppuku), a samurai's suicide by disemboweling" -切肤之痛,qiè fū zhī tòng,keenly felt pain; bitter anguish -切莫,qiè mò,you must not; Please don't...; be sure not to; on no account (do it) -切要,qiè yào,essential; extremely important -切触,qiè chù,osculation (higher order tangency) -切记,qiè jì,remember at all costs -切诊,qiè zhěn,"(TCM) pulse feeling and palpitation, one of the four methods of diagnosis 四診|四诊[si4 zhen3]" -切变,qiē biàn,shear (physics) -切责,qiè zé,to blame; to reprimand -切身,qiè shēn,direct; concerning oneself; personal -切近,qiè jìn,close; near; similar to -切迫,qiè pò,urgent -切达,qiè dá,Cheddar (cheese) -切除,qiē chú,to excise; to cut out (a tumor) -切面,qiē miàn,section; cross-cut; tangent plane (math.) -切音,qiè yīn,to indicate the phonetic value of a word using other words -切韵,qiè yùn,"Qieyun, the first Chinese rime dictionary from 601 AD, containing 11,500 single-character entries" -切韵,qiè yùn,see 反切[fan3 qie4] -切题,qiè tí,to keep to the subject -切骨之仇,qiè gǔ zhī chóu,bitter hatred; hatred that cuts to the bone -切点,qiē diǎn,contact (math.) -切齿,qiè chǐ,to gnash one's teeth (in anger) -切齿腐心,qiè chǐ fǔ xīn,to detest sth or sb to the utmost extreme (idiom) -刈,yì,mow -刈包,guà bāo,"popular Taiwan snack, similar to a hamburger, steamed bun stuffed with pork, pickled vegetables, peanut powder and cilantro" -刈羽,yì yǔ,"Kariba or Kariwa, Japanese name; Kariwa, site of Japanese nuclear power plant near Niigata 新潟" -刊,kān,to print; to publish; publication; periodical; to peel with a knife; to carve; to amend -刊印,kān yìn,to set in print; to diffuse; to publish -刊物,kān wù,publication -刊登,kān dēng,to carry a story; to publish (in a newspaper or magazine) -刊号,kān hào,issue number (of a magazine etc) -刊行,kān xíng,to print and circulate -刊误,kān wù,to correct printing errors -刊误表,kān wù biǎo,variant of 勘誤表|勘误表[kan1 wu4 biao3] -刊载,kān zǎi,to publish -刊头,kān tóu,newspaper or magazine masthead -刊首语,kān shǒu yǔ,foreword; preface -刎,wěn,cut across (throat) -刑,xíng,surname Xing -刑,xíng,punishment; penalty; sentence; torture; corporal punishment -刑事,xíng shì,criminal; penal -刑事审判庭,xíng shì shěn pàn tíng,criminal court -刑事局,xíng shì jú,Criminal Investigation Bureau (CIB) -刑事拘留,xíng shì jū liú,to detain as criminal; criminal detention -刑事法庭,xíng shì fǎ tíng,criminal court -刑事法院,xíng shì fǎ yuàn,criminal court; judiciary court -刑事犯,xíng shì fàn,a criminal -刑事犯罪,xíng shì fàn zuì,criminal offense -刑事诉讼法,xíng shì sù sòng fǎ,criminal procedure -刑事警察,xíng shì jǐng chá,criminal police; member of the criminal police -刑事警察局,xíng shì jǐng chá jú,Criminal Investigation Bureau -刑人,xíng rén,criminal to be executed; to execute a criminal -刑侦,xíng zhēn,criminal investigation -刑具,xíng jù,punishment equipment; torture instrument -刑名,xíng míng,"xing-ming, a school of thought of the Warring States period associated with Shen Buhai 申不害[Shen1 Bu4hai4]; the designation for a punishment" -刑名之学,xíng míng zhī xué,"xing-ming, a school of thought of the Warring States period associated with Shen Buhai 申不害[Shen1 Bu4 hai4]" -刑堂,xíng táng,torture chamber -刑场,xíng chǎng,execution ground -刑天,xíng tiān,"Xingtian, headless giant hero of Chinese mythology decapitated by the Yellow Emperor 黃帝|黄帝[Huang2 di4]" -刑庭,xíng tíng,criminal court (abbr. for 刑事法庭[xing2shi4 fa3ting2]) -刑律,xíng lǜ,criminal law -刑戮,xíng lù,(literary) corporal punishment or execution -刑房,xíng fáng,office of punishment; torture chamber (esp. unofficial) -刑拘,xíng jū,to detain as criminal; criminal detention; abbr. for 刑事拘留[xing2 shi4 ju1 liu2] -刑期,xíng qī,prison term -刑杖,xíng zhàng,rod used for flogging offenders -刑案,xíng àn,criminal case -刑求,xíng qiú,to extort confession by torture -刑法,xíng fǎ,criminal law -刑满,xíng mǎn,to complete a prison sentence -刑网,xíng wǎng,legal net; the long arm of the law -刑罚,xíng fá,sentence; penalty; punishment -刑舂,xíng chōng,to be forced to grind grain as a punishment (old) -刑讯,xíng xùn,interrogation under torture; inquisition -刑诉法,xíng sù fǎ,criminal procedure; abbr. for 刑事訴訟法|刑事诉讼法 -刑警,xíng jǐng,criminal police (abbr. for 刑事警察[xing2 shi4 jing3 cha2]) -刑辱,xíng rǔ,to humiliate by torture -刑部,xíng bù,Ministry of Justice (in imperial China) -划,huá,to row; to paddle; profitable; worth (the effort); it pays (to do sth) -划不来,huá bu lái,not worth it -划子,huá zi,rowboat; small boat; oar; paddle; thin rod used to control a curtain etc -划得来,huá de lái,worth it; it pays to -划拉,huá la,to sweep; to brush away -划拳,huá quán,finger-guessing game -划桨,huá jiǎng,to paddle -划算,huá suàn,to calculate; to weigh (pros and cons); to view as profitable; worthwhile; value for money; cost-effective -划船,huá chuán,to row a boat; rowing; boating; small boat -划船机,huá chuán jī,rowing machine -划艇,huá tǐng,rowing boat; racing row-boat -刖,yuè,to amputate one or both feet (punishment in imperial China) (one of the five mutilating punishments 五刑[wu3 xing2]) -列,liè,to arrange; to line up; file; series; (in data tables) column; (Tw) row -列位,liè wèi,ladies and gentlemen; all of you present -列侯,liè hóu,duke (old); nobleman; gentry -列传,liè zhuàn,historical biography -列克,liè kè,lek (Albanian unit of currency) -列克星顿,liè kè xīng dùn,"Lexington, Massachusetts" -列入,liè rù,to include on a list -列兵,liè bīng,private (army) -列出,liè chū,to list; to make a list -列别杰夫,liè biè jié fū,Lebedev or Lebedyev (Russian name) -列印,liè yìn,to print out (Tw) -列国,liè guó,various countries -列子,liè zǐ,"Lie Zi, Daoist author, said to be early Warring States period 戰國|战国[Zhan4 guo2]; Daoist text in eight chapters, said to be by Lie Zi, probably compiled during WeiJin times 魏晉|魏晋[Wei4 Jin4] (3rd century AD)" -列宁,liè níng,"Vladimir Ilyich Lenin (1870-1924), Russian revolutionary leader" -列宁主义,liè níng zhǔ yì,Leninism -列宁格勒,liè níng gé lè,"Leningrad, former name (1923-1991) of Russian city Saint Petersburg 聖彼得堡|圣彼得堡[Sheng4bi3de2bao3]" -列岛,liè dǎo,archipelago; chain of islands -列席,liè xí,to attend a meeting as a nonvoting delegate -列弗,liè fú,lev (Bulgarian unit of currency) -列强,liè qiáng,the Great Powers (history) -列支敦士登,liè zhī dūn shì dēng,Liechtenstein -列支敦斯登,liè zhī dūn sī dēng,Liechtenstein (Tw) -列明,liè míng,to list; to specify -列星,liè xīng,star alignment (in astrology) -列氏温标,liè shì wēn biāo,Réaumur temperature scale -列治文,liè zhì wén,Richmond (place name or surname) -列为,liè wéi,to be classified as -列王纪上,liè wáng jì shàng,First book of Kings -列王纪下,liè wáng jì xià,Second book of Kings -列王记上,liè wáng jì shàng,First book of Kings -列王记下,liè wáng jì xià,Second book of Kings -列缺,liè quē,lightning (archaic word) -列缺霹雳,liè quē pī lì,lightning and thunder -列举,liè jǔ,a list; to list; to enumerate -列表,liè biǎo,list -列车,liè chē,(railway) train -列车员,liè chē yuán,train attendant -列车长,liè chē zhǎng,conductor; train manager -列队,liè duì,in formation (military) -初,chū,at first; (at the) beginning; first; junior; basic -初一,chū yī,first day of lunar month; New Year's Day; first year in junior middle school -初三,chū sān,third year in junior middle school -初中,chū zhōng,junior high school (abbr. for 初級中學|初级中学[chu1 ji2 zhong1 xue2]) -初中生,chū zhōng shēng,junior high student -初二,chū èr,2nd year in junior middle school; 2nd day of a lunar month; 2nd day of lunar New Year -初伏,chū fú,"the first of the three annual periods of hot weather (三伏[san1 fu2]), which typically begins in mid-July and lasts 10 days" -初估,chū gū,to make a preliminary estimate -初来乍到,chū lái zhà dào,to be a newcomer; just off the boat -初冬,chū dōng,early winter -初出茅庐,chū chū máo lú,venturing from one's thatched hut for the first time (idiom); young and inexperienced; novice; greenhorn -初刻拍案惊奇,chū kè pāi àn jīng qí,"Slapping the Table in Amazement (Part I), first of two books of vernacular stories by Ming dynasty novelist Ling Mengchu 凌濛初|凌蒙初[Ling2 Meng2 chu1]" -初创,chū chuàng,"startup (company, phase etc); newly established" -初创公司,chū chuàng gōng sī,startup company -初升,chū shēng,"rising (sun, moon etc)" -初唐四杰,chū táng sì jié,"the Four Great Poets of the Early Tang, namely Wang Bo 王勃[Wang2 Bo2], Yang Jiong 楊炯|杨炯[Yang2 Jiong3], Lu Zhaolin 盧照鄰|卢照邻[Lu2 Zhao4 lin2], and Luo Binwang 駱賓王|骆宾王[Luo4 Bin1 wang2]" -初夏,chū xià,early summer -初夜,chū yè,early evening; wedding night; (fig.) first sexual encounter -初始,chū shǐ,initial; starting (point) -初始化,chū shǐ huà,(computing) to initialize; initialization -初婚,chū hūn,to marry for the first time; to be newly married -初学者,chū xué zhě,beginning student -初审,chū shěn,preliminary trial -初小,chū xiǎo,lower elementary school (abbr. for 初級小學|初级小学[chu1 ji2 xiao3 xue2]) -初年,chū nián,early years -初心,chū xīn,"(one's) original intention, aspiration etc; (Buddhism) ""beginner's mind"" (i.e. having an attitude of openness when studying a subject just as a beginner in that subject would)" -初恋,chū liàn,first love -初恋感觉,chū liàn gǎn jué,feelings of first love -初探,chū tàn,"to conduct an exploratory foray into (an area of study, a market etc); a preliminary study" -初文,chū wén,archaic (and simpler) form of a Chinese character -初更,chū gēng,first of the five night watch periods 19:00-21:00 (old) -初期,chū qī,initial stage; beginning period -初次,chū cì,"for the first time; first (meeting, attempt etc)" -初步,chū bù,initial; preliminary; tentative -初步设想,chū bù shè xiǎng,tentative idea -初潮,chū cháo,menarche -初犯,chū fàn,first offender; first offense -初生,chū shēng,newborn; nascent; primary (biology) -初生之犊不怕虎,chū shēng zhī dú bù pà hǔ,see 初生之犢不畏虎|初生之犊不畏虎[chu1 sheng1 zhi1 du2 bu4 wei4 hu3] -初生之犊不畏虎,chū shēng zhī dú bù wèi hǔ,lit. a new-born calf has no fear of the tiger (idiom); fig. the fearlessness of youth -初生牛犊不怕虎,chū shēng niú dú bù pà hǔ,lit. newborn calves do not fear tigers (idiom); fig. the young are fearless -初秋,chū qiū,early autumn; 7th month of the lunar calendar -初稿,chū gǎo,first draft (of writing) -初等,chū děng,elementary (i.e. easy) -初等代数,chū děng dài shù,elementary algebra -初等教育,chū děng jiào yù,primary education; junior school education -初级,chū jí,junior; primary -初级中学,chū jí zhōng xué,junior high school; junior middle school -初级小学,chū jí xiǎo xué,lower elementary school (abbr. to 初小[chu1 xiao3]) -初声,chū shēng,the initial consonant (or doubled consonant) of a Korean syllable -初叶,chū yè,"early part (of a decade, century etc); the first years" -初衷,chū zhōng,original intention -初设,chū shè,first founded -初试,chū shì,preliminary exam; qualifying exam; first try; preliminary testing -初试身手,chū shì shēn shǒu,to have a try; to try one's hand; initial foray -初赛,chū sài,preliminary contest; initial heats of a competition -初选,chū xuǎn,primary election -初露,chū lù,first sign (of budding talent) -初露才华,chū lù cái huá,first sign of budding talent; to display one's ability for the first time -初露锋芒,chū lù fēng máng,first sign of budding talent; to display one's ability for the first time -初露头角,chū lù tóu jiǎo,lit. to first show one's horns (idiom); fig. a first show of emerging talent; first sign of emerging talent; budding genius -判,pàn,(bound form) to differentiate; to distinguish; (bound form) clearly (different); to judge; to decide; to grade; (of a judge) to sentence -判令,pàn lìng,decree; (of a court) to order -判例,pàn lì,judicial precedent -判例法,pàn lì fǎ,case law -判刑,pàn xíng,to sentence (to prison etc) -判别,pàn bié,to differentiate; to discriminate -判别式,pàn bié shì,(math.) discriminant (e.g. b²-4ac in the formula for the roots of a quadratic equation) -判官,pàn guān,magistrate (during Tang and Song dynasties); mythological underworld judge -判定,pàn dìng,to judge; to decide; judgment; determination -判据,pàn jù,criterion; criteria -判断,pàn duàn,to judge; to determine; judgment -判断力,pàn duàn lì,ability to judge; judgment -判断语,pàn duàn yǔ,predicate -判明,pàn míng,to distinguish; to ascertain -判决,pàn jué,judgment (by a court of law); to pass judgment on; to sentence -判然,pàn rán,markedly; clearly -判罪,pàn zuì,to convict (sb of a crime) -判罚,pàn fá,to penalize; penalty -判若两人,pàn ruò liǎng rén,to be a different person; not to be one's usual self -判若云泥,pàn ruò yún ní,as different as heaven and earth (idiom); worlds apart -判处,pàn chǔ,to sentence; to condemn -判袂,pàn mèi,(of two people) to separate; to part -判读,pàn dú,"to interpret (a visual document, a medical exam, an historical event etc); to analyze data (from a chip, a black box etc)" -判赔,pàn péi,to sentence (sb) to pay compensation -别,bié,surname Bie -别,bié,"to leave; to part (from); (literary) to differentiate; to distinguish; (bound form) other; another; different; don't ...!; to fasten with a pin or clip; to stick in; to insert (in order to hinder movement); (noun suffix) category (e.g. 性別|性别[xing4 bie2], 派別|派别[pai4 bie2])" -别人,bié ren,other people; others; other person -别人牵驴你拔橛子,bié ren qiān lǘ nǐ bá jué zi,"lit. someone else stole the donkey; you only pulled up the stake it was tethered to (idiom); fig. you're the least culpable, but you're the one who gets the blame" -别来无恙,bié lái wú yàng,(literary) I trust you have been well since we last met -别传,bié zhuàn,supplementary biography -别克,bié kè,Buick -别具,bié jù,see 獨具|独具[du2 ju4] -别具一格,bié jù yī gé,having a unique or distinctive style -别具匠心,bié jù jiàng xīn,to show ingenuity; (of a design) clever; brilliantly conceived -别具只眼,bié jù zhī yǎn,see 獨具隻眼|独具只眼[du2 ju4 zhi1 yan3] -别出心裁,bié chū xīn cái,to hit on sth new (idiom); to display originality; to adopt an original approach -别动队,bié dòng duì,special detachment; commando; an armed secret agent squad -别名,bié míng,alias; alternative name -别墅,bié shù,"villa; CL:幢[zhuang4],座[zuo4]" -别太客气,bié tài kè qi,lit. no excessive politeness; Don't mention it!; You're welcome!; Please don't stand on ceremony. -别子,bié zi,hasp; pendant -别字,bié zì,mispronounced or wrongly written character -别客气,bié kè qi,"don't mention it; no formalities, please" -别提了,bié tí le,say no more; don't bring it up; drop the subject -别有,bié yǒu,to have other...; to have a special ... -别有天地,bié yǒu tiān dì,enchanting scenery; beautiful surroundings; world of its own -别有洞天,bié yǒu dòng tiān,place of charm and beauty; scenery of exceptional charm; completely different world -别有用心,bié yǒu yòng xīn,to have an ulterior motive (idiom) -别有韵味,bié yǒu yùn wèi,to have quite a lasting charm -别样,bié yàng,different kind of; another sort of; special; unusual -别树一帜,bié shù yī zhì,lit. to fly one's banner on a solitary tree (idiom); fig. to act as a loner; to stand out; to develop one's own school; to have attitude of one's own -别树一旗,bié shù yī qí,lit. to fly one's banner on a solitary tree (idiom); fig. to act as a loner; to stand out; to develop one's own school; to have attitude of one's own -别无,bié wú,to have no other... (used in fixed expressions) -别无他法,bié wú tā fǎ,there is no alternative -别无他物,bié wú tā wù,nothing else -别无他用,bié wú tā yòng,to have no other use or purpose (idiom) -别无选择,bié wú xuǎn zé,to have no other choice -别无长物,bié wú cháng wù,to possess nothing except bare necessities; to live a poor or frugal life -别理,bié lǐ,"don't get involved; ignore it!; don't have anything to do with (him, her etc); don't speak to" -别的,bié de,else; other -别看,bié kàn,don't be fooled by the fact that -别称,bié chēng,another name; alternative name -别筵,bié yán,farewell banquet -别管,bié guǎn,"no matter (who, what etc)" -别绪,bié xù,emotions at time of parting -别致,bié zhì,unusual; unique -别脸,bié liǎn,to turn one's face away -别致,bié zhì,variant of 別緻|别致[bie2 zhi4] -别苗头,bié miáo tou,(dialect) to compete with; to pit oneself against -别庄,bié zhuāng,villa -别处,bié chù,elsewhere -别号,bié hào,alias -别说,bié shuō,to say nothing of; not to mention; let alone -别论,bié lùn,a different matter; another story; (old) objection -别赫捷列夫,bié hè jié liè fū,"Vladimir Mikhailovich Bekhterev (1857-1927), Russian neurologist and psychiatrist" -别针,bié zhēn,pin; safety pin; clip; brooch; CL:枚[mei2] -别开生面,bié kāi shēng miàn,to start sth new or original (idiom); to break a new path; to break fresh ground -别离,bié lí,to take leave of; to leave; separation -劫,jié,variant of 劫[jie2] -劫,jié,variant of 劫[jie2] -刨,bào,carpenter's plane; to plane (woodwork); to shave off; to peel (with a potato peeler etc) -刨,páo,to dig; to excavate; (coll.) to exclude; not to count; to deduct; to subtract -刨冰,bào bīng,shaved or crushed ice dessert or beverage -刨刀,bào dāo,planing tool -刨子,bào zi,plane -刨工,bào gōng,planing; planing machine operator; planer -刨床,bào chuáng,planer; planing machine -刨根,páo gēn,lit. to dig up the root; to get to the heart of (the matter) -刨根儿,páo gēn er,erhua variant of 刨根[pao2 gen1] -刨根问底,páo gēn wèn dǐ,to dig up roots and inquire at the base (idiom); to get to the bottom of sth -刨程,bào chéng,planing length -刨笔刀,bào bǐ dāo,pencil sharpener -刨丝器,bào sī qì,grater; shredder -刨花,bào huā,wood shavings -刨花板,bào huā bǎn,particle board; chipboard -刨齿,bào chǐ,gear-shaping -利,lì,surname Li -利,lì,sharp; favorable; advantage; benefit; profit; interest; to do good to; to benefit -利事,lì shì,(Cantonese) same as 紅包|红包[hong2 bao1] -利什曼病,lì shí màn bìng,leishmaniasis (medicine) -利他,lì tā,to benefit others; altruism -利他主义,lì tā zhǔ yì,altruism -利他林,lì tā lín,Ritalin (brand name); methylphenidate (stimulant drug used to treat ADHD) -利他能,lì tā néng,Ritalin (brand name); methylphenidate (stimulant drug used to treat ADHD); also written 利他林[Li4 ta1 lin2] -利他行为,lì tā xíng wéi,altruistic behavior -利他灵,lì tā líng,Ritalin (brand name); methylphenidate (stimulant drug used to treat ADHD); also written 利他林[Li4 ta1 lin2] -利令智昏,lì lìng zhì hūn,to lose one's head through material greed (idiom) -利伯曼,lì bó màn,"Liberman, Lieberman or Liebermann (name)" -利伯维尔,lì bó wéi ěr,"Libreville, capital of Gabon" -利刀,lì dāo,sharp knife; knife (weapon) -利刃,lì rèn,sharp blade -利剑,lì jiàn,sharp sword -利勒哈默尔,lì lè hā mò ěr,Lillehammer (city in Norway) -利口酒,lì kǒu jiǔ,liquor (loanword) -利古里亚,lì gǔ lǐ yà,"Liguria, northwest Italy" -利器,lì qì,sharp weapon; effective implement; outstandingly able individual -利国利民,lì guó lì mín,to benefit both the country and the people -利基,lì jī,asset that gives a competitive advantage; a strength; (market) niche -利多卡因,lì duō kǎ yīn,lidocaine (loanword) -利奈唑胺,lì nài zuò àn,"Linezolid, a synthetic antibiotic" -利好,lì hǎo,"(finance) sth that engenders bullish sentiment; favorable news; (finance) (of news, data etc) favorable; positive" -利害,lì hài,pros and cons; advantages and disadvantages; gains and losses -利害,lì hai,terrible; formidable; serious; devastating; tough; capable; sharp; severe; fierce -利害攸关,lì hài yōu guān,to be of vital interest -利害冲突,lì hài chōng tū,conflict of interest -利害关系,lì hài guān xi,stake; vital interest; concern -利害关系人,lì hài guān xi rén,stakeholder; interested party; interested person -利害关系方,lì hài guān xi fāng,interested party -利尿,lì niào,to promote urination; diuresis -利尿剂,lì niào jì,diuretic -利川,lì chuān,"Lichuan, county-level city in Enshi Tujia and Miao Autonomous Prefecture 恩施土家族苗族自治州[En1 shi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1], Hubei" -利川市,lì chuān shì,"Lichuan, county-level city in Enshi Tujia and Miao Autonomous Prefecture 恩施土家族苗族自治州[En1 shi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1], Hubei" -利己,lì jǐ,personal profit; to benefit oneself -利己主义,lì jǐ zhǔ yì,egoism -利市,lì shì,business profit; auspicious; lucky; small sum of money offered on festive days -利弊,lì bì,pros and cons; merits and drawbacks; advantages and disadvantages -利得,lì dé,profit; gain -利得税,lì dé shuì,profit tax -利息,lì xī,interest (on a loan); CL:筆|笔[bi3] -利息率,lì xi lǜ,interest rate -利欲,lì yù,cupidity -利欲心,lì yù xīn,cupidity -利欲熏心,lì yù xūn xīn,blinded by greed (idiom) -利手,lì shǒu,dominant hand; handedness -利于,lì yú,to be beneficial to; to be conducive to -利是,lì shì,see 利事[li4 shi4] -利未记,lì wèi jì,Book of Leviticus; Third Book of Moses -利乐包,lì lè bāo,carton (e.g. for milk or juice); Tetra Pak -利权,lì quán,economic rights (e.g. of a state monopoly) -利比亚,lì bǐ yà,Libya -利比里亚,lì bǐ lǐ yà,Liberia -利津,lì jīn,"Lijin county in Dongying 東營|东营[Dong1 ying2], Shandong" -利津县,lì jīn xiàn,"Lijin county in Dongying 東營|东营[Dong1 ying2], Shandong" -利润,lì rùn,profits -利润率,lì rùn lǜ,profit margin -利爪,lì zhǎo,sharp claw; talon -利物浦,lì wù pǔ,Liverpool (England) -利率,lì lǜ,interest rates -利玛窦,lì mǎ dòu,"Matteo Ricci (1552-1610), Jesuit missionary and translator in Ming China" -利用,lì yòng,to exploit; to make use of; to use; to take advantage of; to utilize -利益,lì yì,benefit; (in sb's) interest; CL:個|个[ge4] -利益冲突,lì yì chōng tū,conflict of interest -利益输送,lì yì shū sòng,to make use of one's position to gain profit for oneself or one's associates -利益集团,lì yì jí tuán,interest group -利眠宁,lì mián níng,chlordiazepoxide; (trade name) Librium (loanword) -利禄,lì lù,wealth and official post -利禄薰心,lì lù xūn xīn,to be eager for wealth and emolument (idiom) -利纳克斯,lì nà kè sī,Linux (operating systems) -利索,lì suo,nimble -利维坦,lì wéi tǎn,leviathan (loanword) -利兹,lì zī,Leeds -利落,lì luo,agile; nimble; all settled; in order -利诱,lì yòu,to use gain as a lure -利贴,lì tiē,Post-It note (3M trademark) -利宾纳,lì bīn nà,Ribena -利辛,lì xīn,"Lixin, a county in Bozhou 亳州[Bo2 zhou1], Anhui" -利辛县,lì xīn xiàn,"Lixin, a county in Bozhou 亳州[Bo2 zhou1], Anhui" -利通区,lì tōng qū,"Litong district of Wuzhong city 吳忠市|吴忠市[Wu2 zhong1 shi4], Ningxia" -利钱,lì qián,interest (on a loan etc) -利隆圭,lì lóng guī,"Lilongwe, capital of Malawi" -利雅得,lì yǎ dé,"Riyadh, capital of Saudi Arabia" -利雅德,lì yǎ dé,"Riyadh, capital of Saudi Arabia (Tw)" -利马,lì mǎ,"Lima, capital of Peru" -利马窦,lì mǎ dòu,"Matteo Ricci (1552-1610), Jesuit missionary and translator in Ming China; erroneous spelling of 利瑪竇|利玛窦" -利马索尔,lì mǎ suǒ ěr,"Limassol, Cyprus; Lemesos" -利默里克,lì mò lǐ kè,"Limerick, Ireland" -删,shān,to delete -删剪,shān jiǎn,to cut (from a movie etc); to censor -删去,shān qù,to delete -删帖,shān tiě,to delete a forum post -删掉,shān diào,to delete -删改,shān gǎi,to edit; to modify; to alter (written material) -删减,shān jiǎn,"to abridge (a text); to edit out (of a movie); to cut back (a budget, a curriculum)" -删节,shān jié,to abridge; to cut a text down to size for publication -删简压缩,shān jiǎn yā suō,to simplify and condense (a text); abridged -删除,shān chú,to delete; to cancel -刮,guā,to scrape; to blow; to shave; to plunder; to extort -刮伤,guā shāng,scratch (wound); scratch (damage to an object) -刮刀,guā dāo,spatula; scraper -刮刮卡,guā guā kǎ,lottery scratchcard -刮刮叫,guā guā jiào,variant of 呱呱叫[gua1 gua1 jiao4] -刮刮乐,guā guā lè,scratch-and-win lottery -刮勺,guā sháo,scraper; trowel; putty knife -刮掉,guā diào,to scrape off; to shave off (whiskers etc); (of the wind) to blow sth away -刮擦,guā cā,to scrape -刮痧,guā shā,gua sha (technique in TCM) -刮皮刀,guā pí dāo,peeler; potato peeler -刮目相待,guā mù xiāng dài,see 刮目相看[gua1 mu4 xiang1 kan4] -刮目相看,guā mù xiāng kàn,to have a whole new level of respect for sb or sth; to sit up and take notice (of sb's improved performance etc) -刮脸,guā liǎn,to shave one's face -刮蹭,guā cèng,to scrape one's car against sth; to sideswipe -刮铲,guā chǎn,scraper -刮胡刀,guā hú dāo,razor -刮胡子,guā hú zi,to shave -到,dào,to reach; to arrive; to leave for; to go to; to (a place); until (a time); up to (a point); (verb complement indicating arriving at a place or reaching a point); considerate; thoughtful; thorough -到不行,dào bù xíng,extremely; incredibly -到了,dào liǎo,at last; finally; in the end -到付,dào fù,collect on delivery (COD) -到位,dào wèi,to get to the intended location; to be in place; to be in position; precise; well (done) -到来,dào lái,to arrive; arrival; advent -到场,dào chǎng,to show up; present (at the scene) -到家,dào jiā,perfect; excellent; brought to the utmost degree -到岸价,dào àn jià,"cost, insurance, and freight (CIF) (transportation)" -到底,dào dǐ,finally; in the end; when all is said and done; after all; to the end; to the last -到得,dào dé,to arrive at (some place or time) -到手,dào shǒu,to take possession of; to get hold of -到手软,dào shǒu ruǎn,(do a manual task) until one's hands go limp with exhaustion -到时,dào shí,at that (future) time -到时候,dào shí hòu,when the moment comes; at that time -到期,dào qī,to fall due (loan etc); to expire (visa etc); to mature (investment bond etc) -到期收益率,dào qī shōu yì lǜ,(finance) yield to maturity (YTM) -到期日,dào qī rì,due date; expiry date; maturity date -到案,dào àn,to make an appearance in court -到此,dào cǐ,hereto; hereunto -到此一游,dào cǐ yī yóu,"(used in graffiti) ""... was here""" -到此为止,dào cǐ wéi zhǐ,to stop at this point; to end here; to call it a day -到现在,dào xiàn zài,up until now; to date -到目前,dào mù qián,up until now; to date -到目前为止,dào mù qián wéi zhǐ,until now; so far -到处,dào chù,everywhere -到处可见,dào chù kě jiàn,ubiquitous; commonplace; found everywhere -到访,dào fǎng,to pay a visit -到货,dào huò,(of packages or shipments) to arrive -到账,dào zhàng,(of money) to arrive in an account -到达,dào dá,to reach; to arrive -到达大厅,dào dá dà tīng,arrival hall -到那个时候,dào nà gè shí hòu,until this moment -到头,dào tóu,to the end (of); at the end of; in the end; to come to an end -到头来,dào tóu lái,in the end; finally; as a result -到点,dào diǎn,it's time (to do sth); the time has come -到齐,dào qí,to be all present -刳,kū,to cut open; rip up; scoop out -制,zhì,system; to control; to regulate; variant of 製|制[zhi4] -制伏,zhì fú,to overpower; to overwhelm; to subdue; to check; to control -制冷,zhì lěng,refrigeration -制动,zhì dòng,to brake -制动器,zhì dòng qì,brake -制动踏板,zhì dòng tà bǎn,brake pedal -制胜,zhì shèng,to win; to prevail; to come out on top -制定,zhì dìng,to draw up; to formulate -制导,zhì dǎo,to control (the course of sth); to guide (a missile) -制度,zhì dù,"system (e.g. political, adminstrative etc); institution; CL:個|个[ge4]" -制度化,zhì dù huà,systematization -制式,zhì shì,"standardized; standard (service, method etc); regulation (clothing etc); formulaic; (telecommunications etc) system; format (e.g. the PAL or NTSC systems for TV signals)" -制式化,zhì shì huà,standardization -制服,zhì fú,"to subdue; to check; to bring under control; (in former times) what one is allowed to wear depending on social status; uniform (army, party, school etc); livery (for company employees); CL:套[tao4]" -制服呢,zhì fú ní,tweed cloth (used for military uniforms etc) -制止,zhì zhǐ,to curb; to put a stop to; to stop; to check; to limit -制空权,zhì kōng quán,air supremacy; air superiority -制约,zhì yuē,to restrict; condition -制药业,zhì yào yè,pharmaceutical industry -制衡,zhì héng,to check and balance (power); checks and balances -制裁,zhì cái,to punish; punishment; sanctions (incl. economic) -制订,zhì dìng,to work out; to formulate -制造业,zhì zào yè,manufacturing industry -制酸剂,zhì suān jì,antacid (medicine) -制钱,zhì qián,copper coin of the Ming and Qing Dynasties -刷,shuā,a brush; to paint; to daub; to brush; to scrub; (fig.) to remove; to eliminate (from a contest); to fire (from a job); (onom.) swish; rustle; to swipe (a card); to scroll on (a phone) -刷,shuà,to select -刷入,shuā rù,to flash; to overwrite the firmware (computing) -刷剧,shuā jù,to binge-watch (TV) -刷卡,shuā kǎ,"to use a credit card (or swipe card, smart card etc)" -刷单,shuā dān,to generate fake transactions in order to game a commercial online platform (one that rewards users who make numerous transactions) -刷夜,shuā yè,to stay up all night; to pull an all-nighter -刷子,shuā zi,brush; scrub; CL:把[ba3] -刷屏,shuā píng,to flood (on an Internet forum etc) -刷扣,shuā kòu,to strum a chord (Tw) -刷新,shuā xīn,to renovate; to refurbish; to refresh (computer window); to write a new page (in history); to break (a record) -刷新纪录,shuā xīn jì lù,to set a new record -刷机,shuā jī,to replace firmware (on a mobile device) -刷洗,shuā xǐ,to scrub clean -刷爆,shuā bào,to max out (a credit card) -刷牙,shuā yá,to brush one's teeth -刷脸,shuā liǎn,to scan one's face (for identity verification) -刷题,shuā tí,to do a lot of practice questions (to prepare for an exam) -券,quàn,"bond (esp. document split in two, with each party holding one half); contract; deed (i.e. title deeds); ticket; voucher; certificate" -券商,quàn shāng,securities dealer; share broker -刺,cī,(onom.) whoosh -刺,cì,thorn; sting; thrust; to prick; to pierce; to stab; to assassinate; to murder -刺中,cì zhòng,to hit with a piercing blow -刺五加,cì wǔ jiā,"manyprickle (Acanthopanax senticosus), root used in TCM" -刺伤,cì shāng,to stab -刺儿,cì er,a thorn; fig. to ridicule sb; fig. sth wrong -刺儿李,cì er lǐ,gooseberry -刺儿话,cì er huà,biting words; stinging words -刺儿头,cì er tóu,an awkward person; a difficult person to deal with -刺刀,cì dāo,bayonet -刺刺不休,cì cì bù xiū,to talk incessantly; to chatter on and on -刺史,cì shǐ,provincial governor (old) -刺字,cì zì,to tattoo -刺客,cì kè,assassin -刺戟,cì jǐ,see 刺激[ci4 ji1] -刺戳,cì chuō,to stab; to pierce -刺探,cì tàn,to pry into; to spy on; to probe into -刺柏,cì bǎi,Chinese juniper -刺桐,cì tóng,Indian coral tree; sunshine tree; tiger's claw; Erythrina variegata (botany) -刺棱,cī lēng,(onom.) sound of quick movement; Taiwan pr. [ci4leng2] -刺槐,cì huái,false acacia; Robinia pseudoacacia -刺死,cì sǐ,to stab to death -刺杀,cì shā,to assassinate; (military) to fight with a bayonet; (baseball) to put out (a baserunner) -刺激,cì jī,to provoke; to irritate; to upset; to stimulate; to excite; irritant -刺激剂,cì jī jì,irritant agent -刺激性,cì jī xìng,thrilling; exciting; stimulating; irritating; provocative; pungent; spicy -刺激物,cì jī wù,stimulus -刺激素,cì jī sù,growth hormone -刺痛,cì tòng,to tingle; to sting; to have a sudden sharp pain; (fig.) to hurt deeply; tingle; prick; sting; stab of pain -刺目,cì mù,gaudy; glaring; unpleasant to the eyes -刺眼,cì yǎn,to dazzle; to offend the eyes; dazzling; harsh (light); crude (colors); unsightly -刺破,cì pò,to puncture; to pierce -刺穿,cì chuān,to skewer; to impale; to pierce through -刺丝囊,cì sī náng,nematocyst; capsule of nettle cells of medusa or anemone -刺丝胞,cì sī bāo,cnidocyte; nettle cell of medusa or anemone -刺丝胞动物,cì sī bāo dòng wù,Cnidaria (animal phylum including jellyfish and sessile polyps) -刺绣,cì xiù,to embroider; embroidery -刺绣品,cì xiù pǐn,embroidery -刺耳,cì ěr,ear-piercing -刺胞,cì bāo,cnidocyte; nettle cell of medusa -刺胞动物,cì bāo dòng wù,Cnidaria (animal phylum including jellyfish and sessile polyps) -刺花,cì huā,to tattoo; tattoo -刺花纹,cì huā wén,to tattoo -刺芹菇,cì qín gū,king trumpet mushroom (Pleurotus eryngii) -刺苋,cì xiàn,prickly amaranth (Amaranthus spinosus) -刺猬,cì wei,hedgehog -刺身,cì shēn,sashimi -刺钢丝,cì gāng sī,barbed wire -刺青,cì qīng,to tattoo; a tattoo -刺骨,cì gǔ,piercing; cutting; bone-chilling; penetrating (cold) -刺鼻,cì bí,to assail the nostrils; acrid; pungent -刻,kè,quarter (hour); moment; to carve; to engrave; to cut; oppressive; classifier for short time intervals -刻不容缓,kè bù róng huǎn,to brook no delay; to demand immediate action -刻剥,kè bō,to grab money; to exploit -刻印,kè yìn,to engrave a seal; stamp mark; to print with carved type; to leave a deep impression -刻奇,kè qí,"(loanword) kitsch, in a sense that originates in the writing of Milan Kundera: getting emotional about sth due to the influence of social conditioning" -刻写,kè xiě,to inscribe -刻度,kè dù,marked scale; graduated scale -刻度盘,kè dù pán,dial (e.g. of a radio etc) -刻意,kè yì,intentionally; deliberately; purposely; painstakingly; meticulously -刻意求工,kè yì qiú gōng,assiduous and painstaking -刻意为之,kè yì wéi zhī,to make a conscious effort; to do something deliberately -刻日,kè rì,variant of 克日[ke4 ri4] -刻期,kè qī,variant of 克期[ke4 qi1] -刻本,kè běn,block printed edition -刻板,kè bǎn,stiff; inflexible; mechanical; stubborn; to cut blocks for printing -刻板印象,kè bǎn yìn xiàng,stereotype -刻毒,kè dú,spiteful; venomous -刻版,kè bǎn,engraved blocks (for printing) -刻画,kè huà,to portray -刻痕,kè hén,notch -刻丝,kè sī,variant of 緙絲|缂丝[ke4 si1] -刻舟求剑,kè zhōu qiú jiàn,lit. a notch on the side of a boat to locate a sword dropped overboard (idiom); fig. an action made pointless by changed circumstances -刻苦,kè kǔ,hardworking; assiduous -刻苦努力,kè kǔ nǔ lì,assiduous; taking great pains -刻苦学习,kè kǔ xué xí,to study hard; assiduous -刻苦耐劳,kè kǔ nài láo,to bear hardships and work hard (idiom); assiduous and long-suffering; hard-working and capable of overcoming adversity -刻苦钻研,kè kǔ zuān yán,to study diligently -刻薄,kè bó,unkind; harsh; cutting; mean; acrimony; to embezzle by making illegal deductions -刻薄寡恩,kè bó guǎ ēn,harsh and merciless (idiom) -刻录,kè lù,to record on a CD or DVD; to burn a disc -刻录机,kè lù jī,disk burner -刻骨,kè gǔ,ingrained; entrenched; deep-rooted -刻骨相思,kè gǔ xiāng sī,deep-seated lovesickness (idiom) -刻骨铭心,kè gǔ míng xīn,lit. carved in bones and engraved in the heart (idiom); fig. etched in one's memory; unforgettable -刻鹄类鹜,kè hú lèi wù,"to aim to carve a swan and get a semblance of a duck (idiom); to fail utterly in trying to copy something; to get a reasonably good, if not perfect, result" -劫,jié,variant of 劫[jie2] -剁,duò,to chop up (meat etc); to chop off (sb's hand etc) -剁手节,duò shǒu jié,"(jocular) a day of frenetic online spending, such as Singles' Day" -剁手党,duò shǒu dǎng,online shopaholic -剁碎,duò suì,to mince -剃,tì,to shave -剃光头,tì guāng tóu,to shave the whole head clean; crushing defeat -剃刀,tì dāo,razor -剃度,tì dù,to take the tonsure; to shave the head; tonsure (shaved head of Buddhist monk) -剃头,tì tóu,to have one's head shaved -剃头挑子一头热,tì tóu tiāo zi yī tóu rè,"lit. only one end of the barber's pole is hot (idiom); fig. one-sided enthusiasm; one party is interested, but the other, not so much; (Note: In former days, street barbers carried their equipment on a pole, with tools and a stool at one end and a brazier at the other.)" -剃发令,tì fà lìng,"the Qing order to all men to shave their heads but keep a queue, first ordered in 1646" -剃发留辫,tì fà liú biàn,to shave the head but keep the queue -剃须刀,tì xū dāo,shaver; razor -剃须膏,tì xū gāo,shaving cream -刭,jǐng,cut the throat -则,zé,(literary) (conjunction used to express contrast with a previous clause) but; then; (bound form) standard; norm; (bound form) principle; (literary) to imitate; to follow; classifier for written items -则个,zé gè,(old sentence-final expression used for emphasis) -则步隆,zé bù lóng,"Zabulon or Zebulun, biblical land between Jordan and Galilee (Matthew 4:15)" -则辣黑,zé là hēi,Zerah (name) -锉,cuò,(literary) to fracture (a bone); (literary) to cut; to hack; variant of 銼|锉[cuo4] -锉冰,cuò bīng,shaved ice dessert (Tw) -锉尸,cuò shī,to cut the corpse of a criminal into pieces -削,xiāo,to peel with a knife; to pare; to cut (a ball at tennis etc) -削,xuē,to pare; to reduce; to remove; Taiwan pr. [xue4] -削价,xuē jià,to cut down the price -削尖,xiāo jiān,to sharpen -削弱,xuē ruò,to weaken; to impair; to cripple -削波,xuē bō,clipping (signal processing) -削减,xuē jiǎn,to cut down; to reduce; to lower -削球,xiāo qiú,(sport) to chop; to cut -削瘦,xuē shòu,thin; lean; slender; skinny; (of cheeks) hollow -削籍,xuē jí,(of an official) dismissal from office (old) -削职,xuē zhí,demotion; to have one's job cut -削职为民,xuē zhí wéi mín,demotion to commoner (idiom) -削足适履,xuē zú shì lǚ,to cut the feet to fit the shoes (idiom); to force sth to fit (as to a Procrustean bed); impractical or inelegant solution -削铅笔,xiāo qiān bǐ,to sharpen a pencil -削铅笔机,xiāo qiān bǐ jī,pencil sharpener (mechanical or electric) -削除,xuē chú,to remove; to eliminate; to delete -削发,xuē fà,to shave one's head; fig. to become a monk or nun; to take the tonsure -克,kè,"Ke (c. 2000 BC), seventh of the legendary Flame Emperors, 炎帝[Yan2 di4] descended from Shennong 神農|神农[Shen2 nong2] Farmer God" -克,kè,variant of 克[ke4]; to subdue; to overthrow; to restrain -剋,,to scold; to beat -克扣,kè kòu,to dock; to deduct; to embezzle -克星,kè xīng,nemesis; bane; fated to be ill-matched -剋架,jià,to scuffle; to come to blows -剌,lá,to slash -剌,là,perverse; unreasonable; absurd -前,qián,front; forward; ahead; first; top (followed by a number); future; ago; before; BC (e.g. 前293年); former; formerly -前一向,qián yī xiàng,lately; in the recent past -前一天,qián yī tiān,the day before (an event) -前三甲,qián sān jiǎ,top three -前不久,qián bù jiǔ,not long ago; not long before -前世,qián shì,previous generations; previous incarnation (Buddhism) -前世姻缘,qián shì yīn yuán,a marriage predestined in a former life (idiom) -前事,qián shì,past events; antecedent; what has happened -前些,qián xiē,"a few (days, years etc) ago" -前人,qián rén,predecessor; forebears; the person facing you -前仆后继,qián pū hòu jì,"one falls, the next follows (idiom); stepping into the breach to replace fallen comrades; advancing wave upon wave" -前仰后合,qián yǎng hòu hé,to sway to and fro; to rock back and forth -前件,qián jiàn,antecedent (logic) -前任,qián rèn,predecessor; ex-; former; ex (spouse etc) -前来,qián lái,to come (formal); before; previously -前例,qián lì,precedent -前信号灯,qián xìn hào dēng,car front indicator -前俯后仰,qián fǔ hòu yǎng,to rock one's body backward and forward; to be convulsed (with laughter etc) -前倨后恭,qián jù hòu gōng,to switch from arrogance to deference (idiom) -前传,qián chuán,forward pass (sport) -前传,qián zhuàn,prequel -前倾,qián qīng,to lean forward -前兆,qián zhào,omen; prior indication; first sign -前儿,qián er,before; day before yesterday -前冠,qián guān,heading; prefix -前凸后翘,qián tū hòu qiào,(of a woman) to have nice curves; buxom; shapely -前列,qián liè,the very front -前列腺,qián liè xiàn,prostate -前列腺炎,qián liè xiàn yán,prostatitis -前列腺素,qián liè xiàn sù,prostaglandin -前功尽弃,qián gōng jìn qì,to waste all one's previous efforts (idiom); all that has been achieved goes down the drain -前半夜,qián bàn yè,first half of the night (from nightfall to midnight) -前半天,qián bàn tiān,morning; a.m.; first half of the day -前半天儿,qián bàn tiān er,erhua variant of 前半天[qian2 ban4 tian1] -前半晌,qián bàn shǎng,morning; a.m.; first half of the day -前半晌儿,qián bàn shǎng er,erhua variant of 前半晌[qian2 ban4 shang3] -前半生,qián bàn shēng,first half of one's life -前叉,qián chā,fork (bicycle component) -前咽,qián yān,prepharynx (biology) -前哨,qián shào,outpost; (fig.) front line -前哨战,qián shào zhàn,skirmish -前因,qián yīn,antecedents -前因后果,qián yīn hòu guǒ,cause and effects (idiom); entire process of development -前尘,qián chén,the past; impurity contracted previously (in the sentient world) (Buddhism) -前夕,qián xī,eve; the day before -前夜,qián yè,the eve; the night before -前大灯,qián dà dēng,headlight -前天,qián tiān,the day before yesterday -前夫,qián fū,former husband -前奏,qián zòu,prelude; presage -前奏曲,qián zòu qǔ,prelude (music) -前女友,qián nǚ yǒu,ex-girlfriend -前妻,qián qī,ex-wife; late wife -前嫌,qián xián,former hatred; bygone enmity -前寒武纪,qián hán wǔ jì,"pre-Cambrian, geological period before c. 540m years ago" -前导,qián dǎo,to precede; to guide -前年,qián nián,the year before last -前几天,qián jǐ tiān,a few days ago; a few days before; the past few days; the previous few days -前庭,qián tíng,front courtyard; vestibule -前庭窗,qián tíng chuāng,fenestra vestibuli (of inner ear) -前廊,qián láng,front porch -前厅,qián tīng,anteroom; vestibule; lobby (of a hotel etc) -前往,qián wǎng,to leave for; to proceed towards; to go to -前后,qián hòu,around; from beginning to end; all around; front and rear -前后文,qián hòu wén,context; the surrounding words; same as 上下文 -前怕狼后怕虎,qián pà láng hòu pà hǔ,lit. to fear the wolf in front and the tiger behind (idiom); fig. to be full of needless fears; reds under the beds -前情,qián qíng,former love; former circumstances -前意识,qián yì shí,preconscious; preconsciousness -前戏,qián xì,foreplay -前房角,qián fáng jiǎo,anterior chamber (the front chamber of the eye) -前所未有,qián suǒ wèi yǒu,unprecedented -前所未闻,qián suǒ wèi wén,unheard-of; unprecedented -前所未见,qián suǒ wèi jiàn,unprecedented; never seen before -前排,qián pái,front row -前掠翼,qián lüè yì,swept-forward wing (on jet fighter) -前提,qián tí,premise; precondition; prerequisite -前提条件,qián tí tiáo jiàn,preconditions -前揭,qián jiē,(the item) named above; aforementioned; cited above; op. cit. -前摆,qián bǎi,last time -前敌,qián dí,front line (military) -前方,qián fāng,ahead; the front -前方高能,qián fāng gāo néng,"(slang) Something awesome is about to happen! (originally, in a Japanese space battleship anime, it meant ""Danger! High energy up ahead!"" — a warning to either prepare for battle or take evasive action)" -前日,qián rì,day before yesterday -前晌,qián shǎng,(dialect) morning; forenoon -前景,qián jǐng,foreground; vista; (future) prospects; perspective -前景可期,qián jǐng kě qī,to have a promising future; to have bright prospects -前朝,qián cháo,the previous dynasty -前期,qián qī,preceding period; early stage -前桅,qián wéi,foremast -前桥,qián qiáo,Maebashi (surname or place name) -前此,qián cǐ,before today -前段,qián duàn,front part (of an object); first part (of an event); previous paragraph -前段时间,qián duàn shí jiān,recently -前沿,qián yán,(military) forward position; frontier; cutting-edge; forefront -前凉,qián liáng,"Former Liang, one of the Sixteen Kingdoms (314-376)" -前汉,qián hàn,"Former Han dynasty (206 BC-8 AD), also called 西漢|西汉[Xi1 Han4], Western Han dynasty" -前汉书,qián hàn shū,"History of the Former Han Dynasty, second of the 24 dynastic histories 二十四史[Er4 shi2 si4 Shi3], composed by Ban Gu 班固[Ban1 Gu4] in 82 during Eastern Han (later Han), 100 scrolls" -前无古人,qián wú gǔ rén,(idiom) unprecedented; unheard of -前照灯,qián zhào dēng,(vehicle) headlight -前灯,qián dēng,headlight -前燕,qián yān,Former Yan of the Sixteen Kingdoms (337-370) -前生,qián shēng,previous life; previous incarnation -前田,qián tián,Maeda (Japanese surname) -前甲板,qián jiǎ bǎn,forward deck (of a boat) -前男友,qián nán yǒu,ex-boyfriend -前瞻,qián zhān,forward-looking; prescient; foresight; forethought; outlook -前瞻性,qián zhān xìng,farsightedness; perspicacity; prescience; forward-looking -前磨齿,qián mó chǐ,premolar tooth -前科,qián kē,criminal record; previous convictions -前秦,qián qín,Former Qin of the Sixteen Kingdoms (351-395) -前移式叉车,qián yí shì chā chē,reach truck -前程,qián chéng,future (career etc) prospects -前程远大,qián chéng yuǎn dà,to have a future full of promise -前空翻,qián kōng fān,(acrobatics) front flip -前端,qián duān,front; front end; forward part of sth -前端总线,qián duān zǒng xiàn,(computing) front-side bus (FSB) -前缀,qián zhuì,prefix (linguistics) -前线,qián xiàn,front line; military front; workface; cutting edge -前缘未了,qián yuán wèi liǎo,one's predestined fate is yet to be fulfilled (idiom) -前总理,qián zǒng lǐ,former prime minister -前总统,qián zǒng tǒng,former president -前置,qián zhì,to place before; frontal; leading; pre- -前置修饰语,qián zhì xiū shì yǔ,premodifier (grammar) -前置词,qián zhì cí,preposition -前翅,qián chì,front wing (of insect) -前者,qián zhě,the former -前肢,qián zhī,forelimb; foreleg -前胃,qián wèi,proventriculus; forestomach -前胸,qián xiōng,human chest; breast -前胸贴后背,qián xiōng tiē hòu bèi,(lit.) chest sticking to back; (fig.) famished; (of several persons) packed chest to back -前脚,qián jiǎo,"one moment ..., (the next ...); leading foot (in walking)" -前腿,qián tuǐ,forelegs -前臂,qián bì,forearm -前台,qián tái,stage; proscenium; foreground in politics etc (sometimes derog.); front desk; reception desk; (computing) front-end; foreground -前臼齿,qián jiù chǐ,premolar tooth (immediately behind canine teeth in some mammals) -前舱,qián cāng,fore hold (on ship); bow cabin -前茅,qián máo,forward patrol (military) (old); (fig.) the top ranks -前苏联,qián sū lián,former Soviet Union -前行,qián xíng,(literary) to go forward -前卫,qián wèi,advanced guard; vanguard; avant-garde; forward (soccer position) -前言,qián yán,preface; forward; introduction -前调,qián diào,(perfumery) top note -前赴后继,qián fù hòu jì,to advance dauntlessly in wave upon wave (idiom) -前赵,qián zhào,Former Zhao of the Sixteen Kingdoms (304-329) -前路,qián lù,the road ahead -前身,qián shēn,forerunner; predecessor; precursor; previous incarnation (Buddhism); jacket front -前车主,qián chē zhǔ,previous owner (of a car for sale) -前车之鉴,qián chē zhī jiàn,to learn a lesson from the mistakes of one's predecessor (idiom) -前辈,qián bèi,senior; older generation; precursor -前轮,qián lún,front wheel -前述,qián shù,aforestated; stated above; the preceding statement -前途,qián tú,prospects; future outlook; journey -前途未卜,qián tú wèi bǔ,hanging in the balance; the future is hard to forecast; ¿Qué serà?; who knows what the future holds? -前途渺茫,qián tú miǎo máng,not knowing what to do next; at a loose end -前途无量,qián tú wú liàng,to have boundless prospects -前进,qián jìn,to go forward; to forge ahead; to advance; onward -前进区,qián jìn qū,"Qianjin district of Kiamusze or Jiamusi city 佳木斯[Jia1 mu4 si1], Heilongjiang" -前边,qián bian,front; the front side; in front of -前边儿,qián bian er,erhua variant of 前邊|前边[qian2 bian5] -前部,qián bù,front part; front section -前部皮层下损伤,qián bù pí céng xià sǔn shāng,anterior subcortical lesions -前郭尔罗斯蒙古族自治县,qián guō ěr luó sī měng gǔ zú zì zhì xiàn,"Qian Gorlos Mongol autonomous county in Songyuan 松原, Jilin" -前郭县,qián guō xiàn,"Qian Gorlos Mongol autonomous county in Songyuan 松原, Jilin" -前郭镇,qián guō zhèn,"Qian Gorlos township, capital of Qian Gorlos Mongol autonomous county 前郭爾羅斯蒙古族自治縣|前郭尔罗斯蒙古族自治县, Songyuan, Jilin" -前金,qián jīn,"Qianjin or Chienchin district of Kaohsiung city 高雄市[Gao1 xiong2 shi4], south Taiwan" -前金区,qián jīn qū,"Qianjin or Chienchin district of Kaohsiung city 高雄市[Gao1 xiong2 shi4], south Taiwan" -前锋,qián fēng,vanguard; front line; a forward (sports) -前锯肌,qián jù jī,serratus anterior muscle (upper sides of the chest) -前镇,qián zhèn,"Qianzhen or Chienchen district of Kaohsiung city 高雄市[Gao1 xiong2 shi4], south Taiwan" -前镇区,qián zhèn qū,"Qianzhen or Chienchen district of Kaohsiung city 高雄市[Gao1 xiong2 shi4], south Taiwan" -前门,qián mén,Qianmen subway station on Beijing Subway Line 2 -前门,qián mén,"front door; main entrance; honest and upright approach (as opposed to 後門|后门, back-door or under the counter)" -前院,qián yuàn,front courtyard; front yard -前面,qián miàn,ahead; in front; preceding; above; also pr. [qian2 mian5] -前头,qián tou,in front; at the head; ahead; above -前额,qián é,forehead -前额叶皮质,qián é yè pí zhì,prefrontal cortex (PFC) -前首相,qián shǒu xiàng,former prime minister -前驱,qián qū,precursor; pioneer -前体,qián tǐ,precursor -前鼻音,qián bí yīn,alveolar nasal; consonant n produced in the nose with the tongue against the alveolar ridge -前齿龈,qián chǐ yín,alveolar; front part of the alveolar ridge -刹,chà,"Buddhist monastery, temple or shrine (abbr. for 剎多羅|刹多罗[cha4duo1luo2], Sanskrit ""ksetra"")" -刹,shā,to brake -刹不住,shā bu zhù,unable to brake (stop) -刹住,shā zhù,to stop; to come to a halt -刹停,shā tíng,to brake to a halt -刹把,shā bǎ,brake lever; crank handle for stopping or turning off machinery -刹时,chà shí,in a flash; in the twinkling of an eye -刹车,shā chē,to brake (when driving); to stop; to switch off; to check (bad habits); a brake -刹车灯,shā chē dēng,brake light -刹那,chà nà,an instant (Sanskrit: ksana); split second; the twinkling of an eye -创,chuàng,variant of 創|创[chuang4] -剔,tī,to scrape the meat from bones; to pick (teeth etc); to weed out -剔牙,tī yá,to pick one's teeth -剔透,tī tòu,pure and limpid; (of a person) quick-witted -剔除,tī chú,to reject; to discard; to get rid of -剖,pōu,to cut open; to analyze; Taiwan pr. [pou3] -剖宫产,pōu gōng chǎn,birth by caesarean section -剖宫产手术,pōu gōng chǎn shǒu shù,cesarean section -剖析,pōu xī,to analyze; to dissect -剖白,pōu bái,to explain oneself -剖肝沥胆,pōu gān lì dǎn,to be completely honest and sincere (idiom) -剖腹,pōu fù,to cut open the abdomen; to disembowel; to speak from the heart -剖腹产,pōu fù chǎn,cesarean birth -剖腹产手术,pōu fù chǎn shǒu shù,cesarean section -剖腹自杀,pōu fù zì shā,hara-kiri -剖腹藏珠,pōu fù cáng zhū,lit. cutting one's stomach to hide a pearl (idiom); fig. wasting a lot of effort on trivialities -剖视,pōu shì,to analyze; to dissect -剖视图,pōu shì tú,section view; cutaway view -剖解,pōu jiě,to analyze -剖解图,pōu jiě tú,cutaway diagram -剖辩,pōu biàn,to analyze; to explain -剖面,pōu miàn,profile; section -创,chuàng,variant of 創|创[chuang4] -刚,gāng,hard; firm; strong; just; barely; exactly -刚一,gāng yī,to be just about to; to have just started to -刚健,gāng jiàn,energetic; robust -刚刚,gāng gang,just recently; just a moment ago -刚劲,gāng jìng,bold; vigorous -刚好,gāng hǎo,just; exactly; to happen to be -刚察,gāng chá,"Gangcha County (Tibetan: rkang tsha rdzong) in Haibei Tibetan Autonomous Prefecture 海北藏族自治州[Hai3 bei3 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -刚察县,gāng chá xiàn,"Gangcha County (Tibetan: rkang tsha rdzong) in Haibei Tibetan Autonomous Prefecture 海北藏族自治州[Hai3 bei3 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -刚巧,gāng qiǎo,by chance; by coincidence; by good luck -刚度,gāng dù,stiffness -刚强,gāng qiáng,firm; unyielding -刚性,gāng xìng,rigidity -刚愎,gāng bì,headstrong; perverse -刚愎自用,gāng bì zì yòng,obstinate and self-opinionated (idiom) -刚才,gāng cái,just now; a moment ago -刚朵拉,gāng duǒ lā,see 貢多拉|贡多拉[gong4 duo1 la1] -刚果,gāng guǒ,Congo -刚果民主共和国,gāng guǒ mín zhǔ gòng hé guó,Democratic Republic of Congo -刚果河,gāng guǒ hé,Congo River -刚架,gāng jià,rigid frame -刚柔并济,gāng róu bìng jì,to couple strength and gentleness (idiom) -刚正,gāng zhèng,honest; upright -刚正不阿,gāng zhèng bù ē,upright and plainspoken -刚毅,gāng yì,resolute; steadfast; stalwart -刚毅木讷,gāng yì mù nè,resolute and taciturn (idiom) -刚毛,gāng máo,bristle -刚烈,gāng liè,resolute and upright in character; unyielding; staunch -刚玉,gāng yù,corundum (mineral) -刚直,gāng zhí,upright and outspoken -刚才,gāng cái,just now (variant of 剛才|刚才[gang1 cai2]) -刚需,gāng xū,(economics) rigid demand; inelastic demand (abbr. for 剛性需求|刚性需求[gang1 xing4 xu1 qiu2]) -刚体,gāng tǐ,rigid body -刚体转动,gāng tǐ zhuǎn dòng,rigid rotation -剜,wān,to scoop out; to gouge out -剥,bāo,to peel; to skin; to shell; to shuck -剥,bō,to peel; to skin; to flay; to shuck -剥削,bō xuē,to exploit; exploitation -剥削者,bō xuē zhě,exploiter (of labor) -剥削阶级,bō xuē jiē jí,exploiting class (in Marxist theory) -剥啄,bō zhuó,(onom.) tap (on a door or window) -剥夺,bō duó,to deprive; to expropriate; to strip (sb of his property) -剥掉,bō diào,to peel off; to strip off -剥采比,bō cǎi bǐ,stripping-to-ore ratio; stripping ratio -剥皮,bāo pí,to skin; to flay; to peel; (fig.) (coll.) to haul (sb) over the coals; also pr. [bo1 pi2] -剥皮器,bō pí qì,peeler (e.g. for vegetables) -剥皮钳,bāo pí qián,wire stripper -剥落,bō luò,to peel off -剥蚀,bō shí,to corrode; to expose by corrosion (geology) -剥离,bō lí,"to peel; to strip; to peel off; to come off (of tissue, skin, covering etc)" -剞,jī,used in 剞劂[ji1 jue2] -剞劂,jī jué,(literary) a knife used for carving; a graver; (literary) to cut blocks; to block-print (a book) -剡,shàn,river in Zhejiang -剡,yǎn,sharp -剩,shèng,to remain; to be left; to have as remainder -剩下,shèng xià,to remain; to be left over -剩女,shèng nǚ,"""leftover woman"" (successful career woman who has remained single)" -剩磁,shèng cí,residual magnetism -剩菜,shèng cài,leftovers (food) -剩钱,shèng qián,to have money left; remaining money -剩饭,shèng fàn,leftover food -剩余,shèng yú,remainder; surplus -剩余价值,shèng yú jià zhí,(economics) surplus value -剩余定理,shèng yú dìng lǐ,the Remainder Theorem -剩余放射性,shèng yú fàng shè xìng,residual radioactivity -剩余辐射,shèng yú fú shè,residual radiation -剪,jiǎn,surname Jian -剪,jiǎn,scissors; shears; clippers; CL:把[ba3]; to cut with scissors; to trim; to wipe out or exterminate -剪刀,jiǎn dāo,scissors; CL:把[ba3] -剪刀差,jiǎn dāo chā,prices scissor (caught between low income and high prices) -剪刀手,jiǎn dāo shǒu,V sign (hand gesture) -剪刀石头布,jiǎn dāo shí tou bù,rock-paper-scissors (game) -剪切,jiǎn qiē,"to shear; shearing (force); (computing) to cut (as in ""cut-and-paste"")" -剪切力,jiǎn qiē lì,shear; shearing force -剪切形变,jiǎn qiē xíng biàn,shearing; shear deformation -剪切板,jiǎn qiē bǎn,(computing) clipboard -剪力,jiǎn lì,shear; shearing force -剪嘴鸥,jiǎn zuǐ ōu,(bird species of China) Indian skimmer (Rynchops albicollis) -剪报,jiǎn bào,newspaper cutting; clippings -剪子,jiǎn zi,clippers; scissors; shears; CL:把[ba3] -剪彩,jiǎn cǎi,to cut the ribbon (at a launching or opening ceremony) -剪影,jiǎn yǐng,paper-cut silhouette; outline; sketch -剪径,jiǎn jìng,to waylay and rob; highway robbery -剪应力,jiǎn yìng lì,shear stress -剪成,jiǎn chéng,cut into -剪掉,jiǎn diào,to cut off; to cut away; to trim -剪接,jiǎn jiē,film-editing; montage; to cut or edit film -剪断,jiǎn duàn,to cut; to snip -剪枝,jiǎn zhī,to prune (branches etc) -剪纸,jiǎn zhǐ,papercutting (Chinese folk art); to make paper cutouts -剪草机,jiǎn cǎo jī,lawnmower -剪草除根,jiǎn cǎo chú gēn,lit. cut grass and pull out roots (idiom); fig. to destroy root and branch; to eradicate -剪裁,jiǎn cái,to tailor (clothes); to trim (expenditure) -剪贴板,jiǎn tiē bǎn,(computing) clipboard -剪贴簿,jiǎn tiē bù,scrapbook -剪辑,jiǎn jí,"to edit (video images, film)" -剪除,jiǎn chú,to eradicate; to exterminate -剪头,jiǎn tóu,to get a haircut; to give sb a haircut -剪头发,jiǎn tóu fa,(to get a) haircut -剐,guǎ,cut off the flesh as punishment -副,fù,"secondary; auxiliary; deputy; assistant; vice-; abbr. for 副詞|副词 adverb; classifier for pairs, sets of things & facial expressions" -副主任,fù zhǔ rèn,deputy director; assistant head -副主席,fù zhǔ xí,vice-chairperson -副作用,fù zuò yòng,side effect -副伤寒,fù shāng hán,paratyphoid fever -副刊,fù kān,supplement -副司令,fù sī lìng,second in command -副品,fù pǐn,product of inferior quality -副国务卿,fù guó wù qīng,undersecretary of state -副地级市,fù dì jí shì,"sub-prefecture-level city (county level division, administered by province, not under a prefecture)" -副官,fù guān,aide-de-camp -副室,fù shì,concubine (old) -副将,fù jiàng,deputy general -副州长,fù zhōu zhǎng,deputy governor (of a province or colony); lieutenant governor of US state -副市长,fù shì zhǎng,deputy mayor -副手,fù shǒu,assistant -副教授,fù jiào shòu,associate professor (university post) -副书记,fù shū ji,deputy secretary -副本,fù běn,copy; duplicate; transcript; (in online games) instance -副校长,fù xiào zhǎng,vice-principal -副业,fù yè,sideline; side occupation -副标题,fù biāo tí,subheading; subtitle -副档名,fù dàng míng,(file) extension (computing) (Tw) -副歌,fù gē,chorus; refrain -副法向量,fù fǎ xiàng liàng,binormal vector (to a space curve) -副热带,fù rè dài,subtropical (zone or climate) -副理,fù lǐ,deputy director; assistant manager -副产品,fù chǎn pǐn,by-product -副产物,fù chǎn wù,by-product (lit. and fig.) -副甲状腺,fù jiǎ zhuàng xiàn,parathyroid (Tw) -副甲状腺素,fù jiǎ zhuàng xiàn sù,parathyroid hormone (Tw) -副相,fù xiàng,deputy prime minister -副省级,fù shěng jí,"sub-provincial (not provincial status, but independent)" -副省级城市,fù shěng jí chéng shì,subprovincial city (having independent economic status within a province) -副秘书长,fù mì shū zhǎng,vice-secretary -副经理,fù jīng lǐ,deputy director; assistant manager -副总理,fù zǒng lǐ,vice-premier; vice prime minister; deputy prime minister -副总统,fù zǒng tǒng,vice-president -副总裁,fù zǒng cái,vice-chairman (of an organization); vice president (of a company); deputy governor (of a bank) -副翼,fù yì,aileron (aeronautics) -副肾,fù shèn,adrenal glands -副菜,fù cài,side dish; side order -副词,fù cí,adverb -副议长,fù yì zhǎng,vice-chairman -副部长,fù bù zhǎng,assistant (government) minister -副院长,fù yuàn zhǎng,deputy chair of board; vice-president (of a university etc) -副食,fù shí,non-staple food; CL:種|种[zhong3] -副食品,fù shí pǐn,non-staple foods; (Tw) solids (food for infants other than breast milk and formula) -副驾驶,fù jià shǐ,copilot; front passenger seat -副驾驶员,fù jià shǐ yuán,co-pilot; second driver -副驾驶座,fù jià shǐ zuò,front passenger seat -副黏液病毒,fù nián yè bìng dú,paramyxovirus -割,gē,to cut; to cut apart -割伤,gē shāng,to gash; to cut; gash; cut -割包,guà bāo,see 刈包[gua4 bao1] -割包皮,gē bāo pí,to circumcise -割取,gē qǔ,to cut off -割席,gē xí,(literary) to break off relations with a friend; to sever ties with sb -割爱,gē ài,to part with sth cherished; to forsake -割舍,gē shě,to give up; to part with -割接,gē jiē,(network) cutover; (system) migration -割损,gē sǔn,circumcision (Bible term) -割据,gē jù,to set up an independent regime; to secede; segmentation; division; fragmentation -割断,gē duàn,to cut off; to sever -割弃,gē qì,to discard; to abandon; to give (sth) up -割礼,gē lǐ,circumcision (male or female) -割线,gē xiàn,secant line (math.) -割肉,gē ròu,to cut some meat; to cut off a piece of flesh; (fig.) (coll.) to sell at a loss -割股疗亲,gē gǔ liáo qīn,to cut flesh from one's thigh to nourish a sick parent (idiom); filial thigh-cutting -割草,gē cǎo,mow grass -割草机,gē cǎo jī,lawn mower (machine) -割袍断义,gē páo duàn yì,to rip one's robe as a sign of repudiating a sworn brotherhood (idiom); to break all friendly ties -割裂,gē liè,to cut apart; to sever; to separate; to isolate -割让,gē ràng,to cede; cession -割除,gē chú,to amputate; to excise (cut out) -割鸡焉用牛刀,gē jī yān yòng niú dāo,lit. why use a pole-ax to slaughter a chicken? (idiom); fig. to waste effort on a trifling matter; also written 殺雞焉用牛刀|杀鸡焉用牛刀[sha1 ji1 yan1 yong4 niu2 dao1] -剳,dá,hook; sickle -札,zhá,variant of 札[zha2] -剀,kǎi,used in 剴切|剀切[kai3 qie4] -剀切,kǎi qiè,cogent; to the point; earnest; conscientious -创,chuāng,(bound form) a wound; to wound -创,chuàng,to initiate; to create; to achieve (sth for the first time) -创下,chuàng xià,to establish; to set (a new record) -创下高票房,chuàng xià gāo piào fáng,to set a box office record -创世,chuàng shì,the creation of the world -创世纪,chuàng shì jì,"Genesis (first book of the Bible); the Creation, an epic poem of the Naxi 納西|纳西[Na4 xi1] ethnic group" -创世纪,chuàng shì jì,creation myth -创世记,chuàng shì jì,Genesis (first book of the Bible) -创世论,chuàng shì lùn,creationism -创作,chuàng zuò,to create; to produce; to write; a creative work; a creation -创作力,chuàng zuò lì,originality -创作者,chuàng zuò zhě,creator; author -创伤,chuāng shāng,wound; injury; trauma -创伤后,chuāng shāng hòu,post-traumatic -创伤后压力,chuāng shāng hòu yā lì,post-traumatic stress -创伤后压力紊乱,chuāng shāng hòu yā lì wěn luàn,post-traumatic stress disorder PTSD -创伤后心理压力紧张综合症,chuāng shāng hòu xīn lǐ yā lì jǐn zhāng zōng hé zhèng,post-traumatic stress disorder (PTSD) -创价学会,chuàng jià xué huì,Soka Gakkai International -创优,chuàng yōu,to strive for excellence -创刊,chuàng kān,to start publishing; to found a journal -创刊号,chuàng kān hào,first issue -创利,chuàng lì,to make a profit -创制,chuàng zhì,to formulate; to institute; to create -创汇,chuàng huì,to earn foreign exchange -创口,chuāng kǒu,wound; cut -创口贴,chuāng kǒu tiē,band-aid -创可贴,chuāng kě tiē,band-aid; sticking plaster -创始,chuàng shǐ,to initiate; to found -创始人,chuàng shǐ rén,creator; founder; initiator -创始者,chuàng shǐ zhě,creator; initiator -创巨痛深,chuāng jù tòng shēn,(idiom) deeply distressed -创建,chuàng jiàn,to found; to establish -创建者,chuàng jiàn zhě,founder; creator -创意,chuàng yì,creative; creativity -创投基金,chuàng tóu jī jīn,venture capital fund -创收,chuàng shōu,to generate revenue; to create extra income -创新,chuàng xīn,to bring forth new ideas; to blaze new trails; innovation -创新精神,chuàng xīn jīng shén,creativity -创业,chuàng yè,to begin an undertaking; to start an enterprise; entrepreneurship -创业投资,chuàng yè tóu zī,venture capital -创业板上市,chuàng yè bǎn shàng shì,"Growth Enterprise Market (GEM), Nasdaq-like board on the stock exchange in Hong Kong or in Shenzhen" -创业精神,chuàng yè jīng shén,enterprising spirit; pioneering spirit -创业者,chuàng yè zhě,entrepreneur -创牌子,chuàng pái zi,(of a company) to establish a brand name -创痕,chuāng hén,scar (physical or psychological) -创痛,chuāng tòng,pain from a wound -创立,chuàng lì,to establish; to set up; to found -创立人,chuàng lì rén,founder -创立者,chuàng lì zhě,founder -创练,chuàng liàn,to form and train (a military unit); to create and practice (a martial art); to train oneself (by real-life experience) -创举,chuàng jǔ,pioneering work -创见,chuàng jiàn,an original idea -创见性,chuàng jiàn xìng,"original (idea, discovery etc)" -创记录,chuàng jì lù,to set a record -创设,chuàng shè,to establish; to set up; to create (suitable conditions etc) -创译,chuàng yì,transcreation (adaptation of a creative work for an audience of a different culture) -创议,chuàng yì,to propose; proposal -创办,chuàng bàn,to establish; to found -创办人,chuàng bàn rén,founder (of an institution etc) -创办者,chuàng bàn zhě,founder; creator -创造,chuàng zào,to create; to bring about; to produce; to set (a record) -创造主,chuàng zào zhǔ,Creator (Christianity) -创造力,chuàng zào lì,ingenuity; creativity -创造性,chuàng zào xìng,creativeness; creativity -创造者,chuàng zào zhě,creator -创造论,chuàng zào lùn,creationism (religion) -铲,chǎn,to level off; to root up -铲除,chǎn chú,to root out; to eradicate; to sweep away; to abolish -戮,lù,to peel with a knife; old variant of 戮[lu4] -剽,piāo,to rob; swift; nimble; Taiwan pr. [piao4] -剽悍,piāo hàn,swift and fierce -剽窃,piāo qiè,to plunder; to plagiarize -剿,chāo,to plagiarize -剿,jiǎo,to destroy; to extirpate -剿匪,jiǎo fěi,to send armed forces to suppress -剿灭,jiǎo miè,to eliminate (by armed force) -剿袭,chāo xí,variant of 抄襲|抄袭[chao1 xi2] -剿说,chāo shuō,to plagiarize -劁,qiāo,to neuter livestock -劂,jué,used in 剞劂[ji1jue2] -划,huá,to cut; to slash; to scratch (cut into the surface of sth); to strike (a match) -划,huà,to delimit; to transfer; to assign; to plan; to draw (a line); stroke of a Chinese character -划一,huà yī,uniform; to standardize -划一不二,huà yī bù èr,fixed; unalterable -划下,huà xià,to underline; to mark -划位,huà wèi,(Tw) to divide up an area; to assign a spot; to allocate a seat; one's assigned spot -划伤,huá shāng,to damage by scratching; to gash; to lacerate -划价,huà jià,to price (medical prescription) -划分,huà fēn,to divide up; to partition; to differentiate -划切,huá qiè,to slice; to dice -划十字,huà shí zì,variant of 畫十字|画十字[hua4 shi2 zi4] -划圆防守,huà yuán fáng shǒu,to counter (a stroke in fencing) -划定,huà dìng,to demarcate; to delimit -划掉,huà diào,to cross out; to cross off -划拨,huà bō,to assign; to allocate; to transfer (money to an account) -划时代,huà shí dài,epoch-marking -划归,huà guī,to incorporate; to put under (external administration) -划清,huà qīng,to make a clear distinction; to differentiate clearly -划痕,huá hén,a scratch -划破,huá pò,"to cut open; to rip; to streak across (lightning, meteor etc); to pierce (scream, searchlight etc)" -划线,huà xiàn,to delineate; to draw a line; to underline -划线板,huà xiàn bǎn,ruler (used for drawing lines) -划花,huà huā,engraving (on porcelain etc) -划过,huá guò,"(of a meteor etc) to streak across (the sky); (of a searchlight, lightning etc) to play across (the sky)" -划重点,huà zhòng diǎn,to highlight or underline an important point -劄,zhā,to prick with a needle -札,zhá,variant of 札[zha2] -剧,jù,"theatrical work (play, opera, TV series etc); dramatic (change, increase etc); acute; severe" -剧作家,jù zuò jiā,playwright -剧团,jù tuán,theatrical troupe -剧场,jù chǎng,theater; CL:個|个[ge4] -剧增,jù zēng,dramatic increase -剧坛,jù tán,the world of Chinese opera; theatrical circles -剧情,jù qíng,story line; plot; drama (genre) -剧本,jù běn,"script for play, opera, movie etc; screenplay; scenario" -剧本杀,jù běn shā,murder mystery game (role-playing game) -剧毒,jù dú,highly toxic; extremely poisonous -剧烈,jù liè,violent; acute; severe; fierce -剧照,jù zhào,photo taken during a theatrical production; a still (from a movie) -剧痛,jù tòng,acute pain; sharp pain; twinge; stab; pang -剧目,jù mù,theatrical piece (play or opera); repertoire; list of plays or operas -剧社,jù shè,theater company -剧终,jù zhōng,The End (appearing at the end of a movie etc) -剧组,jù zǔ,cast and crew; performers and production team -剧荒,jù huāng,(neologism c. 2016) no tv shows to watch -剧变,jù biàn,to change dramatically; radical change -剧透,jù tòu,plot leak; spoiler -剧院,jù yuàn,"theater; CL:家[jia1],座[zuo4]" -剧集,jù jí,(broadcast drama) series; episode -劈,pī,to hack; to chop; to split open; (of lightning) to strike -劈,pǐ,to split in two; to divide -劈叉,pǐ chà,the splits (move in dancing); to do the splits; Taiwan pr. [pi3 cha1] -劈啪,pī pā,"(onom.) for crack, slap, clap, clatter etc" -劈情操,pī qíng cāo,to have a friendly chat (Shanghai) -劈手,pī shǒu,with a lightning move of the hand -劈挂拳,pī guà quán,"Piguaquan ""Chop-Hanging Fist"" (Chinese Martial Art)" -劈柴,pī chái,to chop firewood; to split logs -劈柴,pǐ chai,chopped wood; firewood -劈理,pī lǐ,(mining) cleavage -劈空扳害,pī kōng bān hài,damaged by groundless slander (idiom) -劈腿,pǐ tuǐ,to do the splits (gymnastics); (Tw) two-timing (in romantic relationships); Taiwan pr. [pi1 tui3] -劈脸,pī liǎn,right in the face -劈裂,pī liè,to split open; to cleave; to rend -劈里啪啦,pī li pā lā,variant of 噼裡啪啦|噼里啪啦[pi1 li5 pa1 la1] -劈开,pī kāi,"to cleave; to split open; to spread open (fingers, legs)" -劈离,pī lí,split -劈面,pī miàn,right in the face -劈头,pī tóu,straight away; right off the bat; right on the head; right in the face -劈头盖脸,pī tóu gài liǎn,lit. splitting the head and covering the face (idiom); fig. pelting (with rain etc); showering down -刘,liú,surname Liu -刘,liú,(classical) a type of battle-ax; to kill; to slaughter -刘伯温,liú bó wēn,"Liu Bowen (1311-1375), general under the first Ming emperor Zhu Yuanzhang 朱元璋[Zhu1 Yuan2 zhang1], with a reputation as a military genius, also called Liu Ji 劉基|刘基[Liu2 Ji1]" -刘备,liú bèi,"Liu Bei (161-223), warlord at the end of the Han dynasty and founder of the Han kingdom of Shu 蜀漢|蜀汉 (c. 200-263), later the Shu Han dynasty" -刘光第,liú guāng dì,"Liu Guangdi (1859-1898), one of the Six Gentlemen Martyrs 戊戌六君子[Wu4 xu1 Liu4 jun1 zi5] of the unsuccessful reform movement of 1898" -刘公岛,liú gōng dǎo,Liugong island in the Yellow sea -刘剑峰,liú jiàn fēng,"Liu Jianfeng (1936-), second governor of Hainan" -刘厚总,liú hòu zǒng,"Liu Houzong (1904-1949), originally Hunan guerilla leader, rewarded by Chiang Kaishek for killing Xiang Ying 項英|项英[Xiang4 Ying1] during the 1941 New Fourth Army incident 皖南事變|皖南事变[Wan3 nan2 Shi4 bian4]" -刘向,liú xiàng,"Liu Xiang (77-6 BC), Han Dynasty scholar and author" -刘基,liú jī,"Liu Ji or Liu Bowen 劉伯溫|刘伯温[Liu2 Bo2 wen1] (1311-1375), general under the first Ming emperor Zhu Yuanzhang 朱元璋[Zhu1 Yuan2 zhang1], with a reputation as a military genius" -刘天华,liú tiān huá,"Liu Tianhua (1895-1932), Chinese musician and composer" -刘奭,liú shì,"Liu Shi, personal name of Han Emperor Yuandi 漢元帝|汉元帝[Han4 Yuan2 di4]" -刘姥姥进大观园,liú lǎo lao jìn dà guān yuán,Granny Liu visits the Grand View gardens; (of a simple person) to be overwhelmed by new experiences and luxurious surroundings -刘安,liú ān,"Liu An (179-122 BC), King of Huainan under the Western Han, ordered the writing of the 淮南子[Huai2 nan2 zi5]" -刘宋,liú sòng,"Song of the Southern dynasties 南朝宋 (420-479), with capital at Nanjing" -刘宋时代,liú sòng shí dài,"Song of the Southern dynasties (420-479), with capital at Nanjing" -刘家夼,liú jiā kuǎng,"Liujiakuang township in Muping district 牟平區|牟平区, Yantai, Shandong" -刘家夼镇,liú jiā kuǎng zhèn,"Liujiakuang township in Muping district 牟平區|牟平区, Yantai, Shandong" -刘家村,liú jiā cūn,"Liujia village in Zhangdian District 張店區|张店区[Zhang1 dian4 Qu1] of Zhibo city 淄博市[Zi1 bo2 shi4], Shandong" -刘家辉,liú jiā huī,"Gordon Liu (1955-), Hong Kong action actor" -刘少奇,liú shào qí,"Liu Shaoqi (1898-1969), Chinese communist leader, a martyr of the Cultural Revolution" -刘师培,liú shī péi,"Liu Shipei (1884-1919), Chinese anarchist and revolutionary activist" -刘德华,liú dé huá,"Andy Lau (1961-), Hong Kong Cantopop singer and actor" -刘心武,liú xīn wǔ,"Liu Xinwu (1942-), novelist" -刘恒,liú héng,"Liu Heng, personal name of Han emperor Han Wendi 漢文帝|汉文帝; Liu Heng (1954-), Chinese writer" -刘慈欣,liú cí xīn,"Liu Cixin (1963-), Chinese science fiction writer" -刘昫,liú xù,"Liu Xu (887-946), politician in Later Jin of the Five Dynasties 後晉|后晋[Hou4 Jin4], compiled History of Early Tang Dynasty 舊唐書|旧唐书[Jiu4 Tang2 shu1]" -刘晓波,liú xiǎo bō,"Liu Xiaobo (1955-2017), Beijing writer and human rights activist, organizer of petition Charter 2008 零八憲章|零八宪章[Ling2 ba1 Xian4 zhang1], Nobel Peace Prize laureate in 2010" -刘松龄,liú sōng líng,"Ferdinand Augustin Hallerstein (1703-1774), Slovenian Jesuit missionary, astronomer and mathematician, spent 35 years at Emperor Qianlong's court" -刘毅,liú yì,"Liu Yi (-285), famous incorruptible official of Western Jin dynasty the Western Jin dynasty 西晉|西晋[Xi1 Jin4] (265-316); Liu Yi (-412), general of Eastern Jin dynasty 東晉|东晋[Dong1 Jin4] (317-420)" -刘洋,liú yáng,"Liu Yang (1978-), China's first female astronaut in space (June 16, 2012)" -刘海,liú hǎi,bangs; fringe (hair) -刘涓子,liú juān zǐ,"Liu Juanzi, legendary alchemist and creator of magic potions" -刘涓子鬼遗方,liú juān zǐ guǐ yí fāng,Liu Juanzi's medical recipes bequeathed by the ghost Huang Fugui 黃父鬼|黄父鬼 -刘渊,liú yuān,"Liu Yuan (c. 251-310), warlord at the end of the Western Jin dynasty 西晉|西晋[Xi1 Jin4], founder of Cheng Han of the Sixteen Kingdoms 成漢|成汉[Cheng2 Han4] (304-347)" -刘熙,liú xī,"Liu Xi (late Han, c. 200 AD), possibly the author of 釋名|释名[Shi4 ming2]" -刘禅,liú shàn,"Liu Shan (207-271), son of Liu Bei, reigned as Shu Han emperor 233-263; Taiwan pr. [Liu2 Chan2]" -刘禹锡,liú yǔ xī,"Liu Yuxi (772-842), Tang poet" -刘义庆,liú yì qìng,"Liu Yiqing (403-444), writer of South Song Dynasty, compiler and editor of A New Account of the Tales of the World 世說新語|世说新语[Shi4 shuo1 Xin1 yu3]" -刘翔,liú xiáng,"Liu Xiang (1983-), Chinese gold-medal hurdler of the 2004 Olympic Games" -刘表,liú biǎo,"Liu Biao (142-208), warlord" -刘裕,liú yù,"Liu Yu, founder of Song of the Southern dynasties 劉宋|刘宋[Liu2 Song4], broke away from Eastern Jin in 420, reigned as Emperor Wu of Song 宋武帝[Song4 Wu3 di4]" -刘贵今,liú guì jīn,"Liu Guijin (1945-), PRC diplomat, special representative to Africa from 2007, Chinese specialist on Sudan and the Darfur issue" -刘宾雁,liú bīn yàn,"Liu Binyan (1925-2005), journalist and novelist, condemned by Mao as rightist faction in 1957, subsequently dissident writer" -刘邦,liú bāng,"Liu Bang (256 or 247-195 BC), bandit leader who became first Han emperor Han Gaozu 漢高祖|汉高祖 (reigned 202-195 BC)" -刘金宝,liú jīn bǎo,"Liu Jinbao (1952-), CEO of the Bank of China (Hong Kong) 1997-2003, jailed after being convicted of embezzlement" -刘云山,liú yún shān,"Liu Yunshan (1947-), PRC politician, background in journalism in Inner Mongolia, head of the Central Propaganda Department 2002-2012" -刘青云,liú qīng yún,"Lau Ching-Wan (1964-), Hong Kong actor" -刘鹗,liú è,"Liu E (1857-1909), late Qing novelist, author of 老殘遊記|老残游记[Lao3 Can2 You2 ji4]" -刽,guì,to amputate; to cut off; also pr. [kuai4] -刽子手,guì zi shǒu,executioner; headsman; slaughterer; fig. indiscriminate murderer -刿,guì,cut; injure -剑,jiàn,"double-edged sword; CL:口[kou3],把[ba3]; classifier for blows of a sword" -剑嘴鹛,jiàn zuǐ méi,(bird species of China) slender-billed scimitar babbler (Pomatorhinus superciliaris) -剑客,jiàn kè,swordsman -剑尖,jiàn jiān,point; sharp end -剑川,jiàn chuān,"Jianchuan county in Dali Bai autonomous prefecture 大理白族自治州[Da4 li3 Bai2 zu2 zi4 zhi4 zhou1], Yunnan" -剑川县,jiàn chuān xiàn,"Jianchuan county in Dali Bai autonomous prefecture 大理白族自治州[Da4 li3 Bai2 zu2 zi4 zhi4 zhou1], Yunnan" -剑拔弩张,jiàn bá nǔ zhāng,lit. with swords drawn and bows bent (idiom); fig. a state of mutual hostility; at daggers drawn -剑柄,jiàn bǐng,sword hilt -剑标,jiàn biāo,(typography) dagger (†) -剑桥,jiàn qiáo,Cambridge -剑桥大学,jiàn qiáo dà xué,University of Cambridge -剑河,jiàn hé,"Jianhe county in Qiandongnan Miao and Dong autonomous prefecture 黔東南州|黔东南州[Qian2 dong1 nan2 zhou1], Guizhou" -剑河县,jiàn hé xiàn,"Jianhe county in Qiandongnan Miao and Dong autonomous prefecture 黔東南州|黔东南州[Qian2 dong1 nan2 zhou1], Guizhou" -剑法,jiàn fǎ,fencing; sword-play -剑术,jiàn shù,swordsmanship -剑走偏锋,jiàn zǒu piān fēng,"Jian Zoupianfeng, pseudonym of prolific modern novelist" -剑走偏锋,jiàn zǒu piān fēng,the sword moves with side stroke (modern idiom); fig. unexpected winning move; unconventional gambit -剑走蜻蛉,jiàn zǒu qīng líng,the sword moves like a dragon-fly (modern idiom); fig. unexpected winning move; unconventional gambit -剑身,jiàn shēn,sword blade -剑道,jiàn dào,kendō (sports) -剑阁,jiàn gé,"Jiange county in Guangyuan 廣元|广元[Guang3 yuan2], Sichuan" -剑阁县,jiàn gé xiàn,"Jiange county in Guangyuan 廣元|广元[Guang3 yuan2], Sichuan" -剑鱼,jiàn yú,swordfish -剑鱼座,jiàn yú zuò,Dorado (constellation) -剑鸻,jiàn héng,(bird species of China) common ringed plover (Charadrius hiaticula) -剑麻,jiàn má,sisal hemp -剑齿虎,jiàn chǐ hǔ,saber-toothed tiger -剑龙,jiàn lóng,stegosaurus -劐,huō,(coll.) to slit with a knife; (variant of 耠[huo1]) hoe; to loosen soil with a hoe -劐,huò,(literary) variant of 穫|获[huo4] -劐弄,huō leng,(dialect) to mix; to stir; to make trouble -剂,jì,dose (medicine) -剂型,jì xíng,"delivery mechanism of a medicine (e.g. pill, powder etc)" -剂子,jì zi,piece of dough cut to the right size (for making jiaozi etc) -剂次,jì cì,instance of administering a dose of vaccine; number of vaccinations -剂量,jì liàng,dosage; prescribed dose of medicine -剂量效应,jì liàng xiào yìng,dose effect -剂量当量,jì liàng dāng liàng,dose equivalent -剂量监控,jì liàng jiān kòng,monitoring -剑,jiàn,variant of 劍|剑[jian4] -劓,yì,cut off the nose -力,lì,surname Li -力,lì,power; force; strength; ability; strenuously -力不胜任,lì bù shèng rèn,not to be up to the task (idiom); incompetent -力不从心,lì bù cóng xīn,less capable than desirable (idiom); not as strong as one would wish; the spirit is willing but the flesh is weak -力主,lì zhǔ,advocate strongly -力作,lì zuò,"to put effort into (work, farming, writing etc); a masterpiece" -力促,lì cù,to urge; to press (for action) -力保,lì bǎo,to seek to protect; to ensure; to maintain; to guard -力保健,lì bǎo jiàn,Lipovitan (energy drink) -力偶,lì ǒu,moment of forces (mechanics) -力传递,lì chuán dì,mechanical transmission -力克,lì kè,to prevail with difficulty -力图,lì tú,to try hard to; to strive to -力场,lì chǎng,force field (physics) -力士,lì shì,strong man; sumo wrestler -力大无比,lì dà wú bǐ,having matchless strength -力大无穷,lì dà wú qióng,extraordinary strength; super strong; strong as an ox -力娇酒,lì jiāo jiǔ,liquor (loanword) -力学,lì xué,mechanics; to study hard -力学传递,lì xué chuán dì,mechanical transmission -力学波,lì xué bō,mechanical wave -力宝,lì bǎo,Lippo (Group) (Indonesian conglomerate) -力帆,lì fān,Lifan Group (auto manufacturer in Chongqing) -力度,lì dù,strength; vigor; efforts; (music) dynamics -力征,lì zhēng,by force; to conquer by force of arms; power -力心,lì xīn,fulcrum; center of force -力戒,lì jiè,to try everything to avoid; to guard against -力战,lì zhàn,to fight with all one's might -力所不及,lì suǒ bù jí,beyond one's power (to do sth) -力所能及,lì suǒ néng jí,as far as one's capabilities extend (idiom); to the best of one's ability; within one's powers -力拓,lì tuò,Rio Tinto (UK-Australian mining corporation) -力拚,lì pàn,(Tw) to put one's efforts into (sth); to work at (sth) -力挫,lì cuò,to win as a result of tenacious effort; to fight off tough competition -力挺,lì tǐng,to support; to back -力挽狂澜,lì wǎn kuáng lán,to pull strongly against a crazy tide (idiom); fig. to try hard to save a desperate crisis -力排众议,lì pái zhòng yì,to stand one's ground against the opinion of the masses (idiom) -力攻,lì gōng,to assault; to attack in force -力有未逮,lì yǒu wèi dài,beyond one's reach or power (to do sth) -力比多,lì bǐ duō,libido (loanword) -力气,lì qi,physical strength -力求,lì qiú,to make every effort to; striving to do one's best -力波,lì bō,"Reeb, a beer brand" -力争,lì zhēng,to work hard for; to do all one can; to contend strongly -力争上游,lì zhēng shàng yóu,to strive for mastery (idiom); aiming for the best result; to have high ambitions -力畜,lì chù,draft animal; beast of burden -力尽神危,lì jìn shén wēi,(idiom) physically and mentally exhausted -力矩,lì jǔ,torque -力臂,lì bì,lever arm (i.e. perpendicular distance from the fulcrum to the line of force) -力荐,lì jiàn,to strongly recommend -力行,lì xíng,to practice diligently; to act energetically -力道,lì dào,strength; power; efficacy -力量,lì liang,power; force; strength -力量均衡,lì liàng jūn héng,balance of power -力钱,lì qián,payment to a porter -力阻,lì zǔ,to block; to prevent by force -功,gōng,meritorious deed or service; achievement; result; service; accomplishment; work (physics) -功不可没,gōng bù kě mò,one's contributions cannot go unnoticed (idiom) -功令,gōng lìng,decree -功利,gōng lì,utility -功利主义,gōng lì zhǔ yì,utilitarianism -功到自然成,gōng dào zì rán chéng,effort will undoubtedly lead to success (idiom) -功力,gōng lì,merit; efficacy; competence; skill; power -功勋,gōng xūn,achievement; meritorious deed; contributions (for the good of society) -功劳,gōng láo,contribution; meritorious service; credit -功名,gōng míng,scholarly honor (in imperial exams); rank; achievement; fame; glory -功名利禄,gōng míng lì lù,"position and wealth (idiom); rank, fame and fortune" -功夫,gōng fu,skill; art; kung fu; labor; effort -功夫流感,gōng fu liú gǎn,"Chinese translation of ""kung flu"", a term used by US President Trump in 2020 to refer to COVID-19 as a ""Chinese"" disease" -功夫球,gōng fu qiú,see 鐵球|铁球[tie3 qiu2] -功夫病毒,gōng fu bìng dú,kung flu -功夫茶,gōng fu chá,"very concentrated type of tea drunk in Chaozhou, Fujian and Taiwan" -功完行满,gōng wán xíng mǎn,to fully achieve one's ambitions (idiom) -功底,gōng dǐ,training in the basic skills; knowledge of the fundamentals -功德,gōng dé,achievements and virtue -功德圆满,gōng dé yuán mǎn,virtuous achievements come to their successful conclusion (idiom) -功德无量,gōng dé wú liàng,no end of virtuous achievements (idiom); boundless beneficence -功成不居,gōng chéng bù jū,not to claim personal credit for achievement (idiom) -功成名就,gōng chéng míng jiù,to win success and recognition (idiom) -功效,gōng xiào,efficacy -功败垂成,gōng bài chuí chéng,to fail within sight of success (idiom); last-minute failure; to fall at the last hurdle; snatching defeat from the jaws of victory -功业,gōng yè,achievement; outstanding work; glorious deed -功烈,gōng liè,achievement -功率,gōng lǜ,rate of work; power (output) -功率恶化,gōng lǜ è huà,power penalty -功率输出,gōng lǜ shū chū,power output (of an electrical device etc) -功用,gōng yòng,function -功绩,gōng jì,feat; contribution; merits and achievements -功罪,gōng zuì,achievements and crimes -功耗,gōng hào,electric consumption; power wastage -功能,gōng néng,function; capability -功能团,gōng néng tuán,functional group (chemistry) -功能性,gōng néng xìng,functionality -功能性磁共振成像,gōng néng xìng cí gòng zhèn chéng xiàng,functional magnetic resonance imaging (fMRI) -功能模块,gōng néng mó kuài,functional module -功能磁共振成像术,gōng néng cí gòng zhèn chéng xiàng shù,functional magnetic resonance imaging (fMRI) -功能群,gōng néng qún,functional group -功能表,gōng néng biǎo,menu (software) -功能词,gōng néng cí,function word -功能集,gōng néng jí,function library -功臣,gōng chén,meritorious official; person who renders exceptional service; hero; (fig.) sth that plays a vital role -功莫大焉,gōng mò dà yān,no greater contribution has been made than this (idiom) -功亏一篑,gōng kuī yī kuì,lit. to ruin the enterprise for the sake of one basketful; to fail through lack of a final effort; to spoil the ship for a ha'penny worth of tar (idiom) -功课,gōng kè,homework; assignment; task; classwork; lesson; study; CL:門|门[men2] -功过,gōng guò,merits and demerits; contributions and errors -功高不赏,gōng gāo bù shǎng,high merit that one can never repay (idiom); invaluable achievements -功高望重,gōng gāo wàng zhòng,high merit and worthy prospects (idiom) -功高盖主,gōng gāo gài zhǔ,lit. one's accomplishments overshadow the authority of the sovereign (idiom); fig. to be so influential that one rivals one's leader -加,jiā,Canada (abbr. for 加拿大[Jia1na2da4]); surname Jia -加,jiā,"to add; plus; (used after an adverb such as 不, 大, 稍 etc, and before a disyllabic verb, to indicate that the action of the verb is applied to sth or sb previously mentioned); to apply (restrictions etc) to (sb); to give (support, consideration etc) to (sth)" -加上,jiā shàng,plus; to put in; to add; to add on; to add into; in addition; on top of that -加之,jiā zhī,moreover; in addition to that -加人一等,jiā rén yī děng,a cut above; top quality -加以,jiā yǐ,"in addition; moreover; (used before a disyllabic verb to indicate that the action of the verb is applied to sth or sb previously mentioned); to apply (restrictions etc) to (sb); to give (support, consideration etc) to (sth)" -加来海峡,jiā lái hǎi xiá,"Strait of Calais in the English channel; Strait of Dover; Pas-de-Calais, département of France" -加仑,jiā lún,gallon (loanword) -加俸,jiā fèng,to raise one's pay -加俾额尔,jiā bǐ é ěr,Gabriel (biblical name) -加仓,jiā cāng,(finance) to increase one's position -加倍,jiā bèi,to double; to redouble -加值,jiā zhí,to recharge (money onto a card) (Tw) -加值型网路,jiā zhí xíng wǎng lù,value added network; VAN -加价,jiā jià,to increase a price -加入,jiā rù,to become a member; to join; to mix into; to participate in; to add in -加冕,jiā miǎn,to crown; coronation -加冠,jiā guān,(in former times) coming-of-age ceremony at 20 years -加冰,jiā bīng,(of a drink) iced; on the rocks -加冰块,jiā bīng kuài,on the rocks; with ice; iced -加分,jiā fēn,bonus point; extra credit; to award bonus points; to earn extra points -加利利,jiā lì lì,Galilee (in biblical Palestine) -加利福尼亚,jiā lì fú ní yà,California -加利福尼亚大学,jiā lì fú ní yà dà xué,University of California -加利福尼亚大学洛杉矶分校,jiā lì fú ní yà dà xué luò shān jī fēn xiào,UCLA -加利福尼亚州,jiā lì fú ní yà zhōu,California -加利福尼亚理工学院,jiā lì fú ní yà lǐ gōng xué yuàn,California Institute of Technology (Caltech) -加利肋亚,jiā lì lèi yà,Galilee (in biblical Palestine) -加利西亚,jiā lì xī yà,"Galicia, province and former kingdom of northwest Spain" -加剧,jiā jù,to intensify -加加林,jiā jiā lín,"Yuri Gagarin (1934-1968), Russian cosmonaut, first human in space" -加劲,jiā jìn,to increase efforts; to make extra efforts -加劲儿,jiā jìn er,erhua variant of 加勁|加劲[jia1 jin4] -加勒比,jiā lè bǐ,Caribbean -加勒比国家联盟,jiā lè bǐ guó jiā lián méng,Association of Caribbean States -加勒比海,jiā lè bǐ hǎi,Caribbean Sea -加吉鱼,jiā jí yú,porgy (Pagrosomus major) -加哩,jiā lǐ,curry (loanword) -加固,jiā gù,to reinforce (a structure); to strengthen -加国,jiā guó,Canada -加塞儿,jiā sāi er,to push into a line out of turn; to cut in line; to jump the queue -加压,jiā yā,to pressurize; to pile on pressure -加压釜,jiā yā fǔ,pressure chamber; pressurized cauldron -加多宝,jiā duō bǎo,JDB (Chinese beverage company) -加大,jiā dà,to increase (e.g. one's effort) -加大力度,jiā dà lì dù,to try harder; to redouble one's efforts -加大努力,jiā dà nǔ lì,to try harder; to redouble one's efforts -加大油门,jiā dà yóu mén,to accelerate; to step on the gas -加央,jiā yāng,"Kangar city, capital of Perlis state 玻璃市[Bo1 li2 shi4], Malaysia" -加委,jiā wěi,(of a government authority) to appoint (sb recommended by a subsidiary unit or a non-government organization) -加官,jiā guān,to be promoted; additional government post -加官晋爵,jiā guān jìn jué,to confer a title an official position -加官晋级,jiā guān jìn jí,new post and promotion -加官进位,jiā guān jìn wèi,promotion in official post and salary raise (idiom) -加官进爵,jiā guān jìn jué,promotion to the nobility (idiom) -加官进禄,jiā guān jìn lù,promotion in official post and salary raise (idiom) -加害,jiā hài,to injure -加密,jiā mì,to encrypt; encryption; to protect with a password -加密套接字协议层,jiā mì tào jiē zì xié yì céng,Secure Sockets Layer (SSL) (computing) -加密货币,jiā mì huò bì,cryptocurrency -加宽,jiā kuān,widen -加封,jiā fēng,"to seal up (a door with a paper seal, or a document); to confer an additional title on a nobleman" -加封官阶,jiā fēng guān jiē,to confer additional titles on a nobleman -加州,jiā zhōu,California -加州大学,jiā zhōu dà xué,University of California (abbr. for 加利福尼亞大學|加利福尼亚大学[Jia1 li4 fu2 ni2 ya4 Da4 xue2]) -加州技术学院,jiā zhōu jì shù xué yuàn,California Institute of Technology (Caltech); also written 加州理工學院|加州理工学院 -加州理工学院,jiā zhōu lǐ gōng xué yuàn,California Institute of Technology (Caltech); abbr. for 加利福尼亞理工學院|加利福尼亚理工学院 -加工,jiā gōng,to process; processing; working (of machinery) -加工厂,jiā gōng chǎng,processing plant -加工成本,jiā gōng chéng běn,processing cost -加工效率,jiā gōng xiào lǜ,processing efficiency -加工时序,jiā gōng shí xù,time course -加工贸易,jiā gōng mào yì,process trade; trade involving assembly -加强,jiā qiáng,to reinforce; to strengthen; to enhance -加强管制,jiā qiáng guǎn zhì,to tighten control (over sth) -加强针,jiā qiáng zhēn,(vaccine) booster shot -加彭,jiā péng,Gabon (Tw) -加德士,jiā dé shì,Caltex (petroleum brand name) -加德满都,jiā dé mǎn dū,"Kathmandu, capital of Nepal" -加德纳,jiā dé nà,Gardner (name) -加德西,jiā dé xī,Gardasil (HPV vaccine) -加快,jiā kuài,to accelerate; to speed up -加急,jiā jí,to expedite; (of a delivery etc) expedited; express; urgent -加息,jiā xī,to raise interest rates -加意,jiā yì,paying special care; with particular attention -加拉加斯,jiā lā jiā sī,"Caracas, capital of Venezuela" -加拉太书,jiā lā tài shū,Epistle of St Paul to the Galatians -加拉巴哥斯,jiā lā bā gē sī,Galapagos -加拉巴哥斯群岛,jiā lā bā gē sī qún dǎo,Galapagos Islands -加拉帕戈斯群岛,jiā lā pà gē sī qún dǎo,Galapagos Islands -加拉罕,jiā lā hǎn,"Leo Karakhan (1889-1937), Soviet ambassador to China 1921-26, executed in Stalin's 1937 purge" -加拿大,jiā ná dà,Canada; Canadian -加拿大太平洋铁路,jiā ná dà tài píng yáng tiě lù,Canadian Pacific Railway -加拿大皇家,jiā ná dà huáng jiā,HMCS (Her Majesty's Canadian Ship); prefix for Canadian Navy Vessels -加拿大皇家海军,jiā ná dà huáng jiā hǎi jūn,Royal Canadian Navy -加拿大雁,jiā ná dà yàn,(bird species of China) cackling goose (Branta hutchinsii) -加持,jiā chí,"(Buddhism) (from Sanskrit ""adhiṣṭhāna"") blessings; (fig.) empowerment; boost; support; backing; to give one's blessing; to empower; (Tw) to hold an additional (passport etc)" -加数,jiā shù,addend; summand -加料,jiā liào,"to feed in; to load (raw material, supplies, fuel etc); to supply; fortified (with added material)" -加料钢琴,jiā liào gāng qín,prepared piano -加时,jiā shí,(sports) overtime; extra time; play-off -加时赛,jiā shí sài,(sports) overtime; extra time; play-off -加查,jiā chá,"Gyaca county, Tibetan: Rgya tsha rdzong, in Lhokha prefecture 山南地區|山南地区[Shan1 nan2 di4 qu1], Tibet" -加查县,jiā chá xiàn,"Gyaca county, Tibetan: Rgya tsha rdzong, in Lhokha prefecture 山南地區|山南地区[Shan1 nan2 di4 qu1], Tibet" -加格达奇,jiā gé dá qí,"Jiagedaqi district of Daxing'anling prefecture 大興安嶺地區|大兴安岭地区, in northwest Heilongjiang and northeast Inner Mongolia" -加格达奇区,jiā gé dá qí qū,"Jiagedaqi district of Daxing'anling prefecture 大興安嶺地區|大兴安岭地区, in northwest Heilongjiang and northeast Inner Mongolia" -加权,jiā quán,"(math.) to weight; weighting; weighted (average, index etc)" -加权平均,jiā quán píng jūn,weighted average -加氟,jiā fú,to fluoridate (a public water supply) -加气,jiā qì,to aerate; to ventilate -加氢油,jiā qīng yóu,hydrogenated oil -加沃特,jiā wò tè,"gavotte, French dance popular in 18th century (loanword)" -加沙,jiā shā,Gaza (territory adjacent to Israel and Egypt) -加沙地带,jiā shā dì dài,Gaza Strip -加油,jiā yóu,to add oil; to top up with gas; to refuel; to accelerate; to step on the gas; (fig.) to make an extra effort; to cheer sb on -加油工,jiā yóu gōng,gas station attendant -加油枪,jiā yóu qiāng,fuel nozzle -加油添醋,jiā yóu tiān cù,to add interest (to a story); to sex up -加油站,jiā yóu zhàn,gas station -加法,jiā fǎ,addition -加注,jiā zhù,to increase a bet; to raise (poker); to raise the stakes -加泰罗尼亚,jiā tài luó ní yà,Catalonia -加派,jiā pài,to reinforce; to dispatch troops -加深,jiā shēn,to deepen -加深印象,jiā shēn yìn xiàng,to make a deeper impression on sb -加深理解,jiā shēn lǐ jiě,to get a better grasp of sth -加添,jiā tiān,to add; to augment; to increase -加减乘除,jiā jiǎn chéng chú,"addition, subtraction, multiplication and division: the four basic operations of arithmetic" -加减号,jiā jiǎn hào,plus-minus sign (±); plus and minus signs (+ and -) -加温,jiā wēn,to heat; to add warmth; to raise temperature; fig. to stimulate -加满,jiā mǎn,to top up; to fill to the brim -加演,jiā yǎn,to put on extra shows; to extend the run (of a show); to include an additional element in a show -加湿器,jiā shī qì,humidifier -加热,jiā rè,to heat -加尔各答,jiā ěr gè dá,Calcutta (India) -加尔文,jiā ěr wén,"Calvin (1509-1564), French protestant reformer" -加特林,jiā tè lín,"Gatling (name); Richard J. Gatling (1818-1903), inventor of the Gatling gun" -加特林机枪,jiā tè lín jī qiāng,Gatling gun -加班,jiā bān,to work overtime -加班费,jiā bān fèi,overtime pay -加甜,jiā tián,sweeten -加百列,jiā bǎi liè,Gabriel (name); Archangel Gabriel of the Annunciation -加的夫,jiā de fū,Cardiff -加的斯,jiā dì sī,"Cádiz, Spain" -加盟,jiā méng,to become a member of an alliance or union; to align; to join; participate -加盟店,jiā méng diàn,franchise store -加码,jiā mǎ,"to ratchet up; to raise (expectations etc); to increase (a quota, a position in the market etc); to up the ante; (computing) to encode" -加粗,jiā cū,to make text bold -加纳,jiā nà,Ghana -加索尔,jiā suǒ ěr,"Gasol (name); Pau Gasol (1980-), former Spanish professional basketball player (NBA); Marc Gasol (1985-), Spanish professional basketball player" -加紧,jiā jǐn,to intensify; to speed up; to step up -加总,jiā zǒng,to aggregate; to calculate the total; aggregate; total -加缪,jiā miù,"Albert Camus (1913-1960), French-Algerian philosopher, author, and journalist" -加罗林群岛,jiā luó lín qún dǎo,Caroline Islands -加航,jiā háng,Air Canada -加兹尼,jiā zī ní,Ghazni (Afghan province) -加兹尼省,jiā zī ní shěng,Ghazni or Ghaznah province of Afghanistan -加菲猫,jiā fēi māo,Garfield (comic strip cat created by Jim Davis) -加盖,jiā gài,to seal (with an official stamp); to stamp; (fig.) to ratify; to put a lid on (a cooking pot); to cap; to build an extension or additional story -加蓬,jiā péng,Gabon -加薪,jiā xīn,to raise salary -加藤,jiā téng,Katō (Japanese surname) -加号,jiā hào,plus sign + (math.) -加西亚,jiā xī yà,Garcia (person name) -加试,jiā shì,to add material to an exam; supplementary exam -加护,jiā hù,intensive care (in hospital) -加购,jiā gòu,to buy (sth extra); to make an additional purchase -加赛,jiā sài,a play-off; replay -加足马力,jiā zú mǎ lì,to go at full throttle; (fig.) to go all out; to kick into high gear -加车,jiā chē,extra bus or train -加载,jiā zài,to load (cargo); (computing) to load (content) -加辣,jiā là,to add spice; to make it spicy -加农,jiā nóng,cannon (loanword) -加农炮,jiā nóng pào,cannon (loanword) -加速,jiā sù,to speed up; to expedite -加速器,jiā sù qì,accelerator (computing); particle accelerator -加速度,jiā sù dù,acceleration -加速踏板,jiā sù tà bǎn,accelerator pedal -加进,jiā jìn,to add; to mix in; to incorporate -加达里,jiā dá lǐ,Guattari (philosopher) -加那利群岛,jiā nà lì qún dǎo,Canary Islands -加里,jiā lǐ,Gary (name) -加里,jiā lǐ,potassium (loanword) -加里宁格勒,jiā lǐ níng gé lè,"Kaliningrad, town on Baltic now in Russian republic; formerly Königsberg, capital of East Prussia" -加里宁格勒州,jiā lǐ níng gé lè zhōu,Kaliningrad Oblast -加里曼丹,jiā lǐ màn dān,Kalimantan (Indonesian part of the island of Borneo) -加里曼丹岛,jiā lǐ màn dān dǎo,Kalimantan island (Indonesian name for Borneo island) -加里波第,jiā lǐ bō dì,"Guiseppe Garibaldi (1807-1882), Italian military commander and politician" -加里肋亚,jiā lǐ lèi yà,Galilee -加里肋亚海,jiā lǐ lèi yà hǎi,Sea of Galilee -加重,jiā zhòng,"to make heavier; to emphasize; (of an illness etc) to become more serious; to aggravate (a bad situation); to increase (a burden, punishment etc)" -加重语气,jiā zhòng yǔ qì,to give emphasis; with emphasis -加钱,jiā qián,to pay extra; to pay more -加长,jiā cháng,to lengthen -加餐,jiā cān,to have an extra meal; snack -加点,jiā diǎn,to work extra hours; to do overtime -劣,liè,inferior -劣势,liè shì,inferior; disadvantaged -劣币驱逐良币,liè bì qū zhú liáng bì,bad money drives out good money (economics) -劣汰,liè tài,elimination of the weakest -劣等,liè děng,poor-quality; inferior -劣绅,liè shēn,evil gentry; wicked landlord -劣质,liè zhì,shoddy; of poor quality -劣迹,liè jì,bad record (esp. of a public official); unsavory track record -劣迹斑斑,liè jì bān bān,notorious for one's misdeeds -劦,liè,unending exertion -劦,xié,variant of 協|协[xie2]; to cooperate; combined labor -助,zhù,to help; to assist -助一臂之力,zhù yī bì zhī lì,to lend a helping hand (idiom) -助人为快乐之本,zhù rén wéi kuài lè zhī běn,pleasure from helping others -助人为乐,zhù rén wéi lè,pleasure from helping others (idiom) -助剂,zhù jì,additive; reagent -助力,zhù lì,to help; to aid; assistance -助动词,zhù dòng cí,auxiliary verb; modal verb -助动车,zhù dòng chē,low-powered motorized scooter or bike -助威,zhù wēi,to cheer for; to encourage; to boost the morale of -助学贷款,zhù xué dài kuǎn,student loan -助学金,zhù xué jīn,student grant; education grant; scholarship -助战,zhù zhàn,to support (in battle) -助手,zhù shǒu,assistant; helper -助手席,zhù shǒu xí,front passenger seat (in a car) -助推,zhù tuī,(aerospace) to boost; booster (rocket); (behavioral economics) to nudge -助推火箭,zhù tuī huǒ jiàn,booster rocket -助攻,zhù gōng,(military) to mount a secondary attack; (fig.) to assist in tackling a problem; (sports) to participate in a play in which a teammate scores (i.e. perform an assist) -助教,zhù jiào,teaching assistant -助残,zhù cán,to help people with disabilities -助焊剂,zhù hàn jì,flux (metallurgy) -助熔剂,zhù róng jì,flux -助理,zhù lǐ,assistant -助产,zhù chǎn,to help a mother give birth -助产士,zhù chǎn shì,midwife -助益,zhù yì,benefit; help -助眠,zhù mián,to promote sleep -助纣为虐,zhù zhòu wéi nüè,lit. helping tyrant Zhou 商紂王|商纣王[Shang1 Zhou4 wang2] in his oppression (idiom); fig. to take the side of the evildoer; giving succor to the enemy -助听器,zhù tīng qì,hearing aid -助兴,zhù xìng,to add to the fun; to liven things up -助记方法,zhù jì fāng fǎ,mnemonic method -助记符,zhù jì fú,mnemonic sign -助词,zhù cí,particle (grammatical) -助跑,zhù pǎo,"to run up (pole vault, javelin, bowling etc); approach; run-up; (aviation) takeoff run" -助选,zhù xuǎn,to assist in a candidate's election campaign (Tw) -助长,zhù zhǎng,to encourage; to foster; to foment -助阵,zhù zhèn,to cheer; to root for -努,nǔ,to exert; to strive -努克,nǔ kè,"Nuuk, capital of Greenland" -努出,nǔ chū,to extend; to push out (hands as a gesture); to pout (i.e. push out lips) -努力,nǔ lì,to make an effort; to try hard; to strive; hard-working; conscientious -努力以赴,nǔ lì yǐ fù,to use one's best efforts to do sth (idiom) -努劲儿,nǔ jìn er,to extend; to put forth -努嘴,nǔ zuǐ,to pout; to stick out one's lips -努嘴儿,nǔ zuǐ er,erhua variant of 努嘴[nu3 zui3] -努库阿洛法,nǔ kù ā luò fǎ,"Nuku'alofa, capital of Tonga" -努比亚,nǔ bǐ yà,Nubia -努尔哈赤,nǔ ěr hā chì,"Nurhaci (1559-1626), founder and first Khan of the Manchu Later Jin dynasty 後金|后金[Hou4 Jin1] (from 1616)" -努瓜娄发,nǔ guā lóu fā,"Nuku'alofa, capital of Tonga (Tw)" -努瓦克肖特,nǔ wǎ kè xiāo tè,"Nouakchott, capital of Mauritania" -努纳武特,nǔ nà wǔ tè,"Nunavut territory, Canada" -努美阿,nǔ měi ā,"Nouméa, capital of New Caledonia" -劫,jié,to rob; to plunder; to seize by force; to coerce; calamity; abbr. for kalpa 劫波[jie2 bo1] -劫匪,jié fěi,bandit; robber -劫囚,jié qiú,to break a prisoner out of jail -劫夺,jié duó,to seize by force; to abduct -劫富济贫,jié fù jì pín,to rob the rich to help the poor -劫寨,jié zhài,to seize a stronghold; to surprise the enemy in his camp -劫后余生,jié hòu yú shēng,(idiom) to be a survivor of a calamity -劫持,jié chí,to kidnap; to hijack; to abduct; to hold under duress -劫持者,jié chí zhě,hijacker; kidnapper -劫掠,jié lüè,to loot; to plunder -劫数,jié shù,predestined fate (Buddhism) -劫数难逃,jié shù nán táo,"Destiny is inexorable, there is no fleeing it (idiom). Your doom is at hand." -劫机,jié jī,hijacking; air piracy -劫杀,jié shā,to rob and kill -劫波,jié bō,kalpa (loanword) (Hinduism) -劫洗,jié xǐ,to loot; plunder -劫营,jié yíng,to seize a camp; to surprise the enemy in bed -劫狱,jié yù,to break into jail; to forcibly release prisoners -劫色,jié sè,to sexually assault -劫车,jié chē,to carjack; carjacking -劫道,jié dào,to kidnap; to hijack -劫难,jié nàn,calamity -劫余,jié yú,remnants after a disaster; aftermath -劬,qú,labor -劭,shào,surname Shao -劭,shào,stimulate to effort -券,quàn,variant of 券[quan4] -劵,juàn,old variant of 倦[juan4] -效,xiào,variant of 效[xiao4] -劼,jié,careful; diligent; firm -劾,hé,to impeach -劲,jìn,strength; energy; enthusiasm; spirit; mood; expression; interest; CL:把[ba3]; Taiwan pr. [jing4] -劲,jìng,stalwart; sturdy; strong; powerful -劲儿,jìn er,erhua variant of 勁|劲[jin4] -劲力,jìn lì,physical strength; power -劲卒,jìng zú,elite soldiers; a crack force -劲吹,jìng chuī,"(of wind) to blow strongly; (fig.) (of trends, changes etc) to sweep through society" -劲射,jìng shè,power shot (e.g. in soccer) -劲峭,jìng qiào,(of wind) strong and bitterly cold -劲度系数,jìn dù xì shù,coefficient of restitution (in Hooke's law) -劲急,jìng jí,strong and swift -劲拔,jìng bá,tall and straight -劲挺,jìng tǐng,strong -劲敌,jìng dí,formidable opponent -劲旅,jìng lǚ,strong contingent; elite squad -劲烈,jìng liè,violent -劲爆,jìng bào,(coll.) awesome; stunning; electrifying; breathtaking; (originally Cantonese); also pr. [jin4 bao4] -劲直,jìng zhí,strong and upright -劲舞,jìng wǔ,to dance energetically; vigorous modern style of dance -劲草,jìng cǎo,tough upright grass; (fig.) a staunch character who is loyal despite danger and hardship -劲头,jìn tóu,enthusiasm; zeal; vigor; strength -劲风,jìng fēng,strong wind; gale -勃,bó,flourishing; prosperous; suddenly; abruptly -勃列日涅夫,bó liè rì niè fū,"Leonid Brezhnev (1906-1982), Soviet statesman, General Secretary of the Communist Party of the USSR 1966-1982" -勃利,bó lì,"Boli county in Qitaihe 七台河[Qi1 tai2 he2], Heilongjiang" -勃利县,bó lì xiàn,"Boli county in Qitaihe 七台河[Qi1 tai2 he2], Heilongjiang" -勃勃,bó bó,thriving; vigorous; exuberant -勃固,bó gù,Pegu city in south Myanmar (Burma) -勃固山脉,bó gù shān mài,"Pegu Yoma (mountain range) of south central Myanmar (Burma), separating Irrawaddy and Sittang basins" -勃固河,bó gù hé,Pegu River of south central Myanmar (Burma) -勃拉姆斯,bó lā mǔ sī,"Brahms (name); Johannes Brahms (1833-1897), German romantic composer" -勃朗宁,bó lǎng níng,"Browning, US firearm brand" -勃朗峰,bó lǎng fēng,Mont Blanc (between Italy and France) -勃海,bó hǎi,Han dynasty province around the Bohai sea; renamed 渤海 after the Han -勃然,bó rán,suddenly; abruptly; agitatedly; excitedly; vigorously -勃然大怒,bó rán dà nù,to fly into a rage; to see red -勃然变色,bó rán biàn sè,"to suddenly change color showing displeasure, bewilderment etc" -勃发,bó fā,to sprout up; to flourish; (of war etc) to break out; rapid growth -勃兴,bó xīng,to rise suddenly; to grow vigorously -勃艮第,bó gěn dì,"Burgundy (Bourgogne), kingdom during medieval period, now region of France" -勃兰登堡,bó lán dēng bǎo,Brandenburg -勃起,bó qǐ,erection; to have an erection -勃起功能障碍,bó qǐ gōng néng zhàng ài,erectile dysfunction (ED) -敕,chì,variant of 敕[chi4] -勇,yǒng,brave -勇力,yǒng lì,courage and strength -勇士,yǒng shì,a warrior; a brave person -勇往前进,yǒng wǎng qián jìn,see 勇往直前[yong3 wang3 zhi2 qian2] -勇往直前,yǒng wǎng zhí qián,to advance bravely -勇悍,yǒng hàn,brave -勇敢,yǒng gǎn,brave; courageous -勇于,yǒng yú,to dare to; to be brave enough to -勇武,yǒng wǔ,brave -勇气,yǒng qì,courage; valor -勇气可嘉,yǒng qì kě jiā,to deserve praise for one's courage (idiom) -勇决,yǒng jué,decisive; brave -勇猛,yǒng měng,bold and powerful; brave and fierce -勇略,yǒng lüè,brave and cunning -勈,yǒng,old variant of 勇[yong3] -勉,miǎn,to exhort; to make an effort -勉力,miǎn lì,to strive; to make an effort; to exert oneself -勉力而为,miǎn lì ér wéi,to try one's best to do sth (idiom) -勉勉强强,miǎn miǎn qiǎng qiǎng,to achieve with difficulty; only just up to the task; barely adequate -勉励,miǎn lì,to encourage -勉强,miǎn qiǎng,to do with difficulty; to force sb to do sth; reluctant; barely enough -勉为其难,miǎn wéi qí nán,to tackle a difficult job (idiom); to do sth reluctantly -勉县,miǎn xiàn,"Mian County in Hanzhong 漢中|汉中[Han4 zhong1], Shaanxi" -倦,juàn,old variant of 倦[juan4] -勐,měng,meng (old administrative division in Dai areas of Yunnan); variant of 猛[meng3] -勐海,měng hǎi,"Menghai county in Xishuangbanna Dai autonomous prefecture 西雙版納傣族自治州|西双版纳傣族自治州[Xi1 shuang1 ban3 na4 Dai3 zu2 zi4 zhi4 zhou1], Yunnan" -勐海县,měng hǎi xiàn,"Menghai county in Xishuangbanna Dai autonomous prefecture 西雙版納傣族自治州|西双版纳傣族自治州[Xi1 shuang1 ban3 na4 Dai3 zu2 zi4 zhi4 zhou1], Yunnan" -勐腊,měng là,"Mengla county in Xishuangbanna Dai autonomous prefecture 西雙版納傣族自治州|西双版纳傣族自治州[Xi1 shuang1 ban3 na4 Dai3 zu2 zi4 zhi4 zhou1], Yunnan" -勐腊县,měng là xiàn,"Mengla county in Xishuangbanna Dai autonomous prefecture 西雙版納傣族自治州|西双版纳傣族自治州[Xi1 shuang1 ban3 na4 Dai3 zu2 zi4 zhi4 zhou1], Yunnan" -敕,chì,variant of 敕[chi4] -勒,lè,(literary) bridle; halter; headstall; to rein in; to compel; to force; (literary) to carve; to engrave; (literary) to command; to lead (an army etc); (physics) lux (abbr. for 勒克斯[le4 ke4 si1]) -勒,lēi,to strap tightly; to bind -勒令,lè lìng,to order; to force -勒克斯,lè kè sī,lux (unit of illuminance) (loanword) -勒勒车,lēi lēi chē,wagon (yoked to beast of burden) -勒哈费尔,lè hā fèi ěr,Le Havre (French town) -勒威耶,lè wēi yē,"Urbain Le Verrier (1811-1877), French mathematician and astronomer who predicted the position of Neptune" -勒戒,lè jiè,to force sb to give up (a drug); to enforce abstinence; to break drug dependence -勒毙,lēi bì,to strangle or throttle to death -勒斯波斯,lè sī bō sī,Lesbos (Greek island in Aegean) -勒斯波斯岛,lè sī bō sī dǎo,Lesbos (Greek island in Aegean) -勒死,lēi sǐ,to strangle -勒杀,lēi shā,to strangle -勒索,lè suǒ,to blackmail; to extort -勒索罪,lè suǒ zuì,blackmail -勒索软件,lè suǒ ruǎn jiàn,ransomware (computing) -勒维夫,lè wéi fu,"Lviv (Lvov), town in western Ukraine" -勒维纳斯,lè wéi nà sī,Levinas (philosopher) -勒紧,lēi jǐn,to tighten -勒紧裤带,lēi jǐn kù dài,to tighten one's belt; to live more frugally -勒脖子,lēi bó zi,to throttle; to strangle -勒逼,lè bī,to coerce; to force; to press sb into doing sth -勒马,lè mǎ,to guide a horse with the reins; to rein in a horse -勒庞,lè páng,"Jean-Marie Le Pen (1928-), French Front National extreme right-wing politician" -动,dòng,"(of sth) to move; to set in movement; to displace; to touch; to make use of; to stir (emotions); to alter; abbr. for 動詞|动词[dong4 ci2], verb" -动不动,dòng bu dòng,"(typically followed by 就[jiu4]) apt to (lose one's temper, catch a cold etc); at the drop of a hat" -动不动就生气,dòng bu dòng jiù shēng qì,to be quick to take offense; to have a short fuse -动乱,dòng luàn,turmoil; upheaval; unrest -动人,dòng rén,touching; moving -动人心魄,dòng rén xīn pò,(idiom) breathtaking; deeply affecting -动作,dòng zuò,movement; motion; action (CL:個|个[ge4]); to act; to move -动作片,dòng zuò piàn,action movie; CL:部[bu4] -动保,dòng bǎo,animal protection (abbr. for 動物保護|动物保护[dong4wu4 bao3hu4]) -动力,dòng lì,motive power; force; (fig.) motivation; impetus -动力反应堆,dòng lì fǎn yìng duī,power reactor -动力学,dòng lì xué,dynamics (math.); kinetics -动力系统,dòng lì xì tǒng,propulsion system; (math.) dynamical system -动口,dòng kǒu,to use one's mouth (to say sth) -动名词,dòng míng cí,gerund -动向,dòng xiàng,trend; tendency -动员,dòng yuán,to mobilize; mobilization; CL:次[ci4] -动员令,dòng yuán lìng,mobilization order -动问,dòng wèn,may I ask -动嘴,dòng zuǐ,to talk -动嘴皮,dòng zuǐ pí,to move one's lips; to wag one's tongue -动嘴皮儿,dòng zuǐ pí er,erhua variant of 動嘴皮|动嘴皮[dong4 zui3 pi2] -动嘴皮子,dòng zuǐ pí zi,see 動嘴皮|动嘴皮[dong4 zui3 pi2] -动因,dòng yīn,motivation; moving force; underlying force; agent -动图,dòng tú,(computing) dynamic image -动土,dòng tǔ,to break ground (prior to building sth); to start building -动容,dòng róng,to be emotionally moved -动工,dòng gōng,to start (a building project) -动平衡,dòng píng héng,dynamic equilibrium; dynamic balancing -动弹,dòng tan,to budge -动弹不得,dòng tan bu dé,to be unable to move a single step -动心,dòng xīn,to be moved; to be tempted -动怒,dòng nù,to get angry -动情,dòng qíng,to get excited; passionate; aroused to passion; to fall in love; on heat (of animals) -动情期,dòng qíng qī,estrus; the rutting season; on heat -动情激素,dòng qíng jī sù,estrogen -动情素,dòng qíng sù,estrogen -动感,dòng gǎn,sense of movement (often in a static work of art); dynamic; vivid; lifelike -动态,dòng tài,movement; motion; development; trend; dynamic (science) -动态助词,dòng tài zhù cí,"aspect particle, such as 著|着[zhe5], 了[le5], 過|过[guo4]" -动态图形,dòng tài tú xíng,animated graphics; animation -动态存储器,dòng tài cún chǔ qì,dynamic memory -动态影像,dòng tài yǐng xiàng,video -动态更新,dòng tài gēng xīn,dynamic update (Internet) -动态清零,dòng tài qīng líng,zero-COVID (policy) -动态网页,dòng tài wǎng yè,dynamic webpage -动态链接库,dòng tài liàn jiē kù,dynamic-link library (DLL); shared library (computing) -动态雕塑,dòng tài diāo sù,(fine arts) a mobile -动手,dòng shǒu,to set about (a task); to hit; to punch; to touch -动手动脚,dòng shǒu dòng jiǎo,to come to blows; to paw; to grope; to get fresh -动手脚,dòng shǒu jiǎo,(coll.) to tamper with; to mess around with -动手术,dòng shǒu shù,(of a surgeon) to operate (on sb); (of a patient) to have an operation -动摇,dòng yáo,to sway; to waver; to rock; to rattle; to destabilize; to pose a challenge to -动植物,dòng zhí wù,plants and animals; flora and fauna -动机,dòng jī,motive; motivation -动武,dòng wǔ,to use force; to come to blows -动毫毛,dòng háo máo,to lay a finger on sb; to harm sb in the slightest way -动气,dòng qì,to get angry -动漫,dòng màn,cartoons and comics; anime and manga; cartoon (animated movie); anime -动物,dòng wù,"animal; CL:隻|只[zhi1],群[qun2],個|个[ge4]" -动物分类,dòng wù fēn lèi,classification of animals -动物园,dòng wù yuán,zoo; CL:個|个[ge4] -动物学,dòng wù xué,zoological; zoology -动物性,dòng wù xìng,animacy -动物性名词,dòng wù xìng míng cí,animate noun -动物性饲料,dòng wù xìng sì liào,feed made of animal products -动物毒素,dòng wù dú sù,zootoxin -动物油,dòng wù yóu,animal fat -动物淀粉,dòng wù diàn fěn,glycogen -动物界,dòng wù jiè,animal kingdom -动物脂肪,dòng wù zhī fáng,animal fat -动物庄园,dòng wù zhuāng yuán,"Animal Farm (1945), novel and famous satire on communist revolution by George Orwell 喬治·奧威爾|乔治·奥威尔[Qiao2 zhi4 · Ao4 wei1 er3]; also translated 動物農場|动物农场[Dong4 wu4 Nong2 chang3]" -动物农场,dòng wù nóng chǎng,"Animal Farm (1945), novel and famous satire on communist revolution by George Orwell 喬治·奧威爾|乔治·奥威尔[Qiao2 zhi4 · Ao4 wei1 er3]" -动产,dòng chǎn,movable property; personal property -动用,dòng yòng,to utilize; to put sth to use -动画,dòng huà,animation; cartoon -动画片,dòng huà piàn,animated film -动荡,dòng dàng,variant of 動蕩|动荡[dong4 dang4] -动真格,dòng zhēn gé,to get serious about sth; to pull no punches; to be determined to see sth through -动笔,dòng bǐ,to put pen to paper; to start writing or painting -动粗,dòng cū,to use violence (against sb); to strong-arm sb; to manhandle -动听,dòng tīng,pleasant to listen to -动肝火,dòng gān huǒ,to get angry -动能,dòng néng,kinetic energy -动能车,dòng néng chē,"car with a new type of propulsion system (hybrid, hydrogen-powered etc)" -动脉,dòng mài,artery -动脉瘤,dòng mài liú,aneurysm -动脉硬化,dòng mài yìng huà,hardening of the arteries; arteriosclerosis -动脉粥样硬化,dòng mài zhōu yàng yìng huà,atherosclerosis -动脑,dòng nǎo,to use one's brain -动脑筋,dòng nǎo jīn,to use one's brains; to think -动卧,dòng wò,D-class (high-speed) sleeper train (D stands for Dongche 動車|动车[dong4 che1]) (abbr. for 臥鋪動車組列車|卧铺动车组列车[wo4 pu4 dong4 che1 zu3 lie4 che1]) -动荡,dòng dàng,unrest (social or political); turmoil; upheaval; commotion -动见观瞻,dòng jiàn guān zhān,to be watched closely (idiom) -动觉,dòng jué,kinesthesia -动词,dòng cí,verb -动词结构,dòng cí jié gòu,verbal construction (clause) -动词重叠,dòng cí chóng dié,verb reduplication -动议,dòng yì,motion; proposal -动宾式,dòng bīn shì,verb-object construction -动身,dòng shēn,to go on a journey; to leave -动车,dòng chē,(PRC) (D- or C-class) high-speed train; power car; multiple-unit train (abbr. for 動車組|动车组[dong4 che1 zu3]) -动辄,dòng zhé,easily; readily; frequently; at every turn; at the slightest pretext -动辄得咎,dòng zhé dé jiù,faulted at every turn (idiom); can't get anything right -动量,dòng liàng,momentum -动量词,dòng liàng cí,verbal classifier (in Chinese grammar); measure word applying mainly to verbs -动静,dòng jìng,(detectable) movement; (sign of) activity; movement and stillness -动魄,dòng pò,shocking; shattering -动魄惊心,dòng pò jīng xīn,see 驚心動魄|惊心动魄[jing1 xin1 dong4 po4] -动点,dòng diǎn,moving point -勖,xù,exhort; stimulate -勘,kān,to investigate; to survey; to collate -勘定,kān dìng,to demarcate; to survey and determine -勘察,kān chá,to reconnoiter; to explore; to survey -勘察加,kān chá jiā,Kamchatka (far eastern province of Russia) -勘察加半岛,kān chá jiā bàn dǎo,"Kamchatka Peninsula, far-eastern Russia" -勘探,kān tàn,to explore; to survey; to prospect (for oil etc); prospecting -勘查,kān chá,variant of 勘察[kan1 cha2] -勘测,kān cè,to investigate; to survey -勘界,kān jiè,boundary survey -勘破,kān pò,see 看破[kan4 po4] -勘误,kān wù,to correct printing errors -勘误表,kān wù biǎo,corrigenda -勘验,kān yàn,to investigate; examination -务,wù,affair; business; matter; to be engaged in; to attend to; by all means -务实,wù shí,to deal with concrete matters; pragmatic -务川仡佬族苗族自治县,wù chuān gē lǎo zú miáo zú zì zhì xiàn,"Wuchuan Klau and Hmong Autonomous County in Zunyi 遵義|遵义[Zun1 yi4], northeast Guizhou" -务川县,wù chuān xiàn,"Wuchuan Klau and Hmong autonomous county in Zunyi 遵義|遵义[Zun1 yi4], northeast Guizhou" -务川自治县,wù chuān zì zhì xiàn,"Wuchuan Klau and Hmong autonomous county in Zunyi 遵義|遵义[Zun1 yi4], northeast Guizhou" -务工,wù gōng,to work as a laborer -务必,wù bì,must; to need to; to be sure to -务期,wù qī,"it is essential to (complete a project on time, be thorough etc)" -务虚,wù xū,to discuss matters of principle (as opposed to concrete issues) -务请,wù qǐng,please (formal) -务农,wù nóng,farming; to work the land -勋,xūn,medal; merit -勋业,xūn yè,meritorious achievement -勋章,xūn zhāng,medal; decoration -胜,shèng,victory; success; to beat; to defeat; to surpass; victorious; superior to; to get the better of; better than; surpassing; superb (of vista); beautiful (scenery); wonderful (view); (Taiwan pr. [sheng1]) able to bear; equal to (a task) -胜之不武,shèng zhī bù wǔ,(fig.) to fight a one-sided battle; to have an unfair advantage in a contest -胜仗,shèng zhàng,victory; victorious battle -胜任,shèng rèn,qualified; competent (professionally); to be up to a task -胜任能力,shèng rèn néng lì,competency -胜似,shèng sì,to surpass; better than; superior to -胜出,shèng chū,"to come out on top; to win (in an election, contest etc); success; victory" -胜利,shèng lì,victory; CL:個|个[ge4] -胜利在望,shèng lì zài wàng,victory is in sight -胜利者,shèng lì zhě,victor; winner -胜地,shèng dì,well-known scenic spot -胜败,shèng bài,victory or defeat; result -胜景,shèng jǐng,wonderful scenery -胜率,shèng lǜ,(sports) win rate; winning percentage; probability of winning -胜算,shèng suàn,odds of success; stratagem that ensures success; to be sure of success -胜者,shèng zhě,winner -胜者王侯败者寇,shèng zhě wáng hóu bài zhě kòu,the winners become princes and marquises; the losers are vilified as bandits (idiom); history is written by the victors -胜者王侯败者贼,shèng zhě wáng hóu bài zhě zéi,see 勝者王侯敗者寇|胜者王侯败者寇[sheng4 zhe3 wang2 hou2 bai4 zhe3 kou4] -胜诉,shèng sù,to win a court case -胜负,shèng fù,victory or defeat; the outcome of a battle -胜过,shèng guò,to excel; to surpass -胜选,shèng xuǎn,to win an election -劳,láo,to toil; labor; laborer; to put sb to trouble (of doing sth); meritorious deed; to console (Taiwan pr. [lao4] for this sense) -劳什子,láo shí zi,(dialect) nuisance; pain -劳作,láo zuò,work; manual labor -劳倦,láo juàn,exhausted; worn out -劳伦斯,láo lún sī,Lawrence (person name) -劳伤,láo shāng,disorder of internal organs caused by overexertion -劳力,láo lì,labor; able-bodied worker; laborer; work force -劳力士,láo lì shì,Rolex (Swiss wristwatch brand) -劳动,láo dòng,work; toil; physical labor; CL:次[ci4] -劳动人民,láo dòng rén mín,working people; the workers of Socialist theory or of the glorious Chinese past -劳动保险,láo dòng bǎo xiǎn,labor insurance -劳动力,láo dòng lì,labor force; manpower -劳动合同,láo dòng hé tong,labor contract; contract between employer and employees governing wages and conditions -劳动报,láo dòng bào,Trud (Russian newspaper) -劳动改造,láo dòng gǎi zào,reeducation through labor; laogai (prison camp) -劳动教养,láo dòng jiào yǎng,reeducation through labor -劳动新闻,láo dòng xīn wén,"Rodong Sinmun (Workers' news), the official newspaper of the North Korean WPK's Central Committee" -劳动模范,láo dòng mó fàn,model worker -劳动营,láo dòng yíng,labor camp; prison camp with hard labor -劳动节,láo dòng jié,International Labor Day (May Day) -劳动者,láo dòng zhě,worker; laborer -劳动能力,láo dòng néng lì,ability to work -劳务,láo wù,"service (work done for money); services (as in ""goods and services"")" -劳务交换,láo wù jiāo huàn,labor exchanges -劳务人员,láo wù rén yuán,contract workers (sent abroad) -劳务合同,láo wù hé tong,service contract -劳务市场,láo wù shì chǎng,labor market -劳劳叨叨,láo lao dāo dāo,variant of 嘮嘮叨叨|唠唠叨叨[lao2 lao5 dao1 dao1] -劳埃德,láo āi dé,Lloyd (name); Lloyd's (London-based insurance group) -劳委会,láo wěi huì,labor committee; abbr. for 勞動委員會|劳动委员会 -劳工,láo gōng,labor; laborer -劳役,láo yì,forced labor; corvée (labor required of a serf); animal labor -劳心,láo xīn,to work with one's brains; to rack one's brains; to worry -劳心劳力,láo xīn láo lì,to tax one's mind and body; demanding (work); dedicated (worker); hard-working -劳心苦思,láo xīn kǔ sī,to rack one's brains; to think hard -劳拉西泮,láo lā xī pàn,lorazepam -劳损,láo sǔn,strain (medicine) -劳改,láo gǎi,abbr. for 勞動改造|劳动改造[lao2 dong4 gai3 zao4]; reform through labor; laogai (prison camp) -劳改营,láo gǎi yíng,correctional labor camp -劳教,láo jiào,reeducation through labor -劳教所,láo jiào suǒ,correctional institution; labor camp -劳斯莱斯,láo sī lái sī,Rolls-Royce -劳方,láo fāng,labor (as opposed to capital or management); the workers -劳模,láo mó,model worker -劳民伤财,láo mín shāng cái,waste of manpower and resources -劳烦,láo fán,to inconvenience; to trouble (sb with a request) -劳燕分飞,láo yàn fēn fēi,the shrike and the swallow fly in different directions (idiom); (usually of a couple) to part from each other -劳碌,láo lù,to work hard; to toil -劳神,láo shén,to be a tax on (one's mind); to bother; to trouble; to be concerned -劳累,láo lèi,tired; exhausted; worn out; to toil -劳而无功,láo ér wú gōng,to work hard while accomplishing little; to toil to no avail -劳苦,láo kǔ,to toil; hard work -劳资,láo zī,labor and capital; workers and capitalists -劳资关系,láo zī guān xì,industrial relations; relations between labor and capital -劳逸,láo yì,work and rest -劳逸结合,láo yì jié hé,to strike a balance between work and rest (idiom) -劳雇,láo gù,labor and employer -劳雇关系,láo gù guān xì,relations between labor and employer; industrial relations -劳顿,láo dùn,(literary) fatigued; wearied -劳驾,láo jià,excuse me -募,mù,to canvass for contributions; to collect; to raise; to recruit; to enlist -募化,mù huà,(of a Buddhist monk or Taoist priest) to collect alms -募捐,mù juān,to solicit contributions; to collect donations -募款,mù kuǎn,to raise money; donated money -募缘,mù yuán,(of a monk) to beg for food -募集,mù jí,to raise; to collect -势,shì,power; influence; potential; momentum; tendency; trend; situation; conditions; outward appearance; sign; gesture; male genitals -势不两立,shì bù liǎng lì,the two cannot exist together (idiom); irreconcilable differences; incompatible standpoints -势不可挡,shì bù kě dǎng,see 勢不可當|势不可当[shi4 bu4 ke3 dang1] -势不可当,shì bù kě dāng,impossible to resist (idiom); an irresistible force -势利,shì lì,snobbish -势利小人,shì li xiǎo rén,snob -势利眼,shì lì yǎn,to be self-interested -势力,shì li,"power; influence; a force (military, political etc)" -势在必得,shì zài bì dé,to be determined to win (idiom) -势在必行,shì zài bì xíng,circumstances require action (idiom); absolutely necessary; imperative -势均力敌,shì jūn lì dí,(idiom) evenly matched -势如破竹,shì rú pò zhú,like a hot knife through butter (idiom); with irresistible force -势子,shì zi,gesture; posture -势必,shì bì,to be bound to; undoubtedly will -势态,shì tài,situation; state -势成骑虎,shì chéng qí hǔ,"if you ride a tiger, it's hard to get off (idiom); fig. impossible to stop halfway" -势族,shì zú,influential family; powerful clan -势能,shì néng,potential energy -势要,shì yào,influential figure; powerful person -势阱,shì jǐng,potential well (physics) -势降,shì jiàng,potential drop (elec.) -势头,shì tóu,power; momentum; tendency; impetus; situation; the look of things -勤,qín,diligent; industrious; hardworking; frequent; regular; constant -勤俭,qín jiǎn,hardworking and frugal -勤俭务实,qín jiǎn wù shí,"hardworking, thrifty and pragmatic" -勤俭建国,qín jiǎn jiàn guó,(idiom) to build up the country through thrift and hard work -勤俭持家,qín jiǎn chí jiā,hardworking and thrifty in running one's household -勤俭朴实,qín jiǎn pǔ shí,"(idiom) hardworking, thrifty and unpretentious" -勤俭朴素,qín jiǎn pǔ sù,"(idiom) hardworking, thrifty and unpretentious" -勤俭节约,qín jiǎn jié yuē,(idiom) diligent and thrifty -勤俭办企业,qín jiǎn bàn qǐ yè,to run an enterprise diligently and thriftily -勤俭办学,qín jiǎn bàn xué,to run a school diligently and thriftily -勤俭办社,qín jiǎn bàn shè,to manage communes diligently and thriftily -勤则不匮,qín zé bù kuì,"If one is industrious, one will not be in want. (idiom)" -勤力,qín lì,hardworking; diligent -勤勉,qín miǎn,diligence; diligent; industrious -勤务,qín wù,service; duties; an orderly (military) -勤务兵,qín wù bīng,army orderly -勤务员,qín wù yuán,odd job man; army orderly -勤劳,qín láo,hardworking; industrious; diligent -勤劳致富,qín láo zhì fù,to get rich through hard work -勤勤,qín qín,attentive; solicitous; earnest; sincere -勤勤恳恳,qín qín kěn kěn,industrious and conscientious; assiduous -勤奋,qín fèn,hardworking; diligent -勤奋刻苦,qín fèn kè kǔ,diligent; assiduous -勤学苦练,qín xué kǔ liàn,to study diligently; to train assiduously -勤密,qín mì,often; frequently -勤工俭学,qín gōng jiǎn xué,to work part-time while studying; work-study program -勤快,qín kuài,diligent; hardworking -勤恳,qín kěn,diligent and attentive; assiduous; sincere -勤政廉政,qín zhèng lián zhèng,honest and industrious government functionaries (idiom) -勤朴,qín pǔ,simple and industrious; hardworking and frugal -勤王,qín wáng,to serve the king diligently; to save the country in times of danger; to send troops to rescue the king -勤苦,qín kǔ,hardworking; assiduous -勤谨,qín jǐn,diligent and painstaking -勤杂,qín zá,odd jobs; servant or army orderly doing odd jobs -剿,chāo,variant of 剿[chao1] -剿,jiǎo,variant of 剿[jiao3] -勰,xié,harmonious -劢,mài,put forth effort -勋,xūn,variant of 勛|勋[xun1] -勋,xūn,variant of 勛|勋[xun1] -勋爵,xūn jué,Lord (UK hereditary nobility); UK life peer -勋绩,xūn jì,exploit -励,lì,surname Li -励,lì,to encourage; to urge -励志,lì zhì,to pursue a goal with determination; inspirational; motivational -励志哥,lì zhì gē,(coll.) a guy who is admired for having overcome challenges to achieve success -励精图治,lì jīng tú zhì,(of a ruler) to strive to make one's nation strong and prosperous (idiom) -劝,quàn,to advise; to urge; to try to persuade; to exhort; to console; to soothe -劝勉,quàn miǎn,to advise; to encourage -劝动,quàn dòng,to incite -劝化,quàn huà,to exhort (sb) to live a virtuous life (Buddhism); to beg for alms -劝告,quàn gào,to advise; to urge; to exhort; exhortation; advice; CL:席[xi2] -劝和,quàn hé,to mediate; to urge peace -劝善惩恶,quàn shàn chéng è,to encourage virtue and punish evil (idiom); fig. poetic justice; you get what's coming to you -劝导,quàn dǎo,to advise; to attempt to convince -劝慰,quàn wèi,to console -劝戒,quàn jiè,variant of 勸誡|劝诫[quan4 jie4] -劝教,quàn jiào,to advise and teach; to persuade and instruct -劝服,quàn fú,to persuade; to convince; to win (sb) over -劝架,quàn jià,to mediate in a quarrel; to intervene in a dispute and try to calm things down -劝解,quàn jiě,conciliation; mediation; to mollify; to propitiate; to reconcile -劝诱,quàn yòu,to prevail upon; to coax -劝诫,quàn jiè,to exhort; to admonish -劝说,quàn shuō,to persuade; persuasion; to advise -劝课,quàn kè,to encourage and supervise (esp. state officials promoting agriculture) -劝谏,quàn jiàn,to admonish -劝农,quàn nóng,to promote agriculture -劝农使,quàn nóng shǐ,envoy charge with promoting agriculture (in Han dynasty) -劝退,quàn tuì,"to try to persuade sb to give up (their job, plans etc)" -劝酒,quàn jiǔ,to urge sb to drink alcohol -劝阻,quàn zǔ,to advise against; to dissuade -劝驾,quàn jià,to urge sb to accept a post; to urge sb to agree to do sth -勹,bāo,archaic variant of 包[bao1] -勺,sháo,"spoon; ladle; CL:把[ba3]; abbr. for 公勺[gong1 shao2], centiliter (unit of volume)" -勺嘴鹬,sháo zuǐ yù,(bird species of China) spoon-billed sandpiper (Eurynorhynchus pygmeus) -勺子,sháo zi,scoop; ladle; CL:把[ba3] -勺鸡,sháo jī,(bird species of China) koklass pheasant (Pucrasia macrolopha) -匀,yún,even; well-distributed; uniform; to distribute evenly; to share -匀实,yún shi,even; uniform -匀整,yún zhěng,neat and well-spaced -匀净,yún jìng,even; uniform -匀溜,yún liu,even and smooth -匀称,yún chèn,well proportioned; well shaped -匀速,yún sù,uniform velocity -勾,gōu,surname Gou -勾,gōu,"to attract; to arouse; to tick; to strike out; to delineate; to collude; variant of 鉤|钩[gou1], hook" -勾,gòu,used in 勾當|勾当[gou4dang4] -勾三搭四,gōu sān dā sì,to make hanky-panky; to seduce women -勾人,gōu rén,sexy; seductive -勾兑,gōu duì,"to blend various types of wine (or spirits, or fruit juices etc)" -勾出,gōu chū,to delineate; to articulate; to evoke; to draw out; to tick off -勾划,gōu huà,to sketch; to delineate -勾勒,gōu lè,to draw the outline of; to outline; to sketch; to delineate contours of; to give a brief account of -勾引,gōu yǐn,to seduce; to tempt -勾心斗角,gōu xīn dòu jiǎo,to fight and scheme against each other (idiom); (in palace construction) elaborate and refined -勾手,gōu shǒu,to collude with; to collaborate; (basketball) hook shot -勾拳,gōu quán,hook (punch in boxing) -勾搭,gōu da,to gang up; to fool around with; to make up to -勾栏,gōu lán,brothel; theater; carved balustrade -勾玉,gōu yù,magatama (Japanese curved beads) -勾留,gōu liú,to stay; to stop over; to break one's journey -勾画,gōu huà,to sketch out; to delineate -勾当,gòu dàng,shady business -勾破,gōu pò,(of sth sharp) to snag (one's stockings etc) -勾结,gōu jié,to collude with; to collaborate with; to gang up with -勾缝,gōu fèng,to point a brick wall; to grout a tiled surface -勾联,gōu lián,variant of 勾連|勾连[gou1 lian2] -勾股定理,gōu gǔ dìng lǐ,Pythagorean theorem -勾肩搭背,gōu jiān dā bèi,(idiom) arms around each other's shoulders -勾芡,gōu qiàn,to thicken with cornstarch -勾号,gōu hào,check mark (✓) -勾走,gōu zǒu,to steal (sb's heart) -勾起,gōu qǐ,to evoke; to induce; to call to mind; to pick up with a hook -勾践,gōu jiàn,"King Gou Jian of Yue (c. 470 BC), sometimes considered one of the Five Hegemons 春秋五霸" -勾通,gōu tōng,to collude with; to conspire -勾连,gōu lián,to be linked together; to be involved with; to collude; interconnection; involvement; collusion -勾选,gōu xuǎn,to select (one or more options from a list); to check (a box) -勾销,gōu xiāo,to write off; to cancel -勾阑,gōu lán,variant of 勾欄|勾栏[gou1 lan2] -勿,wù,do not -勿忘国耻,wù wàng guó chǐ,"Never forget national humiliation, refers to Mukden railway incident of 18th September 1931 九一八事變|九一八事变 and subsequent Japanese annexation of Manchuria" -勿忘我,wù wàng wǒ,"forget-me-not, genus Myosotis (botany)" -勿求人,wù qiú rén,see 不求人[bu4 qiu2 ren2] -勿谓言之不预,wù wèi yán zhī bù yù,(idiom) don't say you haven't been forewarned (threat used by the PRC in international diplomacy) -丐,gài,variant of 丐[gai4] -丐,gài,variant of 丐[gai4] -包,bāo,surname Bao -包,bāo,"to cover; to wrap; to hold; to include; to take charge of; to contract (to or for); package; wrapper; container; bag; to hold or embrace; bundle; packet; CL:個|个[ge4],隻|只[zhi1]" -包乘,bāo chéng,"to charter (a car, ship, plane)" -包乘制,bāo chéng zhì,chartering system -包乘组,bāo chéng zǔ,chartering charge -包干,bāo gān,to have the full responsibility of a job; allocated task -包干儿,bāo gān er,erhua variant of 包乾|包干[bao1 gan1] -包干制,bāo gān zhì,a system of payment partly in kind and partly in cash -包二奶,bāo èr nǎi,to cohabit with and financially support a mistress -包伙,bāo huǒ,see 包飯|包饭[bao1 fan4] -包住,bāo zhù,to envelop; to wrap; to enclose -包价,bāo jià,package; all-inclusive deal -包价旅游,bāo jià lǚ yóu,package holiday -包公,bāo gōng,"Lord Bao or Judge Bao, fictional nickname of Bao Zheng 包拯[Bao1 Zheng3] (999-1062), Northern Song official renowned for his honesty" -包剪锤,bāo jiǎn chuí,rock-paper-scissors (game) -包剿,bāo jiǎo,to surround and annihilate (bandits) -包包,bāo bāo,bag or purse etc; small bump or pimple; hillock -包吃包住,bāo chī bāo zhù,to provide full board -包含,bāo hán,to contain; to embody; to include -包囊,bāo náng,bundle; bag -包围,bāo wéi,to surround; to encircle; to hem in -包圆儿,bāo yuán er,to buy the whole lot; to take everything remaining -包在我身上,bāo zài wǒ shēn shang,leave it to me (idiom); I'll take care of it -包埋,bāo mái,to embed -包场,bāo chǎng,"to reserve all the seats (or a large block of seats) at a theater, restaurant etc" -包夜,bāo yè,to buy an all-night package; (esp.) to book a prostitute for the night -包子,bāo zi,bao (steamed stuffed bun); CL:個|个[ge4] -包子有肉不在褶上,bāo zi yǒu ròu bù zài zhě shàng,a book is not judged by its cover (idiom) -包容,bāo róng,to pardon; to forgive; to show tolerance; to contain; to hold; inclusive -包容心,bāo róng xīn,tolerance; acceptance; inclusivity -包封,bāo fēng,to seal; to close up a package with a seal -包层,bāo céng,cladding; covering (on a fiber) -包工,bāo gōng,to undertake to perform work within a time limit and according to specifications; to contract for a job; contractor -包工头,bāo gōng tóu,chief labor contractor -包巾,bāo jīn,headscarf; turban -包庇,bāo bì,to shield; to harbor; to cover up -包厢,bāo xiāng,box (in a theater or concert hall); private room (in a restaurant or karaoke) -包待制,bāo dài zhì,"Bao Daizhi, ""Edict Attendant Bao"", fictional name used for Bao Zheng 包拯[Bao1 Zheng3] (999-1062), Northern Song official renowned for his honesty" -包心菜,bāo xīn cài,cabbage -包房,bāo fáng,"compartment (of train, ship etc); private room at restaurant; rented room for karaoke; hotel room rented by the hour" -包扎,bāo zā,variant of 包紮|包扎[bao1 za1] -包打天下,bāo dǎ tiān xià,to run everything (idiom); to monopolize the whole business; not allow anyone else to have a look in -包承制,bāo chéng zhì,responsible crew system -包承组,bāo chéng zǔ,(responsible) crew -包抄,bāo chāo,to outflank; to envelop -包括,bāo kuò,to comprise; to include; to involve; to incorporate; to consist of -包拯,bāo zhěng,"Bao Zheng (999-1062), Northern Song official renowned for his honesty; modern day metaphor for an honest politician" -包探,bāo tàn,detective (in former times) -包换,bāo huàn,to guarantee replacement (of faulty goods); warranty -包揽,bāo lǎn,to monopolize; to take on responsibility over everything; to undertake the whole task -包揽词讼,bāo lǎn cí sòng,to canvas for lawsuits (idiom); to practice chicanery -包书皮,bāo shū pí,book cover -包月,bāo yuè,to make monthly payments; monthly payment -包柔氏螺旋体,bāo róu shì luó xuán tǐ,"Borrelia, genus of Spirochaete bacteria" -包机,bāo jī,chartered plane; to charter a plane -包氏螺旋体,bāo shì luó xuán tǐ,"Borrelia, genus of Spirochaete bacteria" -包河,bāo hé,"Baohe, a district of Hefei City 合肥市[He2fei2 Shi4], Anhui" -包河区,bāo hé qū,"Baohe, a district of Hefei City 合肥市[He2fei2 Shi4], Anhui" -包治百病,bāo zhì bǎi bìng,guaranteed to cure all diseases -包活,bāo huó,job paid according to the amount of work done; contract work -包涵,bāo han,to excuse; to forgive; to bear with; to be tolerant -包浆,bāo jiāng,patina (sheen on the surface of an antique) -包尔,bāo ěr,Borr (Norse deity) -包产,bāo chǎn,to make a production contract -包产到户,bāo chǎn dào hù,fixing of farm output quotas for each household -包产到户制,bāo chǎn dào hù zhì,system of quotas for farm output per household -包皮,bāo pí,wrapping; wrapper; foreskin -包皮环切,bāo pí huán qiē,circumcision -包皮环切术,bāo pí huán qiē shù,circumcision -包票,bāo piào,guarantee certificate -包租,bāo zū,to rent; to charter; to rent land or a house for subletting; fixed rent for farmland -包谷,bāo gǔ,(dialect) maize; corn; also written 苞穀|苞谷[bao1 gu3] -包管,bāo guǎn,to assure; to guarantee -包米,bāo mǐ,(dialect) corn; maize; also written 苞米[bao1 mi3] -包粟,bāo sù,corn; maize -包扎,bāo zā,to wrap up; to pack; to bind up (a wound) -包罗,bāo luó,to include; to cover; to embrace -包罗万象,bāo luó wàn xiàng,all-embracing; all-inclusive -包举,bāo jǔ,to summarize; to swallow up; to annex; to merge -包船,bāo chuán,to charter a ship -包茅,bāo máo,bundled thatch -包荒,bāo huāng,to be tolerant; to be forgiving; to conceal; to cover -包茎,bāo jīng,phimosis (medicine) -包菜,bāo cài,cabbage -包藏,bāo cáng,to contain; to harbor; to conceal -包藏祸心,bāo cáng huò xīn,(idiom) to harbor evil intentions; to conceal malice -包衣,bāo yī,capsule (containing medicine); husk (of corn) -包衣种子,bāo yī zhǒng zi,seed enclosed in artificial capsule -包袋,bāo dài,bag -包被,bāo bèi,"peridium (envelope or coat of fungi, e.g. puffballs)" -包袱,bāo fu,wrapping cloth; a bundle wrapped in cloth; load; weight; burden; funny part; punchline -包袱底儿,bāo fu dǐ er,family heirloom; most precious family possession; person's secrets; one's best performance -包袱皮儿,bāo fu pí er,wrapping cloth -包装,bāo zhuāng,to pack; to package; to wrap; packaging -包装物,bāo zhuāng wù,packaging -包装纸,bāo zhuāng zhǐ,wrapping paper -包裹,bāo guǒ,to wrap up; to bind up; bundle; parcel; package; CL:個|个[ge4] -包豪斯,bāo háo sī,Bauhaus (German school of modern architecture and design) -包赔,bāo péi,guarantee to pay compensations -包身工,bāo shēn gōng,indentured laborer -包车,bāo chē,hired car; chartered car -包办,bāo bàn,to undertake to do everything by oneself; to run the whole show -包办代替,bāo bàn dài tì,to do everything oneself (idiom); not to allow others in on the act -包办婚姻,bāo bàn hūn yīn,forced marriage; arranged marriage (without the consent of the individuals) -包退,bāo tuì,to guarantee refund (for faulty or unsatisfactory goods) -包退换,bāo tuì huàn,to guarantee refund or replacement (of faulty or unsatisfactory goods) -包邮,bāo yóu,shipping included -包里斯,bāo lǐ sī,Boris (name) -包金,bāo jīn,to gild; (old) wages paid to a performer or a troupe by a theater -包银,bāo yín,contracted payment (esp. actors' salary in former times) -包销,bāo xiāo,to have exclusive selling rights; to be the sole agent for a production unit or firm -包长,bāo cháng,packet size (computing) -包间,bāo jiān,"private room (in a restaurant, or for karaoke etc); parlor; booth; compartment" -包青天,bāo qīng tiān,"Bao Qingtian, fictional nickname of Bao Zheng 包拯[Bao1 Zheng3] (999-1062), Northern Song official renowned for his honesty" -包头,bāo tóu,Baotou prefecture-level city in Inner Mongolia -包头,bāo tóu,turban; headband -包头市,bāo tóu shì,Baotou prefecture-level city in Inner Mongolia -包饭,bāo fàn,to get or supply meals for a monthly rate; to board; to provide board -包饺子,bāo jiǎo zi,to wrap jiaozi (dumplings or potstickers) -包养,bāo yǎng,to keep (a mistress) -包龙图,bāo lóng tú,"Bao Longtu, ”Bao of the Dragon Image”, fictional name used for Bao Zheng 包拯[Bao1 Zheng3] (999-1062), Northern Song official renowned for his honesty" -匆,cōng,hurried; hasty -匆促,cōng cù,hastily; in a hurry -匆匆,cōng cōng,hurriedly -匆卒,cōng cù,old variant of 匆猝[cong1 cu4] -匆忙,cōng máng,hasty; hurried -匆猝,cōng cù,hurried; hasty; abrupt -匆遽,cōng jù,hurried; impetuous; rash -匈,xiōng,Hungary; Hungarian; abbr. for 匈牙利[Xiong1 ya2 li4] -匈,xiōng,old variant of 胸[xiong1] -匈奴,xiōng nú,"Xiongnu, a people of the Eastern Steppe who created an empire that flourished around the time of the Qin and Han dynasties" -匈牙利,xiōng yá lì,Hungary -匈牙利语,xiōng yá lì yǔ,Hungarian language -匈语,xiōng yǔ,Hungarian language -匊,jū,variant of 掬[ju1] -匋,táo,pottery -匍,pú,used in 匍匐[pu2 fu2] -匍伏,pú fú,variant of 匍匐[pu2 fu2] -匍匐,pú fú,to crawl; to creep; to lie prostrate -匍匐前进,pú fú qián jìn,to crawl forward -匍匐茎,pú fú jīng,(botany) stolon -匏,páo,bottle gourd; Lagenaria vulgaris -匐,fú,used in 匍匐[pu2 fu2] -匕,bǐ,dagger; ladle; ancient type of spoon -匕首,bǐ shǒu,dagger -化,huā,variant of 花[hua1] -化,huà,to make into; to change into; -ization; to ... -ize; to transform; abbr. for 化學|化学[hua4 xue2] -化作,huà zuò,to change into; to turn into; to become -化冻,huà dòng,to defrost -化合,huà hé,chemical combination -化合价,huà hé jià,valence (chemistry) -化合物,huà hé wù,chemical compound -化名,huà míng,to use an alias; assumed name; pseudonym -化外,huà wài,(old) outside the sphere of civilization -化妆,huà zhuāng,to put on makeup -化妆品,huà zhuāng pǐn,cosmetic; makeup product -化妆室,huà zhuāng shì,dressing room; powder room; (Tw) toilets -化妆水,huà zhuāng shuǐ,skin toner -化妆舞会,huà zhuāng wǔ huì,masquerade -化子,huā zi,beggar (old term); same as 花子 -化学,huà xué,chemistry; chemical -化学信息素,huà xué xìn xī sù,semiochemical -化学元素,huà xué yuán sù,chemical element -化学分析,huà xué fēn xī,chemical analysis -化学剂量计,huà xué jì liàng jì,chemical dosimeter -化学反应,huà xué fǎn yìng,chemical reaction -化学品,huà xué pǐn,chemicals -化学家,huà xué jiā,chemist -化学工业,huà xué gōng yè,chemical industry (abbr. to 化工[hua4gong1]) -化学工程,huà xué gōng chéng,chemical engineering -化学师,huà xué shī,chemist; apothecary -化学式,huà xué shì,chemical formula (e.g. water H2O) -化学弹药,huà xué dàn yào,chemical ammunition -化学性,huà xué xìng,chemical -化学性质,huà xué xìng zhì,chemical property -化学成分,huà xué chéng fèn,chemical composition -化学战,huà xué zhàn,chemical warfare -化学战剂,huà xué zhàn jì,chemical warfare agent -化学战剂检毒箱,huà xué zhàn jì jiǎn dú xiāng,chemical detection kit -化学战斗部,huà xué zhàn dòu bù,chemical warhead -化学方程式,huà xué fāng chéng shì,chemical equation -化学武器,huà xué wǔ qì,chemical weapon -化学武器储备,huà xué wǔ qì chǔ bèi,chemical weapons storage -化学武器防护,huà xué wǔ qì fáng hù,chemical weapon defense -化学比色法,huà xué bǐ sè fǎ,chemical colorimetry -化学治疗,huà xué zhì liáo,chemotherapy -化学激光器,huà xué jī guāng qì,chemical laser -化学物,huà xué wù,chemicals -化学疗法,huà xué liáo fǎ,chemotherapy -化学系,huà xué xì,department of chemistry -化学纤维,huà xué xiān wéi,man-made fiber -化学能,huà xué néng,chemical energy -化学航弹,huà xué háng dàn,chemical bomb -化学变化,huà xué biàn huà,chemical change; chemical transformation -化学键,huà xué jiàn,chemical bond -化学需氧量,huà xué xū yǎng liàng,chemical oxygen demand (an environmental indicator) -化州,huà zhōu,"Huazhou, county-level city in Maoming 茂名, Guangdong" -化州市,huà zhōu shì,"Huazhou, county-level city in Maoming 茂名, Guangdong" -化工,huà gōng,chemical industry (abbr. for 化學工業|化学工业[hua4xue2 gong1ye4]); chemical engineering (abbr. for 化學工程|化学工程[hua4xue2 gong1cheng2]) -化工厂,huà gōng chǎng,chemical factory; chemical plant -化干戈为玉帛,huà gān gē wéi yù bó,lit. to exchange weapons of war for gifts of jade and silk (idiom); fig. to turn hostility into friendship -化德,huà dé,"Huade county in Ulaanchab 烏蘭察布|乌兰察布[Wu1 lan2 cha2 bu4], Inner Mongolia" -化德县,huà dé xiàn,"Huade county in Ulaanchab 烏蘭察布|乌兰察布[Wu1 lan2 cha2 bu4], Inner Mongolia" -化整为零,huà zhěng wéi líng,to break up the whole into pieces (idiom); dealing with things one by one; divide and conquer -化敌为友,huà dí wéi yǒu,to convert an enemy into a friend (idiom) -化日,huà rì,sunlight; daytime -化武,huà wǔ,chemical weapon; abbr. for 化學武器|化学武器[hua4 xue2 wu3 qi4] -化油器,huà yóu qì,carburetor -化为泡影,huà wéi pào yǐng,(idiom) to come to nothing -化为乌有,huà wéi wū yǒu,to go up in smoke; to vanish -化用,huà yòng,to adapt (an idea etc) -化痰,huà tán,to transform phlegm (TCM) -化疗,huà liáo,chemotherapy -化石,huà shí,fossil -化石燃料,huà shí rán liào,fossil fuel -化石群,huà shí qún,fossil assemblage -化粪池,huà fèn chí,septic tank -化约,huà yuē,to simplistically reduce (sth) to just ...; to regard (sth) as merely ... -化缘,huà yuán,(of a monk) to beg -化纤,huà xiān,man-made fiber (abbr. for 化學纖維|化学纤维[hua4xue2 xian1wei2]) -化肥,huà féi,fertilizer -化腐朽为神奇,huà fǔ xiǔ wéi shén qí,lit. to change something rotten into something magical (idiom) -化脓,huà nóng,to fester; to suppurate; to be infected -化脓性,huà nóng xìng,purulent (containing pus); septic -化蛹,huà yǒng,to pupate; to turn into a chrysalis -化装,huà zhuāng,(of actors) to make up; to disguise oneself -化解,huà jiě,to dissolve; to resolve (contradictions); to dispel (doubts); to iron out (difficulties); to defuse (conflicts); to neutralize (fears) -化身,huà shēn,incarnation; reincarnation; embodiment (of abstract idea); personification -化开,huà kāi,to spread out after being diluted or melted; to dissolve into a liquid -化隆,huà lóng,"Hualong Huizu autonomous county in Haidong prefecture 海東地區|海东地区[Hai3 dong1 di4 qu1], Qinghai" -化隆回族自治县,huà lóng huí zú zì zhì xiàn,"Hualong Huizu Autonomous County in Haidong prefecture 海東地區|海东地区[Hai3 dong1 di4 qu1], Qinghai" -化隆县,huà lóng xiàn,"Hualong Huizu autonomous county in Haidong prefecture 海東地區|海东地区[Hai3 dong1 di4 qu1], Qinghai" -化险为夷,huà xiǎn wéi yí,to turn peril into safety (idiom); to avert disaster -化验,huà yàn,chemical examination; to do a lab test -化斋,huà zhāi,to beg for food (of monks) -北,běi,north; (classical) to be defeated -北上,běi shàng,to go up north -北上广,běi shàng guǎng,"Beijing, Shanghai and Guangzhou; abbr. for 北京、上海、廣州|北京、上海、广州" -北上广深,běi shàng guǎng shēn,"Beijing, Shanghai, Guangzhou and Shenzhen; abbr. for 北京、上海、廣州、深圳|北京、上海、广州、深圳" -北二外,běi èr wài,abbr. for 北京第二外國語學院|北京第二外国语学院[Bei3 jing1 Di4 er4 Wai4 guo2 yu3 Xue2 yuan4] -北亚,běi yà,North Asia -北京,běi jīng,"Beijing, capital of the People's Republic of China" -北京中医药大学,běi jīng zhōng yī yào dà xué,Beijing University of Chinese Medicine -北京人,běi jīng rén,"Beijing resident; Peking ape-man, Homo erectus pekinensis (c. 600,000 BC), discovered in 1921 at Zhoukoudian 周口店[Zhou1 kou3 dian4], Beijing" -北京南苑机场,běi jīng nán yuàn jī chǎng,"Beijing Nanyuan Airport, military air base and secondary civil airport of Beijing" -北京周报,běi jīng zhōu bào,Beijing Review; also written 北京週報|北京周报 -北京咳,běi jīng ké,"""Beijing cough"", respiratory problems caused by dry and polluted Beijing air, typically experienced by non-acclimated foreigners who would otherwise have no such problems" -北京国家游泳中心,běi jīng guó jiā yóu yǒng zhōng xīn,"Beijing National Aquatics Center, swimming venue of the Beijing 2008 Olympic Games" -北京国家体育场,běi jīng guó jiā tǐ yù chǎng,Beijing National Stadium -北京外国语大学,běi jīng wài guó yǔ dà xué,Beijing Foreign Studies University (BFSU) -北京大学,běi jīng dà xué,Peking University -北京大兴国际机场,běi jīng dà xīng guó jì jī chǎng,Beijing Daxing International Airport (PKX) -北京工人体育场,běi jīng gōng rén tǐ yù chǎng,Workers Stadium -北京工业大学,běi jīng gōng yè dà xué,Beijing University of Technology -北京市,běi jīng shì,Beijing; capital of People's Republic of China; one of the four municipalities 直轄市|直辖市[zhi2 xia2 shi4] -北京师范大学,běi jīng shī fàn dà xué,Beijing Normal University -北京广播学院,běi jīng guǎng bō xué yuàn,"Beijing Broadcasting Institute, former name of 中國傳媒大學|中国传媒大学[Zhong1 guo2 Chuan2 mei2 Da4 xue2]" -北京教育学院,běi jīng jiào yù xué yuàn,Beijing Institute of Education -北京日报,běi jīng rì bào,"Beijing Daily (newspaper), www.bjd.com.cn" -北京时间,běi jīng shí jiān,Beijing Time (BJT); China Standard Time (CST) -北京晚报,běi jīng wǎn bào,Beijing Evening News -北京晨报,běi jīng chén bào,"Beijing Morning Post, newspaper published 1998-2018" -北京林业大学,běi jīng lín yè dà xué,Beijing Forestry University -北京核武器研究所,běi jīng hé wǔ qì yán jiū suǒ,Nuclear Weapon Institute in Beijing -北京汽车制造厂有限公司,běi jīng qì chē zhì zào chǎng yǒu xiàn gōng sī,Beijing Automobile Works (BAW) -北京烤鸭,běi jīng kǎo yā,Peking Duck -北京物资学院,běi jīng wù zī xué yuàn,Beijing Materials University -北京猿人,běi jīng yuán rén,"Peking ape-man; Homo erectus pekinensis (c. 600,000 BC), discovered in Zhoukoudian 周口店[Zhou1 kou3 dian4] in 1921" -北京理工大学,běi jīng lǐ gōng dà xué,Beijing Institute of Technology -北京环球金融中心,běi jīng huán qiú jīn róng zhōng xīn,"Beijing World Financial Center, skyscraper" -北京产权交易所,běi jīng chǎn quán jiāo yì suǒ,China Beijing Equity Exchange (CBEX) -北京瘫,běi jīng tān,"""Beijing slouch"", sitting posture said to be adopted esp. by Beijingers, popularized by 葛優|葛优[Ge3 You1]" -北京科技大学,běi jīng kē jì dà xué,University of Science and Technology Beijing -北京第二外国语学院,běi jīng dì èr wài guó yǔ xué yuàn,Beijing International Studies University (BISU) -北京舞蹈学院,běi jīng wǔ dǎo xué yuàn,Beijing Dance Academy -北京航空学院,běi jīng háng kōng xué yuàn,Beijing Aeronautical and Astronautical Institute (abbr. to 北航院) -北京航空航天大学,běi jīng háng kōng háng tiān dà xué,Beijing University of Aeronautics and Astronautics -北京艺术学院,běi jīng yì shù xué yuàn,Beijing Academy of Fine Arts -北京话,běi jīng huà,Beijing dialect -北京语言大学,běi jīng yǔ yán dà xué,Beijing Language and Culture University (BLCU) -北京语言学院,běi jīng yǔ yán xué yuàn,Beijing Language Institute; former name of 北京語言大學|北京语言大学[Bei3 jing1 Yu3 yan2 Da4 xue2] Beijing Language and Culture University (BLCU) -北京周报,běi jīng zhōu bào,Beijing Review -北京电影学院,běi jīng diàn yǐng xué yuàn,Beijing Film Academy -北京青年报,běi jīng qīng nián bào,"Beijing Youth Daily, newspaper founded in 1949" -北京音,běi jīng yīn,Beijing pronunciation -北伐,běi fá,"the Northern Expedition, the Nationalists' campaign of 1926-1928 under Chiang Kai-shek, against the rule of local warlords" -北伐军,běi fá jūn,the Northern Expeditionary Army -北佬,běi lǎo,"northerner, person from Northern China (Cantonese)" -北仑,běi lún,"Beilun district of Ningbo city 寧波市|宁波市[Ning2 bo1 shi4], Zhejiang" -北仑区,běi lún qū,"Beilun district of Ningbo city 寧波市|宁波市[Ning2 bo1 shi4], Zhejiang" -北仓区,běi cāng qū,"erroneous variant of 北侖區|北仑区[Bei3 lun2 qu1], Beilun district of Ningbo, Zhejiang" -北侧,běi cè,north side; north face -北冕座,běi miǎn zuò,Corona Borealis (constellation) -北冰洋,běi bīng yáng,Arctic ocean -北半球,běi bàn qiú,Northern Hemisphere -北卡罗来纳,běi kǎ luó lái nà,"North Carolina, US state" -北卡罗来纳州,běi kǎ luó lái nà zhōu,"North Carolina, US state" -北印度语,běi yìn dù yǔ,Hindi; a north Indian language -北叟失马,běi sǒu shī mǎ,"lit. the old man lost his horse, but it all turned out for the best (idiom); fig. a blessing in disguise; it's an ill wind that blows nobody any good" -北史,běi shǐ,"History of the Northern Dynasties, fifteenth of the 24 dynastic histories 二十四史[Er4 shi2 si4 Shi3], compiled by Li Yanshou 李延壽|李延寿[Li3 Yan2 shou4] in 659 during Tang Dynasty, 100 scrolls" -北周,běi zhōu,the Northern Zhou Dynasty (557-581); one of the Northern Dynasties -北噪鸦,běi zào yā,(bird species of China) Siberian jay (Perisoreus infaustus) -北回归线,běi huí guī xiàn,Tropic of Cancer -北国,běi guó,the northern part of the country; the North -北圻,běi qí,"Tonkin, northern Vietnam during the French colonial period" -北坡,běi pō,north slope -北埔,běi pǔ,"Beipu or Peipu Township in Hsinchu County 新竹縣|新竹县[Xin1 zhu2 Xian4], northwest Taiwan" -北埔乡,běi pǔ xiāng,"Beipu or Peipu Township in Hsinchu County 新竹縣|新竹县[Xin1 zhu2 Xian4], northwest Taiwan" -北塔,běi tǎ,"North tower; Beita district of Shaoyang city 邵陽市|邵阳市[Shao4 yang2 shi4], Hunan" -北塔区,běi tǎ qū,"Beita District of Shaoyang City 邵陽市|邵阳市[Shao4 yang2 Shi4], Hunan" -北塘,běi táng,"Beitang district of Wuxi city 無錫市|无锡市[Wu2 xi1 shi4], Jiangsu" -北塘区,běi táng qū,"Beitang district of Wuxi city 無錫市|无锡市[Wu2 xi1 shi4], Jiangsu" -北外,běi wài,abbr. for 北京外國語大學|北京外国语大学[Bei3 jing1 Wai4 guo2 yu3 Da4 xue2] -北大,běi dà,Peking University (abbr. for 北京大學|北京大学) -北大荒,běi dà huāng,the Great Northern Wilderness (in Northern China) -北大西洋,běi dà xī yáng,North Atlantic -北大西洋公约组织,běi dà xī yáng gōng yuē zǔ zhī,"North Atlantic Treaty Organization, NATO" -北威州,běi wēi zhōu,"North Rhine-Westphalia, Germany" -北安,běi ān,"Bei'an, county-level city in Heihe 黑河[Hei1 he2], Heilongjiang" -北安市,běi ān shì,"Bei'an, county-level city in Heihe 黑河[Hei1 he2], Heilongjiang" -北安普敦,běi ān pǔ dūn,"Northampton, town in central England, county town of Northamptonshire 北安普敦郡[Bei3 an1 pu3 dun1 jun4]" -北宋,běi sòng,the Northern Song Dynasty (960-1127) -北宋四大部书,běi sòng sì dà bù shū,"Four great compilations of Northern Song dynasty, namely: Extensive records of the Taiping era (978) 太平廣記|太平广记, Imperial readings of the Taiping era 太平御覽|太平御览, Prime tortoise of the record bureau 冊府元龜|册府元龟, Finest blossoms in the garden of literature 文苑英華|文苑英华" -北寒带,běi hán dài,the north frigid zone -北屯,běi tún,"Beitun, city in Altay Prefecture 阿勒泰地區|阿勒泰地区[A1le4tai4 Di4qu1], Xinjiang" -北屯区,běi tún qū,"Beitun District of Taichung, Taiwan" -北屯市,běi tún shì,"Beitun, city in Altay Prefecture 阿勒泰地區|阿勒泰地区[A1le4tai4 Di4qu1], Xinjiang" -北山,běi shān,northern mountain; refers to Mt Mang 邙山 at Luoyang in Henan -北山羊,běi shān yáng,ibex -北岛,běi dǎo,"Bei Dao (1949-), Chinese poet" -北岳,běi yuè,"Mt Heng 恆山|恒山[Heng2 Shan1] in Shanxi, one of the Five Sacred Mountains 五嶽|五岳[Wu3 yue4]" -北川,běi chuān,"Beichuan, county-level city in Mianyang prefecture 綿陽|绵阳, Sichuan" -北川县,běi chuān xiàn,"Beichuan Qiang autonomous county in Mianyang 綿陽|绵阳[Mian2 yang2], north Sichuan" -北川羌族自治县,běi chuān qiāng zú zì zhì xiàn,"Beichuan Qiang autonomous county in Mianyang 綿陽|绵阳[Mian2 yang2], north Sichuan" -北布拉班特,běi bù lā bān tè,"Noord Brabant, Netherlands" -北师大,běi shī dà,Beijing Normal University; abbr. for 北京師範大學|北京师范大学[Bei3 jing1 Shi1 fan4 Da4 xue2] -北平,běi píng,"Peiping or Beiping (name of Beijing at different periods, esp. 1928-1949)" -北征,běi zhēng,punitive expedition to the north -北爱,běi ài,"abbr. for 北愛爾蘭|北爱尔兰[Bei3 Ai4 er3 lan2], Northern Ireland" -北爱尔兰,běi ài ěr lán,Northern Ireland -北戴河,běi dài hé,"Beidaihe district of Qinhuangdao city 秦皇島市|秦皇岛市[Qin2 huang2 dao3 shi4], Hebei" -北戴河区,běi dài hé qū,"Beidaihe district of Qinhuangdao city 秦皇島市|秦皇岛市[Qin2 huang2 dao3 shi4], Hebei" -北投,běi tóu,"Beitou or Peitou District of Taipei City 臺北市|台北市[Tai2 bei3 Shi4], Taiwan" -北投区,běi tóu qū,"Beitou or Peitou District of Taipei City 臺北市|台北市[Tai2 bei3 Shi4], Taiwan" -北斗,běi dǒu,"Great Bear; Big Dipper; Beidou or Peitou Town in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -北斗七星,běi dǒu qī xīng,(astronomy) Big Dipper -北斗星,běi dǒu xīng,the Big Dipper; the Plow -北斗卫星导航系统,běi dǒu wèi xīng dǎo háng xì tǒng,BeiDou Navigation Satellite System (BDS) (similar to GPS) -北斗镇,běi dǒu zhèn,"Beidou or Peitou Town in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -北方,běi fāng,north; the northern part a country; China north of the Yellow River -北方中杜鹃,běi fāng zhōng dù juān,(bird species of China) oriental cuckoo (Cuculus optatus) -北方佬,běi fāng lǎo,northerner; guy from the north; Yankee -北方工业,běi fāng gōng yè,"Norinco, PRC state-run conglomerate" -北方民族大学,běi fāng mín zú dà xué,"Northern Nationalities University NNU at Yingchuan, Ningxia (former Northwestern Second College for Nationalities)" -北方邦,běi fāng bāng,Uttar Pradesh (state in India) -北朝,běi cháo,Northern Dynasties (386-581) -北朝鲜,běi cháo xiǎn,North Korea -北朱雀,běi zhū què,(bird species of China) Pallas's rosefinch (Carpodacus roseus) -北林,běi lín,"Beilin District of Suihua City 綏化市|绥化市[Sui2 hua4 Shi4], Heilongjiang" -北林区,běi lín qū,"Beilin District of Suihua City 綏化市|绥化市[Sui2 hua4 Shi4], Heilongjiang" -北柴胡,běi chái hú,honewort; Cryptotaenia japonica -北椋鸟,běi liáng niǎo,(bird species of China) purple-backed starling (Agropsar sturninus) -北极,běi jí,the North Pole; the Arctic Pole; the north magnetic pole -北极光,běi jí guāng,northern lights; aurora borealis -北极圈,běi jí quān,Arctic Circle -北极星,běi jí xīng,North Star; Polaris -北极熊,běi jí xióng,polar bear -北极狐,běi jí hú,arctic fox -北极鸥,běi jí ōu,(bird species of China) glaucous gull (Larus hyperboreus) -北欧,běi ōu,north Europe; Scandinavia -北欧航空公司,běi ōu háng kōng gōng sī,Scandinavian Airlines (SAS) -北江,běi jiāng,Beijiang River -北汽,běi qì,Beijing Automobile Works (BAW); abbr. for 北京汽車製造廠有限公司|北京汽车制造厂有限公司[Bei3 jing1 Qi4 che1 Zhi4 zao4 chang3 You3 xian4 Gong1 si1] -北洋,běi yáng,"the Qing Dynasty name for the coastal provinces of Liaoning, Hebei, and Shandong" -北洋政府,běi yáng zhèng fǔ,the Warlord government of Northern China that developed from the Qing Beiyang army 北洋軍閥|北洋军阀 after the Xinhai revolution of 1911 -北洋水师,běi yáng shuǐ shī,north China navy (esp. the ill-fated Chinese navy in the 1895 war with Japan) -北洋系,běi yáng xì,Beiyang faction of Northern Warlords -北洋军,běi yáng jūn,"north China army, a modernizing Western-style army set up during late Qing, and a breeding ground for the Northern Warlords after the Qinghai revolution" -北洋军阀,běi yáng jūn fá,the Northern Warlords (1912-1927) -北洋陆军,běi yáng lù jūn,north China army (esp. during the warlords period) -北派螳螂拳,běi pài táng láng quán,"Beipai Tanglang Quan - ""Northern Praying Mantis"" (Chinese Martial Art)" -北流,běi liú,"Beiliu, county-level city in Yulin 玉林[Yu4 lin2], Guangxi" -北流市,běi liú shì,"Beiliu, county-level city in Yulin 玉林[Yu4 lin2], Guangxi" -北海,běi hǎi,"Beihai, park in Beijing to the northwest of the Forbidden City; the North Sea (Europe); Beihai prefecture-level city and seaport in Guangxi; Bohai Sea; Lake Baikal" -北海市,běi hǎi shì,Beihai prefecture-level city and seaport in Guangxi -北海舰队,běi hǎi jiàn duì,North Sea Fleet -北海道,běi hǎi dào,"Hokkaidō, Japan" -北凉,běi liáng,Northern Liang of the Sixteen Kingdoms (398-439) -北港,běi gǎng,"Beigang or Peikang town in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -北港镇,běi gǎng zhèn,"Beigang or Peikang town in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -北湖区,běi hú qū,"North lake district; Beihu district of Chenzhou city 郴州市[Chen1 zhou1 shi4], Hunan" -北温带,běi wēn dài,the north temperate zone -北漂,běi piāo,to migrate to Beijing in search of better job opportunities; migrant worker living and working in Beijing without a residence permit -北汉,běi hàn,"Han of the Five dynasties (951-979), one of ten kingdoms during the Five Dynasties, Ten Kingdoms period (907-960)" -北燕,běi yān,Northern Yan of the Sixteen Kingdoms (409-436) -北疆,běi jiāng,northern Xinjiang (north of the Tian Shan mountains 天山[Tian1 Shan1]) -北疆,běi jiāng,northern frontier -北短翅莺,běi duǎn chì yīng,(bird species of China) Baikal bush warbler (Locustella davidi) -北碚,běi bèi,"Beibei, a district of Chongqing 重慶|重庆[Chong2qing4]" -北碚区,běi bèi qū,"Beibei, a district of Chongqing 重慶|重庆[Chong2qing4]" -北票,běi piào,"Beipiao, county-level city in Chaoyang 朝陽|朝阳[Chao2 yang2], Liaoning" -北票市,běi piào shì,"Beipiao, county-level city in Chaoyang 朝陽|朝阳[Chao2 yang2], Liaoning" -北端,běi duān,northern extremity -北竿,běi gān,"Peikan Island, one of the Matsu Islands; Peikan township in Lienchiang county 連江縣|连江县[Lian2 jiang1 xian4], Taiwan" -北竿乡,běi gān xiāng,"Peikan township in Lienchiang county 連江縣|连江县[Lian2 jiang1 xian4] i.e. the Matsu Islands, Taiwan" -北约,běi yuē,NATO (North Atlantic Treaty Organization) (abbr. for 北大西洋公約組織|北大西洋公约组织[Bei3 Da4xi1 Yang2 Gong1yue1 Zu3zhi1]) -北红尾鸲,běi hóng wěi qú,(bird species of China) Daurian redstart (Phoenicurus auroreus) -北纬,běi wěi,north latitude -北县,běi xiàn,"abbr. for 台北縣|台北县[Tai2 bei3 Xian4], Taipei County in north Taiwan" -北美,běi měi,North America -北美洲,běi měi zhōu,North America -北苑,běi yuàn,Beiyuan neighborhood of Beijing -北荷兰,běi hé lán,North Holland -北蝗莺,běi huáng yīng,(bird species of China) Middendorff's grasshopper warbler (Locustella ochotensis) -北角,běi jiǎo,North Point district of Hong Kong -北越,běi yuè,North Vietnam; North Vietnamese -北车,běi chē,(coll.) Taipei Railway Station (abbr. for 台北車站|台北车站[Tai2 bei3 Che1 zhan4]) (Tw) -北辰,běi chén,Polaris; North Star -北辰区,běi chén qū,Beichen suburban district of Tianjin municipality 天津市[Tian1 jin1 shi4] -北达科他,běi dá kē tā,"North Dakota, US state" -北达科他州,běi dá kē tā zhōu,"North Dakota, US state" -北边,běi biān,north; north side; northern part; to the north of -北边儿,běi biān er,erhua variant of 北邊|北边[bei3 bian1] -北邙,běi máng,"Mt Mang at Luoyang in Henan, with many Han, Wei and Jin dynasty royal tombs" -北部,běi bù,northern part -北部湾,běi bù wān,Gulf of Tonkin -北镇,běi zhèn,"Beizhen, county-level city in Jinzhou 錦州|锦州, Liaoning" -北镇市,běi zhèn shì,"Beizhen, county-level city in Jinzhou 錦州|锦州, Liaoning" -北长尾山雀,běi cháng wěi shān què,(bird species of China) long-tailed tit (Aegithalos caudatus) -北门,běi mén,"Peimen township in Tainan county 台南縣|台南县[Tai2 nan2 xian4], Taiwan" -北关,běi guān,"Beiguan district of Anyang city 安陽市|安阳市[An1 yang2 shi4], Henan" -北关区,běi guān qū,"Beiguan district of Anyang city 安陽市|安阳市[An1 yang2 shi4], Henan" -北非,běi fēi,North Africa -北面,běi miàn,northern side; north -北韩,běi hán,"(Tw, HK) North Korea" -北领地,běi lǐng dì,"Northern Territory, sparsely populated federal territory extending from center to north of Australia" -北马里亚纳,běi mǎ lǐ yà nà,Northern Mariana Islands -北马里亚纳群岛,běi mǎ lǐ yà nà qún dǎo,Northern Mariana Islands -北魏,běi wèi,"Wei of the Northern Dynasties (386-534), founded by the Tuoba 拓跋 branch of Xianbei 鮮卑|鲜卑" -北鹨,běi liù,(bird species of China) Pechora pipit (Anthus gustavi) -北鹰鹃,běi yīng juān,(bird species of China) rufous hawk-cuckoo (Hierococcyx hyperythrus) -北鼻,běi bí,baby (loanword) -北齐,běi qí,Qi of the Northern Dynasties (550-557) -北齐书,běi qí shū,"History of Qi of the Northern Dynasties, eleventh of the 24 dynastic histories 二十四史[Er4 shi2 si4 Shi3], compiled by Li Baiyao 李百藥|李百药[Li3 Bai3 yao4] in 636 during Tang Dynasty, 50 scrolls" -匙,chí,spoon -匙,shi,used in 鑰匙|钥匙[yao4 shi5] -匚,fāng,"""right open box"" radical (Kangxi radical 22), occurring in 区, 医, 匹 etc" -匝,zā,(literary) to encircle; to go around; to surround; (literary) whole; full; (literary) classifier for a full circuit or a turn of a coil -匝加利亚,zā jiā lì yà,Zechariah -匝月,zā yuè,(formal) a full month -匝道,zā dào,freeway ramp -炕,kàng,old variant of 炕[kang4] -匠,jiàng,craftsman -匠心,jiàng xīn,ingenuity; craftsmanship -匠心独运,jiàng xīn dú yùn,original and ingenious (idiom); to show great creativity -匡,kuāng,surname Kuang -匡,kuāng,(literary) to rectify; (literary) to assist; (coll.) to calculate roughly; to estimate -匡扶社稷,kuāng fú shè jì,(of states within the nation) to support the ruler in governing the country -匡正,kuāng zhèng,to correct; to amend; to redress (evils) -匣,xiá,box -匣子,xiá zi,small box -匣枪,xiá qiāng,Mauser pistol (C96 type) -匧,qiè,old variant of 篋|箧[qie4] -匪,fěi,bandit; (literary) not -匪夷所思,fěi yí suǒ sī,unimaginable; outrageous; freakish -匪巢,fěi cháo,bandit stronghold -匪帮,fěi bāng,gang of bandits; criminal gang (formerly often used of political opponents) -匪徒,fěi tú,gangster; bandit -匪徒集团,fěi tú jí tuán,gangster -匪盗,fěi dào,bandit -匪穴,fěi xué,bandit den; rebel stronghold -匪首,fěi shǒu,bandit -匦,guǐ,small box -汇,huì,to remit; to converge (of rivers); to exchange -汇价,huì jià,exchange rate -汇兑,huì duì,remittance; funds paid to a bank account -汇入,huì rù,to flow into; to converge (of river); (computing) to import (data) -汇出,huì chū,to remit (funds); (computing) to export (data) -汇出行,huì chū háng,remitting bank -汇划,huì huà,remittance -汇合,huì hé,confluence; to converge; to join; to fuse; fusion -汇回,huì huí,to remit home -汇报,huì bào,to report; to give an account of; to collect information and report back -汇寄,huì jì,remit -汇川,huì chuān,"Huichuan District of Zunyi City 遵義市|遵义市[Zun1 yi4 Shi4], Guizhou" -汇川区,huì chuān qū,"Huichuan District of Zunyi City 遵義市|遵义市[Zun1 yi4 Shi4], Guizhou" -汇差,huì chā,difference in exchange rates in different regions -汇拢,huì lǒng,to collect; to gather -汇映,huì yìng,joint screening; consecutive screening of collection of movies -汇业财经集团,huì yè cái jīng jí tuán,Delta Asia Financial Group (Macau) -汇业银行,huì yè yín háng,"Banco Delta Asia S.A.R.L., Macau" -汇款,huì kuǎn,to remit money; remittance -汇水,huì shuǐ,remittance fee -汇注,huì zhù,to flow into; to converge -汇流,huì liú,(of rivers etc) to converge; convergence -汇流环,huì liú huán,slip-ring; rotary electrical interface; collector ring -汇演,huì yǎn,joint performance -汇率,huì lǜ,exchange rate -汇票,huì piào,bill of exchange; bank draft -汇编,huì biān,to compile; collection; compilation -汇编语言,huì biān yǔ yán,assembly language -汇总,huì zǒng,variant of 彙總|汇总[hui4 zong3] -汇聚,huì jù,convergence; to come together -汇丰,huì fēng,Hong Kong and Shanghai Banking Corporation (HSBC) -汇丰银行,huì fēng yín háng,Hong Kong and Shanghai Banking Corporation (HSBC) -汇费,huì fèi,remittance fee -汇金,huì jīn,finance -汇集,huì jí,to collect; to compile; to converge; also written 彙集|汇集[hui4 ji2] -汇点,huì diǎn,confluence; a meeting point -匮,kuì,surname Kui -匮,guì,variant of 櫃|柜[gui4] -匮,kuì,to lack; lacking; empty; exhausted -匮乏,kuì fá,"to be deficient in sth; to be short of sth (supplies, money etc)" -匮竭,kuì jié,exhausted -匮缺,kuì quē,"to be deficient in sth; to be short of sth (supplies, money etc)" -奁,lián,variant of 奩|奁[lian2] -奁,lián,variant of 奩|奁[lian2] -匸,xì,"""cover"" or ""conceal"" radical in Chinese characters (Kangxi radical 23) (distinguished from 匚[fang1])" -匹,pī,mate; one of a pair -匹,pǐ,"classifier for horses, mules etc; Taiwan pr. [pi1]; ordinary person; classifier for cloth: bolt; horsepower" -匹偶,pǐ ǒu,a married couple -匹克,pǐ kè,"Peak Sport Products Co., Chinese sportswear company" -匹克,pǐ kè,(guitar) pick (loanword) -匹夫,pǐ fū,ordinary man; ignorant person; coarse fellow -匹夫匹妇,pǐ fū pǐ fù,ordinary people; commoners -匹敌,pǐ dí,to be equal to; to be well-matched; rival -匹耦,pǐ ǒu,variant of 匹偶[pi3 ou3] -匹兹堡,pǐ zī bǎo,Pittsburgh (Pennsylvania) -匹配,pǐ pèi,to mate or marry; to match; matching; compatible -匹马力,pǐ mǎ lì,horsepower -匽,yǎn,"to hide, to secrete, to repress; to bend" -匾,biǎn,horizontal rectangular inscribed tablet hung over a door or on a wall; shallow round woven bamboo basket -匾额,biǎn é,a horizontal inscribed board -匿,nì,to hide -匿名,nì míng,anonymous -匿报,nì bào,to withhold information -匿影藏形,nì yǐng cáng xíng,to hide from public view; to conceal one's identity; to lay low -匿迹,nì jì,to go into hiding -区,ōu,surname Ou -区,qū,area; region; district; small; distinguish; CL:個|个[ge4] -区位,qū wèi,geographical location; (computing) row-cell (i.e. the row 區|区[qu1] and cell 位[wei4] used to specify a character in a CJK character set) -区分,qū fēn,to differentiate; to draw a distinction; to divide into categories -区分大小写,qū fēn dà xiǎo xiě,case sensitive; distinguishing capitals from lowercase letters -区别,qū bié,difference; to distinguish; to discriminate; to make a distinction; CL:個|个[ge4] -区划,qū huà,subdivision (e.g. of provinces into counties) -区区,qū qū,insignificant; trifling; merely -区区小事,qū qū xiǎo shì,trivial matter; trifle -区域,qū yù,area; region; district -区域性,qū yù xìng,regional -区域码,qū yù mǎ,region code (DVD) -区域网络,qū yù wǎng luò,local area network; LAN -区域网路,qū yù wǎng lù,local area network; LAN -区域网路技术,qū yù wǎng lù jì shù,LAN technology -区块,qū kuài,block; segment; section; sector; area -区块链,qū kuài liàn,(computing) blockchain -区字框,qū zì kuàng,radical 匚[fang1] (Kangxi radical 22) -区旗,qū qí,district flag -区画,qū huà,subdivision (e.g. of provinces into counties) -区码,qū mǎ,area code; telephone dialing code -区处,qū chǔ,(literary) to handle; to treat -区处,qū chù,(literary) dwelling; residence; (Tw) regional office of a company -区号,qū hào,area code -区议会,qū yì huì,district council -区长,qū zhǎng,district chief -区间,qū jiān,delimited area; defined section of a train or bus route; numerical range; (math.) interval -区间车,qū jiān chē,train or bus traveling only part of its normal route -区隔,qū gé,to mark off; interval; segment (e.g. of market); compartment; segmentation -十,shí,ten; 10 -十一,shí yī,PRC National Day (October 1st) -十一,shí yī,eleven; 11 -十一月,shí yī yuè,November; eleventh month (of the lunar year) -十一月份,shí yī yuè fèn,November -十一路,shí yī lù,(coll.) going on foot -十七,shí qī,seventeen; 17 -十七孔桥,shí qī kǒng qiáo,"Seventeen-Arch Bridge in the Summer Palace 頤和園|颐和园[Yi2 he2 yuan2], Beijing" -十三,shí sān,thirteen; 13 -十三张,shí sān zhāng,Chinese poker -十三日,shí sān rì,thirteenth day of a month -十三经,shí sān jīng,"the Thirteen Confucian Classics, namely: Book of Songs 詩經|诗经[Shi1 jing1], Book of History 尚書|尚书[Shang4 shu1], Rites of Zhou 周禮|周礼[Zhou1 li3], Rites and Ceremonies 儀禮|仪礼[Yi2 li3], Classic of Rites 禮記|礼记[Li3 ji4], Book of Changes 易經|易经[Yi4 jing1], Mr Zuo's Annals 左傳|左传[Zuo3 Zhuan4], Mr Gongyang's Annals 公羊傳|公羊传[Gong1 yang2 Zhuan4], Mr Guliang's Annals 穀梁傳|谷梁传[Gu3 liang2 Zhuan4], The Analects 論語|论语[Lun2 yu3], Erya 爾雅|尔雅[Er3 ya3], Classic of Filial Piety 孝經|孝经[Xiao4 jing1], Mencius 孟子[Meng4 zi3]" -十三点,shí sān diǎn,half-witted; nitwit -十之八九,shí zhī bā jiǔ,most likely; mostly (in 8 or 9 cases out of 10); vast majority -十九,shí jiǔ,nineteen; 19 -十二,shí èr,twelve; 12 -十二分,shí èr fēn,exceedingly; hundred percent; everything and more -十二地支,shí èr dì zhī,"the 12 earthly branches 子[zi3], 丑, 寅, 卯, 辰, 巳, 午, 未, 申, 酉, 戌, 亥 (used cyclically in the calendar and as ordinal numbers)" -十二宫,shí èr gōng,"the twelve equatorial constellations or signs of the zodiac in Western astronomy and astrology, namely: Aries 白羊[Bai2 yang2], Taurus 金牛[Jin4 niu2], Gemini 雙子|双子[Shuang1 zi3], Cancer 巨蟹[Ju4 xie4], Leo 獅子|狮子[Shi1 zi3], Virgo 室女[Shi4 nu:3], Libra 天秤[Tian1 cheng4], Scorpio 天蠍|天蝎[Tian1 xie1], Sagittarius 人馬|人马[Ren2 ma3], Capricorn 摩羯[Mo2 jie2], Aquarius 寶瓶|宝瓶[Bao3 ping2], Pisces 雙魚|双鱼[Shuang1 yu2]" -十二平均律,shí èr píng jūn lǜ,equal temperament -十二指肠,shí èr zhǐ cháng,duodenum -十二支,shí èr zhī,"the 12 earthly branches 子[zi3], 丑, 寅, 卯, 辰, 巳, 午, 未, 申, 酉, 戌, 亥 (used cyclically in the calendar and as ordinal number)" -十二星座,shí èr xīng zuò,the twelve signs of the zodiac -十二时辰,shí èr shí chen,twelve divisions of the day of early Chinese and Babylonian timekeeping and astronomy -十二月,shí èr yuè,December; twelfth month (of the lunar year) -十二月份,shí èr yuè fèn,December -十二码,shí èr mǎ,12-yard (sports); penalty kick -十二经,shí èr jīng,twelve channels of TCM -十二经脉,shí èr jīng mài,twelve channels of TCM -十二角形,shí èr jiǎo xíng,dodecagon -十二边形,shí èr biān xíng,dodecagon -十二面体,shí èr miàn tǐ,dodecahedron -十五,shí wǔ,fifteen; 15 -十位,shí wèi,the tens place (or column) in the decimal system -十倍,shí bèi,tenfold; ten times (sth) -十亿,shí yì,one billion; giga- -十亿位元,shí yì wèi yuán,gigabit -十克,shí kè,decagram -十全,shí quán,perfect; complete -十全十美,shí quán shí měi,complete and beautiful; to be perfect (idiom) -十八,shí bā,eighteen; 18 -十六,shí liù,sixteen; 16 -十六位元,shí liù wèi yuán,16-bit (computing) -十六国,shí liù guó,Sixteen Kingdoms of Five non-Han people (ruling most of China 304-439); also written 五胡十六國|五胡十六国 -十六国春秋,shí liù guó chūn qiū,"history of the Sixteen Kingdoms 304-439 by Cui Hong 崔鴻|崔鸿, written towards the end of Wei of the Northern Dynasties 北魏, 100 scrolls" -十六字诀,shí liù zì jué,"16-character formula, esp. Mao Zedong's mantra on guerrilla warfare: 敵進我退,敵駐我擾,敵疲我打,敵退我追|敌进我退,敌驻我扰,敌疲我打,敌退我追[di2 jin4 wo3 tui4 , di2 zhu4 wo3 rao3 , di2 pi2 wo3 da3 , di2 tui4 wo3 zhui1] when the enemy advances we retreat; when the enemy makes camp we harass; when the enemy is exhausted we fight; and when the enemy retreats we pursue" -十六烷值,shí liù wán zhí,"cetane number (quality of light diesel fuel, measured by its ignition delay)" -十六进制,shí liù jìn zhì,hexadecimal -十分,shí fēn,very; completely; utterly; extremely; absolutely; hundred percent; to divide into ten equal parts -十分之一,shí fēn zhī yī,one tenth -十分位数,shí fēn wèi shù,decile (statistics) -十动然拒,shí dòng rán jù,to reject sb after being deeply touched by them (Internet slang) -十四,shí sì,fourteen; 14 -十四行诗,shí sì háng shī,sonnet -十国春秋,shí guó chūn qiū,"History of Ten States of South China (1669) by Wu Renchen 吳任臣|吴任臣[Wu2 Ren4 chen2], 114 scrolls" -十堰,shí yàn,"Shiyan, prefecture-level city in Hubei" -十堰市,shí yàn shì,"Shiyan, prefecture-level city in Hubei" -十多亿,shí duō yì,over one billion; more than a billion -十大神兽,shí dà shén shòu,the Baidu 10 mythical creatures (a set of hoax animals and puns linked to PRC Internet censorship) -十天干,shí tiān gān,"the ten Heavenly Stems 甲[jia3], 乙[yi3], 丙[bing3], 丁[ding1], 戊[wu4], 己[ji3], 庚[geng1], 辛[xin1], 壬[ren2], 癸[gui3] (used cyclically in the calendar and as ordinal number like Roman I, II, III)" -十字,shí zì,cross road; cross-shaped; crucifix; the character ten -十字形,shí zì xíng,cruciform; cross shape -十字架,shí zì jià,cross; crucifix; yoke one has to endure -十字架刑,shí zì jià xíng,crucifiction -十字丝,shí zì sī,crosshairs -十字绣,shí zì xiù,cross-stitch -十字花科,shí zì huā kē,Cruciferae or Brassicaceae (taxonomic family including Brassica etc whose flowers have a cross of 4 petals) -十字路口,shí zì lù kǒu,crossroads; intersection -十字军,shí zì jūn,crusaders; army of crusaders; the Crusades -十字军东征,shí zì jūn dōng zhēng,the Crusades; crusaders' eastern expedition -十字军远征,shí zì jūn yuǎn zhēng,the Crusades -十字转门,shí zì zhuàn mén,turnstile -十字镐,shí zì gǎo,pickaxe -十字头螺刀,shí zì tóu luó dāo,Phillips screwdriver (i.e. with cross slit) -十常侍,shí cháng shì,"Ten Permanent Functionaries at the end of Han, a byword for corruption" -十干,shí gān,"same as 天干; the 10 heavenly stems 甲, 乙, 丙, 丁, 戊, 己, 庚, 辛, 壬, 癸 (used cyclically in the calendar and as ordinal number like Roman I, II, III)" -十几,shí jǐ,more than ten; a dozen or more -十恶不赦,shí è bù shè,wicked beyond redemption (idiom); heinous -十成,shí chéng,completely -十成九稳,shí chéng jiǔ wěn,see 十拿九穩|十拿九稳[shi2na2-jiu3wen3] -十戒,shí jiè,the ten commandments (religion) -十拿九稳,shí ná jiǔ wěn,to be a cinch; in the bag; (of a person) confident of success -十指不沾阳春水,shí zhǐ bù zhān yáng chūn shuǐ,to have no need to fend for oneself (idiom); to lead a pampered life -十数,shí shù,more than ten; a dozen or more -十日谈,shí rì tán,"Decameron, collection of 100 tales of love supposedly told by ten young people in ten days, written by Giovanni Boccaccio 薄伽丘[Bo2 jia1 qiu1]" -十月,shí yuè,October; tenth month (of the lunar year) -十月份,shí yuè fèn,October -十月革命,shí yuè gé mìng,October Revolution -十有八九,shí yǒu bā jiǔ,most likely; mostly (in 8 or 9 cases out of 10); vast majority -十万,shí wàn,hundred thousand -十万位,shí wàn wèi,the hundred thousands place (or column) in the decimal system -十万八千里,shí wàn bā qiān lǐ,light-years (apart); a million miles (apart); (i.e. indicates a huge difference or a huge distance) -十万火急,shí wàn huǒ jí,most urgent; posthaste; express -十角形,shí jiǎo xíng,decagon -十诫,shí jiè,ten commandments -十赌九输,shí dǔ jiǔ shū,"lit. in gambling, nine times out of ten you lose (idiom); fig. gambling is a mug's game" -十足,shí zú,ample; complete; hundred percent; a pure shade (of some color) -十进,shí jìn,decimal; calculations to base 10 -十进位,shí jìn wèi,decimal system -十进位法,shí jìn wèi fǎ,decimal system -十进制,shí jìn zhì,decimal -十进算术,shí jìn suàn shù,decimal calculation -十边形,shí biān xíng,decagon -十里洋场,shí lǐ yáng chǎng,"the Shanghai of old, with its foreign settlements; (fig.) a bustling, cosmopolitan city" -十锦,shí jǐn,variant of 什錦|什锦[shi2 jin3] -十面埋伏,shí miàn mái fú,Ambush from Ten Sides (pipa solo piece); House of Flying Daggers (2004 movie by Zhang Yimou 張藝謀|张艺谋[Zhang1 Yi4 mou2]) -十项,shí xiàng,ten items; decathlon (athletics) -十项全能,shí xiàng quán néng,decathlon -卂,xùn,(archaic) to fly rapidly -千,qiān,thousand -千乘之国,qiān shèng zhī guó,(archaic) a state with a thousand chariots (to fight a war) – a powerful state -千伏,qiān fú,kilovolt -千位,qiān wèi,the thousands place (or column) in the decimal system -千位元,qiān wèi yuán,kilobit -千佛洞,qiān fó dòng,Buddhist grottos -千依百顺,qiān yī bǎi shùn,totally submissive (idiom) -千亿,qiān yì,myriads; hundred billion -千兆,qiān zhào,giga-; (computer networking) gigabits per second; 1000Base-T -千克,qiān kè,kilogram -千儿八百,qiān er bā bǎi,(coll.) one thousand or almost one thousand -千刀万剐,qiān dāo wàn guǎ,to hack (sb) to pieces (punishment in former times) -千分尺,qiān fēn chǐ,micrometer screw gauge; micrometer -千千万万,qiān qiān wàn wàn,lit. by the thousands and tens of thousands (idiom); untold numbers; innumerable; thousands upon thousands -千卡,qiān kǎ,kilocalorie (Kcal) -千古,qiān gǔ,"for all eternity; throughout all ages; eternity (used in an elegiac couplet, wreath etc dedicated to the dead)" -千古罪人,qiān gǔ zuì rén,sb condemned by history (idiom) -千古遗恨,qiān gǔ yí hèn,to have eternal regrets (idiom) -千叮万嘱,qiān dīng wàn zhǔ,repeatedly urging; imploring over and over again -千周,qiān zhōu,"kilocycle (KC), equals to 1,000 Hz" -千吨,qiān dūn,kiloton -千夫,qiān fū,a lot of people (literary) -千奇百怪,qiān qí bǎi guài,fantastic oddities of every description (idiom) -千姿百态,qiān zī bǎi tài,(idiom) to come in many different shapes; to display a great variety of forms -千字文,qiān zì wén,"Thousand Character Classic, 6th century poem used as a traditional reading primer" -千字节,qiān zì jié,kilobyte -千家万户,qiān jiā wàn hù,every family (idiom) -千层面,qiān céng miàn,lasagna -千山区,qiān shān qū,"Qianshan district of Anshan city 鞍山市[An1 shan1 shi4], Liaoning" -千岛湖,qiān dǎo hú,"Qiandao Lake in Zhejiang, aka Xin'an River Reservoir, created as part of a large hydroelectric project in 1959" -千岛群岛,qiān dǎo qún dǎo,"Kuril Islands, archipelago in Sakhalin, far-eastern Russia" -千岛酱,qiān dǎo jiàng,thousand island dressing -千差万别,qiān chā wàn bié,(idiom) extremely diverse; to vary greatly -千帕,qiān pà,"kilopascal (kPa, unit of pressure)" -千年,qiān nián,millennium -千虑一失,qiān lǜ yī shī,reflect a thousand times and you can still make a mistake (idiom); to err is human -千虑一得,qiān lǜ yī dé,"a thousand tries leads to one success (idiom, humble expr.); Even without any notable ability on my part, I may still get it right sometimes by good luck." -千挑万选,qiān tiāo wàn xuǎn,to select very carefully -千斤顶,qiān jīn dǐng,jack (for lifting weight) -千方百计,qiān fāng bǎi jì,"lit. thousand ways, a hundred plans (idiom); by every possible means" -千焦,qiān jiāo,kilojoule -千瓦,qiān wǎ,kilowatt (unit of electric power) -千瓦时,qiān wǎ shí,kilowatt-hour -千疮百孔,qiān chuāng bǎi kǒng,see 百孔千瘡|百孔千疮[bai3 kong3 qian1 chuang1] -千真万确,qiān zhēn wàn què,absolutely true (idiom); manifold; true from many points of view -千禧一代,qiān xǐ yī dài,Generation Y; Millennial Generation -千禧年,qiān xǐ nián,millennium -千秋,qiān qiū,a thousand years; your birthday (honorific) -千秋万代,qiān qiū wàn dài,throughout the ages -千篇一律,qiān piān yī lǜ,"thousand articles, same rule (idiom); stereotyped and repetitive; once you've seen one, you've seen them all" -千米,qiān mǐ,kilometer -千丝万缕,qiān sī wàn lǚ,linked in countless ways -千经万卷,qiān jīng wàn juǎn,"lit. a thousand sutras, ten thousand scrolls; fig. the vast Buddhist canon" -千万,qiān wàn,ten million; countless; many; one must by all means -千叶,qiān yè,Chiba (Japanese surname and place name) -千叶县,qiān yè xiàn,"Chiba prefecture, Japan" -千言万语,qiān yán wàn yǔ,thousands of words (idiom); having a lot of things to say; talking nonstop -千变万化,qiān biàn wàn huà,countless changes; constant permutation -千变万轸,qiān biàn wàn zhěn,"constantly changing, ever-varying (idiom)" -千赫,qiān hè,kilohertz -千赫兹,qiān hè zī,kilohertz; kHz -千足虫,qiān zú chóng,millipede -千军万马,qiān jūn wàn mǎ,magnificent army with thousands of men and horses (idiom); impressive display of manpower; all the King's horses and all the King's men -千载难逢,qiān zǎi nán féng,extremely rare (idiom); once in a blue moon -千辛万苦,qiān xīn wàn kǔ,to suffer untold hardships (idiom); trials and tribulations; with difficulty; after some effort -千里,qiān lǐ,a thousand miles; a thousand li (i.e. 500 kilometers); a long distance -千里之外,qiān lǐ zhī wài,thousand miles distant -千里寄鹅毛,qiān lǐ jì é máo,goose feather sent from afar (idiom); a trifling present with a weighty thought behind it; also written 千里送鵝毛|千里送鹅毛 -千里眼,qiān lǐ yǎn,clairvoyance -千里迢迢,qiān lǐ tiáo tiáo,from distant parts -千里送鹅毛,qiān lǐ sòng é máo,goose feather sent from afar (idiom); a trifling present with a weighty thought behind it -千里达及托巴哥,qiān lǐ dá jí tuō bā gē,Trinidad and Tobago (Tw) -千里达和多巴哥,qiān lǐ dá hé duō bā gē,Trinidad and Tobago -千里马,qiān lǐ mǎ,lit. ten thousand mile horse; fine steed -千里鹅毛,qiān lǐ é máo,goose feather sent from afar (idiom); a trifling gift with a weighty thought behind it; also written 千里送鵝毛|千里送鹅毛[qian1 li3 song4 e2 mao2] -千金,qiān jīn,thousand jin 斤 (pounds) of gold; money and riches; (honorific) invaluable (support); (honorific) daughter -千金一掷,qiān jīn yī zhì,lit. stake a thousand pieces of gold on one throw (idiom); to throw away money recklessly; extravagant -千金一诺,qiān jīn yī nuò,a promise worth one thousand in gold (idiom); a promise that must be kept -千金方,qiān jīn fāng,"Prescriptions Worth a Thousand in Gold, early Tang compendium of herbal medicine by Sun Simiao 孫思邈|孙思邈[Sun1 Si1 miao3]" -千金要方,qiān jīn yào fāng,"Prescriptions Worth a Thousand in Gold, early Tang compendium of herbal medicine by Sun Simiao 孫思邈|孙思邈[Sun1 Si1 miao3]" -千金难买,qiān jīn nán mǎi,can't be bought for one thousand in gold (idiom) -千钧一发,qiān jūn yī fà,a thousand pounds hangs by a thread (idiom); imminent peril; a matter of life or death -千锤百炼,qiān chuí bǎi liàn,after hard work and numerous revisions (idiom); the vicissitudes of life -千阳,qiān yáng,"Qianyang County in Baoji 寶雞|宝鸡[Bao3 ji1], Shaanxi" -千阳县,qiān yáng xiàn,"Qianyang County in Baoji 寶雞|宝鸡[Bao3 ji1], Shaanxi" -千难万难,qiān nán wàn nán,extremely difficult -千头万绪,qiān tóu wàn xù,plethora of things to tackle; multitude of loose ends; very complicated; chaotic -千碱基对,qiān jiǎn jī duì,kilobase pair (molecular biology) -卄,niàn,"twenty, twentieth" -卅,sà,thirty -升,shēng,to ascend; to rise to the rank of; to promote; to hoist; liter; measure for dry grain equal to one-tenth dou 斗[dou3] -升上,shēng shàng,(of an employee) to be promoted to (a higher rank); (of a student) to enter (a higher grade at school) -升任,shēng rèn,to be promoted to -升值,shēng zhí,to rise in value; to appreciate -升入,shēng rù,to progress to (a higher-level school) -升堂入室,shēng táng rù shì,lit. to reach the main room and enter the chamber (idiom); fig. to gradually attain proficiency; to attain a higher level -升压,shēng yā,to boost the pressure (of a fluid); to boost (or step up) the voltage -升压剂,shēng yā jì,vasopressor agent; antihypotensive agent (medicine) -升天,shēng tiān,lit. to ascend to heaven; to die -升学,shēng xué,to enter the next grade school -升官,shēng guān,to get promoted -升官发财,shēng guān fā cái,to be promoted and gain wealth (idiom) -升市,shēng shì,rising prices; bull market -升幅,shēng fú,extent of an increase; percentage rise -升序,shēng xù,ascending order -升息,shēng xī,to raise interest rates -升斗,shēng dǒu,liter and decaliter dry measure; (fig.) meager quantity of foodstuff -升斗小民,shēng dǒu xiǎo mín,(idiom) poor people; those who live from hand to mouth -升旗,shēng qí,to raise a flag; to hoist a flag -升旗仪式,shēng qí yí shì,flag raising ceremony -升格,shēng gé,promotion; upgrade -升汞,shēng gǒng,mercuric chloride (HgCl) -升温,shēng wēn,to become hot; temperature rise; (fig.) to intensify; to hot up; to escalate; to get a boost -升空,shēng kōng,to rise to the sky; to lift off; to levitate; liftoff -升级,shēng jí,to go up by one grade; to be promoted; to escalate (in intensity); (computing) to upgrade -升结肠,shēng jié cháng,ascending colon (anatomy); first section of large intestine -升职,shēng zhí,to get promoted (at work etc); promotion -升舱,shēng cāng,to get a flight upgrade -升华,shēng huá,to sublimate; sublimation (physics); to raise to a higher level; to refine; promotion -升号,shēng hào,(music) sharp (♯) -升调,shēng diào,to promote to a higher post; (linguistics) rising intonation; (Chinese linguistics) rising tone -升起,shēng qǐ,to raise; to hoist; to rise -升遐,shēng xiá,to pass away (of an emperor) -升迁,shēng qiān,to advance to a higher-level position; to be promoted to a higher position in a new department -升降,shēng jiàng,rising and falling -升降机,shēng jiàng jī,aerial work platform (e.g. cherry picker or scissor lift); lift; elevator -升腾,shēng téng,to rise; to ascend; to leap up -升高,shēng gāo,to raise; to ascend -午,wǔ,"7th earthly branch: 11 a.m.-1 p.m., noon, 5th solar month (6th June-6th July), year of the Horse; ancient Chinese compass point: 180° (south)" -午休,wǔ xiū,noon break; lunch break; lunchtime nap -午前,wǔ qián,morning; a.m. -午夜,wǔ yè,midnight -午安,wǔ ān,Good afternoon!; Hello (daytime greeting) -午宴,wǔ yàn,lunch banquet -午后,wǔ hòu,afternoon -午时,wǔ shí,11 am-1 pm (in the system of two-hour subdivisions used in former times) -午睡,wǔ shuì,to take a nap; siesta -午觉,wǔ jiào,siesta; afternoon nap -午饭,wǔ fàn,"lunch; CL:份[fen4],頓|顿[dun4],次[ci4],餐[can1]" -午餐,wǔ cān,"lunch; luncheon; CL:份[fen4],頓|顿[dun4],次[ci4]" -午餐会,wǔ cān huì,luncheon -午餐肉,wǔ cān ròu,canned luncheon meat; Spam -午马,wǔ mǎ,"Year 7, year of the Horse (e.g. 2002)" -卉,huì,plants -半,bàn,half; semi-; incomplete; (after a number) and a half -半中腰,bàn zhōng yāo,middle; halfway -半乳糖,bàn rǔ táng,galactose (CH2O)6; brain sugar -半乳糖血症,bàn rǔ táng xuè zhèng,galactosemia -半人马,bàn rén mǎ,centaur (mythology) -半人马座,bàn rén mǎ zuò,Centaurus (constellation) -半保留复制,bàn bǎo liú fù zhì,semiconservative replication -半信半疑,bàn xìn bàn yí,half doubting; dubious; skeptical -半个,bàn ge,half of sth -半个人,bàn ge rén,(not) a single person; (no) one -半价,bàn jià,half price -半公开,bàn gōng kāi,semiovert; more or less open -半分,bàn fēn,a little bit -半分儿,bàn fēn er,erhua variant of 半分[ban4 fen1] -半劳动力,bàn láo dòng lì,one able to do light manual labor only; semi-able-bodied or part time (farm) worker -半半拉拉,bàn bàn lā lā,incomplete; unfinished -半吊子,bàn diào zi,dabbler; smatterer; tactless and impulsive person -半圆,bàn yuán,semicircle -半圆仪,bàn yuán yí,protractor -半圆形,bàn yuán xíng,semicircular -半坡,bàn pō,Banpo neolithic Yangshao culture archaeological site east of Xi'an 西安 -半坡村,bàn pō cūn,archaeological site near Xi'an -半坡遗址,bàn pō yí zhǐ,Banpo neolithic Yangshao culture archaeological site east of Xi'an 西安 -半场,bàn chǎng,half of a game or contest; half-court -半壁江山,bàn bì jiāng shān,half of the country (esp. when half the country has fallen into enemy hands); vast swathe of territory -半壁河山,bàn bì hé shān,see 半壁江山[ban4 bi4 jiang1 shan1] -半夏,bàn xià,Pinellia ternata -半夜,bàn yè,midnight; in the middle of the night -半夜三更,bàn yè sān gēng,in the depth of night; late at night -半梦半醒,bàn mèng bàn xǐng,half-awake; half-asleep -半大,bàn dà,medium-sized -半大不小,bàn dà bù xiǎo,teenage; in one's teens; adolescent -半大小子,bàn dà xiǎo zǐ,teenage boy; adolescent boy -半天,bàn tiān,half of the day; a long time; quite a while; midair; CL:個|个[ge4] -半失业,bàn shī yè,semi-employed; partly employed; underemployed -半官方,bàn guān fāng,semiofficial -半封建,bàn fēng jiàn,semifeudal -半封建半殖民地,bàn fēng jiàn bàn zhí mín dì,semifeudal and semicolonial (the official Marxist description of China in the late Qing and under the Guomindang) -半导瓷,bàn dǎo cí,semiconducting ceramic (electronics) -半导体,bàn dǎo tǐ,semiconductor -半导体探测器,bàn dǎo tǐ tàn cè qì,semiconductor detector -半导体超点阵,bàn dǎo tǐ chāo diǎn zhèn,semiconductor superlattice -半小时,bàn xiǎo shí,half hour -半履带车,bàn lǚ dài chē,half-track (vehicle with wheels at the front and continuous tracks in the rear) -半山区,bàn shān qū,mid-levels (in Hong Kong) -半岛,bàn dǎo,peninsula -半岛国际学校,bàn dǎo guó jì xué xiào,International School of the Penninsula -半岛电视台,bàn dǎo diàn shì tái,Al Jazeera (Arabic news network) -半工半读,bàn gōng bàn dú,"part work, part study; work-study program" -半年,bàn nián,half a year -半径,bàn jìng,radius -半复赛,bàn fù sài,eighth finals -半懂不懂,bàn dǒng bù dǒng,to not fully understand; to only partly understand -半成品,bàn chéng pǐn,semi-manufactured goods; semifinished articles; semifinished products -半截,bàn jié,half (of sth); halfway through -半截衫,bàn jié shān,upper jacket -半打,bàn dá,half a dozen -半托,bàn tuō,day care -半拉,bàn lǎ,(coll.) half -半拱,bàn gǒng,semiarch; half arch -半排出期,bàn pái chū qī,half-life -半推半就,bàn tuī bàn jiù,half willing and half unwilling (idiom); to yield after making a show of resistance -半数,bàn shù,half the number; half -半数以上,bàn shù yǐ shàng,more than half -半文盲,bàn wén máng,semiliterate -半斤八两,bàn jīn bā liǎng,not much to choose between the two; tweedledum and tweedledee -半旗,bàn qí,half-mast; half-staff -半日制学校,bàn rì zhì xué xiào,half-day (or double-shift) school -半日工作,bàn rì gōng zuò,"part-time work in which one works each day for a half-day, typically a morning or an afternoon" -半明不灭,bàn míng bù miè,dull (lamplight) -半晌,bàn shǎng,half of the day; a long time; quite a while -半月,bàn yuè,half-moon; fortnight -半月刊,bàn yuè kān,fortnightly; twice a month -半月板,bàn yuè bǎn,meniscus (anatomy) -半月瓣,bàn yuè bàn,semilunar valve (anatomy) -半桶水,bàn tǒng shuǐ,"(coll.) (of one's skills, knowledge etc) limited; superficial; half-baked; sb with a smattering of knowledge (of sth); dabbler" -半条命,bàn tiáo mìng,"half a life; only half alive; barely alive; (scared, beaten etc) half to death" -半桥,bàn qiáo,half bridge (electronics) -半死,bàn sǐ,"half dead (of torment, hunger, tiredness etc); (tired) to death; (terrified) out of one's wits; (beaten) to within an inch of one's life; (knock) the daylights out of sb" -半殖民地,bàn zhí mín dì,semicolonial -半决赛,bàn jué sài,semifinals -半流食,bàn liú shí,(medicine) semi-liquid food -半流体,bàn liú tǐ,semifluid -半无限,bàn wú xiàn,semi-infinite -半熟练,bàn shú liàn,semiskilled -半球,bàn qiú,hemisphere -半瓶子醋,bàn píng zi cù,see 半瓶醋[ban4 ping2 cu4] -半瓶水响叮当,bàn píng shuǐ xiǎng dīng dāng,"lit. if you tap a half-empty bottle it makes a sound (idiom); fig. empty vessels make the most noise; one who has a little knowledge likes to show off, but one who is truly knowledgeable is modest" -半瓶醋,bàn píng cù,dabbler; dilettante who speaks as though he were an expert -半生,bàn shēng,half a lifetime -半生不熟,bàn shēng bù shóu,underripe; half-cooked; (fig.) not mastered (of a technique); clumsy; halting -半白,bàn bái,fifty (years of age) -半百,bàn bǎi,fifty (usually referring to sb's age) -半真半假,bàn zhēn bàn jiǎ,(idiom) half true and half false -半神,bàn shén,demigod -半票,bàn piào,half-price ticket; half fare -半空,bàn kōng,midair -半空中,bàn kōng zhōng,in midair; in the air -半糖夫妻,bàn táng fū qī,weekend spouse; relationship involving a sugar-daddy -半翅目,bàn chì mù,"Hemiptera (suborder of order Homoptera, insects including cicadas and aphids)" -半老徐娘,bàn lǎo xú niáng,middle-aged but still attractive woman; lady of a certain age -半职,bàn zhí,part-time work -半胱氨酸,bàn guāng ān suān,"cysteine (Cys), an amino acid; mercaptoethyl amine" -半脱产,bàn tuō chǎn,partly released from productive labor; partly released from one's regular work -半腰,bàn yāo,middle; halfway -半腱肌,bàn jiàn jī,"semitendinosus, one of the hamstring muscles in the thigh" -半膜肌,bàn mó jī,semimembranosus (anatomy) -半自动,bàn zì dòng,semiautomatic -半自耕农,bàn zì gēng nóng,semi-tenant peasant; semi-owner peasant -半表半里,bàn biǎo bàn lǐ,"half outside, half inside; half interior, half exterior" -半衰期,bàn shuāi qī,half-life -半裸,bàn luǒ,half-naked -半裸体,bàn luǒ tǐ,half-naked -半规则,bàn guī zé,quasi-regular -半规管,bàn guī guǎn,(anatomy) semicircular canal -半视野,bàn shì yě,half visual field -半跏坐,bàn jiā zuò,sitting with one leg crossed (usu. of Bodhisattva) -半路,bàn lù,halfway; midway; on the way -半路出家,bàn lù chū jiā,lit. to enter monastic life at a mature age (idiom); fig. to change one's career; to take up a new line of work or specialization; to enter a profession from a different background -半路杀出个程咬金,bàn lù shā chū gè chéng yǎo jīn,lit. Cheng Yaojin ambushes the enemy (saying); fig. sb shows up unexpectedly and disrupts the plan; sb whose presence is regarded as irksome -半路杀出的程咬金,bàn lù shā chū de chéng yǎo jīn,see 半路殺出個程咬金|半路杀出个程咬金[ban4 lu4 sha1 chu1 ge4 Cheng2 Yao3 jin1] -半蹲,bàn dūn,half squat -半蹼鹬,bàn pǔ yù,(bird species of China) Asian dowitcher (Limnodromus semipalmatus) -半身不遂,bàn shēn bù suí,paralysis of one side of the body; hemiplegia -半身像,bàn shēn xiàng,half-length photo or portrait; bust -半轴,bàn zhóu,semiaxis; half axle -半载,bàn zǎi,half a year -半载,bàn zài,half load -半辈子,bàn bèi zi,half of a lifetime -半透明,bàn tòu míng,translucent; semitransparent -半途,bàn tú,halfway; midway -半途而废,bàn tú ér fèi,to give up halfway (idiom); leave sth unfinished -半通不通,bàn tōng bù tōng,to not fully understand (idiom) -半边,bàn biān,half of sth; one side of sth -半边天,bàn biān tiān,half the sky; women of the new society; womenfolk -半长轴,bàn cháng zhóu,semiaxis; radius -半开化,bàn kāi huà,semicivilized -半开半关,bàn kāi bàn guān,"half-open, half closed" -半开门,bàn kāi mén,half-open door; fig. prostitute -半开门儿,bàn kāi mén er,erhua variant of 半開門|半开门[ban4 kai1 men2] -半间不界,bàn gān bù gà,shallow; not thorough; superficial -半音,bàn yīn,semitone -半音程,bàn yīn chéng,semitone -半响,bàn xiǎng,half the day; a long time; quite a while -半马,bàn mǎ,half-marathon (abbr. for 半程馬拉松|半程马拉松[ban4 cheng2 ma3 la1 song1]) -半麻醉,bàn má zuì,local anesthetic; anesthesia to half the body (as for a C-section birth) -半点,bàn diǎn,the least bit -卌,xì,forty -卑,bēi,low; base; vulgar; inferior; humble -卑下,bēi xià,base; low -卑不足道,bēi bù zú dào,not worth mentioning -卑劣,bēi liè,base; mean; despicable -卑卑不足道,bēi bēi bù zú dào,to be too petty or insignificant to mention; to not be worth mentioning (idiom) -卑南,bēi nán,"Beinan or Peinan township in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan" -卑南族,bēi nán zú,"puyuma, one of the indigenous peoples of Taiwan" -卑南乡,bēi nán xiāng,"Beinan or Peinan township in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan" -卑微,bēi wēi,lowly; humble -卑怯,bēi qiè,mean and cowardly; abject -卑污,bēi wū,despicable and filthy; foul -卑尔根,bēi ěr gēn,Bergen -卑诗,bēi shī,"British Columbia, province of Canada (loanword from ""BC"")" -卑贱,bēi jiàn,lowly; mean and low -卑躬屈节,bēi gōng qū jié,to bow and scrape; to act servilely -卑躬屈膝,bēi gōng qū xī,to bow and bend the knee (idiom); fawning; bending and scraping to curry favor -卑辞厚币,bēi cí hòu bì,humble expression for generous donation -卑辞厚礼,bēi cí hòu lǐ,humble expression for generous gift -卑鄙,bēi bǐ,base; mean; contemptible; despicable -卑鄙龌龊,bēi bǐ wò chuò,sordid and contemptible (idiom); vile and repulsive (esp. character or action) -卑陋,bēi lòu,humble; petty; crude -卑陋龌龊,bēi lòu wò chuò,sordid and contemptible (idiom); vile and repulsive (esp. character or action) -卒,cù,variant of 猝[cu4] -卒,zú,soldier; servant; to finish; to die; finally; at last; pawn in Chinese chess -卒中,cù zhòng,stroke; cerebral hemorrhage -卒业,zú yè,to complete a course of study (old); to graduate -卒岁,zú suì,(literary) to get through the year; entire year; throughout the year -卓,zhuó,surname Zhuo -卓,zhuó,outstanding -卓乎不群,zhuó hū bù qún,standing out from the common crowd (idiom); outstanding; preeminent -卓别林,zhuó bié lín,"Charlie Chaplin (1899-1977), English movie actor and director" -卓尼,zhuó ní,"Jonê or Zhuoni County in Gannan Tibetan Autonomous Prefecture 甘南藏族自治州[Gan1 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Gansu" -卓尼县,zhuó ní xiàn,"Jonê or Zhuoni County in Gannan Tibetan Autonomous Prefecture 甘南藏族自治州[Gan1 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Gansu" -卓有成效,zhuó yǒu chéng xiào,highly effective; fruitful -卓溪,zhuó xī,"Zhuoxi or Chohsi township in Hualien County 花蓮縣|花莲县[Hua1 lian2 Xian4], east Taiwan" -卓溪乡,zhuó xī xiāng,"Zhuoxi or Chohsi township in Hualien County 花蓮縣|花莲县[Hua1 lian2 Xian4], east Taiwan" -卓然,zhuó rán,outstanding; eminent -卓尔不群,zhuó ěr bù qún,standing above the common crowd (idiom); outstanding; excellent and unrivaled -卓异,zhuó yì,(of talent) outstanding; exceptional -卓绝,zhuó jué,unsurpassed; extreme; extraordinary -卓著,zhuó zhù,outstanding; eminent; brilliant -卓兰,zhuó lán,"Zhuolan or Cholan town in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -卓兰镇,zhuó lán zhèn,"Zhuolan or Cholan town in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -卓识,zhuó shí,superior judgment; sagacity -卓资,zhuó zī,"Zhuozi county in Ulaanchab 烏蘭察布|乌兰察布[Wu1 lan2 cha2 bu4], Inner Mongolia" -卓资县,zhuó zī xiàn,"Zhuozi county in Ulaanchab 烏蘭察布|乌兰察布[Wu1 lan2 cha2 bu4], Inner Mongolia" -卓越,zhuó yuè,outstanding; surpassing; distinguished; splendid -协,xié,to cooperate; to harmonize; to help; to assist; to join -协作,xié zuò,cooperation; coordination -协力,xié lì,to unite in common effort -协力车,xié lì chē,"vehicle powered by two or more pedallers (typically, a tandem bicycle)" -协助,xié zhù,to provide assistance; to aid -协同,xié tóng,to cooperate; in coordination with; coordinated; collaborate; collaboration; collaborative -协同作用,xié tóng zuò yòng,synergy; cooperative interaction -协和,xié hé,to harmonize; harmony; cooperation; (music) consonant -协和式客机,xié hé shì kè jī,"Concorde, supersonic passenger airliner" -协和飞机,xié hé fēi jī,"Concorde, supersonic passenger airliner" -协商,xié shāng,to consult with; to talk things over; agreement -协商会议,xié shāng huì yì,consultative conference (political venue during early communist rule); consultative meeting; deliberative assembly -协奏,xié zòu,to perform (a concerto) -协奏曲,xié zòu qǔ,concerto -协定,xié dìng,agreement; accord; to reach an agreement -协方差,xié fāng chā,(statistics) covariance -协会,xié huì,"an association; a society; CL:個|个[ge4],家[jia1]" -协理,xié lǐ,assistant manager; to assist in managing -协管,xié guǎn,to assist in managing (e.g. traffic police or crowd control); to steward -协管员,xié guǎn yuán,assistant manager; steward -协约,xié yuē,entente; pact; agreement; negotiated settlement -协约国,xié yuē guó,Allies; entente (i.e. Western powers allied to China in WW1) -协处理器,xié chǔ lǐ qì,coprocessor -协调,xié tiáo,to coordinate; to harmonize; to fit together; to match (colors etc); harmonious; concerted -协调世界时,xié tiáo shì jiè shí,Coordinated Universal Time (UTC) -协调人,xié tiáo rén,coordinator -协调员,xié tiáo yuán,coordinator -协警,xié jǐng,auxiliary police -协议,xié yì,agreement; pact; protocol; CL:項|项[xiang4] -协议书,xié yì shū,contract; protocol -协变量,xié biàn liàng,covariate (statistics) -协办,xié bàn,to assist; to help sb do sth; to cooperate in doing sth -协韵,xié yùn,to rhyme -南,nán,surname Nan -南,nán,south -南三角座,nán sān jiǎo zuò,Triangulum Australe (constellation) -南下,nán xià,to go down south -南丹,nán dān,"Nandan county in Hezhou 賀州|贺州[He4 zhou1], Guangxi" -南丹县,nán dān xiàn,"Nandan county in Hezhou 賀州|贺州[He4 zhou1], Guangxi" -南乳,nán rǔ,fermented soybean curd -南亚,nán yà,southern Asia -南亚区域合作联盟,nán yà qū yù hé zuò lián méng,South Asian Association for Regional Cooperation (SAARC) -南亚大草莺,nán yà dà cǎo yīng,(bird species of China) Indian grassbird (Graminicola bengalensis) -南京,nán jīng,"Nanjing subprovincial city on the Changjiang, capital of Jiangsu province 江蘇|江苏; capital of China at different historical periods" -南京大学,nán jīng dà xué,"Nanjing University, NJU" -南京大屠杀,nán jīng dà tú shā,the Nanjing Massacre (1937-38) -南京大屠杀事件,nán jīng dà tú shā shì jiàn,The Rape of Nanking (1997 documentary book by Iris Chang 張純如|张纯如[Zhang1 Chun2 ru2]) -南京市,nán jīng shì,"Nanjing subprovincial city on the Changjiang, capital of Jiangsu province 江蘇|江苏; capital of China at different historical periods" -南京条约,nán jīng tiáo yuē,Treaty of Nanjing (1842) that concluded the First Opium War between Qing China and Britain -南京理工大学,nán jīng lǐ gōng dà xué,Nanjing University of Science and Technology -南京路,nán jīng lù,"Nanjing St., large commercial street in Shanghai" -南京农业大学,nán jīng nóng yè dà xué,Nanjing Agricultural University -南京邮电大学,nán jīng yóu diàn dà xué,Nanjing Post and Communications University -南侧,nán cè,south side; south face -南充,nán chōng,"Nanchong, prefecture-level city in Sichuan" -南充市,nán chōng shì,"Nanchong, prefecture-level city in Sichuan" -南冕座,nán miǎn zuò,Corona Australis (constellation) -南冰洋,nán bīng yáng,Southern Ocean -南化,nán huà,"Nanhua township in Tainan county 台南縣|台南县[Tai2 nan2 xian4], Taiwan" -南北,nán běi,north and south; north to south -南北朝,nán běi cháo,Northern and Southern dynasties (420-589) -南北极,nán běi jí,south and north poles -南北美,nán běi měi,North and South America -南北长,nán běi cháng,north-south distance -南北韩,nán běi hán,North and South Korea -南汇,nán huì,"Nanhui former district of Shanghai, now in Pudong New District 浦東新區|浦东新区[Pu3 dong1 xin1 qu1], Shanghai" -南汇区,nán huì qū,"Nanhui former district of Shanghai, now in Pudong New District 浦東新區|浦东新区[Pu3 dong1 xin1 qu1], Shanghai" -南十字座,nán shí zì zuò,(astronomy) the Southern Cross -南半球,nán bàn qiú,Southern Hemisphere -南卡罗来纳,nán kǎ luó lái nà,"South Carolina, US state" -南卡罗来纳州,nán kǎ luó lái nà zhōu,"South Carolina, US state" -南召,nán zhào,"Nanzhao county in Nanyang 南陽|南阳[Nan2 yang2], Henan" -南召县,nán zhào xiàn,"Nanzhao county in Nanyang 南陽|南阳[Nan2 yang2], Henan" -南史,nán shǐ,"History of the Southern Dynasties, fourteenth of the 24 dynastic histories 二十四史[Er4 shi2 si4 Shi3], compiled by Li Yanshou 李延壽|李延寿[Li3 Yan2 shou4] in 659 during Tang Dynasty, 80 scrolls" -南和,nán hé,"Nanhe county in Xingtai 邢台[Xing2 tai2], Hebei" -南和县,nán hé xiàn,"Nanhe county in Xingtai 邢台[Xing2 tai2], Hebei" -南唐,nán táng,Tang of the Five Southern Dynasties 937-975 -南乔治亚岛和南桑威奇,nán qiáo zhì yà dǎo hé nán sāng wēi qí,South Georgia and The South Sandwich Islands -南回归线,nán huí guī xiàn,Tropic of Capricorn -南坡,nán pō,south slope -南坪,nán píng,"Nanping, common place name; Nanping township in Nan'an district of Chongqing" -南城,nán chéng,"Nancheng county in Fuzhou 撫州|抚州, Jiangxi" -南城县,nán chéng xiàn,"Nancheng county in Fuzhou 撫州|抚州, Jiangxi" -南大,nán dà,"Nanjing University, NJU (abbr. for 南京大學|南京大学[Nan2 jing1 Da4 xue2])" -南大洋,nán dà yáng,Southern Ocean -南天门,nán tiān mén,"South Gate to Heaven, the name a gate constructed on various mountains, most notably on Mount Tai 泰山[Tai4 Shan1]; (mythology) southern gate of the Heavenly Palace" -南奥塞梯,nán ào sāi tī,South Ossetia -南安,nán ān,"Nan'an, county-level city in Quanzhou 泉州[Quan2 zhou1], Fujian" -南安市,nán ān shì,"Nan'an, county-level city in Quanzhou 泉州[Quan2 zhou1], Fujian" -南安普敦,nán ān pǔ dūn,"Southampton, town in south England" -南宋,nán sòng,the Southern Song dynasty (1127-1279) -南定,nán dìng,"Nam Dinh, Vietnam" -南宫,nán gōng,"Nangong, county-level city in Xingtai 邢台[Xing2 tai2], Hebei" -南宫市,nán gōng shì,"Nangong, county-level city in Xingtai 邢台[Xing2 tai2], Hebei" -南宁,nán níng,"Nanning, prefecture-level city and capital of Guangxi Zhuang autonomous region in south China 廣西壯族自治區|广西壮族自治区" -南宁市,nán níng shì,"Nanning, prefecture-level city and capital of Guangxi Zhuang autonomous region 廣西壯族自治區|广西壮族自治区[Guang3 xi1 Zhuang4 zu2 Zi4 zhi4 qu1] in south China" -南屯区,nán tún qū,"Nantun District of Taichung, Taiwan" -南山,nán shān,"Nanshan or Namsan, common place name; Nanshan district of Shenzhen City 深圳市, Guangdong" -南山区,nán shān qū,"Nanshan district of Shenzhen City 深圳市, Guangdong; Nanshan district of Hegang city 鶴崗|鹤岗[He4 gang3], Heilongjiang" -南山矿区,nán shān kuàng qū,"Nanshan mining district, old name of Dabancheng district 達坂城區|达坂城区[Da2 ban3 cheng2 qu1] of Urumqi city, Xinjiang" -南岔,nán chà,"Nancha district of Yichun city 伊春市[Yi1 chun1 shi4], Heilongjiang" -南岔区,nán chà qū,"Nancha district of Yichun city 伊春市[Yi1 chun1 shi4], Heilongjiang" -南岸,nán àn,"Nan'an, a district of central Chongqing 重慶|重庆[Chong2qing4]" -南岸区,nán àn qū,"Nan'an, a district of central Chongqing 重慶|重庆[Chong2qing4]" -南岛,nán dǎo,South Island (New Zealand) -南岛民族,nán dǎo mín zú,Austronesian -南岗,nán gǎng,Nangang district of Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1] in Heilongjiang -南岗区,nán gǎng qū,Nangang district of Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1] in Heilongjiang -南岭,nán lǐng,"Nanling mountain, on the border of Hunan, Jiangxi, Guangdong and Guangxi" -南岳,nán yuè,"Nanyue district of Hengyang city 衡陽市|衡阳市[Heng2 yang2 shi4], Hunan; Mt Heng 衡山 in Hunan, one of the Five Sacred Mountains 五嶽|五岳[Wu3 yue4]" -南岳区,nán yuè qū,"Nanyue district of Hengyang city 衡陽市|衡阳市[Heng2 yang2 shi4], Hunan" -南川,nán chuān,"Nanchuan, a district of Chongqing 重慶|重庆[Chong2qing4]" -南川区,nán chuān qū,"Nanchuan, a district of Chongqing 重慶|重庆[Chong2qing4]" -南州,nán zhōu,"Nanchou township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -南州乡,nán zhōu xiāng,"Nanchou township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -南市区,nán shì qū,"Nanshi District, former district of Shanghai, merged into Huangpu District 黃浦區|黄浦区[Huang2 pu3 qu1] in 2000" -南希,nán xī,Nancy -南平,nán píng,"Nanping, prefecture-level city in Fujian" -南平市,nán píng shì,"Nanping, prefecture-level city in Fujian" -南康,nán kāng,"Nankang, county-level city in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -南康市,nán kāng shì,"Nankang, county-level city in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -南征,nán zhēng,punitive expedition to the south -南征北伐,nán zhēng běi fá,war on all sides (idiom); fighting from all four quarters -南征北战,nán zhēng běi zhàn,war on all sides (idiom); fighting from all four quarters -南征北讨,nán zhēng běi tǎo,war on all sides (idiom); fighting from all four quarters -南投,nán tóu,Nantou city and county in central Taiwan -南投市,nán tóu shì,"Nantou city in central Taiwan, capital of Nantou county" -南投县,nán tóu xiàn,Nantou County in central Taiwan -南拳,nán quán,"Nanquan - ""Southern Fist"" (Chinese Martial Art)" -南拳妈妈,nán quán mā mā,"Nan Quan Mama, a Taiwanese Music Group" -南斯拉夫,nán sī lā fū,"Yugoslavia, 1943-1992" -南方,nán fāng,south; southern China (areas to the south of the Yangtze River) -南方古猿,nán fāng gǔ yuán,Australopithecus -南方周末,nán fāng zhōu mò,Southern Weekend (newspaper) -南方澳渔港,nán fāng ào yú gǎng,"Nanfang-ao Port in Yilan County 宜蘭縣|宜兰县[Yi2 lan2 Xian4], Taiwan" -南昌,nán chāng,"Nanchang, prefecture-level city and capital of Jiangxi province 江西省[Jiang1xi1 Sheng3] in southeast China; Nanchang, a county under the administration of the city of Nanchang" -南昌市,nán chāng shì,"Nanchang, prefecture-level city and capital of Jiangxi province 江西省 in southeast China" -南昌县,nán chāng xiàn,"Nanchang county in Nanchang 南昌, Jiangxi" -南昌起义,nán chāng qǐ yì,"Nanchang Uprising, 1st August 1927, the beginning of military revolt by the Communists in the Chinese Civil War" -南明,nán míng,"Nanming District of Guiyang City 貴陽市|贵阳市[Gui4 yang2 Shi4], Guizhou" -南明区,nán míng qū,"Nanming District of Guiyang City 貴陽市|贵阳市[Gui4 yang2 Shi4], Guizhou" -南普陀寺,nán pǔ tuó sì,Nanputuo Temple in Xiamen 廈門|厦门[Xia4 men2] -南朝,nán cháo,Southern Dynasties (420-589) -南朝宋,nán cháo sòng,"Song of the Southern dynasties (420-479), with capital at Nanjing; also known as Liu Song 劉宋|刘宋" -南朝梁,nán cháo liáng,Liang of the Southern dynasties (502-557) -南朝陈,nán cháo chén,Chen of the Southern dynasties (557-589) -南朝鲜,nán cháo xiǎn,South Korea -南朝齐,nán cháo qí,Qi of Southern dynasties (479-502) -南木林,nán mù lín,"Namling county, Tibetan: Rnam gling rdzong, in Shigatse prefecture, Tibet" -南木林县,nán mù lín xiàn,"Namling county, Tibetan: Rnam gling rdzong, in Shigatse prefecture, Tibet" -南柯一梦,nán kē yī mèng,lit. a dream of Nanke; fig. dreams of grandeur -南桐矿区,nán tóng kuàng qū,Nantong coal mining area of Chongqing -南枣,nán zǎo,dried jujubes -南极,nán jí,south pole -南极光,nán jí guāng,southern lights; aurora australis -南极座,nán jí zuò,Octans (constellation) -南极洲,nán jí zhōu,Antarctica -南极洲半岛,nán jí zhōu bàn dǎo,the Antarctic Peninsula (jutting out towards South America) -南极海,nán jí hǎi,Southern Ocean -南极界,nán jí jiè,Antarctic realm -南乐,nán lè,"Nanle county in Puyang 濮陽|濮阳[Pu2 yang2], Henan" -南乐县,nán lè xiàn,"Nanle county in Puyang 濮陽|濮阳[Pu2 yang2], Henan" -南欧,nán ōu,Southern Europe -南江,nán jiāng,"Nanjiang county in Panzhihua 攀枝花[Pan1 zhi1 hua1], south Sichuan" -南江县,nán jiāng xiàn,"Nanjiang county in Panzhihua 攀枝花[Pan1 zhi1 hua1], south Sichuan" -南沙,nán shā,"Nansha Islands, aka Spratly Islands; Nansha District of Guangzhou City 廣州市|广州市[Guang3zhou1 Shi4], Guangdong" -南沙区,nán shā qū,"Nansha District of Guangzhou City 廣州市|广州市[Guang3 zhou1 Shi4], Guangdong" -南沙群岛,nán shā qún dǎo,"Spratly Islands, disputed between China, Malaysia, the Philippines, Taiwan and Vietnam" -南波万,nán bō wàn,(Internet slang) number one (loanword) -南泥湾,nán ní wān,"Nanniwan, township 45 km south of Yan'an 延安[Yan2 an1], Shaanxi; ""Nanniwan"", a song written in 1943 to celebrate the achievements of communist revolutionaries in Nanniwan, where the 359th brigade of the Eighth Route Army reclaimed barren land as part of a campaign to become self-sufficient in food during a blockade by enemy forces" -南洋,nán yáng,Southeast Asia; South seas -南洋商报,nán yáng shāng bào,Nanyang Siang Pau (Malay's oldest newspaper) -南洋理工大学,nán yáng lǐ gōng dà xué,"Nanyang Technological University, Singapore" -南派螳螂,nán pài táng láng,"Chow Gar - ""Southern Praying Mantis"" - Martial Art" -南浦市,nán pǔ shì,Nampo city in North Korea -南海,nán hǎi,South China Sea -南海区,nán hǎi qū,"Nanhai, a district of Foshan 佛山市[Fo2shan1 Shi4], Guangdong" -南海子,nán hǎi zi,"Nanhaizi, name used to refer to various places, including 草海[Cao3 hai3], 南苑[Nan2 yuan4] and the Nanhaizi Wetland in Baotou, Inner Mongolia" -南海舰队,nán hǎi jiàn duì,South Sea Fleet -南凉,nán liáng,Southern Liang of the Sixteen Kingdoms (397-414) -南港,nán gǎng,"Nankang District of Taipei City 臺北市|台北市[Tai2 bei3 Shi4], Taiwan" -南港区,nán gǎng qū,"Nankang District of Taipei City 臺北市|台北市[Tai2 bei3 Shi4], Taiwan" -南湖,nán hú,"Nanhu district of Jiaxing city 嘉興市|嘉兴市[Jia1 xing1 shi4], Zhejiang" -南湖区,nán hú qū,"Nanhu district of Jiaxing city 嘉興市|嘉兴市[Jia1 xing1 shi4], Zhejiang" -南溪,nán xī,"Nanxi county in Yibin 宜賓|宜宾[Yi2 bin1], Sichuan" -南溪县,nán xī xiàn,"Nanxi county in Yibin 宜賓|宜宾[Yi2 bin1], Sichuan" -南汉,nán hàn,Southern Han -南漳,nán zhāng,"Nanzhang county in Xiangfan 襄樊[Xiang1 fan2], Hubei" -南漳县,nán zhāng xiàn,"Nanzhang county in Xiangfan 襄樊[Xiang1 fan2], Hubei" -南浔,nán xún,"Nanxun district of Huzhou city 湖州市[Hu2 zhou1 shi4], Zhejiang" -南浔区,nán xún qū,"Nanxun district of Huzhou city 湖州市[Hu2 zhou1 shi4], Zhejiang" -南涧彝族自治县,nán jiàn yí zú zì zhì xiàn,"Nanjian Yizu autonomous county in Dali Bai autonomous prefecture 大理白族自治州[Da4 li3 Bai2 zu2 zi4 zhi4 zhou1], Yunnan" -南澳,nán ào,"Nan'ao County in Shantou 汕頭|汕头[Shan4 tou2], Guangdong; Nan'ao Township in Yilan County 宜蘭縣|宜兰县[Yi2 lan2 Xian4], Taiwan; abbr. for 南澳大利亞州|南澳大利亚州[Nan2 ao4 da4 li4 ya4 zhou1], South Australia" -南澳大利亚州,nán ào dà lì yà zhōu,"South Australia, Australian state" -南澳岛,nán ào dǎo,"Nan'ao Island in Shantou 汕頭|汕头[Shan4 tou2], Guangdong" -南澳县,nán ào xiàn,"Nan'ao County in Shantou 汕頭|汕头[Shan4 tou2], Guangdong" -南澳乡,nán ào xiāng,"Nan'ao Township in Yilan County 宜蘭縣|宜兰县[Yi2 lan2 Xian4], Taiwan" -南灰伯劳,nán huī bó láo,(bird species of China) southern grey shrike (Lanius meridionalis) -南无,nā mó,Buddhist salutation or expression of faith (loanword from Sanskrit); Taiwan pr. [na2 mo2] -南燕,nán yān,Southern Yan of the Sixteen Kingdoms (398-410) -南特,nán tè,Nantes (city in France) -南瓜,nán guā,pumpkin -南瓜灯,nán guā dēng,jack-o'-lantern -南疆,nán jiāng,Southern Xinjiang -南疆,nán jiāng,southern border (of a country) -南皮,nán pí,"Nanpi county in Cangzhou 滄州|沧州[Cang1 zhou1], Hebei" -南皮县,nán pí xiàn,"Nanpi county in Cangzhou 滄州|沧州[Cang1 zhou1], Hebei" -南盟,nán méng,abbr. for 南亞區域合作聯盟|南亚区域合作联盟[Nan2 Ya4 Qu1 yu4 He2 zuo4 Lian2 meng2] -南票,nán piào,"Nanpiao district of Huludao city 葫蘆島市|葫芦岛市, Liaoning" -南票区,nán piào qū,"Nanpiao district of Huludao city 葫蘆島市|葫芦岛市, Liaoning" -南端,nán duān,southern end or extremity -南竹,nán zhú,see 毛竹[mao2 zhu2] -南竿,nán gān,"Nankan Island, one of the Matsu Islands; Nankan or Nangan township in Lienchiang county 連江縣|连江县[Lian2 jiang1 xian4], Taiwan" -南竿乡,nán gān xiāng,"Nankan or Nangan township in Lienchiang county 連江縣|连江县[Lian2 jiang1 xian4] i.e. the Matsu Islands, Taiwan" -南箕北斗,nán jī běi dǒu,"lit. the Winnowing Basket in the southern sky, and the Big Dipper in the north (idiom); fig. sth which, despite its name, is of no practical use" -南纬,nán wěi,south latitude -南县,nán xiàn,"southern county; Nan county in Yiyang 益陽|益阳[Yi4 yang2], Hunan" -南美,nán měi,South America -南美梨,nán měi lí,avocado (Persea americana) -南美洲,nán měi zhōu,South America -南联盟,nán lián méng,Federal Republic of Yugoslavia (1992-2003) (abbr. for 南斯拉夫联盟共和国|南斯拉夫聯盟共和國[Nan2 si1 la1 fu1 Lian2 meng2 Gong4 he2 guo2]) -南腔北调,nán qiāng běi diào,a regional accent -南胶河,nán jiāo hé,"Nanjiao River (Shandong province, flows into Qingdao harbor)" -南航,nán háng,China Southern Airlines -南芬,nán fēn,"Nanfen, a district of Benxi 本溪市[Ben3xi1 Shi4], Liaoning" -南芬区,nán fēn qū,"Nanfen, a district of Benxi 本溪市[Ben3xi1 Shi4], Liaoning" -南苑,nán yuàn,"Nanyuan or ""Southern Park"", an imperial hunting domain during the Yuan, Ming and Qing Dynasties, now the site of Nanhaizi Park in the south of Beijing" -南荷兰,nán hé lán,South Holland -南庄,nán zhuāng,"township in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -南庄乡,nán zhuāng xiāng,"township in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -南华,nán huá,"South China; Nanhua County in Chuxiong Yi Autonomous Prefecture 楚雄彞族自治州|楚雄彝族自治州[Chu3 xiong2 Yi2 zu2 Zi4 zhi4 zhou1], Yunnan" -南华早报,nán huá zǎo bào,South China Morning Post (newspaper in Hong Kong) -南华县,nán huá xiàn,"Nanhua County in Chuxiong Yi Autonomous Prefecture 楚雄彞族自治州|楚雄彝族自治州[Chu3 xiong2 Yi2 zu2 Zi4 zhi4 zhou1], Yunnan" -南苏丹,nán sū dān,South Sudan -南西诸岛,nán xī zhū dǎo,Ryukyu Islands; Okinawa 沖繩|冲绳[Chong1 sheng2] and other islands of modern Japan -南诏,nán zhào,Nanzhao kingdom 738-937 in southwest China and southeast Asia -南诏国,nán zhào guó,"Nanzhao, 8th and 9th century kingdom in Yunnan, at times allied with Tang against Tibetan Tubo pressure" -南谯,nán qiáo,"Nanqiao, a district of Chuzhou City 滁州市[Chu2zhou1 Shi4], Anhui" -南谯区,nán qiáo qū,"Nanqiao, a district of Chuzhou City 滁州市[Chu2zhou1 Shi4], Anhui" -南丰,nán fēng,"Nanfeng county in Fuzhou 撫州|抚州, Jiangxi" -南丰县,nán fēng xiàn,"Nanfeng county in Fuzhou 撫州|抚州, Jiangxi" -南赡部洲,nán shàn bù zhōu,Jambudvipa -南越,nán yuè,South Vietnam; South Vietnamese -南辕北辙,nán yuán běi zhé,to act in a way that defeats one's purpose (idiom) -南迦巴瓦峰,nán jiā bā wǎ fēng,"Namcha Barwa (7,782 m), Himalayan mountain" -南通,nán tōng,"Nantong, prefecture-level city in Jiangsu" -南通市,nán tōng shì,"Nantong, prefecture-level city in Jiangsu" -南达科他,nán dá kē tā,"South Dakota, US state" -南达科他州,nán dá kē tā zhōu,"South Dakota, US state" -南边,nán bian,south; south side; southern part; to the south of -南边儿,nán bian er,erhua variant of 南邊|南边[nan2 bian5] -南郊区,nán jiāo qū,"Nanjiao district of Datong city 大同市[Da4 tong2 shi4], Shanxi" -南部,nán bù,southern part -南部县,nán bù xiàn,"Nanbu county in Nanchong 南充[Nan2 chong1], Sichuan" -南郭,nán guō,two-character surname Nanguo -南郑,nán zhèng,"Nanzheng County in Hanzhong 漢中|汉中[Han4 zhong1], Shaanxi" -南郑县,nán zhèng xiàn,"Nanzheng County in Hanzhong 漢中|汉中[Han4 zhong1], Shaanxi" -南长,nán cháng,"Nanchang district of Wuxi city 無錫市|无锡市[Wu2 xi1 shi4], Jiangsu" -南长区,nán cháng qū,"Nanchang district of Wuxi city 無錫市|无锡市[Wu2 xi1 shi4], Jiangsu" -南门二,nán mén èr,Alpha Centauri or Rigel Kentaurus -南开,nán kāi,Nankai district of Tianjin municipality 天津市[Tian1 jin1 shi4] -南开区,nán kāi qū,"Nankai, a district of Tianjin 天津市[Tian1jin1 Shi4]" -南开大学,nán kāi dà xué,Nankai University (Tianjin) -南关,nán guān,"Nanguan district of Changchun city 長春市|长春市, Jilin" -南关区,nán guān qū,"Nanguan district of Changchun city 長春市|长春市, Jilin" -南陵,nán líng,"Nanling, a county in Wuhu 蕪湖|芜湖[Wu2hu2], Anhui" -南陵县,nán líng xiàn,"Nanling, a county in Wuhu 蕪湖|芜湖[Wu2hu2], Anhui" -南阳,nán yáng,"Nanyang, prefecture-level city in Henan" -南阳市,nán yáng shì,"Nanyang, prefecture-level city in Henan" -南阳县,nán yáng xiàn,Nanyang county in Henan -南雄,nán xióng,"Nanxiong, county-level city in Shaoguan 韶關|韶关[Shao2 guan1], Guangdong" -南雄市,nán xióng shì,"Nanxiong, county-level city in Shaoguan 韶關|韶关[Shao2 guan1], Guangdong" -南靖,nán jìng,"Nanjing county in Zhangzhou 漳州[Zhang1 zhou1], Fujian" -南靖县,nán jìng xiàn,"Nanjing county in Zhangzhou 漳州[Zhang1 zhou1], Fujian" -南非,nán fēi,South Africa -南非茶,nán fēi chá,rooibos tea -南非语,nán fēi yǔ,Afrikaans (language) -南面,nán miàn,south side; south -南韩,nán hán,South Korea -南飞过冬,nán fēi guò dōng,(of birds) to migrate south for the winter -南高加索,nán gāo jiā suǒ,"Transcaucasia, aka the South Caucasus" -南鱼座,nán yú zuò,Piscis Austrinus (constellation) -南齐,nán qí,Qi of Southern dynasties (479-502) -南齐书,nán qí shū,"History of Qi of the Southern Dynasties, seventh of the 24 dynastic histories 二十四史[Er4 shi2 si4 Shi3], compiled by Xiao Zixian 蕭子顯|萧子显[Xiao1 Zi3 xian3] in 537 during Liang of the Southern Dynasties 南朝梁[Nan2 chao2 Liang2], 59 scrolls" -博,bó,extensive; ample; rich; obtain; aim; to win; to get; plentiful; to gamble -博世,bó shì,"Bosch (surname); Bosch, German technology company" -博主,bó zhǔ,blogger -博伊西,bó yī xī,"Boise, Idaho" -博友,bó yǒu,lit. blog friend -博取,bó qǔ,"to win (favors, confidence etc)" -博古,bó gǔ,"Bo Gu (1907-1946), Soviet-trained Chinese Communist, journalist and propagandist, 1930s Left adventurist, subsequently rehabilitated, killed in air crash" -博古通今,bó gǔ tōng jīn,conversant with things past and present; erudite and informed -博士,bó shì,doctor (as an academic degree); (old) person specialized in a skill or trade; (old) court academician -博士学位,bó shì xué wèi,doctoral degree; PhD; same as Doctor of Philosophy 哲學博士學位|哲学博士学位 -博士山,bó shì shān,"Box Hill, a suburb of Melbourne, Australia with a large Chinese community" -博士后,bó shì hòu,postdoc; a postdoctoral position -博士生,bó shì shēng,PhD student; doctoral candidate -博士茶,bó shì chá,rooibos tea -博士买驴,bó shì mǎi lǘ,"(idiom) to act like the scholar who wrote at length about buying a donkey without even mentioning the word ""donkey""; to write at length without ever getting to the point" -博大,bó dà,enormous; broad; extensive -博大精深,bó dà jīng shēn,wide-ranging and profound; broad and deep -博学,bó xué,learned; erudite -博学多才,bó xué duō cái,erudite and multitalented (idiom); versatile and able -博客,bó kè,blog (loanword); weblog; blogger -博客圈,bó kè quān,blogosphere -博客写手,bó kè xiě shǒu,blogger; blog writer -博客话剧,bó kè huà jù,blog drama (netspeak) -博导,bó dǎo,Ph.D. advisor -博山,bó shān,"Boshan district of Zibo city 淄博市[Zi1 bo2 shi4], Shandong" -博山区,bó shān qū,"Boshan district of Zibo city 淄博市[Zi1 bo2 shi4], Shandong" -博帕尔,bó pà ěr,"Bhopal, capital of central Indian state of Madhya Pradesh 中央邦[Zhong1 yang1 bang1]" -博弈,bó yì,"games (such as chess, dice etc); gambling; contest" -博弈论,bó yì lùn,game theory -博彩,bó cǎi,lottery -博徒,bó tú,gambler -博得,bó dé,to win; to gain -博德,bó dé,Bodø (city in Norway) -博德利图书馆,bó dé lì tú shū guǎn,Bodleian Library (Oxford) -博爱,bó ài,"Bo'ai county in Jiaozuo 焦作[Jiao1 zuo4], Henan" -博爱,bó ài,universal fraternity (or brotherhood); universal love -博爱座,bó ài zuò,priority seat (on a bus etc) (Tw) -博爱县,bó ài xiàn,"Bo'ai county in Jiaozuo 焦作[Jiao1 zuo4], Henan" -博拉博拉岛,bó lā bó lā dǎo,"Bora Bora, island of the Society Islands group in French Polynesia" -博文,bó wén,blog article; to write a blog article (netspeak) -博文约礼,bó wén yuē lǐ,"vigorously pursuing knowledge, while scrupulously abiding by the rules of decorum (idiom)" -博斯普鲁斯,bó sī pǔ lǔ sī,Bosphorus -博斯沃思,bó sī wò sī,"Bosworth (name); Stephen Bosworth (1939-), US academic and diplomat, special representative for policy on North Korea from 2009" -博斯腾湖,bó sī téng hú,Bosten Lake in Xinjiang -博望,bó wàng,"Bowang District, a district of Ma'anshan City 馬鞍山市|马鞍山市[Ma3an1shan1 Shi4], Anhui" -博望区,bó wàng qū,"Bowang District, a district of Ma'anshan City 馬鞍山市|马鞍山市[Ma3an1shan1 Shi4], Anhui" -博格,bó gé,"Borg (name); Bjorn Borg (1956-), Swedish tennis star" -博格多,bó gé duō,"Bogdo, last Khan of Mongolia" -博格多汗宫,bó gé duō hán gōng,"the Palace of the Bogdo Khan in Ulan Bator, Mongolia" -博格达山脉,bó gé dá shān mài,Bogda Shan mountain range in the Tian Shan mountains -博格达峰,bó gé dá fēng,"Mt Bogda (5,445 m) in eastern Tianshan" -博乐,bó lè,"Börtala Shehiri, county-level city in Börtala Mongol autonomous prefecture 博爾塔拉蒙古自治州|博尔塔拉蒙古自治州, Xinjiang" -博乐市,bó lè shì,"Börtala Shehiri of Bole City, county-level city in Börtala Mongol autonomous prefecture 博爾塔拉蒙古自治州|博尔塔拉蒙古自治州, Xinjiang" -博洛尼亚,bó luò ní yà,Bologna -博湖,bó hú,"Bohu county, Baghrash nahiyisi or Bohu county in Bayingolin Mongol Autonomous Prefecture, Xinjiang 巴音郭楞蒙古自治州[Ba1 yin1 guo1 leng2 Meng3 gu3 Zi4 zhi4 zhou1], Xinjiang" -博湖县,bó hú xiàn,"Bohu county, Baghrash nahiyisi or Bohu county in Bayingolin Mongol Autonomous Prefecture, Xinjiang 巴音郭楞蒙古自治州[Ba1 yin1 guo1 leng2 Meng3 gu3 Zi4 zhi4 zhou1], Xinjiang" -博尔塔拉蒙古自治州,bó ěr tǎ lā měng gǔ zì zhì zhōu,Börtala Mongol autonomous prefecture in Xinjiang -博尔德,bó ěr dé,"Boulder, Colorado" -博尔赫斯,bó ěr hè sī,Jorge Luis Borges -博尔顿,bó ěr dùn,Bolton (name) -博物,bó wù,natural science -博物多闻,bó wù duō wén,wide and knowledgeable; well-informed and experienced -博物洽闻,bó wù qià wén,to have a wide knowledge of many subjects (idiom) -博物院,bó wù yuàn,museum -博物馆,bó wù guǎn,museum -博登湖,bó dēng hú,"Lake Constance (between Germany, Austria and Switzerland)" -博白,bó bái,"Bobai county in Yulin 玉林[Yu4 lin2], Guangxi" -博白县,bó bái xiàn,"Bobai county in Yulin 玉林[Yu4 lin2], Guangxi" -博福斯,bó fú sī,"Bofors, Swedish arms company involved in major corruption case during 1980s" -博科圣地,bó kē shèng dì,"Boko Haram, Islamic insurgent group in north Nigeria" -博罗,bó luó,"Boluo county in Huizhou 惠州[Hui4 zhou1], Guangdong" -博罗县,bó luó xiàn,"Boluo county in Huizhou 惠州[Hui4 zhou1], Guangdong" -博美犬,bó měi quǎn,Pomeranian (dog breed) -博而不精,bó ér bù jīng,"extensive but not refined (idiom); to know something about everything; jack-of-all-trades, master of none" -博闻多识,bó wén duō shí,learned and erudite; knowledgeable and experienced -博闻强记,bó wén qiáng jì,have wide learning and a retentive memory; have encyclopedic knowledge -博闻强识,bó wén qiáng zhì,erudite; widely read and knowledgeable -博兴,bó xīng,"Boxing county in Binzhou 濱州|滨州[Bin1 zhou1], Shandong" -博兴县,bó xīng xiàn,"Boxing county in Binzhou 濱州|滨州[Bin1 zhou1], Shandong" -博茨瓦纳,bó cí wǎ nà,Botswana -博茨瓦那,bó cí wǎ nà,Botswana -博蒂,bó dì,birdie (one stroke under par in golf) -博蒙特,bó méng tè,Beaumont -博览,bó lǎn,to read extensively -博览会,bó lǎn huì,exposition; international fair -博讯,bó xùn,"abbr. for 博訊新聞網|博讯新闻网[Bo2 xun4 Xin1 wen2 wang3], Boxun, US-based dissident Chinese news network" -博识,bó shí,knowledgeable; erudite; erudition; proficient -博识多通,bó shí duō tōng,knowledgeable and perspicacious (idiom) -博识洽闻,bó shí qià wén,knowledgeable; erudite (idiom) -博野,bó yě,"Boye county in Baoding 保定[Bao3 ding4], Hebei" -博野县,bó yě xiàn,"Boye county in Baoding 保定[Bao3 ding4], Hebei" -博雅,bó yǎ,learned -博斗,bó dòu,to fight or argue on a blogging site (netspeak) -博鳌,bó áo,see 博鰲鎮|博鳌镇[Bo2 ao2 zhen4] -博鳌亚洲论坛,bó áo yà zhōu lùn tán,Bo'ao Forum for Asia (since 2001) -博鳌镇,bó áo zhèn,"Bo'ao seaside resort, Hainan" -卜,bǔ,surname Bu -卜,bǔ,(bound form) to divine -卜卜米,bo bo mǐ,Rice Krispies -卜占,bǔ zhān,to divine; to prophesy; to foretell the future -卜卦,bǔ guà,to divine using the eight trigrams -卜问,bǔ wèn,to predict by divining; to consult the oracle -卜宅,bǔ zhái,to choose a capital by divination; to choose a home; to choose one's burial place by divination -卜居,bǔ jū,to choose a home -卜征,bǔ zhēng,to ask oracle for war forecast -卜昼卜夜,bǔ zhòu bǔ yè,"day and night (to toil, to abandon oneself to pleasure etc)" -卜甲,bǔ jiǎ,oracle tortoise shell -卜筮,bǔ shì,divination -卜课,bǔ kè,to divine by tossing coins -卜辞,bǔ cí,oracle inscriptions of the Shang Dynasty (16th-11th century BC) on tortoiseshells or animal bones -卜骨,bǔ gǔ,oracle bone -卞,biàn,surname Bian -卞,biàn,hurried -卟,bǔ,used in the transliteration of the names of organic compounds porphyrin 卟啉[bu3 lin2] and porphin 卟吩[bu3 fen1] -卟吩,bǔ fēn,porphin C20H14N4 (loanword) -卟啉,bǔ lín,porphyrin (organic chemical essential to hemoglobin and chlorophyll) (loanword) -占,zhān,to observe; to divine -占,zhàn,to take possession of; to occupy; to take up -占位符,zhàn wèi fú,(computing) placeholder -占优,zhàn yōu,to dominate; dominant -占卜,zhān bǔ,to divine -占地,zhàn dì,to take up space; to occupy (space) -占地儿,zhàn dì er,to take up space -占地方,zhàn dì fang,to take up space -占地面积,zhàn dì miàn ji,"floor area; occupied area; footprint (of a building, piece of equipment etc)" -占星,zhān xīng,to divine by astrology; horoscope -占星学,zhān xīng xué,astrology -占星家,zhān xīng jiā,astrologer -占星师,zhān xīng shī,astrologer -占星术,zhān xīng shù,astrology -占比,zhàn bǐ,proportion; percentage -占满,zhàn mǎn,to fill; to occupy completely -占着茅坑不拉屎,zhàn zhe máo kēng bù lā shǐ,lit. to occupy a latrine but not shit (proverb); fig. to be a dog in the manger -卡,kǎ,"to stop; to block; (computing) (coll.) slow; (loanword) card; CL:張|张[zhang1],片[pian4]; truck (from ""car""); calorie (abbr. for 卡路里[ka3 lu4 li3]); cassette" -卡,qiǎ,to block; to be stuck; to be wedged; customs station; a clip; a fastener; a checkpost; Taiwan pr. [ka3] -卡丁车,kǎ dīng chē,go-kart -卡介苗,kǎ jiè miáo,BCG vaccine; bacillus Calmette-Guérin vaccine -卡仕达,kǎ shì dá,(loanword) custard -卡他,kǎ tā,(loanword) (medicine) catarrh -卡仙尼,kǎ xiān ní,Cassini space probe -卡位,kǎ wèi,(sports) to jockey for position; (basketball) to box out; (commerce) to establish oneself in a competitive market (also pr. [qia3 wei4]); booth seating (always pr. [ka3 wei4] for this sense) -卡住,kǎ zhù,to jam; to choke; to clutch; also pr. [qia3 zhu4] -卡债,kǎ zhài,credit card debt -卡侬,kǎ nóng,XLR connector -卡内基,kǎ nèi jī,"Carnegie (name); Andrew Carnegie (1835-1919), Scots American steel millionaire and philanthropist" -卡内基梅隆大学,kǎ nèi jī méi lóng dà xué,"Carnegie Mellon University, Pittsburgh" -卡其,kǎ qí,khaki (loanword) -卡利亚里,kǎ lì yà lǐ,"Cagliari, Sardinia" -卡利卡特,kǎ lì kǎ tè,"Calicut, town on Arabian sea in Kerala, India" -卡利多尼亚,kǎ lì duō ní yà,Caledonia -卡利科,kǎ lì kē,"calico (woven cloth from Caldicot, Kerala, India)" -卡到阴,kǎ dào yīn,(Tw) to be possessed; to be bewitched -卡司,kǎ sī,(acting) cast (loanword) -卡哇伊,kǎ wā yī,cute; adorable; charming (loanword from Japanese) -卡哇依,kǎ wā yī,variant of 卡哇伊[ka3 wa1 yi1] -卡啦,kǎ lā,"crispy, deep-fried (variant of 卡拉[ka3 la1])" -卡地亚,kǎ dì yà,Cartier (brand) -卡塔尼亚,kǎ tǎ ní yà,"Catania, Sicily" -卡塔尔,kǎ tǎ ěr,Qatar -卡塔赫纳,kǎ tǎ hè nà,Cartagena -卡垫,kǎ diàn,(Tibetan) rug; mat -卡士达,kǎ shì dá,(Tw) (loanword) custard -卡夫,kǎ fū,"Kraft, US food company" -卡夫卡,kǎ fū kǎ,"Franz Kafka (1883-1924), Czech Jewish writer" -卡奴,kǎ nú,a slave to one's credit card; sb who is unable to repay their credit card borrowings -卡子,qiǎ zi,clip; hair fastener; checkpoint -卡宴,kǎ yàn,"Cayenne, capital of French Guiana" -卡尺,kǎ chǐ,calipers -卡尼丁,kǎ ní dīng,carnitine (loanword) (biochemistry) -卡巴斯基,kǎ bā sī jī,Kaspersky (computer security product brand) -卡巴莱,kǎ bā lái,cabaret (loanword) -卡布其诺,kǎ bù qí nuò,cappuccino (loanword) -卡布其诺咖啡,kǎ bù qí nuò kā fēi,cappuccino coffee -卡布奇诺,kǎ bù qí nuò,cappuccino (loanword) -卡帕,kǎ pà,kappa (Greek letter Κκ) -卡带,kǎ dài,cassette tape -卡座,kǎ zuò,"booth (in restaurants etc) (loanword from ""car seat"")" -卡式,kǎ shì,"(of a device) designed to accept a cassette, cartridge or canister (loanword from ""cassette""); designed to have a card or ticket inserted (also written 插卡式[cha1 ka3 shi4]) (loanword from ""card"")" -卡式炉,kǎ shì lú,portable gas stove (fueled by a gas cartridge) -卡弹,kǎ dàn,to jam (rifle) -卡恩,kǎ ēn,Kahn -卡扎菲,kǎ zhā fēi,"(Colonel Muammar) Gaddafi (1942-2011), de facto leader of Libya from 1969-2011" -卡拉,kǎ lā,"Kara, city in northern Togo 多哥[Duo1 ge1]; Cara, Karla etc (name)" -卡拉,kǎ lā,"karaoke; (Tw) (of chicken etc) crispy, deep-fried" -卡拉什尼科夫,kǎ lā shí ní kē fū,Kalashnikov (the AK-47 assault rifle) -卡拉卡斯,kǎ lā kǎ sī,"Caracas, capital of Venezuela (Tw)" -卡拉奇,kǎ lā qí,Karachi (Pakistan) -卡拉奇那,kǎ lā jī nà,Krajina (former Yugoslavia) -卡拉姆昌德,kǎ lā mǔ chāng dé,Karamchand (name) -卡拉季奇,kǎ lā jì jī,"Radovan Karadžić (1945-), former Bosnian Serb leader and war criminal" -卡拉布里亚,kǎ lā bù lǐ yà,"Calabria, southernmost Italian province" -卡拉比拉,kǎ lā bǐ lā,Karabilah (Iraqi city) -卡拉胶,kǎ lā jiāo,carageenan (chemistry) -卡拉马佐夫兄弟,kǎ lā mǎ zuǒ fū xiōng dì,Brothers Karamazov by Dostoevsky 陀思妥耶夫斯基[Tuo2 si1 tuo3 ye1 fu1 si1 ji1] -卡文迪什,kǎ wén dí shí,"Cavendish (name); Henry Cavendish (1731-1810), English nobleman and pioneer experimental scientist" -卡斯特利翁,kǎ sī tè lì wēng,Castellón -卡斯特罗,kǎ sī tè luó,"Castro (name); Fidel Castro or Fidel Alejandro Castro Ruz (1926-2016), Cuban revolutionary leader, prime minister 1959-1976, president 1976-2008" -卡斯特里,kǎ sī tè lǐ,"Castries, capital of Saint Lucia" -卡斯翠,kǎ sī cuì,"Castries, capital of Saint Lucia (Tw)" -卡斯蒂利亚,kǎ sī dì lì yà,"Castilla, old Spanish kingdom; modern Spanish provinces of Castilla-Leon and Castilla-La Mancha" -卡方,kǎ fāng,chi-square (math.) -卡昂,kǎ áng,Caen (French town) -卡桑德拉,kǎ sāng dé lā,Cassandra (given name); Cassandra (character in Greek mythology) -卡梅伦,kǎ méi lún,Cameron (name) -卡森城,kǎ sēn chéng,"Carson City, capital of Nevada" -卡榫,kǎ sǔn,clip; latch (on a clip-into-place component) -卡槽,kǎ cáo,"(electronics) card slot (for SD card, SIM card etc); clamping groove" -卡乐星,kǎ lè xīng,Carl's Jr. (fast-food restaurant chain) -卡死,kǎ sǐ,jammed; stuck; frozen (computer) -卡壳,qiǎ ké,(of a bullet or shell) to jam; (fig.) to get stuck; to be held up; to reach an impasse -卡波耶拉,kǎ bō yē lā,capoeira (loanword) -卡波西氏肉瘤,kǎ bō xī shì ròu liú,Kaposi's sarcoma -卡洛娜,kǎ luò nà,"calzone (Italian pocket), folded pizza" -卡洛斯,kǎ luò sī,Carlos (name) -卡洛驰,kǎ luò chí,"Crocs, Inc." -卡尔,kǎ ěr,Karl (name) -卡尔加里,kǎ ěr jiā lǐ,"Calgary, largest city of Alberta, Canada" -卡尔巴拉,kǎ ěr bā lā,Karbala (city in Iraq) -卡尔德龙,kǎ ěr dé lóng,Calderon (Hispanic name) -卡尔文,kǎ ěr wén,Calvin (name) -卡尔文克莱因,kǎ ěr wén kè lái yīn,Calvin Klein CK (brand) -卡尔斯鲁厄,kǎ ěr sī lǔ è,Karlsruhe (city in Germany) -卡尔扎伊,kǎ ěr zā yī,"Hamid Karzai (1957-), Afghan politician, president 2004-2014" -卡尔顿,kǎ ěr dùn,Carleton -卡片,kǎ piàn,card -卡片机,kǎ piàn jī,compact digital camera; point-and-shoot camera -卡牌,kǎ pái,playing card -卡特,kǎ tè,"Carter (name); Jimmy Carter (1924-), US Democrat politician, president 1977-1981" -卡特彼勒公司,kǎ tè bǐ lè gōng sī,Caterpillar Inc. -卡特尔,kǎ tè ěr,cartel (loanword) -卡珊德拉,kǎ shān dé lā,Cassandra (given name); Cassandra (character in Greek mythology) -卡瓦格博峰,kǎ wǎ gé bó fēng,"Mt Kawakarpo (6740 m) in Yunnan, the highest peak of Meili Snow Mountains 梅里雪山[Mei2 li3 Xue3 shan1]" -卡盘,qiǎ pán,chuck (for a drill etc) -卡秋莎,kǎ qiū shā,Katyusha (name); name of a Russian wartime song; nickname of a rocket launcher used by the Red Army in WWII; also written 喀秋莎 -卡纳塔克邦,kǎ nà tǎ kè bāng,"Karnataka (formerly Mysore), southwest Indian state, capital Bangalore 班加羅爾|班加罗尔[Ban1 jia1 luo2 er3]" -卡纳维拉尔角,kǎ nà wéi lā ěr jiǎo,"Cape Canaveral, Florida, home of Kennedy space center 肯尼迪航天中心[Ken3 ni2 di2 Hang2 tian1 Zhong1 xin1]" -卡纳维尔角,kǎ nà wéi ěr jiǎo,"Cape Canaveral, Florida" -卡纳蕾,kǎ nà lěi,canelé (a French pastry) (loanword) -卡纳达语,kǎ nà dá yǔ,Kannada (language) -卡纸,kǎ zhǐ,cardboard; card stock -卡罗利纳,kǎ luó lì nà,Carolina (Puerto Rico) -卡美拉,kǎ měi lā,"Gamera (Japanese ガメラ Gamera), Japanese movie monster" -卡美洛,kǎ měi luò,"Camelot, seat of legendary King Arthur" -卡脖子,qiǎ bó zi,to squeeze the throat; (fig.) to have in a stranglehold; critical -卡萨布兰卡,kǎ sà bù lán kǎ,Casablanca (Morocco's economic capital) -卡萨诺瓦,kǎ sà nuò wǎ,"Giacomo Casanova (1725-1798), Italian adventurer known for womanizing" -卡西尼,kǎ xī ní,Cassini (proper name) -卡西欧,kǎ xī ōu,Casio -卡西米尔效应,kǎ xī mǐ ěr xiào yìng,Casimir effect (attraction between two parallel metal plates due to quantum mechanical vacuum effects) -卡西莫夫,kǎ xī mò fū,Kasimov (town in Russia) -卡宾枪,kǎ bīn qiāng,carbine rifle (loanword) -卡路里,kǎ lù lǐ,calorie (loanword) -卡车,kǎ chē,truck; CL:輛|辆[liang4] -卡农,kǎ nóng,canon (music) (loanword) -卡通,kǎ tōng,cartoon (loanword) -卡达,kǎ dá,Qatar (Tw) -卡门,kǎ mén,"Carmen (name); Carmen, 1875 opera by Georges Bizet 比才 based on novel by Prosper Mérimée 梅里美[Mei2 li3 mei3]" -卡门柏乳酪,kǎ mén bó rǔ lào,"Camembert (soft, creamy French cheese)" -卡门贝,kǎ mén bèi,camembert cheese -卡关,kǎ guān,to be stuck; to feel stuck -卡顿,kǎ dùn,(computing) slow; unresponsive -卡骆驰,kǎ luò chí,"Crocs, Inc." -卡点,kǎ diǎn,to synchronize (a video etc) to the beat of a piece of music -卣,yǒu,wine container -卦,guà,divinatory diagram; one of the eight divinatory trigrams of the Book of Changes 易經|易经[Yi4 jing1]; one of the sixty-four divinatory hexagrams of the Book of Changes 易經|易经[Yi4 jing1] -卦义,guà yì,interpretation of the divinatory trigrams -卦辞,guà cí,to interpret the divinatory trigrams -卩,jié,"""seal"" radical in Chinese characters (Kangxi radical 26)" -卬,áng,surname Ang -卬,áng,I (regional colloquial); me; variant of 昂[ang2] -卮,zhī,goblet -卯,mǎo,"mortise (slot cut into wood to receive a tenon); 4th earthly branch: 5-7 a.m., 2nd solar month (6th March-4th April), year of the Rabbit; ancient Chinese compass point: 90° (east); variant of 鉚|铆[mao3]; to exert one's strength" -卯兔,mǎo tù,"Year 4, year of the Rabbit (e.g. 2011)" -卯时,mǎo shí,5-7 am (in the system of two-hour subdivisions used in former times) -卯榫,mǎo sǔn,mortise and tenon (slot and tab forming a carpenter's joint) -卯眼,mǎo yǎn,mortise; slit -印,yìn,"surname Yin; abbr. for 印度[Yin4du4], India" -印,yìn,to print; to mark; to engrave; a seal; a print; a stamp; a mark; a trace; image -印信,yìn xìn,official seal; legally binding seal -印刷,yìn shuā,to print; printing -印刷品,yìn shuā pǐn,printed products -印刷厂,yìn shuā chǎng,printing house; print shop -印刷所,yìn shuā suǒ,printing press; printing office; printer -印刷业,yìn shuā yè,typography; printing business -印刷机,yìn shuā jī,printing press -印刷版,yìn shuā bǎn,"printing plate; printed version (of a digital publication); printing (as in ""1st printing"" etc)" -印刷者,yìn shuā zhě,printer -印刷术,yìn shuā shù,printing; printing technology -印刷量,yìn shuā liàng,print run -印刷电路板,yìn shuā diàn lù bǎn,printed circuit board -印刷体,yìn shuā tǐ,printed style (as opposed to cursive) -印加,yìn jiā,Inca (South American Indians) -印古什,yìn gǔ shí,"Ingushetia, republic in southwestern Russia" -印地安,yìn dì ān,(Tw) (American) Indian; native American; indigenous peoples of the Americas; also written 印第安[Yin4 di4 an1] -印地安纳,yìn dì ān nà,"Indiana, US state" -印地安纳州,yìn dì ān nà zhōu,"Indiana, US state" -印地语,yìn dì yǔ,Hindi (language) -印堂,yìn táng,"the part of the forehead between the eyebrows; yintang, acupuncture point at the midpoint between the medial ends of the eyebrows" -印堂穴,yìn táng xué,"yintang, acupuncture point at the midpoint between the medial ends of the eyebrows" -印太,yìn tài,Indo-Pacific (from 印度洋[Yin4 du4 yang2] and 太平洋[Tai4 ping2 Yang2]) -印子,yìn zi,"trace; impression (e.g. footprint); abbr. of 印子錢|印子钱[yin4 zi5 qian2], usury" -印子钱,yìn zi qián,usury; high interest loan (in former times) -印尼,yìn ní,Indonesia (abbr. for 印度尼西亞|印度尼西亚[Yin4du4ni2xi1ya4]) -印尼盾,yìn ní dùn,Indonesian rupiah -印尼语,yìn ní yǔ,Indonesian language -印巴,yìn bā,India and Pakistan -印度,yìn dù,India -印度人,yìn dù rén,Indian (person); CL:個|个[ge4]; Indian people -印度人民党,yìn dù rén mín dǎng,Bharatiya Janata Party -印度国大党,yìn dù guó dà dǎng,Indian Congress party -印度尼西亚,yìn dù ní xī yà,Indonesia -印度尼西亚语,yìn dù ní xī yà yǔ,Indonesian language -印度支那,yìn dù zhī nà,Indochina -印度支那半岛,yìn dù zhī nà bàn dǎo,"Indochina (old term, esp. colonial period); now written 中南半島|中南半岛[Zhong1 nan2 Ban4 dao3]" -印度教,yìn dù jiào,Hinduism; Indian religion -印度教徒,yìn dù jiào tú,Hindu; adherent of Hinduism -印度斯坦,yìn dù sī tǎn,Hindustan -印度时报,yìn dù shí bào,India Times -印度河,yìn dù hé,Indus River -印度洋,yìn dù yáng,Indian Ocean -印度眼镜蛇,yìn dù yǎn jìng shé,Indian cobra (Naja naja) -印度航空公司,yìn dù háng kōng gōng sī,Air India -印度袄,yìn dù ǎo,"Parsee or Parsi, member of the Zoroastrian sect (religion)" -印度金黄鹂,yìn dù jīn huáng lí,(bird species of China) Indian golden oriole (Oriolus kundoo) -印度雅利安,yìn dù yǎ lì ān,Indo-Aryan -印度音乐,yìn dù yīn yuè,"Bhangra, Indian music (music genre)" -印度鬼椒,yìn dù guǐ jiāo,see 斷魂椒|断魂椒[duan4 hun2 jiao1] -印戒,yìn jiè,signet ring (cell) -印把子,yìn bà zi,seal of authority; official seal -印支,yìn zhī,abbr. for 印度支那[Yin4 du4 zhi1 na4] -印支半岛,yìn zhī bàn dǎo,Indochina (abbr. for colonial term 印度支那半島|印度支那半岛[Yin4du4zhi1na4 Ban4dao3]); (now written 中南半島|中南半岛[Zhong1nan2 Ban4dao3]) -印支期,yìn zhī qī,Indo-Chinese epoch (geology); Indosinian orogeny -印支绿鹊,yìn zhī lǜ què,(bird species of China) Indochinese green magpie (Cissa hypoleuca) -印数,yìn shù,the amount of books etc printed at one impression; print run -印本,yìn běn,printed book; printed copy -印染,yìn rǎn,printing and dyeing -印次,yìn cì,number of print run -印欧人,yìn ōu rén,Indo-European (person) -印欧文,yìn ōu wén,Indo-European (language) -印欧语,yìn ōu yǔ,Indo-European (language) -印欧语系,yìn ōu yǔ xì,Indo-European family of languages -印欧语言,yìn ōu yǔ yán,Indo-European (language) -印江,yìn jiāng,"Yinjiang Tujia and Miao Autonomous County in Tongren 銅仁市|铜仁市[Tong2ren2 Shi4], Guizhou" -印江土家族苗族自治县,yìn jiāng tǔ jiā zú miáo zú zì zhì xiàn,"Yinjiang Tujia and Miao Autonomous County in Tongren 銅仁市|铜仁市[Tong2ren2 Shi4], Guizhou" -印江县,yìn jiāng xiàn,"Yinjiang Tujia and Miao Autonomous County in Tongren 銅仁市|铜仁市[Tong2ren2 Shi4], Guizhou" -印泥,yìn ní,red ink paste used for seal -印版,yìn bǎn,printing plate -印玺,yìn xǐ,official seal; imperial or royal seal; papal bull -印痕,yìn hén,mark; print; impression -印发,yìn fā,to publish; to print and distribute -印盒,yìn hé,seal case; box for seal and ink pad -印章,yìn zhāng,seal; signet; chop; stamp; CL:方[fang1] -印第安,yìn dì ān,(American) Indian; native American; indigenous peoples of the Americas -印第安人,yìn dì ān rén,American Indians -印第安座,yìn dì ān zuò,Indus (constellation) -印第安纳,yìn dì ān nà,"Indiana, US state" -印第安纳州,yìn dì ān nà zhōu,"Indiana, US state" -印第安纳波利斯,yìn dì ān nà bō lì sī,"Indianapolis, Indiana" -印纽,yìn niǔ,"decorated knob protruding from seal, allowing it to be strung on a cord" -印绶,yìn shòu,sealed ribbon fastening correspondence (in former times) -印缅斑嘴鸭,yìn miǎn bān zuǐ yā,(bird species of China) Indian spot-billed duck (Anas poecilorhyncha) -印缅褐头雀鹛,yìn miǎn hè tóu què méi,(bird species of China) manipur fulvetta (Fulvetta manipurensis) -印台,yìn tái,"Yintai District of Tongchuan City 銅川市|铜川市[Tong2 chuan1 Shi4], Shaanxi" -印台,yìn tái,ink pad; stamp pad -印台区,yìn tái qū,"Yintai District of Tongchuan City 銅川市|铜川市[Tong2 chuan1 Shi4], Shaanxi" -印航,yìn háng,Air India (abbr.) -印花,yìn huā,tax stamp -印花税,yìn huā shuì,stamp duty -印行,yìn xíng,to print and distribute; to publish -印表机,yìn biǎo jī,printer (Tw) -印制,yìn zhì,to print; to produce (a publication) -印制电路,yìn zhì diàn lù,printed circuit -印制电路板,yìn zhì diàn lù bǎn,printed circuit board -印记,yìn jì,imprint; trace -印证,yìn zhèng,to confirm; to corroborate; to verify; proof; evidence -印谱,yìn pǔ,collection of seal stamps -印象,yìn xiàng,impression (sth that stays in one's mind); a memory -印象主义,yìn xiàng zhǔ yì,impressionism -印象分,yìn xiàng fēn,points gained by making a good impression; kudos; brownie points -印象派,yìn xiàng pài,impressionism -印迹,yìn jì,footprint -印钞票,yìn chāo piào,printing money -印钮,yìn niǔ,"decorated knob protruding from seal, allowing it to be strung on a cord" -印鉴,yìn jiàn,seal impression; stamp; mark from a seal serving as signature -印头鱼,yìn tóu yú,shark sucker (Echeneis naucrates) -印鱼,yìn yú,shark sucker (Echeneis naucrates) -印鼠客蚤,yìn shǔ kè zǎo,oriental rat flea (Xenopsylla cheopis) -印鼻,yìn bí,"decorated knob protruding from seal, allowing it to be strung on a cord" -危,wēi,surname Wei -危,wēi,danger; to endanger; Taiwan pr. [wei2] -危亡,wēi wáng,at stake; in peril -危及,wēi jí,"to endanger; to jeopardize; a danger (to life, national security etc)" -危困,wēi kùn,grave situation -危在旦夕,wēi zài dàn xī,in imminent peril (idiom); on the brink of crisis -危地马拉,wēi dì mǎ lā,Guatemala; see also 瓜地馬拉|瓜地马拉[Gua1 di4 ma3 la1] -危地马拉人,wēi dì mǎ lā rén,Guatemalan (person) -危境,wēi jìng,dangerous situation; venerable old age -危如朝露,wēi rú zhāo lù,precarious as the morning dew (idiom); fig. ephemeral and precarious nature of human existence -危如累卵,wēi rú lěi luǎn,precarious as pile of eggs (idiom); ready to fall and break at any moment; in a dangerous state -危害,wēi hài,to harm; to jeopardize; to endanger; harmful effect; damage; CL:個|个[ge4] -危害性,wēi hài xìng,harmfulness -危害评价,wēi hài píng jià,hazard assessment -危局,wēi jú,perilous situation -危径,wēi jìng,steep and perilous path -危急,wēi jí,critical; desperate (situation) -危性,wēi xìng,risk -危惧,wēi jù,afraid; apprehensive -危房,wēi fáng,decrepit house -危楼,wēi lóu,dangerous housing; building that is about to collapse -危机,wēi jī,crisis; CL:個|个[ge4] -危机四伏,wēi jī sì fú,danger lurks on every side (idiom) -危殆,wēi dài,grave danger; in jeopardy; in a critical condition -危笃,wēi dǔ,deathly ill -危而不持,wēi ér bù chí,"national danger, but no support (idiom, from Analects); the future of the nation is at stake but no-one comes to the rescue" -危若朝露,wēi ruò zhāo lù,precarious as morning dew (idiom); unlikely to last out the day -危言危行,wēi yán wēi xíng,upright and plainspoken (idiom) -危言耸听,wēi yán sǒng tīng,frightening words to scare people (idiom); alarmist talk; reds under the beds -危辞耸听,wēi cí sǒng tīng,to startle sb with scary tale -危迫,wēi pò,urgent; pressing danger -危途,wēi tú,dangerous road -危重,wēi zhòng,critically ill -危重病人,wēi zhòng bìng rén,critically ill patient -危险,wēi xiǎn,danger; dangerous -危险品,wēi xiǎn pǐn,hazardous materials -危险警告灯,wēi xiǎn jǐng gào dēng,hazard lights -危难,wēi nàn,calamity -即,jí,namely; that is; i.e.; prompt; at once; at present; even if; prompted (by the occasion); to approach; to come into contact; to assume (office); to draw near -即付,jí fù,to pay on demand -即付即打,jí fù jí dǎ,pay as you go -即令,jí lìng,even if; even though -即位,jí wèi,to succeed to the throne; accession -即使,jí shǐ,even if; even though -即便,jí biàn,even if; even though; right away; immediately -即刻,jí kè,immediately; instant; instantly -即可,jí kě,equivalent to 就可以; can then (do sth); can immediately (do sth); (do sth) and that will suffice -即墨,jí mò,"Jimo, county-level city in Qingdao 青島|青岛, Shandong" -即墨市,jí mò shì,"Jimo, county-level city in Qingdao 青島|青岛[Qing1 dao3], Shandong" -即如,jí rú,such as -即将,jí jiāng,about to; on the point of; soon -即将来临,jí jiāng lái lín,imminent -即席,jí xí,impromptu; improvised; to take one's seat (at a banquet etc) -即或,jí huò,even if; even though -即指即译,jí zhǐ jí yì,point-and-translate (computing) -即插即用,jí chā jí yòng,plug-and-play -即日,jí rì,this or that very day; in the next few days -即早,jí zǎo,as soon as possible -即时,jí shí,immediate -即时制,jí shí zhì,real-time (gaming) -即时即地,jí shí jí dì,moment-to-moment -即时消息,jí shí xiāo xi,instant message -即时通讯,jí shí tōng xùn,instant messaging -即期品,jí qī pǐn,product approaching its expiry date (Tw) -即溶咖啡,jí róng kā fēi,instant coffee -即为,jí wéi,to be considered to be; to be defined to be; to be called -即由,jí yóu,namely -即兴,jí xìng,improvisation (in the arts); impromptu; extemporaneous -即兴之作,jí xìng zhī zuò,improvisation -即兴发挥,jí xìng fā huī,improvisation -即食,jí shí,instant (food) -卵,luǎn,egg; ovum; spawn; (coll.) testicles; (old) penis; (expletive) fucking -卵圆,luǎn yuán,oval; ellipse -卵圆形,luǎn yuán xíng,oval; ellipsoidal -卵圆窗,luǎn yuán chuāng,oval window between middle and inner ear -卵子,luǎn zǐ,ovum -卵子,luǎn zi,testicles; penis -卵巢,luǎn cháo,ovary -卵巢窝,luǎn cháo wō,ovary -卵形,luǎn xíng,oval; egg-shaped (leaves in botany) -卵模,luǎn mó,ootype (site of egg composition in flatworm biology) -卵母细胞,luǎn mǔ xì bāo,(biology) oocyte; ovocyte -卵泡,luǎn pāo,ovarian follicle; Taiwan pr. [luan3 pao4] -卵用鸡,luǎn yòng jī,laying hen -卵石,luǎn shí,cobble; cobblestone; pebble -卵磷脂,luǎn lín zhī,lecithin (phospholipid found in egg yolk) -卵精巢,luǎn jīng cháo,ovaries and testes -卵裂,luǎn liè,cleavage of fertilized ovum into cells -卵鞘,luǎn qiào,(invertebrate zoology) ootheca -卵黄,luǎn huáng,egg yolk -卵黄囊,luǎn huáng náng,yolk sac (ectodermal cells attaching fetus to uterus before the development of the placenta) -卵黄管,luǎn huáng guǎn,vitelline duct -卵黄腺,luǎn huáng xiàn,vitelline glands; vitellaria (in biology) -卷,juǎn,"to roll up; roll; classifier for small rolled things (wad of paper money, movie reel etc)" -卷,juàn,"scroll; book; volume; chapter; examination paper; classifier for books, paintings: volume, scroll" -卷刃,juǎn rèn,curved blade -卷土重来,juǎn tǔ chóng lái,lit. to return in a swirl of dust (idiom); fig. to regroup and come back even stronger; to make a comeback -卷地皮,juǎn dì pí,to plunder the land and extort from the peasant; corrupt practice -卷子,juǎn zi,steamed roll; spring roll -卷子,juàn zi,test paper; examination paper -卷宗,juàn zōng,file; folder; dossier -卷尺,juǎn chǐ,tape measure; tape rule; CL:把[ba3] -卷尾猴,juǎn wěi hóu,white-headed capuchin (Cebus capucinus) -卷层云,juǎn céng yún,cirrostratus (cloud); also written 捲層雲|卷层云[juan3 ceng2 yun2] -卷巴,juǎn bā,to bundle up -卷帙,juàn zhì,book -卷帙浩繁,juàn zhì hào fán,a huge amount (of books and papers) -卷心菜,juǎn xīn cài,cabbage; CL:棵[ke1] -卷烟,juǎn yān,cigarette; cigar -卷笔刀,juǎn bǐ dāo,pencil sharpener (blade-only type) -卷帘门,juǎn lián mén,roll-up door -卷纸,juǎn zhǐ,toilet roll -卷绕,juǎn rào,to wind; to coil; to spool; to loop around; winding -卷羽鹈鹕,juǎn yǔ tí hú,(bird species of China) Dalmatian pelican (Pelecanus crispus) -卷舌元音,juǎn shé yuán yīn,retroflex vowel (e.g. the final r of putonghua) -卷裹,juǎn guǒ,to wrap up; (fig.) to envelop; to swallow up -卷起,juǎn qǐ,variant of 捲起|卷起[juan3 qi3] -卷轴,juàn zhóu,scroll (book or painting) -卷云,juǎn yún,cirrus (cloud) -卷须,juǎn xū,tendril -卸,xiè,to unload; to unhitch; to remove or strip; to get rid of -卸下,xiè xià,to unload -卸任,xiè rèn,to leave office -卸套,xiè tào,to loosen a yoke; to remove harness (from beast of burden) -卸妆,xiè zhuāng,to remove makeup; (old) to take off formal dress and ornaments -卸扣,xiè kòu,shackle (U-shaped link) -卸磨杀驴,xiè mò shā lǘ,lit. to kill the donkey when the grinding is done (idiom); fig. to get rid of sb once he has ceased to be useful -卸职,xiè zhí,to resign from office; to dismiss from office -卸肩儿,xiè jiān er,lit. a weight off one's shoulders; fig. to resign a post; to lay down a burden; to be relieved of a job -卸装,xiè zhuāng,(of an actor) to remove makeup and costume; (computing) to uninstall; to unmount -卸货,xiè huò,to unload; to discharge cargo -卸责,xiè zé,to avoid responsibility; to shift the responsibility onto others; (Tw) to relieve sb of their responsibilities (e.g. upon retirement) -卸载,xiè zài,to unload cargo; to uninstall (software) -卸头,xiè tóu,(of a woman) to take off one's head ornaments and jewels -恤,xù,anxiety; sympathy; to sympathize; to give relief; to compensate -却,què,but; yet; however; while; to go back; to decline; to retreat; nevertheless; even though -却之不恭,què zhī bù gōng,to refuse would be impolite -却倒,què dào,but on the contrary; but unexpectedly -却才,què cái,just now -却是,què shì,nevertheless; actually; the fact is ... -却步,què bù,to step back -却病,què bìng,to prevent or treat a disease -卿,qīng,high ranking official (old); term of endearment between spouses (old); (from the Tang Dynasty onwards) term used by the emperor for his subjects (old); honorific (old) -卿卿我我,qīng qīng wǒ wǒ,to bill and coo (idiom); to whisper sweet nothings to one another; to be very much in love -膝,xī,old variant of 膝[xi1] -厂,hǎn,"""cliff"" radical in Chinese characters (Kangxi radical 27), occurring in 原, 历, 压 etc" -厂字旁,chǎng zì páng,"name of ""cliff"" 厂 radical in simplified Chinese characters (Kangxi radical 27)" -厄,è,distressed -厄什塔,è shén tǎ,Ørsta (city in Norway) -厄利垂亚,è lì chuí yà,Eritrea (Tw) -厄勒布鲁,è lè bù lǔ,Örebro (city in Sweden) -厄勒海峡,è lè hǎi xiá,Øresund; The Sound (strait between Denmark and Sweden) -厄境,è jìng,difficult situation -厄娃,è wá,"Eve, the first woman (transcription used in Catholic versions of the Bible) (from Hebrew Ḥawwāh)" -厄洛斯,è luò sī,Eros (Cupid) -厄尔尼诺,è ěr ní nuò,"El Niño, equatorial climate variation in the Pacific" -厄尔尼诺现象,è ěr ní nuò xiàn xiàng,"El Niño effect, equatorial climatic variation over the Pacific Ocean" -厄尔布鲁士,è ěr bù lǔ shì,"Mt Elbrus, the highest peak of the Caucasus Mountains" -厄瓜多,è guā duō,Ecuador (Tw) -厄瓜多尔,è guā duō ěr,Ecuador -厄立特里亚,è lì tè lǐ yà,Eritrea -厄运,è yùn,bad luck; misfortune; adversity -厓,yá,old form of 崖 (cliff) and 涯 (bank) -厗,tí,"old stone or mineral, possibly related to antimony Sb 銻|锑[ti1]" -厗奚,tí xī,"old place name (in Yan of Warring states, in modern Beijing city)" -厘,lí,variant of 釐|厘[li2] -厘金,lí jīn,a form of transit taxation in China introduced to finance armies to suppress the Taiping Rebellion -厍,shè,surname She -厚,hòu,thick; deep or profound; kind; generous; rich or strong in flavor; to favor; to stress -厚古薄今,hòu gǔ bó jīn,to revere the past and neglect the present (idiom) -厚嘴啄花鸟,hòu zuǐ zhuó huā niǎo,(bird species of China) thick-billed flowerpecker (Dicaeum agile) -厚嘴绿鸠,hòu zuǐ lǜ jiū,(bird species of China) thick-billed green pigeon (Treron curvirostra) -厚嘴苇莺,hòu zuǐ wěi yīng,(bird species of China) thick-billed warbler (Phragamaticola aedon) -厚报,hòu bào,generous reward -厚实,hòu shi,thick; substantial; sturdy; solid -厚底鞋,hòu dǐ xié,platform shoes -厚度,hòu dù,thickness -厚待,hòu dài,generous treatment -厚德载物,hòu dé zài wù,with great virtue one can take charge of the world (idiom) -厚望,hòu wàng,great hopes; great expectations -厚朴,hòu pò,magnolia bark (bark of Magnolia officinalis) -厚此薄彼,hòu cǐ bó bǐ,to favour one and discriminate against the other -厚死薄生,hòu sǐ bó shēng,lit. to praise the dead and revile the living; fig. to live in the past (idiom) -厚生劳动省,hòu shēng láo dòng shěng,"Ministry of Health, Labor and Welfare (Japan)" -厚生相,hòu shēng xiàng,"minister of health (of Japan, UK etc)" -厚生省,hòu shēng shěng,Ministry of Health and Welfare (Japan) (replaced in 2001 by 厚生勞動省|厚生劳动省[Hou4 sheng1 Lao2 dong4 sheng3]) -厚礼,hòu lǐ,generous gifts -厚积薄发,hòu jī bó fā,lit. to have accumulated knowledge and deliver it slowly (idiom); good preparation is the key to success; to be well prepared -厚脸皮,hòu liǎn pí,brazen; shameless; impudent; cheek; thick-skinned -厚薄,hòu báo,thickness; also pr. [hou4 bo2] -厚薄,hòu bó,to favor one and discriminate against the other (abbr. for 厚此薄彼[hou4 ci3 bo2 bi3]) -厚薄规,hòu bó guī,feeler gauge -厚谊,hòu yì,generous friendship -厚赐,hòu cì,to reward generously; generous gift -厚道,hòu dao,kind and honest; generous; sincere -厚重,hòu zhòng,thick; heavy; thickset (body); massive; generous; extravagant; profound; dignified -厚颜,hòu yán,shameless -厚颜无耻,hòu yán wú chǐ,shameless -厚养薄葬,hòu yǎng bó zàng,"generous care but a thrifty funeral; to look after one's parents generously, but not waste money on a lavish funeral" -厝,cuò,to lay in place; to put; to place a coffin in a temporary location pending burial -厝火积薪,cuò huǒ jī xīn,lit. to put a fire under a pile of firewood (idiom); fig. hidden danger; imminent danger -原,yuán,surname Yuan; (Japanese surname) Hara -原,yuán,former; original; primary; raw; level; cause; source -原人,yuán rén,prehistoric man; primitive man -原件,yuán jiàn,the original; original document; master copy -原位,yuán wèi,original position; (in) the same place; normal position; the place where one currently is; in situ -原住民,yuán zhù mín,indigenous peoples; aborigine -原住民族,yuán zhù mín zú,original inhabitant; indigenous people -原作,yuán zuò,original works; original text; original author -原作版,yuán zuò bǎn,Urtext edition -原来,yuán lái,"original; former; originally; formerly; at first; so, actually, as it turns out" -原来如此,yuán lái rú cǐ,so that's how it is; I see -原先,yuán xiān,originally; original; former -原典版,yuán diǎn bǎn,(Tw) Urtext edition -原函数,yuán hán shù,antiderivative -原初,yuán chū,initial; original; originally; at first -原则,yuán zé,principle; doctrine; CL:個|个[ge4] -原则上,yuán zé shang,in principle; generally -原则性,yuán zé xìng,principled -原创,yuán chuàng,to create (sth original); original; originality; original work -原创力,yuán chuàng lì,creativity -原创性,yuán chuàng xìng,originality -原动力,yuán dòng lì,motive force; prime mover; first cause; agent -原南斯拉夫,yuán nán sī lā fū,former Yugoslavia (1945-1992) -原原本本,yuán yuán běn běn,from beginning to end; in its entirety; in accord with fact; literal -原名,yuán míng,original name -原告,yuán gào,complainant; plaintiff -原味,yuán wèi,authentic taste; plain cooked; natural flavor (without spices and seasonings) -原唱,yuán chàng,to sing the original version of a song (as opposed to a cover version); singer who performs the original version of a song -原因,yuán yīn,cause; origin; root cause; reason; CL:個|个[ge4] -原图,yuán tú,"original drawing, map or picture (as opposed to a copy or a modified version)" -原地,yuán dì,(in) the original place; the place where one currently is; place of origin; local (product) -原地踏步,yuán dì tà bù,to mark time (military); to make no headway -原址,yuán zhǐ,original location -原型,yuán xíng,model; prototype; archetype -原始,yuán shǐ,first; original; primitive; original (document etc) -原始林,yuán shǐ lín,old growth forest; primary forest; original forest cover -原始热带雨林,yuán shǐ rè dài yǔ lín,virgin tropical rainforest -原始码,yuán shǐ mǎ,"source code (computing) (Tw, HK)" -原始社会,yuán shǐ shè huì,primitive society -原委,yuán wěi,the whole story -原子,yuán zǐ,atom; atomic -原子半径,yuán zǐ bàn jìng,atomic radius -原子反应堆,yuán zǐ fǎn yìng duī,atomic reactor -原子堆,yuán zǐ duī,atomic pile (original form of nuclear reactor) -原子序数,yuán zǐ xù shù,atomic number -原子弹,yuán zǐ dàn,atom bomb; atomic bomb; A-bomb -原子核,yuán zǐ hé,atomic nucleus -原子武器,yuán zǐ wǔ qì,atomic weapon -原子爆弹,yuán zǐ bào dàn,atom bomb -原子爆破弹药,yuán zǐ bào pò dàn yào,atomic demolition munition -原子科学家,yuán zǐ kē xué jiā,atomic scientist; nuclear scientist -原子科学家通报,yuán zǐ kē xué jiā tōng bào,Journal of Atomic Scientists -原子笔,yuán zǐ bǐ,ballpoint pen; also written 圓珠筆|圆珠笔 -原子能,yuán zǐ néng,atomic energy -原子能发电站,yuán zǐ néng fā diàn zhàn,atomic power station -原子论,yuán zǐ lùn,atomic theory -原子质量,yuán zǐ zhì liàng,atomic mass -原子量,yuán zǐ liàng,atomic weight; atomic mass -原子钟,yuán zǐ zhōng,atomic clock -原定,yuán dìng,originally planned; originally determined -原封不动,yuán fēng bù dòng,sticking unmoving to the original (idiom); not an iota changed; untouched -原居,yuán jū,indigenous -原州,yuán zhōu,"Yuanzhou district of Guyuan city 固原市[Gu4 yuan2 shi4], Ningxia" -原州区,yuán zhōu qū,"Yuanzhou district of Guyuan city 固原市[Gu4 yuan2 shi4], Ningxia" -原平,yuán píng,"Yuanping, county-level city in Xinzhou 忻州[Xin1 zhou1], Shanxi" -原平市,yuán píng shì,"Yuanping, county-level city in Xinzhou 忻州[Xin1 zhou1], Shanxi" -原形,yuán xíng,original shape; true appearance (under the disguise); true character -原形毕露,yuán xíng bì lù,original identity fully revealed (idiom); fig. to unmask and expose the whole truth -原意,yuán yì,original meaning; original intention -原拟,yuán nǐ,to initially plan to ...; to originally intend to ... -原故,yuán gù,variant of 緣故|缘故[yuan2 gu4] -原文,yuán wén,original text -原料,yuán liào,raw material -原有,yuán yǒu,original; former -原木,yuán mù,logs -原本,yuán běn,originally; original -原材料,yuán cái liào,raw and semifinished materials -原核,yuán hé,prokaryotic (cell) -原核生物,yuán hé shēng wù,prokaryote -原核生物界,yuán hé shēng wù jiè,Kingdom Monera; prokaryote -原核细胞,yuán hé xì bāo,prokaryote; prokaryotic cell -原核细胞型微生物,yuán hé xì bāo xíng wēi shēng wù,prokaryotic cell type microorganism -原样,yuán yàng,original shape; the same as before -原水,yuán shuǐ,raw water; unpurified water -原汁,yuán zhī,stock (liquid from stewing meat etc) -原汁原味,yuán zhī yuán wèi,original; authentic -原油,yuán yóu,crude oil -原煤,yuán méi,raw coal -原爆,yuán bào,atom bomb; contraction of 原子爆彈|原子爆弹[yuan2 zi3 bao4 dan4] -原爆点,yuán bào diǎn,ground zero -原牛,yuán niú,"aurochs (Bos primigenius), extinct wild ox" -原物料,yuán wù liào,raw material -原状,yuán zhuàng,previous condition; original state -原班人马,yuán bān rén mǎ,original cast; former team -原理,yuán lǐ,principle; theory -原生,yuán shēng,original; primary; native; indigenous; proto-; stock (firmware) -原生动物,yuán shēng dòng wù,protozoan (bacteria) -原生橄榄油,yuán shēng gǎn lǎn yóu,virgin olive oil -原生生物,yuán shēng shēng wù,protist; primitive organism -原生质,yuán shēng zhì,protoplasm -原产,yuán chǎn,original production; native to (of species) -原产国,yuán chǎn guó,country of origin -原产地,yuán chǎn dì,original source; place of origin; provenance -原田,yuán tián,Harada (Japanese surname) -原由,yuán yóu,variant of 緣由|缘由[yuan2 you2] -原发性进行性失语,yuán fā xìng jìn xíng xìng shī yǔ,"primary progressive aphasia (PPA), speech disorder (sometimes related to dementia)" -原稿,yuán gǎo,manuscript; original copy -原籍,yuán jí,ancestral home (town); birthplace -原纤维,yuán xiān wéi,fibril; protofilament -原罪,yuán zuì,original sin -原义,yuán yì,original meaning -原声,yuán shēng,acoustic (musical instrument) -原声带,yuán shēng dài,soundtrack; master tape -原肾管,yuán shèn guǎn,protonephridium (invertebrate anatomy) -原色,yuán sè,primary color -原著,yuán zhù,original work (not translation or abridged) -原苏联,yuán sū lián,former Soviet Union -原处,yuán chù,original spot; previous place; where it was before -原虫,yuán chóng,protozoan -原被告,yuán bèi gào,plaintiff and defendant; prosecution and defense (lawyers) -原装,yuán zhuāng,genuine; intact in original packaging (not locally assembled and packaged) -原语,yuán yǔ,source language (linguistics) -原谅,yuán liàng,to excuse; to forgive; to pardon -原谅色,yuán liàng sè,(slang) green -原貌,yuán mào,the original form -原道,yuán dào,original path; essay by Tang philosopher Han Yu 韓愈|韩愈[Han2 Yu4] -原配,yuán pèi,first wife -原野,yuán yě,plain; open country -原阳,yuán yáng,"Yuanyang county in Xinxiang 新鄉|新乡[Xin1 xiang1], Henan" -原阳县,yuán yáng xiàn,"Yuanyang county in Xinxiang 新鄉|新乡[Xin1 xiang1], Henan" -原鸽,yuán gē,(bird species of China) rock dove (Columba livia) -原点,yuán diǎn,starting point; square one; (coordinate geometry) origin -原点矩,yuán diǎn jǔ,(statistics) moment -厕,cè,variant of 廁|厕[ce4] -历,lì,old variant of 曆|历[li4]; old variant of 歷|历[li4] -厥,jué,to faint; to lose consciousness; his; her; its; their -厪,jǐn,hut -厪,qín,variant of 廑[qin2] -厌,yàn,(bound form) to loathe; to be fed up with; (literary) to satiate; to satisfy -厌世,yàn shì,world-weary; pessimistic -厌倦,yàn juàn,to be weary of; to be fed up with; to be bored with -厌女症,yàn nǚ zhèng,misogyny -厌学,yàn xué,to hate studying -厌恨,yàn hèn,to hate; to detest -厌恶,yàn wù,to loathe; to hate; disgusted with sth -厌恶人类者,yàn wù rén lèi zhě,misanthrope -厌战,yàn zhàn,"to be weary of war; (fig.) to lose one's desire to continue to fight (sports match, legal battle etc)" -厌弃,yàn qì,to spurn; to reject -厌气,yàn qì,fed up with; loathsome -厌氧,yàn yǎng,anaerobic -厌氧菌,yàn yǎng jūn,anaerobic bacteria -厌烦,yàn fán,bored; fed up with sth; sick of sth -厌腻,yàn nì,to detest; to abhor -厌薄,yàn bó,to despise; to look down upon sth -厌酷球孢子菌,yàn kù qiú bāo zǐ jūn,Coccidioides immitis -厌食,yàn shí,anorexia -厌食症,yàn shí zhèng,anorexia -厮,sī,variant of 廝|厮[si1] -厉,lì,surname Li -厉,lì,strict; severe -厉害,lì hai,"(used to describe sb or sth that makes a very strong impression, whether favorable or unfavorable) terrible; intense; severe; devastating; amazing; awesome; outstanding; (of a person) stern; strict; harsh; shrewd; tough; (of an animal) fierce; (of a resemblance) striking; (of liquor or chili pepper) strong; (of bacteria) virulent" -厉目而视,lì mù ér shì,to cut sb a severe look (idiom) -厉声,lì shēng,stern voice -厉行,lì xíng,to do (sth) with rigor; rigorously -厉行节约,lì xíng jié yuē,to practice strict economy (idiom) -厉鬼,lì guǐ,malicious spirit; devil -厣,yǎn,operculum (Latin: little lid); a covering flap (in various branches of anatomy) -厶,mǒu,old variant of 某[mou3] -厶,sī,old variant of 私[si1] -厷,gōng,old variant of 肱[gong1] -厷,hóng,old variant of 宏[hong2] -厹,qiú,spear -厹,róu,to trample -去,qù,to go; to go to (a place); (of a time etc) last; just passed; to send; to remove; to get rid of; to reduce; to be apart from in space or time; to die (euphemism); to play (a part); (when used either before or after a verb) to go in order to do sth; (after a verb of motion indicates movement away from the speaker); (used after certain verbs to indicate detachment or separation) -去世,qù shì,to pass away; to die -去中心化,qù zhōng xīn huà,decentralization -去你的,qù nǐ de,Get along with you! -去信,qù xìn,to send a letter to; to write to -去光水,qù guāng shuǐ,nail polish remover (Tw) -去其糟粕,qù qí zāo pò,to remove the dross; to discard the dregs -去势,qù shì,to neuter; neutered -去取,qù qǔ,to accept or reject -去取之间,qù qǔ zhī jiān,undecided between taking and leaving -去向,qù xiàng,direction in which sb or sth has gone; whereabouts -去向不明,qù xiàng bù míng,missing; lost -去回票,qù huí piào,round-trip ticket (Tw) -去国,qù guó,to leave one's country -去国外,qù guó wài,to go abroad -去垢剂,qù gòu jì,detergent -去年,qù nián,last year -去年底,qù nián dǐ,late last year; the end of last year -去得,qù de,can go -去掉,qù diào,to get rid of; to exclude; to eliminate; to remove; to delete; to strip out; to extract -去根,qù gēn,to cure completely -去岁,qù suì,last year -去死,qù sǐ,go to hell!; drop dead! -去氧核糖核酸,qù yǎng hé táng hé suān,deoxyribonucleic acid; DNA -去氧麻黄碱,qù yǎng má huáng jiǎn,methamphetamine -去污,qù wū,to decontaminate; to clean -去污名化,qù wū míng huà,to destigmatize -去火,qù huǒ,to reduce internal heat (TCM) -去留,qù liú,going or staying -去皮,qù pí,to peel; to remove the skin; to tare -去皮重,qù pí zhòng,to tare -去程,qù chéng,outbound trip -去耦,qù ǒu,to decouple -去声,qù shēng,falling tone; fourth tone in modern Mandarin -去职,qù zhí,to leave office -去台,qù tái,to go to Taiwan; refers to those who left China for Taiwan before the founding of PRC in 1949 -去台人员,qù tái rén yuán,those who left China for Taiwan before the founding of PRC in 1949 -去芜存菁,qù wú cún jīng,lit. to get rid of the weeds and keep the flowers; to separate the wheat from the chaff (idiom) -去处,qù chù,place; destination -去路,qù lù,the way one is following; outlet -去逝,qù shì,to pass away; to die -去重,qù chóng,to remove duplicates -去除,qù chú,to remove; to dislodge -去颤,qù chàn,see 除顫|除颤[chu2 chan4] -叁,sān,variant of 參|叁[san1] -叁,sān,three (banker's anti-fraud numeral) -参,cān,"to take part in; to participate; to join; to attend; to counsel; unequal; varied; irregular; uneven; not uniform; abbr. for 參議院|参议院 Senate, Upper House" -参,cēn,used in 參差|参差[cen1 ci1] -参,shēn,ginseng; one of the 28 constellations -参加,cān jiā,to participate; to take part; to join -参加者,cān jiā zhě,participant -参劾,cān hé,to accuse; to impeach; (in imperial China) to level charges against an official -参半,cān bàn,half; half and half; both ... and ...; just as much ... as ...; equally -参卡尔,cān kǎ ěr,"Ivan Cankar (1876-1918), Slovenian modernist writer" -参天,cān tiān,(of a tree etc) to reach up to the sky -参孙,cān sūn,Samson (name); biblical hero around 1100 BC -参宿,shēn xiù,Three Stars (Chinese constellation) -参宿七,shēn xiù qī,Rigel (star); lit. seventh star of the Three Stars Chinese constellation -参展,cān zhǎn,to exhibit at or take part in a trade show etc -参差,cēn cī,uneven; jagged; snaggletooth; ragged; serrated -参差不齐,cēn cī bù qí,(idiom) variable; uneven; irregular -参差错落,cēn cī cuò luò,uneven and jumbled (idiom); irregular and disorderly; in a tangled mess -参悟,cān wù,to comprehend (the nature of things etc); to achieve enlightenment -参战,cān zhàn,to go to war; to engage in war -参拜,cān bài,to formally call on; to worship (a God); to pay homage to sb -参政,cān zhèng,to be involved in politics; participation in politics -参政权,cān zhèng quán,suffrage; voting rights -参数,cān shù,parameter -参校,cān jiào,to proofread; to revise one or more editions of a text using an authoritative edition as a source book; to editorially revise a text -参演,cān yǎn,to take part in a performance; to appear in (a movie etc) -参照,cān zhào,to consult a reference; to refer to (another document) -参照系,cān zhào xì,frame of reference; coordinate frame (math.) -参看,cān kàn,to consult for reference; see also; please refer to -参禅,cān chán,to practice Chan Buddhist meditation; to practice Zen meditation; to sit in meditation -参考,cān kǎo,consultation; reference; to consult; to refer -参考文献,cān kǎo wén xiàn,cited material; reference (to the literature); bibliography -参考书,cān kǎo shū,reference book -参考材料,cān kǎo cái liào,reference material; source documents -参考椭球体,cān kǎo tuǒ qiú tǐ,reference ellipsoid (geodesy) -参考消息,cān kǎo xiāo xī,Reference News (PRC limited-distribution daily newspaper) -参考系,cān kǎo xì,frame of reference -参考资料,cān kǎo zī liào,reference material; bibliography -参股,cān gǔ,equity participation (finance) -参与,cān yù,to participate (in sth) -参与者,cān yù zhě,participant -参茸,shēn róng,ginseng and young deer antler (used in TCM) -参薯,shēn shǔ,"Dioscorea alata (Kinampay or aromatic purple yam, a sweet root crop)" -参见,cān jiàn,to refer to; see also; compare (cf.); to pay respect to -参观,cān guān,to look around; to tour; to visit -参访团,cān fǎng tuán,delegation -参详,cān xiáng,to collate and examine critically (texts etc) -参谋,cān móu,staff officer; to give advice -参谋总长,cān móu zǒng zhǎng,army Chief of Staff -参谋长,cān móu zhǎng,chief of staff -参谒,cān yè,to visit; to pay one's respects to (a revered figure etc); to pay homage (at a tomb etc) -参议,cān yì,consultant; adviser -参议员,cān yì yuán,senator -参议院,cān yì yuàn,senate; upper chamber (of legislative assembly) -参赛,cān sài,to compete; to take part in a competition -参赛者,cān sài zhě,competitor; CL:名[ming2] -参赞,cān zàn,to serve as an adviser; (diplomatic rank) attaché; counselor -参军,cān jūn,to join the army -参透,cān tòu,to fully grasp; to penetrate -参选,cān xuǎn,to be a candidate in an election or other selection process; to run for office; to turn out to vote -参选人,cān xuǎn rén,election participant; candidate -参选率,cān xuǎn lǜ,voter turnout -参酌,cān zhuó,to consider (a matter); to deliberate -参量,cān liàng,parameter (math); quantity used as a parameter; modulus (math.) -参量空间,cān liàng kōng jiān,moduli space (math.); parameter space -参阅,cān yuè,to consult; to refer to; to read (instructions) -参院,cān yuàn,"abbr. for 參議院|参议院[can1 yi4 yuan4], senate; upper chamber (of legislative assembly)" -参杂,cān zá,to mix -参鸡汤,shēn jī tāng,"samgyetang, popular Korean chicken soup with ginseng, spices etc" -参预,cān yù,variant of 參與|参与[can1 yu4] -参,cān,old variant of 參|参[can1] -又,yòu,(once) again; also; both... and...; and yet; (used for emphasis) anyway -又一次,yòu yī cì,yet again; once again; once more -又来了,yòu lái le,Here we go again. -又及,yòu jí,P.S.; postscript -又名,yòu míng,also known as; alternative name; to also be called -又吵又闹,yòu chǎo yòu nào,to make a lot of noise; to be disorderly -又想当婊子又想立牌坊,yòu xiǎng dāng biǎo zi yòu xiǎng lì pái fāng,lit. to lead the life of a whore but still want a monument put up to one's chastity (idiom); fig. to have bad intentions but still want a good reputation; to want to have one's cake and eat it too -又称,yòu chēng,also known as -又红又肿,yòu hóng yòu zhǒng,to be red and swollen (idiom) -又双叒叕,yòu shuāng ruò zhuó,(Internet slang) time after time; again and again and again -叉,chā,"fork; pitchfork; prong; pick; cross; intersect; ""X""" -叉,chá,to cross; be stuck -叉,chǎ,to diverge; to open (as legs) -叉勺,chā sháo,spork -叉圈,chā quān,"XO (""extra old""), grade of cognac quality" -叉子,chā zi,fork; CL:把[ba3] -叉尾太阳鸟,chā wěi tài yáng niǎo,(bird species of China) fork-tailed sunbird (Aethopyga christinae) -叉尾鸥,chā wěi ōu,(bird species of China) Sabine's gull (Xema sabini) -叉形,chā xíng,forked -叉架,chā jià,trestle; X-shaped frame -叉烧,chā shāo,char siu; barbecued pork -叉烧包,chā shāo bāo,steamed bun stuffed with skewer-roasted pork -叉积,chā jī,cross product (of vectors) -叉簧,chā huáng,"switch hook (button or cradle of a telephone, whose function is to disconnect the call)" -叉腰,chā yāo,to put one's hands on one's hips -叉车,chā chē,forklift truck; CL:臺|台[tai2] -叉头,chā tóu,prong of a fork -及,jí,and; to reach; up to; in time for -及其,jí qí,(conjunction linking two nouns) and its ...; and their ...; and his ...; and her ... -及早,jí zǎo,at the earliest possible time; as soon as possible -及时,jí shí,timely; at the right time; promptly; without delay -及时性,jí shí xìng,timeliness; promptness -及时行乐,jí shí xíng lè,to enjoy the present (idiom); to live happily with no thought for the future; make merry while you can; carpe diem -及时雨,jí shí yǔ,timely rain; (fig.) timely assistance; timely help -及格,jí gé,to pass an exam or a test; to meet a minimum standard -及格线,jí gé xiàn,passing line or score (in an examination) -及物,jí wù,transitive (grammar) -及物动词,jí wù dòng cí,transitive verb -及笄,jí jī,to reach marriageable age (a girl's fifteenth birthday) -及第,jí dì,to pass an imperial examination -及耳,jí ěr,(loanword) gill (unit) -及至,jí zhì,by the time that -及锋而试,jí fēng ér shì,lit. to reach the tip and try (idiom); to have a go when at one's peak -友,yǒu,friend -友人,yǒu rén,friend -友商,yǒu shāng,(slang) business competitor; industry peer -友善,yǒu shàn,friendly -友好,yǒu hǎo,"Youhao district of Yichun city 伊春市[Yi1 chun1 shi4], Heilongjiang" -友好,yǒu hǎo,friendly; amicable; close friend -友好区,yǒu hǎo qū,"Youhao district of Yichun city 伊春市[Yi1 chun1 shi4], Heilongjiang" -友好关系,yǒu hǎo guān xì,good relations -友悌,yǒu tì,brotherly bond -友情,yǒu qíng,friendly feelings; friendship -友爱,yǒu ài,friendly affection; fraternal love -友尽,yǒu jìn,(Internet slang) end of friendship; friendship over! -友谊,yǒu yì,companionship; fellowship; friendship -友谊商店,yǒu yì shāng diàn,"Friendship Store, PRC state-run store originally intended for foreigners, diplomats etc, specializing in selling imported Western goods and quality Chinese crafts" -友谊地久天长,yǒu yì dì jiǔ tiān cháng,"Auld Lang Syne, Scottish song with lyrics by Robert Burns 羅伯特·伯恩斯|罗伯特·伯恩斯[Luo2 bo2 te4 · Bo2 en1 si1], sung to mark the start of a new year or as a farewell; also rendered 友誼萬歲|友谊万岁[You3 yi4 wan4 sui4] or 友誼天長地久|友谊天长地久[You3 yi4 tian1 chang2 di4 jiu3]" -友谊天长地久,yǒu yì tiān cháng dì jiǔ,see 友誼地久天長|友谊地久天长[You3 yi4 di4 jiu3 tian1 chang2] -友谊峰,yǒu yì fēng,"Friendship Peak or Khüiten Peak (4,356 m), the highest peak of the Altai mountains" -友谊县,yǒu yì xiàn,"Youyi county in Shuangyashan 雙鴨山|双鸭山[Shuang1 ya1 shan1], Heilongjiang" -友谊万岁,yǒu yì wàn suì,see 友誼地久天長|友谊地久天长[You3 yi4 di4 jiu3 tian1 chang2] -友谊赛,yǒu yì sài,friendly match; friendly competition -友军,yǒu jūn,friendly forces; allies -友邦,yǒu bāng,friendly state; ally -友邦保险,yǒu bāng bǎo xiǎn,"AIA Group Limited, insurance company" -反,fǎn,contrary; in reverse; inside out or upside down; to reverse; to return; to oppose; opposite; against; anti-; to rebel; to use analogy; instead; abbr. for 反切[fan3 qie4] phonetic system -反串,fǎn chuàn,(Chinese opera) to play a role outside of one's specialty; (modern) to play a transvestite role; to masquerade as an opponent -反之,fǎn zhī,on the other hand...; conversely... -反之亦然,fǎn zhī yì rán,vice versa -反人道罪,fǎn rén dào zuì,a crime against humanity -反人道罪行,fǎn rén dào zuì xíng,crime against humanity -反人类,fǎn rén lèi,inhuman -反人类罪,fǎn rén lèi zuì,crimes against humanity -反作用,fǎn zuò yòng,opposite reaction -反例,fǎn lì,counterexample -反倒,fǎn dào,but on the contrary; but expectedly -反侧,fǎn cè,to toss and turn -反传算法,fǎn chuán suàn fǎ,back propagation algorithm -反倾销,fǎn qīng xiāo,anti-dumping -反光,fǎn guāng,to reflect light -反光镜,fǎn guāng jìng,"reflector (typically concave, as in a torch); mirror (typically plane or convex)" -反光面,fǎn guāng miàn,reflecting surface -反共,fǎn gòng,anti-communist -反其道而行之,fǎn qí dào ér xíng zhī,to do the very opposite; to act in a diametrically opposite way -反函数,fǎn hán shù,inverse function (math.) -反分裂法,fǎn fēn liè fǎ,anti-secession law of 2005 (whereby PRC claims the right to invade Taiwan) -反切,fǎn qiè,"traditional system expressing the phonetic value of a Chinese character using two other characters, the first for the initial consonant, the second for the rhyme and tone" -反制,fǎn zhì,to take countermeasures against; to hit back; to counter -反剪,fǎn jiǎn,with hands behind one's back; trussed -反动,fǎn dòng,reaction; reactionary -反动分子,fǎn dòng fèn zǐ,reactionaries; reactionary elements -反动势力,fǎn dòng shì li,reactionary forces (esp. in Marxist rhetoric) -反动派,fǎn dòng pài,reactionaries -反反复复,fǎn fǎn fù fù,repeatedly; time and time again -反叛,fǎn pàn,to rebel; to revolt -反叛分子,fǎn pàn fèn zǐ,insurgent; rebel -反口,fǎn kǒu,to correct oneself; to renege; to break one's word -反右,fǎn yòu,anti-rightist; abbr. for 反右派鬥爭|反右派斗争[Fan3 you4 pai4 Dou4 zheng1] -反右派斗争,fǎn yòu pài dòu zhēng,"Anti-Rightist Movement, Mao's purge of ""rightists"" after the Hundred Flowers Campaign ended in 1957" -反右运动,fǎn yòu yùn dòng,"Anti-Rightist Movement, Mao's purge of ""rightists"" after the Hundred Flowers Campaign ended in 1957" -反向,fǎn xiàng,opposite direction; reverse -反咬一口,fǎn yǎo yī kǒu,to make a false countercharge -反哺,fǎn bǔ,to support one's parents in their old age; to show filial piety; to to repay; to return a favor -反唇相讥,fǎn chún xiāng jī,(idiom) to answer back sarcastically; to retort -反问,fǎn wèn,to ask (a question) in reply; to answer a question with a question; rhetorical question -反问句,fǎn wèn jù,rhetorical question -反问语气,fǎn wèn yǔ qì,tone of one's voice when asking a rhetorical question -反嘴,fǎn zuǐ,to answer back; to contradict; to renege; to go back on one's word -反嘴鹬,fǎn zuǐ yù,(bird species of China) pied avocet (Recurvirostra avosetta) -反噬,fǎn shì,to backfire on; to rebound on -反围剿,fǎn wéi jiǎo,communist attack against the Guomindang's encircle and annihilate campaign -反坐,fǎn zuò,to sentence the accuser (and free the falsely accused defendant) -反坦克,fǎn tǎn kè,anti-tank -反坫,fǎn diàn,earthern goblet stand also known as 垿[xu4] (old) -反基督,fǎn jī dū,the anti-Christ -反垄断,fǎn lǒng duàn,antitrust -反垄断法,fǎn lǒng duàn fǎ,antitrust legislation -反季,fǎn jì,off-season; out-of-season -反季节,fǎn jì jié,off-season; out-of-season -反安慰剂,fǎn ān wèi jì,nocebo -反客为主,fǎn kè wéi zhǔ,lit. the guest acts as host (idiom); fig. to turn from passive to active behavior -反密码子,fǎn mì mǎ zi,anticodon -反射,fǎn shè,to reflect; reflection (from a mirror etc); reflex (i.e. automatic reaction of organism) -反射作用,fǎn shè zuò yòng,reflex; reflection -反射光,fǎn shè guāng,to reflect light; reflection; reflected light -反射动作,fǎn shè dòng zuò,reflex action -反射区治疗,fǎn shè qū zhì liáo,reflexology (alternative medicine) -反射弧,fǎn shè hú,reflex arc -反射星云,fǎn shè xīng yún,reflection nebula -反射疗法,fǎn shè liáo fǎ,reflexology (alternative medicine) -反射镜,fǎn shè jìng,reflector -反射面,fǎn shè miàn,reflecting surface -反对,fǎn duì,to oppose; to be against; to object to -反对派,fǎn duì pài,opposition faction -反对票,fǎn duì piào,dissenting vote -反对党,fǎn duì dǎng,opposition (political) party -反导,fǎn dǎo,anti-missile -反导导弹,fǎn dǎo dǎo dàn,anti-missile missile (such as the Patriot Missile) -反导弹,fǎn dǎo dàn,anti-missile -反导系统,fǎn dǎo xì tǒng,anti-missile system; missile defense system -反差,fǎn chā,contrast; discrepancy -反帝,fǎn dì,to be anti-imperialist -反常,fǎn cháng,unusual; abnormal -反式,fǎn shì,trans- (isomer) (chemistry); see also 順式|顺式[shun4 shi4] -反式脂肪,fǎn shì zhī fáng,trans fat; trans-isomer fatty acid -反式脂肪酸,fǎn shì zhī fáng suān,see 反式脂肪[fan3 shi4 zhi1 fang2] -反弹,fǎn tán,to bounce; to bounce back; to boomerang; to ricochet; rebound (of stock market etc); bounce; backlash; negative repercussions -反弹导弹,fǎn dàn dǎo dàn,antimissile missile -反复,fǎn fù,variant of 反覆|反复[fan3 fu4] -反思,fǎn sī,to think back over sth; to review; to revisit; to rethink; reflection; reassessment -反恐,fǎn kǒng,anti-terrorism; to fight against terrorism -反恐战争,fǎn kǒng zhàn zhēng,war on terrorism -反悔,fǎn huǐ,to renege; to go back (on a deal); to back out (of a promise) -反感,fǎn gǎn,to be disgusted with; to dislike; bad reaction; antipathy -反应,fǎn yìng,to react; to respond; reaction; response; reply; chemical reaction; CL:個|个[ge4] -反应堆,fǎn yìng duī,reactor -反应堆芯,fǎn yìng duī xīn,reactor core -反应式,fǎn yìng shì,equation of a chemical reaction -反应时,fǎn yìng shí,response time -反应时间,fǎn yìng shí jiān,(technology) response time -反应炉,fǎn yìng lú,(nuclear etc) reactor -反应锅,fǎn yìng guō,(chemical engineering) reaction vessel; reaction tank -反战,fǎn zhàn,anti-war -反战抗议,fǎn zhàn kàng yì,antiwar protest -反手,fǎn shǒu,to turn a hand over; to put one's hand behind one's back; fig. easily done -反托拉斯,fǎn tuō lā sī,antitrust (loanword) -反批评,fǎn pī píng,countercriticism -反抗,fǎn kàng,to resist; to rebel -反抗者,fǎn kàng zhě,rebel -反掌,fǎn zhǎng,lit. to turn over one's palm; fig. everything is going very well. -反接,fǎn jiē,trussed; with hands tied behind the back -反撞,fǎn zhuàng,recoil (of a gun) -反扑,fǎn pū,to counterattack; to come back after a defeat; to retrieve lost ground -反击,fǎn jī,to strike back; to beat back; to counterattack -反攻,fǎn gōng,to counterattack; a counteroffensive -反政府,fǎn zhèng fǔ,anti-government (protest) -反败为胜,fǎn bài wéi shèng,to turn defeat into victory (idiom); to turn the tide -反散射,fǎn sǎn shè,backscatter -反文旁,fǎn wén páng,"(colloquial) grapheme 攵 (variant form of Kangxi radical 66, 攴)" -反斜杠,fǎn xié gàng,backslash (computing) -反斜线,fǎn xié xiàn,backslash (computing); reversed diagonal -反方,fǎn fāng,the side opposed to the proposition (in a formal debate) -反日,fǎn rì,anti-Japan -反映,fǎn yìng,to mirror; to reflect; mirror image; reflection; (fig.) to report; to make known; to render -反映论,fǎn yìng lùn,"theory of reflection (in dialectic materialism), i.e. every perception reflects physical reality" -反时势,fǎn shí shì,unconventional -反时针,fǎn shí zhēn,counterclockwise -反智,fǎn zhì,anti-intellectual -反智主义,fǎn zhì zhǔ yì,anti-intellectualism -反智论,fǎn zhì lùn,anti-intellectualism -反曲弓,fǎn qū gōng,(archery) recurve bow -反杜林论,fǎn dù lín lùn,"Anti-Dühring, book by Friedrich Engels 恩格斯[En1 ge2 si1]" -反核,fǎn hé,anti-nuclear (e.g. protest) -反正,fǎn zhèng,anyway; in any case; to come over from the enemy's side -反正一样,fǎn zhèng yī yàng,whether it's right or wrong doesn't make a lot of difference; six of one and half a dozen of the other; as broad as it is long -反杀,fǎn shā,to respond to an assault by killing one's assailant -反比,fǎn bǐ,inversely proportional; inverse ratio -反气旋,fǎn qì xuán,anticyclone -反水,fǎn shuǐ,to turn traitor; to defect -反求诸己,fǎn qiú zhū jǐ,to seek the cause in oneself rather than sb else -反污,fǎn wū,to accuse the victim (while being the guilty party) -反派,fǎn pài,villain (of a drama etc) -反清,fǎn qīng,anti-Qing; refers to the revolutionary movements in late 19th and early 20th century leading up to 1911 Xinhai Revolution 辛亥革命[Xin1 hai4 Ge2 ming4] -反渗透,fǎn shèn tòu,anti-infiltration (measures taken against subversive external forces); (chemistry) reverse osmosis -反渗透法,fǎn shèn tòu fǎ,"(Tw) Anti-infiltration Act (2020), which regulates the influence of entities deemed foreign hostile forces" -反演,fǎn yǎn,inversion (geometry) -反潜,fǎn qián,anti-submarine; antisubmarine -反乌托邦,fǎn wū tuō bāng,dystopia -反照,fǎn zhào,reflection -反照率,fǎn zhào lǜ,reflectivity; albedo -反物质,fǎn wù zhì,antimatter -反特,fǎn tè,to thwart enemy espionage; to engage in counterespionage -反犹太主义,fǎn yóu tài zhǔ yì,antisemitism -反璞归真,fǎn pú guī zhēn,variant of 返璞歸真|返璞归真[fan3 pu2 gui1 zhen1] -反生物战,fǎn shēng wù zhàn,biological (warfare) defense -反用换流器,fǎn yòng huàn liú qì,"inverter, device that converts AC electricity to DC and vice versa" -反白,fǎn bái,reverse type (white on black); reversed-out (graphics); highlighting (of selected text on a computer screen) -反目,fǎn mù,to quarrel; to fall out with sb -反目成仇,fǎn mù chéng chóu,(idiom) to fall out with sb; to become enemies -反相,fǎn xiàng,(a person's) rebellious appearance; signs of an impending rebellion; (physics) reversed phase -反相器,fǎn xiàng qì,(electronics) inverter; NOT gate -反省,fǎn xǐng,to reflect upon oneself; to examine one's conscience; to question oneself; to search one's soul -反知识,fǎn zhī shi,anti-intellectual -反社会,fǎn shè huì,antisocial (behavior) -反社会行为,fǎn shè huì xíng wéi,antisocial behavior -反科学,fǎn kē xué,anti-science; anti-scientific -反空降,fǎn kōng jiàng,anti-aircraft defense -反粒子,fǎn lì zǐ,antiparticle (physics) -反美,fǎn měi,anti-American -反美是工作赴美是生活,fǎn měi shì gōng zuò fù měi shì shēng huó,"being anti-American is the job, but life is in America (jocular comment made about public figures who are brazenly xenophobic but whose family live abroad)" -反义,fǎn yì,antonymous; (genetic) antisense -反义字,fǎn yì zì,character with opposite meaning; antonym; opposite characters -反义词,fǎn yì cí,antonym -反习,fǎn xí,anti-Xi (Jinping) -反而,fǎn ér,on the contrary; instead -反圣婴,fǎn shèng yīng,La Niña (counterpart of El Niño in meteorology) -反胃,fǎn wèi,retching; vomiting -反腐,fǎn fǔ,anti-corruption -反腐倡廉,fǎn fǔ chàng lián,to fight corruption and advocate probity -反腐败,fǎn fǔ bài,"to oppose corruption; anti-graft (measures, policy etc)" -反脸无情,fǎn liǎn wú qíng,to turn one's face against sb and show no mercy (idiom); to turn against a friend -反兴奋剂,fǎn xīng fèn jì,anti-doping; anti-stimulant; policy against drugs in sports -反舰导弹,fǎn jiàn dǎo dàn,anti-ship missile -反舰艇,fǎn jiàn tǐng,anti-ship -反舰艇巡航导弹,fǎn jiàn tǐng xún háng dǎo dàn,anti-ship cruise missile -反刍,fǎn chú,to ruminate; to chew the cud -反刍动物,fǎn chú dòng wù,ruminant -反英,fǎn yīng,anti-English -反英雄,fǎn yīng xióng,antihero -反华,fǎn huá,anti-Chinese -反冲,fǎn chōng,recoil (of a gun); to bounce back; backlash -反冲力,fǎn chōng lì,backlash; recoil; reactive force -反袁,fǎn yuán,opposing Yuan Shikai 袁世凱|袁世凯[Yuan2 Shi4 kai3] in National Protection War 護國戰爭|护国战争[Hu4 guo2 Zhan4 zheng1] 1915-1916 -反袁运动,fǎn yuán yùn dòng,"anti-Yuan movement, opposing Yuan Shikai 袁世凱|袁世凯[Yuan2 Shi4 kai3] in National Protection War 護國戰爭|护国战争[Hu4 guo2 Zhan4 zheng1] 1915-1916; same as 反袁鬥爭|反袁斗争[fan3 Yuan2 dou4 zheng1]" -反袁斗争,fǎn yuán dòu zhēng,war of 1915 against Yuan Shikai and for the Republic -反裘负刍,fǎn qiú fù chú,lit. to wear one's coat inside out and carry firewood on one's back (idiom); fig. to live a life of poverty and hard work; fig. to act stupidly -反复,fǎn fù,repeatedly; over and over; to upend; unstable; to come and go; (of an illness) to return -反复无常,fǎn fù wú cháng,unstable; erratic; changeable; fickle -反观,fǎn guān,by contrast; but as for this...; viewed from another angle; subjectively; introspection -反角,fǎn jiǎo,reflex angle -反角,fǎn jué,bad guy (in a story); villain -反诉,fǎn sù,counterclaim; countercharge (law) -反诉状,fǎn sù zhuàng,counterclaim -反诗,fǎn shī,verse criticizing officials; satirical verse -反诘,fǎn jié,to ask (a question) in reply; to answer a question with a question; rhetorical question -反诘问,fǎn jié wèn,to cross-examine -反话,fǎn huà,irony; ironic remark -反语,fǎn yǔ,irony -反语法,fǎn yǔ fǎ,irony -反诬,fǎn wū,to make a false countercharge -反讽,fǎn fěng,irony; to satirize -反证,fǎn zhèng,disproof; rebuttal; reductio ad absurdum -反证法,fǎn zhèng fǎ,reductio ad absurdum -反贪,fǎn tān,anti-corruption (policy) -反贪污,fǎn tān wū,anticorruption -反贪腐,fǎn tān fǔ,anti-corruption -反赤道流,fǎn chì dào liú,equatorial counter current -反走私,fǎn zǒu sī,"to oppose smuggling; anti-contraband (measures, policy etc)" -反超,fǎn chāo,to reverse (the score); to pull off a comeback; to take the lead -反身,fǎn shēn,to turn around -反身代词,fǎn shēn dài cí,reflexive pronoun -反躬自问,fǎn gōng zì wèn,introspection; to ask oneself -反转,fǎn zhuǎn,"reversal; inversion; to reverse; to invert (upside down, inside out, back to front, white to black etc)" -反转录,fǎn zhuǎn lù,(molecular biology) reverse transcription -反转录病毒,fǎn zhuǎn lù bìng dú,retrovirus -反过来,fǎn guo lái,conversely; in reverse order; in an opposite direction -反过来说,fǎn guò lái shuō,on the other hand -反酷刑折磨公约,fǎn kù xíng zhé mó gōng yuē,UN convention against torture and cruel treatment (ratified by PRC in 1988) -反酸,fǎn suān,acid reflux; regurgitation -反锯齿,fǎn jù chǐ,anti-aliasing -反录病毒,fǎn lù bìng dú,reverse transcription virus; retrovirus -反锁,fǎn suǒ,locked in (with the door locked from the outside) -反铲,fǎn chǎn,backhoe -反间,fǎn jiàn,to feed the enemy misinformation through their own spies; to sow discord in the enemy camp -反间计,fǎn jiàn jì,stratagem of sowing dissension; CL:條|条[tiao2] -反间谍,fǎn jiàn dié,counterintelligence; protection against espionage -反电子,fǎn diàn zǐ,positron; also called 正電子|正电子[zheng4 dian4 zi3] -反面,fǎn miàn,reverse side; backside; the other side (of a problem etc); negative; bad -反面人物,fǎn miàn rén wù,negative character; bad guy (in a story) -反面儿,fǎn miàn er,erhua variant of 反面[fan3 mian4] -反面教员,fǎn miàn jiào yuán,(PRC) teacher by negative example; sb from whom one can learn what not to do -反面教材,fǎn miàn jiào cái,negative example; sth that teaches one what not to do -反革命,fǎn gé mìng,counterrevolutionary -反革命宣传煽动罪,fǎn gé mìng xuān chuán shān dòng zuì,the crime of instigating counterrevolutionary propaganda -反响,fǎn xiǎng,repercussions; reaction; echo -反顾,fǎn gù,to glance back; (fig.) to regret; to have second thoughts about sth -反馈,fǎn kuì,to send back information; feedback -反驳,fǎn bó,to retort; to refute -反骨,fǎn gǔ,"(physiognomy) protruding bone at the back of the head, regarded as a sign of a renegade nature" -反高潮,fǎn gāo cháo,anticlimax -反党,fǎn dǎng,anti-party -叒,ruò,old variant of 若[ruo4]; obedient; ancient mythical tree -叔,shū,uncle; father's younger brother; husband's younger brother; Taiwan pr. [shu2] -叔丈人,shū zhàng rén,wife's uncle -叔丈母,shū zhàng mǔ,wife's aunt -叔伯,shū bai,(of cousins) descending from the same grandfather or great-grandfather -叔公,shū gōng,great uncle; grandfather's younger brother; husband's father's younger brother -叔叔,shū shu,father's younger brother; uncle; Taiwan pr. [shu2 shu5]; CL:個|个[ge4] -叔婆,shū pó,aunt by marriage; husband's aunt; husband's father's younger brother's wife -叔子,shū zi,brother-in-law; husband's younger brother -叔岳,shū yuè,wife's uncle -叔本华,shū běn huá,"Arthur Schopenhauer (1788-1860), German post-Kantian philosopher" -叔母,shū mǔ,aunt; wife of father's younger brother -叔父,shū fù,father's younger brother; uncle -叔祖,shū zǔ,grandfather's younger brother -叔祖母,shū zǔ mǔ,wife of paternal grandfather's younger brother -叕,zhuó,to join together; to lack; narrow and shallow -取,qǔ,to take; to get; to choose; to fetch -取代,qǔ dài,to replace; to supersede; to supplant; (chemistry) substitution -取代基,qǔ dài jī,substituent (chemistry) -取保候审,qǔ bǎo hòu shěn,"release from custody, subject to provision of a surety, pending investigation (PRC)" -取保释放,qǔ bǎo shì fàng,to be released on bail (law) -取信,qǔ xìn,to win the trust of -取其精华,qǔ qí jīng huá,to take the best; to absorb the essence -取出,qǔ chū,to take out; to extract; to draw out -取胜,qǔ shèng,to score a victory; to prevail over one's opponents -取名,qǔ míng,to name; to be named; to christen; to seek fame -取向,qǔ xiàng,orientation; direction -取回,qǔ huí,to retrieve -取巧,qǔ qiǎo,quick fix; opportune short cut (around a difficulty); cheap trick (to get what one wants); to pull a fast one -取得,qǔ dé,to acquire; to get; to obtain -取得一致,qǔ dé yī zhì,to reach a consensus -取得胜利,qǔ dé shèng lì,to prevail; to achieve victory; to be victorious -取悦,qǔ yuè,to try to please -取舍,qǔ shě,to select; to make one's choice; to decide what to accept and what to reject -取景,qǔ jǐng,"to select a scene (for filming, sketching etc)" -取景器,qǔ jǐng qì,viewfinder (of a camera etc) -取景框,qǔ jǐng kuàng,"rectangular frame used to view a scene (made out of cardboard etc, or formed by the thumbs and forefingers); viewfinder; viewing frame" -取暖,qǔ nuǎn,to warm oneself (by a fire etc) -取材,qǔ cái,to collect material -取乐,qǔ lè,to find amusement; to amuse oneself -取模,qǔ mó,modulo (math.) -取模,qǔ mú,to take an impression (dentistry etc) -取样,qǔ yàng,to take a sample -取样数量,qǔ yàng shù liàng,sample size (statistics) -取款,qǔ kuǎn,to withdraw money from a bank -取款机,qǔ kuǎn jī,ATM -取水,qǔ shuǐ,water intake; to obtain water (from a well etc) -取决,qǔ jué,(usually followed by 於|于[yu2]) to hinge on; to be decided by; to depend on -取决于,qǔ jué yú,to hinge on; to be decided by; to depend on -取消,qǔ xiāo,to cancel; cancellation -取消禁令,qǔ xiāo jìn lìng,to lift a prohibition; to lift a ban -取火,qǔ huǒ,to make fire -取灯儿,qǔ dēng er,(dialect) match (for lighting fire) -取现,qǔ xiàn,to withdraw money -取用,qǔ yòng,to access; to make use of -取笑,qǔ xiào,to tease; to make fun of -取经,qǔ jīng,to journey to India on a quest for the Buddhist scriptures; to learn by studying another's experience -取缔,qǔ dì,to suppress; to crack down on; to prohibit -取而代之,qǔ ér dài zhī,(idiom) to replace; to supersede; to take its (or her etc) place -取证,qǔ zhèng,to collect evidence -取走,qǔ zǒu,to remove; to take away -取道,qǔ dào,via; by way of; en route to -取银,qǔ yín,to take silver; to come second in a competition -取钱,qǔ qián,to withdraw money -取长补短,qǔ cháng bǔ duǎn,"lit. use others' strengths to make up for one's weak points (idiom from Mencius); to use this in place of that; what you lose on the swings, you win on the roundabouts" -取关,qǔ guān,to unfollow (on microblog etc) -取闹,qǔ nào,to make trouble; to make fun of -受,shòu,to receive; to accept; to suffer; subjected to; to bear; to stand; pleasant; (passive marker); (LGBT) bottom -受不了,shòu bù liǎo,unbearable; unable to endure; can't stand -受主,shòu zhǔ,acceptor (semiconductor) -受事,shòu shì,object (of a transitive verb); to receive a task -受享,shòu xiǎng,to enjoy -受任,shòu rèn,to appoint; to be appointed -受保人,shòu bǎo rén,the insured person; the person covered by an insurance policy -受俸,shòu fèng,to receive an official's salary -受伤,shòu shāng,to sustain injuries; wounded (in an accident etc); harmed -受雇,shòu gù,to be employed; to be hired; hired; paid -受冻挨饿,shòu dòng ái è,to go cold and hungry -受刑,shòu xíng,beaten; tortured; executed -受刑人,shòu xíng rén,person being executed; victim of corporal punishment; person serving a sentence -受到,shòu dào,"to receive (praise, an education, punishment etc); to be ...ed (praised, educated, punished etc)" -受制,shòu zhì,to be controlled (by sb); to suffer under a yoke -受取,shòu qǔ,to accept; to receive -受命,shòu mìng,ordained or appointed to a post; to benefit from counsel -受命于天,shòu mìng yú tiān,to be emperor by the grace of heaven; to have the mandate of heaven -受困,shòu kùn,trapped; stranded -受够,shòu gòu,to have had enough of; to be fed up with; to have had one's fill of -受夹板气,shòu jiā bǎn qì,to be attacked by both sides in a quarrel; to be caught in the crossfire -受孕,shòu yùn,to become pregnant; to conceive -受害,shòu hài,"to suffer damage, injury etc; damaged; injured; killed; robbed" -受害人,shòu hài rén,victim -受害者,shòu hài zhě,casualty; victim; those injured and wounded -受寒,shòu hán,affected by cold; to catch cold -受审,shòu shěn,to stand trial; to be on trial (for a crime) -受宠,shòu chǒng,to receive favor (from superior); favored; pampered -受宠若惊,shòu chǒng ruò jīng,overwhelmed by favor from superior (humble expr.) -受封,shòu fēng,to receive fief and title; to be enfeoffed; (fig.) to be rewarded by the emperor -受得了,shòu de liǎo,to put up with; to endure -受性,shòu xìng,"inborn (ability, defect)" -受惠,shòu huì,to benefit; favored -受戒,shòu jiè,to take oaths as a monk (Buddhism); to take orders -受持,shòu chí,to accept and maintain faith (Buddhism) -受挫,shòu cuò,thwarted; obstructed; setback -受控,shòu kòng,to be controlled -受损,shòu sǔn,to suffer damage -受支配,shòu zhī pèi,"subject to (foreign domination, emotions etc)" -受教,shòu jiào,to receive instruction; to benefit from advice -受暑,shòu shǔ,to suffer heatstroke; to suffer heat exhaustion -受格,shòu gé,objective -受业,shòu yè,"to study; to learn from a master; (pupil's first person pronoun) I, your student" -受权,shòu quán,authorized; entrusted (with authority) -受欢迎,shòu huān yíng,popular; well-received -受气,shòu qì,to be mistreated; to be bullied -受气包,shòu qì bāo,(fig.) punching bag -受法律保护权,shòu fǎ lǜ bǎo hù quán,right to protection by law (law) -受洗,shòu xǐ,to receive baptism; baptized -受洗命名,shòu xǐ mìng míng,to be christened -受浸,shòu jìn,to be baptized -受凉,shòu liáng,to catch cold -受潮,shòu cháo,"to get moist; to get damp (due to humidity, seepage etc)" -受灾,shòu zāi,disaster-stricken; to be hit by a natural calamity -受灾地区,shòu zāi dì qū,disaster area -受热,shòu rè,heated; sunstroke -受理,shòu lǐ,to accept to hear a case; to handle (a service) -受用,shòu yòng,to enjoy; to reap the benefits (of sth) -受用,shòu yong,comfortable; feeling well -受病,shòu bìng,to fall ill -受瘪,shòu biě,discomfited; to get into a mess -受益,shòu yì,to benefit from; profit -受益人,shòu yì rén,beneficiary -受益匪浅,shòu yì fěi qiǎn,to benefit (from) -受尽,shòu jìn,to suffer enough from; to suffer all kinds of; to have one's fill of -受看,shòu kàn,good-looking -受众,shòu zhòng,target audience; audience -受知,shòu zhī,recognized (for one's talents) -受禅,shòu shàn,to accept abdication -受礼,shòu lǐ,to accept a gift; to acknowledge greetings -受窘,shòu jiǒng,embarrassed; bothered; in an awkward position -受穷,shòu qióng,poor -受精,shòu jīng,to be fertilized; to be inseminated -受精卵,shòu jīng luǎn,fertilized ovum -受精囊,shòu jīng náng,seminal receptacle -受约束,shòu yuē shù,restricted; constrained -受纳,shòu nà,to accept; to receive (tribute) -受累,shòu lěi,to get dragged into; to get involved (on sb else's account) -受累,shòu lèi,to be put to a lot of trouble -受罪,shòu zuì,to endure; to suffer; hardships; torments; a hard time; a nuisance -受聘,shòu pìn,hired (for employment); invited (e.g. to lecture); engaged (for a task); (in olden times) betrothal gift from the groom's family -受聘于,shòu pìn yú,to be employed at -受听,shòu tīng,nice to hear; worth listening to -受胎,shòu tāi,to become pregnant; to conceive; impregnated; insemination -受膏,shòu gāo,to be anointed -受苦,shòu kǔ,to suffer hardship -受虐,shòu nüè,to suffer sexual abuse; masochism -受虐狂,shòu nüè kuáng,masochism; masochist -受训,shòu xùn,to receive training -受托,shòu tuō,to be entrusted; to be commissioned -受托人,shòu tuō rén,(law) trustee -受托者,shòu tuō zhě,trustee -受访,shòu fǎng,"to give an interview; to be interviewed; to respond to (questions, a survey etc)" -受访者,shòu fǎng zhě,participant in a survey; interviewee; respondent -受词,shòu cí,object (linguistics) -受试者,shòu shì zhě,subject (in an experiment); participant (in a clinical trial etc) -受贿,shòu huì,to accept a bribe -受赏,shòu shǎng,to receive a prize -受辱,shòu rǔ,insulted; humiliated; disgraced -受追捧,shòu zhuī pěng,to be eagerly sought after -受过,shòu guò,to take the blame (for sb else) -受阻,shòu zǔ,to be obstructed; to be hindered -受降,shòu xiáng,to accept surrender -受降仪式,shòu xiáng yí shì,a surrender ceremony -受限,shòu xiàn,to be limited; to be restricted; to be constrained -受难,shòu nàn,to suffer a calamity; to suffer (e.g. under torture); distress -受难日,shòu nàn rì,Good Friday -受难纪念,shòu nán jì niàn,memorial -受难者,shòu nàn zhě,sufferer; a victim of a calamity; a person in distress -受电弓,shòu diàn gōng,pantograph (transportation) -受领,shòu lǐng,to receive -受领者,shòu lǐng zhě,a recipient -受骗,shòu piàn,to be cheated; to be taken in; to be hoodwinked -受惊,shòu jīng,startled -受体,shòu tǐ,receptor (biochemistry); acceptor (semiconductors) -受体拮抗剂,shòu tǐ jié kàng jì,receptor antagonist -假,jiǎ,variant of 假[jia3]; to borrow -叛,pàn,to betray; to rebel; to revolt -叛乱,pàn luàn,armed rebellion -叛乱罪,pàn luàn zuì,the crime of armed rebellion -叛匪,pàn fěi,rebel bandit -叛国,pàn guó,treason -叛国罪,pàn guó zuì,the crime of treason -叛徒,pàn tú,traitor; turncoat; rebel; renegade; insurgent -叛教,pàn jiào,apostasy -叛变,pàn biàn,to defect; to betray; to mutiny -叛贼,pàn zéi,renegade; traitor -叛卖,pàn mài,to betray -叛军,pàn jūn,rebel army -叛逃,pàn táo,to defect -叛逆,pàn nì,to rebel; to revolt; a rebel -叛逆者,pàn nì zhě,traitor -叛离,pàn lí,to betray; to desert; to defect from; to turn renegade -叛党,pàn dǎng,to betray one's party; to defect (from the communist party); renegade faction -叟,sǒu,old gentleman; old man -睿,ruì,variant of 睿[rui4] -丛,cóng,cluster; collection; collection of books; thicket -丛冢,cóng zhǒng,mass grave; cluster of graves -丛书,cóng shū,a series of books; a collection of books -丛林,cóng lín,jungle; thicket; forest; Buddhist monastery -丛林法则,cóng lín fǎ zé,the law of the jungle -丛林鸦,cóng lín yā,(bird species of China) Indian jungle crow (Corvus culminatus) -丛生,cóng shēng,"growing as a thicket; overgrown; breaking out everywhere (of disease, social disorder etc)" -丛台,cóng tái,"Congtai district of Handan city 邯鄲市|邯郸市[Han2 dan1 shi4], Hebei" -丛台区,cóng tái qū,"Congtai district of Handan city 邯鄲市|邯郸市[Han2 dan1 shi4], Hebei" -丛谈,cóng tán,discussion; forum -丛集,cóng jí,to crowd together; to pile up; to cluster; (book) collection; series -口,kǒu,"mouth; classifier for things with mouths (people, domestic animals, cannons, wells etc); classifier for bites or mouthfuls" -口不应心,kǒu bù yìng xīn,to say one thing but mean another; to dissimulate -口不择言,kǒu bù zé yán,to speak incoherently; to ramble; to talk irresponsibly -口干舌燥,kǒu gān shé zào,lit. dry mouth and tongue (idiom); to talk too much -口交,kǒu jiāo,oral sex -口令,kǒu lìng,oral command; a word of command (used in drilling troops or gymnasts); password (used by sentry) -口供,kǒu gòng,oral confession (as opposed to 筆供|笔供[bi3 gong4]); statement; deposition -口信,kǒu xìn,oral message -口传,kǒu chuán,orally transmitted -口出狂言,kǒu chū kuáng yán,to speak conceited nonsense; to come out with arrogant claptrap -口北,kǒu běi,the area north of the Great Wall -口口声声,kǒu kou shēng shēng,to keep on saying (idiom); to repeat over and over again -口吃,kǒu chī,to stammer; to stutter; Taiwan pr. [kou3ji2] -口吐毒焰,kǒu tǔ dú yàn,lit. a mouth spitting with poisonous flames; to speak angrily to sb (idiom) -口吸盘,kǒu xī pán,oral sucker (e.g. on bloodsucking parasite) -口吻,kǒu wěn,tone of voice; connotation in intonation; accent (regional etc); snout; muzzle; lips; protruding portion of an animal's face -口味,kǒu wèi,a person's preferences; tastes (in food); flavor -口哨,kǒu shào,whistle -口器,kǒu qì,mouthparts (of animal or insect) -口嚼酒,kǒu jiáo jiǔ,alcoholic drink made by fermenting chewed rice -口嫌体正直,kǒu xián tǐ zhèng zhí,"your lips say one thing, but your body language reveals what you really think (borrowed from Japanese)" -口嫌体直,kǒu xián tǐ zhí,"your lips say one thing, but your body language reveals what you really think (four-character version of 口嫌體正直|口嫌体正直[kou3 xian2 ti3 zheng4 zhi2])" -口子,kǒu zi,hole; opening; cut; gap; gash; my husband or wife; classifier for people (used for indicating the number of people in a family etc); precedent -口实,kǒu shí,food; salary (old); a pretext; a cause for gossip -口射,kǒu shè,to ejaculate inside sb's mouth -口岸,kǒu àn,a port for external trade; a trading or transit post on border between countries -口弦,kǒu xián,Jew's harp -口彩,kǒu cǎi,complimentary remarks; well-wishing -口径,kǒu jìng,bore; caliber; diameter; aperture; (fig.) stance (on an issue); version (of events); account; narrative; line -口德,kǒu dé,propriety in speech -口快心直,kǒu kuài xīn zhí,see 心直口快[xin1 zhi2 kou3 kuai4] -口感,kǒu gǎn,mouthfeel; texture (of food) -口才,kǒu cái,eloquence -口技,kǒu jì,beat boxing; vocal mimicry; ventriloquism -口技表演者,kǒu jì biǎo yǎn zhě,ventriloquist -口播,kǒu bō,"(broadcasting) to speak to the audience; to advertise a product by speaking directly to the audience; endorsement (by a celebrity for a product, delivered orally)" -口是心非,kǒu shì xīn fēi,duplicity; hypocrisy (idiom) -口服,kǒu fú,to take medicine orally; oral (contraceptive etc); to say that one is convinced -口条,kǒu tiáo,(ox etc) tongue (as food); (dialect) elocution; articulation -口欲期,kǒu yù qī,oral stage (psychology) -口气,kǒu qì,tone of voice; the way one speaks; manner of expression; tone -口水,kǒu shuǐ,saliva -口水仗,kǒu shuǐ zhàng,dispute; spat; shouting match -口水佬,kǒu shuǐ lǎo,talkative person (Cantonese) -口水战,kǒu shuǐ zhàn,war of words -口水歌,kǒu shuǐ gē,bubblegum pop song; cover song -口水鸡,kǒu shuǐ jī,steamed chicken with chili sauce -口沫,kǒu mò,spittle; saliva -口沫横飞,kǒu mò héng fēi,(idiom) to speak vehemently; to express oneself with great passion -口活,kǒu huó,oral sex -口淫,kǒu yín,oral sex; fellatio -口渴,kǒu kě,thirsty -口湖,kǒu hú,"Kouhu township in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -口湖乡,kǒu hú xiāng,"Kouhu township in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -口无择言,kǒu wú zé yán,to say not a word that is not appropriate (idiom); wrongly used for 口不擇言|口不择言[kou3 bu4 ze2 yan2] -口无遮拦,kǒu wú zhē lán,to blab; to shoot one's mouth off; to commit a gaffe -口爆,kǒu bào,(slang) to ejaculate inside sb's mouth -口琴,kǒu qín,harmonica -口甜,kǒu tián,soft-spoken; affable; full of honeyed words -口疮,kǒu chuāng,mouth ulcer -口白,kǒu bái,narrator; spoken parts in an opera -口皮,kǒu pí,(coll.) lip -口眼歪斜,kǒu yǎn wāi xié,facial nerve paralysis -口碑,kǒu bēi,public praise; public reputation; commonly held opinions; current idiom -口碑流传,kǒu bēi liú chuán,widely praised (idiom); with an extensive public reputation -口碑载道,kǒu bēi zài dào,lit. praise fills the roads (idiom); praise everywhere; universal approbation -口福,kǒu fú,happy knack for chancing upon fine food -口称,kǒu chēng,to speak; to say -口簧,kǒu huáng,Jew's harp -口簧琴,kǒu huáng qín,Jew's harp -口糊,kǒu hú,indistinct in one's speech; defective in one's pronunciation -口粮,kǒu liáng,ration -口红,kǒu hóng,lipstick -口红胶,kǒu hóng jiāo,glue stick -口络,kǒu luò,muzzle (over a dog's mouth) -口罩,kǒu zhào,mask (surgical etc) -口腔,kǒu qiāng,oral cavity -口腔炎,kǒu qiāng yán,stomatitis; ulceration of oral cavity; inflammation of the mucous lining of the mouth -口腹,kǒu fù,(fig.) food -口腹之欲,kǒu fù zhī yù,desire for good food -口臭,kǒu chòu,bad breath; halitosis -口舌,kǒu shé,dispute or misunderstanding caused by gossip; to talk sb round -口若悬河,kǒu ruò xuán hé,mouth like a torrent (idiom); eloquent; glib; voluble; have the gift of the gab -口蘑,kǒu mó,Saint George's mushroom (Tricholoma mongplicum) -口号,kǒu hào,slogan; catchphrase; CL:個|个[ge4] -口蜜腹剑,kǒu mì fù jiàn,"lit. honeyed words, a sword in the belly (idiom); fig. hypocritical and murderous" -口袋,kǒu dài,pocket; bag; sack -口袋妖怪,kǒu dài yāo guài,Pokémon (Japanese media franchise) -口角,kǒu jiǎo,corner of the mouth -口角,kǒu jué,altercation; wrangle; angry argument -口角战,kǒu jiǎo zhàn,war of words -口诀,kǒu jué,"mnemonic chant; rhyme for remembering (arithmetic tables, character stroke order etc)" -口讷,kǒu nè,(literary) inarticulate -口试,kǒu shì,oral examination; oral test -口诛笔伐,kǒu zhū bǐ fá,to condemn in speech and in writing (idiom); to denounce by word and pen -口语,kǒu yǔ,colloquial speech; spoken language; vernacular language; slander; gossip; CL:門|门[men2] -口语沟通,kǒu yǔ gōu tōng,oral communication (psychology) -口说无凭,kǒu shuō wú píng,"(idiom) you can't rely on a verbal agreement; just because sb says sth, doesn't mean it's true" -口译,kǒu yì,interpreting -口译员,kǒu yì yuán,interpreter; oral translator -口足目,kǒu zú mù,"Stomatopoda, order of marine crustaceans (whose members are called mantis shrimps)" -口蹄疫,kǒu tí yì,foot-and-mouth disease (FMD); aphthous fever -口述,kǒu shù,to dictate; to recount orally -口锋,kǒu fēng,manner of speech; tone of voice -口音,kǒu yīn,(linguistics) oral speech sounds -口音,kǒu yin,voice; accent -口头,kǒu tóu,oral; verbal -口头禅,kǒu tóu chán,Zen saying repeated as cant; (fig.) catchphrase; mantra; favorite expression; stock phrase -口头语,kǒu tóu yǔ,pet phrase; regularly used expression; manner of speaking -口风,kǒu fēng,meaning behind the words; what sb really means to say; one's intentions as revealed in one's words; tone of speech -口风琴,kǒu fēng qín,melodica -口香糖,kǒu xiāng táng,chewing gum -口鼻,kǒu bí,mouth and nose; (an animal's) snout -口齿,kǒu chǐ,"mouth and teeth; enunciation; to articulate; diction; age (of cattle, horses etc)" -口齿不清,kǒu chǐ bù qīng,to lisp; unclear articulation; inarticulate -口齿伶俐,kǒu chǐ líng lì,eloquent and fluent speaker (idiom); grandiloquence; the gift of the gab -口齿清楚,kǒu chǐ qīng chu,clear diction; clear articulation -口齿生香,kǒu chǐ shēng xiāng,eloquence that generates perfume (idiom); profound and significant text -古,gǔ,surname Gu -古,gǔ,ancient; old; paleo- -古丈,gǔ zhàng,Guzhang County in Xiangxi Tujia and Miao Autonomous Prefecture 湘西土家族苗族自治州[Xiang1 xi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1] -古丈县,gǔ zhàng xiàn,Guzhang County in Xiangxi Tujia and Miao Autonomous Prefecture 湘西土家族苗族自治州[Xiang1 xi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1] -古交,gǔ jiāo,"Gujiao, county-level city in Taiyuan 太原[Tai4 yuan2], Shanxi" -古交市,gǔ jiāo shì,"Gujiao, county-level city in Taiyuan 太原[Tai4 yuan2], Shanxi" -古人,gǔ rén,people of ancient times; the ancients; extinct human species such as Homo erectus or Homo neanderthalensis; (literary) deceased person -古人类,gǔ rén lèi,ancient human species such as Homo erectus and Homo neanderthalensis -古人类学,gǔ rén lèi xué,paleoanthropology -古今,gǔ jīn,then and now; ancient and modern -古今中外,gǔ jīn zhōng wài,at all times and in all places (idiom) -古今小说,gǔ jīn xiǎo shuō,"Stories Old and New by Feng Menglong 馮夢龍|冯梦龙[Feng2 Meng4 long2], collection of late Ming baihua 白話|白话[bai2 hua4] tales published in 1620" -古今韵会举要,gǔ jīn yùn huì jǔ yào,"""Summary of the Collection of Rhymes Old and New"", supplemented and annotated Yuan dynasty version of the no-longer-extant late Song or early Yuan ""Collection of Rhymes Old and New"" 古今韻會|古今韵会" -古代,gǔ dài,ancient times -古代史,gǔ dài shǐ,ancient history -古来,gǔ lái,since ancient times; it has ever been the case that -古杰拉尔,gǔ jié lā ěr,"Gujral (name); Inder Kumar Gujral (1919-2012), Indian Janata politician, prime minister 1997-1998" -古杰拉特邦,gǔ jié lā tè bāng,"Gujarat, Indian state" -古典,gǔ diǎn,classical -古典文学,gǔ diǎn wén xué,classical literature -古典乐,gǔ diǎn yuè,classical music (mainly Western) -古典派,gǔ diǎn pài,classicists -古典语言,gǔ diǎn yǔ yán,classical language -古典音乐,gǔ diǎn yīn yuè,classical music -古冶,gǔ yě,"Guye district of Tangshan city 唐山市[Tang2 shan1 shi4], Hebei" -古冶区,gǔ yě qū,"Guye district of Tangshan city 唐山市[Tang2 shan1 shi4], Hebei" -古刹,gǔ chà,old Buddhist temple -古北界,gǔ běi jiè,Palearctic realm -古史,gǔ shǐ,ancient history -古吉拉特,gǔ jí lā tè,"Gujarat, state in west India" -古吉拉特邦,gǔ jí lā tè bāng,"Gujarat, state in west India" -古国,gǔ guó,ancient country -古地磁,gǔ dì cí,paleomagnetism -古坑,gǔ kēng,"Gukeng or Kukeng township in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -古坑乡,gǔ kēng xiāng,"Gukeng or Kukeng township in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -古城,gǔ chéng,ancient city -古城区,gǔ chéng qū,"Old town district; Gucheng district of Lijiang city 麗江市|丽江市[Li4 jiang1 shi4], Yunnan" -古堡,gǔ bǎo,ancient castle -古塔,gǔ tǎ,"Guta district of Jinzhou city 錦州市|锦州市, Liaoning" -古塔区,gǔ tǎ qū,"Guta district of Jinzhou city 錦州市|锦州市, Liaoning" -古墓,gǔ mù,old tomb (archaeology) -古墓葬群,gǔ mù zàng qún,(archeology) burial complex -古墓丽影,gǔ mù lì yǐng,Tomb Raider (computer game) -古奇,gǔ qí,Gucci (brand) -古字,gǔ zì,ancient character; archaic form of a Chinese character -古宅,gǔ zhái,former residence -古巴,gǔ bā,Cuba -古巴比伦,gǔ bā bǐ lún,ancient Babylon -古希腊,gǔ xī là,ancient Greece -古希腊语,gǔ xī là yǔ,Ancient Greek (language) -古币,gǔ bì,old coin -古往今来,gǔ wǎng jīn lái,since ancient times; since times immemorial -古怪,gǔ guài,strange; weird; eccentric; bizarre -古惑仔,gǔ huò zǎi,gangster; hooligan; problem youth; at-risk youth -古拉格,gǔ lā gé,gulag (loanword) -古文,gǔ wén,"old language; the Classics; Classical Chinese as a literary model, esp. in Tang and Song prose; Classical Chinese as a school subject" -古文字学,gǔ wén zì xué,paleography -古文明,gǔ wén míng,ancient civilization -古文观止,gǔ wén guān zhǐ,"Guwen Guanzhi, an anthology of essays written in Literary Chinese, compiled and edited by Wu Chucai and Wu Diaohou of Qing dynasty" -古文运动,gǔ wén yùn dòng,"cultural movement aspiring to study and emulate classic works, at different periods of history, esp. Tang and Song" -古新世,gǔ xīn shì,Palaeocene (geological epoch from 65m-55m years ago) -古新统,gǔ xīn tǒng,Palaeocene system (geology) -古方,gǔ fāng,ancient prescription -古早,gǔ zǎo,(Tw) old times; former times -古早味,gǔ zǎo wèi,(Tw) traditional style; old-fashioned feel; flavor of yesteryear -古昔,gǔ xī,(literary) ancient times; in olden days -古时,gǔ shí,antiquity -古时候,gǔ shí hou,in ancient times; in olden days -古晋,gǔ jìn,Kuching (city in Malaysia) -古书,gǔ shū,ancient book; old book -古板,gǔ bǎn,outmoded; old-fashioned; inflexible -古柯,gǔ kē,(botany) coca (source of cocaine) -古柯树,gǔ kē shù,coca plant (source of cocaine) -古柯碱,gǔ kē jiǎn,(loanword) cocaine -古根海姆,gǔ gēn hǎi mǔ,Guggenheim (name) -古根罕,gǔ gēn hǎn,Guggenheim (name) -古根罕喷气推进研究中心,gǔ gēn hǎn pēn qì tuī jìn yán jiū zhōng xīn,"Guggenheim Aeronautical Laboratory at the California Institute of Technology (GALCIT, from 1926); Guggenheim Jet Propulsion Center (from 1943)" -古朴,gǔ pǔ,"simple and unadorned (of art, architecture etc)" -古气候学,gǔ qì hòu xué,paleoclimatology -古波,gǔ bō,Gubo (a personal name) -古浪,gǔ làng,"Gulang county in Wuwei 武威[Wu3 wei1], Gansu" -古浪县,gǔ làng xiàn,"Gulang county in Wuwei 武威[Wu3 wei1], Gansu" -古尔班通古特沙漠,gǔ ěr bān tōng gǔ tè shā mò,"Gurbantunggut Desert, northern Xinjiang" -古尔邦节,gǔ ěr bāng jié,"Eid al-Adha or Festival of the Sacrifice (Qurban), celebrated on the 10th day of the 12th month of the Islamic calendar" -古物,gǔ wù,antique -古特雷斯,gǔ tè léi sī,"António Guterres (1949-), secretary-general of the United Nations (2017-), prime minister of Portugal (1995-2002)" -古玩,gǔ wán,antique; curio -古玩店,gǔ wán diàn,antique store -古琴,gǔ qín,"guqin or qin, a long zither with seven strings, plucked with the fingers" -古生代,gǔ shēng dài,"Paleozoic, geological era 545-250m years ago, covering Cambrian 寒武紀|寒武纪, Ordovician 奧陶紀|奥陶纪, Silurian 志留紀|志留纪, Devonian 泥盆紀|泥盆纪, Carboniferous 石炭紀|石炭纪, Permian 二疊紀|二叠纪" -古生物,gǔ shēng wù,paleo-organism -古生物学,gǔ shēng wù xué,palaeontology -古生物学家,gǔ shēng wù xué jiā,paleontologist; paleobiologist -古田,gǔ tián,"Gutian county in Ningde 寧德|宁德[Ning2 de2], Fujian" -古田县,gǔ tián xiàn,"Gutian county in Ningde 寧德|宁德[Ning2 de2], Fujian" -古登堡,gǔ dēng bǎo,"Gutenberg (name); Johannes Gutenberg (c. 1400-1468), inventor in Europe of the printing press; Beno Gutenberg (1889-1960), German-born US seismologist, coinventor of the Richter magnitude scale" -古盗鸟,gǔ dào niǎo,Archaeoraptor (bird-like dinosaur) -古砚,gǔ yàn,antique ink slab; CL:台[tai2] -古稀,gǔ xī,seventy years old -古筝,gǔ zhēng,"guzheng (large zither with 13 to 25 strings, developed from the guqin 古琴[gu3qin2] during Tang and Song times)" -古籍,gǔ jí,ancient text; antique books -古县,gǔ xiàn,"Gu county in Linfen 臨汾|临汾[Lin2 fen2], Shanxi" -古纤道,gǔ qiàn dào,Old Towpath along the Grand Canal in Zhejiang Province -古罗马,gǔ luó mǎ,ancient Rome -古义,gǔ yì,ancient meaning; original or etymological meaning of a word -古老,gǔ lǎo,ancient; old; age-old -古老肉,gǔ lǎo ròu,sweet and sour pork; also written 咕嚕肉|咕噜肉[gu1 lu1 rou4] -古脊椎动物学,gǔ jǐ zhuī dòng wù xué,vertebrate paleontology -古旧,gǔ jiù,archaic -古色古香,gǔ sè gǔ xiāng,"interesting and appealing (of old locations, objects etc)" -古董,gǔ dǒng,curio; antique -古董滩,gǔ dǒng tān,"Gudong desert or Antiques desert at Han dynasty Yangguan pass 陽關|阳关[Yang2 guan1], named after many Han dynasty archaeological discoveries" -古蔺,gǔ lìn,"Gulin county in Luzhou 瀘州|泸州[Lu2 zhou1], Sichuan" -古蔺县,gǔ lìn xiàn,"Gulin county in Luzhou 瀘州|泸州[Lu2 zhou1], Sichuan" -古兰经,gǔ lán jīng,the Koran -古装,gǔ zhuāng,ancient costume; period costume (in movies etc) -古装剧,gǔ zhuāng jù,costume drama -古训,gǔ xùn,old adage; ancient teaching -古诗,gǔ shī,old verse; Classical Chinese poem -古语,gǔ yǔ,ancient language; old expression -古谚,gǔ yàn,ancient proverb; old saying -古诺,gǔ nuò,"Gounod (name); Charles Gounod (1818-1893), French musician and opera composer" -古迹,gǔ jì,places of historic interest; historical sites; CL:個|个[ge4] -古道,gǔ dào,ancient road; precepts of the antiquity -古都,gǔ dū,ancient capital -古里古怪,gǔ lǐ gǔ guài,quaint; odd and picturesque; weird and wonderful -古铜色,gǔ tóng sè,bronze color -古铜色卷尾,gǔ tóng sè juǎn wěi,(bird species of China) bronzed drongo (Dicrurus aeneus) -古雅典,gǔ yǎ diǎn,ancient Athens -古灵精怪,gǔ líng jīng guài,weird; bizarre -古音,gǔ yīn,ancient (esp. pre-Qin) pronunciation of a Chinese character; classical speech sounds -古风,gǔ fēng,old style; old custom; a pre-Tang Dynasty genre of poetry aka 古體詩|古体诗[gu3 ti3 shi1] -古驰,gǔ chí,Gucci (brand) -古腾堡计划,gǔ téng bǎo jì huà,Project Gutenberg -古体诗,gǔ tǐ shī,"a pre-Tang Dynasty genre of poetry, relatively free in form, usually having four, five, six or seven characters per line" -古鲁,gǔ lǔ,guru (loanword) -古鲁鲁,gǔ lǔ lǔ,(onom.) the sound of a rolling object -古龙,gǔ lóng,"Gu Long (1938-1985), Taiwanese wuxia novelist and screenwriter" -古龙水,gǔ lóng shuǐ,(loanword) cologne -句,gōu,variant of 勾[gou1] -句,jù,sentence; clause; phrase; classifier for phrases or lines of verse -句句实话,jù jù shí huà,to speak honestly (idiom) -句型,jù xíng,sentence pattern (in grammar) -句子,jù zi,sentence; CL:個|个[ge4] -句容,jù róng,"Jurong, county-level city in Zhenjiang 鎮江|镇江[Zhen4 jiang1], Jiangsu" -句容市,jù róng shì,"Jurong, county-level city in Zhenjiang 鎮江|镇江[Zhen4 jiang1], Jiangsu" -句式,jù shì,sentence pattern; sentence structure; syntax -句数,jù shù,number of sentences; number of lines (in verse etc) -句法,jù fǎ,syntax -句法分析,jù fǎ fēn xī,syntactic analysis -句法意识,jù fǎ yì shí,syntactic awareness -句群,jù qún,discourse; group of sentences with clear meaning; narrative -句号,jù hào,full stop; period (punct.) -句读,jù dòu,"pausing at the end of a phrase or sentence (in former times, before punctuation marks were used); punctuation; periods and commas; sentences and phrases" -句逗,jù dòu,"punctuation of a sentence (in former times, before punctuation marks were used); period 句號|句号 and comma 逗號|逗号; sentences and phrases" -句首,jù shǒu,start of phrase or sentence -句骊河,jù lí hé,pre-Han name of Liao River 遼河|辽河[Liao2 He2] -句点,jù diǎn,period (punctuation); (fig.) endpoint; finish -另,lìng,other; another; separate; separately -另一,lìng yī,another; the other -另一半,lìng yī bàn,other half; (fig.) spouse; one's better half -另一方面,lìng yī fāng miàn,on the other hand; another aspect -另册,lìng cè,the Other List (Qing dynasty register of outlaws); a blacklist of undesirables -另加,lìng jiā,to add to; supplementary -另外,lìng wài,additional; in addition; besides; separate; other; moreover; furthermore -另存,lìng cún,"to save (a file) after options (name, location, format etc) have been selected by the user" -另存为,lìng cún wéi,Save As ... (menu option in a software application) -另寄,lìng jì,to mail separately -另有,lìng yǒu,to have some other (reason etc) -另有企图,lìng yǒu qǐ tú,(idiom) to have an ulterior motive -另案,lìng àn,another case (in law); a case to treat separately -另用,lìng yòng,diversion -另当别论,lìng dāng bié lùn,to treat differently; another cup of tea -另眼相看,lìng yǎn xiāng kàn,to treat sb favorably; to view in a new light -另行,lìng xíng,(to do sth) separately; as a separate action -另行通知,lìng xíng tōng zhī,to notify at a different time; to notify later; to give prior notice -另见,lìng jiàn,cf.; see also -另觅新欢,lìng mì xīn huān,to seek happiness elsewhere (euphemism for extramarital sex); a bit on the side -另请高明,lìng qǐng gāo míng,please find sb better qualified than me (idiom) -另谋高就,lìng móu gāo jiù,to get a better job somewhere else (idiom); to seek alternative employment -另起炉灶,lìng qǐ lú zào,lit. to set up a separate kitchen (idiom); to start from scratch; back to square one; to start of on a new path -另开,lìng kāi,to break up; to divide property and live apart; to start on a new (path) -另辟蹊径,lìng pì xī jìng,to take an alternate route (idiom); to find an alternative; to take a different approach; to blaze a new trail -另类,lìng lèi,offbeat; alternative; avant-garde; unconventional; weird -另类医疗,lìng lèi yī liáo,alternative medicine -叨,dāo,garrulous -叨,tāo,to receive the benefit of -叨叨,dāo dao,to chatter; to hog the conversation -叨唠,dāo lao,to be chattersome; to talk on and on without stopping; to nag -叨念,dāo niàn,see 念叨[nian4 dao5] -叨扰,tāo rǎo,"to bother; to trouble; (polite expression of appreciation for time taken to hear, help or host the speaker) sorry to have bothered you; thank you for your time" -叩,kòu,to knock; to kowtow -叩问,kòu wèn,(literary) to inquire; to ask; question -叩应,kòu yìng,call-in (loanword) -叩拜,kòu bài,to bow in salute; to kowtow -叩球,kòu qiú,spike (volleyball) -叩见,kòu jiàn,to kowtow in salute -叩谒,kòu yè,to visit (esp. one's superiors) -叩门,kòu mén,to knock on a door -叩关,kòu guān,to knock at the gate (old); to make an approach; to invade; to attack the goal (sports) -叩头,kòu tóu,"to kowtow (traditional greeting, esp. to a superior, involving kneeling and pressing one's forehead to the ground); also written 磕頭|磕头[ke1 tou2]" -叩首,kòu shǒu,to kowtow; also written 磕頭|磕头[ke1 tou2] -只,zhī,variant of 隻|只[zhi1] -只,zhǐ,only; merely; just -只不过,zhǐ bu guò,only; merely; nothing but; no more than; it's just that ... -只好,zhǐ hǎo,to have no other option but to ...; to have to; to be forced to -只得,zhǐ dé,to have no alternative but to; to be obliged to -只怕,zhǐ pà,I'm afraid that...; perhaps; maybe; very likely -只是,zhǐ shì,merely; only; just; nothing but; simply; but; however -只有,zhǐ yǒu,"only have ...; there is only ...; (used in combination with 才[cai2]) it is only if one ... (that one can ...) (Example: 只有通過治療才能痊愈|只有通过治疗才能痊愈[zhi3 you3 tong1 guo4 zhi4 liao2 cai2 neng2 quan2 yu4] ""the only way to cure it is with therapy""); it is only ... (who ...) (Example: 只有男性才有此需要[zhi3 you3 nan2 xing4 cai2 you3 ci3 xu1 yao4] ""only men would have such a requirement""); (used to indicate that one has no alternative) one can only (do a certain thing) (Example: 只有屈服[zhi3 you3 qu1 fu2] ""the only thing you can do is give in"")" -只欠东风,zhǐ qiàn dōng fēng,all we need is an east wind (idiom); lacking only one tiny crucial item -只消,zhǐ xiāo,to only need; it only takes -只争旦夕,zhǐ zhēng dàn xī,see 只爭朝夕|只争朝夕[zhi3 zheng1 zhao1 xi1] -只争朝夕,zhǐ zhēng zhāo xī,(idiom) to seize every minute; to make the best use of one's time -只管,zhǐ guǎn,"solely engrossed in one thing; just (one thing, no need to worry about the rest); simply; by all means; please feel free; do not hesitate (to ask for sth)" -只能,zhǐ néng,can only; obliged to do sth; to have no other choice -只要,zhǐ yào,if only; so long as -只见,zhǐ jiàn,"to see (the same thing) over and over again; to see, to one's surprise, (sth happen suddenly)" -只见树木不见森林,zhǐ jiàn shù mù bù jiàn sēn lín,"unable to see the wood for the trees; fig. only able to see isolated details, and not the bigger picture" -只言片语,zhī yán piàn yǔ,(idiom) just a word or two; a few isolated phrases -只说不做,zhǐ shuō bù zuò,to be all talk and no action -只读,zhǐ dú,read-only (computing) -只限于,zhǐ xiàn yú,to be limited to -只顾,zhǐ gù,solely preoccupied (with one thing); engrossed; focusing (on sth); to look after only one aspect -叫,jiào,to shout; to call; to order; to ask; to be called; by (indicates agent in the passive mood) -叫作,jiào zuò,to call; to be called -叫做,jiào zuò,to be called; to be known as -叫停,jiào tíng,(sports) to call a time-out; to halt; to put a stop to; to put on hold -叫化子,jiào huā zi,variant of 叫花子[jiao4 hua1 zi5] -叫喊,jiào hǎn,exclamation; outcry; shout; yell -叫唤,jiào huan,to cry out; to bark out a sound -叫嚷,jiào rǎng,to shout; to bellow one's grievances -叫嚣,jiào xiāo,to hoot -叫好,jiào hǎo,to applaud; to cheer -叫屈,jiào qū,to complain of an injustice; to lament sb's misfortune -叫床,jiào chuáng,to cry out in ecstasy (during lovemaking) -叫早,jiào zǎo,to give sb a wake-up call (at a hotel) -叫春,jiào chūn,to caterwaul; to call like an animal in heat -叫板,jiào bǎn,"to signal the musicians (in Chinese opera, by prolonging a spoken word before attacking a song); (coll.) to challenge" -叫法,jiào fǎ,term; name; way of referring to sb or sth -叫牌,jiào pái,to bid (bridge and similar card games) -叫声,jiào shēng,yelling (sound made by person); barking; braying; roaring (sound made by animals) -叫花子,jiào huā zi,beggar -叫苦,jiào kǔ,to whine about hardships; to complain of one's bitter lot; to complain; to grumble -叫苦不迭,jiào kǔ bu dié,to complain without stopping (idiom); to bitch endlessly; incessant grievances -叫苦连天,jiào kǔ lián tiān,to whine on for days (idiom); to endlessly grumble complaints; incessant whining -叫卖,jiào mài,to hawk (one's wares); to peddle -叫车,jiào chē,to call a cab (by phone); to request a ride (via an app) -叫道,jiào dào,to call; to shout -叫醒,jiào xǐng,to awaken; to wake sb up; to rouse -叫醒服务,jiào xǐng fú wù,morning call; wake-up call (hotel service) -叫阵,jiào zhèn,to challenge an opponent to a fight -叫鸡,jiào jī,rooster; cock; (slang) (Cantonese) to visit a prostitute -叫响,jiào xiǎng,to gain fame and success -叫驴,jiào lǘ,(coll.) male donkey -召,shào,surname Shao; name of an ancient state that existed in what is now Shaanxi Province -召,zhào,to call together; to summon; to convene; temple or monastery (used in place names in Inner Mongolia) -召唤,zhào huàn,to summon; to beckon; to call -召回,zhào huí,"to recall (a product, an ambassador etc)" -召妓,zhào jì,to hire a prostitute -召见,zhào jiàn,call in (one's subordinates); summon (an envoy of a foreign country) to an interview -召开,zhào kāi,to convene (a conference or meeting); to convoke; to call together -召陵,shào líng,"Shaoling district of Luohe city 漯河市[Luo4 he2 shi4], Henan" -召陵区,shào líng qū,"Shaoling district of Luohe city 漯河市[Luo4 he2 shi4], Henan" -召集,zhào jí,to convene; to call together -召集人,zhào jí rén,convener -叭,bā,denote a sound or sharp noise (gunfire etc) -叭啦狗,bā lā gǒu,bulldog -叮,dīng,"to sting or bite (of mosquito, bee etc); to say repeatedly; to urge insistently; to ask repeatedly; to stick to a point; (onom.) tinkling or jingling sound" -叮叮,dīng dīng,(onom.) tinkling or jingling sound -叮叮当当,dīng dīng dāng dāng,(onom.) ding dong; jingling of bells; clanking sound -叮叮猫,dīng dīng māo,(dialect) dragonfly -叮咚,dīng dōng,(onom.) ding dong; jingling of bells; clanking sound -叮咬,dīng yǎo,sting; bite (of insect) -叮问,dīng wèn,to question closely; to make a detailed inquiry; to probe; to ask repeatedly -叮当,dīng dāng,(onom.) ding dong; jingling of bells; clanking sound -叮当声,dīng dāng shēng,tinkle -叮当响,dīng dāng xiǎng,(onom.) ding dong; jingling of bells; clanking sound -叮咛,dīng níng,to warn; to urge; to exhort; to give instructions carefully and insistently -叮嘱,dīng zhǔ,to warn repeatedly; to urge; to exhort again and again -叮铃,dīng líng,jingle -可,kě,(prefix) can; may; able to; -able; to approve; to permit; to suit; (particle used for emphasis) certainly; very -可,kè,used in 可汗[ke4 han2] -可一而不可再,kě yī ér bù kě zài,may be done once and once only; just this once -可不,kě bu,see 可不是[ke3 bu5 shi4] -可不是,kě bu shì,that's just the way it is; exactly! -可乘之机,kě chéng zhī jī,an opportunity that someone (usually a villain or adversary) can exploit -可人,kě rén,pleasant; agreeable; a person after one's heart (charming person); a gifted person -可以,kě yǐ,can; may; possible; able to; not bad; pretty good -可作,kě zuò,can be used for -可供军用,kě gōng jūn yòng,having possible military application -可信,kě xìn,trustworthy -可信任,kě xìn rèn,trusty -可信度,kě xìn dù,degree of credibility; reliability -可伦坡,kě lún pō,"Colombo, capital of Sri Lanka (Tw)" -可儿,kě ér,a person after one's heart (charming person); capable person -可共患难,kě gòng huàn nàn,to go through thick and thin together (idiom) -可再生,kě zài shēng,renewable (resource) -可再生资源,kě zài shēng zī yuán,renewable resource -可分,kě fēn,can be divided (into parts); one can distinguish (several types) -可加,kě jiā,(botany) coca (loanword) -可劲,kě jìn,vigorously; to the utmost; to the best of one's ability -可劲儿,kě jìn er,erhua variant of 可勁|可劲[ke3 jin4] -可动,kě dòng,movable -可卡因,kě kǎ yīn,cocaine (loanword) -可取,kě qǔ,desirable; worth having; (of a suggestion etc) commendable; worthy -可取之处,kě qǔ zhī chù,positive point; merit; redeeming quality -可口,kě kǒu,tasty; to taste good -可口可乐,kě kǒu kě lè,Coca-Cola -可口可乐公司,kě kǒu kě lè gōng sī,The Coca-Cola Company -可可,kě kě,cocoa (loanword) -可可托海,kě kě tuō hǎi,"Keketuohai town in Fuyun county 富蘊縣|富蕴县[Fu4 yun4 xian4], Altay prefecture, Xinjiang" -可可托海镇,kě kě tuō hǎi zhèn,"Keketuohai town in Fuyun county 富蘊縣|富蕴县[Fu4 yun4 xian4], Altay prefecture, Xinjiang" -可可波罗,kě kě bō luó,cocobolo (loanword) -可可米,kě kě mǐ,Cocoa Krispies -可可西里,kě kě xī lǐ,"Hoh Xil or Kekexili, vast nature reserve on Qinghai-Tibetan Plateau 青藏高原[Qing1 Zang4 gao1 yuan2]" -可吃,kě chī,edible -可否,kě fǒu,is it possible or not? -可哀,kě āi,miserably -可喜,kě xǐ,making one happy; gratifying; heartening -可喜可贺,kě xǐ kě hè,worthy of celebration; gratifying; Congratulations! -可叹,kě tàn,lamentable; sad(ly) -可嘉,kě jiā,laudable -可回收,kě huí shōu,recyclable -可圈可点,kě quān kě diǎn,"remarkable (performance, achievement etc); worthy of praise" -可执行,kě zhí xíng,executable (computing) -可堪,kě kān,how can one endure?; to be able to endure -可塑性,kě sù xìng,plasticity -可塞,kě sài,xi or ksi (Greek letter Ξξ) -可压缩,kě yā suō,compressible -可好,kě hǎo,good or not?; luckily; fortuitously -可容忍,kě róng rěn,tolerable -可尊敬,kě zūn jìng,respectable -可寻址,kě xún zhǐ,addressable (computing); accessible via an address -可导,kě dǎo,differentiable (calculus) -可就,kě jiù,certainly -可展曲面,kě zhǎn qū miàn,(math.) a developable surface -可巧,kě qiǎo,by happy coincidence -可待因,kě dài yīn,codeine (loanword) -可得到,kě dé dào,available -可微,kě wēi,differentiable (math.) -可心,kě xīn,satisfying; to one's liking; to suit sb -可心如意,kě xīn rú yì,see 稱心如意|称心如意[chen4 xin1 ru2 yi4] -可念,kě niàn,pitiable; likable; memorable -可怕,kě pà,awful; dreadful; fearful; formidable; frightful; scary; hideous; horrible; terrible; terribly -可怪,kě guài,strange; curious; surprising -可恃,kě shì,reliable -可耻,kě chǐ,shameful; disgraceful; ignominious -可恨,kě hèn,hateful -可悲,kě bēi,lamentable -可惜,kě xī,it is a pity; what a pity; unfortunately -可恶,kě wù,repulsive; vile; hateful; abominable -可恼,kě nǎo,aggravating; irritating -可想像,kě xiǎng xiàng,conceivable -可想而知,kě xiǎng ér zhī,it is obvious that...; as one can well imagine... -可爱,kě ài,adorable; cute; lovely -可虑,kě lǜ,worrisome -可憎,kě zēng,disgusting -可怜,kě lián,pitiful; pathetic; to have pity on -可怜兮兮,kě lián xī xī,miserable; wretched -可怜巴巴,kě lián bā bā,pathetic; pitiful -可怜虫,kě lián chóng,pitiful creature; wretch -可怜见,kě lián jiàn,(coll.) pitiable; to have pity on sb -可懂度,kě dǒng dù,intelligibility -可持续,kě chí xù,sustainable -可持续发展,kě chí xù fā zhǎn,sustainable development -可采,kě cǎi,(mining) recoverable; workable -可采性,kě cǎi xìng,"(mining) workability (of deposits of coal, ore etc)" -可接受性,kě jiē shòu xìng,acceptability -可控硅,kě kòng guī,(electronics) silicon-controlled rectifier (SCR); thyristor -可掬,kě jū,conspicuous; plain to see -可擦写,kě cā xiě,erasable -可擦写可编程只读存储器,kě cā xiě kě biān chéng zhī dú cún chǔ qì,EPROM (erasable programmable read-only memory) -可扩展标记语言,kě kuò zhǎn biāo jì yǔ yán,extensible markup language (XML) -可支付性,kě zhī fù xìng,affordability -可支配收入,kě zhī pèi shōu rù,disposable income -可敬,kě jìng,venerable -可数,kě shǔ,countable; denumerable -可数名词,kě shǔ míng cí,countable noun (in grammar of European languages) -可数集,kě shǔ jí,countable set (math.); denumerable set -可是,kě shì,but; however; (used for emphasis) indeed -可有可无,kě yǒu kě wú,not essential; dispensable -可望,kě wàng,can be expected (to); to be expected (to); hopefully (happening) -可望取胜者,kě wàng qǔ shèng zhě,favorite (to win a race or championship); well-placed contestant -可望有成,kě wàng yǒu chéng,can be expected to be a success -可望而不可即,kě wàng ér bù kě jí,in sight but unattainable (idiom); inaccessible; also written 可望而不可及[ke3 wang4 er2 bu4 ke3 ji2] -可望而不可及,kě wàng ér bù kě jí,in sight but unattainable (idiom); inaccessible -可乐,kě lè,amusing; entertaining; (loanword) cola -可乐定,kě lè dìng,clonidine (drug) (loanword) -可乐饼,kě lè bǐng,croquette -可欺,kě qī,gullible; easily bullied; weak -可歌可泣,kě gē kě qì,lit. you can sing or you can cry (idiom); fig. deeply moving; happy and sad; inspiring and tragic -可比,kě bǐ,comparable -可气,kě qì,annoying; irritating; exasperating -可汗,kè hán,khan (loanword) -可决,kě jué,to adopt; to pass; to vote approval (of a law etc) -可决率,kě jué lǜ,proportion needed to approve a decision -可决票,kě jué piào,affirmative vote -可溶,kě róng,soluble -可溶性,kě róng xìng,solubility -可燃,kě rán,inflammable -可燃冰,kě rán bīng,clathrate hydrates -可燃性,kě rán xìng,flammable; flammability -可畏,kě wèi,dreadful; formidable -可疑,kě yí,suspicious; dubious -可疑分子,kě yí fèn zǐ,a suspect -可看,kě kàn,worth seeing -可知,kě zhī,evidently; clearly; no wonder; knowable -可知论,kě zhī lùn,"gnosticism, the philosophical doctrine that everything about the universe is knowable" -可磁化体,kě cí huà tǐ,magnetic medium; material capable of being magnetized -可移植,kě yí zhí,portable (programming language) -可移植性,kě yí zhí xìng,portability (programming language) -可笑,kě xiào,funny; ridiculous -可结合性,kě jié hé xìng,associativity (xy)z = x(yz) (math.) -可编程,kě biān chéng,programmable -可耕地,kě gēng dì,cultivable -可能,kě néng,might (happen); possible; probable; possibility; probability; maybe; perhaps; CL:個|个[ge4] -可能性,kě néng xìng,possibility; probability -可兰经,kě lán jīng,Quran (Islamic scripture) -可蠢,kě chǔn,(dialect) unbearable; embarrassing -可行,kě xíng,feasible -可行性,kě xíng xìng,feasibility -可行性研究,kě xíng xìng yán jiū,feasibility study -可裂变,kě liè biàn,fissile -可裂变材料,kě liè biàn cái liào,fissile material -可见,kě jiàn,it can clearly be seen (that this is the case); it is (thus) clear; clear; visible -可见光,kě jiàn guāng,visible light; light in optical spectrum -可视化,kě shì huà,visualization -可视电话,kě shì diàn huà,videophone -可亲,kě qīn,kindly; nice; amiable -可观,kě guān,considerable; impressive; significant -可解,kě jiě,soluble (i.e. can be solved) -可言,kě yán,it may be said -可调,kě tiáo,adjustable -可谓,kě wèi,it could even be said -可读,kě dú,enjoyable to read; worth reading; readable; able to be read; legible; readable -可读性,kě dú xìng,readability -可读音性,kě dú yīn xìng,pronounceability -可变,kě biàn,variable -可变渗透性模型,kě biàn shèn tòu xìng mó xíng,"Varying Permeability Model (VPM), (used to calculate decompression schedules in diving)" -可贵,kě guì,to be treasured; praiseworthy -可身,kě shēn,to fit well (clothes) -可转债,kě zhuǎn zhài,convertible debt; convertible bond -可转换同位素,kě zhuǎn huàn tóng wèi sù,fertile isotope -可转让,kě zhuǎn ràng,transferable; negotiable -可转让证券,kě zhuǎn ràng zhèng quàn,negotiable securities -可逆,kě nì,reversible; (math.) invertible -可逆性,kě nì xìng,reversibility -可通,kě tōng,passable; possible to reach -可通约,kě tōng yuē,commensurable; having a common measure -可遇不可求,kě yù bù kě qiú,can be discovered but not sought (idiom); one can only come across such things serendipitously -可选,kě xuǎn,available; optional -可选择丢弃,kě xuǎn zé diū qì,discard eligible (Frame Relay); DE -可鄙,kě bǐ,base; mean; despicable -可采性,kě cǎi xìng,(law) admissibility (of evidence in court) -可靠,kě kào,reliable -可靠性,kě kào xìng,reliability -可颂,kě sòng,croissant (loanword) -可食,kě shí,edible -可惊,kě jīng,astonishing -可体,kě tǐ,well-fitting (of clothes) -可丽露,kě lì lù,canelé (a French pastry) (Tw) -可丽饼,kě lì bǐng,crêpe (loanword) -台,tái,Taiwan (abbr.); surname Tai -台,tái,(classical) you (in letters); variant of 臺|台[tai2] -台下,tái xià,off the stage; in the audience -台中,tái zhōng,"Taichung, city in central Taiwan" -台中县,tái zhōng xiàn,Taichung or Taizhong County in central Taiwan -台伯河,tái bó hé,"Tiber (river in Italy, the main watercourse of Rome)" -台克球,tái kè qiú,(loanword) teqball -台儿庄区,tái ér zhuāng qū,"Tai'erzhuang district of Zaozhuang city 棗莊市|枣庄市[Zao3 zhuang1 shi4], Shandong" -台前,tái qián,"Taiqian county in Puyang 濮陽|濮阳[Pu2 yang2], Henan" -台前,tái qián,front of the stage -台前县,tái qián xiàn,"Taiqian county in Puyang 濮陽|濮阳[Pu2 yang2], Henan" -台北,tái běi,"Taipei, capital of Taiwan" -台北市,tái běi shì,"Taibei or Taipei, capital of Taiwan" -台北捷运,tái běi jié yùn,Taipei Metro -台北县,tái běi xiàn,Taibei or Taipei County in north Taiwan -台北金马影展,tái běi jīn mǎ yǐng zhǎn,Taipei Golden Horse Film Festival -台南,tái nán,"Tainan, a city and special municipality in southwest Taiwan" -台商,tái shāng,Taiwanese businessman; Taiwanese company -台妹,tái mèi,local girl (referring to a Taiwanese benshengren 本省人[ben3 sheng3 ren2]) -台安,tái ān,"Tai'an county in Anshan 鞍山[An1 shan1], Liaoning" -台客,tái kè,stereotypical Taiwanese person (often derogatory) -台山,tái shān,"Taishan, county-level city in Jiangmen 江門|江门, Guangdong" -台山市,tái shān shì,"Taishan, county-level city in Jiangmen 江門|江门, Guangdong" -台山话,tái shān huà,"Taishanese, a language of the Yue language group 粵語|粤语[Yue4 yu3] spoken in Jiangmen 江門|江门[Jiang1 men2] and in the Chinatowns of North America" -台州,tāi zhōu,"Taizhou, prefecture-level city in Zhejiang" -台州市,tāi zhōu shì,"Taizhou, prefecture-level city in Zhejiang" -台巴子,tái bā zi,Taiwanese yokel (derog.) -台币,tái bì,New Taiwan dollar -台座,tái zuò,pedestal -台式,tái shì,Taiwanese-style -台式,tái shì,(of an appliance) tabletop model; (of a computer) desktop model -台式电脑,tái shì diàn nǎo,desktop computer -台东,tái dōng,Taidong or Taitung city and county in Taiwan -台东市,tái dōng shì,"Taitung city in southeast Taiwan, capital of Taitung county" -台东县,tái dōng xiàn,Taitung County in southeast Taiwan -台江,tái jiāng,"Taijiang, a district of Fuzhou City 福州市[Fu2zhou1 Shi4], Fujian" -台江区,tái jiāng qū,"Taijiang, a district of Fuzhou City 福州市[Fu2zhou1 Shi4], Fujian" -台江县,tái jiāng xiàn,"Taijiang county in Qiandongnan Miao and Dong autonomous prefecture 黔東南州|黔东南州[Qian2 dong1 nan2 zhou1], Guizhou" -台湾,tái wān,variant of 臺灣|台湾[Tai2 wan1] -台湾民主自治同盟,tái wān mín zhǔ zì zhì tóng méng,Taiwan Democratic Self-Government League -台湾海峡,tái wān hǎi xiá,Taiwan Strait -台湾叶鼻蝠,tái wān yè bí fú,Formosan leaf-nosed bat -台湾话,tái wān huà,Taiwanese Chinese (language) -台湾关系法,tái wān guān xì fǎ,"Taiwan Relations Act (of US Congress, 1979)" -台独,tái dú,Taiwan independence; (of Taiwan) to declare independence -台球,tái qiú,billiards -台球桌,tái qiú zhuō,billiards table -台盟,tái méng,abbr. for 台灣民主自治同盟|台湾民主自治同盟[Tai2 wan1 Min2 zhu3 Zi4 zhi4 Tong2 meng2] -台磅,tái bàng,platform balance -台积电,tái jī diàn,"Taiwan Semiconductor Manufacturing Company (TSMC), founded in 1987 (abbreviated name)" -台端,tái duān,you (in a formal letter) -台股,tái gǔ,"Taipei Stock Exchange, abbr. for 臺北股市|台北股市[Tai2 bei3 Gu3 shi4]" -台胞证,tái bāo zhèng,Mainland Travel Permit for Taiwan Residents; Taiwan Compatriot Entry Permit; abbr. for 台灣居民來往大陸通行證|台湾居民来往大陆通行证[Tai2 wan1 Ju1 min2 Lai2 wang3 Da4 lu4 Tong1 xing2 zheng4] -台菜,tái cài,Taiwanese food -台西,tái xī,"Taixi or Taihsi township in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -台西乡,tái xī xiāng,"Taixi or Taihsi township in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -台语,tái yǔ,Taiwanese; Hokklo -台谍,tái dié,Taiwan spy -台资,tái zī,Taiwan capital or investments -叱,chì,to scold; shout at; to hoot at -叱吒,chì zhà,variant of 叱咤[chi4 zha4] -叱呵,chì hē,to shout angrily; to yell -叱咄,chì duō,to reprimand; to berate -叱咤,chì zhà,to rebuke angrily -叱咤风云,chì zhà fēng yún,lit. to rebuke Heaven and Earth (idiom); fig. shaking the whole world; all-powerful -叱问,chì wèn,to call sb to account; to question angrily -叱喝,chì hè,to shout at; to berate -叱骂,chì mà,to curse; to berate angrily -叱责,chì zé,to upbraid -史,shǐ,surname Shi -史,shǐ,history; annals; title of an official historian in ancient China -史上,shǐ shàng,in history -史丹佛,shǐ dān fó,Stanford (University); also written 斯坦福[Si1 tan3 fu2] -史丹福大学,shǐ dān fú dà xué,Stanford University -史丹顿岛,shǐ dān dùn dǎo,"Staten Island, borough of New York City" -史传,shǐ zhuàn,historical biography -史传小说,shǐ zhuàn xiǎo shuō,historical novel -史册,shǐ cè,annals -史前,shǐ qián,prehistoric times; (attributive) prehistoric -史前人,shǐ qián rén,prehistoric man -史前古器物,shǐ qián gǔ qì wù,prehistoric artifacts; ancient artifacts -史努比,shǐ nǔ bǐ,Snoopy (comic strip pet dog) -史卓,shǐ zhuó,"Straw (name); Jack Straw (1946-), UK Labour Party politician, foreign secretary 2001-2006" -史奴比,shǐ nú bǐ,Snoopy (comic strip pet dog) -史威士,shǐ wēi shì,Schweppes (soft drinks company) -史学,shǐ xué,historiography -史学家,shǐ xué jiā,historian -史官,shǐ guān,scribe; court recorder; historian; historiographer -史家,shǐ jiā,historian -史密斯,shǐ mì sī,Smith (name) -史实,shǐ shí,historical fact -史思明,shǐ sī míng,"Shi Siming (703-761), military colleague of An Lushan 安祿山|安禄山[An1 Lu4 shan1], participated in the 755-763 An-Shi Rebellion 安史之亂|安史之乱[An1 Shi3 zhi1 Luan4]" -史料,shǐ liào,historical material or data -史普尼克,shǐ pǔ ní kè,"Sputnik, Soviet artificial Earth satellite; also written 斯普特尼克" -史景迁,shǐ jǐng qiān,"Jonathan D Spence (1936-), distinguished British US historian of China, author of The Search for Modern China 追尋現代中國|追寻现代中国[Zhui1 xun2 Xian4 dai4 Zhong1 guo2]" -史书,shǐ shū,history book -史氏蝗莺,shǐ shì huáng yīng,(bird species of China) Styan's grasshopper warbler (Locustella pleskei) -史沫特莱,shǐ mò tè lái,"Agnes Smedley (1892-1950), US journalist and activist, reported on China, esp. the communist side" -史泰博,shǐ tài bó,"Staples Inc., US office supply store" -史无前例,shǐ wú qián lì,(idiom) unprecedented in history -史特劳斯,shǐ tè láo sī,"(Tw) Strauss (name); Johann Strauss (1825-1899), Austrian composer; Richard Strauss (1864-1949), German composer" -史特龙,shǐ tè lóng,"Stallone (name); Sylvester Stallone (1946-), American actor" -史瓦帝尼,shǐ wǎ dì ní,(Tw) Eswatini -史瓦济兰,shǐ wǎ jì lán,Swaziland (Tw) -史瓦辛格,shǐ wǎ xīn gé,"Arnold Schwarzenegger (1947-), Austrian-born American bodybuilder, actor and politician" -史称,shǐ chēng,to be known to history as -史籀篇,shǐ zhòu piān,"Shizhoupian, early school primer in great seal script 大篆[da4 zhuan4], attributed to King Xuan of Zhou 周宣王[Zhou1 Xuan1 wang2] but probably dating from c. 500 BC" -史籍,shǐ jí,historical records -史臣,shǐ chén,official in charge of public records -史莱姆,shǐ lái mǔ,slime (loanword) -史蒂夫,shǐ dì fū,Steve (male name) -史蒂文,shǐ dì wén,"Steven, Stephen (name)" -史蒂文斯,shǐ dì wén sī,Stephens; Stevens -史观,shǐ guān,historical point of view; historically speaking -史记,shǐ jì,"Records of the Grand Historian, by 司馬遷|司马迁[Si1 ma3 Qian1], first of the 24 dynastic histories 二十四史[Er4 shi2 si4 Shi3]" -史诗,shǐ shī,an epic; poetic saga -史诗性,shǐ shī xìng,epic -史诗级,shǐ shī jí,epic; impressive -史诗般,shǐ shī bān,epic -史迪威,shǐ dí wēi,"Joseph Stilwell (1883-1946), commander of US forces in China, Burma and India in World War II" -史高比耶,shǐ gāo bǐ yē,"Skopje, capital of North Macedonia (Tw)" -史黛西,shǐ dài xī,Stacy (name) -右,yòu,(bound form) right; right-hand side; (bound form) (politics) right of center; (bound form) (old) west; (literary) the right side as the side of precedence -右上,yòu shàng,upper right -右下,yòu xià,lower right -右侧,yòu cè,right side -右倾,yòu qīng,right-wing; reactionary; conservative; (PRC) rightist deviation -右前卫,yòu qián wèi,right forward (soccer position) -右对齐,yòu duì qí,to right justify (typography) -右手,yòu shǒu,right hand; right-hand side -右撇子,yòu piě zi,right-hander -右方,yòu fāng,right-hand side -右江,yòu jiāng,"Youjiang district of Baise city 百色市[Bai3 se4 shi4], Guangxi" -右江区,yòu jiāng qū,"Youjiang district of Baise city 百色市[Bai3 se4 shi4], Guangxi" -右派,yòu pài,(political) right; right wing; rightist -右派分子,yòu pài fèn zǐ,rightist elements -右玉,yòu yù,"Youyu county in Shuozhou 朔州[Shuo4 zhou1], Shanxi" -右玉县,yòu yù xiàn,"Youyu county in Shuozhou 朔州[Shuo4 zhou1], Shanxi" -右箭头,yòu jiàn tóu,right-pointing arrow -右箭头键,yòu jiàn tóu jiàn,right arrow key (on keyboard) -右翼,yòu yì,the right flank; (politically) right-wing -右舵,yòu duò,right rudder -右舷,yòu xián,starboard (of a ship) -右袒,yòu tǎn,to take sides with; to be partial to; to be biased; to favor one side -右转,yòu zhuǎn,to turn right -右边,yòu bian,"right side; right, to the right" -右边儿,yòu bian er,erhua variant of 右邊|右边[you4 bian5] -右面,yòu miàn,right side -右首,yòu shǒu,right-hand side -叵,pǒ,not; thereupon -叵测,pǒ cè,unfathomable; unpredictable; treacherous -叶,xié,to be in harmony -叶韵,xié yùn,to rhyme; also written 協韻|协韵 -司,sī,surname Si -司,sī,to take charge of; to manage; department (under a ministry) -司令,sī lìng,commanding officer -司令员,sī lìng yuán,commander -司令官,sī lìng guān,commander; officer in charge -司令部,sī lìng bù,headquarters; military command center -司仪,sī yí,master of ceremonies (MC) -司兼导,sī jiān dǎo,driver-guide -司南,sī nán,ancient Chinese compass -司各特,sī gè tè,"Scott (name); Sir Walter Scott (1771-1832), Scottish romantic novelist" -司售人员,sī shòu rén yuán,bus crew; driver and conductor -司天台,sī tiān tái,Observatory or Bureau of Astronomy (official title) from the Tang dynasty onwards -司寇,sī kòu,two-character surname Sikou -司寇,sī kòu,minister of criminal justice (official rank in imperial China) -司导,sī dǎo,driver-guide -司康,sī kāng,scone (loanword) -司徒,sī tú,two-character surname Situ -司徒,sī tú,minister of land and people (in ancient times) -司徒雷登,sī tú léi dēng,"John Leighton Stuart (1876-1962), second-generation American missionary in China, first president of Yenching University and later United States ambassador to China" -司机,sī jī,chauffeur; driver -司法,sī fǎ,judicial; (administration of) justice -司法人员,sī fǎ rén yuán,judicial officer -司法官,sī fǎ guān,(Tw) judges and prosecutors -司法机关,sī fǎ jī guān,judicial authorities -司法权,sī fǎ quán,jurisdiction -司法独立,sī fǎ dú lì,judicial independence -司法部,sī fǎ bù,Ministry of Justice (PRC etc); Justice Department (USA etc) -司法院,sī fǎ yuàn,"Judicial Yuan, the high court under the constitution of Republic of China, then of Taiwan" -司汤达,sī tāng dá,Stendhal -司炉,sī lú,"stoker (worker operating a coal fire, esp. for a steam engine)" -司祭,sī jì,priest -司空见惯,sī kōng jiàn guàn,a common occurrence (idiom) -司线员,sī xiàn yuán,line judge (tennis etc) -司药,sī yào,pharmacist -司铎,sī duó,priest -司长,sī zhǎng,bureau chief -司陶特,sī táo tè,(Tw) stout (beer) (loanword) -司马,sī mǎ,Minister of War (official title in pre-Han Chinese states); two-character surname Sima -司马光,sī mǎ guāng,"Sima Guang (1019-1086), politician and historian of Northern Song, author of Comprehensive Mirror for aid in Government 資治通鑒|资治通鉴" -司马懿,sī mǎ yì,"Sima Yi (179-251), warlord under Cao Cao and subsequently founder of the Jin dynasty" -司马承帧,sī mǎ chéng zhēn,"Sima Chengzhen (655-735), Daoist priest in Tang dynasty" -司马昭,sī mǎ zhāo,"Sima Zhao (211-265), military general and statesman of Cao Wei 曹魏[Cao2 Wei4]" -司马昭之心路人皆知,sī mǎ zhāo zhī xīn lù rén jiē zhī,lit. Sima Zhao's intentions are obvious to everyone (idiom); fig. an open secret -司马法,sī mǎ fǎ,"“Methods of Sima”, also called “Sima Rangju’s Art of War”, one of the Seven Military Classics of ancient China 武經七書|武经七书[Wu3 jing1 Qi1 shu1], written by Sima Rangju 司馬穰苴|司马穰苴[Si1 ma3 Rang2 ju1]" -司马炎,sī mǎ yán,"Sima Yan (236-290), founder and first emperor (265-290) of the Western Jin dynasty 西晉|西晋[Xi1 Jin4], posthumous name 晉武帝|晋武帝[Jin4 Wu3di4]" -司马穰苴,sī mǎ ráng jū,"Sima Rangju (c. 800 BC, dates of birth and death unknown), military strategist of the Qi State 齊國|齐国[Qi2 guo2] and author of “Methods of Sima” 司馬法|司马法[Si1 ma3 Fa3], one of the Seven Military Classics of ancient China 武經七書|武经七书[Wu3 jing1 Qi1 shu1]" -司马谈,sī mǎ tán,"Sima Tan (-110 BC), Han dynasty scholar and historian, and father of 司馬遷|司马迁[Si1 ma3 Qian1]" -司马迁,sī mǎ qiān,"Sima Qian (145-86 BC), Han Dynasty historian, author of Records of the Grand Historian 史記|史记[Shi3 ji4], known as the father of Chinese historiography" -司马辽太郎,sī mǎ liáo tài láng,"SHIBA Ryotarō (1923-1996), Japanese author of historical novels" -叻,lè,(used in place names) -叻沙,lè shā,"laksa, spicy noodle soup of Southeast Asia" -叼,diāo,to hold with one's mouth (as a smoker with a cigarette or a dog with a bone) -叼盘,diāo pán,"(of a dog) to hold a frisbee in its mouth; (fig.) derogatory nickname given to Hu Xijin 胡錫進|胡锡进[Hu2 Xi1 jin4] for doing the CCP's bidding as editor of the ""Global Times""" -吁,xū,sh; hush -吁,yù,variant of 籲|吁[yu4] -吁吁,xū xū,to pant; to gasp for breath -吃,chī,"to eat; to consume; to eat at (a cafeteria etc); to eradicate; to destroy; to absorb; to suffer (shock, injury, defeat etc)" -吃不上,chī bu shàng,unable to get anything to eat; to miss a meal -吃不下,chī bu xià,not feel like eating; be unable to eat any more -吃不了兜着走,chī bu liǎo dōu zhe zǒu,"lit. if you can't eat it all, you'll have to take it home (idiom); fig. you'll have to take the consequences" -吃不住,chī bu zhù,to be unable to bear or support -吃不来,chī bu lái,to be unaccustomed to certain food; to not be keen on certain food -吃不到葡萄说葡萄酸,chī bù dào pú tao shuō pú tao suān,sour grapes (set expr. based on Aesop); lit. to say grapes are sour when you can't eat them -吃不服,chī bu fú,not be accustomed to eating sth; not be used to certain food -吃不消,chī bu xiāo,to be unable to tolerate or endure; to find sth difficult to manage -吃不准,chī bù zhǔn,to be unsure about a matter; to be uncertain; to be unable to make sense of sth -吃不开,chī bu kāi,be unpopular; won't work -吃干饭,chī gān fàn,(coll.) to be incompetent; useless; good-for-nothing -吃了定心丸,chī le dìng xīn wán,to feel reassured -吃人,chī rén,exploitative; oppressive -吃人不吐骨头,chī rén bù tǔ gǔ tóu,ruthless; vicious and greedy -吃人血馒头,chī rén xuè mán tou,to take advantage of others' misfortune (idiom) -吃住,chī zhù,food and lodging; to stay (at some place) and eat meals (there) -吃公粮,chī gōng liáng,to be on the government payroll -吃刀,chī dāo,penetration of a cutting tool -吃别人嚼过的馍不香,chī bié rén jiáo guò de mó bù xiāng,lit. bread previously chewed by someone has no flavor (idiom); fig. there's no joy in discovering something if someone else got there first -吃到饱,chī dào bǎo,(Tw) all-you-can-eat (food); (fig.) unlimited usage (digital services etc) -吃力,chī lì,to entail strenuous effort; to toil at a task; strenuous; laborious; strain -吃力不讨好,chī lì bù tǎo hǎo,arduous and thankless task (idiom); strenuous and unrewarding -吃吃,chī chī,"(onom.) sound of muffled laughter (chuckling, tittering etc); sound of stammering" -吃味,chī wèi,to be jealous -吃哑巴亏,chī yǎ ba kuī,to be forced to suffer in silence; unable to speak of one's bitter suffering -吃喝,chī hē,to eat and drink; food and drink -吃喝嫖赌,chī hē piáo dǔ,"to go dining, wining, whoring and gambling; to lead a life of dissipation" -吃喝拉撒睡,chī hē lā sā shuì,"to eat, drink, shit, piss, and sleep; (fig.) the ordinary daily routine" -吃喝玩乐,chī hē wán lè,"to eat, drink and be merry (idiom); to abandon oneself to a life of pleasure" -吃土,chī tǔ,(neologism c. 2015) (slang) (used jokingly) to live on dirt (typically because one has spent all one's money on consumer items) -吃坏,chī huài,to upset (one's stomach) by eating bad food or overeating -吃大户,chī dà hù,"to plunder the homes of the wealthy for food (in times of famine); (of sb who has no income) to rely on others; to demand a ""contribution"" or ""loan"" from a business or wealthy individual" -吃大亏,chī dà kuī,to cost one dearly; to end disastrously; to pay bitterly -吃大锅饭,chī dà guō fàn,"lit. to eat from the common pot (idiom); fig. to be rewarded the same, regardless of performance" -吃奶,chī nǎi,to suck the breast (for milk) -吃奶之力,chī nǎi zhī lì,all one's strength -吃奶的力气,chī nǎi de lì qi,all one's strength -吃奶的气力,chī nǎi de qì lì,utmost effort -吃完,chī wán,to finish eating -吃官司,chī guān sī,to face legal action; to get sued -吃小灶,chī xiǎo zào,to be given special treatment; to be treated in a favored way -吃屎都赶不上热乎的,chī shǐ dōu gǎn bu shàng rè hu de,"lit. if you were eating warm shit, it'd be stone cold by the time you finished it (idiom); fig. (of a person) too slow; can't keep up" -吃布,chī bù,to catch on cloth (e.g. of a zip fastener) -吃席,chī xí,"to attend a banquet (funeral, wedding etc); (neologism c. 2020) (slang) (jocular) lit. to attend sb's funeral banquet (used to imply that things are going to go badly for sb)" -吃后悔药,chī hòu huǐ yào,(fig.) to regret (doing sth) -吃得住,chī de zhù,to be able to bear; to be able to support -吃得消,chī de xiāo,"to be able to endure (exertion, fatigue etc); to be able to afford" -吃得开,chī de kāi,to be popular; to be getting on well; much in demand -吃拿卡要,chī ná qiǎ yào,"dinner invitations, grabbing, obstructing and demanding bribes; all kinds of abuse of power" -吃掉,chī diào,to eat up; to consume -吃播,chī bō,"mukbang, genre of online broadcast consisting of the host eating food while interacting with their audience" -吃案,chī àn,(Tw) (of the police) to bury a crime (i.e. conceal the existence of a criminal case in order to improve crime-solving statistics or in return for a bribe etc) -吃枪药,chī qiāng yào,(lit.) to have swallowed gunpowder; (fig.) to be ablaze with anger; ornery; snappy -吃水,chī shuǐ,drinking water; to obtain water (for daily needs); to absorb water; draft (of ship) -吃水不忘挖井人,chī shuǐ bù wàng wā jǐng rén,see 吃水不忘掘井人[chi1 shui3 bu4 wang4 jue2 jing3 ren2] -吃水不忘掘井人,chī shuǐ bù wàng jué jǐng rén,"Drinking the water of a well, one should never forget who dug it. (idiom)" -吃油,chī yóu,(of food) to absorb oil; (of a vehicle) to guzzle fuel -吃法,chī fǎ,way of eating; how something is eaten; how a dish is prepared; the way a dish is to be cooked -吃灰,chī huī,(neologism c. 2019) (coll.) to gather dust -吃熊心豹子胆,chī xióng xīn bào zi dǎn,to eat bear heart and leopard gall (idiom); to pluck up some courage -吃牢饭,chī láo fàn,to do prison time (Tw) -吃瓜,chī guā,(neologism c. 2016) (slang) to watch an entertaining spectacle from the sidelines and-or engage in gossip about it -吃瓜群众,chī guā qún zhòng,peanut gallery (esp. in online forums); onlookers who are interested in the spectacle but don't have anything knowledgeable to say about it; (neologism c. 2016) -吃瘪,chī biě,(coll.) to suffer a humiliation -吃白食,chī bái shí,to eat without paying; to freeload -吃白饭,chī bái fàn,to eat plain rice; (fig.) to eat and not pay for it; to sponge off others; to freeload -吃的,chī de,(coll.) food -吃皇粮,chī huáng liáng,lit. to eat from government coffers; to serve as a government employee; to live off government money -吃相,chī xiàng,table manners -吃硬不吃软,chī yìng bù chī ruǎn,susceptible to force but not persuasion -吃空额,chī kòng é,to embezzle by adding to the payroll employees existing in name only -吃空饷,chī kòng xiǎng,to embezzle by adding to the payroll employees existing in name only -吃穿,chī chuān,food and clothing -吃粮不管事,chī liáng bù guǎn shì,to eat without working (idiom); to take one's pay and not care about the rest -吃素,chī sù,to be a vegetarian -吃紧,chī jǐn,in short supply; dire; tense; critical; hard-pressed; important -吃腻,chī nì,to be sick of eating (sth); to be tired of eating (sth) -吃苦,chī kǔ,to bear hardships -吃苦耐劳,chī kǔ nài láo,hardworking and enduring hardships (idiom) -吃苦头,chī kǔ tou,to suffer; to suffer for one's actions; to pay dearly; to burn one's fingers -吃草,chī cǎo,to graze; to eat grass -吃药,chī yào,to take medicine -吃亏,chī kuī,to suffer losses; to come to grief; to lose out; to get the worst of it; to be at a disadvantage; unfortunately -吃亏上当,chī kuī shàng dàng,to be taken advantage of -吃螺丝,chī luó sī,"(of an actor, announcer etc) to stumble over words (Tw)" -吃里爬外,chī lǐ pá wài,to work against the interests of sb one derives support from; to double-cross one's employer; to bite the hand that feeds you -吃角子老虎,chī jiǎo zi lǎo hǔ,slot machine -吃请,chī qǐng,to be a guest at a dinner party; to be wined and dined (as a bribe) -吃豆人,chī dòu rén,Pac-Man (computer game) -吃豆腐,chī dòu fu,to take liberties with (a woman); to tease with sexual innuendo; to sexually harass; to take advantage of sb -吃豆豆,chī dòu dòu,see 吃豆人[chi1 dou4 ren2] -吃货,chī huò,chowhound; foodie; a good-for-nothing -吃软不吃硬,chī ruǎn bù chī yìng,"lit. eats soft food, but refuses hard food (idiom); amenable to coaxing but not coercion" -吃软饭,chī ruǎn fàn,to live off a woman -吃醋,chī cù,to feel jealous -吃重,chī zhòng,(of a role) arduous; important; (a vehicle's) loading capacity -吃错药,chī cuò yào,(lit.) to have taken the wrong medicine; (fig.) (of one's behavior etc) different than usual; abnormal -吃闭门羹,chī bì mén gēng,to be refused entrance (idiom); to find the door closed -吃闲饭,chī xián fàn,to lead an idle life; to be a loafer -吃鸡,chī jī,(video games) PlayerUnknown's Battlegrounds (PUBG); battle royale game; last-man-standing game; to play PUBG (or similar game); to win at PUBG (or similar game) -吃霸王餐,chī bà wáng cān,to dine and dash; to leave without paying -吃青春饭,chī qīng chūn fàn,to make the most of one's youthfulness in one's choice of employment (e.g. modeling) -吃食,chī shí,to eat (of bird or animal); to feed -吃食,chī shi,food; edibles -吃饭,chī fàn,to have a meal; to eat; to make a living -吃饭皇帝大,chī fàn huáng dì dà,"eating comes first, then comes everything else (idiom) (Tw)" -吃饱,chī bǎo,to eat one's fill -吃饱了饭撑的,chī bǎo le fàn chēng de,having nothing better to do; see 吃飽撐著|吃饱撑着 -吃饱撑着,chī bǎo chēng zhe,having nothing better to do -吃馆子,chī guǎn zi,to eat out; to eat at a restaurant -吃香,chī xiāng,popular; in demand; well regarded -吃香喝辣,chī xiāng hē là,lit. to eat delicious food and drink hard liquor (idiom); fig. to live well -吃惊,chī jīng,to be startled; to be shocked; to be amazed -吃鸭蛋,chī yā dàn,"(fig.) to score 0 (on a test, in competition etc)" -吃斋,chī zhāi,to abstain from eating meat; to be a vegetarian -各,gè,each; every -各不相同,gè bù xiāng tóng,to be quite varied; each one is different -各人,gè rén,each one; everyone -各位,gè wèi,"everybody; all (guests, colleagues etc); all of you" -各个,gè gè,"every; various; separately, one by one" -各别,gè bié,distinct; different; separately; individually; unusual; novel; (pejorative) eccentric; bizarre -各取所需,gè qǔ suǒ xū,each takes what he needs (idiom) -各国,gè guó,each country; every country; various countries -各地,gè dì,in all parts of (a country); various regions -各执一词,gè zhí yī cí,each sticks to his own version (idiom); a dialogue of the deaf -各执己见,gè zhí jǐ jiàn,each sticks to his own view (idiom); a dialogue of the deaf -各执所见,gè zhí suǒ jiàn,each sticks to his own view -各奔前程,gè bèn qián chéng,each goes his own way (idiom); each person has his own life to lead -各奔东西,gè bèn dōng xī,to go separate ways (idiom); to part ways with sb; Taiwan pr. [ge4 ben1 dong1 xi1] -各就各位,gè jiù gè wèi,(of the people in a group) to get into position (idiom); (athletics) On your mark! -各式各样,gè shì gè yàng,(of) all kinds and sorts; various -各得其所,gè dé qí suǒ,(idiom) each in the correct place; each is provided for -各打五十大板,gè dǎ wǔ shí dà bǎn,lit. to give each one a flogging of fifty strokes (idiom); fig. to punish the guilty and the innocent alike; to put the blame on both parties -各抒己见,gè shū jǐ jiàn,everyone gives their own view -各拉丹冬山,gè lā dān dōng shān,"Mount Geladaindong or Geladandong in Qinghai (6621 m), the main peak of the Tanggula mountain range 唐古拉山脈|唐古拉山脉[Tang2 gu3 la1 Shan1 mai4]" -各拉丹冬峰,gè lā dān dōng fēng,"Mount Geladaindong or Geladandong in Qinghai (6621 m), the main peak of the Tanggula mountain range 唐古拉山脈|唐古拉山脉[Tang2 gu3 la1 Shan1 mai4]" -各持己见,gè chí jǐ jiàn,each sticks to his own opinion (idiom); chacun son gout -各方,gè fāng,all parties (in a dispute etc); all sides; all directions -各族人民,gè zú rén mín,people of all ethnic groups; the peoples (of a nation) -各有千秋,gè yǒu qiān qiū,each has its own merits (idiom) -各有所好,gè yǒu suǒ hào,everyone has their likes and dislikes (idiom) -各样,gè yàng,many different types -各界,gè jiè,all walks of life; all social circles -各界人士,gè jiè rén shì,all walks of life -各异,gè yì,all different; each unto his own -各尽所能,gè jìn suǒ néng,each does his utmost (idiom); from each according to his means -各种,gè zhǒng,every kind of; all kinds of; various -各种各样,gè zhǒng gè yàng,various kinds; all sorts -各级,gè jí,all levels -各自,gè zì,each; respective; apiece -各自为政,gè zì wéi zhèng,to do things each in one's own way -各色,gè sè,all kinds; of every description -各色各样,gè sè gè yàng,(idiom) diverse; various; all kinds of -各处,gè chù,every place -各行其是,gè xíng qí shì,each one does what he thinks is right (idiom); each goes his own way -各行各业,gè háng gè yè,every trade; all professions; all walks of life -各类,gè lèi,all categories -各显所长,gè xiǎn suǒ cháng,each displays their own strengths (idiom) -吆,yāo,to shout; to bawl; to yell (to urge on an animal); to hawk (one's wares) -吆五喝六,yāo wǔ hè liù,lit. to shout out hoping for fives and sixes when gambling with dice; a hubbub of gambling -吆呼,yāo hū,to shout (orders) -吆喊,yāo hǎn,to shout; to yell -吆喝,yāo he,to shout; to bawl; to yell (to urge on an animal); to hawk (one's wares); to denounce loudly; to shout slogans -合,gě,"100 ml; one-tenth of a peck; measure for dry grain equal to one-tenth of sheng 升 or liter, or one-hundredth dou 斗" -合,hé,to close; to join; to fit; to be equal to; whole; together; round (in battle); conjunction (astronomy); 1st note of pentatonic scale; old variant of 盒[he2] -合一,hé yī,to unite -合上,hé shàng,"to close (box, book, mouth etc)" -合不来,hé bù lái,unable to get along together; incompatible -合不拢嘴,hé bù lǒng zuǐ,"unable to conceal one's happiness, amazement, shock etc; grinning from ear to ear; mouth agape; gobsmacked" -合并,hé bìng,variant of 合併|合并[he2 bing4] -合乎,hé hū,to accord with; to conform to -合乎情理,hé hū qíng lǐ,reasonable; to make sense -合伙,hé huǒ,to act jointly; to form a partnership -合伙人,hé huǒ rén,partner; associate -合作,hé zuò,to cooperate; to collaborate; to work together -合作伙伴,hé zuò huǒ bàn,cooperative partner -合作化,hé zuò huà,collectivization (in Marxist theory) -合作市,hé zuò shì,"Hezuo, county-level city in Gannan Tibetan Autonomous Prefecture 甘南藏族自治州[Gan1 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Gansu" -合作方,hé zuò fāng,(business) partner -合作社,hé zuò shè,cooperative; workers' or agricultural producers' cooperative etc -合作者,hé zuò zhě,co-worker; collaborator; also collaborator with the enemy -合作农场,hé zuò nóng chǎng,"collective farm, Russian: kolkhoz" -合并,hé bìng,to merge; to annex -合并症,hé bìng zhèng,complication (medicine) -合共,hé gòng,altogether; in sum -合力,hé lì,to join forces; concerted effort; (physics) resultant force -合十,hé shí,to put one's palms together (in prayer or greeting) -合取,hé qǔ,connective; conjunction -合吃族,hé chī zú,"lit. joint eaters; a restaurant social gathering, esp. organized online among strangers" -合同,hé tong,contract; agreement; CL:份[fen4] -合同各方,hé tong gè fāng,parties to a contract (law) -合同法,hé tong fǎ,contract law -合唱,hé chàng,chorus; to chorus -合唱团,hé chàng tuán,chorus; choir -合四乙尺工,hé sì yǐ chě gōng,"names of the five notes of the Chinese pentatonic scale, corresponding roughly to do, re, mi, sol, la" -合围,hé wéi,"to surround; to close in around (one's enemy, prey etc)" -合夥,hé huǒ,variant of 合伙[he2 huo3] -合夥人,hé huǒ rén,variant of 合伙人[he2 huo3 ren2] -合奏,hé zòu,to perform music (as an ensemble) -合婚,hé hūn,casting a couple's fortune based on their bithdates (old) -合子,hé zǐ,zygote (biology) -合子,hé zi,pasty (i.e. pastry stuffed with meat or vegetables) -合字,hé zì,(typography) ligature -合宜,hé yí,appropriate -合家,hé jiā,whole family; entire household -合家欢,hé jiā huān,group photo of whole family -合山,hé shān,"Heshan, county-level city in Laibin 來賓|来宾[Lai2 bin1], Guangxi" -合山市,hé shān shì,"Heshan, county-level city in Laibin 來賓|来宾[Lai2 bin1], Guangxi" -合川,hé chuān,"Hechuan, a district of Chongqing 重慶|重庆[Chong2qing4]" -合川区,hé chuān qū,"Hechuan, a district of Chongqing 重慶|重庆[Chong2qing4]" -合卺,hé jǐn,to share nuptial cup; (fig.) to get married -合式,hé shì,conforming to a pattern; up to standard; variant of 合適|合适[he2 shi4] -合弓纲,hé gōng gāng,(zoology) Synapsida -合影,hé yǐng,to take a joint photo; group photo -合得来,hé de lái,to get along well; compatible; also written 和得來|和得来[he2 de5 lai2] -合心,hé xīn,acting together; to one's liking -合情合理,hé qíng hé lǐ,reasonable and fair (idiom) -合意,hé yì,to suit one's taste; suitable; congenial; by mutual agreement -合宪性,hé xiàn xìng,constitutionality -合成,hé chéng,to compose; to constitute; compound; synthesis; mixture; synthetic -合成代谢,hé chéng dài xiè,anabolism (biology); constructive metabolism (using energy to make proteins etc); assimilation -合成器,hé chéng qì,synthesizer -合成数,hé chéng shù,"composite number (i.e. not prime, has a factorization)" -合成橡胶,hé chéng xiàng jiāo,synthetic rubber -合成法,hé chéng fǎ,(chemical) synthesis -合成洗涤剂,hé chéng xǐ dí jì,synthetic detergent -合成物,hé chéng wù,compound; composite; cocktail -合成石油,hé chéng shí yóu,synthetic oil -合成纤维,hé chéng xiān wéi,synthetic fiber -合成词,hé chéng cí,compound word -合成语境,hé chéng yǔ jìng,composite context -合成语音,hé chéng yǔ yīn,assembled phonology -合成类固醇,hé chéng lèi gù chún,anabolic steroids -合扇,hé shàn,(dialect) hinge -合手,hé shǒu,to put one's palms together (in prayer or greeting); to work with a common purpose; harmonious; convenient (to use) -合抱,hé bào,to wrap one's arm around (used to describe the girth of a tree trunk) -合拍,hé pāi,in time with (i.e. same rhythm); to keep in step with; fig. to cooperate -合掌,hé zhǎng,to clasp hands; to put one's palms together (in prayer) -合掌瓜,hé zhǎng guā,see 佛手瓜[fo2 shou3 gua1] -合击,hé jī,combined assault; to mount a joint attack -合拢,hé lǒng,"to close (flower, eyes, suitcase etc); to bring together; (insect or bird when not flying) to fold (its wings)" -合数,hé shù,"composite number (i.e. not prime, has a factorization)" -合于,hé yú,to tally; to accord with; to fit -合于时宜,hé yú shí yí,in keeping with the current thinking; appropriate for the times (or for the occasion) -合时,hé shí,in fashion; suiting the time; seasonable; timely -合时宜,hé shí yí,in keeping with the current thinking; appropriate for the times (or for the occasion) -合格,hé gé,to meet the standard required; qualified; eligible (voter etc) -合格证,hé gé zhèng,certificate of conformity -合气道,hé qì dào,aikido (Japanese martial art); hapkido (Korean martial art) -合水,hé shuǐ,"Heshui county in Qingyang 慶陽|庆阳[Qing4 yang2], Gansu" -合水县,hé shuǐ xiàn,"Heshui county in Qingyang 慶陽|庆阳[Qing4 yang2], Gansu" -合江,hé jiāng,"Hejiang county in Luzhou 瀘州|泸州[Lu2 zhou1], Sichuan" -合江县,hé jiāng xiàn,"Hejiang county in Luzhou 瀘州|泸州[Lu2 zhou1], Sichuan" -合法,hé fǎ,lawful; legitimate; legal -合法化,hé fǎ huà,to legalize; to make legal; legalization -合法性,hé fǎ xìng,legitimacy -合流,hé liú,to converge; to flow together; fig. to act alike; to evolve together -合浦县,hé pǔ xiàn,"Hepu county in Beihai 北海[Bei3 hai3], Guangxi" -合演,hé yǎn,to act together; to put on a joint performance -合为,hé wéi,to combine -合照,hé zhào,group photo; to take a group photo -合营,hé yíng,to operate jointly; a joint venture; cooperative -合理,hé lǐ,rational; reasonable; sensible; fair -合理化,hé lǐ huà,to rationalize; to make compatible; to streamline; rationalization -合理性,hé lǐ xìng,reason; rationality; rationale; reasonableness -合璧,hé bì,to match harmoniously -合用,hé yòng,to share; to use in common; suitable; fit for purpose; useable -合当,hé dāng,must; should -合眼,hé yǎn,to close one's eyes; to get to sleep -合眼摸象,hé yǎn mō xiàng,to touch an elephant with closed eyes (idiom); to proceed blindly -合众,hé zhòng,mass; involving everyone; united; lit. to assemble the multitude -合众国,hé zhòng guó,federated nation; the United States -合众国际社,hé zhòng guó jì shè,United Press International (UPI) -合众为一,hé zhòng wéi yī,united as one; e pluribus unum -合众银行,hé zhòng yín háng,"Bancorp, a US bank" -合租,hé zū,to rent jointly with other people; co-renting -合称,hé chēng,common term; general term -合算,hé suàn,worthwhile; to be a good deal; to be a bargain; to reckon up; to calculate -合约,hé yuē,contract; agreement; CL:份[fen4] -合编,hé biān,to compile in collaboration with; to merge and reorganize (army units etc) -合缝,hé fèng,"(of doors, windows etc) to fit snugly when closed; to close nicely" -合纵,hé zòng,"Vertical Alliance, clique of the School of Diplomacy 縱橫家|纵横家[Zong4 heng2 jia1] during the Warring States Period (425-221 BC)" -合纵连横,hé zòng lián héng,"Vertical and Horizontal Alliance, opposing stratagems devised by the School of Diplomacy 縱橫家|纵横家[Zong4 heng2 jia1] during the Warring States Period (425-221 BC)" -合群,hé qún,to fit in; to get on well with others; sociable; to form a mutually supportive group -合义复词,hé yì fù cí,"compound word such as 教室[jiao4 shi4] or 國家|国家[guo2 jia1], whose meaning is related to the component hanzi, unlike compounds such as 玫瑰[mei2 gui1]" -合而为一,hé ér wéi yī,to merge together (idiom); to unify disparate elements into one whole -合股,hé gǔ,joint stock; ply (e.g. 2-ply yarn) -合股线,hé gǔ xiàn,twine -合肥,hé féi,"Hefei, capital of Anhui Province 安徽省[An1 hui1 Sheng3]" -合肥工业大学,hé féi gōng yè dà xué,Hefei University of Technology -合肥市,hé féi shì,"Hefei, capital of Anhui Province 安徽省[An1 hui1 Sheng3]" -合脚,hé jiǎo,fitting one's feet (of shoes or socks) -合叶,hé yè,hinge -合着,hé zhe,(dialect) (implying sudden realization) so; after all -合著,hé zhù,to write jointly; to co-author -合葬,hé zàng,to bury husband and wife together; joint interment -合规,hé guī,compliance -合订本,hé dìng běn,bound volume; one-volume edition -合计,hé jì,to add up the total; to figure what sth amounts to; to consider -合该,hé gāi,ought to; should -合谋,hé móu,to conspire; to plot together -合议,hé yì,to discuss together; to try to reach a common judgment; panel discussion -合议庭,hé yì tíng,(law) collegiate bench; panel of judges -合资,hé zī,joint venture -合身,hé shēn,well-fitting (of clothes) -合辑,hé jí,compilation; compilation album -合辙,hé zhé,on the same track; in agreement; rhyming -合辙儿,hé zhé er,erhua variant of 合轍|合辙[he2 zhe2] -合办,hé bàn,to cooperate; to do business together -合适,hé shì,suitable; fitting; appropriate -合金,hé jīn,alloy -合院,hé yuàn,courtyard house -合阳,hé yáng,"Heyang County in Weinan 渭南[Wei4 nan2], Shaanxi" -合阳县,hé yáng xiàn,"Heyang County in Weinan 渭南[Wei4 nan2], Shaanxi" -合集,hé jí,collection; compilation -合音,hé yīn,backup vocal (music); (phonetic) contraction -合页,hé yè,hinge -合体,hé tǐ,to combine; combination; composite character (i.e. a synonym of 合體字|合体字[he2 ti3 zi4]); (of clothes) to be a good fit -合体字,hé tǐ zì,a Chinese character formed by combining existing elements - i.e. a combined ideogram 會意|会意 or radical plus phonetic 形聲|形声 -合龙,hé lóng,"to join the two sections (of a linear structure: bridge, dike etc) to complete its construction" -吉,jí,surname Ji; abbr. for Jilin 吉林省[Ji2lin2 Sheng3] -吉,jí,lucky; giga- (meaning billion or 10^9) -吉之岛,jí zhī dǎo,"JUSCO, Japanese chain of hypermarkets" -吉事,jí shì,auspicious event -吉事果,jí shì guǒ,churro -吉亚卡摩,jí yà kǎ mó,Giacomo (name) -吉人天相,jí rén tiān xiàng,see 吉人自有天相[ji2 ren2 zi4 you3 tian1 xiang4] -吉人自有天相,jí rén zì yǒu tiān xiàng,Heaven helps the worthy (idiom) -吉他,jí tā,guitar (loanword); CL:把[ba3] -吉他手,jí tā shǒu,guitar player -吉他谱,jí tā pǔ,guitar tablature -吉伯特氏症候群,jí bó tè shì zhèng hòu qún,Gilbert's syndrome -吉佳利,jí jiā lì,"Kigali, capital of Rwanda (Tw)" -吉兆,jí zhào,lucky omen -吉凶,jí xiōng,good and bad luck (in astrology) -吉列,jí liè,Gillette (brand) -吉列,jí liè,breaded and fried cutlet (loanword via Cantonese) -吉利,jí lì,"Geely, Chinese car make" -吉利,jí lì,auspicious; lucky; propitious -吉利丁,jí lì dīng,(loanword) gelatin -吉利区,jí lì qū,Jili district of Luoyang City 洛陽市|洛阳市 in Henan province 河南 -吉利服,jí lì fú,ghillie suit (loanword) -吉勒,jí lè,Gilles (name) -吉卜力工作室,jí bǔ lì gōng zuò shì,"Studio Ghibli, Japanese film studio" -吉卜赛人,jí bǔ sài rén,Gypsy -吉士,jí shì,cheese (loanword); custard powder; (literary) man (laudatory); person of virtue -吉士粉,jí shì fěn,custard powder -吉大港,jí dà gǎng,Chittagong (Bangladesh port city) -吉娃娃,jí wá wa,Chihuahua (dog) -吉字节,jí zì jié,gigabyte (2^30 or approximately a billion bytes) -吉它,jí tā,a guitar -吉安,jí ān,"Ji'an prefecture-level city in Jiangxi; also Ji'an County; Ji'an or Chi'an township in Hualien County 花蓮縣|花莲县[Hua1 lian2 Xian4], east Taiwan" -吉安市,jí ān shì,Ji'an prefecture-level city in Jiangxi -吉安县,jí ān xiàn,"Ji'an county in Ji'an 吉安, Jiangxi" -吉安乡,jí ān xiāng,"Ji'an or Chi'an township in Hualien County 花蓮縣|花莲县[Hua1 lian2 Xian4], east Taiwan" -吉尼系数,jí ní xì shù,see 基尼係數|基尼系数[Ji1 ni2 xi4 shu4] -吉尼斯,jí ní sī,Guinness (name) -吉州,jí zhōu,"Jizhou district of Ji'an city 吉安市, Jiangxi; Kilju county in North Hamgyeong province, North Korea" -吉州区,jí zhōu qū,"Jizhou district of Ji'an city 吉安市, Jiangxi" -吉州郡,jí zhōu jùn,"Kilju county in North Hamgyeong province, North Korea" -吉布地,jí bù dì,Djibouti (Tw) -吉布提,jí bù tí,Djibouti -吉强镇,jí qiáng zhèn,"Jiqiang town in Xiji county 西吉[Xi1 ji2], Guyuan 固原[Gu4 yuan2], Ningxia" -吉恩,jí ēn,Gene (name) -吉庆,jí qìng,auspicious; propitious; good fortune -吉打,jí dǎ,"Kedah, state of northwest Malaysia, capital Alor Star 亞羅士打|亚罗士打[Ya4 luo2 shi4 da3]" -吉拉尼,jí lā ní,"Syed Yousuf Raza Gilani (1952-), Pakistan People's Party politician, prime minister 2008-2012" -吉拉德,jí lā dé,Gillard (name) -吉日,jí rì,propitious day; lucky day -吉普,jí pǔ,Jeep (car brand) -吉普斯夸,jí pǔ sī kuā,"Gipuzkoa or Guipúzcoa, one of the seven Basque provinces in north Spain" -吉普赛人,jí pǔ sài rén,Gypsy -吉普车,jí pǔ chē,jeep (military vehicle) (loanword) -吉木乃,jí mù nǎi,"Jeminay county or Jéminey nahiyisi in Altay prefecture 阿勒泰地區|阿勒泰地区[A1 le4 tai4 di4 qu1], Xinjiang" -吉木乃县,jí mù nǎi xiàn,"Jeminay county or Jéminey nahiyisi in Altay prefecture 阿勒泰地區|阿勒泰地区[A1 le4 tai4 di4 qu1], Xinjiang" -吉木萨尔,jí mù sà ěr,"Jimsar county or Jimisar nahiyisi in Changji Hui autonomous prefecture 昌吉回族自治州[Chang1 ji2 Hui2 zu2 zi4 zhi4 zhou1], Xinjiang" -吉木萨尔县,jí mù sà ěr xiàn,"Jimsar county or Jimisar nahiyisi in Changji Hui autonomous prefecture 昌吉回族自治州[Chang1 ji2 Hui2 zu2 zi4 zhi4 zhou1], Xinjiang" -吉本斯,jí běn sī,Gibbons (name) -吉林,jí lín,"Jilin province (Kirin) in northeast China, abbr. 吉, capital 長春|长春; also Jilin prefecture-level city, Jilin province" -吉林大学,jí lín dà xué,Jilin University -吉林市,jí lín shì,Jilin prefecture-level city in Jilin province 吉林省 in northeast China -吉林省,jí lín shěng,"Jilin Province (Kirin) in northeast China, abbr. 吉, capital Changchun 長春|长春[Chang2 chun1]" -吉水,jí shuǐ,"Jishui county in Ji'an 吉安, Jiangxi" -吉水县,jí shuǐ xiàn,"Jishui county in Ji'an 吉安, Jiangxi" -吉尔伯特,jí ěr bó tè,Gilbert (name) -吉尔伯特群岛,jí ěr bó tè qún dǎo,Gilbert Islands -吉尔吉斯,jí ěr jí sī,Kyrgyz; Kyrgyzstan -吉尔吉斯人,jí ěr jí sī rén,Kyrgyz (person) -吉尔吉斯坦,jí ěr jí sī tǎn,Kyrgyzstan -吉尔吉斯斯坦,jí ěr jí sī sī tǎn,Kyrgyzstan -吉尔吉斯族,jí ěr jí sī zú,Kyrgyz ethnic group; also written 柯爾克孜族|柯尔克孜族[Ke1 er3 ke4 zi1 zu2] -吉尔达,jí ěr dá,"gelada (Theropithecus gelada), Ethiopian herbivorous monkey similar to baboon" -吉特巴,jí tè bā,jitterbug (loanword) -吉田,jí tián,Yoshida (Japanese surname and place name) -吉百利,jí bǎi lì,Cadbury (name); Cadbury (brand) -吉祥,jí xiáng,lucky; auspicious; propitious -吉祥物,jí xiáng wù,mascot -吉米,jí mǐ,"Jimmy, Jimmie or Jimi (name)" -吉县,jí xiàn,"Ji county in Linfen 臨汾|临汾[Lin2 fen2], Shanxi" -吉罗米突,jí luó mǐ tū,kilometer (old) (loanword) -吉莫,jí mò,(old) name of a kind of leather -吉兰丹,jí lán dān,Kelantan (state of Malaysia) -吉兰丹州,jí lán dān zhōu,"Kelantan sultanate of Malaysia, near Thai border, capital Kota Baharu 哥打巴魯|哥打巴鲁[Ge1 da3 ba1 lu3]" -吉兰丹河,jí lán dān hé,"Kelantan River of Malaysia, near Thai border" -吉贝,jí bèi,kapok (Ceiba pentandra) -吉迪恩,jí dí ēn,"Gideon (name, from Judges 6:11 onward); also written 基甸" -吉达,jí dá,"Jeddah (Saudi city, on Red Sea)" -吉里巴斯,jí lǐ bā sī,Kiribati (formerly the Gilbert Islands) (Tw) -吉野,jí yě,Yoshino (Japanese surname and place name) -吉野家,jí yě jiā,Yoshinoya (Japanese fast food chain) -吉隆,jí lóng,"Gyirong county, Tibetan: Skyid grong rdzong, in Shigatse prefecture, Tibet" -吉隆坡,jí lóng pō,"Kuala Lumpur, capital of Malaysia" -吉隆县,jí lóng xiàn,"Gyirong county, Tibetan: Skyid grong rdzong, in Shigatse prefecture, Tibet" -吉电子伏,jí diàn zǐ fú,giga electron volt GeV (unit of energy equal to 1.6 x 10⁻¹⁰ joules) -吉首,jí shǒu,"Jishou, county-level city and capital of Xiangxi Tujia and Miao Autonomous Prefecture 湘西土家族苗族自治州[Xiang1 xi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1], Henan" -吉首市,jí shǒu shì,"Jishou, county-level city and capital of Xiangxi Tujia and Miao Autonomous Prefecture 湘西土家族苗族自治州[Xiang1 xi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1], Henan" -吉鲁巴,jí lǔ bā,jitterbug (loanword) -吊,diào,to suspend; to hang up; to hang a person -吊儿郎当,diào er láng dāng,sloppy -吊具,diào jù,"spreader (for pallet, container etc)" -吊卷,diào juàn,to consult the archives -吊唁,diào yàn,to offer condolences (for the deceased); to condole -吊嗓子,diào sǎng zi,voice training (for Chinese opera) -吊塔,diào tǎ,a tower crane -吊坠,diào zhuì,a pendant (jewelry) -吊坠缚,diào zhuì fù,strappado bondage -吊审,diào shěn,to bring to trial; to bring to court -吊带,diào dài,suspenders; garters; shoulder strap; brace; sling -吊带背心,diào dài bèi xīn,camisole (women's garment) -吊带衫,diào dài shān,halter top; spaghetti strap top; sun top -吊床,diào chuáng,hammock -吊扇,diào shàn,a ceiling fan; a punka -吊打,diào dǎ,to hang sb up and beat him; (fig.) (slang) to own (one's opponent); to thoroughly dominate -吊扣,diào kòu,to suspend (a license etc) -吊挂,diào guà,to suspend; to hang -吊斗,diào dǒu,(a container) carried suspended or underslung; cable car bucket -吊杆,diào gān,a boom (i.e. transverse beam for hanging objects) -吊梯,diào tī,a rope ladder -吊杠,diào gàng,trapeze (gymnastics) -吊楼,diào lóu,"house overhanging a river, supported at the rear by stilts; house built in a hilly area, supported by stilts" -吊桥,diào qiáo,drawbridge; suspension bridge -吊机,diào jī,crane; hoist -吊死,diào sǐ,death by hanging; to hang oneself -吊死鬼,diào sǐ guǐ,ghost of a person who died by hanging; hanged person; (coll.) inchworm; hangman (word game) -吊灯,diào dēng,hanging lamp -吊牌,diào pái,hangtag; swing tag; hanging sign -吊球,diào qiú,to perform a drop shot (tennis etc); drop shot -吊环,diào huán,rings (gymnastics) -吊瓶,diào píng,infusion bag or bottle (for an IV) -吊瓶族,diào píng zú,"""infusion clan"", patients who prefer medication by drip rather than orally or by injection etc" -吊窗,diào chuāng,a sash window -吊篮,diào lán,hanging basket (for flowers); gondola (of cable car) -吊索,diào suǒ,sling; hoisting rope; suspension cable -吊线,diào xiàn,plumbline -吊绳,diào shéng,sling -吊胃口,diào wèi kǒu,(coll.) to keep sb in suspense; to tantalize; to keep on tenterhooks -吊膀子,diào bàng zi,(dialect) to flirt (derog.) -吊兰,diào lán,spider plant (Chlorophytum comosum) -吊装,diào zhuāng,to construct by hoisting ready-built components into place -吊裆裤,diào dāng kù,baggy pants; sagging pants -吊袜带,diào wà dài,suspenders (for stockings) -吊起,diào qǐ,to hoist -吊车,diào chē,hoist; crane; elevator -吊车尾,diào chē wěi,"(coll.) lowest-ranking (student, participant etc); to rank at the bottom of the list; to finish last" -吊运,diào yùn,to transport by crane; to convey -吊钩,diào gōu,suspended hook; hanging hook; hanger -吊销,diào xiāo,to suspend (an agreement); to revoke -吊铺,diào pù,suspended bunk -吊钟花,diào zhōng huā,Chinese New Year flower (Enkianthus quinqueflorus) -吊门,diào mén,an overhung door; a door that hinges upwards -吊颈,diào jǐng,to hang oneself -吊盐水,diào yán shuǐ,(dialect) to put sb on an intravenous drip -吊点滴,diào diǎn dī,to put sb on an intravenous drip (Tw) -吋,cùn,inch (English) -同,tóng,like; same; similar; together; alike; with -同一,tóng yī,identical; the same -同一挂,tóng yī guà,(coll.) to have a lot in common (with sb); to get along well with each other -同上,tóng shàng,as above; ditto; idem -同事,tóng shì,colleague; co-worker -同人,tóng rén,people from the same workplace or profession; co-worker; colleague; pop culture enthusiasts who create fan fiction etc -同仁,tóng rén,"Tongren County in Huangnan Tibetan Autonomous Prefecture 黃南藏族自治州|黄南藏族自治州[Huang2 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -同仁,tóng rén,variant of 同人[tong2 ren2] -同仁堂,tóng rén táng,"Tongrentang, Chinese pharmaceutical company (TCM)" -同仁县,tóng rén xiàn,"Tongren County in Huangnan Tibetan Autonomous Prefecture 黃南藏族自治州|黄南藏族自治州[Huang2 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -同仇敌忾,tóng chóu dí kài,anger against a common enemy (idiom); joined in opposition to the same adversary -同伙,tóng huǒ,colleague; co-conspirator; accomplice -同伴,tóng bàn,companion; comrade; fellow -同位,tóng wèi,par -同位素,tóng wèi sù,isotope -同位素分离,tóng wèi sù fēn lí,isotopic separation -同传,tóng chuán,simultaneous interpretation (abbr. for 同聲傳譯|同声传译[tong2 sheng1 chuan2 yi4]) -同传耳麦,tóng chuán ěr mài,simultaneous interpretation headset -同僚,tóng liáo,colleague; coworker -同侪,tóng chái,"peer; member of the same class, generation or social group" -同侪团体,tóng chái tuán tǐ,peer group -同侪压力,tóng chái yā lì,peer pressure -同侪审查,tóng chái shěn chá,peer review -同侪扶持,tóng chái fú chí,peer support -同侪检视,tóng chái jiǎn shì,peer review -同侪谘商,tóng chái zī shāng,peer counseling -同分异构,tóng fēn yì gòu,isomerism (chemistry) -同分异构体,tóng fēn yì gòu tǐ,isomer (chemistry) -同功,tóng gōng,(evolutionary biology) analogous -同化,tóng huà,"assimilation (cultural, digestive, phonemic etc)" -同化作用,tóng huà zuò yòng,assimilation; anabolism (biology); constructive metabolism (using energy to make proteins etc) -同卵,tóng luǎn,(of twins) identical; monozygotic -同卵双胞胎,tóng luǎn shuāng bāo tāi,identical twins -同名,tóng míng,of the same name; homonymous; self-titled (album) -同名同姓,tóng míng tóng xìng,having same given name and family name -同喜,tóng xǐ,Thank you for your congratulations!; The same to you! (returning a compliment) -同在,tóng zài,to be with -同型性,tóng xíng xìng,isomorphism -同型配子,tóng xíng pèi zǐ,isogamete -同堂,tóng táng,to live under the same roof (of different generations) -同好,tóng hào,fellow enthusiasts -同妻,tóng qī,"(neologism c. 2009) wife of a gay man (the man may marry to conform with social expectations, and the woman often enters the marriage not knowing he is gay)" -同婚,tóng hūn,same-sex marriage; gay marriage -同字框,tóng zì kuàng,name of the radical 冂[jiong1] in Chinese characters (Kangxi radical 13) -同学,tóng xué,"to study at the same school; fellow student; classmate; CL:位[wei4],個|个[ge4]" -同安,tóng ān,"Tong'an, a district of Xiamen City 廈門市|厦门市[Xia4men2 Shi4], Fujian" -同安区,tóng ān qū,"Tong'an, a district of Xiamen City 廈門市|厦门市[Xia4men2 Shi4], Fujian" -同安县,tóng ān xiàn,"former Tong'an county, now Tong'an district 同安區|同安区[Tong2 an1 qu1] of Xiamen city, Fujian" -同宗同源,tóng zōng tóng yuán,to share the same origins; to have common roots -同室操戈,tóng shì cāo gē,wielding the halberd within the household (idiom); internecine strife -同居,tóng jū,to live together; to cohabit -同屋,tóng wū,roommate; to share a room -同工,tóng gōng,fellow workers -同工同酬,tóng gōng tóng chóu,equal pay for equal work -同年,tóng nián,the same year -同床共枕,tóng chuáng gòng zhěn,to share the bed; (fig.) to be married -同床异梦,tóng chuáng yì mèng,lit. to share the same bed with different dreams (idiom); ostensible partners with different agendas; strange bedfellows; marital dissension -同德,tóng dé,"Tongde county in Hainan Tibetan autonomous prefecture 海南藏族自治州[Hai3 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -同德县,tóng dé xiàn,"Tongde county in Hainan Tibetan autonomous prefecture 海南藏族自治州[Hai3 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -同心,tóng xīn,"Tongxin county in Wuzhong 吳忠|吴忠[Wu2 zhong1], Ningxia" -同心,tóng xīn,to be of one mind; united; concentric -同心协力,tóng xīn xié lì,to work with a common purpose (idiom); to make concerted efforts; to pull together; to work as one -同心同德,tóng xīn tóng dé,of one mind (idiom) -同心县,tóng xīn xiàn,"Tongxin county in Wuzhong 吳忠|吴忠[Wu2 zhong1], Ningxia" -同志,tóng zhì,comrade; (slang) homosexual; CL:個|个[ge4] -同性,tóng xìng,same nature; homosexual -同性爱,tóng xìng ài,homosexual -同性恋,tóng xìng liàn,homosexuality; gay person; gay love -同性恋恐惧症,tóng xìng liàn kǒng jù zhèng,homophobia -同性恋者,tóng xìng liàn zhě,homosexual; gay person -同性相斥,tóng xìng xiāng chì,like polarities repel each other; (fig.) like repels like -同情,tóng qíng,to sympathize with; sympathy -同情者,tóng qíng zhě,supporter; sympathizer (esp. of political cause); fellow traveler -同意,tóng yì,to agree; to consent; to approve -同感,tóng gǎn,(have the) same feeling; similar impression; common feeling -同态,tóng tài,(math.) homomorphism -同房,tóng fáng,(of a married couple) to have intercourse; (literary) to share the same room; of the same family branch -同手同脚,tóng shǒu tóng jiǎo,clumsy; uncoordinated -同文馆,tóng wén guǎn,"Tongwen Guan, 19th century college that trained translators for China's diplomatic corps, established in Beijing in 1862 and absorbed by the Imperial University in 1902" -同日,tóng rì,same day; simultaneous -同日而语,tóng rì ér yǔ,lit. to speak of two things on the same day (idiom); to mention things on equal terms (often with negatives: you can't mention X at the same time as Y) -同时,tóng shí,at the same time; simultaneously -同时代,tóng shí dài,contemporary -同时期,tóng shí qī,at the same time; contemporary -同期,tóng qī,the corresponding time period (in a different year etc); concurrent; synchronous -同框,tóng kuàng,to appear together in a photo or video clip -同案犯,tóng àn fàn,accomplice -同桌,tóng zhuō,desk-mate; seat-mate -同业,tóng yè,same trade or business; person in the same trade or business -同业公会,tóng yè gōng huì,trade association -同业拆借,tóng yè chāi jiè,call loan; short-term loan within banking -同构,tóng gòu,isomorphism; isomorphic -同乐,tóng lè,to enjoy together -同乐会,tóng lè huì,"social gathering at which those attending take it in turns to perform for the whole group (music, dancing or comedy etc)" -同样,tóng yàng,same; equal; similar; similarly; also; too -同款,tóng kuǎn,similar (model); merchandise similar to that used by a celebrity etc -同步,tóng bù,synchronous; to synchronize; to keep step with -同步加速器,tóng bù jiā sù qì,synchrotron -同步口译,tóng bù kǒu yì,simultaneous interpretation (Tw) -同步数位阶层,tóng bù shù wèi jiē céng,synchronous digital hierarchy; SDH -同归于尽,tóng guī yú jìn,to die in such a way that sb (or sth) else also perishes; to take sb down with oneself; to end in mutual destruction -同母异父,tóng mǔ yì fù,(of siblings) having the same mother but different fathers; half (brother or sister) -同比,tóng bǐ,(statistics) compared with the same period of the previous year; year on year; year over year -同江,tóng jiāng,"Tongjiang, county-level city in Kiamusze or Jiamusi city 佳木斯[Jia1 mu4 si1], Heilongjiang" -同江市,tóng jiāng shì,"Tongjiang, county-level city in Kiamusze or Jiamusi city 佳木斯[Jia1 mu4 si1], Heilongjiang" -同治,tóng zhì,reign name of Qing emperor (1861-1875) -同流合污,tóng liú hé wū,to wallow in the mire with sb (idiom); to follow the bad example of others -同源,tóng yuán,homology (biology); a common origin -同源词,tóng yuán cí,cognate; words having a common origin -同温层,tóng wēn céng,stratosphere -同济,tóng jì,abbr. of 同濟大學|同济大学[Tong2 ji4 Da4 xue2] -同济大学,tóng jì dà xué,Tongji University -同济医科大学,tóng jì yī kē dà xué,Tongji Medical College -同父异母,tóng fù yì mǔ,(of siblings) having the same father but different mothers; half (brother or sister) -同犯,tóng fàn,accomplice -同班,tóng bān,to be in the same class; to be in the same squad; classmate -同班同学,tóng bān tóng xué,classmate -同理,tóng lǐ,"Tongli, a city in Jiangsu Province, China" -同理,tóng lǐ,for the same reason -同理心,tóng lǐ xīn,empathy -同甘共苦,tóng gān gòng kǔ,shared delights and common hardships (idiom); to share life's joys and sorrows; for better or for worse -同甘苦,tóng gān kǔ,to share joys and sorrows; sharing good times and hard times; same as 同甘共苦 -同病相怜,tóng bìng xiāng lián,fellow sufferers empathize with each other (idiom); misery loves company -同盟,tóng méng,alliance -同盟国,tóng méng guó,allied nation; ally; confederation -同盟会,tóng méng huì,"Tongmenghui, Sun Yat-sen's alliance for democracy, founded 1905, became the Guomindang 國民黨|国民党 in 1912" -同盟军,tóng méng jūn,ally; allied forces -同知,tóng zhī,government sub-prefect (old) -同砚,tóng yàn,classmate; fellow student -同窗,tóng chuāng,schoolmate; fellow student -同符合契,tóng fú hé qì,"same sign, joint aim (idiom); fig. completely compatible; identical" -同等,tóng děng,equal to; having the same social class or status -同级,tóng jí,on the same level; ranking equally -同级评审,tóng jí píng shěn,peer review -同素异形体,tóng sù yì xíng tǐ,allotropy -同义,tóng yì,synonymous -同义反复,tóng yì fǎn fù,tautology -同义字,tóng yì zì,synonym -同义词,tóng yì cí,synonym -同义语,tóng yì yǔ,synonym -同翅目,tóng chì mù,"Homoptera (insect suborder including cicadas, aphids, plant-hoppers, shield bugs etc)" -同声一哭,tóng shēng yī kū,to share one's feeling of grief with others (idiom) -同声传译,tóng shēng chuán yì,simultaneous interpretation -同声翻译,tóng shēng fān yì,simultaneous translation -同胞,tóng bāo,born of the same parents; sibling; fellow citizen; compatriot -同胞兄妹,tóng bāo xiōng mèi,sibling -同台,tóng tái,to appear on the same stage -同舟共济,tóng zhōu gòng jì,cross a river in the same boat (idiom); fig. having common interests; obliged to collaborate towards common goals -同花,tóng huā,flush (poker) -同花大顺,tóng huā dà shùn,royal flush (poker) -同花顺,tóng huā shùn,straight flush (poker) -同蒙其利,tóng méng qí lì,to both benefit -同行,tóng háng,"person of the same profession; of the same trade, occupation or industry" -同行,tóng xíng,to journey together -同袍,tóng páo,fellow soldier; comrade; companion; intimate friend -同调,tóng diào,same tone; in agreement with; homology (invariant of a topological space in math.) -同谋,tóng móu,to conspire with sb; to plot; a conspirator; a partner in crime; an accomplice -同质,tóng zhì,homogeneous -同路,tóng lù,to go the same way -同路人,tóng lù rén,fellow traveler; comrade -同轴,tóng zhóu,coaxial -同轴电缆,tóng zhóu diàn lǎn,coaxial cable -同辈,tóng bèi,of the same generation; person of the same generation; peer -同途殊归,tóng tú shū guī,"same road out, different ones back" -同道,tóng dào,same principle -同道中人,tóng dào zhōng rén,kindred spirit -同道者,tóng dào zhě,fellow-traveler; like-minded person -同乡,tóng xiāng,"person from the same village, town, or province" -同乡亲故,tóng xiāng qīn gù,fellow countryman (from the same village); the folks back home -同配生殖,tóng pèi shēng zhí,isogamy -同量,tóng liàng,commensurable; commensurate -同量异位素,tóng liàng yì wèi sù,nuclear isobar -同音,tóng yīn,(music) unison; (linguistics) homophonous; homonymic -同音字,tóng yīn zì,Chinese character that is pronounced the same (as another character) -同音词,tóng yīn cí,homophone; homonym -同韵词,tóng yùn cí,a word that rhymes (with another word) -同类,tóng lèi,similar; same type; alike -同类相吸,tóng lèi xiāng xī,Like attracts like. -同类相食,tóng lèi xiāng shí,cannibalism -同余,tóng yú,congruent (math.); having same residue modulo some number -同余式,tóng yú shì,congruence (math.); equation for residue modulo some number -同余类,tóng yú lèi,(math.) congruence class; residue class -同党,tóng dǎng,to belong to the same party or organization; member of the same party or organization; (derog.) confederate; accomplice -同龄,tóng líng,of the same age -同龄人,tóng líng rén,peer; one's contemporary; person of the same age -名,míng,name; noun (part of speech); place (e.g. among winners); famous; classifier for people -名下,míng xià,under sb's name -名不副实,míng bù fù shí,"the name does not reflect the reality (idiom); more in name than in fact; Reality does not live up to the name.; Excellent theory, but the practice does not bear it out." -名不正言不顺,míng bu zhèng yán bu shùn,"(of a title, degree etc) illegitimately conferred" -名不符实,míng bù fú shí,the name does not correspond to reality (idiom); it doesn't live up to its reputation -名不虚传,míng bù xū chuán,(idiom) to live up to one's famous name; its reputation is well deserved -名不见经传,míng bù jiàn jīng zhuàn,(lit.) name not encountered in the classics; unknown (person); nobody -名人,míng rén,personage; celebrity -名人录,míng rén lù,record of famous men; anthology of biographies -名伶,míng líng,famous actor or actress (Chinese opera) -名位,míng wèi,fame and position; official rank -名作,míng zuò,masterpiece; famous work -名优,míng yōu,excellent quality; outstanding (product); abbr. for 名牌優質|名牌优质; (old) famous actor or actress -名儿,míng er,name; fame -名册,míng cè,roll (of names); register; CL:本[ben3] -名分,míng fèn,a person's status -名列,míng liè,"to rank (number 1, or third last etc); to be among (those who are in a particular group)" -名列前茅,míng liè qián máo,to rank among the best -名利,míng lì,fame and profit -名利场,míng lì chǎng,Vanity Fair (novel and magazine title) -名利双收,míng lì shuāng shōu,both fame and fortune (idiom); both virtue and reward -名刺,míng cì,visiting card; name card -名副其实,míng fù qí shí,"not just in name only, but also in reality (idiom); aptly named; worthy of the name" -名胜,míng shèng,a place famous for its scenery or historical relics; scenic spot; CL:處|处[chu4] -名胜古迹,míng shèng gǔ jì,historical sites and scenic spots -名古屋,míng gǔ wū,"Nagoya, city in Japan" -名句,míng jù,famous saying; celebrated phrase -名叫,míng jiào,called; named -名单,míng dān,list of names -名嘴,míng zuǐ,well-known commentator; talking head; pundit; prominent TV or radio host -名噪一时,míng zào yī shí,to achieve fame among one's contemporaries (idiom); temporary or local celebrity -名垂青史,míng chuí qīng shǐ,lit. reputation will go down in history (idiom); fig. achievements will earn eternal glory -名城,míng chéng,famous city -名堂,míng tang,item (in a program of entertainments); trick (act of mischief); worthwhile result; accomplishment; sth significant but not immediately apparent; sth more than meets the eye -名士,míng shì,(old) a person of literary talent; a celebrity (esp. a distinguished literary person having no official post) -名妓,míng jì,famous courtesan -名媛,míng yuàn,young lady of note; debutante -名字,míng zi,name (of a person or thing); CL:個|个[ge4] -名存实亡,míng cún shí wáng,"the name remains, but the reality is gone (idiom)" -名学,míng xué,(archaic term) logic -名家,míng jiā,"School of Logicians of the Warring States Period (475-220 BC), also called the School of Names" -名家,míng jiā,renowned expert; master (of an art or craft) -名宿,míng sù,"renowned senior figure; luminary; legend (in academia, sport etc)" -名实,míng shí,name and reality; how sth is portrayed and what it is actually like -名将,míng jiàng,famous general -名山,míng shān,"famous mountain; Mingshan county in Ya'an 雅安[Ya3 an1], Sichuan" -名山大川,míng shān dà chuān,famous mountains and great rivers -名山县,míng shān xiàn,"Mingshan county in Ya'an 雅安[Ya3 an1], Sichuan" -名帖,míng tiě,name card; business card -名师,míng shī,famous master; great teacher -名师出高徒,míng shī chū gāo tú,A famous teacher trains a fine student (idiom). A cultured man will have a deep influence on his successors. -名从主人,míng cóng zhǔ rén,(idiom) to refer to sth by the name its owners use; to refer to a place by the name its inhabitants use (e.g. refer to Seoul as 首爾|首尔[Shou3 er3] rather than 漢城|汉城[Han4 cheng2]) -名手,míng shǒu,master; famous artist or sportsman -名扬四海,míng yáng sì hǎi,to become known far and wide (idiom); famous -名数,míng shù,(grammar) number plus classifier; household (in census) -名曲,míng qǔ,famous song; well-known piece of music -名望,míng wàng,renown; prestige -名校,míng xiào,famous school -名模,míng mó,top fashion model -名次,míng cì,position in a ranking of names; place; rank -名正言顺,míng zhèng yán shùn,in a way that justifies the use of the term; genuine; proper; in a way that conforms to logic; justifiable; appropriate; perfectly legitimate -名气,míng qi,reputation; fame -名流,míng liú,gentry; celebrities -名源,míng yuán,origin of a name -名源动词,míng yuán dòng cí,denominal verb -名满天下,míng mǎn tiān xià,world famous -名为,míng wéi,to be called; to be known as -名爵,míng jué,MG Motor (car manufacturer) -名片,míng piàn,(business) card -名牌,míng pái,famous brand; nameplate; name tag -名牌儿,míng pái er,erhua variant of 名牌|名牌[ming2 pai2] -名状,míng zhuàng,to express; to describe -名产,míng chǎn,staple; name-brand product -名画,míng huà,famous painting -名画家,míng huà jiā,famous painter -名目,míng mù,name; designation; item; rubric; (formal usage) fame -名目繁多,míng mù fán duō,names of many kinds (idiom); items of every description -名相,míng xiàng,famous prime minister (in ancient China); names and appearances (Buddhism) -名称,míng chēng,name (of a thing); name (of an organization) -名称标签,míng chēng biāo qiān,name tag -名称权,míng chēng quán,copyright; rights to a trademark -名节,míng jié,reputation and integrity -名篇,míng piān,famous piece of writing -名籍,míng jí,register of names; roll -名签,míng qiān,name tag -名素,míng sù,variant of 名宿[ming2 su4] -名义,míng yì,name; titular; nominal; in name; ostensible purpose -名义上,míng yì shàng,nominally -名义价值,míng yì jià zhí,nominal value -名义账户,míng yì zhàng hù,nominal bank account -名闻,míng wén,famous; of good reputation -名声,míng shēng,reputation -名臣,míng chén,important official or statesman (in feudal China) -名花有主,míng huā yǒu zhǔ,the girl is already taken (idiom) -名菜,míng cài,famous dishes; specialty dishes -名落孙山,míng luò sūn shān,lit. to fall behind Sun Shan 孫山|孙山[Sun1 Shan1] (who came last in the imperial examination) (idiom); fig. to fail an exam; to fall behind (in a competition) -名著,míng zhù,masterpiece -名号,míng hào,name; title; good reputation -名角,míng jué,famous actor -名角儿,míng jué er,erhua variant of 名角[ming2 jue2] -名言,míng yán,saying; famous remark -名词,míng cí,noun -名讳,míng huì,taboo name (e.g. of emperor) -名誉,míng yù,fame; reputation; honor; honorary; emeritus (of retired professor) -名誉博士,míng yù bó shì,honorary doctorate; Doctor Honoris Causae -名誉博士学位,míng yù bó shì xué wèi,honorary doctorate; Doctor Honoris Causae -名誉学位,míng yù xué wèi,honorary degree; academic degree Honoris Causa -名誉扫地,míng yù sǎo dì,to be thoroughly discredited; to fall into disrepute -名贵,míng guì,famous and valuable; rare; precious -名酒,míng jiǔ,a famous wine -名医,míng yī,famous doctor -名重识暗,míng zhòng shí àn,of great reputation but shallow in knowledge (idiom) -名量词,míng liàng cí,nominal classifier (in Chinese grammar); measure word applying mainly to nouns -名衔,míng xián,rank; title -名录,míng lù,directory -名录服务,míng lù fú wù,name service -名表,míng biǎo,famous watch (i.e. expensive brand of wristwatch) -名门,míng mén,famous family; prestigious house -名门望族,míng mén wàng zú,offspring a famous family (idiom); good breeding; blue blood -名间,míng jiān,"Mingjian or Mingchien Township in Nantou County 南投縣|南投县[Nan2 tou2 Xian4], central Taiwan" -名间乡,míng jiān xiāng,"Mingjian or Mingchien Township in Nantou County 南投縣|南投县[Nan2 tou2 Xian4], central Taiwan" -名缰利锁,míng jiāng lì suǒ,lit. fettered by fame and locked up by riches (idiom); tied down by reputation and wealth; the victim of one's own success -名头,míng tou,reputation -名额,míng é,"quota; number of places; place (in an institution, a group etc)" -名驰遐迩,míng chí xiá ěr,To have one's fame spread far and wide. (idiom) -后,hòu,surname Hou -后,hòu,empress; queen; (archaic) monarch; ruler -后妃,hòu fēi,imperial wives and concubines -后座,hòu zuò,empress's throne; (fig.) first place in a feminine competition -后羿,hòu yì,"Houyi, mythological Chinese archer whose wife was Chang'e" -后里,hòu lǐ,"Houli Township in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -后里乡,hòu lǐ xiāng,"Houli Township in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -后发座,hòu fà zuò,Coma Berenices (constellation) -吏,lì,minor government official or functionary (old) -吏治,lì zhì,style of governing (of minor official); achievement in office -吏胥,lì xū,minor official -吏部,lì bù,Ministry of Appointments (in imperial China) -吐,tǔ,"to spit; to send out (silk from a silkworm, bolls from cotton flowers etc); to say; to pour out (one's grievances)" -吐,tù,to vomit; to throw up -吐便当,tǔ biàn dāng,(slang) (of a character) to reappear in a story line after having been supposedly killed off; cf. 領盒飯|领盒饭[ling3 he2 fan4] -吐口,tǔ kǒu,"to spit; fig. to spit out (a request, an agreement etc)" -吐司,tǔ sī,"sliced bread (loanword from ""toast"")" -吐嘈,tù cáo,variant of 吐槽[tu4 cao2] -吐字,tǔ zì,diction; enunciation; (opera) to pronounce the words correctly -吐实,tǔ shí,to reveal the truth; to spill the beans -吐故纳新,tǔ gù nà xīn,"lit. to breathe out stale air and breathe in fresh (idiom, from Zhuangzi 莊子|庄子[Zhuang1 zi3]); fig. to get rid of the old and bring in the new" -吐根,tǔ gēn,ipecac -吐弃,tǔ qì,to spurn; to reject -吐槽,tù cáo,(slang) to roast; to ridicule; also pr. [tu3 cao2] -吐槽大会,tù cáo dà huì,Roast! (PRC comedy series) -吐气,tǔ qì,to exhale; to blow off steam; (phonetics) aspirated -吐沫,tù mo,saliva; spittle -吐火罗人,tǔ huǒ luó rén,Tokharian people of central Asia -吐瓦鲁,tǔ wǎ lǔ,"Tuvalu, island country in the SW Pacific (Tw)" -吐痰,tǔ tán,to spit; to expectorate -吐穗,tǔ suì,to have the ears of grain come up -吐絮,tǔ xù,cotton boll splits open and reveals its white interior -吐丝,tǔ sī,"(of spiders, caterpillars, silkworms etc) to extrude silk" -吐丝自缚,tǔ sī zì fù,to spin a cocoon around oneself (idiom); enmeshed in a trap of one's own devising; hoist with his own petard -吐绶鸡,tǔ shòu jī,turkey -吐舌头,tǔ shé tou,to stick out one's tongue -吐艳,tǔ yàn,to burst into bloom -吐苦水,tǔ kǔ shuǐ,to have bitter digestive fluids rising to the mouth; fig. to complain bitterly; to pour out one's sufferings -吐蕃,tǔ bō,"Tubo or Tufan, old name for Tibet; the Tibetan Tubo dynasty 7th-11th century AD; also pr. [Tu3 fan1]" -吐蕃王朝,tǔ bō wáng cháo,Tibetan Tubo Dynasty 7th-11th century AD -吐血,tù xiě,to cough up blood; (coll.) (used figuratively to indicate an extreme degree of anger or frustration etc) -吐诉,tǔ sù,to pour forth (one's opinions) -吐谷浑,tǔ yù hún,"Tuyuhun, nomadic people related to the Xianbei 鮮卑|鲜卑[Xian1 bei1]; a state in Qinghai in 4th-7th century AD" -吐露,tǔ lù,to tell; to disclose; to reveal -吐鲁番,tǔ lǔ fān,Turpan City in Xinjiang (Chinese: Tulufan) -吐鲁番市,tǔ lǔ fān shì,Turpan City in Xinjiang (Chinese: Tulufan) -吐鲁番盆地,tǔ lǔ fān pén dì,the Turpan Depression in Xinjiang -向,xiàng,surname Xiang -向,xiàng,towards; to face; to turn towards; direction; to support; to side with; shortly before; formerly; always; all along; (suffix) suitable for ...; oriented to ... -向上,xiàng shàng,upward; up; to advance; to try to improve oneself; to make progress -向下,xiàng xià,down; downward -向何处,xiàng hé chù,whither -向来,xiàng lái,always (previously) -向例,xiàng lì,custom; usual practice; convention up to now -向前,xiàng qián,forward; onward -向前翻腾,xiàng qián fān téng,forward somersault -向北,xiàng běi,northward; facing north -向南,xiàng nán,southward -向右拐,xiàng yòu guǎi,to turn right -向壁虚构,xiàng bì xū gòu,"facing a wall, an imaginary construction (idiom); baseless fabrication" -向壁虚造,xiàng bì xū zào,"facing a wall, an imaginary construction (idiom); baseless fabrication" -向外,xiàng wài,outward -向家坝,xiàng jiā bà,"Xiangjiaba Dam, Yunnan, site of a hydropower station" -向左拐,xiàng zuǒ guǎi,to turn left -向巴平措,xiàng bā píng cuò,"Qiangba Puncog (1947-), chairman of the government of Tibet (i.e. governor) 2003-2010" -向后,xiàng hòu,backward -向后翻腾,xiàng hòu fān téng,backward somersault -向心力,xiàng xīn lì,centripetal force; (fig.) cohering force; cohesion; team spirit -向性,xiàng xìng,tropism -向慕,xiàng mù,to adore -向斜,xiàng xié,syncline (geology) -向日葵,xiàng rì kuí,sunflower (Helianthus annuus) -向暮,xiàng mù,towards evening -向东,xiàng dōng,eastwards -向火,xiàng huǒ,to warm oneself facing the fire -向盘,xiàng pán,compass -向背,xiàng bèi,to support or oppose -向着,xiàng zhe,towards; facing (sb or sth); (coll.) to side with; to favor -向西,xiàng xī,westward -向西南,xiàng xī nán,southwestward -向量,xiàng liàng,(math.) vector -向量代数,xiàng liàng dài shù,vector algebra -向量图形,xiàng liàng tú xíng,(computing) vector graphics -向量积,xiàng liàng jī,vector product (of vectors) -向量空间,xiàng liàng kōng jiān,(math.) vector space; linear space -向阳,xiàng yáng,"Xiangyang district of Kiamusze or Jiamusi city 佳木斯[Jia1 mu4 si1], Heilongjiang; Xiangyang district of Hegang city 鶴崗|鹤岗[He4 gang3], Heilongjiang" -向阳,xiàng yáng,facing the sun; exposed to the sun -向阳区,xiàng yáng qū,"Xiangyang district of Kiamusze or Jiamusi city 佳木斯[Jia1 mu4 si1], Heilongjiang" -向阳花,xiàng yáng huā,sunflower -向隅,xiàng yú,lit. to face the corner (idiom); fig. to miss out on sth -吒,zhā,"used for the sound ""zha"" in the names of certain legendary figures (e.g. 哪吒[Ne2 zha1]); Taiwan pr. [zha4]" -吒,zhà,variant of 咤[zha4] -吖,ā,(used in transliterating chemical names) -吖丁啶,ā dīng dìng,azetidine (chemistry) (loanword) -吖啶,ā dìng,acridine (antiseptic and disinfectant) -吖嗪,ā qín,"-azine; heterocyclic compound containing nitrogen in their ring such as pyridine 吡啶[bi3 ding4] C5H5N, pyrazine 噠嗪|哒嗪[da1 qin2] C4H4N2 or pyrimidine 嘧啶[mi4 ding4] C4H4N2" -咿,yī,variant of 咿[yi1] -君,jūn,monarch; lord; gentleman; ruler -君主,jūn zhǔ,monarch; sovereign -君主制,jūn zhǔ zhì,monarchy -君主国,jūn zhǔ guó,monarchy; sovereign state -君主政治,jūn zhǔ zhèng zhì,monarchy -君主政体,jūn zhǔ zhèng tǐ,monarchy; autocracy -君主立宪制,jūn zhǔ lì xiàn zhì,constitutional monarchy -君位,jūn wèi,royal title -君士坦丁堡,jūn shì tǎn dīng bǎo,"Constantinople, capital of Byzantium" -君子,jūn zǐ,nobleman; person of noble character -君子不计小人过,jūn zǐ bù jì xiǎo rén guò,see 大人不記小人過|大人不记小人过[da4 ren2 bu4 ji4 xiao3 ren2 guo4] -君子之交,jūn zǐ zhī jiāo,"friendship between gentlemen, insipid as water (idiom, from Zhuangzi 莊子|庄子[Zhuang1 zi3])" -君子之交淡如水,jūn zǐ zhī jiāo dàn rú shuǐ,"a gentleman's friendship, insipid as water (idiom, from Zhuangzi 莊子|庄子[Zhuang1 zi3])" -君子动口不动手,jūn zǐ dòng kǒu bù dòng shǒu,a gentleman uses his mouth and not his fist -君子兰,jūn zǐ lán,scarlet kafir lily; Clivia miniata (botany) -君子远庖厨,jūn zǐ yuàn páo chú,"lit. a nobleman stays clear of the kitchen (idiom, from Mencius); fig. a nobleman who has seen a living animal cannot bear to see it die, hence he keeps away from the kitchen" -君山,jūn shān,"Junshan district of Yueyang city 岳陽|岳阳[Yue4 yang2], Hunan" -君山区,jūn shān qū,"Junshan district of Yueyang city 岳陽|岳阳[Yue4 yang2], Hunan" -君悦,jūn yuè,Grand Hyatt (hotel brand) -君权,jūn quán,monarchical power -君王,jūn wáng,sovereign king -君臣,jūn chén,a ruler and his ministers (old) -君长,jūn zhǎng,the monarch and his ministers; tribal chief -吝,lìn,(bound form) stingy -吝啬,lìn sè,stingy; mean; miserly -吝啬鬼,lìn sè guǐ,miser; penny-pincher -吝惜,lìn xī,to stint; to be miserly -吞,tūn,to swallow; to take -吞并,tūn bìng,to annex -吞吃,tūn chī,to devour -吞吐,tūn tǔ,to take in and send out (in large quantities) -吞吐量,tūn tǔ liàng,throughput -吞吞吐吐,tūn tūn tǔ tǔ,"to hum and haw (idiom); to mumble as if hiding sth; to speak and break off, then start again; to hold sth back" -吞噬,tūn shì,to swallow; to engulf; to gobble up -吞噬作用,tūn shì zuò yòng,phagocytosis (ingesting and destroying foreign matter) -吞噬细胞,tūn shì xì bāo,phagocyte (cell that ingests and destroys foreign matter) -吞咽,tūn yàn,to swallow; to gulp -吞咽困难,tūn yàn kùn nán,dysphagia (medicine) -吞拿,tūn ná,tuna (loanword) -吞拿鱼,tūn ná yú,tuna (loanword) -吞服,tūn fú,to swallow; to take (medicine) -吞没,tūn mò,to embezzle; to swallow up; to engulf -吞灭,tūn miè,to absorb -吞米桑布札,tūn mǐ sāng bù zhá,"Tunmi Sanghuzha (6th century AD), originator of the Tibetan script" -吞精,tūn jīng,to swallow semen -吞声,tūn shēng,to swallow one's cries -吞声忍气,tūn shēng rěn qì,see 忍氣吞聲|忍气吞声[ren3 qi4 tun1 sheng1] -吞金,tūn jīn,to commit suicide by swallowing gold -吞云吐雾,tūn yún tǔ wù,to swallow clouds and blow out fog (idiom); to blow cigarette or opium smoke -吞音,tūn yīn,(linguistics) elision -吞食,tūn shí,to devour -吟,yín,to chant; to recite; to moan; to groan; cry (of certain animals and insects); song (ancient poem) -吟哦,yín é,to chant; to recite rhythmically; to polish verse -吟唱,yín chàng,to chant; to recite -吟咏,yín yǒng,to recite; to sing (of poetry) -吟诗,yín shī,to recite poetry -吟诵,yín sòng,to read aloud; to recite rhythmically; to chant; to intone (esp. poems in rhythm) -吟游,yín yóu,to wander as minstrel -吟风弄月,yín fēng nòng yuè,lit. singing of the wind and the moon; fig. vacuous and sentimental (of poetry or art) -吠,fèi,to bark -吠叫,fèi jiào,to bark; to yelp -吠陀,fèi tuó,Vedas (Hindu sacred writings or legends) -吡,bǐ,used as phonetic bi- or pi- -吡叻,bǐ lè,Perak (state of Malaysia) -吡咯,bǐ luò,pyrrole (C4H5N) (loanword) -吡唑,bǐ zuò,pyrazole (chemistry) (loanword) -吡啶,bǐ dìng,pyridine C5H5N (loanword) -吡喃,bǐ nán,pyran (chemistry) (loanword) -吡嗪,bǐ qín,pyrazine (chemistry) (loanword) -吡拉西坦,bǐ lā xī tǎn,piracetam (loanword); see 乙酰胺吡咯烷酮[yi3 xian1 an4 bi3 luo4 wan2 tong2] -否,fǒu,to negate; to deny; not -否,pǐ,clogged; evil -否则,fǒu zé,otherwise; if not; or (else) -否定,fǒu dìng,to negate; to deny; to reject; negative (answer); negation -否定句,fǒu dìng jù,negative sentence -否有效,fǒu yǒu xiào,inefficient -否极泰来,pǐ jí tài lái,extreme sorrow turns to joy (idiom) -否决,fǒu jué,to veto; to overrule -否决权,fǒu jué quán,veto power -否决票,fǒu jué piào,veto -否认,fǒu rèn,to declare to be untrue; to deny -吧,bā,"bar (loanword) (serving drinks, or providing Internet access etc); to puff (on a pipe etc); (onom.) bang; abbr. for 貼吧|贴吧[tie1 ba1]" -吧,ba,(modal particle indicating suggestion or surmise); ...right?; ...OK?; ...I presume. -吧,,(onom.) smack! -吧主,bā zhǔ,message board moderator or administrator -吧务,bā wù,forum manager -吧台,bā tái,counter of a bar (pub) -吧唧,bā jī,(onom.) squishing sound -吧唧,bā ji,to smack one's lips -吧唧吧唧,bā ji bā ji,(onom.) smacking the lips -吧啦吧啦,bā lā bā lā,(loanword) blah blah blah -吧嗒,bā da,"(onom.) patter, splatter, click; to smack one's lips; to pull (on a pipe)" -吧女,bā nǚ,barmaid -吧托,bā tuō,scam girl; woman who lures men to an exorbitantly priced bar 酒吧[jiu3 ba1] -吧托女,bā tuō nǚ,scam girl; woman who lures men to an exorbitantly priced bar 酒吧[jiu3 ba1] -吩,fēn,used in 吩咐[fen1fu5]; used in transliteration of chemical compounds -吩咐,fēn fu,to tell; to instruct; to command -吩嗪,fēn qín,phenazine (loanword) -吩坦尼,fēn tǎn ní,fentanyl (loanword) (Tw) -含,hán,to keep in the mouth; to contain -含冤,hán yuān,wronged; to suffer false accusations -含含糊糊,hán hán hú hú,(of speech) obscure; unclear; (of actions) vague; ineffectual -含味隽永,hán wèi juàn yǒng,"fine, lasting flavor (of literature)" -含商咀徵,hán shāng jǔ zhǐ,(idiom) permeated with beautiful music -含垢忍辱,hán gòu rěn rǔ,(idiom) to bear shame and humiliation -含宫咀徵,hán gōng jǔ zhǐ,(idiom) permeated with beautiful music -含山,hán shān,"Hanshan, a county in Ma'anshan 馬鞍山|马鞍山[Ma3an1shan1], Anhui" -含山县,hán shān xiàn,"Hanshan, a county in Ma'anshan 馬鞍山|马鞍山[Ma3an1shan1], Anhui" -含忍耻辱,hán rěn chǐ rǔ,to eat humble pie; to accept humiliation; to turn the other cheek -含情脉脉,hán qíng mò mò,full of tender feelings (idiom); tender-hearted -含意,hán yì,meaning -含括,hán guā,(Tw) to contain; to include; to encompass -含有,hán yǒu,to contain; including -含气,hán qì,containing air -含水,hán shuǐ,watery -含水层,hán shuǐ céng,aquifer -含沙射影,hán shā shè yǐng,(idiom) to attack sb by innuendo; to make insinuations -含沙量,hán shā liàng,sand content; quantity of sediment (carried by a river) -含油,hán yóu,containing oil; oil-bearing -含油岩,hán yóu yán,oil bearing rock -含泪,hán lèi,tearful; tearfully -含混,hán hùn,vague; unclear; ambiguous -含片,hán piàn,lozenge; cough drop -含碳,hán tàn,carbonic -含磷,hán lín,containing phosphate -含税,hán shuì,tax inclusive -含笑,hán xiào,to have a smile on one's face -含糊,hán hu,ambiguous; vague; careless; perfunctory -含糊不清,hán hú bù qīng,unclear; indistinct; ambiguous -含糊其词,hán hú qí cí,to equivocate; to talk evasively (idiom) -含羞草,hán xiū cǎo,mimosa; sensitive plant (that closes its leaves when touched) -含义,hán yì,meaning (implicit in a phrase); implied meaning; hidden meaning; hint; connotation -含胡,hán hu,variant of 含糊[han2 hu5] -含苞,hán bāo,(of a plant) to be in bud -含苞待放,hán bāo dài fàng,in bud; budding -含英咀华,hán yīng jǔ huá,to savor fine writing (idiom) -含蓄,hán xù,"to contain; to hold; (of a person or style etc) reserved; restrained; (of words, writings) full of hidden meaning; implicit; veiled (criticism)" -含蕴,hán yùn,to contain; to hold; content; (of a poem etc) full of implicit meaning -含血喷人,hán xuè pēn rén,to make false accusations against sb (idiom) -含辛茹苦,hán xīn rú kǔ,to suffer every possible torment (idiom); bitter hardship; to bear one's cross -含量,hán liàng,content; quantity contained -含金,hán jīn,gold-bearing; (fig.) valuable -含金量,hán jīn liàng,gold content; (fig.) value; worth -含钙,hán gài,containing calcium -含饴弄孙,hán yí nòng sūn,lit. to play with one's grandchildren while eating candy (idiom); fig. to enjoy a happy and leisurely old age -听,yǐn,smile (archaic) -吭,háng,throat -吭,kēng,to utter -吭吭,kēng kēng,"(onom.) coughing, grunting etc" -吭哧,kēng chi,to puff and blow; to whimper -吭气,kēng qì,to utter a sound -吭声,kēng shēng,to utter a word -吮,shǔn,to suck -吮吸,shǔn xī,to suck -吱,zhī,(onom.) creaking or groaning -吱,zī,(onom.) chirp; squeak; creak -吱吱嘎嘎,zī zī gā gā,(onom.) creaking and grating -吱吱声,zī zī shēng,squeak -吱嘎,zhī gā,(onom.) creak; crunch -吱嘎声,zhī gā shēng,(linguistics) creaky voice; vocal fry -吱声,zhī shēng,to utter a word; to make a sound; to cheep; to squeak; also pr. [zi1 sheng1] -吲,yǐn,used in 吲哚[yin3 duo3] -吲哚,yǐn duǒ,indole C8H7N (heterocyclic organic compound) (loanword) -吲唑,yǐn zuò,indazole (chemistry) (loanword) -吴,wú,"surname Wu; area comprising southern Jiangsu, northern Zhejiang and Shanghai; name of states in southern China at different historical periods" -吴三桂,wú sān guì,"Wu Sangui (1612-1678), Chinese general who let the Manchus into China and helped them establish the Qing Dynasty, later leading a revolt against Qing in an effort to start his own dynasty" -吴下阿蒙,wú xià ā méng,General Lü Meng 呂蒙|吕蒙 of the southern state of Wu (idiom); model of self-improvement by diligent study (from unlettered soldier to top strategist of Wu) -吴中,wú zhōng,"Wuzhong district of Suzhou city 蘇州市|苏州市[Su1 zhou1 shi4], Jiangsu" -吴中区,wú zhōng qū,"Wuzhong district of Suzhou city 蘇州市|苏州市[Su1 zhou1 shi4], Jiangsu" -吴仁宝,wú rén bǎo,"Wu Renbao (1928-2013), former CCP chief of Huaxi Village 華西村|华西村[Hua2 xi1 Cun1], responsible for turning it into a modern rich community" -吴任臣,wú rèn chén,"Wu Renchen (1628-1689), Qing dynasty polymath and historian, author of History of Ten States of South China 十國春秋|十国春秋" -吴作栋,wú zuò dòng,"Goh Chok Tong (1941-), Singapore businessman and politician, prime minister 1990-2004" -吴仪,wú yí,"Wu Yi (1938-), one of four vice-premiers of the PRC State Council" -吴侬娇语,wú nóng jiāo yǔ,pleasant-sounding Wu dialect; also written 吳儂軟語|吴侬软语[Wu2 nong2 ruan3 yu3] -吴侬软语,wú nóng ruǎn yǔ,pleasant-sounding Wu dialect -吴哥城,wú gē chéng,"Ankorwat, Cambodia" -吴哥窟,wú gē kū,"Angkor Wat, temple complex in Cambodia" -吴嘉经,wú jiā jīng,"Wu Jiajing (1618-1684), early Qing dynasty poet" -吴国,wú guó,"Wu state (in south China, in different historical periods); Wu state 220-280, founded by Sun Quan 孫權|孙权 the southernmost of the three Kingdoms" -吴堡,wú bǔ,"Wubu County in Yulin 榆林[Yu2 lin2], Shaanxi" -吴堡县,wú bǔ xiàn,"Wubu County in Yulin 榆林[Yu2 lin2], Shaanxi" -吴天明,wú tiān míng,"Wu Tianming (1939-), PRC film director" -吴子,wú zǐ,"Wuzi, one of the Seven Military Classics of ancient China 武經七書|武经七书[Wu3 jing1 Qi1 shu1], written by Wu Qi 吳起|吴起[Wu2 Qi3]" -吴孟超,wú mèng chāo,"Wu Mengchao (1922-), Chinese medical scientist and surgeon specializing in liver and gallbladder disorders" -吴官正,wú guān zhèng,"Wu Guanzheng (1938-), former CCP Secretary of the Central Commission for Discipline Inspection" -吴尊,wú zūn,"Wu Zun or Chun Wu (1979-), Bruneian actor, vocalist of Fei Lun Hai (Fahrenheit)" -吴川,wú chuān,"Wuchuan, county-level city in Zhanjiang 湛江[Zhan4 jiang1], Guangdong" -吴川市,wú chuān shì,"Wuchuan, county-level city in Zhanjiang 湛江[Zhan4 jiang1], Guangdong" -吴市吹箫,wú shì chuī xiāo,"to beg while playing the xiao 簫|箫[xiao1] (mouth organ); cf Wu Zixu 伍子胥[Wu3 Zi3 xu1], destitute refugee from Chu 楚[Chu3], busked in Wu town c. 520 BC, then became a powerful politician" -吴广,wú guǎng,"Wu Guang (died 208 BC), Qin dynasty rebel, leader of the Chen Sheng Wu Guang Uprising 陳勝吳廣起義|陈胜吴广起义[Chen2 Sheng4 Wu2 Guang3 Qi3 yi4]" -吴建豪,wú jiàn háo,"Wu Jianhao or Vanness Wu (1978-), Taiwan pop star and actor, F4 band member" -吴忠,wú zhōng,"Wuzhong, prefecture-level city in Ningxia" -吴忠市,wú zhōng shì,"Wuzhong, prefecture-level city in Ningxia" -吴承恩,wú chéng ēn,"Wu Cheng'en (1500-1582), author (or compiler) of novel Journey to the West 西遊記|西游记" -吴敬梓,wú jìng zǐ,"Wu Jingzi (1701-1754), Qing dynasty novelist, author of The Scholars 儒林外史[Ru2lin2 Wai4shi3]" -吴旗,wú qí,"Wuqi town and county, Shaanxi; old spelling of Wuqi 吳起|吴起[Wu2 qi3]" -吴旗县,wú qí xiàn,"Wuqi county, Shaanxi; old spelling of 吳起縣|吴起县[Wu2 qi3 xian4]" -吴晗,wú hán,"Wu Han (1909-1969), historian, author of biography of Zhu Yuanzhang 朱元璋, hounded to his death together with several members of his family during the cultural revolution" -吴楚,wú chǔ,southern states of Wu and Chu; the middle and lower Yangtze valley -吴桥,wú qiáo,"Wuqiao county in Cangzhou 滄州|沧州[Cang1 zhou1], Hebei" -吴桥县,wú qiáo xiàn,"Wuqiao county in Cangzhou 滄州|沧州[Cang1 zhou1], Hebei" -吴永刚,wú yǒng gāng,"Wu Yonggang (1907-1982), Chinese film director" -吴江,wú jiāng,"Wujiang, county-level city in Suzhou 蘇州|苏州[Su1 zhou1], Jiangsu" -吴江市,wú jiāng shì,"Wujiang, county-level city in Suzhou 蘇州|苏州[Su1 zhou1], Jiangsu" -吴淞,wú sōng,Wusong river and dock area in Shanghai -吴清源,wú qīng yuán,"Go Seigen (1914-2014), Go player" -吴牛见月,wú niú jiàn yuè,"cow from Wu is terrified by the moon, mistaking it for the sun" -吴玉章,wú yù zhāng,"Wu Yuzhang (1878-1966), writer, educator and communist politician" -吴王阖庐,wú wáng hé lú,"King Helu of Wu (-496 BC, reigned 514-496 BC); also called 吳王闔閭|吴王阖闾" -吴王阖闾,wú wáng hé lǘ,"King Helu of Wu (-496 BC, reigned 514-496 BC), sometimes considered one of the Five Hegemons 春秋五霸; also called 吳王闔廬|吴王阖庐" -吴用,wú yòng,"Wu Yong, character of 水滸傳|水浒传[Shui3 hu3 Zhuan4], nicknamed Resourceful Star 智多星[Zhi4 duo1 xing1]" -吴县,wú xiàn,Wu county in Jiangsu -吴自牧,wú zì mù,"Wu Zimu (lived c. 1270), writer at the end of the Song dynasty" -吴兴,wú xīng,"Wuxing district of Huzhou city 湖州市[Hu2 zhou1 shi4], Zhejiang" -吴兴区,wú xīng qū,"Wuxing district of Huzhou city 湖州市[Hu2 zhou1 shi4], Zhejiang" -吴语,wú yǔ,Wu dialects (spoken primarily in Shanghai and surrounding areas) -吴起,wú qǐ,"Wu Qi (440-381 BC), military leader and politician of the Warring States Period (475-220 BC), author of Wuzi 吳子|吴子[Wu2 zi3], one of the Seven Military Classics of ancient China 武經七書|武经七书[Wu3 jing1 Qi1 shu1]" -吴起,wú qǐ,"Wuqi county in Yan'an 延安[Yan2 an1], Shaanxi" -吴起县,wú qǐ xiàn,"Wuqi county in Yan'an 延安[Yan2 an1], Shaanxi" -吴越,wú yuè,states of south China in different historical periods; proverbially perpetual arch-enemies -吴越同舟,wú yuè tóng zhōu,Wu and Yue in the same boat (idiom); fig. cooperation between natural rivals; to collaborate towards a common end; in the same boat together -吴越春秋,wú yuè chūn qiū,"History of the Southern States Wu and Yue (traditional rivals), compiled by Han historian Zhao Ye 趙曄|赵晔[Zhao4 Ye4], 10 extant scrolls" -吴趼人,wú jiǎn rén,"Wu Jianren (1867-1910), late Qing dynasty novelist, author of The strange state of the world witnessed over 20 years 二十年目睹之怪現狀|二十年目睹之怪现状" -吴邦国,wú bāng guó,"Wu Bangguo (1941-), PRC electrical engineer and politician, politburo member 1992-2012" -吴郭鱼,wú guō yú,(Tw) tilapia -吴镇宇,wú zhèn yǔ,"Francis Ng Chun-Yu (1961-), Hong Kong actor" -吴头楚尾,wú tóu chǔ wěi,lit. head in Wu and tail in Chu (idiom); fig. close together; head-to-tail; one thing starts where the other leaves off -吵,chǎo,to quarrel; to make a noise; noisy; to disturb by making a noise -吵吵,chāo chao,to make a racket; to quarrel -吵吵嚷嚷,chǎo chǎo rǎng rǎng,to make an (unnecessary) racket (idiom) -吵嘴,chǎo zuǐ,to quarrel -吵嚷,chǎo rǎng,to make a racket; clamour; uproar -吵架,chǎo jià,to quarrel; to have a row; quarrel; CL:頓|顿[dun4] -吵醒,chǎo xǐng,to wake sb up with a noise -吵杂,chǎo zá,noisy -吵闹,chǎo nào,noisy; raucous; to shout and scream -吵闹声,chǎo nào shēng,noise -呐,nà,battle cry -呐,na,sentence-final particle (abbr. for 呢啊[ne5 a5] or variant of 哪[na5]) -呐喊,nà hǎn,shout; rallying cry; cheering; to shout -吸,xī,to breathe; to suck in; to absorb; to inhale -吸住,xī zhù,to draw (towards); to be drawn to; to be sucked in -吸入,xī rù,to breathe in; to suck in; to inhale -吸入剂,xī rù jì,inhalant -吸入器,xī rù qì,inhaler -吸入阀,xī rù fá,suction valve -吸力,xī lì,"(physics) attraction (gravitational, magnetic, electrostatic etc); suction; (fig.) attraction (power to attract interest or liking)" -吸取,xī qǔ,"to absorb; to draw (a lesson, insight etc); to assimilate" -吸取教训,xī qǔ jiào xun,to draw a lesson (from a setback) -吸口,xī kǒu,sucker mouth -吸吮,xī shǔn,to suck on (sth); to suck in -吸地,xī dì,to vacuum the floor -吸尘器,xī chén qì,vacuum cleaner; dust catcher -吸尘机,xī chén jī,vacuum cleaner -吸奶,xī nǎi,to suckle; to pump breast milk with a breast pump -吸奶器,xī nǎi qì,breast pump -吸引,xī yǐn,to attract; to appeal to; to fascinate -吸引力,xī yǐn lì,attractive force (such as gravitation); sex appeal; attractiveness -吸引子,xī yǐn zi,"attractor (math., dynamical systems)" -吸引子网络,xī yǐn zǐ wǎng luò,attractor network -吸把,xī bǎ,toilet plunger -吸收,xī shōu,to absorb; to assimilate; to ingest; to recruit -吸收剂量,xī shōu jì liàng,absorbed dose -吸毒,xī dú,to take drugs -吸毒成瘾,xī dú chéng yǐn,drug addiction -吸气,xī qì,to inhale; to draw in breath -吸气器,xī qì qì,aspirator -吸氧,xī yǎng,to breathe; to absorb oxygen -吸水,xī shuǐ,absorbent -吸湿,xī shī,to absorb moisture -吸湿性,xī shī xìng,absorbent -吸烟,xī yān,to smoke -吸烟区,xī yān qū,smoking area -吸烟室,xī yān shì,smoking room -吸热,xī rè,heat absorption -吸留,xī liú,to absorb; to take in and retain -吸尽,xī jìn,to absorb completely; to drink up -吸盘,xī pán,suction pad; sucker -吸盘鱼,xī pán yú,shark sucker (Echeneis naucrates) -吸睛,xī jīng,eye-catching -吸碳,xī tàn,to absorb carbon -吸碳存,xī tàn cún,carbon sink -吸积,xī jī,accretion -吸管,xī guǎn,(drinking) straw; pipette; eyedropper; snorkel; CL:支[zhi1] -吸粉,xī fěn,to increase one's followers; to get more fans -吸纳,xī nà,to take in; to absorb; to admit; to accept -吸声,xī shēng,sound absorption -吸着,xī zhuó,"sorption (generic term for absorption, adsorption, diffusion, precipitation etc)" -吸蜜鸟,xī mì niǎo,honeyeater (bird of family Meliphagidae) -吸虫,xī chóng,"trematoda; fluke; trematode worm, approx 6000 species, mostly parasite, incl. on humans" -吸虫纲,xī chóng gāng,"Class Trematoda; fluke; trematode worm, a parasite incl. on humans" -吸血,xī xuè,to suck blood -吸血乌贼,xī xuè wū zéi,vampire squid (Vampyroteuthis infernalis) -吸血者,xī xuè zhě,blood sucker; a leech; leecher -吸血鬼,xī xuè guǐ,"leech; bloodsucking vermin; vampire (translated European notion); fig. cruel exploiter, esp. a capitalist exploiting the workers" -吸猫,xī māo,(neologism c. 2017) to dote on cats -吸进,xī jìn,to inhale; to breathe in -吸金,xī jīn,money-spinning; moneymaking -吸铁石,xī tiě shí,a magnet; same as 磁鐵|磁铁 -吸门,xī mén,epiglottis -吸附,xī fù,to adhere to a surface; to absorb; to draw in; (fig.) to attract; (chemistry) adsorption -吸附剂,xī fù jì,absorbent -吸附性,xī fù xìng,absorption; absorbability (chemistry) -吸附洗消剂,xī fù xǐ xiāo jì,absorbing decontaminant -吸音,xī yīn,sound-absorbing -吸顶灯,xī dǐng dēng,flush-mounted ceiling lamp (loanword) -吸食,xī shí,"(of an insect) to drink (nectar, sap, blood etc); (of a person) to take (a narcotic drug); to drink through a straw" -吹,chuī,to blow; to play a wind instrument; to blast; to puff; to boast; to brag; to end in failure; to fall through -吹干,chuī gān,to blow-dry -吹了,chuī le,failed; busted; to have not succeeded; to have died; to have parted company; to have chilled (of a relationship) -吹冷风,chuī lěng fēng,to blow cold; damping expectations by discouraging or realistic words -吹口哨,chuī kǒu shào,to whistle -吹吹拍拍,chuī chuī pāi pāi,to boast and flatter -吹哨,chuī shào,to blow a whistle; to whistle -吹哨人,chuī shào rén,whistleblower -吹喇叭,chuī lǎ ba,(lit.) blowing the trumpet; (fig.) to praise sb; (slang) to give a blowjob -吹嘘,chuī xū,to brag -吹奏,chuī zòu,to play (wind instruments) -吹孔,chuī kǒng,(of a musical instrument) blow hole -吹拂,chuī fú,to brush; to caress (of breeze); to praise -吹拍,chuī pāi,to resort to bragging and flattering; abbr. for 吹牛拍馬|吹牛拍马[chui1 niu2 pai1 ma3] -吹捧,chuī pěng,to flatter; to laud sb's accomplishments; adulation -吹擂,chuī léi,to talk big; to boast -吹散,chuī sàn,to disperse -吹枕边风,chuī zhěn biān fēng,to sway (sb) through pillow talk -吹毛求疵,chuī máo qiú cī,lit. to blow apart the hairs upon a fur to discover any defect (idiom); fig. to be fastidious; nitpick -吹气,chuī qì,to blow air (into) -吹灰,chuī huī,to blow away dust -吹灰之力,chuī huī zhī lì,a slight effort -吹熄,chuī xī,to blow out (a flame) -吹灯拔蜡,chuī dēng bá là,lit. to blow out the lamp and put out the candle (idiom); fig. to die; to bite the dust; to be over and done with -吹牛,chuī niú,to talk big; to shoot off one's mouth; to chat (dialect) -吹牛拍马,chuī niú pāi mǎ,to resort to bragging and flattering -吹牛皮,chuī niú pí,to boast; to talk big -吹球机,chuī qiú jī,lottery machine -吹竽手,chuī yú shǒu,player of the yu 竽[yu2] (free reed wind instrument) -吹笛者,chuī dí zhě,piper -吹管,chuī guǎn,blowpipe -吹管乐,chuī guǎn yuè,woodwind music -吹箫,chuī xiāo,"to play the xiao 簫|箫[xiao1] (mouth organ); to beg while playing pipes; cf politician Wu Zixu 伍子胥[Wu3 Zi3 xu1], c. 520 BC destitute refugee in Wu town, 吳市吹簫|吴市吹箫[Wu2 shi4 chui1 xiao1]; to busk; virtuoso piper wins a beauty, cf 玉人吹簫|玉人吹箫[yu4 ren2 chui1 xiao1]; (slang) fellatio; blowjob" -吹箫乞食,chuī xiāo qǐ shí,"to beg while playing the xiao 簫|箫[xiao1] (mouth organ); cf Wu Zixu 伍子胥[Wu3 Zi3 xu1], destitute refugee from Chu 楚[Chu3], busked in Wu town c. 520 BC, then became a powerful politician" -吹糠见米,chuī kāng jiàn mǐ,instant results; lit. blow the husk and see the rice -吹胀,chuī zhàng,to blow up; to inflate -吹台,chuī tái,(coll.) to fall through; to result in failure; (of a relationship) to break up -吹叶机,chuī yè jī,leaf blower (machine) -吹号,chuī hào,to blow a brass instrument -吹袭,chuī xí,(of wind) to blow fiercely; (of a storm) to strike -吹风机,chuī fēng jī,hair dryer -吹胡子瞪眼,chuī hú zi dèng yǎn,to get angry; to fume -吹鼓手,chuī gǔ shǒu,(old) musicians at a wedding cortege or funeral procession; (fig.) trumpeter of sb's praises; booster -吻,wěn,kiss; to kiss; mouth -吻别,wěn bié,to kiss goodbye -吻合,wěn hé,to be a good fit; to be identical with; to adjust oneself to; to fit in -吻戏,wěn xì,kissing scene (in a movie etc) -吻技,wěn jì,kissing technique -吻痕,wěn hén,hickey; love bite -吻部,wěn bù,snout -吼,hǒu,to roar; to howl; to shriek; roar or howl of an animal; bellow of rage -吼叫,hǒu jiào,to howl -吼声,hǒu shēng,roar -吾,wú,surname Wu -吾,wú,(old) I; my -吾人,wú rén,(literary) we; us -吾尔开希,wú ěr kāi xī,"Örkesh Dölet (1968-), one of the main leaders of the Beijing student democracy movement of 1989" -吾等,wú děng,(literary) we; us -吾辈,wú bèi,(literary) we; us -呀,ya,"(particle equivalent to 啊 after a vowel, expressing surprise or doubt)" -呀诺达,yā nuò dá,"Yanoda, a rainforest in southern Hainan" -吕,lǚ,surname Lü -吕,lǚ,"pitchpipe, pitch standard, one of the twelve semitones in the traditional tone system" -吕不韦,lǚ bù wéi,"Lü Buwei (?291-235 BC), merchant and politician of the State of Qin 秦國|秦国[Qin2 guo2], subsequent Qin Dynasty 秦代[Qin2 dai4] Chancellor, allegedly the father of Ying Zheng 嬴政[Ying2 Zheng4], who subsequently became the first emperor Qin Shihuang 秦始皇[Qin2 Shi3 huang2]" -吕嘉民,lǚ jiā mín,"Lü Jiamin (1946-) aka Jiang Rong 姜戎[Jiang1 Rong2], Chinese writer" -吕塞尔斯海姆,lǚ sāi ěr sī hǎi mǔ,"Rüsselsheim, city in Germany" -吕宋岛,lǚ sòng dǎo,"Luzon Island, north Philippines" -吕宋海峡,lǚ sòng hǎi xiá,Luzon Strait between Taiwan and Luzon Island (Philippines) -吕岩,lǚ yán,"Lü Yan (lived c. 874), Tang dynasty poet" -吕布,lǚ bù,"Lü Bu (-198), general and warlord" -吕布戟,lǚ bù jǐ,snake halberd -吕望,lǚ wàng,see Jiang Ziya 姜子牙[Jiang1 Zi3 ya2] -吕梁,lǚ liáng,Lüliang prefecture-level city in Shanxi 山西 -吕梁市,lǚ liáng shì,Lüliang prefecture-level city in Shanxi 山西 -吕氏春秋,lǚ shì chūn qiū,"lit. “Mr. Lü's Spring and Autumn (Annals)”, compendium of the philosophies of the Hundred Schools of Thought 諸子百家|诸子百家[zhu1 zi3 bai3 jia1], compiled around 239 BC under the patronage of Qin Dynasty 秦代[Qin2 dai4] Chancellor Lü Buwei 呂不韋|吕不韦[Lu:3 Bu4 wei2]" -吕洞宾,lǚ dòng bīn,"Lü Dongbin (796-), Tang Dynasty scholar, one of the Eight Immortals 八仙[Ba1 xian1]" -吕纯阳,lǚ chún yáng,see 呂洞賓|吕洞宾[Lu:3 Dong4 bin1] -吕蒙,lǚ méng,"Lü Meng (178-219), general of the southern state of Wu" -吕览,lǚ lǎn,"""Mr Lü's Annals"", same as 呂氏春秋|吕氏春秋[Lu:3 shi4 Chun1 qiu1]" -吕贝克,lǚ bèi kè,"Lübeck, Germany" -呃,è,(exclamation); to hiccup -呃逆,è nì,to hiccup; to belch -呆,dāi,foolish; stupid; expressionless; blank; to stay -呆住,dāi zhù,to be dumbfounded; to be astonished -呆傻,dāi shǎ,stupid; foolish; dull-witted -呆子,dāi zi,fool; sucker -呆帐,dāi zhàng,bad debt -呆扳手,dāi bān shǒu,open spanner; open end spanner; flat spanner -呆会儿,dāi huì er,see 待會兒|待会儿[dai1 hui4 r5] -呆板,dāi bǎn,stiff; inflexible; also pr. [ai2 ban3] -呆根,dāi gēn,(literary) idiot -呆滞,dāi zhì,dull; lifeless; sluggish -呆瓜,dāi guā,idiot; fool -呆站,dāi zhàn,to stand idly -呆笨,dāi bèn,dimwitted -呆若木鸡,dāi ruò mù jī,lit. dumb as a wooden chicken (idiom); fig. dumbstruck -呆萌,dāi méng,endearingly silly -呆账,dāi zhàng,bad debt -呆头呆脑,dāi tóu dāi nǎo,oafish; dull-witted -呈,chéng,to present to a superior; memorial; petition; to present (a certain appearance); to assume (a shape); to be (a certain color) -呈交,chéng jiāo,(formal and deferential) to present; to submit -呈报,chéng bào,to (submit a) report -呈文,chéng wén,petition (submitted to a superior) -呈献,chéng xiàn,to present respectfully -呈现,chéng xiàn,to appear; to emerge; to present (a certain appearance); to demonstrate -呈给,chéng gěi,to give; to hand -呈请,chéng qǐng,to submit (to superiors) -呈贡,chéng gòng,"Chenggong county in Kunming 昆明[Kun1 ming2], Yunnan" -呈贡县,chéng gòng xiàn,"Chenggong county in Kunming 昆明[Kun1 ming2], Yunnan" -呈送,chéng sòng,to present; to render -呈递,chéng dì,to present; to submit -呈阴性,chéng yīn xìng,to test negative -呈阳性,chéng yáng xìng,to test positive -告,gào,(bound form) to say; to tell; to announce; to report; to denounce; to file a lawsuit; to sue -告一段落,gào yī duàn luò,to come to the end of a phase (idiom) -告之,gào zhī,to tell sb; to inform -告便,gào biàn,to ask to be excused; to ask leave to go to the toilet -告儿,gào er,(coll.) to tell -告别,gào bié,to leave; to part from; to bid farewell to; to say goodbye to -告别式,gào bié shì,parting ceremony; funeral -告吹,gào chuī,to fizzle out; to come to nothing -告密,gào mì,to inform against sb -告密者,gào mì zhě,tell-tale; informer (esp. to police); whistleblower; grass -告急,gào jí,to be in a state of emergency; to report an emergency; to ask for emergency assistance -告戒,gào jiè,variant of 告誡|告诫[gao4 jie4] -告捷,gào jié,to win; to be victorious; to report a victory -告求,gào qiú,to ask -告状,gào zhuàng,"to tell on sb; to complain (to a teacher, a superior etc); to bring a lawsuit" -告发,gào fā,to lodge an accusation; accusation (law) -告白,gào bái,to announce publicly; to explain oneself; to reveal one's feelings; to confess; to declare one's love -告知,gào zhī,to inform -告示,gào shi,announcement -告示牌,gào shì pái,notice; placard; signboard -告竣,gào jùn,(of a project) to be completed -告终,gào zhōng,to end; to reach an end -告罄,gào qìng,to run out; to have exhausted -告解,gào jiě,(Catholicism) to confess; confession -告诉,gào sù,to press charges; to file a complaint -告诉,gào su,to tell; to inform; to let know -告语,gào yǔ,to inform; to tell -告诫,gào jiè,to warn; to admonish -告诵,gào sòng,to tell; to inform -告谕,gào yù,(literary) to inform (the public); to give clear instructions; public announcement (from higher authorities) -告辞,gào cí,to say goodbye; to take one's leave -告退,gào tuì,to petition for retirement (old); to ask for leave to withdraw; to ask to be excused -告送,gào song,(dialect) to tell; to inform -告饶,gào ráo,to beg for mercy -呋,fū,"used in transliteration, e.g. 呋喃[fu1 nan2], furan or 呋喃西林[fu1 nan2 xi1 lin2], furacilinum; old variant of 趺[fu1]" -呋喃,fū nán,"furan (furfuran, used in making nylon) (loanword)" -呋喃西林,fū nán xī lín,furacilinum (loanword) -叫,jiào,variant of 叫[jiao4] -呎,chǐ,foot (unit of length equal to 0.3048 m); old form of modern 英尺[ying1 chi3] -呑,tūn,variant of 吞[tun1] -呔,dāi,(interjection) hey!; Taiwan pr. [tai5] -呔,tǎi,(dialect) non-local in one's speaking accent -呢,ne,"particle indicating that a previously asked question is to be applied to the preceding word (""What about ...?"", ""And ...?""); particle for inquiring about location (""Where is ...?""); particle signaling a pause, to emphasize the preceding words and allow the listener time to take them on board (""ok?"", ""are you with me?""); (at the end of a declarative sentence) particle indicating continuation of a state or action; particle indicating strong affirmation" -呢,ní,woolen material -呢呢,ní ní,garrulous; talkative -呢呢痴痴,ní ní chī chī,docile -呢喃,ní nán,(onom.) twittering of birds; whispering; murmuring -呢喃细语,ní nán xì yǔ,whispering in a low voice (idiom); murmuring -呢子,ní zi,woolen cloth -呤,líng,used in 呤呤[ling2 ling2] -呤,lìng,used in 嘌呤[piao4 ling4]; Taiwan pr. [ling2] -呤呤,líng líng,(literary) to whisper -呦,yōu,Oh! (exclamation of dismay etc); used in 呦呦[you1 you1] -呦呦,yōu yōu,(literary) (onom.) bleating of a deer -周,zhōu,surname Zhou; Zhou Dynasty (1046-256 BC) -周,zhōu,to make a circuit; to circle; circle; circumference; lap; cycle; complete; all; all over; thorough; to help financially -周一岳,zhōu yī yuè,"York Chow or Chow Yat-ngok (1947-), Hong Kong doctor and politician, Secretary for Health, Welfare and Food since 2004" -周三径一,zhōu sān jìng yī,circumference of a circle is proverbially three times its radius -周中,zhōu zhōng,weekday; midweek -周代,zhōu dài,Zhou dynasty (1046-221 BC) -周作人,zhōu zuò rén,"Zhou Zuoren (1885-1967), brother of Lu Xun 魯迅|鲁迅[Lu3 Xun4], academic in Japanese and Greek studies, briefly imprisoned after the war as Japanese collaborator, persecuted and died of unknown causes during the Cultural Revolution" -周备,zhōu bèi,thorough; carefully prepared -周传瑛,zhōu chuán yīng,"Zhou Chuanying (1912-1988), Kunqu 崑曲|昆曲[Kun1 qu3] opera actor" -周全,zhōu quán,comprehensive; thorough; to bring one's help; to assist -周公,zhōu gōng,"Duke of Zhou (11th c. BC), son of King Wen of Zhou 周文王[Zhou1 Wen2 wang2], played an important role as regent in founding the Western Zhou 西周[Xi1 Zhou1], and is also known as the ""God of Dreams""" -周到,zhōu dào,thoughtful; considerate; attentive; thorough; also pr. [zhou1 dao5] -周勃,zhōu bó,"Zhou Bo (?-169 BC), military man and politician at the Qin-Han transition, a founding minister of Western Han" -周口,zhōu kǒu,prefecture level city in east Henan 河南 -周口市,zhōu kǒu shì,"Zhoukou, prefecture-level city in Henan" -周口店,zhōu kǒu diàn,"Zhoukoudian prehistoric site in Fangshan district 房山區|房山区[Fang2 shan1 qu1], Beijing" -周围,zhōu wéi,environs; surroundings; periphery -周围性眩晕,zhōu wéi xìng xuàn yùn,peripheral vertigo -周报,zhōu bào,weekly publication -周宣王,zhōu xuān wáng,"King Xuan, eleventh King of Zhou, reigned (828-782 BC)" -周家,zhōu jiā,"the Zhou family (household, firm etc); Jow-Ga Kung Fu - Martial Art" -周密,zhōu mì,careful; thorough; meticulous; dense; impenetrable -周宁,zhōu níng,"Zhouning county in Ningde 寧德|宁德[Ning2 de2], Fujian" -周宁县,zhōu níng xiàn,"Zhouning county in Ningde 寧德|宁德[Ning2 de2], Fujian" -周小川,zhōu xiǎo chuān,"Zhou Xiaochuan (1948-), PRC banker and politician, governor of People's Bank of China 中國人民銀行|中国人民银行[Zhong1 guo2 Ren2 min2 Yin2 hang2] 2002-2018" -周年庆,zhōu nián qìng,anniversary celebration -周幽王,zhōu yōu wáng,"King You of Zhou (795-771 BC), last king of Western Zhou 西周[Xi1 Zhou1]" -周延,zhōu yán,exhaustive; distributed (logic: applies to every instance) -周恩来,zhōu ēn lái,"Zhou Enlai (1898-1976), Chinese communist leader, prime minister 1949-1976" -周成王,zhōu chéng wáng,"King Cheng of Zhou (1055-1021 BC), reigned 1042-1021 BC as the 2nd king of Western Zhou 西周[Xi1 Zhou1], son of King Wu of Zhou 周武王[Zhou1 Wu3 wang2]" -周扒皮,zhōu bā pí,"Zhou the exploiter, archetypal character in short story 半夜雞叫|半夜鸡叫[ban4 ye4 ji1 jiao4]" -周折,zhōu zhé,twists and turns; vicissitude; complication; difficulty; effort; CL:番[fan1] -周敦颐,zhōu dūn yí,"Zhou Dunyi (1017-1073), Song dynasty neo-Confucian scholar" -周文王,zhōu wén wáng,"King Wen of Zhou state (c. 1152-1056 BC), reigned c. 1099-1056 BC as king of Zhou state, leading figure in building the subsequent Western Zhou dynasty, father of King Wu of Zhou 周武王[Zhou1 Wu3 wang2] the first Zhou dynasty king" -周旋,zhōu xuán,to mix with others; to socialize; to deal with; to contend -周易,zhōu yì,another name for Book of Changes (I Ching) 易經|易经[Yi4 jing1] -周星驰,zhōu xīng chí,"Stephen Chow (1962-), Hong Kong actor, comedian, screenwriter and film director, known for his mo lei tau 無厘頭|无厘头[wu2 li2 tou2] movies" -周晬,zhōu zuì,one full year (e.g. on child's first birthday); same as 週歲|周岁[zhou1 sui4] -周书,zhōu shū,"History of Zhou of the Northern Dynasties, twelfth of the 24 dynastic histories 二十四史[Er4 shi2 si4 Shi3], compiled under Linghu Defen 令狐德棻[Ling2 hu2 De2 fen1] in 636 during Tang Dynasty, 50 scrolls" -周会,zhōu huì,weekly meeting; weekly assembly -周有光,zhōu yǒu guāng,"Zhou Youguang (1906-2017), PRC linguist, considered the father of Hanyu Pinyin 漢語拼音|汉语拼音[Han4 yu3 Pin1 yin1]" -周朝,zhōu cháo,Zhou Dynasty; Western Zhou 西周 (1046-771 BC) and Eastern Zhou 東周|东周 (770-221 BC) -周期函数,zhōu qī hán shù,periodic function -周村,zhōu cūn,"Zhoucun district of Zibo city 淄博市[Zi1 bo2 shi4], Shandong" -周村区,zhōu cūn qū,"Zhoucun district of Zibo city 淄博市[Zi1 bo2 shi4], Shandong" -周杰伦,zhōu jié lún,"Jay Chou (1979-), Taiwanese pop star" -周梁淑怡,zhōu liáng shū yí,"Selina Chow (Chow Liang Shuk-yee) (1945-), Hong Kong politician" -周树人,zhōu shù rén,"Zhou Shuren, the real name of author Lu Xun 魯迅|鲁迅[Lu3 Xun4]" -周武王,zhōu wǔ wáng,"King Wu of Zhou (-1043), personal name Ji Fa 姬發|姬发, reigned 1046-1043 BC as first king of Western Zhou dynasty 1046-1043 BC" -周武王姬发,zhōu wǔ wáng jī fā,"King Wu of Zhou, personal name Ji Fa, reigned 1046-1043 BC as first king of Western Zhou dynasty 西周[Xi1 Zhou1] 1046-771 BC" -周永康,zhōu yǒng kāng,"Zhou Yongkang (1942-), PRC petroleum engineer and politician" -周波,zhōu bō,cycle (physics) -周渝民,zhōu yú mín,"Zhou Yumin or Vic Zhou (1981-), Taiwan singer and actor, member of pop group F4" -周润发,zhōu rùn fā,"Chow Yun-Fat (1955-), Hong Kong TV and film star" -周济,zhōu jì,"Zhou Ji (1781-1839), Qing writer and poet" -周济,zhōu jì,help to the needy; emergency relief; charity; to give to poorer relative; (also 賙濟|赒济) -周狗,zhōu gǒu,obedient dog; lackey -周王朝,zhōu wáng cháo,the Zhou dynasty from 1027 BC -周瑜,zhōu yú,"Zhou Yu (175-210), famous general of the southern Wu kingdom and victor of the battle of Redcliff; in Romance of the Three Kingdoms 三國演義|三国演义[San1 guo2 Yan3 yi4], absolutely no match for Zhuge Liang 諸葛亮|诸葛亮[Zhu1 ge3 Liang4]" -周瑜打黄盖,zhōu yú dǎ huáng gài,fig. with the connivance of both sides; fig. by mutual consent; cf Wu patriot Huang Gai submits to mock beating at the hands of General Zhou Yu to deceive Cao Cao 曹操[Cao2 Cao1] before the 208 battle of Redcliff 赤壁之戰|赤壁之战[Chi4 bi4 zhi1 Zhan4] -周璇,zhōu xuán,"Zhou Xuan (1918-1957), Chinese singer and film actress" -周瘦鹃,zhōu shòu juān,"Zhou Shoujuan (1895-1968), writer, translator and art collector in Suzhou, a victim of the Cultural Revolution" -周知,zhōu zhī,well known -周礼,zhōu lǐ,the Rites of Zhou (in Confucianism) -周穆王,zhōu mù wáng,"King Mu, fifth king of Zhou, said to have lived to 105 and reigned 976-922 BC or 1001-947 BC, rich in associated mythology" -周立波,zhōu lì bō,"Zhou Libo (1908-1979), left-wing journalist, translator and novelist; Zhou Libo (1967-), Chinese stand-up comedian" -周章,zhōu zhāng,(literary) effort; trouble; pains (to get sth done); (literary) frightened; terrified -周总理,zhōu zǒng lǐ,Premier Zhou Enlai 周恩來|周恩来 (1898-1976) -周至,zhōu zhì,"Zhouzhi county in Xi'an 西安[Xi1 an1], Shaanxi" -周至,zhōu zhì,see 周到[zhou1 dao4] -周至县,zhōu zhì xiàn,"Zhouzhi county in Xi'an 西安[Xi1 an1], Shaanxi" -周庄,zhōu zhuāng,"Zhouzhuang, old canal town between Shanghai and Suzhou, tourist attraction" -周庄镇,zhōu zhuāng zhèn,"Zhouzhuang, old canal town between Shanghai and Suzhou, tourist attraction" -周华健,zhōu huá jiàn,"Wakin Chau (1960-), HK-born Taiwanese singer and actor" -周处,zhōu chǔ,"Zhou Chu (236-297), Jin dynasty general" -周角,zhōu jiǎo,(math.) angle of 360° -周详,zhōu xiáng,meticulous; thorough; comprehensive; complete; detailed -周身,zhōu shēn,whole body -周转,zhōu zhuǎn,"to rotate; to circulate (cash, stock etc); turnover; circulation; cash flow" -周转不开,zhōu zhuǎn bù kāi,to have financial difficulties; unable to make ends meet -周转不灵,zhōu zhuǎn bù líng,to have a cash flow problem -周转金,zhōu zhuǎn jīn,revolving fund; working capital; petty cash; turnover -周速,zhōu sù,cycle time; cycle speed -周游,zhōu yóu,to travel around; to tour; to cross -周游世界,zhōu yóu shì jiè,to travel around the world -周游列国,zhōu yóu liè guó,to travel around many countries (idiom); peregrinations; refers to the travels of Confucius -周遭,zhōu zāo,surrounding; nearby -周边,zhōu biān,periphery; rim; surroundings; all around; perimeter; peripheral (computing); spin-offs -周边商品,zhōu biān shāng pǐn,spin-off merchandise -周长,zhōu cháng,perimeter; circumference -周髀算经,zhōu bì suàn jīng,"Zhou Bi Suan Jing, or Chou Pei Suan Ching, one of the oldest Chinese texts on astronomy and mathematics" -咒,zhòu,variant of 咒[zhou4] -呫,chè,used in 呫嚅[che4 ru2] -呫,tiè,to mutter; to talk indistinctly -呫,zhān,to drink; to sip; to taste; to lick; whisper; petty -呫呫,tiè tiè,to whisper -呫哔,tiè bì,to read aloud -呫吨,zhān dūn,xanthene (chemistry) -呫吨酮,zhān dūn tóng,xanthone (chemistry) -呫嚅,chè rú,to whisper -呫嗫,tiè niè,(onom.) muttering; to whisper; mouthing words -呫毕,tiè bì,to read aloud; also written 呫嗶|呫哔 -呱,gū,crying sound of child -呱呱,gū gū,(onom.) the crying of a baby; Taiwan pr. [wa1 wa1] -呱呱,guā guā,"(onom.) sound of frogs, ducks etc" -呱呱叫,guā guā jiào,excellent; tip-top -呱呱坠地,gū gū zhuì dì,(of a baby) to be born; Taiwan pr. [wa1 wa1 zhui4 di4] -呲,cī,(coll.) to scold; to rebuke -呲,zī,variant of 齜|龇[zi1] -呲牙咧嘴,zī yá liě zuǐ,to grimace (in pain); to show one's teeth; to bare one's fangs -味,wèi,taste; smell; (fig.) (noun suffix) feel; quality; sense; (TCM) classifier for ingredients of a medicine prescription -味之素,wèi zhī sù,"Ajinomoto, Japanese food and chemical corporation" -味儿,wèi er,taste -味同嚼蜡,wèi tóng jiáo là,lit. tastes as if one is chewing wax (idiom); fig. tasteless; insipid -味噌,wèi cēng,"miso (orthographic borrowing from Japanese 味噌 ""miso""); also pr. [wei4 zeng1]" -味噌汤,wèi cēng tāng,miso soup -味淋,wèi lín,variant of 味醂[wei4 lin2] -味精,wèi jīng,monosodium glutamate (MSG) -味素,wèi sù,monosodium glutamate (MSG) -味美思酒,wèi měi sī jiǔ,vermouth (loanword); Italian spiced fortified wine -味蕾,wèi lěi,taste bud(s) -味觉,wèi jué,sense of taste; gustation -味觉迟钝,wèi jué chí dùn,amblygeustia; loss of food taste -味道,wèi dao,flavor; taste; (fig.) feeling (of ...); sense (of ...); hint (of ...); (fig.) interest; delight; (dialect) smell; odor -味霖,wèi lín,variant of 味醂[wei4 lin2] -呵,ā,variant of 啊[a1] -呵,hē,expel breath; my goodness -呵叱,hē chì,variant of 呵斥[he1 chi4] -呵呵,hē hē,(onom.) gentle laughter; chuckle -呵喝,hē hè,to shout loudly; to bellow; to berate -呵斥,hē chì,to berate; to excoriate; to chide; also written 喝斥[he4chi4] -呵欠,hē qiàn,yawn -呵禁,hē jìn,to berate; to shout loudly -呵谴,hē qiǎn,to reprimand -呵护,hē hù,to bless; to cherish; to take good care of; to conserve -呵责,hē zé,to abuse; to berate -呶,náo,"clamor; (onom.) ""look!""" -呶,nǔ,to pout -呶呶,náo náo,"to talk endlessly, annoying everyone" -呷,xiā,to sip; to drink; Taiwan pr. [xia2] -呷呷,gā gā,(onom.) quack; honk -呸,pēi,pah!; bah!; pooh!; to spit (in contempt) -呻,shēn,(literary) to recite; to chant; to intone; (bound form) groan -呻吟,shēn yín,to moan; to groan -呼,hū,to call; to cry; to shout; to breath out; to exhale -呼中,hū zhōng,"Huzhong district of Daxing'anling prefecture 大興安嶺地區|大兴安岭地区, Heilongjiang" -呼中区,hū zhōng qū,"Huzhong district of Daxing'anling prefecture 大興安嶺地區|大兴安岭地区, Heilongjiang" -呼之即来,hū zhī jí lái,to come when called (idiom); ready and compliant; always at sb's beck and call -呼之欲出,hū zhī yù chū,lit. ready to appear at the call (idiom); fig. on the verge of coming out into the open; (of a person's choice etc) on the point of being disclosed; (of an artistic depiction) vividly portrayed -呼来喝去,hū lái hè qù,to call to come and shout to go (idiom); to yell orders; always bossing people around -呼伦湖,hū lún hú,Hulun Lake of Inner Mongolia -呼伦贝尔,hū lún bèi ěr,Hulunbuir prefecture-level city in Inner Mongolia -呼伦贝尔市,hū lún bèi ěr shì,Hulunbuir prefecture-level city in Inner Mongolia -呼伦贝尔草原,hū lún bèi ěr cǎo yuán,Hulunbuir grasslands of Inner Mongolia -呼出,hū chū,to exhale; to breathe out -呼叫,hū jiào,to shout; to yell; (telecommunications) to call -呼叫中心,hū jiào zhōng xīn,call center -呼叫器,hū jiào qì,pager; beeper -呼叫声,hū jiào shēng,whoop -呼召,hū zhào,to call (to do something) -呼吸,hū xī,to breathe -呼吸器,hū xī qì,ventilator (artificial breathing apparatus used in hospitals) -呼吸管,hū xī guǎn,snorkel -呼吸系统,hū xī xì tǒng,respiratory system -呼吸调节器,hū xī tiáo jié qì,regulator (diving) -呼吸道,hū xī dào,respiratory tract -呼呼,hū hū,(onom.) sound of the wind or the breathing of sb who is sound asleep -呼呼声,hū hū shēng,whir -呼和浩特,hū hé hào tè,"Hohhot prefecture-level city, capital of Inner Mongolia autonomous region 內蒙古自治區|内蒙古自治区[Nei4 meng3 gu3 Zi4 zhi4 qu1]" -呼和浩特市,hū hé hào tè shì,"Hohhot prefecture-level city, capital of Inner Mongolia autonomous region 內蒙古自治區|内蒙古自治区[Nei4 meng3 gu3 Zi4 zhi4 qu1]" -呼咻,hū xiū,(onom.) whoosh -呼哧,hū chī,(onom.) sound of panting -呼哧呼哧,hū chi hū chi,(onom.) rapid breathing -呼哱哱,hū bō bō,(coll.) hoopoe -呼啦啦,hū lā lā,flapping sound -呼啦圈,hū lā quān,hula hoop (loanword) -呼喊,hū hǎn,to shout (slogans etc) -呼唤,hū huàn,to call out (a name etc); to shout -呼喝,hū hè,to shout -呼啸,hū xiào,to whistle; to scream; to whiz -呼啸而过,hū xiào ér guò,to whistle past; to hurtle past; to zip by -呼嚎,hū háo,to roar (of animals); to wail; to cry out in distress; see also 呼號|呼号[hu1 hao2] -呼噜,hū lū,"(onom.) sound of snoring, wheezing or (cat's) purring" -呼噜噜,hū lū lū,(onom.) to snore; wheezing -呼图壁,hū tú bì,"Hutubi county in Changji Hui autonomous prefecture 昌吉回族自治州[Chang1 ji2 Hui2 zu2 zi4 zhi4 zhou1], Xinjiang" -呼图壁县,hū tú bì xiàn,"Hutubi county in Changji Hui autonomous prefecture 昌吉回族自治州[Chang1 ji2 Hui2 zu2 zi4 zhi4 zhou1], Xinjiang" -呼天抢地,hū tiān qiāng dì,(idiom) to cry out to heaven and knock one's head against the ground (as an expression of anguish) -呼弄,hū nòng,to fool; to deceive -呼应,hū yìng,to conform (with); to echo; to correlate well; (linguistics) agreement -呼拉圈,hū lā quān,hula hoop (loanword) -呼救,hū jiù,to call for help -呼朋引伴,hū péng yǐn bàn,to gather one's friends; to band together -呼朋引类,hū péng yǐn lèi,to call up all one's associates; rent-a-crowd -呼格,hū gé,vocative case (grammar) -呼机,hū jī,pager -呼气,hū qì,to breathe out -呼牛作马,hū niú zuò mǎ,"to call sth a cow or a horse (idiom); it doesn't matter what you call it; Insult me if you want, I don't care what you call me." -呼牛呼马,hū niú hū mǎ,"to call sth a cow or a horse (idiom); it doesn't matter what you call it; Insult me if you want, I don't care what you call me." -呼玛,hū mǎ,"Huma county in Daxing'anling prefecture 大興安嶺地區|大兴安岭地区, Heilongjiang" -呼玛县,hū mǎ xiàn,"Huma county in Daxing'anling prefecture 大興安嶺地區|大兴安岭地区, Heilongjiang" -呼吁,hū yù,to call on (sb to do sth); to appeal (to); an appeal -呼声,hū shēng,"a shout; fig. opinion or demand, esp. expressed by a group" -呼兰,hū lán,Hulan district of Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1] in Heilongjiang -呼兰区,hū lán qū,Hulan district of Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1] in Heilongjiang -呼号,hū háo,to wail; to cry out in distress -呼风唤雨,hū fēng huàn yǔ,to call the wind and summon the rain (idiom); to exercise magical powers; fig. to stir up troubles -命,mìng,"life; fate; order or command; to assign a name, title etc" -命不久矣,mìng bù jiǔ yǐ,at death's door -命中,mìng zhòng,to hit (a target) -命中率,mìng zhòng lǜ,hit rate; scoring rate -命中注定,mìng zhōng zhù dìng,decreed by fate (idiom); destined; fated -命令,mìng lìng,"order; command; CL:道[dao4],個|个[ge4]" -命令列,mìng lìng liè,command line (computing) (Tw) -命令句,mìng lìng jù,imperative sentence -命令行,mìng lìng háng,command line (computing) -命危,mìng wēi,(medicine) in a critical condition -命名,mìng míng,to give a name to; to dub; to christen; to designate; named after; naming -命名日,mìng míng rì,name day (tradition of celebrating a given name on a certain day of the year) -命名法,mìng míng fǎ,nomenclature -命名系统,mìng míng xì tǒng,system of nomenclature -命在旦夕,mìng zài dàn xī,to be at death's door (idiom) -命大,mìng dà,lucky (to have escaped death or serious injury) -命定,mìng dìng,to be predestined -命根,mìng gēn,lifeblood; the thing that one cherishes most in life; (coll.) family jewels (male genitals) -命根子,mìng gēn zi,see 命根[ming4 gen1] -命案,mìng àn,homicide case; murder case -命归黄泉,mìng guī huáng quán,lit. to return to the Yellow Springs 黃泉|黄泉[Huang2 quan2] (idiom); fig. to die; to meet one's end -命理,mìng lǐ,fate; predestination; divinatory art -命理学,mìng lǐ xué,divination; divinatory art -命盘,mìng pán,natal chart (astrology) -命相,mìng xiàng,horoscope -命脉,mìng mài,lifeline -命苦,mìng kǔ,to be born under an ill star -命薄,mìng bó,to be unlucky -命赴黄泉,mìng fù huáng quán,to visit the Yellow Springs; to die -命途,mìng tú,the course of one's life; one's fate -命途坎坷,mìng tú kǎn kě,to have a tough life; to meet much adversity in one's life -命途多舛,mìng tú duō chuǎn,to meet with many difficulties in one's life (idiom) -命运,mìng yùn,fate; destiny; CL:個|个[ge4] -命门,mìng mén,"(TCM) the right kidney; (TCM) acupuncture point GV-4, midway between the kidneys; the region between the kidneys; the eyes; (fortune-telling) the temples; (fig.) most critical or vulnerable point" -命题,mìng tí,"proposition (logic, math.); to assign an essay topic" -命题逻辑,mìng tí luó ji,propositional logic -咀,jǔ,to chew; to masticate -咀,zuǐ,popular variant of 嘴[zui3] -咀嚼,jǔ jué,to chew; to think over -咂,zā,to sip; to smack one's lips; to taste; to savor -咂摸,zā mo,(dialect) to savor; to test the taste of; (fig.) to ponder upon; to mull over -咄,duō,"(old)(interjection expressing disapproval, commiseration etc) tut!; Taiwan pr. [duo4]" -咄咄,duō duō,to cluck one's tongue; tut-tut -咄咄怪事,duō duō guài shì,strange; absurd; paradoxical; extraordinary -咄咄称奇,duō duō chēng qí,to cluck one's tongue in wonder -咄咄逼人,duō duō bī rén,overbearing; forceful; aggressive; menacing; imperious -咅,pǒu,"pooh; pah; bah; (today used as a phonetic component in 部[bu4], 倍[bei4], 培[pei2], 剖[pou1] etc)" -咆,páo,to roar -咆哮,páo xiào,"(of beasts of prey, torrents of water, a person in a rage etc) to roar" -咆哮如雷,páo xiào rú léi,to be in a thundering rage (idiom) -和,hé,old variant of 和[he2] -咋,zǎ,dialectal equivalent of 怎麼|怎么[zen3me5]; Taiwan pr. [ze2] -咋,zé,gnaw -咋,zhā,to shout; to show off; Taiwan pr. [ze2] -咋呼,zhā hu,bluster; ruckus; to boast loudly -咋舌,zhà shé,to be speechless; also pr. [ze2 she2] -和,hé,surname He -和,hé,(joining two nouns) and; together with; with (Taiwan pr. [han4]); (math.) sum; to make peace; (sports) to draw; to tie; (bound form) harmonious; (bound form) Japan; Japanese -和,hè,to compose a poem in reply (to sb's poem) using the same rhyme sequence; to join in the singing; to chime in with others -和,hú,to complete a set in mahjong or playing cards -和,huó,"to combine a powdery substance (flour, plaster etc) with water; Taiwan pr. [huo4]" -和,huò,to mix (ingredients) together; to blend; classifier for rinses of clothes; classifier for boilings of medicinal herbs -和事佬,hé shì lǎo,peacemaker; mediator; (derog.) fixer -和合,hé hé,harmony -和和气气,hé hé qì qì,polite and amiable -和善,hé shàn,good-natured -和好,hé hǎo,to become reconciled; on good terms with each other -和好如初,hé hǎo rú chū,to bury the hatchet; to become reconciled -和尚,hé shang,Buddhist monk -和尚打伞,hé shang dǎ sǎn,"see 和尚打傘,無法無天|和尚打伞,无法无天[he2 shang5 da3 san3 , wu2 fa3 wu2 tian1]" -和局,hé jú,draw; tied game -和布克赛尔县,hé bù kè sài ěr xiàn,"Hoboksar Mongol autonomous county or Qobuqsar Mongghul aptonom nahiyisi in Tacheng prefecture 塔城地區|塔城地区[Ta3 cheng2 di4 qu1], Xinjiang" -和布克赛尔蒙古自治县,hé bù kè sài ěr měng gǔ zì zhì xiàn,"Hoboksar Mongol autonomous county or Qobuqsar Mongghul aptonom nahiyisi in Tacheng prefecture 塔城地區|塔城地区[Ta3 cheng2 di4 qu1], Xinjiang" -和平,hé píng,"Heping District of Shenyang city 瀋陽市|沈阳市[Shen3 yang2 shi4], Liaoning; Heping or Hoping Township in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -和平,hé píng,peace; peaceful -和平主义,hé píng zhǔ yì,pacifism -和平共处,hé píng gòng chǔ,"peaceful coexistence of nations, societies etc" -和平共处五项原则,hé píng gòng chǔ wǔ xiàng yuán zé,Zhou Enlai's Five Principles of Peaceful Coexistence; 1954 Panchsheel series of agreements between PRC and India -和平区,hé píng qū,"Heping or Peace district (of many towns); Heping district of Tianjin municipality 天津市[Tian1 jin1 shi4]; Heping district of Shenyang city 瀋陽市|沈阳市, Liaoning" -和平会谈,hé píng huì tán,peace talks; peace discussions -和平条约,hé píng tiáo yuē,peace treaty -和平特使,hé píng tè shǐ,peace envoy -和平统一,hé píng tǒng yī,peaceful reunification -和平县,hé píng xiàn,"Heping county in Heyuan 河源[He2 yuan2], Guangdong" -和平解决,hé píng jiě jué,peace settlement; peaceful solution -和平谈判,hé píng tán pàn,peace negotiations -和平乡,hé píng xiāng,"Heping or Hoping Township in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -和平里,hé píng lǐ,Hepingli neighborhood of Beijing -和平队,hé píng duì,(U.S.) Peace Corps -和平鸟,hé píng niǎo,(bird species of China) Asian fairy-bluebird (Irena puella) -和平鸽,hé píng gē,dove of peace -和弦,hé xián,chord (music) -和得来,hé de lái,to get along well; compatible; also written 合得來|合得来[he2 de5 lai2] -和悦,hé yuè,affable; kindly -和政,hé zhèng,"Hezheng County in Linxia Hui Autonomous Prefecture 臨夏回族自治州|临夏回族自治州[Lin2 xia4 Hui2 zu2 Zi4 zhi4 zhou1], Gansu" -和政县,hé zhèng xiàn,"Hezheng County in Linxia Hui Autonomous Prefecture 臨夏回族自治州|临夏回族自治州[Lin2 xia4 Hui2 zu2 Zi4 zhi4 zhou1], Gansu" -和散那,hé sǎn nà,Hosanna (in Christian praise) -和数,hé shù,sum (math.) -和暖,hé nuǎn,pleasantly warm (weather) -和会,hé huì,peace conference -和服,hé fú,kimono -和林格尔,hé lín gé ěr,"Horinger county in Hohhot 呼和浩特[Hu1 he2 hao4 te4], Inner Mongolia" -和林格尔县,hé lín gé ěr xiàn,"Horinger county in Hohhot 呼和浩特[Hu1 he2 hao4 te4], Inner Mongolia" -和棋,hé qí,drawn game (in chess or other board game); CL:盤|盘[pan2] -和乐,hé lè,harmonious and happy -和乐蟹,hé lè xiè,Hele crab -和歌,hé gē,waka (style of Japanese poetry) -和歌山,hé gē shān,Wakayama prefecture in central Japan -和歌山县,hé gē shān xiàn,Wakayama prefecture in central Japan -和气,hé qi,friendly; polite; amiable -和气生财,hé qì shēng cái,(idiom) amiability makes you rich -和气致祥,hé qì zhì xiáng,(idiom) amiability leads to harmony -和洽,hé qià,harmonious -和煦,hé xù,warm; genial -和牌,hú pái,to win in mahjong -和牛,hé niú,wagyu -和田,hé tián,"Hotan, city and prefecture in Xinjiang; Wada (Japanese surname and place name)" -和田地区,hé tián dì qū,Hotan Prefecture in Xinjiang -和田市,hé tián shì,"Hotan, a major oasis town in southwestern Xinjiang" -和田河,hé tián hé,Hotan River in Xinjiang -和田玉,hé tián yù,nephrite; Hotan jade -和田县,hé tián xiàn,Hotan County in Xinjiang -和盘托出,hé pán tuō chū,lit. to put everything out including the tray; to reveal everything; to make a clean breast of it all -和睦,hé mù,peaceful relations; harmonious -和睦相处,hé mù xiāng chǔ,to live in harmony; to get along with each other -和硕,hé shuò,"Hoxud county, Xoshut nahiyisi or Heshuo county in Bayingolin Mongol Autonomous Prefecture, Xinjiang 巴音郭楞蒙古自治州[Ba1 yin1 guo1 leng2 Meng3 gu3 Zi4 zhi4 zhou1], Xinjiang" -和硕县,hé shuò xiàn,"Hoxud or Heshuo county or Xoshut nahiyisi in Bayingolin Mongol Autonomous Prefecture 巴音郭楞蒙古自治州[Ba1 yin1 guo1 leng2 Meng3 gu3 Zi4 zhi4 zhou1], Xinjiang" -和稀泥,huò xī ní,to try to smooth things over; to paper over the issues; to gloss things over -和约,hé yuē,peace treaty -和缓,hé huǎn,mild; gentle; to ease up; to relax -和县,hé xiàn,"He County or Hexian, a county in Ma'anshan 馬鞍山|马鞍山[Ma3an1shan1], Anhui" -和美,hé měi,"Hemei or Homei Town in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -和美,hé měi,harmonious; in perfect harmony -和美镇,hé měi zhèn,"Hemei or Homei Town in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -和声,hé shēng,harmony (music) -和胃力气,hé wèi lì qì,to harmonize the stomach and rectify qi 氣|气[qi4] (Chinese medicine) -和蔼,hé ǎi,kindly; nice; amiable -和蔼可亲,hé ǎi kě qīn,affable; genial -和衣而卧,hé yī ér wò,to lie down to sleep with one's clothes on -和解,hé jiě,to settle (a dispute out of court); to reconcile; settlement; conciliation; to become reconciled -和解费,hé jiě fèi,money settlement (fine or payment to end a legal dispute) -和记黄埔,hé jì huáng pǔ,"Hutchison Whampoa (former investment holding company based in Hong Kong, founded in 1863, defunct in 2015)" -和谈,hé tán,peace talks -和谐,hé xié,harmonious; harmony; (euphemism) to censor -和谐性,hé xié xìng,compatibility; mutual harmony -和谐号,hé xié hào,CRH-series high-speed trains operated by China Railway -和达清夫,hé dá qīng fū,"Wadati Kiyoō (1902-1995), pioneer Japanese seismologist" -和阗,hé tián,"old way of writing 和田[He2 tian2], Hotan (prior to 1959)" -和静,hé jìng,"Xéjing nahiyisi or Hejing county in Bayingolin Mongol Autonomous Prefecture, Xinjiang 巴音郭楞蒙古自治州[Ba1 yin1 guo1 leng2 Meng3 gu3 Zi4 zhi4 zhou1], Xinjiang" -和静县,hé jìng xiàn,"Xéjing nahiyisi or Hejing county in Bayingolin Mongol Autonomous Prefecture, Xinjiang 巴音郭楞蒙古自治州[Ba1 yin1 guo1 leng2 Meng3 gu3 Zi4 zhi4 zhou1], Xinjiang" -和音,hé yīn,harmony (pleasing combination of sounds) -和顺,hé shùn,"Heshun county in Jinzhong 晉中|晋中[Jin4 zhong1], Shanxi" -和顺,hé shùn,sweet-tempered; acquiescent -和顺县,hé shùn xiàn,"Heshun county in Jinzhong 晉中|晋中[Jin4 zhong1], Shanxi" -和颜悦色,hé yán yuè sè,amiable manner; pleasant countenance -和风,hé fēng,breeze; (Tw) Japanese-style (cooking etc) -和食,hé shí,Japanese cuisine -和面,huó miàn,to knead dough -和龙,hé lóng,"Helong, county-level city in Yanbian Korean Autonomous Prefecture 延邊朝鮮族自治州|延边朝鲜族自治州[Yan2 bian1 Chao2 xian3 zu2 Zi4 zhi4 zhou1], Jilin" -和龙市,hé lóng shì,"Helong, county-level city in Yanbian Korean Autonomous Prefecture 延邊朝鮮族自治州|延边朝鲜族自治州[Yan2 bian1 Chao2 xian3 zu2 Zi4 zhi4 zhou1], Jilin" -咎,jiù,fault; to blame; to punish; calamity; misfortune -咎有应得,jiù yǒu yīng dé,"(idiom) (literary) to deserve what one gets (punishment, mishap etc)" -咎由自取,jiù yóu zì qǔ,(idiom) to have only oneself to blame; to bring trouble through one's own actions -咐,fù,used in 吩咐[fen1fu5] and 囑咐|嘱咐[zhu3fu5] -咑,dā,da! (sound used to move animals along) -咒,zhòu,incantation; magic spell; curse; malediction; to revile; to put a curse on sb -咒文,zhòu wén,incantation; spell; to curse -咒骂,zhòu mà,to damn; to curse; to revile -咒诅,zhòu zǔ,to curse; to revile -咒语,zhòu yǔ,incantation; spell; enchantment; curse -咔,kǎ,"(used as phonetic ""ka"")" -咔唑,kǎ zuò,carbazole (chemistry) (loanword) -咔啦,kǎ lā,"crispy, deep-fried (variant of 卡拉[ka3 la1])" -咔嗒,kā dā,(onom.) click; clatter -咔叽,kǎ jī,khaki (loanword) -咔哒声,kǎ da shēng,(onom.) clunk -咔嚓,kā chā,(onom.) breaking or snapping; (coll.) cut it out; stop it; also written 喀嚓[ka1 cha1] -咕,gū,"(onom.) for the sound of a bird, an empty stomach etc" -咕咕叫,gū gū jiào,sound made by an empty stomach -咕咚,gū dōng,splash; (onom.) for heavy things falling down -咕咾肉,gū lǎo ròu,sweet and sour meat (pork) -咕唧,gū jī,to whisper; to mutter -咕哝,gū nong,to murmur; to mumble; to grumble; to mutter -咕噜,gū lu,(onom.) to rumble (of a stomach); to coo (of a dove); rumbling; noisy drinking sound -咕噜肉,gū lū ròu,sweet and sour meat (pork) -咕攘,gū rang,to wriggle about; to move around -咖,gā,used in 咖喱[ga1 li2] -咖,kā,coffee; class; grade -咖哩,kā li,curry (loanword) -咖啡,kā fēi,coffee (loanword); CL:杯[bei1] -咖啡伴侣,kā fēi bàn lǚ,Coffee-mate (non-dairy creamer manufactured by Nestlé) -咖啡因,kā fēi yīn,caffeine (loanword) -咖啡壶,kā fēi hú,coffee pot; coffee maker -咖啡室,kā fēi shì,coffee shop -咖啡屋,kā fēi wū,coffee house; café; CL:家[jia1] -咖啡师,kā fēi shī,barista -咖啡店,kā fēi diàn,café; coffee shop -咖啡厅,kā fēi tīng,coffee shop -咖啡机,kā fēi jī,coffee machine; coffee maker -咖啡色,kā fēi sè,coffee color; brown -咖啡豆,kā fēi dòu,coffee beans -咖啡馆,kā fēi guǎn,café; coffee shop; CL:家[jia1] -咖啡馆儿,kā fēi guǎn er,café; coffee shop -咖喱,gā lí,curry (loanword) -咖喱粉,gā lí fěn,curry powder -咖逼,kā bī,(coll.) coffee (loanword) (Tw) -咚,dōng,(onom.) boom (of a drum); knock (on the door) -咚咚,dōng dong,"Dongdong, cheerleading mascot of 2008 Beijing Olympics" -咚咚,dōng dōng,(onom.) thud; thumping; thudding; pounding -咠,qì,"to whisper; to blame, to slander" -咢,è,beat a drum; startle -咣,guāng,(onom.) bang; door banging shut -咣当,guāng dāng,crash; bang -咤,zhà,used in 叱咤[chi4 zha4] -咥,dié,gnaw; bite -咥,xì,loud laugh -咦,yí,expression of surprise -咧,liē,used in 咧咧[lie1 lie1]; used in 大大咧咧[da4 da4 lie1 lie1]; used in 罵罵咧咧|骂骂咧咧[ma4 ma5 lie1 lie1] -咧,liě,to draw back the corners of one's mouth -咧,lie,modal particle expressing exclamation -咧咧,liē liē,(dialect) to cry; to whimper; (dialect) to talk drivel -咧嘴,liě zuǐ,to grin -咧开嘴笑,liě kāi zuǐ xiào,to laugh -咨,zī,to consult -咨嗟,zī jiē,to gasp (in admiration); to sigh -咨文,zī wén,official communication (between gov. offices of equal rank); report delivered by the head of gov. on affairs of state -咨询,zī xún,to consult; to seek advice; consultation; (sales) inquiry (formal) -咩,miē,the bleating of sheep; final particle which transforms statements into questions that indicate doubt or surprise (Cantonese) -咪,mī,sound for calling a cat -咪咪,mī mī,"oboe-like musical instrument used in folk music of Gansu, Qinghai etc; (onom.) meow; kitty kitty!; Mimi (Western name); tits (i.e. slang for breasts)" -咪唑,mī zuò,imidazole (chemistry) (loanword) -咪嘴,mī zuǐ,to lip-sync -咫,zhǐ,8 in. length unit of Zhou dynasty -咫尺,zhǐ chǐ,very close; very near -咫尺天涯,zhǐ chǐ tiān yá,"so close, yet worlds apart (idiom)" -咬,yǎo,to bite; to nip -咬人狗儿不露齿,yǎo rén gǒu er bù lù chǐ,lit. the dog that bites does not show its fangs (idiom); fig. You can't tell the really dangerous enemy from his external appearance. -咬人的狗不露齿,yǎo rén de gǒu bù lòu chǐ,lit. the dog that bites doesn't show its teeth (idiom); fig. the most sinister of people can look quite harmless -咬伤,yǎo shāng,"bite (e.g. snake bite, mosquito bite)" -咬合,yǎo hé,(of uneven surfaces) to fit together; (of gear wheels) to mesh; (dentistry) occlusion; bite -咬唇妆,yǎo chún zhuāng,"bitten-lips look (darker lipstick applied on the inner part of the lips, and lighter on the outer part)" -咬啮,yǎo niè,to gnaw -咬嚼,yǎo jiáo,to chew; to masticate; to ruminate; to mull over -咬字,yǎo zì,to pronounce (clearly or otherwise); to enunciate -咬定,yǎo dìng,to assert; to insist that -咬定牙根,yǎo dìng yá gēn,see 咬緊牙關|咬紧牙关[yao3 jin3 ya2 guan1] -咬定牙关,yǎo dìng yá guān,see 咬緊牙關|咬紧牙关[yao3 jin3 ya2 guan1] -咬文嚼字,yǎo wén jiáo zì,to bite words and chew characters (idiom); punctilious about minutiae of wording -咬牙,yǎo yá,to clench one's teeth; to grind the teeth; gnaw -咬牙切齿,yǎo yá qiè chǐ,(idiom) to gnash one's teeth; to fume with rage -咬甲癖,yǎo jiǎ pǐ,onychophagia (nail biting) -咬痕,yǎo hén,bite scar -咬紧牙根,yǎo jǐn yá gēn,see 咬緊牙關|咬紧牙关[yao3 jin3 ya2 guan1] -咬紧牙关,yǎo jǐn yá guān,lit. to bite the teeth tightly (idiom); fig. to grit one's teeth and bear the pain; to bite the bullet -咬耳朵,yǎo ěr duo,(coll.) to whisper in sb's ear -咬舌自尽,yǎo shé zì jìn,to commit suicide by biting off one's tongue -咬着耳朵,yǎo zhe ěr duo,whispering in sb's ear -咬钩,yǎo gōu,(of fish) to bite; to take the bait -咬啮,yǎo niè,variant of 咬嚙|咬啮[yao3 nie4]; to gnaw -咭,jī,variant of 嘰|叽[ji1] -咭咭呱呱,jī jī guā guā,(onom.) giggling noise -咯,gē,(phonetic) -咯,lo,"(final particle similar to 了[le5], indicating that sth is obvious)" -咯,luò,to cough up; also pr. [ka3] -咯吱,gē zhī,(onom.) creak; groan -咯咯,gē gē,(onom.) gurgle -咯咯笑,gē gē xiào,chuckle -咯嚓,gē chā,to break into two (onom.) -咯血,kǎ xiě,to cough up blood; to have hemoptysis -咱,zá,see 咱[zan2] -咱,zán,I or me; we (including both the speaker and the person spoken to) -咱俩,zán liǎ,the two of us -咱们,zán men,we or us (including both the speaker and the person(s) spoken to); (dialect) I or me; (dialect) (in a coaxing or familiar way) you; also pr. [za2 men5] -咱家,zá jiā,I; me; my; (often used in early vernacular literature) -咱家,zán jiā,I; me; we; my home; our house -笑,xiào,old variant of 笑[xiao4] -咳,hāi,"sound of sighing; (interjection expressing surprise, sorrow, regret, disappointment etc) oh; damn; wow" -咳,ké,cough -咳呛,ké qiàng,(dialect) to cough -咳嗽,ké sou,to cough; CL:陣|阵[zhen4] -咳痰,ké tán,to cough up phlegm; to expectorate -咳血,ké xiě,to cough up blood -咴,huī,neigh; whinny (sound made by a horse) -咸,xián,surname Xian -咸,xián,all; everyone; each; widespread; harmonious -咸安区,xián ān qū,"Xian'an district of Xianning city 咸寧市|咸宁市[Xian2 ning2 shi4], Hubei" -咸宁,xián níng,"Xianning, prefecture-level city in Hubei" -咸宁市,xián níng shì,"Xianning, prefecture-level city in Hubei" -咸与维新,xián yù wéi xīn,everyone participates in reforms (idiom); to replace the old with new; to reform and start afresh -咸兴,xián xīng,"Hamhung, North Korea" -咸兴市,xián xīng shì,"Hamhung, North Korea" -咸丰,xián fēng,"Xianfeng (1831-1861), reign name of Qing emperor, reigned from 1850-1861; Xianfeng County in Enshi Tujia and Miao Autonomous Prefecture 恩施土家族苗族自治州[En1 shi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1], Hubei" -咸丰县,xián fēng xiàn,"Xianfeng County in Enshi Tujia and Miao Autonomous Prefecture 恩施土家族苗族自治州[En1 shi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1], Hubei" -咸镜,xián jìng,"Hamgyeongdo Province of Joseon Korea, now divided into North Hamgyeong Province 咸鏡北道|咸镜北道[Xian2 jing4 bei3 dao4] and South Hamgyeong Province 咸鏡南道|咸镜南道[Xian2 jing4 nan2 dao4] of North Korea" -咸镜北道,xián jìng běi dào,"North Hamgyeong Province in northeast of North Korea, capital Chongjin 清津市[Qing1 jin1 shi4]" -咸镜南道,xián jìng nán dào,South Hamgyeong Province of east North Korea -咸镜道,xián jìng dào,"Hamgyeong Province of Joseon dynasty Korea, now divided into North Hamgyeong Province 咸鏡北道|咸镜北道[Xian2 jing4 bei3 dao4] and South Hamgyeong Province 咸鏡南道|咸镜南道[Xian2 jing4 nan2 dao4] of North Korea" -咸阳,xián yáng,"Xianyang, prefecture-level city in Shaanxi" -咸阳市,xián yáng shì,"Xianyang, prefecture-level city in Shaanxi" -咸阳桥,xián yáng qiáo,Xianyang Bridge -咻,xiū,call out; jeer -呙,guō,surname Guo -呙,wāi,lopsided; Taiwan pr. [kuai1] -咽,yān,throat; pharynx; narrow pass -咽,yàn,variant of 嚥|咽[yan4] -咽,yè,to choke (in crying) -咽喉,yān hóu,throat -咽峡,yān xiá,isthmus of the fauces -咽峡炎,yān xiá yán,angina; sore throat -咽炎,yān yán,pharyngitis -咽头,yān tóu,pharynx -咽鼓管,yān gǔ guǎn,Eustachian tube (linking the pharynx 咽[yan1] to the tympanic cavity 鼓室[gu3 shi4] of the middle ear); auditory tube -咾,lǎo,a noise; a sound -咿,yī,(onom.) to squeak -哀,āi,"Ai (c. 2000 BC), sixth of legendary Flame Emperors 炎帝[Yan2 di4] descended from Shennong 神農|神农[Shen2 nong2] Farmer God, also known as Li 釐|厘[Li2]" -哀,āi,sorrow; grief; pity; to grieve for; to pity; to lament; to condole -哀伤,āi shāng,grief; distress; bereavement; grieved; heartbroken; dejected -哀兵必胜,āi bīng bì shèng,an army burning with righteous indignation is bound to win (idiom) -哀劝,āi quàn,to persuade by all possible means; to implore -哀告,āi gào,to beg piteously; to supplicate -哀告宾服,āi gào bīn fú,to bring tribute as sign of submission (idiom); to submit -哀哭,āi kū,to weep in sorrow -哀启,āi qǐ,obituary (archaic term) -哀叹,āi tàn,to sigh; to lament; to bewail -哀嚎,āi háo,to howl in grief; anguished wailing; same as 哀號|哀号[ai1 hao2] -哀失,āi shī,bereavement -哀婉,āi wǎn,"(esp. of poetry, music) melancholy; sad and moving" -哀子,āi zǐ,son orphaned of his mother -哀家,āi jiā,"I, me (self-referring by a widowed empress etc, used in historical novels and operas)" -哀平,āi píng,joint name for the Han dynasty emperors Aidi (reigned 7-1 BC) and Pingdi (reigned 1 BC - 6 AD) -哀思,āi sī,grief-stricken thoughts; mourning -哀怨,āi yuàn,grief; resentment; aggrieved; plaintive -哀悼,āi dào,to grieve over sb's death; to lament sb's death; mourning -哀愁,āi chóu,sorrow; sadness; distressed; sorrowful -哀恸,āi tòng,to be deeply grieved -哀怜,āi lián,to feel compassion for; to pity -哀悯,āi mǐn,to take pity on; to feel sorry for -哀戚,āi qī,sorrow; grief -哀荣,āi róng,(literary) reverence accorded to sb who has died; posthumous recognition -哀乐,āi yuè,funeral music; plaint; dirge -哀歌,āi gē,mournful song; dirge; elegy -哀毁瘠立,āi huǐ jí lì,see 哀毀骨立|哀毁骨立[ai1 hui3 gu3 li4] -哀毁骨立,āi huǐ gǔ lì,(idiom) (literary) to become emaciated due to grief (usu. due to the death of a parent) -哀求,āi qiú,to entreat; to implore; to plead -哀江南赋,āi jiāng nán fù,"Lament for the South, long poem in Fu style by Yu Xin 庾信 mourning the passing of Liang of the Southern dynasties 南朝梁朝" -哀泣,āi qì,to wail -哀痛,āi tòng,to grieve; to mourn; deep sorrow; grief -哀的美敦书,āi dì měi dūn shū,ultimatum (loanword) -哀矜,āi jīn,to take pity on; to feel sorry for -哀而不伤,āi ér bù shāng,deeply felt but not mawkish (idiom) -哀艳,āi yàn,plaintive and beautiful; melancholy but gorgeous -哀莫大于心死,āi mò dà yú xīn sǐ,nothing sadder than a withered heart (idiom attributed to Confucius by Zhuangzi 莊子|庄子[Zhuang1 zi3]); no greater sorrow than a heart that never rejoices; the worst sorrow is not as bad as an uncaring heart; nothing is more wretched than apathy -哀号,āi háo,to cry piteously; anguished wailing; same as 哀嚎[ai1 hao2] -哀词,āi cí,variant of 哀辭|哀辞[ai1 ci2] -哀辞,āi cí,dirge; lament -哀鸣,āi míng,"(of animals, the wind etc) to make a mournful sound; whine; moan; wail" -哀鸿遍野,āi hóng biàn yě,lit. plaintive whine of geese (idiom); fig. land swarming with disaster victims; starving people fill the land -品,pǐn,(bound form) article; commodity; product; goods; (bound form) grade; rank; kind; type; variety; character; disposition; nature; temperament; to taste sth; to sample; to criticize; to comment; to judge; to size up; fret (on a guitar or lute) -品位,pǐn wèi,rank; grade; quality; (aesthetic) taste -品保,pǐn bǎo,quality assurance (QA) -品名,pǐn míng,name of product; brand name -品味,pǐn wèi,"to sample; to taste; to appreciate; one's taste (i.e. in music, literature, fashion, food and drink etc); good taste" -品味生活,pǐn wèi shēng huó,to appreciate life -品尝,pǐn cháng,to taste a small amount; to sample -品学,pǐn xué,conduct and learning (of an individual); moral nature and skill -品学兼优,pǐn xué jiān yōu,excelling both in morals and studies (idiom); top marks for studies and for behavior (at school); a paragon of virtue and learning -品客,pǐn kè,Pringles (snack food brand) -品川,pǐn chuān,Shinagawa River; Shinagawa district of Tokyo -品川区,pǐn chuān qū,Shinagawa district of Tokyo -品德,pǐn dé,moral character -品性,pǐn xìng,nature; characteristic; moral character -品控,pǐn kòng,"quality control (QC), abbr. for 品質控制|品质控制" -品族,pǐn zú,strain (of a species) -品月,pǐn yuè,light blue -品服,pǐn fú,costume; ceremonial dress (determining the grade of an official) -品格,pǐn gé,one's character; fret (on fingerboard of lute or guitar) -品牌,pǐn pái,brand name; trademark -品目,pǐn mù,item -品相,pǐn xiàng,"condition; physical appearance (of a museum piece, item of food produced by a chef, postage stamp etc)" -品秩,pǐn zhì,(old) rank and salary of an official post -品种,pǐn zhǒng,breed; variety; CL:個|个[ge4] -品第,pǐn dì,grade (i.e. quality); rank -品等,pǐn děng,grade (quality of product) -品管,pǐn guǎn,quality control -品节,pǐn jié,character; integrity -品红,pǐn hóng,magenta; fuschia -品级,pǐn jí,workmanship -品绿,pǐn lǜ,light green -品系,pǐn xì,strain (of a species) -品脱,pǐn tuō,pint (approx. 0.47 liter) (loanword) -品色,pǐn sè,variety; kind -品茗,pǐn míng,to taste tea; to sip tea -品茶,pǐn chá,to taste tea; to sip tea -品蓝,pǐn lán,pinkish blue -品行,pǐn xíng,behavior; moral conduct -品评,pǐn píng,to judge; to assess -品议,pǐn yì,to judge -品貌,pǐn mào,behavior and appearance -品质,pǐn zhì,"character; intrinsic quality (of a person); quality (of a product or service, or as in ""quality of life"", ""air quality"" etc)" -品趣志,pǐn qù zhì,Pinterest (photo-sharing website) -品达,pǐn dá,"Pindar, Greek poet" -品酒,pǐn jiǔ,to taste wine; to sip wine -品鉴,pǐn jiàn,to judge; to examine; to evaluate -品头论足,pǐn tóu lùn zú,lit. to assess the head and discuss the feet (idiom); minute criticism of a woman's appearance; fig. to find fault in minor details; nitpicking; overcritical -品题,pǐn tí,to evaluate (an individual); to appraise -品类,pǐn lèi,category; kind -品丽珠,pǐn lì zhū,Cabernet Franc (grape type) -哂,shěn,(literary) to smile; to sneer -哂笑,shěn xiào,(literary) to sneer; to laugh at -哂纳,shěn nà,(literary) please kindly accept -哄,hōng,roar of laughter (onom.); hubbub; to roar (as a crowd) -哄,hǒng,to deceive; to coax; to amuse (a child) -哄动,hōng dòng,variant of 轟動|轰动[hong1 dong4] -哄动一时,hōng dòng yī shí,variant of 轟動一時|轰动一时[hong1 dong4 yi1 shi2] -哄劝,hǒng quàn,to coax -哄堂大笑,hōng táng dà xiào,the whole room roaring with laughter (idiom) -哄抬,hōng tái,to artificially inflate; to bid up (the price) -哄抢,hōng qiǎng,to panic buy; to loot -哄然,hōng rán,boisterous; uproarious -哄瞒,hǒng mán,to deceive -哄笑,hōng xiào,to roar with laughter; hoots of laughter; guffaw -哄诱,hǒng yòu,to coax; to induce -哄骗,hǒng piàn,to deceive; to cheat -哆,duō,used in 哆嗦[duo1suo5] -哆嗦,duō suo,to tremble; to shiver -哆啰美远,duō luō měi yuǎn,"Torobiawan, one of the indigenous peoples of Taiwan" -哆啰美远族,duō luō měi yuǎn zú,"Torobiawan, one of the indigenous peoples of Taiwan" -哇,wā,Wow!; sound of a child's crying; sound of vomiting -哇,wa,"replaces 啊[a5] when following the vowel ""u"" or ""ao""" -哇哇,wā wā,sound of crying -哇噻,wā sāi,see 哇塞[wa1 sai1] -哇塞,wā sāi,(slang) wow!; also pr. [wa1 sei1] -哇沙比,wā shā bǐ,wasabi (loanword) (Tw) -哇沙米,wā shā mǐ,wasabi (loanword) (Tw) -哇靠,wā kào,"(lit.) I cry!; Oh, bosh!; Shoot! (from Taiwanese 我哭, Tai-lo pr. [goá khàu])" -哈,hā,"abbr. for 哈薩克斯坦|哈萨克斯坦[Ha1 sa4 ke4 si1 tan3], Kazakhstan; abbr. for 哈爾濱|哈尔滨[Ha1 er3 bin1], Harbin" -哈,hā,(interj.) ha!; (onom. for laughter); (slang) to be infatuated with; to adore; (bound form) husky (dog) (abbr. for 哈士奇[ha1 shi4 qi2]) -哈,hǎ,a Pekinese; a pug; (dialect) to scold -哈伯,hā bó,"Edwin Hubble (1889-1953), US astronomer; Fritz Haber (1868-1934), German chemist" -哈伯太空望远镜,hā bó tài kōng wàng yuǎn jìng,Hubble Space Telescope -哈伯玛斯,hā bó mǎ sī,"Jürgen Habermas (1929-), German social philosopher" -哈佛,hā fó,Harvard -哈佛大学,hā fó dà xué,Harvard University -哈伦裤,hā lún kù,harem pants (loanword) -哈利,hā lì,Harry -哈利伯顿,hā lì bó dùn,Halliburton (US construction company) -哈利法克斯,hā lì fǎ kè sī,"Halifax (name); Halifax city, capital of Nova Scotia, Canada; Halifax, town in West Yorkshire, England" -哈利路亚,hā lì lù yà,hallelujah (loanword) -哈利迪亚,hā lì dí yà,Habbaniyah (Iraqi city) -哈努卡,hā nǔ kǎ,"Hanukkah (Chanukah), 8 day Jewish holiday starting on the 25th day of Kislev (can occur from late Nov up to late Dec on Gregorian calendar); also called 光明節|光明节 and 哈努卡節|哈努卡节" -哈努卡节,hā nǔ kǎ jié,"Hanukkah (Chanukah), 8 day Jewish holiday starting on the 25th day of Kislev (can occur from late Nov up to late Dec on the Gregorian calendar)" -哈勃,hā bó,"Hubble (name); Edwin Hubble (1889-1953), US astronomer" -哈博罗内,hā bó luó nèi,"Gaborone, capital of Botswana" -哈吉,hā jí,haji or hadji (Islam) -哈吉斯,hā jí sī,haggis (a Scottish dish) (loanword) -哈哈,hā hā,(onom.) laughing out loud -哈哈大笑,hā hā dà xiào,to laugh heartily; to burst into loud laughter -哈哈笑,hā hā xiào,to laugh out loud -哈哈镜,hā hā jìng,distorting mirror -哈啾,hā jiū,(onom.) a-choo (sound of a sneeze) (Tw) -哈喇,hā la,rancid; to kill; to slaughter -哈喇子,hā lá zi,(dialect) saliva -哈喽,hā lóu,hello (loanword) -哈啰,hā luō,hello (loanword) -哈啰出行,hā luō chū xíng,"Hellobike, transportation service platform" -哈士奇,hā shì qí,husky (sled dog) -哈士蟆,hà shi má,Chinese brown frog (Rana chensinensis) (loanword from Manchu); Taiwan pr. [ha1 shi4 ma2] -哈奴曼,hā nú màn,"Hanuman, a monkey God in the Indian epic Ramayana" -哈姆雷特,hā mǔ léi tè,"Hamlet (name); the Tragedy of Hamlet, Prince of Denmark c. 1601 by William Shakespeare 莎士比亞|莎士比亚" -哈季奇,hā jì qí,"Goran Hadžić (1958-2016), Croatian Serb leader until 1994, indicted war criminal" -哈密,hā mì,"Hami, prefecture-level city in Xinjiang" -哈密市,hā mì shì,"Hami, prefecture-level city in Xinjiang" -哈密瓜,hā mì guā,Hami melon (a variety of muskmelon); honeydew melon; cantaloupe -哈尼,hā ní,honey (term of endearment) (loanword) -哈尼族,hā ní zú,Hani ethnic group -哈巴河,hā bā hé,"Habahe county or Qaba nahiyisi in Altay prefecture 阿勒泰地區|阿勒泰地区[A1 le4 tai4 di4 qu1], Xinjiang" -哈巴河县,hā bā hé xiàn,"Habahe county or Qaba nahiyisi in Altay prefecture 阿勒泰地區|阿勒泰地区[A1 le4 tai4 di4 qu1], Xinjiang" -哈巴狗,hǎ bā gǒu,pekingese (dog); (fig.) sycophant; lackey -哈巴罗夫斯克,hā bā luó fū sī kè,"Khabarovsk, far eastern Russian city and province on the border with Heilongjiang province of China" -哈巴谷书,hā bā gǔ shū,Book of Habakkuk -哈巴雪山,hā bā xuě shān,"Mt Haba (Nakhi: golden flower), in Lijiang 麗江|丽江, northwest Yunnan" -哈布斯堡,hā bù sī bǎo,Hapsburg (European dynasty) -哈希,hā xī,hash (computing); see also 散列[san3 lie4] -哈得斯,hā dé sī,Hades -哈德斯,hā dé sī,Hades -哈德逊河,hā dé xùn hé,"Hudson River, New York State, USA" -哈恩,hā ēn,"Jaén, Spain" -哈扣,hā kòu,hardcore (loanword) -哈拉,hā lā,to chat idly (Tw) -哈拉子,hā lā zi,(dialect) saliva; also written 哈喇子[ha1 la2 zi5] -哈拉尔五世,hā lā ěr wǔ shì,Harald V of Norway -哈拉雷,hā lā léi,"Harare, capital of Zimbabwe" -哈拿,hā ná,Hannah (biblical figure) -哈摩辣,hā mó là,Gomorrah -哈日,hā rì,Japanophile -哈日族,hā rì zú,"Japanophile (refers to teenage craze for everything Japanese, originally mainly in Taiwan)" -哈普西科德,hā pǔ xī kē dé,harpsichord -哈根达斯,hā gēn dá sī,Häagen-Dazs -哈桑,hā sāng,Hassan (person name); Hassan District -哈梅内伊,hā méi nèi yī,"Khamenei, Ayatollah Aly (1939-), Supreme Leader of Iran, aka Ali Khamenei" -哈棒,hā bàng,(slang) (Tw) to give a blowjob -哈欠,hā qian,yawn -哈比人,hā bǐ rén,Hobbit; see also 霍比特人[Huo4 bi3 te4 ren2] -哈尔斯塔,hā ěr sī tǎ,Harstad (city in Norway) -哈尔滨,hā ěr bīn,"Harbin, subprovincial city and capital of Heilongjiang province 黑龍江|黑龙江[Hei1 long2 jiang1] in northeast China" -哈尔滨工业大学,hā ěr bīn gōng yè dà xué,Harbin Institute of Technology -哈尔滨市,hā ěr bīn shì,"Harbin, subprovincial city and capital of Heilongjiang province 黑龍江|黑龙江[Hei1 long2 jiang1] in northeast China" -哈尔登,hā ěr dēng,Halden (city in Norway) -哈特福德,hā tè fú dé,Hartford -哈珀,hā pò,Harper (name) -哈瓦那,hā wǎ nà,"Havana, capital of Cuba" -哈米吉多顿,hā mǐ jí duō dùn,Armageddon (in Revelation 16:16) -哈米尔卡,hā mǐ ěr kǎ,"Hamilcar (c. 270-228 BC), Carthaginian statesman and general" -哈罗,hā luó,hello (loanword) -哈罗德,hā luó dé,"Harold, Harald, Harrod (name)" -哈腰,hā yāo,to bend -哈莱姆,hā lái mǔ,Harlem district of Manhattan -哈蒙德,hā méng dé,Hammond (surname) -哈萨克,hā sà kè,Kazakhstan; Kazakh ethnic group in PRC -哈萨克人,hā sà kè rén,Kazakh person; Kazakh people -哈萨克文,hā sà kè wén,Kazakh written language -哈萨克斯坦,hā sà kè sī tǎn,Kazakhstan -哈萨克族,hā sà kè zú,Kazakh ethnic group of Xinjiang -哈萨克语,hā sà kè yǔ,Kazakh language -哈苏,hā sū,Hasselblad (camera manufacturer) -哈蜜瓜,hā mì guā,Hami melon (a variety of muskmelon); honeydew melon; cantaloupe; also written 哈密瓜 -哈西纳,hā xī nà,"Ms Sheikh Hasina (1947-), Bangladesh politician, prime minister 1996-2001 and from 2009" -哈该书,hā gāi shū,Book of Haggai -哈丰角,hā fēng jiǎo,"Cape Ras Hafun, Somalia, the easternmost point in Africa" -哈贝尔,hā bèi ěr,"Habel, Haber or Hubbell (name); Harbel (town in Liberia)" -哈贝马斯,hā bèi mǎ sī,"Jürgen Habermas (1929-), German social philosopher" -哈迪,hǎ dí,Hardy or Hardie (name) -哈迪斯,hā dí sī,Hades -哈迷,hā mí,Harry Potter fan (slang) -哈达,hǎ dá,khata (Tibetan or Mongolian ceremonial scarf) -哈里,hā lǐ,Harry or Hari (name) -哈里斯堡,hā lǐ sī bǎo,"Harrisburg, Pennsylvania" -哈里发,hā lǐ fā,(loanword) caliph; also written 哈利發|哈利发[ha1 li4 fa1] -哈里发塔,hā lǐ fā tǎ,"Burj Khalifa, skyscraper in Dubai, 830 m high" -哈里发帝国,hā lǐ fā dì guó,Caliphate (Islamic empire formed after the death of the Prophet Mohammed 穆罕默德 in 632) -哈雷彗星,hā léi huì xīng,Halley's Comet -哈灵根,hā líng gēn,"Harlingen, the Netherlands" -哈马斯,hā mǎ sī,Hamas (radical Palestinian group) -哈马尔,hā mǎ ěr,Hamar (town in Norway) -哈马黑拉岛,hā mǎ hēi lā dǎo,"Halmahera, an island of Indonesia" -哉,zāi,(exclamatory or interrogative particle) -哌,pài,used in transliteration -哌啶,pài dìng,piperidine (chemistry) (loanword) -哌嗪,pài qín,piperazine (medicine) (loanword) -哌替啶,pài tì dìng,pethidine (aka meperidine or Demerol) (loanword) -哎,āi,hey!; (interjection used to attract attention or to express surprise or disapprobation) -哎呀,āi yā,"interjection of wonder, shock or admiration" -哎呦,āi yōu,"(interjection of surprise, pain, annoyance etc); Oh my!; Uh-oh!; Ah!; Ouch!" -哎唷,āi yō,interjection of pain or surprise; also written 哎喲|哎哟 -哎哟,āi yō,hey; ow; ouch; interjection of pain or surprise -哏,gén,funny; amusing; sth comical -哏,hěn,old variant of 狠[hen3]; old variant of 很[hen3]; also used as an exclamation of anger -哐,kuāng,(onom.) crash; bang; clang -哐哐啷啷,kuāng kuāng lāng lāng,(onom.) crash; clank; clatter -哐啷,kuāng lāng,(onom.) clang; clatter; bang; crash; clank -哚,duǒ,used in 吲哚[yin3 duo3] -哞,mōu,moo (sound made by cow) -员,yuán,(bound form) person engaged in a certain field of activity; (bound form) member -员外,yuán wài,landlord (old usage) -员山,yuán shān,"Yuanshan Township in Yilan County 宜蘭縣|宜兰县[Yi2 lan2 Xian4], Taiwan" -员山乡,yuán shān xiāng,"Yuanshan Township in Yilan County 宜蘭縣|宜兰县[Yi2 lan2 Xian4], Taiwan" -员工,yuán gōng,staff; personnel; employee -员林,yuán lín,"Yuanlin Town in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -员林镇,yuán lín zhèn,"Yuanlin Town in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -员警,yuán jǐng,police officer; policeman -哥,gē,elder brother -哥们,gē men,Brothers!; brethren; dude (colloquial); brother (diminutive form of address between males) -哥们儿,gē men er,erhua variant of 哥們|哥们[ge1 men5] -哥伦布,gē lún bù,"Cristóbal Colón or Christopher Columbus (1451-1506); Columbus, capital of Ohio" -哥伦比亚,gē lún bǐ yà,"Colombia; Columbia (District of, or University etc)" -哥伦比亚大学,gē lún bǐ yà dà xué,Columbia University -哥伦比亚广播公司,gē lún bǐ yà guǎng bō gōng sī,Columbia Broadcasting System (CBS) -哥伦比亚特区,gē lún bǐ yà tè qū,"District of Columbia, USA" -哥儿,gē er,brothers; boys -哥利亚,gē lì yà,Goliath -哥吉拉,gē jí lā,Godzilla (Tw) -哥哥,gē ge,"older brother; CL:個|个[ge4],位[wei4]" -哥大,gē dà,Columbia University (abbr.) -哥尼斯堡,gē ní sī bǎo,"Königsberg, Baltic port city, capital of East Prussia (until WWII)" -哥布林,gē bù lín,goblin (loanword) -哥德堡,gē dé bǎo,Gothenburg (city in Sweden) -哥德巴赫猜想,gē dé bā hè cāi xiǎng,the Goldbach conjecture in number theory -哥德式,gē dé shì,gothic (Tw) -哥打巴鲁,gē dǎ bā lǔ,"Kota Bharu, city in Malaysia on border with Thailand, capital of Kelantan sultanate" -哥斯大黎加,gē sī dà lí jiā,Costa Rica (Tw) -哥斯拉,gē sī lā,Godzilla -哥斯达黎加,gē sī dá lí jiā,Costa Rica -哥本哈根,gē běn hā gēn,"Copenhagen or København, capital of Denmark" -哥林多,gē lín duō,Corinth -哥林多前书,gē lín duō qián shū,First epistle of St Paul to the Corinthians -哥林多后书,gē lín duō hòu shū,Second Epistle of St Paul to the Corinthians -哥特人,gē tè rén,Goth (e.g. Ostrogoth or Visigoth) -哥特式,gē tè shì,gothic -哥白尼,gē bái ní,"Mikolaj Kopernik or Nicolaus Copernicus (1473-1543), Polish astronomer, mathematician and polymath" -哥罗芳,gē luó fāng,(loanword) chloroform; trichloromethane CHCl3 -哥老会,gē lǎo huì,late-Qing underground resistance movement against the Qing dynasty -哥萨克,gē sà kè,Cossack (people) -哦,é,to chant -哦,ó,oh (interjection indicating doubt or surprise) -哦,ò,oh (interjection indicating that one has just learned sth) -哦,o,"sentence-final particle that conveys informality, warmth, friendliness or intimacy; may also indicate that one is stating a fact that the other person is not aware of" -哧,chī,"(onom.) giggling; breathing; tearing of paper, ripping of fabric etc" -哧溜,chī liū,(onom.) slithering; sliding; slipping -哧溜溜,chī liū liū,see 哧溜[chi1 liu1] -哨,shào,a whistle; sentry -哨兵,shào bīng,sentinel -哨卡,shào qiǎ,border sentry post -哨子,shào zi,whistle -哨子声,shào zi shēng,whistling sound -哨所,shào suǒ,watchhouse; sentry post -哨笛,shào dí,a whistle -哩,lǐ,mile -哩,li,(modal final particle similar to 呢[ne5] or 啦[la5]) -哩哩啦啦,lī lī lā lā,scattered; intermittent; sporadic; on and off; stop and go -哩哩啰啰,lī li luō luō,verbose or unclear in speech; rambling and indistinct -哩哩罗罗,lī lī luō luō,endless mumbling (onom.); verbose and incomprehensible; talking endlessly -哩溜歪斜,lī liū wāi xié,crooked; deformed; twisted -哪,nǎ,how; which -哪,na,"(emphatic sentence-final particle, used instead of 啊[a5] after a word ending in ""n"")" -哪,né,used in 哪吒[Ne2 zha1]; Taiwan pr. [nuo2] -哪,něi,"which? (interrogative, followed by classifier or numeral-classifier)" -哪一个,nǎ yī ge,which -哪些,nǎ xiē,which ones?; who?; what? -哪个,nǎ ge,which; who -哪像,nǎ xiàng,unlike; in contrast to -哪儿,nǎ er,where?; wherever; anywhere; somewhere; (used in rhetorical questions) how can ...?; how could ...? -哪儿的话,nǎ er de huà,(coll.) not at all (humble expression denying compliment); don't mention it -哪儿跟哪儿,nǎ er gēn nǎ er,what's that have to do with it?; what's the connection? -哪吒,né zhā,"Nezha, protection deity" -哪壶不开提哪壶,nǎ hú bù kāi tí nǎ hú,lit. mention the pot that doesn't boil (idiom); to touch a sore spot; to talk about sb's weak point -哪怕,nǎ pà,even; even if; even though; no matter how -哪知,nǎ zhī,who would have imagined?; unexpectedly -哪知道,nǎ zhī dào,who would have thought that ...? -哪里,nǎ lǐ,where?; somewhere; anywhere; wherever; nowhere (negative answer to question); humble expression denying compliment; also written 哪裡|哪里 -哪里,nǎ lǐ,where?; somewhere; anywhere; wherever; nowhere (negative answer to question); humble expression denying compliment -哪里哪里,nǎ lǐ nǎ lǐ,you're too kind; you flatter me -哪门子,nǎ mén zi,(coll.) (emphasizing a rhetorical question) what; what kind; why on earth -哭,kū,to cry; to weep -哭哭啼啼,kū ku tí tí,to weep endlessly; interminable wailing -哭喊,kū hǎn,to wail -哭丧,kū sāng,to wail at a funeral; formal wailing while offering sacrifice to the departed -哭丧棒,kū sāng bàng,"mourning staff draped in white, held at a funeral to show filial piety" -哭丧脸,kū sang liǎn,long face; miserable look -哭丧着脸,kū sang zhe liǎn,to pull a long face; to wear a mournful expression -哭天抹泪,kū tiān mǒ lèi,to wail and whine; piteous weeping -哭得死去活来,kū de sǐ qù huó lái,to cry one's heart out -哭泣,kū qì,to weep -哭墙,kū qiáng,"Wailing Wall, or Western Wall (Jerusalem)" -哭秋风,kū qiū fēng,autumnal sadness -哭穷,kū qióng,to bewail one's poverty; to complain about being hard up; to pretend to be poor -哭笑不得,kū xiào bù dé,lit. not to know whether to laugh or cry (idiom); both funny and extremely embarrassing; between laughter and tears -哭声,kū shēng,sound of weeping -哭声震天,kū shēng zhèn tiān,(idiom) the cries of grief shake the heavens -哭腔,kū qiāng,sobbing tone; sob; dirge; opera tune portraying mourning -哭脸,kū liǎn,to weep; to snivel -哭诉,kū sù,to lament; to complain tearfully; to wail accusingly -哭灵,kū líng,to weep before a coffin or a memorial to the dead -哭闹,kū nào,"to bawl, disturbing others" -哭鼻子,kū bí zi,to snivel (usually humorous) -哮,xiào,pant; roar; bark (of animals); Taiwan pr. [xiao1] -哮喘,xiào chuǎn,asthma -哮喘病,xiào chuǎn bìng,asthma -哮鸣,xiào míng,wheezing -哱,bō,used in 呼哱哱[hu1 bo1 bo1] -哲,zhé,wise; a sage -哲人,zhé rén,wise man -哲人其萎,zhé rén qí wěi,a wise man has passed away (idiom) -哲人石,zhé rén shí,philosopher's stone -哲学,zhé xué,philosophy; CL:個|个[ge4] -哲学博士学位,zhé xué bó shì xué wèi,PhD degree (Doctor of Philosophy); also abbr. to 博士學位|博士学位 -哲学史,zhé xué shǐ,history of philosophy -哲学家,zhé xué jiā,philosopher -哲理,zhé lǐ,philosophic theory; philosophy -哲蚌寺,zhé bàng sì,"Drepung monastery, Lhasa, Tibet" -哳,zhā,used in 嘲哳[zhao1 zha1]; used in 啁哳[zhao1 zha1]; Taiwan pr. [zha2] -咩,miē,old variant of 咩[mie1] -哺,bǔ,to feed -哺乳,bǔ rǔ,breastfeeding; to suckle; to nurse -哺乳动物,bǔ rǔ dòng wù,mammal -哺乳期,bǔ rǔ qī,breastfeeding period; lactation period; suckling period -哺乳纲,bǔ rǔ gāng,"Mammalia, the class of mammals" -哺乳类,bǔ rǔ lèi,mammals; also written 哺乳動物|哺乳动物 -哺乳类动物,bǔ rǔ lèi dòng wù,mammals -哺母乳,bǔ mǔ rǔ,breastfeeding -哺育,bǔ yù,to feed; (fig.) to nurture; to foster -哺养,bǔ yǎng,feed; rear -哼,hēng,to groan; to snort; to hum; to croon; humph! -哼儿哈儿,hēng er hā er,to hem and haw (loanword) -哼哧,hēng chī,to puff hard (e.g. after running) -哼哼唧唧,hēng hēng jī jī,whining; groaning; muttering -哼唧,hēng ji,whisper -哼唱,hēng chàng,to hum; to croon -哼声,hēng shēng,hum -哽,gěng,to choke with emotion; to choke on a piece of food -哽咽,gěng yè,to choke with emotion; to choke with sobs -哽噎,gěng yē,"to choke on one's food; to be choked up emotionally, unable to speak" -哿,gě,excellent; happy; well-being -唁,yàn,to extend condolences -唁信,yàn xìn,a letter of condolence -唁函,yàn hán,a message of condolence -唁劳,yàn láo,to offer condolences; Taiwan pr. [yan4 lao4] -唁电,yàn diàn,a telegram of condolence -呗,bài,"(bound form) to chant (from Sanskrit ""pāṭhaka"")" -呗,bei,modal particle indicating lack of enthusiasm; modal particle indicating that things should only or can only be done a certain way -唅,hán,(literary) to put in the mouth -唆,suō,to suck; to incite -唇,chún,lip -唇亡齿寒,chún wáng chǐ hán,"lit. without the lips, the teeth feel the cold (idiom); fig. intimately interdependent" -唇典,chún diǎn,argot; codeword -唇印,chún yìn,lips-mark; hickey -唇形科,chún xíng kē,"Labiatae, the taxonomic family including lavender, mint" -唇彩,chún cǎi,lip gloss -唇枪舌剑,chún qiāng shé jiàn,(idiom) to cross verbal swords; to have a heated verbal exchange -唇枪舌战,chún qiāng shé zhàn,see 唇槍舌劍|唇枪舌剑[chun2 qiang1 she2 jian4] -唇膏,chún gāo,lip balm; lipstick -唇舌,chún shé,argument; words; lips and tongue -唇蜜,chún mì,lip gloss -唇裂,chún liè,cleft lip -唇角,chún jiǎo,corner of the mouth; labial angle -唇读,chún dú,to lip-read; lipreading -唇音,chún yīn,labial consonant -唇颚裂,chún è liè,cleft lip and palate -唇齿,chún chǐ,lit. lips and teeth (idiom); fig. close partners; interdependent -唇齿相依,chún chǐ xiāng yī,lit. as close as lips and teeth (idiom); closely related; interdependent -唇齿音,chún chǐ yīn,labiodental (e.g. the consonant f in standard Chinese) -唉,āi,"interjection or grunt of agreement or recognition (e.g. yes, it's me!); to sigh" -唉,ài,alas; oh dear -唉唉,āi āi,(onom.) sighing voice; crying sound -唉姐,āi jiě,granny (dialect) -唉声叹气,āi shēng tàn qì,"sighing voice, wailing breath (idiom); to heave deep sighs; to sigh in despair" -唎,lì,(final particle); sound; noise -唎,li,variant of 哩[li5] -唏,xī,sound of sobbing -唏哩哗啦,xī lī huā lā,(onom.) clatter (of mahjong tiles etc) -唏嘘,xī xū,(onom.) to sigh; to sob -唐,táng,Tang dynasty (618-907); surname Tang -唐,táng,to exaggerate; empty; in vain; old variant of 螗[tang2] -唐三藏,táng sān zàng,"Tripitaka, the central character of the 16th century novel ""Journey to the West"" 西遊記|西游记[Xi1 you2 Ji4], based on the monk Xuanzang 玄奘[Xuan2 zang4] (602-664)" -唐中宗,táng zhōng zōng,"Emperor Zhongzong of Tang, reign name of fourth Tang emperor Li Zhe 李哲[Li3 Zhe2] (656-710), reigned 705-710" -唐人街,táng rén jiē,"Chinatown; CL:條|条[tiao2],座[zuo4]" -唐代,táng dài,Tang dynasty (618-907) -唐代宗,táng dài zōng,"Emperor Taizong of Tang (727-779), reign name of ninth Tang emperor Li Yu 李豫[Li3 Yu4], reigned 762-779" -唐伯虎,táng bó hǔ,"Tang Bohu or Tang Yin 唐寅 (1470-1523), Ming painter and poet, one of Four great southern talents of the Ming 江南四大才子" -唐僖宗,táng xī zōng,"Emperor Xizong of Tang, reign name of nineteenth Tang Emperor Li Xuan 李儇[Li3 Xuan1] (862-888), reigned 873-888" -唐僧,táng sēng,"Xuanzang (602-664) Tang dynasty Buddhist monk and translator, who traveled to India 629-645" -唐初四大家,táng chū sì dà jiā,"Four Great Calligraphers of early Tang; refers to Yu Shinan 虞世南[Yu2 Shi4 nan2], Ouyang Xun 歐陽詢|欧阳询[Ou1 yang2 Xun2], Chu Suiliang 褚遂良[Chu3 Sui4 liang2] and Xue Ji 薛稷[Xue1 Ji4]" -唐卡,táng kǎ,thangka (Tibetan Buddhist scroll painting) -唐古拉,táng gǔ lā,Dangla or Tanggula mountain range on the Qinghai-Tibetan Plateau 青藏高原[Qing1 Zang4 gao1 yuan2] -唐古拉山,táng gǔ lā shān,Dangla or Tanggula Mountains on the Qinghai-Tibet Plateau -唐古拉山脉,táng gǔ lā shān mài,Dangla or Tanggula Mountains on the Qinghai-Tibet Plateau -唐吉诃德,táng jí hē dé,Don Quixote; also written 堂吉訶德|堂吉诃德[Tang2 ji2 he1 de2] -唐哀帝,táng āi dì,"Emperor Aidi of Tang, reign name of twenty-first and last Tang emperor Li Zhu 李祝[Li3 Zhu4] (892-908), reigned 904-907" -唐尧,táng yáo,"Yao or Tang Yao (c. 2200 BC), one of Five Legendary Emperors 五帝[wu3 di4], second son of Di Ku 帝嚳|帝喾[Di4 Ku4]" -唐太宗,táng tài zōng,"Emperor Taizong of Tang, reign name of second Tang emperor Li Shimin 李世民[Li3 Shi4 min2] (599-649), reigned 626-649" -唐太宗李卫公问对,táng tài zōng lǐ wèi gōng wèn duì,"""Duke Li of Wei Answering Emperor Taizong of Tang"", military treatise attributed to Li Jing 李靖[Li3 Jing4] and one of the Seven Military Classics of ancient China 武經七書|武经七书[Wu3 jing1 Qi1 shu1]" -唐宋,táng sòng,the Tang (618-907) and Song (960-1279) dynasties -唐宋八大家,táng sòng bā dà jiā,"the eight giants of Tang and Song prose, esp. involved in the Classics movement 古文運動|古文运动[gu3wen2 yun4dong4], namely: Han Yu 韓愈|韩愈[Han2 Yu4], Liu Zongyuan 柳宗元[Liu3 Zong1yuan2], Ouyang Xiu 歐陽修|欧阳修[Ou1yang2 Xiu1], the three Su's 三蘇|三苏[San1 Su1], Wang Anshi 王安石[Wang2 An1shi2], Zeng Gong 曾鞏|曾巩[Zeng1 Gong3]" -唐宣宗,táng xuān zōng,"Emperor Xuanzong of Tang (810-859), reign name of seventeenth Tang emperor Li Chen 李忱[Li3 Chen2], reigned 846-859" -唐家山,táng jiā shān,area in Beichuan county Sichuan -唐家璇,táng jiā xuán,"Tang Jiaxuan (1938-), politician and diplomat" -唐寅,táng yín,"Tang Bohu 唐伯虎 or Tang Yin (1470-1523), Ming painter and poet, one of Four great southern talents of the Ming 江南四大才子" -唐宁街,táng níng jiē,Downing Street (London) -唐山,táng shān,Tangshan prefecture-level city in Hebei; China (a name for China used by some overseas Chinese) -唐山大地震,táng shān dà dì zhèn,Great Tangshan Earthquake (1976) -唐山市,táng shān shì,"Tangshan, prefecture-level city in Hebei" -唐德宗,táng dé zōng,"Emperor Dezong of Tang (742-805), reign name of tenth Tang emperor Li Kuo 李适[Li3 Kuo4], reigned 779-805" -唐恩都乐,táng ēn dōu lè,Dunkin' Donuts -唐宪宗,táng xiàn zōng,"Emperor Xianzong of Tang (778-820), reign name of twelfth Tang emperor Li Chun 李純|李纯[Li3 Chun2] reigned 805-820" -唐懿宗,táng yì zōng,"Emperor Yizong of Tang (833-873), reign name of eighteenth Tang emperor Li Cui 李漼[Li3 Cui3], reigned 859-873" -唐手道,táng shǒu dào,Tang soo do (Korean martial art) -唐招提寺,táng zhāo tí sì,"Toushoudaiji, the temple in Nara, Japan founded by Tang dynastic Buddhist monk Jianzhen or Ganjin 鑒真和尚|鉴真和尚 and his last resting place" -唐扬,táng yáng,"Japanese-style fried food, usually chicken (orthographic borrowing from Japanese 唐揚げ ""karaage"")" -唐敬宗,táng jìng zōng,"Emperor Jingzong of Tang (809-827), reign name of fourteenth Tang emperor 李湛[Li3 Zhan4], reigned 825-827" -唐文宗,táng wén zōng,"Emperor Wenzong of Tang (809-840), reign name of fifteenth Tang emperor 李昂[Li3 Ang2], reigned 827-840" -唐明皇,táng míng huáng,"Emperor Ming of Tang (685-762), also known as Emperor Xuanzong of Tang 唐玄宗[Tang2 Xuan2 zong1], reigned 712-756" -唐昭宗,táng zhāo zōng,"Emperor Zhaozong of Tang, reign name of twentieth Tang emperor 李曄|李晔[Li1 Ye4] (867-904), reigned 888-904" -唐书,táng shū,"same as 舊唐書|旧唐书[Jiu4 Tang2 shu1], History of the Early Tang Dynasty, sixteenth of the 24 dynastic histories 二十四史[Er4 shi2 si4 Shi3], compiled under Liu Xu 劉昫|刘昫[Liu2 Xu4] in 945 during Later Jin 後晉|后晋[Hou4 Jin4] of the Five Dynasties, 200 scrolls" -唐朝,táng cháo,Tang dynasty (618-907) -唐末,táng mò,late Tang period (9th century) -唐棣,táng dì,shadbush or shadberry (genus Amelanchier); painter and poet of the Yuan Dynasty (1279-1368) -唐楼,táng lóu,"tenement building, typically of 2-4 stories, with a shop on the ground floor and upper floors used for residential purposes (esp. in southern China)" -唐武宗,táng wǔ zōng,"Emperor Wuzong of Tang (814-846), reign name of sixteenth Tang emperor Li Chan 李瀍[Li3 Chan2], reigned 840-846" -唐殇帝,táng shāng dì,"Emperor Shang of Tang, reign name of fifth Tang emperor Li Chongmao 李重茂[Li3 Chong2 mao4] (c. 695-715), reigned 710" -唐氏儿,táng shì ér,Down's syndrome child -唐氏症,táng shì zhèng,Down's syndrome; mongolism -唐氏综合症,táng shì zōng hé zhèng,Down syndrome -唐河,táng hé,"Tanghe county in Nanyang 南陽|南阳[Nan2 yang2], Henan" -唐河县,táng hé xiàn,"Tanghe county in Nanyang 南陽|南阳[Nan2 yang2], Henan" -唐海,táng hǎi,"Tanghai county in Tangshan 唐山[Tang2 shan1], Hebei" -唐海县,táng hǎi xiàn,"Tanghai county in Tangshan 唐山[Tang2 shan1], Hebei" -唐狗,táng gǒu,mongrel -唐玄宗,táng xuán zōng,"Tang Emperor Xuanzong (685-762), also known as Emperor Ming of Tang 唐明皇[Tang2 Ming2 huang2], reign name of seventh Tang emperor 李隆基[Li3 Long1 ji1], reigned 712-756" -唐璜,táng huáng,a dandy; a fop; Don Juan; a ladies man -唐睿宗,táng ruì zōng,"Emperor Ruizong of Tang, reign name of sixth Tang emperor Li Dan 李旦[Li3 Dan4] (662-716), reigned 684-690 and 710-712" -唐穆宗,táng mù zōng,"Emperor Muzong of Tang (795-825), reign name of thirteenth Tang emperor 李恆|李恒[Li3 Heng2] reigned 821-825" -唐突,táng tū,to be rude; to treat irreverently -唐纳,táng nà,Tanner or Donald (name) -唐纳德,táng nà dé,Donald (name) -唐绍仪,táng shào yí,"Tang Shaoyi (1862-1939), politician and diplomat" -唐县,táng xiàn,"Tang county in Baoding 保定[Bao3 ding4], Hebei" -唐老鸭,táng lǎo yā,Donald Duck -唐肃宗,táng sù zōng,"Emperor Suzong of Tang (711-762), reign name of eighth Tang emperor Li Heng 李亨[Li3 Heng1], reigned 756-762" -唐花,táng huā,hothouse flower (i.e. flower grown in a greenhouse) -唐装,táng zhuāng,Tang suit (traditional Chinese jacket) -唐诗,táng shī,Tang poetry; a Tang poem -唐诗三百首,táng shī sān bǎi shǒu,"Three Hundred Tang Poems, an anthology collected around 1763 by Sun Zhu 孫誅|孙诛[Sun1 Zhu1]" -唐顺宗,táng shùn zōng,"Emperor Shunzong of Tang (761-806), reign name of eleventh Tang emperor Li Song 李誦|李诵[Li3 Song4], reigned 805-806" -唐高宗,táng gāo zōng,"Emperor Gaozong of Tang, reign name of third Tang emperor Li Zhi 李治[Li3 Zhi4] (628-683), reigned 649-683" -唐高祖,táng gāo zǔ,"Emperor Gaozu of Tang, reign name of first Tang emperor Li Yuan 李淵|李渊[Li3 Yuan1] (566-635), reigned 618-626" -唑,zuò,azole (chemistry) -唔,wú,oh (expression of agreement or surprise); (Cantonese) not -唔好睇,wú hǎo dì,unattractive (Cantonese); Mandarin equivalent: 不好看[bu4 hao3 kan4] -唣,zào,variant of 唣[zao4] -启,qǐ,variant of 啟|启[qi3] -吣,qìn,to vomit (of dogs and cats); to rail against; to talk nonsense -唣,zào,used in 囉唣|啰唣[luo2 zao4] -唧,jī,(onom.) to pump (water) -唧咕,jī gu,(onom.) whisper -唧唧,jī jī,"(onom.) chirping of insects, sighing noise etc" -唧唧喳喳,jī jī zhā zhā,(onom.) chattering or giggling -唧唧嘎嘎,jī ji gā gā,(onom.) cackling; creaking -唧啾,jī jiū,(onom.) babble; twittering of birds -唧筒,jī tǒng,a pump; water pump -唧筒座,jī tǒng zuò,Antlia (constellation) -唪,fěng,recite; chant -吟,yín,old variant of 吟[yin2] -唫,jìn,to stutter; to shut one's mouth; Taiwan pr. [yin2] -唫,yín,variant of 崟[yin2] -唬,hǔ,a tiger's roar; to scare; to intimidate; (coll.) to fool; to bluff -唬人,hǔ rén,to scare people; to bluff; to deceive -唬弄,hǔ nòng,to fool; to deceive -唬烂,hǔ làn,(slang) (Tw) to bullshit; to fool -售,shòu,to sell; to make or carry out (a plan or intrigue etc) -售价,shòu jià,selling price -售完,shòu wán,to sell out -售完即止,shòu wán jí zhǐ,while stocks last; subject to availability -售后服务,shòu hòu fú wù,after-sales service -售票,shòu piào,to sell tickets -售票口,shòu piào kǒu,ticket window -售票员,shòu piào yuán,ticket seller -售票处,shòu piào chù,ticket office -售罄,shòu qìng,to be completely sold out; to sell out -售货,shòu huò,to sell goods -售货员,shòu huò yuán,salesperson; CL:個|个[ge4] -售货台,shòu huò tái,vendor's stall -售卖,shòu mài,to sell -唯,wéi,"only; alone; -ism (in Chinese, a prefix, often combined with a suffix such as 主義|主义[zhu3 yi4] or 論|论[lun4], e.g. 唯理論|唯理论[wei2 li3 lun4], rationalism)" -唯,wěi,yes -唯一,wéi yī,only; sole -唯一性,wéi yī xìng,uniqueness -唯利是图,wéi lì shì tú,(idiom) to be bent solely on profit; to put profit before everything else -唯命是从,wéi mìng shì cóng,to follow obediently -唯唯诺诺,wéi wéi nuò nuò,to be a yes-man -唯心主义,wéi xīn zhǔ yì,"philosophy of idealism, the doctrine that external reality is a product of consciousness" -唯心论,wéi xīn lùn,"philosophy of idealism, the doctrine that external reality is a product of consciousness" -唯恐,wéi kǒng,for fear that; lest; also written 惟恐 -唯恐天下不乱,wéi kǒng tiān xià bù luàn,to wish for the whole world to be in chaos (idiom) -唯意志论,wéi yì zhì lùn,"voluntarism; metaphysical view, esp. due to Schopenhauer 叔本華|叔本华[Shu1 ben3 hua2], that the essence of the world is willpower" -唯有,wéi yǒu,only -唯物,wéi wù,materialistic -唯物主义,wéi wù zhǔ yì,"materialism, philosophical doctrine that physical matter is the whole of reality" -唯物论,wéi wù lùn,(philosophy) materialism -唯独,wéi dú,only; just (i.e. it is only that...); all except; unique -唯理论,wéi lǐ lùn,(philosophy) rationalism -唯粉,wéi fěn,fan who only likes one particular member of a pop idol band -唯美,wéi měi,aesthetics -唯识宗,wéi shí zōng,"Yogachara school of Buddhism (""consciousness only"" school of Buddhism)" -唯读,wéi dú,read-only (computing) -唯象,wéi xiàng,phenomenological -唯象理论,wéi xiàng lǐ lùn,phenomenology -唯饭,wéi fàn,fan who only likes one particular member of a pop idol band -唰,shuā,(onom.) swishing; rustling -唱,chàng,to sing; to call loudly; to chant -唱功,chàng gōng,singing skill -唱反调,chàng fǎn diào,to express a different view; to take a different position -唱名,chàng míng,solfege -唱和,chàng hè,antiphon (i.e. solo voice answered by chorus); sung reply (in agreement with first voice); to reply with a poem in the same rhythm -唱商,chàng shāng,one's ability to give a convincing performance of a song -唱喏,chàng nuò,"to answer respectfully ""yes""" -唱喏,chàng rě,(old) to bow and utter polite phrases; to open the way (for a dignitary etc) -唱对台戏,chàng duì tái xì,to put on a rival show (idiom); to set oneself up against sb; to get into confrontation -唱念,chàng niàn,(of a waiter) to call out (a customer's order to the kitchen) -唱戏,chàng xì,to perform in opera -唱曲,chàng qǔ,to sing a song -唱本,chàng běn,opera libretto -唱机,chàng jī,gramophone -唱歌,chàng gē,to sing a song -唱段,chàng duàn,aria (in opera) -唱法,chàng fǎ,singing style; singing method -唱片,chàng piàn,gramophone record; LP; music CD; musical album; CL:張|张[zhang1] -唱白脸,chàng bái liǎn,to play the role of the villain (idiom) -唱盘,chàng pán,turntable; gramophone record -唱碟,chàng dié,gramophone record; LP -唱票,chàng piào,to read ballot slips out loud -唱空城计,chàng kōng chéng jì,"lit. to sing ""The Empty City Stratagem"" (idiom); fig. to put up a bluff to conceal one's weakness; (jocular) (of a place etc) to be empty; (of one's stomach) to be rumbling" -唱红脸,chàng hóng liǎn,to play the role of the hero (idiom); to play the good cop -唱腔,chàng qiāng,vocal music (in opera); aria -唱臂,chàng bì,tone-arm (tracking arm of gramophone) -唱衰,chàng shuāi,to express pessimistic views about (sth) -唱词,chàng cí,libretto; lyrics -唱诗班,chàng shī bān,choir -唱针,chàng zhēn,stylus (gramophone needle) -唱双簧,chàng shuāng huáng,lit. to sing a duet; fig. to collaborate with sb; also used satirically: to play second fiddle to -唱头,chàng tóu,pickup (carrying gramophone needle) -唱高调,chàng gāo diào,to sing the high part; to speak fine sounding but empty words (idiom) -唱高调儿,chàng gāo diào er,erhua variant of 唱高調|唱高调[chang4 gao1 diao4] -唱黑脸,chàng hēi liǎn,to play the role of the strict parent (or superior etc) -唳,lì,cry of a crane or wild goose -唵,ǎn,(interjection) oh!; (dialect) to stuff sth in one's mouth; (used in buddhist transliterations) om -唷,yō,(interjection expressing surprise) Oh!; My! -唷,yo,"final particle expressing exhortation, admiration etc" -念,niàn,"variant of 念[nian4], to read aloud" -念念有词,niàn niàn yǒu cí,variant of 念念有詞|念念有词[nian4 nian4 you3 ci2] -唼,shǎ,to speak evil; gobbling sound made by ducks -唾,tuò,saliva; to spit -唾手可得,tuò shǒu kě dé,easily obtained; readily available -唾弃,tuò qì,to spurn; to disdain -唾沫,tuò mo,spittle; saliva -唾沫星子,tuò mò xīng zi,sputter -唾液,tuò yè,saliva -唾液腺,tuò yè xiàn,salivary gland -唾骂,tuò mà,to spit on and curse; to revile -唾面自干,tuò miàn zì gān,"to be spat on in the face and let it dry by itself, not wiping it off (idiom); to turn the other cheek; to drain the cup of humiliation" -唾余,tuò yú,crumbs from the table of one's master; castoffs; bits of rubbish; idle talk; casual remarks -唿,hū,to whistle (with fingers in one's mouth); (onom.) for the sound of the wind -唿哨,hū shào,to whistle (with fingers in one's mouth); nowadays written 呼哨 -唿喇,hū lǎ,whoosh -唿喇喇,hū là là,roar of the wind -啁,zhāo,used in 啁哳[zhao1 zha1]; Taiwan pr. [zhou1] -啁,zhōu,twittering of birds -啁哳,zhāo zhā,(literary) (onom.) combined twittering and chirping of many birds -啁啾,zhōu jiū,(bird) twitter; chirp -啃,kěn,to gnaw; to nibble; to bite -啃书,kěn shū,lit. to gnaw a book; to study; to cram -啃老,kěn lǎo,(coll.) to live with and depend on one's parents even upon reaching adulthood -啃老族,kěn lǎo zú,(coll.) adults still living with and depending on their parents -啄,zhuó,to peck -啄木鸟,zhuó mù niǎo,woodpecker -啄羊鹦鹉,zhuó yáng yīng wǔ,kea (Nestor notabilis) -啄花鸟,zhuó huā niǎo,flowerpecker (any bird of the family Dicaeidae) -啄食,zhuó shí,(of a bird) to peck at food -商,shāng,Shang Dynasty (c. 1600-1046 BC); surname Shang -商,shāng,"commerce; merchant; dealer; to consult; 2nd note in pentatonic scale; quotient (as in 智商[zhi4 shang1], intelligence quotient)" -商丘,shāng qiū,"Shangqiu, prefecture-level city in Henan" -商丘市,shāng qiū shì,"Shangqiu, prefecture-level city in Henan" -商人,shāng rén,merchant; businessman -商人银行,shāng rén yín háng,merchant bank -商代,shāng dài,the prehistoric Shang dynasty (c. 16th-11th century BC) -商兑,shāng duì,to discuss and deliberate -商务,shāng wù,commercial affairs; commercial; commerce; business -商务中心区,shāng wù zhōng xīn qū,central business district (e.g. CBD of Beijing) -商务印书馆,shāng wù yìn shū guǎn,"The Commercial Press, Beijing (est. 1897)" -商务汉语考试,shāng wù hàn yǔ kǎo shì,Business Chinese Test (BCT) -商务部,shāng wù bù,Department of Trade; Department of Commerce -商南,shāng nán,"Shangnan County in Shangluo 商洛[Shang1 luo4], Shaanxi" -商南县,shāng nán xiàn,"Shangnan County in Shangluo 商洛[Shang1 luo4], Shaanxi" -商君书,shāng jūn shū,"The Book of Lord Shang, Legalist text of the 4th century BC" -商品,shāng pǐn,commodity; goods; merchandise; CL:件|件[jian4] -商品价值,shāng pǐn jià zhí,commodity value -商品化,shāng pǐn huà,commodification -商品粮,shāng pǐn liáng,commodity grain (grain produced as a commodity rather than for self-sufficiency) -商品经济,shāng pǐn jīng jì,commodity economy -商圈,shāng quān,commercial district; business district -商城,shāng chéng,see 商城縣|商城县[Shang1 cheng2 xian4] -商城,shāng chéng,shopping center; department store -商城县,shāng chéng xiàn,"Shangcheng county, Henan" -商域,shāng yù,field of fractions (math.) -商埠,shāng bù,commercial port; trading port; treaty port (old) -商报,shāng bào,business newspaper -商场,shāng chǎng,shopping mall; shopping center; department store; emporium; CL:家[jia1]; the business world -商女,shāng nǚ,female singer (archaic) -商学,shāng xué,business studies; commerce as an academic subject -商学院,shāng xué yuàn,business school; university of business studies -商定,shāng dìng,to agree; to decide after consultation; to come to a compromise -商家,shāng jiā,merchant; business; enterprise -商展,shāng zhǎn,trade show; exhibition of goods -商州,shāng zhōu,"Shangzhou District of Shangluo City 商洛市[Shang1 luo4 Shi4], Shaanxi" -商州区,shāng zhōu qū,"Shangzhou District of Shangluo City 商洛市[Shang1 luo4 Shi4], Shaanxi" -商店,shāng diàn,"store; shop; CL:家[jia1],個|个[ge4]" -商战,shāng zhàn,trade war -商户,shāng hù,merchant; trader; businessman; firm -商数,shāng shù,(math.) quotient -商旅,shāng lǚ,businessmen and travelers; traveling merchant; (Tw) business hotel -商会,shāng huì,chamber of commerce -商朝,shāng cháo,Shang Dynasty (c. 1600-1046 BC) -商栈,shāng zhàn,inn; caravansary -商业,shāng yè,business; trade; commerce -商业中心,shāng yè zhōng xīn,business center; commerce center -商业化,shāng yè huà,to commercialize -商业区,shāng yè qū,business district; downtown -商业应用,shāng yè yìng yòng,business application -商业模式,shāng yè mó shì,business model -商业机构,shāng yè jī gòu,commercial organization -商业版本,shāng yè bǎn běn,commercial version (of software) -商业发票,shāng yè fā piào,commercial invoice -商业管理,shāng yè guǎn lǐ,business administration -商业行为,shāng yè xíng wéi,business activity; commercial activity -商业计划,shāng yè jì huà,business plan -商业银行,shāng yè yín háng,commercial bank -商榷,shāng què,to discuss; to bring up various ideas for discussion -商标,shāng biāo,trademark; logo -商机,shāng jī,business opportunity; commercial opportunity -商检,shāng jiǎn,to inspect goods -商民,shāng mín,merchant -商水,shāng shuǐ,"Shangshui county in Zhoukou 周口[Zhou1 kou3], Henan" -商水县,shāng shuǐ xiàn,"Shangshui county in Zhoukou 周口[Zhou1 kou3], Henan" -商河,shāng hé,"Shanghe county in Jinan 濟南|济南[Ji3 nan2], Shandong" -商河县,shāng hé xiàn,"Shanghe county in Jinan 濟南|济南[Ji3 nan2], Shandong" -商洛,shāng luò,"Shangluo, prefecture-level city in Shaanxi" -商洛市,shāng luò shì,"Shangluo, prefecture-level city in Shaanxi" -商洽,shāng qià,to parley; to negotiate; to discuss -商港,shāng gǎng,commercial port; trading harbor -商汤,shāng tāng,"Shang Tang (1646-? BC), legendary founder of the Shang Dynasty" -商汤科技,shāng tāng kē jì,"SenseTime, artificial intelligence company focused on computer vision and deep learning technologies, founded in Hong Kong in 2014" -商演,shāng yǎn,commercial performance -商用,shāng yòng,(attributive) commercial -商界,shāng jiè,business world; business community -商祺,shāng qí,business is auspicious; conventional greeting at the foot of a letter: May your business go well! -商科,shāng kē,"Shangke corporation, PRC IT company (since 1994)" -商科,shāng kē,business studies -商科院校,shāng kē yuàn xiào,Business school -商科集团,shāng kē jí tuán,"Shangke Corporation, PRC IT company (since 1994)" -商税,shāng shuì,tax on trade -商纣王,shāng zhòu wáng,"King Zhou of Shang (11th century BC), notorious as a cruel tyrant" -商约,shāng yuē,trade treaty (abbr. for 通商條約|通商条约[tong1shang1 tiao2yue1]); to mutually agree (to do sth) (abbr. for 商量約定|商量约定[shang1liang5 yue1ding4]) -商铺,shāng pù,shop; store -商船,shāng chuán,merchant ship -商号,shāng hào,store; a business -商行,shāng háng,trading company -商计,shāng jì,to negotiate; to discuss -商讨,shāng tǎo,to discuss; to deliberate -商调,shāng diào,to negotiate the transfer of personnel -商谈,shāng tán,to confer; to discuss; to engage in talks -商议,shāng yì,to negotiate; discussion; proposal -商誉,shāng yù,(commerce) prestige; reputation; (accounting) goodwill -商贩,shāng fàn,trader; peddler -商贸,shāng mào,trade and commerce -商贾,shāng gǔ,merchant -商路,shāng lù,trade route -商办,shāng bàn,to consult and act upon; privately run; commercial -商都,shāng dū,"Shangdu county in Ulaanchab 烏蘭察布|乌兰察布[Wu1 lan2 cha2 bu4], Inner Mongolia" -商都县,shāng dū xiàn,"Shangdu county in Ulaanchab 烏蘭察布|乌兰察布[Wu1 lan2 cha2 bu4], Inner Mongolia" -商酌,shāng zhuó,to deliberate -商量,shāng liang,to consult; to talk over; to discuss -商队,shāng duì,caravan -商鞅,shāng yāng,"Shang Yang (c. 390-338 BC), legalist philosopher and statesman of the state of Qin 秦國|秦国[Qin2 guo2], whose reforms paved the way for the eventual unification of the Chinese empire by the Qin dynasty 秦朝|秦朝[Qin2 chao2]" -商鞅变法,shāng yāng biàn fǎ,"Shang Yang's political reform of Qin state 秦國|秦国 of 356 BC and 350 BC, that put it on the road to world domination" -商飙徐起,shāng biāo xú qǐ,the autumn breeze comes gently (idiom) -啉,lín,used in the transliteration of the names of organic compounds such as porphyrin 卟啉[bu3 lin2] and quinoline 喹啉[kui2 lin2] -啊,ā,interjection of surprise; Ah!; Oh! -啊,á,interjection expressing doubt or requiring answer; Eh?; what? -啊,ǎ,interjection of surprise or doubt; Eh?; My!; what's up? -啊,à,"interjection or grunt of agreement; uhm; Ah, OK; expression of recognition; Oh, it's you!" -啊,a,"modal particle ending sentence, showing affirmation, approval, or consent" -啊呀,ā yā,interjection of surprise; Oh my! -啊哟,ā yo,interjection of surprise or pain; Oh; Ow; My goodness! -问,wèn,to ask; to inquire -问世,wèn shì,to be published; to come out -问事,wèn shì,to ask for information; to inquire -问住,wèn zhù,to stump sb with a question -问倒,wèn dǎo,to stump; to baffle -问候,wèn hòu,to give one's respects; to send a greeting; (fig.) (coll.) to make offensive reference to (somebody dear to the person to whom one is speaking) -问卷,wèn juàn,questionnaire; CL:份[fen4] -问名,wèn míng,"to enquire, according to custom, after the name and horoscope of intended bride; one of a set of six traditional marriage protocols (六禮|六礼), in which name as well as date and time of birth (for horoscope) are formally requested of the prospective bride's family" -问好,wèn hǎo,to say hello to; to send one's regards to -问安,wèn ān,to pay one's respects; to give regards to -问客杀鸡,wèn kè shā jī,lit. asking guests whether or not to butcher a chicken for them (idiom); fig. hypocritical show of affection (or hospitality) -问市,wèn shì,to hit the market -问心有愧,wèn xīn yǒu kuì,to have a guilty conscience -问心无愧,wèn xīn wú kuì,"lit. look into one's heart, no shame (idiom); with a clear conscience" -问津,wèn jīn,to make inquiries (mostly used in the negative) -问答,wèn dá,question and answer -问罪,wèn zuì,to denounce; to condemn; to call to account; to punish -问罪之师,wèn zuì zhī shī,punitive force; a person setting out to deliver severe reproach -问荆,wèn jīng,field horsetail (Equisetum arvense) -问号,wèn hào,question mark (punct.); unknown factor; unsolved problem; interrogation -问讯,wèn xùn,interrogation; greeting -问诊,wèn zhěn,"(TCM) interrogation, one of the four methods of diagnosis 四診|四诊[si4 zhen3]" -问话,wèn huà,questioning (a suspect); interrogation -问责,wèn zé,to hold accountable; to blame; to censure; to apportion blame -问责性,wèn zé xìng,accountability -问路,wèn lù,to ask for directions; to ask the way (to some place) -问道,wèn dào,to ask the way; to ask -问道于盲,wèn dào yú máng,lit. to ask a blind man the way (idiom); fig. to seek advice from an incompetent -问题,wèn tí,question; problem; issue; topic; CL:個|个[ge4] -问鼎,wèn dǐng,to aspire to the throne; to aim at (the first place etc) -问鼎中原,wèn dǐng zhōng yuán,to plan to seize power of the whole country (idiom) -问鼎轻重,wèn dǐng qīng zhòng,lit. to inquire whether the tripods are light or heavy (idiom); a laughable attempt to seize power -啐,cuì,to spit; (onom.) pshaw!; (old) to sip -喋,dié,old variant of 喋[die2] -启,qǐ,variant of 啟|启[qi3] -啕,táo,wail -啖,dàn,to eat; to taste; to entice (using bait) -啖,dàn,variant of 啖[dan4] -啜,chuò,(literary) to drink; to sip; to sob -啜泣,chuò qì,to sob -啜饮,chuò yǐn,to sip -哑,yā,(onom.) sound of cawing; sound of infant learning to talk; variant of 呀[ya1] -哑,yǎ,"mute; dumb; incapable of speech; (of a voice) hoarse; husky; (of a bullet, bomb etc) dud" -哑光,yǎ guāng,matte; non-glossy -哑剧,yǎ jù,to mime; a dumb show -哑口,yǎ kǒu,as if dumb; speechless -哑口无言,yǎ kǒu wú yán,dumbstruck and unable to reply (idiom); left speechless; at a loss for words -哑子,yǎ zi,(dialect) a mute -哑巴,yǎ ba,a mute; mute; silent -哑巴吃黄莲,yǎ ba chī huáng lián,no choice but to suffer in silence (idiom); also written 啞巴吃黃連|哑巴吃黄连; (often precedes 有苦說不出|有苦说不出[you3 ku3 shuo1 bu5 chu1]) -哑巴吃黄连,yǎ ba chī huáng lián,no choice but to suffer in silence (idiom); also written 啞巴吃黃蓮|哑巴吃黄莲; (often precedes 有苦說不出|有苦说不出[you3 ku3 shuo1 bu5 chu1]) -哑巴亏,yǎ ba kuī,pent-up unspoken grievances; suffering not willingly or possibly spoken of -哑然失笑,yǎ rán shī xiào,to laugh involuntarily; Taiwan pr. [e4 ran2 shi1 xiao4] -哑终端,yǎ zhōng duān,dumb terminal -哑语,yǎ yǔ,sign language -哑谜,yǎ mí,puzzle; mystery -哑铃,yǎ líng,dumbbell (weight) -哑点,yǎ diǎn,blind spot; dead spot -哑鼓,yǎ gǔ,drum practice pad (music); a practice drum (music) -启,qǐ,"Qi son of Yu the Great 禹[Yu3], reported founder of the Xia Dynasty 夏朝[Xia4 Chao2] (c. 2070-c. 1600 BC)" -启,qǐ,to open; to start; to initiate; to enlighten or awaken; to state; to inform -启事,qǐ shì,"announcement (written, on billboard, letter, newspaper or website); to post information; a notice" -启动,qǐ dòng,to start (a machine); (fig.) to set in motion; to launch (an operation); to activate (a plan) -启动区,qǐ dòng qū,boot sector (computing) -启动子,qǐ dòng zi,promoter -启奏,qǐ zòu,to submit a report to the king; to talk to the king -启封,qǐ fēng,to open sth that has been sealed -启德机场,qǐ dé jī chǎng,"Kai Tak Airport, international airport of Hong Kong from 1925 to 1998" -启应祈祷,qǐ yìng qí dǎo,Introitus (section of Catholic mass) -启明,qǐ míng,Classical Chinese name for planet Venus in the east before dawn -启明星,qǐ míng xīng,(astronomy) Venus -启东,qǐ dōng,"Qidong, county-level city in Nantong 南通[Nan2 tong1], Jiangsu" -启东市,qǐ dōng shì,"Qidong, county-level city in Nantong 南通[Nan2 tong1], Jiangsu" -启海话,qǐ hǎi huà,"Qihai dialect, a Wu dialect spoken in Tongzhou, Haimen, and Qidong districts in southern Jiangsu province, and on Chongming Island in Shanghai" -启用,qǐ yòng,to start using; (computing) to enable (a feature) -启发,qǐ fā,to enlighten; to explain (a text etc); to stimulate (a mental attitude); enlightenment; revelation; motivation -启发式,qǐ fā shì,heuristic -启发法,qǐ fā fǎ,heuristic method; heuristics -启蒙,qǐ méng,variant of 啟蒙|启蒙[qi3 meng2]; to instruct the young -启示,qǐ shì,to reveal; to enlighten; enlightenment; revelation; illumination; moral (of a story etc); lesson -启示者,qǐ shì zhě,revelator -启示录,qǐ shì lù,the Revelation of St John the divine; the Apocalypse -启程,qǐ chéng,to set out on a journey -启航,qǐ háng,(of a ship) to set sail; (of an airplane) to take off -启蒙,qǐ méng,to instruct the young; to initiate; to awake sb from ignorance; to free sb from prejudice or superstition; primer; enlightened; the Enlightenment; Western learning from the late Qing dynasty -启蒙主义,qǐ méng zhǔ yì,Enlightenment (philosophy) -启蛰,qǐ zhé,"Waking from Hibernation; old variant of 驚蟄|惊蛰[Jing1 zhe2], Insects Wake, 3rd of the 24 solar terms 二十四節氣|二十四节气[er4 shi2 si4 jie2 qi5] 6th-20th March" -启迪,qǐ dí,to edify; enlightenment -启运,qǐ yùn,to ship (goods) -启齿,qǐ chǐ,to open one's mouth; to start talking -啡,fēi,(used in loanwords for its phonetic value) -啡厅,fēi tīng,see 咖啡廳|咖啡厅[ka1 fei1 ting1] -衔,xián,variant of 銜|衔[xian2] -啤,pí,beer -啤酒,pí jiǔ,"beer (loanword); CL:杯[bei1],瓶[ping2],罐[guan4],桶[tong3],缸[gang1]" -啤酒厂,pí jiǔ chǎng,brewery -啤酒节,pí jiǔ jié,Beer Festival -啤酒肚,pí jiǔ dù,beer belly -啤酒花,pí jiǔ huā,hops -啥,shá,dialectal equivalent of 什麼|什么[shen2 me5]; also pr. [sha4] -啥子,shá zi,(dialect) what -啦,lā,"(onom.) sound of singing, cheering etc; (phonetic); (dialect) to chat" -啦,la,"sentence-final particle, contraction of 了啊, indicating exclamation; particle placed after each item in a list of examples" -啦呱,lā gua,variant of 拉呱[la1 gua5] -啦啦队,lā lā duì,cheerleading squad -啦啦队长,lā lā duì zhǎng,cheerleader -啪,pā,(onom.) bang; pop; pow -啪啪啪,pā pā pā,(slang) to have sex; jig-a-jig -啪哒,pā dā,(onom.) sound of object falling into water; plop -啪嚓,pā chā,(onom.) (sound of sth smashing as it hits the ground); (onom.) (sound made by a camera shutter) -啫,zhě,used in 啫哩[zhe3 li1] -啫哩,zhě lí,variant of 啫喱[zhe3 li2] -啫喱,zhě lí,(loanword) jelly; gel -啵,bō,(onom.) to bubble -啵,bo,grammatical particle equivalent to 吧 -啵啵,bō bō,(onom.) bubbling noise -啶,dìng,idine (chemistry) -啷,lāng,used in 啷當|啷当[lang1 dang1]; used in onomatopoeic words such as 哐啷[kuang1 lang1] -啷当,lāng dāng,(of age) more or less; or so; and so on -啻,chì,"only (classical, usually follows negative or question words); (not) just" -啼,tí,(bound form) to cry; to weep loudly; (bound form) (of a bird or animal) to crow; to hoot; to screech -啼哭,tí kū,to cry; to wail -啼啭,tí zhuàn,to call sweetly (of birds) -啼笑皆非,tí xiào jiē fēi,lit. not to know whether to laugh or cry (idiom); between laughter and tears -啼声,tí shēng,ululation; to howl -啼饥号寒,tí jī háo hán,hunger cries and cold roars (idiom); wretched poverty -啾,jiū,(onom.) wailing of child; chirp; kiss (Tw) -喀,kā,(onom.) sound of coughing or vomiting -喀什,kā shí,Kashgar or Qeshqer (Kāshí) city and prefecture in the west of Xinjiang near Kyrgyzstan -喀什噶尔,kā shí gá ěr,Kashgar or Qeshqer (Chinese Kashi) in the west of Xinjiang near Kyrgyzstan -喀什地区,kā shí dì qū,"Qeshqer wilayiti, Kashgar or Kāshí prefecture in west Xinjiang near Kyrgyzstan" -喀什市,kā shí shì,Qeshqer Shehiri (Kashgar city) in the west of Xinjiang near Kyrgyzstan -喀啦喀啦,kā lā kā lā,(onom.) clank -喀喇昆仑公路,kā lǎ kūn lún gōng lù,"Karakorum Highway, linking Pakistan and Xinjiang" -喀喇昆仑山,kā lǎ kūn lún shān,Karakorum mountain range in west Xinjiang -喀喇昆仑山脉,kā lǎ kūn lún shān mài,Karakorum mountain range in west Xinjiang -喀喇沁,kā lǎ qìn,"Harqin (Mongol: guard); Harqin banner or Kharchin khoshuu in Chifeng 赤峰[Chi4 feng1], Inner Mongolia; also Harqin Left Mongol autonomous county in Chaoyang 朝陽|朝阳[Chao2 yang2], Liaoning" -喀喇沁左翼蒙古族自治县,kā lǎ qìn zuǒ yì měng gǔ zú zì zhì xiàn,"Harqin Left Mongol autonomous county in Chaoyang 朝陽|朝阳[Chao2 yang2], Liaoning" -喀喇沁旗,kā lǎ qìn qí,"Harqin banner or Kharchin khoshuu in Chifeng 赤峰[Chi4 feng1], Inner Mongolia" -喀哒,kā dā,(onom.) click -喀嚓,kā chā,(onom.) breaking or snapping -喀土穆,kā tǔ mù,"Khartoum, capital of Sudan" -喀奴特,kā nú tè,Knuth or Canute (name) -喀山,kā shān,Kazan -喀布尔,kā bù ěr,"Kabul, capital of Afghanistan" -喀拉喀托,kā lā kā tuō,Krakatoa island and volcano in the Sunda Strait -喀拉喀托火山,kā lā kā tuō huǒ shān,Krakatoa (volcanic island in Indonesia) -喀拉昆仑山,kā lā kūn lún shān,Karakorum mountains -喀拉拉邦,kā lā lā bāng,Kerala (state in India) -喀拉汗国,kā lā hán guó,"Karakhan Dynasty of central Asia, 8th-10th century" -喀拉汗王朝,kā lā hán wáng cháo,"Karakhan dynasty of central Asia, 8th-10th century" -喀斯特,kā sī tè,(geology) karst (loanword) -喀尔喀,kā ěr kā,"Khalkha, largest subgroup of Mongol people" -喀尔巴阡山脉,kā ěr bā qiān shān mài,"Carpathian Mountains, 1500-km mountain range in Central and Eastern Europe" -喀秋莎,kā qiū shā,Katyusha (name); name of a Russian wartime song; nickname of a rocket launcher used by the Red Army in WWII -喀纳斯湖,kā nà sī hú,Kanas Lake in Xinjiang -喀麦隆,kā mài lóng,Cameroon -喁,yóng,(literary) (of a fish) to stick its mouth out of the water -喁,yú,"(literary) (onom.) response chant, echoing another's chanted words" -喁喁,yóng yóng,(literary) looking up expectantly -喁喁,yú yú,(onom.) speaking softly -喂,wéi,hello (when answering the phone) -喂,wèi,"hey; to feed (an animal, baby, invalid etc)" -喃,nán,mumble in repetition -喃喃,nán nán,(onom.) to mutter; to mumble; to murmur -喃喃自语,nán nán zì yǔ,to mumble to oneself -喃字,nán zì,Vietnam characters (like Chinese characters but native to Vietnam) -善,shàn,good (virtuous); benevolent; well-disposed; good at sth; to improve or perfect -善事,shàn shì,good deeds -善人,shàn rén,philanthropist; charitable person; well-doer -善化,shàn huà,"Shanhua town in Tainan county 台南縣|台南县[Tai2 nan2 xian4], Taiwan" -善化镇,shàn huà zhèn,"Shanhua town in Tainan county 台南縣|台南县[Tai2 nan2 xian4], Taiwan" -善哉,shàn zāi,excellent -善因,shàn yīn,(Buddhism) good karma -善始善终,shàn shǐ shàn zhōng,"where there's a start, there's a finish (idiom); to finish once one starts sth; to carry things through; I started, so I'll finish." -善存,shàn cún,Centrum (brand) -善待,shàn dài,to treat well -善后,shàn hòu,to deal with the aftermath (arising from an accident); funeral arrangements; reparations -善后借款,shàn hòu jiè kuǎn,reconstruction loan provided by Great Powers to Yuan Shikai in 1913 -善心,shàn xīn,kindness; benevolence; philanthropy; virtuous intentions -善忘,shàn wàng,to be forgetful; to have a short memory -善思,shàn sī,thoughtfulness; wholesome thinking (Buddhism) -善恶,shàn è,good and evil; good versus evil -善意,shàn yì,goodwill; benevolence; kindness -善意的谎言,shàn yì de huǎng yán,white lie -善感,shàn gǎn,sensitive; emotional -善于,shàn yú,to be good at; to be adept at -善有善报,shàn yǒu shàn bào,virtue has its rewards (idiom); one good turn deserves another -善本,shàn běn,old book; good book; reliable book; rare book -善款,shàn kuǎn,contributions; donations -善用,shàn yòng,to be good at using (sth); to put (sth) to good use -善男信女,shàn nán xìn nǚ,lay practitioners of Buddhism -善策,shàn cè,wise policy; best policy -善缘,shàn yuán,good karma -善罢甘休,shàn bà gān xiū,to leave the matter at that; to be prepared to let go; to be willing to take things lying down -善能,shàn néng,to be good at -善自保重,shàn zì bǎo zhòng,take good care of yourself! -善自为谋,shàn zì wéi móu,to be good at working for one's own profit (idiom) -善自珍摄,shàn zì zhēn shè,take good care of yourself! (idiom) -善举,shàn jǔ,meritorious deed; benevolent act -善良,shàn liáng,good and honest; kindhearted -善行,shàn xíng,good actions -善解人意,shàn jiě rén yì,to be good at understanding others (idiom) -善言,shàn yán,good words -善言辞,shàn yán cí,articulate; eloquent -善变,shàn biàn,fickle; mercurial; changeable; capricious; to be apt to change -善财,shàn cái,to cherish wealth -善财难舍,shàn cái nán shě,to cherish wealth and find it hard to give up (idiom); refusing to contribute to charity; skinflint; miserly -善辩,shàn biàn,eloquent; good at arguing -善风,shàn fēng,fair wind -喆,zhé,variant of 哲[zhe2] (used as a surname and in given names) -喇,lā,"(onom.) sound of wind, rain etc" -喇,lǎ,(phonetic) -喇叭,lǎ ba,horn (automobile etc); loudspeaker; brass wind instrument; trumpet; suona 鎖吶|锁呐[suo3 na4] -喇叭形,lǎ ba xíng,flared; funnel-shape; trumpet-shape -喇叭水仙,lā bā shuǐ xiān,daffodil -喇叭花,lǎ ba huā,morning glory -喇叭裙,lǎ bā qún,flared skirt -喇叭裤,lǎ ba kù,flared trousers; bell-bottomed pants -喇合,lǎ hé,Rahab (mother of Boaz) -喇嘛,lǎ ma,"lama, spiritual teacher in Tibetan Buddhism" -喇嘛庙,lǎ ma miào,lamasery; temple of Tibetan Buddhism -喇嘛教,lǎ ma jiào,Lamaism; Tibetan Buddhism -喇沙,lǎ shā,"La Salle (used in the names of schools etc); Jean-Baptiste de La Salle (1651-1719), French priest, founder of the Brothers of the Christian Schools" -喇沙,lǎ shā,"laksa, spicy noodle soup of Southeast Asia" -喇舌,lǎ jī,"(Tw) French kissing; to waggle one's tongue around (from Taiwanese 抐舌, Tai-lo pr. [lā-tsi̍h])" -喇赛,lā sài,"(slang) (Tw) to chat idly; to gossip (from Taiwanese 抐屎, Tai-lo pr. [lā-sái])" -喈,jiē,harmonious (of music) -喉,hóu,throat; larynx -喉咽,hóu yān,laryngopharynx; fig. a key position -喉咙,hóu lóng,the throat -喉塞音,hóu sè yīn,glottal stop -喉急,hóu jí,variant of 猴急[hou2 ji2] -喉擦音,hóu cā yīn,guttural fricative -喉炎,hóu yán,laryngitis -喉片,hóu piàn,throat lozenge -喉痧,hóu shā,scarlet fever -喉结,hóu jié,Adam's apple; laryngeal prominence -喉舌,hóu shé,mouthpiece; spokesperson -喉轮,hóu lún,"viśuddha or visuddha, the throat chakra 查克拉, residing in the neck" -喉部,hóu bù,neck; throat -喉镜,hóu jìng,laryngoscope -喉音,hóu yīn,guttural sound; (linguistics) glottal (or laryngeal) consonant -喉韵,hóu yùn,pleasant aftertaste in the back of the throat (esp. when drinking tea) -喉头,hóu tóu,throat; larynx -喉鸣,hóu míng,"throat sound such as choking, donkey's bray etc" -喊,hǎn,to yell; to shout; to call out for (a person) -喊住,hǎn zhù,to stop (sb) by calling out to them -喊冤,hǎn yuān,to cry out a grievance -喊叫,hǎn jiào,to cry out; to shout -喊声,hǎn shēng,to yell; hubbub -喊话,hǎn huà,to speak using a loud voice or megaphone etc; (fig.) to convey a strong message -喊话器,hǎn huà qì,megaphone -喊道,hǎn dào,to yell -喋,dié,flowing flood; to chatter -喋喋,dié dié,to chatter a lot -喋喋不休,dié dié bù xiū,to chatter or jabber on and on -喋血,dié xuè,bloodbath; carnage -喏,nuò,(indicating agreement) yes; all right; (drawing attention to) look!; here!; variant of 諾|诺[nuo4] -喏,rě,to salute; make one's curtsy -喑,yīn,mute -喑哑,yīn yǎ,hoarse; raspy -咱,zán,variant of 咱[zan2] -喔,ō,"(interjection) oh; I see (used to indicate realization, understanding)" -喔,o,(Tw) (sentence-final particle) (used to convey a friendly tone when giving an admonition or correcting sb etc) -喔,wō,(onom.) cry of a rooster (usu. reduplicated); Taiwan pr. [wo4] -喘,chuǎn,to gasp; to pant; asthma -喘不过,chuǎn bu guò,to be unable to breathe easily -喘不过气来,chuǎn bu guò qì lái,to be unable to breathe -喘吁吁,chuǎn xū xū,to puff and blow -喘嘘嘘,chuǎn xū xū,variant of 喘吁吁[chuan3 xu1 xu1] -喘息,chuǎn xī,to gasp for breath; to take a breather -喘振,chuǎn zhèn,surge (of a compressor) -喘气,chuǎn qì,to breathe deeply; to pant; to gasp; to take a breather; to catch one's breath -喘粗气,chuǎn cū qì,to pant heavily -喙,huì,beak; snout; mouth; to pant -唤,huàn,to call -唤作,huàn zuò,to be called; to be known as -唤做,huàn zuò,to be called; to be referred to as -唤起,huàn qǐ,"to waken (to action); to rouse (the masses); to evoke (attention, recollection etc)" -唤醒,huàn xǐng,to wake sb; to rouse -唤雨呼风,huàn yǔ hū fēng,to call the wind and summon the rain (idiom); to exercise magical powers; fig. to stir up troubles; also 呼風喚雨|呼风唤雨[hu1 feng1 huan4 yu3] -唤头,huàn tou,"percussion instrument used by street peddlers, barbers etc to attract attention" -喜,xǐ,to be fond of; to like; to enjoy; to be happy; to feel pleased; happiness; delight; glad -喜不自胜,xǐ bù zì shèng,unable to contain one's joy (idiom) -喜不自禁,xǐ bù zì jīn,unable to contain one's joy (idiom) -喜事,xǐ shì,happy occasion; wedding -喜人,xǐ rén,pleasing; gratifying -喜来登,xǐ lái dēng,Sheraton (hotel chain) -喜出望外,xǐ chū wàng wài,to be pleased beyond one's expectations (idiom); overjoyed at the turn of events -喜则气缓,xǐ zé qì huǎn,joy depresses one's qi vital breath; an excess of joy may lead to sluggishness of vital energy (TCM) -喜剧,xǐ jù,"a comedy; CL:部[bu4],齣|出[chu1]" -喜力,xǐ lì,Heineken (Dutch brewing company); see also 海尼根[Hai3 ni2 gen1] -喜吟吟,xǐ yín yín,joyful; happy -喜喜欢欢,xǐ xǐ huān huān,happily -喜报,xǐ bào,announcement of joyful news; CL:張|张[zhang1] -喜寿,xǐ shòu,"77th birthday (honorific, archaic or Japanese term)" -喜大普奔,xǐ dà pǔ bēn,"(of news etc) so thrilling that everyone is rejoicing and spreading the word (Internet slang); acronym from 喜聞樂見|喜闻乐见[xi3 wen2 le4 jian4], 大快人心[da4 kuai4 ren2 xin1], 普天同慶|普天同庆[pu3 tian1 tong2 qing4] and 奔走相告[ben1 zou3 xiang1 gao4]" -喜好,xǐ hào,to like; fond of; to prefer; to love; one's tastes; preference -喜娘,xǐ niáng,matron of honor (old) -喜子,xǐ zi,Tetragnatha (long-jawed spider); same as 蟢子 -喜孜孜,xǐ zī zī,pleased; happy -喜宴,xǐ yàn,wedding banquet -喜山白眉朱雀,xǐ shān bái méi zhū què,(bird species of China) Himalayan white-browed rosefinch (Carpodacus thura) -喜山红眉朱雀,xǐ shān hóng méi zhū què,(bird species of China) Himalayan beautiful rosefinch (Carpodacus pulcherrimus) -喜山点翅朱雀,xǐ shān diǎn chì zhū què,(bird species of China) spot-winged rosefinch (Carpodacus rodopeplus) -喜帕,xǐ pà,bridal veil (covering the face) -喜帖,xǐ tiě,wedding invitation -喜幛,xǐ zhàng,celebratory hanging scroll -喜形于色,xǐ xíng yú sè,face light up with delight (idiom); to beam with joy -喜从天降,xǐ cóng tiān jiàng,joy from heaven (idiom); overjoyed at unexpected good news; unlooked-for happy event -喜德,xǐ dé,"Xide county in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -喜德县,xǐ dé xiàn,"Xide county in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -喜怒哀乐,xǐ nù āi lè,"four types of human emotions, namely: happiness 歡喜|欢喜[huan1 xi3], anger 憤怒|愤怒[fen4 nu4], sorrow 悲哀[bei1 ai1] and joy 快樂|快乐[kuai4 le4]" -喜怒无常,xǐ nù wú cháng,temperamental; moody -喜悦,xǐ yuè,happy; joyous -喜恶,xǐ è,likes and dislikes -喜爱,xǐ ài,to like; to love; to be fond of; favorite -喜感,xǐ gǎn,comicality; comical; (Buddhism) joy -喜庆,xǐ qìng,jubilation; festive -喜忧参半,xǐ yōu cān bàn,to have mixed feelings (about sth) -喜憨儿,xǐ hān ér,(Tw) intellectually impaired child or youth (affectionate term) -喜提,xǐ tí,(neologism c. 2018) to be thrilled to receive; to excitedly take delivery of -喜新厌旧,xǐ xīn yàn jiù,"lit. to like the new, and hate the old (idiom); fig. enamored with new people (e.g. new girlfriend), bored with the old" -喜极而泣,xǐ jí ér qì,crying tears of joy (idiom) -喜乐,xǐ lè,joy -喜歌剧院,xǐ gē jù yuàn,"musical theater; Opéra Comique, Paris" -喜欢,xǐ huan,to like; to be fond of -喜气,xǐ qì,hilarity; cheerful atmosphere -喜气洋洋,xǐ qì yáng yáng,full of joy (idiom); jubilation -喜洋洋,xǐ yáng yáng,radiant with joy -喜滋滋,xǐ zī zī,pleased; happy -喜当爹,xǐ dāng diē,(neologism c. 2012) (slang) to become a stepfather when one's partner turns out to be pregnant with a child she conceived with another lover -喜盈盈,xǐ yíng yíng,happy; joyful -喜笑,xǐ xiào,to laugh; laughter -喜笑颜开,xǐ xiào yán kāi,grinning from ear to ear (idiom); beaming with happiness -喜筵,xǐ yán,wedding banquet; congratulatory feast -喜糖,xǐ táng,sweet given on a happy occasion (esp. wedding) -喜结连理,xǐ jié lián lǐ,to tie the knot (idiom); to get married -喜群游,xǐ qún yóu,(ichthyology) gregarious -喜群飞,xǐ qún fēi,(ornithology) gregarious -喜闻乐见,xǐ wén lè jiàn,to love to hear and see (idiom); well received; to one's liking -喜兴,xǐ xìng,joyous; delighted; merry -喜色,xǐ sè,happy expression; cheerful look -喜蛋,xǐ dàn,"red-painted eggs, traditional celebratory gift on third day after birth of new baby" -喜冲冲,xǐ chōng chōng,to beam with joy; in a happy mood -喜讯,xǐ xùn,good news; glad tidings -喜跃,xǐ yuè,to jump for joy -喜车,xǐ chē,wedding car; carriage for collecting the bride -喜酒,xǐ jiǔ,wedding feast; liquor drunk at a wedding feast -喜钱,xǐ qian,tip given on a happy occasion (traditional) -喜阳,xǐ yáng,heliophile; tending towards the sun; heliotropism -喜雨,xǐ yǔ,welcome fall of rain; seasonable rain -喜饼,xǐ bǐng,"double happiness cakes, pastries offered by a man to his fiancée's family at the time of their engagement" -喜马拉雅,xǐ mǎ lā yǎ,the Himalayas -喜马拉雅山,xǐ mǎ lā yǎ shān,Himalayas -喜马拉雅山脉,xǐ mǎ lā yǎ shān mài,Himalayas -喜鹊,xǐ què,(bird species of China) Eurasian magpie (Pica pica) -喝,hē,to drink; variant of 嗬[he1] -喝,hè,to shout -喝令,hè lìng,to shout an order or command -喝倒彩,hè dào cǎi,to boo or jeer (as a sign of displeasure at an actor) -喝光,hē guāng,to drink up; to finish (a drink) -喝叱,hè chì,see 呵斥[he1 chi4] -喝彩,hè cǎi,to acclaim; to cheer -喝掉,hē diào,to drink up; to finish (a drink) -喝挂,hē guà,(coll.) to get drunk; to get hammered -喝斥,hè chì,to berate; to excoriate; to chide; also written 呵斥[he1chi4] -喝断片,hē duàn piàn,to get blackout drunk (slang) -喝止,hè zhǐ,to shout at sb to stop -喝凉水都塞牙,hē liáng shuǐ dōu sāi yá,(coll.) to be out of luck -喝茫,hē máng,(slang) to get drunk (Tw) -喝茶,hē chá,"to drink tea; to get engaged; to have a serious conversation; (fig.) to have a meeting with state security agents (to be warned to behave ""responsibly"")" -喝西北风,hē xī běi fēng,lit. drink the northwest wind (idiom); cold and hungry -喝道,hè dào,"to shout (i.e. to say in a loud voice) (usually followed by the words shouted); (old) (of yamen bailiffs etc) to walk ahead of an official, shouting at pedestrians to clear the way" -喝酒,hē jiǔ,to drink (alcohol) -喝醉,hē zuì,to get drunk -喝采,hè cǎi,to acclaim; to cheer -喝高,hē gāo,to get drunk -喟,kuì,to sigh -喧,xuān,clamor; noise -喧哗,xuān huá,hubbub; clamor; to make a racket -喧哗与骚动,xuān huá yǔ sāo dòng,The Sound and the Fury (novel by William Faulkner 威廉·福克納|威廉·福克纳[Wei1 lian2 · Fu2 ke4 na4]) -喧嚣,xuān xiāo,to clamor; to make noise -喧扰,xuān rǎo,to disturb by noise -喧宾夺主,xuān bīn duó zhǔ,lit. the voice of the guest overwhelms that of the host (idiom); fig. a minor player upstages the main attraction; minor details obscure the main point; the sauce is better than the fish -喧腾,xuān téng,to make a tumult; hubbub; uproar -喧闹,xuān nào,to make a noise; noisy -喨,liàng,clear; resounding -丧,sāng,mourning; funeral; (old) corpse -丧,sàng,"to lose sth abstract but important (courage, authority, one's life etc); to be bereaved of (one's spouse etc); to die; disappointed; discouraged" -丧乱,sāng luàn,tragic disaster; disturbance and bloodshed -丧事,sāng shì,funeral arrangements -丧亡,sàng wáng,to die -丧假,sāng jià,funeral leave -丧偶,sàng ǒu,(literary) to be bereaved of one's spouse -丧仪,sāng yí,funeral ceremony -丧命,sàng mìng,to lose one's life -丧天害理,sàng tiān hài lǐ,devoid of conscience (idiom) -丧失,sàng shī,to lose; to forfeit -丧失殆尽,sàng shī dài jìn,to be used up; to be exhausted -丧妻,sàng qī,to be bereaved of one's wife -丧家之犬,sàng jiā zhī quǎn,stray dog (idiom) -丧家之狗,sàng jiā zhī gǒu,see 喪家之犬|丧家之犬[sang4 jia1 zhi1 quan3] -丧尸,sāng shī,zombie -丧德,sàng dé,wicked; offending morality -丧心病狂,sàng xīn bìng kuáng,(idiom) deranged; demented; berserk -丧志,sàng zhì,to become demoralized; to lose one's sense of purpose -丧服,sāng fú,mourning garment -丧梆,sàng bāng,cold and offensive (talk or manner) -丧棒,sāng bàng,funeral stick (held by the son as a sign of filial piety) -丧权辱国,sàng quán rǔ guó,to forfeit sovereignty and humiliate the country (idiom); to surrender territory under humiliating terms -丧气,sàng qì,to feel disheartened -丧气,sàng qi,unlucky -丧气话,sàng qì huà,demoralizing talk -丧气鬼,sàng qì guǐ,downcast wretch; bad-tempered and unpleasant person -丧父,sàng fù,to be orphaned of one's father -丧生,sàng shēng,to die; to lose one's life -丧尽,sàng jìn,"to completely lose (one's dignity, vitality etc)" -丧尽天良,sàng jìn tiān liáng,devoid of conscience (idiom); utterly heartless -丧礼,sāng lǐ,funeral -丧胆,sàng dǎn,panic-stricken; scared out of one's wits -丧荒,sāng huāng,funerals and famines -丧葬,sāng zàng,funeral; burial -丧葬费,sāng zàng fèi,funeral expenses -丧亲,sàng qīn,bereavement; to lose a relative -丧身,sàng shēn,to lose one's life -丧钟,sāng zhōng,knell -丧门星,sàng mén xīng,messenger of death; person bringing bad luck; Taiwan pr. [sang1 men2 xing1] -丧门神,sāng mén shén,messenger of death; person bringing bad luck -丧魂失魄,sàng hún shī pò,out of one's senses; shaken to the core; dazed -丧魂落魄,sàng hún luò pò,scared out of one's wits (idiom); in a panic -吃,chī,variant of 吃[chi1] -乔,qiáo,surname Qiao -乔,qiáo,tall -乔丹,qiáo dān,Jordan (name) -乔冠华,qiáo guàn huá,"Qiao Guanhua (1913-1973), PRC politician and diplomat" -乔叟,qiáo sǒu,"Geoffrey Chaucer (1343-1400), English poet, author of The Canterbury Tales 坎特伯雷故事集[Kan3 te4 bo2 lei2 Gu4 shi4 Ji2]" -乔巴山,qiáo bā shān,"Choibalsan, city in Mongolia, capital of the eastern aimag (province) of Dornod; Khorloogiin Choibalsan (1895-1952), Communist leader of the Mongolian People's Republic (mid-1930s-1952)" -乔布斯,qiáo bù sī,"Jobs (name); see also 史蒂夫·喬布斯|史蒂夫·乔布斯[Shi3 di4 fu1 · Qiao2 bu4 si1], Steve Jobs" -乔希,qiáo xī,Josh or Joshi (name) -乔戈里峰,qiáo gē lǐ fēng,"K2, Mt Qogir or Chogori in Karakorum section of Himalayas" -乔木,qiáo mù,"tree, esp. with recognizable trunk (as opposed to 灌木[guan4 mu4], bush or shrub)" -乔林,qiáo lín,forest (esp. of tall trees); high forest -乔格里峰,qiáo gé lǐ fēng,"K2, Mt Qogir or Chogori in Karakorum section of Himalayas; also written 喬戈里峰|乔戈里峰" -乔治,qiáo zhì,George (name) -乔治一世,qiáo zhì yī shì,George I of Great Brittain -乔治亚,qiáo zhì yà,"(Tw) Georgia, US state; (Tw) Georgia (country)" -乔治亚州,qiáo zhì yà zhōu,"Georgia, US state (Tw)" -乔治城,qiáo zhì chéng,Georgetown; (the spelling 喬治敦|乔治敦 is more common) -乔治城大学,qiáo zhì chéng dà xué,"Georgetown University in Washington D.C., famous as quality Jesuit university and for its basketball team" -乔治敦,qiáo zhì dūn,Georgetown -乔石,qiáo shí,"Qiao Shi (1924-2015), Chinese politician" -乔答摩,qiáo dā mó,"Gautama, surname of the Siddhartha, the historical Buddha" -乔红,qiáo hóng,"Qiao Hong (1968-), former PRC female table tennis player" -乔纳森,qiáo nà sēn,Jonathan (name) -乔装,qiáo zhuāng,to pretend; to feign; to disguise oneself -乔装打扮,qiáo zhuāng dǎ bàn,to dress up in disguise (idiom); to pretend for the purpose of deceit -乔迁,qiáo qiān,to move (to a superior place); promotion -乔迁之喜,qiáo qiān zhī xǐ,congratulations on house-moving or promotion (idiom); Best wishes for your new home! -单,shàn,surname Shan -单,dān,bill; list; form; single; only; sole; odd number; CL:個|个[ge4] -单一,dān yī,single; only; sole -单一合体字,dān yī hé tǐ zì,unique compound -单一登入,dān yī dēng rù,(Tw) single sign-on (SSO) -单一码,dān yī mǎ,Unicode; also written 統一碼|统一码 -单一货币,dān yī huò bì,single currency -单于,chán yú,king of the Xiongnu 匈奴[Xiong1nu2] -单人,dān rén,"one person; single (room, bed etc)" -单人匹马,dān rén pǐ mǎ,single-handedly (idiom) -单人床,dān rén chuáng,single bed; CL:張|张[zhang1] -单人沙发,dān rén shā fā,(upholstered) armchair -单人间,dān rén jiān,single room (hotel) -单位,dān wèi,"unit (of measure); unit (group of people as a whole); work unit (place of employment, esp. in the PRC prior to economic reform); CL:個|个[ge4]" -单位信托,dān wèi xìn tuō,unit trust (finance) -单位元,dān wèi yuán,identity element (math.) -单位切向量,dān wèi qiē xiàng liàng,(math.) unit tangent vector -单位向量,dān wèi xiàng liàng,(math.) unit vector -单位根,dān wèi gēn,(math.) root of unity -单位犯罪,dān wèi fàn zuì,crime committed by an organization -单个,dān ge,single; alone; individually; an odd one -单个儿,dān gè er,erhua variant of 單個|单个[dan1 ge5] -单倍体,dān bèi tǐ,haploid (single chromosome) -单侧,dān cè,one-sided; unilateral -单传,dān chuán,"to have only one heir in a generation (of a family, clan etc); to be learned from only one master (of a skill, art etc)" -单价,dān jià,unit price -单元,dān yuán,unit (forming an entity); element; (in a residential building) entrance or staircase -单元房,dān yuán fáng,apartment -单元格,dān yuán gé,(spreadsheet) cell -单克隆抗体,dān kè lóng kàng tǐ,monoclonal antibody -单兵,dān bīng,"individual soldier; (literary) isolated military unit, cut off from reinforcements" -单刀直入,dān dāo zhí rù,to get straight to the point (idiom) -单刀赴会,dān dāo fù huì,lit. to go among enemies with only one's sword (idiom); fig. to go alone into enemy lines -单反机,dān fǎn jī,see 單反相機|单反相机[dan1 fan3 xiang4 ji1] -单反相机,dān fǎn xiàng jī,single-lens reflex camera (SLR) -单丛,dān cōng,a class of oolong tea -单口相声,dān kǒu xiàng shēng,comic monologue; one-person comic sketch -单句,dān jù,simple sentence (grammar) -单另,dān lìng,separately and exclusively; specially -单向,dān xiàng,unidirectional -单向电流,dān xiàng diàn liú,(elec.) unidirectional current; DC; also written 直流[zhi2 liu2] -单味药,dān wèi yào,medicine made from a single herb; drug made from a single substance -单单,dān dān,only; merely; just -单团,dān tuán,ad hoc group (tour group with a customized itinerary) -单套,dān tào,single set -单子,dān zǐ,the only son of a family; (functional programming or philosophy) monad -单子,dān zi,list of items; bill; form; bedsheet -单子叶,dān zǐ yè,"monocotyledon (plant family distinguished by single embryonic leaf, includes grasses, orchids and lilies)" -单字,dān zì,single Chinese character; word (in a foreign language) -单宁酸,dān níng suān,tannic acid (loanword) -单射,dān shè,(math.) one-to-one function; injective map -单层,dān céng,single layer; single story; single deck; single level -单层塔,dān céng tǎ,single-storied pagoda -单峰驼,dān fēng tuó,dromedary -单干,dān gàn,to work on one's own; to work single-handed; individual farming -单引号,dān yǐn hào,single quotes -单张,dān zhāng,flyer; leaflet; single-sheet (map etc) -单张汇票,dān zhāng huì piào,sola bill of exchange (international trade) -单意,dān yì,unambiguous; having only one meaning -单恋,dān liàn,unrequited love; one-sided love -单房差,dān fáng chā,single supplement (for a hotel room) -单手,dān shǒu,one hand; single-handed -单打,dān dǎ,singles (in sports); CL:場|场[chang3] -单打独斗,dān dǎ dú dòu,to fight alone (idiom) -单挑,dān tiǎo,to pick; to choose; to fight a duel; Taiwan pr. [dan1 tiao1] -单击,dān jī,to click (using a mouse or other pointing device) -单据,dān jù,receipts; invoices; transaction records -单摆,dān bǎi,simple pendulum (physics) -单放机,dān fàng jī,tape player; video player; (media) player; play-only device -单数,dān shù,positive odd number (also written 奇數|奇数); singular (grammar) -单方,dān fāng,"unilateral; one-sided; home remedy; folk prescription(same as 丹方); single-drug prescription (same as 奇方[ji1 fang1], one of the seven kinds of prescriptions of Chinese medicine 七方[qi1 fang1]); metaphorically. a good solution" -单方向,dān fāng xiàng,unidirectional; single-aspect -单方宣告,dān fāng xuān gào,unilateral declaration -单方恐吓,dān fāng kǒng hè,unilateral threat -单方决定,dān fāng jué dìng,to decide without reference to other parties involved; unilateral decision -单方制剂,dān fāng zhì jì,prescribed preparation -单方过失碰撞,dān fāng guò shī pèng zhuàng,collision in which only one party is at fault -单方面,dān fāng miàn,unilateral -单日,dān rì,on a single day -单晶,dān jīng,monocrystalline -单曲,dān qǔ,single (recording industry) -单月,dān yuè,monthly; in a single month -单板机,dān bǎn jī,single-board computer -单板滑雪,dān bǎn huá xuě,to snowboard -单核细胞,dān hé xì bāo,monocyte; mononuclear cell -单核细胞增多症,dān hé xì bāo zēng duō zhèng,mononucleosis -单根独苗,dān gēn dú miáo,an only child -单极,dān jí,unipolar; monopole (physics) -单枪匹马,dān qiāng pǐ mǎ,lit. single spear and horse (idiom); fig. single-handed; unaccompanied -单杠,dān gàng,bar; bold line; horizontal bar (gymnastics event) -单枞,dān cōng,variant of 單叢|单丛[Dan1 cong1] -单模,dān mó,single mode -单模光纤,dān mó guāng xiān,single-mode optical fiber -单源多倍体,dān yuán duō bèi tǐ,autopolyploid (polyploid with chromosomes of single species) -单源论,dān yuán lùn,theory of single origin (of mankind) -单片机,dān piàn jī,microcontroller; one-chip computer -单独,dān dú,alone; by oneself; on one's own -单班课,dān bān kè,individual lesson; one-on-one class -单瓣,dān bàn,single petal; single valve -单产,dān chǎn,yield per unit area -单用,dān yòng,to use (sth) on its own -单盲,dān máng,single-blind (scientific experiment) -单相,dān xiàng,single phase (elec.) -单相思,dān xiāng sī,one-sided lovesickness; unrequited longing -单眼,dān yǎn,ommatidium (single component of insect's compound eye); one eye (i.e. one's left or right eye) -单眼皮,dān yǎn pí,single eyelid -单眼相机,dān yǎn xiàng jī,single-lens reflex camera (Tw) -单程,dān chéng,one-way (ticket) -单稳,dān wěn,monostable; single-side stable (relays) -单端,dān duān,(electronics) single-ended -单端孢霉烯类毒素,dān duān bāo méi xī lèi dú sù,"trichothecenes (TS, T-2)" -单簧管,dān huáng guǎn,clarinet -单糖,dān táng,monosaccharide -单纯,dān chún,simple; pure; unsophisticated; merely; purely -单纯疱疹,dān chún pào zhěn,herpes simplex (med.) -单纯疱疹病毒,dān chún pào zhěn bìng dú,"herpes simplex virus (HSV, med.)" -单纯词,dān chún cí,(linguistics) single-morpheme word; simple word -单细胞,dān xì bāo,(of an organism) single-celled; unicellular -单细胞生物,dān xì bāo shēng wù,single-celled organism -单县,shàn xiàn,"Shan county in Heze 菏澤|菏泽[He2 ze2], Shandong" -单翼飞机,dān yì fēi jī,monoplane -单肩包,dān jiān bāo,shoulder bag -单胞藻,dān bāo zǎo,single-celled algae -单脚滑行车,dān jiǎo huá xíng chē,scooter -单脚跳,dān jiǎo tiào,to hop; to jump on one leg -单色,dān sè,monochrome; monochromatic; black and white -单色照片,dān sè zhào piàn,monochrome photo; black and white picture -单色画,dān sè huà,monochrome picture; black and white picture -单叶双曲面,dān yè shuāng qū miàn,hyperboloid of one sheet (math.) -单薄,dān bó,weak; frail; thin; flimsy -单号,dān hào,"odd number (on a ticket, house etc)" -单行,dān xíng,to come individually; to treat separately; separate edition; one-way traffic -单行本,dān xíng běn,single volume edition; offprint -单行线,dān xíng xiàn,one-way road -单行道,dān xíng dào,one-way street -单衣,dān yī,unlined garment -单裤,dān kù,unlined trousers; summer trousers -单亲,dān qīn,single parent -单亲家庭,dān qīn jiā tíng,single parent family -单词,dān cí,word; CL:個|个[ge4] -单词产生器模型,dān cí chǎn shēng qì mó xíng,logogen model -单语,dān yǔ,monolingual -单调,dān diào,monotonous -单调乏味,dān diào fá wèi,monotonous; dull; tedious (idiom) -单证,dān zhèng,(international trade) documentation (e.g. a bill of lading) -单质,dān zhì,"simple substance (consisting purely of one element, such as diamond)" -单趟,dān tàng,single trip -单身,dān shēn,unmarried; single; alone -单身汪,dān shēn wāng,(Internet slang) person who is neither married nor in a relationship (used self-deprecatingly) -单身汉,dān shēn hàn,bachelor; unmarried man -单身狗,dān shēn gǒu,(Internet slang) person who is neither married nor in a relationship (used self-deprecatingly) -单身贵族,dān shēn guì zú,fig. unmarried person; single person (especially one who is comfortable financially) -单车,dān chē,(coll.) bike; bicycle (esp. bike-share bicycle) -单车族,dān chē zú,cyclist -单轨,dān guǐ,monorail -单轮车,dān lún chē,unicycle -单速车,dān sù chē,single-speed bicycle; fixed-gear bicycle -单连接站,dān lián jiē zhàn,single attachment station (telecommunications) -单过,dān guò,to live independently; to live on one's own -单边,dān biān,unilateral -单边主义,dān biān zhǔ yì,unilateralism -单铬,dān gè,monochrome -单键,dān jiàn,single bond (chemistry) -单链,dān liàn,single chain; refers to RNA as opposed to the double helix DNA -单镜反光相机,dān jìng fǎn guāng xiàng jī,single-lens reflex camera (SLR) -单间差,dān jiān chā,single supplement (for a hotel room) -单院制,dān yuàn zhì,unicameralism; single-house system -单非,dān fēi,a couple in which one of the spouses is not a Hong Kong citizen -单鞋,dān xié,unpadded shoes -单音节,dān yīn jié,monosyllabic; a monosyllable -单音词,dān yīn cí,monosyllabic word -单韵母,dān yùn mǔ,simple finals -单项,dān xiàng,single-item -单飞,dān fēi,to fly solo; (fig.) (of a band member) to go solo; (of an employee) to leave and start up one's own company -单体,dān tǐ,monomer (chemistry) -单点,dān diǎn,"to order à la carte; single point (of measurement, mounting etc)" -单点故障,dān diǎn gù zhàng,single point of failure -单点登录,dān diǎn dēng lù,single sign-on (SSO) -喱,lí,"grain (unit of weight, approx. 0.065 grams); Taiwan pr. [li3]" -哟,yō,Oh! (interjection indicating slight surprise); also pr. [yao1] -哟,yo,(sentence-final particle expressing exhortation); (syllable filler in a song) -喳,chā,used in 喳喳[cha1 cha5] -喳,zhā,"(onom.) chirp, twitter, etc" -喳喳,chā cha,whisper; to whisper -喵,miāo,(onom.) meow; cat's mewing -喵星人,miāo xīng rén,cat (Internet slang) -喵的,miāo de,drat; frick; (euphemistic variant of 媽的|妈的[ma1 de5]) -喹,kuí,used in 喹啉[kui2 lin2] -喹啉,kuí lín,quinoline C6H4(CH)3N (pharm.) (loanword) -喹诺酮,kuí nuò tóng,"quinolone (a hydroxylated quinoline, inhibiting the replication of bacterial DNA)" -喻,yù,surname Yu -喻,yù,to describe sth as; an analogy; a simile; a metaphor; an allegory -喻世明言,yù shì míng yán,"another name for 古今小說|古今小说[Gu3 jin1 Xiao3 shuo1], Stories Old and New by Feng Menglong 馮夢龍|冯梦龙[Feng2 Meng4 long2]" -喼,jié,"box (dialect); used to transliterate words with sounds kip-, cap- etc" -喼汁,jié zhī,Worcestershire sauce -喿,sào,chirping of birds -啼,tí,variant of 啼[ti2] -嗄,á,variant of 啊[a2] -嗄,shà,hoarse -嗅,xiù,to smell; to sniff; to nose -嗅探,xiù tàn,to sniff (in order to find sth) -嗅探犬,xiù tàn quǎn,sniffer dog -嗅球,xiù qiú,olfactory bulb (anatomy) -嗅觉,xiù jué,sense of smell -嗅盐,xiù yán,smelling salts -呛,qiāng,to choke (because of swallowing the wrong way) -呛,qiàng,"to irritate the nose; to choke (of smoke, smell etc); pungent; (coll.) (Tw) to shout at sb; to scold; to speak out against sb" -呛到,qiāng dào,to choke on (food etc); to swallow the wrong way -呛咕,qiāng gu,to discuss (dialect) -啬,sè,stingy -嗉,sù,the crop of a bird -嗉囊,sù náng,"crop (anatomy of birds, gastropods etc)" -嗉子,sù zi,the crop of a bird; (dialect) wine flask made of tin or porcelain -唝,gòng,used for transcription in 嗊吥|唝吥[Gong4 bu4] -唝,hǒng,"used in the title of an ancient song, 囉嗊曲|啰唝曲[Luo2 hong3 Qu3]" -嗌,ài,(literary) to choke; to have a blockage in the throat; Taiwan pr. [yi4] -嗌,yì,(literary) the throat; (literary) (military) choke point -嗍,suō,to suck; Taiwan pr. [shuo4] -吗,má,(coll.) what? -吗,mǎ,used in 嗎啡|吗啡[ma3 fei1] -吗,ma,"(question particle for ""yes-no"" questions)" -吗哪,mǎ nǎ,manna (Israelite food) -吗啉,mǎ lín,morpholine (chemistry) (loanword) -吗啡,mǎ fēi,morphine (loanword) -嗐,hài,exclamation of regret -嗑,kè,to crack (seeds) between one's teeth -嗑药,kè yào,to take (illegal) drugs -嗒,dā,"(onom.) used in words that describe machine gunfire, the ticking of a clock or the clatter of horse hooves etc" -嗒,tà,to despair -嗓,sǎng,throat; voice -嗓子,sǎng zi,throat; voice; CL:把[ba3] -嗓子眼,sǎng zi yǎn,throat -嗓子眼儿,sǎng zi yǎn er,erhua variant of 嗓子眼[sang3 zi5 yan3] -嗓眼,sǎng yǎn,throat -嗓门,sǎng mén,voice; windpipe -嗓门眼,sǎng mén yǎn,throat -嗓音,sǎng yīn,voice -嗔,chēn,to be angry at; to be displeased and annoyed -嗔喝,chēn hè,to yell at sb in rage -嗔怒,chēn nù,to get angry -嗔怨,chēn yuàn,to complain; to reproach -嗔怪,chēn guài,to blame; to rebuke -嗔斥,chēn chì,to rebuke; to scold -嗔狂,chēn kuáng,to be deranged -嗔目,chēn mù,glare; angry look; to open one's eyes wide; to stare angrily; to glare; to glower -嗔睨,chēn nì,to look askance at sb in anger -嗔色,chēn sè,angry or sullen look -嗔着,chēn zhe,(coll.) to blame sb for sth -嗔视,chēn shì,to look angrily at -嗔诟,chēn gòu,to berate; to curse in rage -嗖,sōu,(onom.) whooshing; swishing; rustle of skirts -嗖嗖,sōu sōu,(onom.) whooshing; swishing; rustle of skirts; laughingly -呜,wū,(onom.) for humming or whimpering -呜呼,wū hū,alas; alack; welladay; wellaway; to die -呜呼哀哉,wū hū āi zāi,alas; all is lost -呜咽,wū yè,to sob; to whimper -呜呜,wū wū,(interj) boo hoo -呜呜祖拉,wū wū zǔ lā,vuvuzela (horn) (loanword) -嗜,shì,addicted to; fond of; stem corresponding to -phil or -phile -嗜好,shì hào,hobby; indulgence; habit; addiction -嗜欲,shì yù,lust -嗜杀成性,shì shā chéng xìng,bloodthirsty -嗜痂成癖,shì jiā chéng pǐ,to have strange and dangerous addictions (idiom) -嗜睡症,shì shuì zhèng,hypersomnia; excessive sleepiness (medical) -嗜血,shì xuè,bloodthirsty; bloodsucking; hemophile -嗜血杆菌,shì xuè gǎn jūn,hemophile bacteria; hemophilus -嗜酒如命,shì jiǔ rú mìng,to love wine as one's life (idiom); fond of the bottle -嗜酸乳杆菌,shì suān rǔ gǎn jūn,Lactobacillus acidophilus -嗜酸性球,shì suān xìng qiú,eosinophil granulocyte (type of white blood cell) -嗜酸性粒细胞,shì suān xìng lì xì bāo,eosinophil (type of white blood cell) -嗜碱性球,shì jiǎn xìng qiú,basophil granulocyte (type of white blood cell) -嗜碱性粒细胞,shì jiǎn xìng lì xì bāo,basophil granulocytes (rarest type of white blood cell) -嗝,gé,hiccup; belch -嗝儿屁,gé er pì,(dialect) to die; to give up the ghost -嗟,jiē,sigh; also pr. [jue1] -嗡,wēng,(onom.) buzz; hum; drone -嗡嗡,wēng wēng,buzz; drone; hum -嗡嗡叫,wēng wēng jiào,hum; drone; buzz (of insects) -嗡嗡弹,wēng wēng dàn,buzzing bomb -嗡嗡祖拉,wēng wēng zǔ lā,vuvuzela (horn blown by sports fans) -嗡嗡声,wēng wēng shēng,hum; drone; buzz -嗣,sì,succession (to a title); to inherit; continuing (a tradition); posterity -嗣位,sì wèi,to succeed to a title; to inherit -嗣国,sì guó,to accede to a throne -嗣子,sì zǐ,heir; adopted son -嗣后,sì hòu,from then on; after; afterwards; thereafter -嗣徽,sì huī,heritage; the continuation (of a tradition) -嗣岁,sì suì,the following year; next year -嗣响,sì xiǎng,lit. a following echo; fig. to continue (a tradition) -嗤,chī,laugh at; jeer; scoff at; sneer at -嗤之以鼻,chī zhī yǐ bí,to snort disdainfully; to scoff at; to turn up one's nose -嗤笑,chī xiào,to sneer at -嗤鼻,chī bí,see 嗤之以鼻[chi1 zhi1 yi3 bi2] -嗥,háo,to howl (like a wolf) -嗥叫,háo jiào,to growl; to howl -嗦,suō,to suck; used in 囉嗦|啰嗦[luo1suo5]; used in 哆嗦[duo1suo5] -嗦粉,suō fěn,to slurp noodles -嗨,hāi,oh alas; hey!; hi! (loanword); a high (natural or drug-induced) (loanword) -嗨药,hāi yào,(slang) to take drugs; recreational drug -唢,suǒ,used in 嗩吶|唢呐[suo3 na4] -唢呐,suǒ nà,"suona, Chinese shawm (oboe), used in festivals and processions or for military purposes; also written 鎖吶|锁呐; also called 喇叭[la3 ba5]" -嗪,qín,"used in phonetic transcription -xine, -zine or -chin" -嗬,hē,(interjection expressing surprise) oh!; wow! -嗯,ēn,(a groaning sound) -嗯,èn,"(nonverbal grunt as interjection); OK, yeah; what?" -嗯,en,"interjection indicating approval, appreciation or agreement" -嗯哼,en hēng,uh-huh -嗲,diǎ,coy; childish -嗵,tōng,(onom.) thump; thud -嗵嗵鼓,tōng tōng gǔ,tom-tom (drum) -哔,bì,(phonetic) -哔哩哔哩,bī lī bī lī,"Bilibili, Chinese video-sharing website featuring scrolled user comments 彈幕|弹幕[dan4 mu4] overlaid on the videos" -哔哔啪啪,bì bì pā pā,(onom.) flopping sound -哔叽,bì jī,serge (loanword) -嗷,áo,loud clamor; the sound of wailing -嗷嗷待哺,áo áo dài bǔ,cry piteously for food -嗽,sòu,(bound form) to cough -嗾,sǒu,to urge on; incite -嘀,dī,"(onom.) sound of dripping water, a ticking clock etc" -嘀,dí,used in 嘀咕[di2gu5] -嘀咕,dí gu,to mutter; to feel apprehensive -嘀嗒,dī dā,(onom.) tick tock -嘁,qī,whispering sound -嘁嘁喳喳,qī qi chā chā,chattering -嘅,gě,possessive particle (Cantonese); Mandarin equivalent: 的[de5] -慨,kǎi,old variant of 慨[kai3]; to sigh (with emotion) -叹,tàn,to sigh; to exclaim -叹口气,tàn kǒu qì,to sigh -叹息,tàn xī,to sigh; to gasp (in admiration) -叹惜,tàn xī,sigh of regret -叹服,tàn fú,(to gasp) with admiration -叹气,tàn qì,to sigh; to heave a sigh -叹为观止,tàn wéi guān zhǐ,(idiom) to gasp in amazement; to acclaim as the peak of perfection -叹词,tàn cí,interjection; exclamation -叹赏,tàn shǎng,to admire; to express admiration -嘈,cáo,bustling; tumultuous; noisy -嘈杂,cáo zá,noisy; clamorous -嘈杂声,cáo zá shēng,noise; din -嘉,jiā,surname Jia -嘉,jiā,excellent; auspicious; to praise; to commend -嘉仁,jiā rén,"Yoshihito, personal name of the Taishō 大正[Da4 zheng4] emperor of Japan (1879-1926), reigned 1912-1926" -嘉善,jiā shàn,"Jiashan county in Jiaxing 嘉興|嘉兴[Jia1 xing1], Zhejiang" -嘉善县,jiā shàn xiàn,"Jiashan county in Jiaxing 嘉興|嘉兴[Jia1 xing1], Zhejiang" -嘉士伯,jiā shì bó,Carlsberg -嘉定,jiā dìng,Jiading district of northwest Shanghai; final reign name 1208-1224 of South Song emperor Ningzong 寧宗|宁宗[Ning2 zong1] -嘉定区,jiā dìng qū,Jiading district of northwest Shanghai -嘉宝果,jiā bǎo guǒ,jaboticaba; Brazilian grape tree -嘉山,jiā shān,"Jiashan former county 1932-1992 in northeast Anhui, now part of Chuzhou prefecture 滁州[Chu2 zhou1]; provincial level scenic area in Hunan" -嘉山县,jiā shān xiàn,"Jiashan former county 1932-1992 in northeast Anhui, now part of Chuzhou prefecture 滁州[Chu2 zhou1]" -嘉峪关,jiā yù guān,"Jiayu Pass in Gansu, at the western terminus of the Great Wall; Jiayuguan prefecture-level city in Gansu" -嘉峪关城,jiā yù guān chéng,"Jiayuguan fort in the Gansu corridor; Ming dynasty military fort, the western end of the Great Wall" -嘉峪关市,jiā yù guān shì,Jiayuguan prefecture-level city in Gansu -嘉年华,jiā nián huá,carnival (loanword) -嘉庆,jiā qìng,"Jiaqing Emperor (1760-1820), seventh Qing emperor, personal name 顒琰|颙琰[Yong2 yan3], reigned 1796-1820" -嘉应大学,jiā yīng dà xué,Jiaying University (Guangdong) -嘉会,jiā huì,auspicious occasion; grand feast -嘉柏隆里,jiā bó lóng lǐ,"Gaborone, capital of Botswana (Tw)" -嘉尔曼,jiā ěr màn,Carmen (name) -嘉奖,jiā jiǎng,to award; commendation; citation -嘉祥,jiā xiáng,"Jiaxiang County in Jining 濟寧|济宁[Ji3 ning2], Shandong" -嘉祥县,jiā xiáng xiàn,"Jiaxiang County in Jining 濟寧|济宁[Ji3 ning2], Shandong" -嘉禾,jiā hé,"Jiahe county in Chenzhou 郴州[Chen1 zhou1], Hunan" -嘉禾县,jiā hé xiàn,"Jiahe county in Chenzhou 郴州[Chen1 zhou1], Hunan" -嘉义,jiā yì,"Chiayi, a city and county in west Taiwan" -嘉义市,jiā yì shì,Chiayi city in central Taiwan -嘉义县,jiā yì xiàn,Jiayi or Chiayi County in west Taiwan -嘉兴,jiā xīng,Jiaxing prefecture-level city in Zhejiang -嘉兴市,jiā xīng shì,Jiaxing prefecture-level city in Zhejiang -嘉荫,jiā yìn,"Jiayin county in Yichun 伊春市[Yi1 chun1 shi4], Heilongjiang" -嘉荫县,jiā yìn xiàn,"Jiayin county in Yichun 伊春市[Yi1 chun1 shi4], Heilongjiang" -嘉许,jiā xǔ,favorable; praise -嘉宾,jiā bīn,esteemed guest; honored guest; guest (on a show) -嘉陵,jiā líng,"Jialing district of Nanchong city 南充市[Nan2 chong1 shi4], Sichuan" -嘉陵区,jiā líng qū,"Jialing district of Nanchong city 南充市[Nan2 chong1 shi4], Sichuan" -嘉陵江,jiā líng jiāng,Jialing River in Sichuan (a tributary of the Yangtze) -嘉鱼,jiā yú,"Jiayu county in Xianning 咸寧|咸宁[Xian2 ning2], Hubei" -嘉鱼县,jiā yú xiàn,"Jiayu county in Xianning 咸寧|咸宁[Xian2 ning2], Hubei" -嘉黎,jiā lí,"Lhari county, Tibetan: Lha ri rdzong, in Nagchu prefecture 那曲地區|那曲地区[Na4 qu3 di4 qu1], central Tibet" -嘉黎县,jiā lí xiàn,"Lhari county, Tibetan: Lha ri rdzong, in Nagchu prefecture 那曲地區|那曲地区[Na4 qu3 di4 qu1], central Tibet" -嘌,piào,(literary) fast; speedy; used in 嘌呤[piao4 ling4]; Taiwan pr. [piao1] -嘌呤,piào lìng,purine (loanword) -喽,lóu,(bound form) subordinates in a gang of bandits -喽,lou,"(final particle equivalent to 了[le5]); (particle calling attention to, or mildly warning of, a situation)" -喽喽,lóu lóu,see 嘍囉|喽啰[lou2luo5] -喽啰,lóu luo,rank and file member of an outlaw gang; (fig.) underling; minion; small fry -喽子,lóu zi,variant of 婁子|娄子[lou2 zi5] -喽罗,lóu luo,variant of 嘍囉|喽啰[lou2 luo5] -嘎,gá,cackling sound -嘎吱,gā zhī,(onom.) creak; crunch -嘎啦,gā la,(onom.) rumbling; rattling -嘎啦,gá la,to quarrel (Northeastern Mandarin) -嘎嘎,gā gā,"(onom.) quack; honk; (northern dialect) very; also pr. [ga1 ga5], [ga2 ga5] etc" -嘎嘎小姐,gā gā xiǎo jie,"Lady Gaga (1986-), US pop singer" -嘎拉哈,gā lā hà,(Manchu loanword) knucklebones; see 羊拐[yang2 guai3] -嘎然,gā rán,(onom.) screech of a sudden stop; suddenly stop (of sounds); crisply and clearly (of sounds) -嘏,gǔ,good fortune; longevity -嘏,jiǎ,far; grand -呼,hū,variant of 呼[hu1]; to shout; to call out -呕,ǒu,vomit -呕出物,ǒu chū wù,vomitus -呕吐,ǒu tù,to vomit -呕吐物,ǒu tù wù,vomit -呕心沥血,ǒu xīn lì xuè,"lit. to spit out one's heart and spill blood (idiom); to work one's heart out; blood, sweat and tears" -呕气,òu qì,variant of 慪氣|怄气[ou4 qi4] -啧,zé,(interj. of admiration or of disgust); to click one's tongue; to attempt to (find an opportunity to) speak -啧啧,zé zé,to click one's tongue -啧啧称奇,zé zé chēng qí,to click one's tongue in wonder (idiom); to be astonished -尝,cháng,to taste; to try (food); to experience; (literary) ever; once -尝尽心酸,cháng jìn xīn suān,to experience one's full share of sorrows (idiom) -尝粪,cháng fèn,"to taste a patient's excrement (a form of medical examination, seen as an act of loyalty or filial piety); to suck up to sb; to kiss ass" -尝试,cháng shì,to try; to attempt; CL:次[ci4] -尝试错误,cháng shì cuò wù,to proceed by trial and error; to learn by making mistakes -尝鲜,cháng xiān,to taste (fresh food or a delicacy); (fig.) to try sth new -嘚,dē,(onom.) for the sound of horsehoofs -嘚啵,dē bo,(coll.) to run off at the mouth; to jabber on -嘚瑟,dè se,variant of 得瑟[de4se5] -嘛,má,used in 唵嘛呢叭咪吽[an3 ma2 ni2 ba1 mi1 hong1]; (Tw) (coll.) what? -嘛,ma,modal particle indicating that sth is obvious; particle indicating a pause for emphasis -唛,mài,mark (loanword); also pr. [ma4] -唛头,mài tóu,trademark; shipping mark -嘞,lei,"sentence-final particle similar to 了[le5], but carrying a tone of approval" -嘟,dū,toot; honk; to pout -嘟嘟哝哝,dū dū nóng nóng,to mumble in whispers; to mutter to oneself -嘟嘟车,dū dū chē,tuk tuk (three wheeler taxi) (loanword) -嘟嘟响,dū dū xiǎng,(onom.) toot; honk; beeping; tooting noise -嘟哝,dū nong,to mutter; to mumble complaints; to grumble -嘟噜,dū lu,bunch; cluster; classifier for bunched objects; to hang down in a bunch; to droop -嘟囔,dū nang,to mumble to oneself -嘟着嘴,dū zhe zuǐ,to pout -嘎,gá,old variant of 嘎[ga2] -嘢,yě,(Cantonese) thing; matter; stuff -嘣,bēng,(onom.) thump; boom; bang -嘧,mì,(phonetic) as in pyrimidine -嘧啶,mì dìng,pyrimidine C4H4N2 -哗,huā,"(onom.) bang; clang; sound of gurgling, splashing or flowing water; (interjection expressing surprise) wow" -哗,huá,clamor; noise; (bound form) sound used to call cats -哗儿哗儿,huá er huá er,(dialect) sound used to call cats -哗啦,huā lā,(onom.) sound of a crash; with a crash -哗啦,huá la,to collapse -哗啦一声,huā lā yī shēng,with a crash; with a thunderous noise -哗啦啦,huā lā lā,(onom.) crashing sound -哗哗,huā huā,sound of gurgling water -哗然,huá rán,in uproar; commotion; causing a storm of protest; tumultuous -哗众取宠,huá zhòng qǔ chǒng,sensationalism; vulgar claptrap to please the crowds; playing to the gallery; demagogy -哗笑,huá xiào,uproarious laughter -哗变,huá biàn,mutiny; rebellion -嘬,chuài,(literary) to gnaw; to eat ravenously -嘬,zuō,(coll.) to suck -嘭,pēng,(onom.) bang -唠,láo,to chatter -唠,lào,to gossip; to chat (dialect) -唠叨,láo dao,to prattle; to chatter away; to nag; garrulous; nagging -唠嗑,lào kē,(dialect) to chat; to gossip -唠唠叨叨,láo lao dāo dāo,to chatter; to babble -啸,xiào,(of people) to whistle; (of birds and animals) to screech; to howl; to roar -啸叫,xiào jiào,to squeal; to screech -叽,jī,grumble -叽咋柳莺,jī zǎ liǔ yīng,(bird species of China) common chiffchaff (Phylloscopus collybita) -叽哩咕噜,jī li gū lū,(onom.) to jabber; to rumble -叽叽咕咕,jī ji gū gū,(onom.) to mutter; to mumble; to whisper -叽叽喳喳,jī jī zhā zhā,(onom.) chirp; twitter; buzzing; to chatter continuously -叽叽嘎嘎,jī ji gā gā,(onom.) giggling noise -叽里咕噜,jī li gū lū,see 嘰哩咕嚕|叽哩咕噜[ji1 li5 gu1 lu1] -嘲,cháo,to ridicule; to mock -嘲,zhāo,used in 嘲哳[zhao1 zha1] -嘲哳,zhāo zhā,"(onom.) clamorous noise made by numerous people talking or singing, or by musical instruments, or birds twittering" -嘲弄,cháo nòng,to tease; to poke fun at; to make fun of -嘲笑,cháo xiào,to jeer at; to deride; to ridicule; mockery; derision -嘲讽,cháo fěng,to sneer at; to ridicule; to taunt -嘲谑,cháo xuè,to mock and ridicule -嘴,zuǐ,"mouth; beak; nozzle; spout (of teapot etc); CL:張|张[zhang1],個|个[ge4]" -嘴不严,zuǐ bù yán,to have a loose tongue -嘴乖,zuǐ guāi,(coll.) to speak in a clever and lovable way -嘴唇,zuǐ chún,lip; CL:片[pian4] -嘴啃泥,zuǐ kěn ní,to fall flat on one's face -嘴严,zuǐ yán,prudent in speech -嘴子,zuǐ zi,mouth; beak; spout; mouthpiece -嘴尖,zuǐ jiān,sharp-tongued; to have a keen sense of taste; to be picky about one's food -嘴巴,zuǐ ba,mouth (CL:張|张[zhang1]); slap in the face (CL:個|个[ge4]) -嘴巴子,zuǐ ba zi,slap -嘴快,zuǐ kuài,to have loose lips -嘴快心直,zuǐ kuài xīn zhí,outspoken and frank (idiom) -嘴损,zuǐ sǔn,(dialect) sharp-tongued; harsh -嘴敞,zuǐ chǎng,to have a loose tongue; talkative -嘴欠,zuǐ qiàn,(coll.) unable to control one's tongue; prone to say sth nasty -嘴炮,zuǐ pào,(Internet slang) to mouth off; to shoot one's mouth off; sb who does that -嘴牢,zuǐ láo,tight-lipped -嘴琴,zuǐ qín,Jew's harp -嘴甜,zuǐ tián,sweet-talking; ingratiating -嘴甜心苦,zuǐ tián xīn kǔ,"sweet mouth, bitter heart (idiom); insincere flattery" -嘴皮子,zuǐ pí zi,lit. lips; fig. glib talk -嘴直,zuǐ zhí,straight shooter -嘴硬,zuǐ yìng,reluctant to admit a mistake -嘴硬心软,zuǐ yìng xīn ruǎn,"see 刀子嘴,豆腐心[dao1 zi5 zui3 , dou4 fu5 xin1]" -嘴稳,zuǐ wěn,able to keep a secret -嘴笨,zuǐ bèn,inarticulate -嘴脸,zuǐ liǎn,"features, face (esp. derogatorily); look; appearance; countenance" -嘴里,zuǐ lǐ,mouth; in the mouth; on one's lips; speech; words -嘴角,zuǐ jiǎo,corner of the mouth -嘴软,zuǐ ruǎn,soft-spoken; afraid to speak out -嘴馋,zuǐ chán,gluttonous; ravenous -嘴松,zuǐ sōng,loose-tongued -哓,xiāo,a cry of alarm; querulous -嘶,sī,"hiss; neigh; Ss! (sound of air sucked between the teeth, indicating hesitation or thinking over)" -嘶叫,sī jiào,to whinny (of a horse); to neigh; to shout -嘶吼,sī hǒu,to yell; to shout -嘶哑,sī yǎ,(onom.) coarse crowing; hoarse; husky -嘶哑声,sī yǎ shēng,hoarse -嘶喊,sī hǎn,to shout -嘶嘶声,sī sī shēng,hiss -嘶鸣,sī míng,to whinny (of a horse); to neigh -嗥,háo,variant of 嗥[hao2] -呒,fǔ,perplexed; astonished -呒,,dialectal equivalent of 沒有|没有[mei2 you3] -呒啥,shá,dialectal equivalent of 沒什麼|没什么[mei2 shen2 me5] -呒没,méi,dialectal equivalent of 沒有|没有[mei2 you3] -呒虾米,wú xiā mǐ,"Boshiamy, input method editor for Chinese (from Taiwanese 無啥物, Tai-lo pr. [bô-siánn-mih] ""it's nothing"")" -嘹,liáo,clear sound; cry (of cranes etc) -嘹亮,liáo liàng,loud and clear; resonant -嘹喨,liáo liàng,variant of 嘹亮[liao2 liang4] -嘻,xī,"laugh; giggle; (interjection expressing admiration, surprise etc)" -嘻哈,xī hā,hip-hop (music genre) (loanword) -嘻嘻,xī xī,hee hee; happy -嘻皮,xī pí,hippie (loanword) -嘻皮笑脸,xī pí xiào liǎn,see 嬉皮笑臉|嬉皮笑脸[xi1 pi2 xiao4 lian3] -啴,chǎn,used in 嘽嘽|啴啴[chan3chan3] and 嘽緩|啴缓[chan3huan3] -啴,tān,used in 嘽嘽|啴啴[tan1 tan1] -啴啴,chǎn chǎn,relaxed and leisurely -啴啴,tān tān,(literary) panting (of draft animals); (literary) impressively numerous -啴缓,chǎn huǎn,relaxed; unhurried -嘿,hēi,hey -嘿咻,hēi xiū,(coll.) to make love -嘿嘿,hēi hēi,(onom.) he he; mischievous laughter -恶心,ě xīn,variant of 惡心|恶心[e3 xin1] -啖,dàn,variant of 啖[dan4] -噌,cēng,to scold; whoosh! -噌,chēng,sound of bells etc -噍,jiào,to chew -噍类,jiào lèi,a living being (esp. human) -噎,yē,to choke (on); to choke up; to suffocate -噎住,yē zhù,to choke (on); to choke off (in speech) -嘘,xū,to exhale slowly; to hiss; hush! -嘘嘘,xū xū,to pee pee (kiddie or feminine slang) -嘘寒问暖,xū hán wèn nuǎn,to enquire solicitously about sb's well-being (idiom); to pamper -嘘声,xū shēng,hissing sound; to hiss (as a sign of displeasure) -噔,dēng,(onom.) thud; thump -噔噔,dēng dēng,(onom.) thump; thud -噗,pū,(onom.) pop; plop; pfff; putt-putt of a motor -噗浪,pū làng,Plurk (Taiwanese social networking and microblogging service) -噘,juē,to pout; (dialect) to scold -噘嘴,juē zuǐ,to pout (to express anger or displeasure) -噙,qín,to hold in (usually refers the mouth or eyes) -咝,sī,(onom.) to hiss; to whistle; to whiz; to fizz -咝咝声,sī sī shēng,hissing sound (onom.) -哒,dā,(phonetic); command to a horse; clatter (of horses' hoofs) -哒嗪,dā qín,pyrazine C4H4N2; diazine -噢,ō,oh; ah (used to indicate realization); also pr. [ou4] -噢运会,ō yùn huì,see 奧運會|奥运会[Ao4 yun4 hui4] -噤,jìn,unable to speak; silent -噤声,jìn shēng,to keep silent -噤声令,jìn shēng lìng,gag order -噤若寒蝉,jìn ruò hán chán,to keep quiet out of fear (idiom) -哝,nóng,garrulous -哕,huì,used in 噦噦|哕哕[hui4 hui4] -哕,yuě,to puke; to hiccup; Taiwan pr. [yue1] -哕哕,huì huì,rhythmical sound of a bell or a birdcall -器,qì,device; tool; utensil; CL:臺|台[tai2] -器件,qì jiàn,device; component -器具,qì jù,implement; utensil; equipment -器宇轩昂,qì yǔ xuān áng,variant of 氣宇軒昂|气宇轩昂[qi4 yu3 xuan1 ang2] -器官,qì guān,(physiology) organ; apparatus -器官捐献者,qì guān juān xiàn zhě,organ donor -器官移殖,qì guān yí zhí,organ transplant -器材,qì cái,equipment; material -器械,qì xiè,apparatus; instrument; equipment; weapon -器乐,qì yuè,instrumental music -器物,qì wù,implement; utensil; article; object -器皿,qì mǐn,household utensils -器质性,qì zhì xìng,(of medical disorders) organic -器重,qì zhòng,"to regard sth as valuable; to think highly of (a younger person, a subordinate etc)" -器量,qì liàng,tolerance -噩,è,startling -噩梦,è mèng,nightmare -噩耗,è hào,news of sb's death; sad news -噩运,è yùn,variant of 厄運|厄运[e4 yun4] -噪,zào,(literary) (of birds or insects) to chirp; (bound form) to make a cacophonous noise -噪大苇莺,zào dà wěi yīng,(bird species of China) clamorous reed warbler (Acrocephalus stentoreus) -噪声,zào shēng,noise -噪声污染,zào shēng wū rǎn,noise pollution -噪杂,zào zá,a clamor; a din -噪音,zào yīn,rumble; noise; static (in a signal) -噪音盒,zào yīn hé,boombox; ghetto blaster -噪鹃,zào juān,(bird species of China) Asian koel (Eudynamys scolopaceus) -噪点,zào diǎn,image noise -噫,yī,yeah (interjection of approval); to belch -噬,shì,to devour; to bite -噬咬,shì yǎo,to bite -噬脐莫及,shì qí mò jí,lit. one cannot bite one's own navel (idiom); fig. too late for regrets -噬菌体,shì jūn tǐ,bacteriophage; phage -嗳,ǎi,to belch; (interj. of disapproval) -嗳,ài,(interj. of regret) -嗳气,ǎi qì,to belch -嗳气吞酸,ǎi qì tūn suān,(TCM) belching and acid reflux -嗳气呕逆,ǎi qì ǒu nì,belching and retching counterflow (medical term) -嗳气腐臭,ǎi qì fǔ chòu,putrid belching (medical term) -嗳气酸腐,ǎi qì suān fǔ,belching of sour putrid gas (medical term) -嗳腐,ǎi fǔ,putrid belching (medical term) -嗳腐吞酸,ǎi fǔ tūn suān,putrid belching with regurgitation of stomach acid (medical term) -嗳酸,ǎi suān,sour belching (medical term) -噱,jué,loud laughter -噱头,xué tóu,amusing speech or act; jokes; antics; funny; amusing; Taiwan pr. [xue1 tou2] -哙,kuài,surname Kuai -哙,kuài,throat; to swallow -哙,wèi,(interjection) hey -喷,pēn,to spout; to spurt; to spray; to puff; (slang) to criticize scathingly (esp. online) -喷,pèn,"(of a smell) strong; peak season (of a crop); (classifier for the ordinal number of a crop, in the context of multiple harvests)" -喷他佐辛,pēn tā zuǒ xīn,(loanword) pentazocine (a synthetic opioid analgesic) -喷出,pēn chū,spout; spray; belch; to well up; to puff out; to spurt out -喷出岩,pēn chū yán,extrusive rock (geology) -喷嘴,pēn zuǐ,nozzle; extrusion nozzle -喷嘴儿,pēn zuǐ er,erhua variant of 噴嘴|喷嘴[pen1 zui3] -喷喷香,pēn pēn xiāng,see 香噴噴|香喷喷[xiang1 pen1 pen1] -喷嚏,pēn tì,sneeze -喷嚏剂,pēn tì jì,sternutator -喷墨,pēn mò,ink jet -喷壶,pēn hú,spray bottle -喷子,pēn zi,sprayer; spraying apparatus; (slang) firearm; Internet troll; hater -喷射,pēn shè,to spurt; to spray; to jet; spurt; spray; jet -喷射机,pēn shè jī,jet plane; spraying machine -喷桶,pēn tǒng,watering can -喷枪,pēn qiāng,spray gun -喷气,pēn qì,to spurt steam (or air etc) -喷气式,pēn qì shì,jet-propelled -喷气式飞机,pēn qì shì fēi jī,jet aircraft -喷气推进实验室,pēn qì tuī jìn shí yàn shì,"Jet Propulsion Laboratory, R&D center in Pasadena, California" -喷气机,pēn qì jī,jet plane -喷气发动机,pēn qì fā dòng jī,jet engine -喷水壶,pēn shuǐ hú,watering can; sprinkling can -喷水池,pēn shuǐ chí,a fountain -喷池,pēn chí,spray pool; spray condensing pool -喷泉,pēn quán,fountain -喷涌,pēn yǒng,to bubble out; to squirt -喷漆,pēn qī,to spray paint or lacquer; lacquer -喷溅,pēn jiàn,to splash; to splatter -喷灌,pēn guàn,sprinkler irrigation -喷洒,pēn sǎ,to spray; to sprinkle -喷洒器,pēn sǎ qì,sprinkler; sprayer -喷火,pēn huǒ,to shoot flames; to erupt (of volcanoes); flaming (of flowers) -喷火器,pēn huǒ qì,flamethrower -喷灯,pēn dēng,blowtorch; blowlamp -喷发,pēn fā,to erupt; an eruption -喷砂,pēn shā,sandblasting; abrasive blasting -喷粪,pēn fèn,to talk crap; to be full of shit -喷丝头,pēn sī tóu,spinneret; extrusion nozzle -喷薄,pēn bó,to gush; to squirt; to surge; to well out; to overflow -喷薄欲出,pēn bó yù chū,to be on the verge of eruption (idiom); (of the sun) to emerge in all its brilliance -喷雾,pēn wù,mist spray; atomizing -喷雾器,pēn wù qì,sprayer; atomizer -喷头,pēn tóu,nozzle; spray-head -喷饭,pēn fàn,(coll.) to burst out laughing -喷香,pèn xiāng,fragrant; delicious -喷鼻息,pēn bí xī,to snort -噶,gá,phonetic ga (used in rendering Tibetan and Mongolian sounds); Tibetan Ge: language of Buddha; (dialect) final particle similar to 了[le5] (esp. in Yunnan) -噶伦,gá lún,Tibetan government official -噶哈巫族,gá hā wū zú,"Kaxabu or Kahabu, one of the indigenous peoples of Taiwan" -噶啷啷,gá lāng lāng,(onom.) hum and clatter -噶喇,gá lǎ,(onom.); same as 噶拉[ga2 la1] -噶嗒,gá tà,(onom.) clattering -噶嘣,gá bēng,(onom.) kaboom -噶噶,gá gá,(onom.) -噶布伦,gá bù lún,Tibetan government official -噶厦,gá xià,"government of Tibet, dissolved in 1959" -噶拉,gá lā,(onom.); same as 噶喇[ga2 la3] -噶尔,gá ěr,"Gar county in Ngari prefecture, Tibet, Tibetan: Sgar rdzong" -噶尔县,gá ěr xiàn,"Gar county in Ngari prefecture, Tibet, Tibetan: Sgar rdzong" -噶玛兰,gá mǎ lán,"Kavalan, one of the indigenous peoples of Taiwan; old name of Yilan 宜蘭|宜兰[Yi2 lan2] County, Taiwan; Kavalan, a brand of single malt whisky from Taiwan" -噶玛兰族,gá mǎ lán zú,"Kavalan, one of the indigenous peoples of Taiwan" -噶当派,gá dāng pài,Bkar-dgam-pa sect of Tibetan Buddhism -噶举派,gá jǔ pài,Geju (Tibetan: transmit word of Buddha) sect of Tibetan Buddhist -噶隆,gá lóng,Tibetan government official; same as 噶布倫|噶布伦 -噶霏,gá fēi,coffee (loanword) (old) -吨,dūn,ton (loanword); Taiwan pr. [dun4] -吨位,dūn wèi,tonnage -吨公里,dūn gōng lǐ,ton-kilometer (unit of capacity of transport system) -吨数,dūn shù,tonnage -吨级,dūn jí,tonnage; class in tons (of a passenger ship) -当,dāng,(onom.) dong; ding dong (bell) -当啷,dāng lāng,(onom.) metallic sound; clanging -当当,dāng dāng,(onom.) ding dong -当当车,dāng dāng chē,"(coll.) tram, especially Beijing trams during period of operation 1924-1956; also written 鐺鐺車|铛铛车[dang1 dang1 che1]" -噻,sāi,used in transliteration -噻吩,sāi fēn,thiophene (chemistry) (loanword) -噻唑,sāi zuò,thiazole (chemistry) -噻嗪,sāi qín,thiazine (chemistry) (loanword) -噼,pī,"child's buttocks (esp. Cantonese); (onom.) crack, slap, clap, clatter etc" -噼啪,pī pā,see 劈啪[pi1 pa1] -噼里啪啦,pī li pā lā,(onom.) to crackle and rattle; to pitter-patter -咛,níng,to enjoin -嚄,huò,(interj.) oh! -嚄,ǒ,(interj. of surprise) -嚅,rú,chattering -嚆,hāo,sound; noise -吓,hè,to scare; to intimidate; to threaten; (interjection showing disapproval) tut-tut; (interjection showing astonishment) -吓,xià,to frighten; to scare -吓一跳,xià yī tiào,startled; to frighten; scared out of one's skin -吓人,xià rén,to scare; scary; frightening -吓倒,xià dǎo,to be frightened -吓傻,xià shǎ,to terrify; to scare sb -吓唬,xià hu,to scare; to frighten -吓吓叫,xià xià jiào,"(Tw) impressive (from Taiwanese 削削叫, Tai-lo pr. [siah-siah-kiò])" -吓坏,xià huài,to be terrified; to terrify sb -吓得发抖,xià dé fā dǒu,to tremble with fear -吓昏,xià hūn,to faint from fear; to be frightened into fits; shell-shocked -吓疯,xià fēng,to be scared senseless -吓破胆,xià pò dǎn,to be scared out of one's wits; to scare stiff -吓跑,xià pǎo,to scare away -哜,jì,sip -嚎,háo,howl; bawl -嚎叫,háo jiào,to howl; to yell -嚎哭,háo kū,to bawl; to cry; to wail; to howl; also written 號哭|号哭[hao2 ku1] -嚎啕,háo táo,variant of 號啕|号啕[hao2 tao2] -嚎啕大哭,háo táo dà kū,to wail; to bawl (idiom) -嚏,tì,sneeze -嚏喷,tì pen,sneeze -尝,cháng,to taste; to experience (variant of 嘗|尝[chang2]) -嚓,cā,(onom.) scraping sound; ripping of fabric; screeching of tires -嚓,chā,(onom.) used in 喀嚓[ka1cha1] and 啪嚓[pa1cha1]; Taiwan pr. [ca1] -嚓嚓,cā cā,(onom.) scraping sound; ripping of fabric; screeching of tires -噜,lū,grumble; chatter -噜苏,lū sū,see 囉嗦|啰嗦[luo1 suo5] -啮,niè,to gnaw; to erode -啮合,niè hé,"(of opposing teeth, or gears) to mesh; to engage" -啮齿动物,niè chǐ dòng wù,rodent -啮齿目,niè chǐ mù,"order of rodents (rats, squirrels etc)" -咽,yàn,to swallow -咽下,yàn xià,to swallow -咽下困难,yàn xià kùn nán,dysphagia (medicine) -咽住,yàn zhù,"to suppress (a sob, harsh words etc)" -咽气,yàn qì,to die; to breathe one's last -呖,lì,sound of splitting; cracking -咙,lóng,used in 喉嚨|喉咙[hou2 long2] -向,xiàng,to tend toward; to guide; variant of 向[xiang4] -向导,xiàng dǎo,guide -向往,xiàng wǎng,to yearn for; to look forward to -嚯,huò,(onom.) expressing admiration or surprise; (onom.) sound of a laugh -喾,kù,"one of the five legendary emperors, also called 高辛氏[Gao1 xin1 shi4]" -严,yán,surname Yan -严,yán,tight (closely sealed); stern; strict; rigorous; severe; father -严了眼儿,yán le yǎn er,up to the eyeballs; full to overflowing; jampacked -严以律己,yán yǐ lǜ jǐ,to be strict with oneself (idiom); to demand a lot of oneself -严以责己宽以待人,yán yǐ zé jǐ kuān yǐ dài rén,to be severe with oneself and lenient with others (idiom) -严冬,yán dōng,severe winter -严刑,yán xíng,strict law; cruel punishment; to carry out cruel law rigorously -严刑拷打,yán xíng kǎo dǎ,torture; interrogation by torture -严加,yán jiā,sternly; strictly; harshly; stringently; rigorously -严厉,yán lì,severe; strict -严厉打击,yán lì dǎ jī,to strike a severe blow; to crack down; to take strong measures -严厉批评,yán lì pī píng,to criticize severely; to slate -严严实实,yán yán shí shí,(sealed) tightly; (wrapped) closely; (covered) completely -严守,yán shǒu,to strictly maintain -严密,yán mì,"strict; tight (organization, surveillance etc)" -严寒,yán hán,bitter cold; severe winter -严实,yán shi,(sealed) tight; close; (hidden) safely; securely -严岛,yán dǎo,"Itsukushima island in Hiroshima prefecture, Japan, with a famous shrine" -严岛神社,yán dǎo shén shè,"Itsukujima shrine in Hiroshima prefecture, Japan" -严峻,yán jùn,grim; severe; rigorous -严复,yán fù,"Yan Fu (1853-1921), influential Chinese writer and translator of Western books, esp. on social sciences" -严慈,yán cí,strict and compassionate; strict as a father and tender as a mother -严惩,yán chéng,to punish severely -严惩不贷,yán chéng bù dài,to punish severely (idiom) -严打,yán dǎ,to crack down on; to take severe measures against -严把,yán bǎ,"to be strict; to enforce vigorously (procedures, quality control etc)" -严控,yán kòng,to strictly control (abbr. for 嚴格控制|严格控制[yan2 ge2 kong4 zhi4]) -严整,yán zhěng,(of troops) in neat formation; (fig.) orderly -严斥,yán chì,to scold; to censure -严于律己,yán yú lǜ jǐ,to be strict with oneself -严明,yán míng,strict and impartial; firm -严查,yán chá,to investigate strictly -严格,yán gé,strict; stringent; tight; rigorous -严格来说,yán gé lái shuō,strictly speaking -严格来讲,yán gé lái jiǎng,strictly speaking -严格隔离,yán gé gé lí,rigorous isolation -严正,yán zhèng,sternly; solemn -严父,yán fù,strict or stern father -严禁,yán jìn,to strictly prohibit -严竣,yán jùn,tight; strict; severe; stern; difficult -严丝合缝,yán sī hé fèng,(idiom) to fit together snugly; to dovetail perfectly -严紧,yán jǐn,strict; tight -严肃,yán sù,(of an atmosphere etc) solemn; grave; serious; (of a manner etc) earnest; severe; exacting; to strictly enforce -严苛,yán kē,severe; harsh -严词,yán cí,forceful (criticism etc); to use strong words -严谨,yán jǐn,rigorous; strict; careful; (of writing) well organized; meticulous -严辞,yán cí,stern words -严酷,yán kù,bitter; harsh; grim; ruthless; severe; cut-throat (competition) -严重,yán zhòng,grave; serious; severe; critical -严重问题,yán zhòng wèn tí,serious problem -严重后果,yán zhòng hòu guǒ,grave consequence; serious repercussion -严重急性呼吸系统综合症,yán zhòng jí xìng hū xī xì tǒng zōng hé zhèng,severe acute respiratory syndrome (SARS) -严重性,yán zhòng xìng,seriousness -严重关切,yán zhòng guān qiè,serious concern -严防,yán fáng,to take strict precautions; on your guard -严饬,yán chì,careful; precise -嘤,yīng,calling of birds -嚷,rǎng,to shout; to bellow; to make a big deal of sth; to make a fuss about sth -嚷劈,rǎng pī,shout oneself hoarse -嚷嚷,rāng rang,to argue noisily; to shout; to make widely known; to reproach -嚼,jiáo,to chew; also pr. [jue2] -嚼,jiào,used in 倒嚼[dao3 jiao4] -嚼劲,jiáo jìn,chewiness -嚼劲儿,jiáo jìn er,chewiness -嚼子,jiáo zi,bit; mouthpiece -嚼舌,jiáo shé,to gossip; to argue unnecessarily -嚼舌根,jiáo shé gēn,to gossip; to argue unnecessarily -嚼舌头,jiáo shé tóu,to gossip; to argue unnecessarily -嚼蜡,jiáo là,insipid -嚼酒,jiáo jiǔ,alcoholic drink made by fermenting chewed rice -啭,zhuàn,to sing (of birds or insects); to warble; to chirp; to twitter -嗫,niè,move the mouth as in speaking -嗫呫,niè tiè,to whisper -嗫嚅,niè rú,to stammer; to mumble; to speak haltingly -嗫嗫,niè niè,talkative; light and soft (of voice) -嚣,xiāo,clamor -嚣张,xiāo zhāng,rampant; unbridled; arrogant; aggressive -嚣张气焰,xiāo zhāng qì yàn,overweening attitude; threatening manner -嚣张跋扈,xiāo zhāng bá hù,arrogant and despotic -冁,chǎn,smilingly -呓,yì,to talk in one's sleep -呓语,yì yǔ,to talk in one's sleep; crazy talk -啰,luō,used in 囉嗦|啰嗦[luo1 suo5] -啰,luó,used in 囉唣|啰唣[luo2zao4] -啰,luo,(final exclamatory particle) -啰唆,luō suo,variant of 囉嗦|啰嗦[luo1 suo5] -啰唣,luó zào,to create a disturbance; to make trouble; to harass -啰嗦,luō suo,long-winded; wordy; troublesome; pesky; also pr. [luo1suo1] -啰苏,luō sū,see 囉嗦|啰嗦[luo1 suo5] -啰里啰嗦,luō li luō suo,long-winded; verbose -囊,náng,sack; purse; pocket (for money) -囊中取物,náng zhōng qǔ wù,as easy as reaching for it from a bag (idiom); in the bag; (as good as) in one's possession -囊中羞涩,náng zhōng xiū sè,to be embarrassingly short of money -囊括,náng kuò,to include; to embrace; to bring together -囊揣,nāng chuài,"soft, fat meat of pig's belly; sow's sagging teats; weakling; flabby person; also written 囊膪" -囊泡,náng pào,vesicle -囊胚,náng pēi,(zoology) blastula; (mammology) blastocyst -囊肿,náng zhǒng,cyst (med.) -囊膪,nāng chuài,"soft, fat meat of pig's belly; sow's sagging teats; weakling; flabby person; also written 囊揣" -囊袋,náng dài,pouch -囊谦,náng qiān,"Nangqên County (Tibetan: nang chen rdzong) in Yushu Tibetan Autonomous Prefecture 玉樹藏族自治州|玉树藏族自治州[Yu4 shu4 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -囊谦县,náng qiān xiàn,"Nangqên County (Tibetan: nang chen rdzong) in Yushu Tibetan Autonomous Prefecture 玉樹藏族自治州|玉树藏族自治州[Yu4 shu4 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -苏,sū,used in 嚕囌|噜苏[lu1 su1] -嘱,zhǔ,to enjoin; to implore; to urge -嘱咐,zhǔ fu,to urge; to exhort -嘱托,zhǔ tuō,to entrust a task to sb else -啮,niè,variant of 嚙|啮[nie4]; to gnaw -啮齿类,niè chǐ lèi,rodents -囔,nāng,"muttering, indistinct speech" -囔囔,nāng nang,to murmur; to speak in a low voice -囗,wéi,enclosure -因,yīn,old variant of 因[yin1] -囚,qiú,prisoner -囚室,qiú shì,prison cell -囚徒,qiú tú,prisoner -囚犯,qiú fàn,prisoner; convict -囚禁,qiú jìn,to imprison; captivity -囚笼,qiú lóng,cage used to hold or transport prisoners -囚衣,qiú yī,prison uniform -囚锢锋,qiú gù fēng,occluded front (meteorology) -四,sì,four; 4 -四一二,sì yī èr,12th April; refers to Chiang Kai-shek's coup of 12th April 1927 against the communists in Shanghai -四一二事变,sì yī èr shì biàn,"the coup of 12th Mar 1927, an attempt by Chiang Kai-shek to suppress the communists; called 反革命政變|反革命政变 or 慘案|惨案 in PRC literature" -四一二反革命政变,sì yī èr fǎn gé mìng zhèng biàn,"counterrevolutionary coup of 12th April 1927, Chiang Kai-shek's coup against the communists in Shanghai" -四一二惨案,sì yī èr cǎn àn,the massacre of 12th Mar 1927; the Shanghai coup of 12th Mar 1927 by Chiang Kai-shek against the communists -四下,sì xià,everywhere -四下里,sì xià li,all around -四不像,sì bù xiàng,"common name for 麋鹿[mi2 lu4], Père David's deer (Elaphurus davidianus), which is said to resemble an amalgam of animals such as a cow, deer, donkey and horse; an odd mixture of disparate elements; hodgepodge; farrago" -四世同堂,sì shì tóng táng,"Four Generations Under One Roof, novel by Lao She 老舍[Lao3 She3]" -四世同堂,sì shì tóng táng,four generations under one roof (idiom) -四人帮,sì rén bāng,"Gang of Four: Jiang Qing 江青[Jiang1 Qing1], Zhang Chunqiao 張春橋|张春桥[Zhang1 Chun1 qiao2], Yao Wenyuan 姚文元[Yao2 Wen2 yuan2], Wang Hongwen 王洪文[Wang2 Hong2 wen2], who served as scapegoats for the excesses of the cultural revolution" -四仰八叉,sì yǎng bā chā,sprawled out on one's back (idiom) -四个全面,sì ge quán miàn,"Four Comprehensives (political guidelines announced by President Xi Jinping, 2015)" -四个现代化,sì ge xiàn dài huà,"Deng Xiaoping's four modernizations practiced from the 1980s (possibly planned together with Zhou Enlai), namely: modernization of industry, agriculture, national defense and science and technology; abbr. to 四化[si4 hua4]" -四元数,sì yuán shù,quaternion (math.) -四两拨千斤,sì liǎng bō qiān jīn,lit. four ounces can move a thousand catties (idiom); fig. to achieve much with little effort -四出文钱,sì chū wén qián,"coin minted in the reign of Emperor Ling of Han 漢靈帝|汉灵帝[Han4 Ling2 Di4], with a square hole in the middle and four lines radiating out from each corner of the square (hence the name 四出文)" -四分之一,sì fēn zhī yī,one-quarter -四分五裂,sì fēn wǔ liè,all split up and in pieces (idiom); disunity (in an organization); complete lack of unity; to disintegrate; falling apart; to be at sixes and sevens -四分位数,sì fēn wèi shù,quartile (statistics) -四分历,sì fēn lì,"""quarter remainder"" calendar, the first calculated Chinese calendar, in use from the Warring States period until the early years of the Han dynasty" -四分卫,sì fēn wèi,quarterback (QB) (American football) -四分音符,sì fēn yīn fú,crotchet (music) -四则运算,sì zé yùn suàn,"the four basic operations of arithmetic (addition, subtraction, multiplication and division)" -四化,sì huà,"abbr. for 四個現代化|四个现代化[si4 ge4 xian4 dai4 hua4], Deng Xiaoping's four modernizations" -四十,sì shí,forty; 40 -四十二章经,sì shí èr zhāng jīng,"The Sutra in Forty-two Sections Spoken by the Buddha, the first Chinese Buddhist text, translated in 67 AD by Kasyapa-Matanga 迦葉摩騰|迦叶摩腾[Jia1 ye4 Mo2 teng2] and Gobharana 竺法蘭|竺法兰[Zhu2 fa3 lan2] (Dharmaraksha)" -四合院,sì hé yuàn,courtyard house with a fully enclosed courtyard (type of Chinese residence) -四周,sì zhōu,all around -四国,sì guó,Shikoku (one of the four main islands of Japan) -四国犬,sì guó quǎn,Shikoku (dog) -四围,sì wéi,all around; on all sides; encircled -四境,sì jìng,all the borders -四壁萧然,sì bì xiāo rán,four bare walls -四大,sì dà,"the four elements: earth, water, fire, and wind (Buddhism); the four freedoms: speaking out freely, airing views fully, holding great debates, and writing big-character posters, 大鳴大放|大鸣大放[da4 ming2 da4 fang4], 大辯論|大辩论[da4 bian4 lun4], 大字報|大字报[da4 zi4 bao4] (PRC)" -四大佛教名山,sì dà fó jiào míng shān,"Four Sacred Mountains of Buddhism, namely: Mt Wutai 五臺山|五台山 in Shanxi, Mt Emei 峨眉山 in Sichuan, Mt Jiuhua 九華山|九华山 in Anhui, Mt Potala 普陀山 in Zhejiang" -四大名著,sì dà míng zhù,"the Four Classic Novels of Chinese literature, namely: A Dream of Red Mansions 紅樓夢|红楼梦[Hong2 lou2 Meng4], Romance of Three Kingdoms 三國演義|三国演义[San1 guo2 Yan3 yi4], Water Margin 水滸傳|水浒传[Shui3 hu3 Zhuan4], Journey to the West 西遊記|西游记[Xi1 you2 Ji4]" -四大天王,sì dà tiān wáng,the four heavenly kings (Sanskrit vajra); the four guardians or warrior attendants of Buddha -四大发明,sì dà fā míng,"the four great Chinese inventions: paper, printing, magnetic compass and gunpowder" -四大皆空,sì dà jiē kōng,lit. the four elements are vanity (idiom); this world is an illusion -四大盆地,sì dà pén dì,"four great basin depressions of China, namely: Tarim 塔里木盆地 in south Xinjiang, Jungar 準葛爾盆地|准葛尔盆地 and Tsaidam or Qaidam 柴達木盆地|柴达木盆地 in north Xinjiang Sichuan 四川盆地" -四大石窟,sì dà shí kū,"the four great caves, namely: Longmen Grottoes 龍門石窟|龙门石窟[Long2 men2 Shi2 ku1] at Luoyang, Henan, Yungang Caves 雲岡石窟|云冈石窟[Yun2 gang1 Shi2 ku1] at Datong, Shanxi, Mogao Caves 莫高窟[Mo4 gao1 ku1] at Dunhuang, Gansu, and Mt Maiji Caves 麥積山石窟|麦积山石窟[Mai4 ji1 Shan1 Shi2 ku1] at Tianshui, Gansu" -四大美女,sì dà měi nǚ,"the four legendary beauties of ancient China, namely: Xishi 西施[Xi1 shi1], Wang Zhaojun 王昭君[Wang2 Zhao1 jun1], Diaochan 貂蟬|貂蝉[Diao1 Chan2] and Yang Yuhuan 楊玉環|杨玉环[Yang2 Yu4 huan2]" -四大须生,sì dà xū shēng,"Four great beards of Beijing opera, namely: Ma Lianliang 馬連良|马连良, Tan Fuying 譚富英|谭富英, Yang Baosen 楊寶森|杨宝森, Xi Xiaobo 奚嘯伯|奚啸伯" -四子王,sì zǐ wáng,"Siziwang banner or Dörvön-xüüxed khoshuu in Ulaanchab 烏蘭察布|乌兰察布[Wu1 lan2 cha2 bu4], Inner Mongolia" -四子王旗,sì zǐ wáng qí,"Siziwang banner or Dörvön-xüüxed khoshuu in Ulaanchab 烏蘭察布|乌兰察布[Wu1 lan2 cha2 bu4], Inner Mongolia" -四季,sì jì,"four seasons, namely: spring 春[chun1], summer 夏[xia4], autumn 秋[qiu1] and winter 冬[dong1]" -四季如春,sì jì rú chūn,four seasons like spring; favorable climate throughout the year -四季豆,sì jì dòu,green bean; French bean; runner bean -四季豆腐,sì jì dòu fu,four seasons beancurd -四害,sì hài,"""the four pests"", i.e. rats, flies, mosquitoes, and sparrows; see also 打麻雀運動|打麻雀运动[Da3 Ma2 que4 Yun4 dong4]" -四射,sì shè,to radiate all around -四小龙,sì xiǎo lóng,"Four Asian Tigers; East Asian Tigers; Four Little Dragons (East Asian economic powers: Taiwan, South Korea, Singapore and Hong Kong)" -四川,sì chuān,"Sichuan province (Szechuan) in southwest China, abbr. 川 or 蜀, capital Chengdu 成都" -四川外国语大学,sì chuān wài guó yǔ dà xué,Sichuan International Studies University (SISU) -四川大地震,sì chuān dà dì zhèn,Great Sichuan Earthquake (2008) -四川大学,sì chuān dà xué,Sichuan University -四川山鹧鸪,sì chuān shān zhè gū,(bird species of China) Sichuan partridge (Arborophila rufipectus) -四川旋木雀,sì chuān xuán mù què,(bird species of China) Sichuan treecreeper (Certhia tianquanensis) -四川日报,sì chuān rì bào,Sichuan Daily -四川林鸮,sì chuān lín xiāo,(bird species of China) Sichuan wood owl (Strix davidi) -四川柳莺,sì chuān liǔ yīng,(bird species of China) Sichuan leaf warbler (Phylloscopus forresti) -四川盆地,sì chuān pén dì,Sichuan basin -四川省,sì chuān shěng,"Sichuan province (Szechuan) in southwest China, abbr. 川[Chuan1] or 蜀[Shu3], capital Chengdu 成都[Cheng2 du1]" -四川雉鹑,sì chuān zhì chún,(bird species of China) buff-throated monal-partridge (Tetraophasis szechenyii) -四平,sì píng,"Siping, prefecture-level city in Jilin province 吉林省 in northeast China" -四平八稳,sì píng bā wěn,everything steady and stable (idiom); overcautious and unimaginary -四平市,sì píng shì,"Siping, prefecture-level city in Jilin province 吉林省 in northeast China" -四库,sì kù,"the four book depositories, namely: classics 經|经, history 史, philosophy 子[zi3], belles-lettres 集" -四库全书,sì kù quán shū,Siku Quanshu (collection of books compiled during Qing dynasty) -四强,sì qiáng,the top four -四强赛,sì qiáng sài,semifinals -四德,sì dé,"four Confucian injunctions 孝悌忠信 (for men), namely: piety 孝 to one's parents, respect 悌 to one's older brother, loyalty 忠 to one's monarch, faith 信 to one's male friends; the four Confucian virtues for women of morality 德[de2], physical charm 容, propriety in speech 言 and efficiency in needlework 功" -四舍五入,sì shě wǔ rù,(math.) to round up or down; to round off -四散,sì sàn,to disperse; to scatter in all directions -四散奔逃,sì sàn bēn táo,to scatter in all directions -四方,sì fāng,four-way; four-sided; in all directions; everywhere -四方区,sì fāng qū,"Sifang district of Qingdao city 青島市|青岛市, Shandong" -四方帽,sì fāng mào,see 方帽[fang1 mao4] -四方步,sì fāng bù,a slow march -四方脸,sì fāng liǎn,square-jawed face -四方台,sì fāng tái,"Sifangtai district of Shuangyashan city 雙鴨山|双鸭山[Shuang1 ya1 shan1], Heilongjiang" -四方台区,sì fāng tái qū,"Sifangtai district of Shuangyashan city 雙鴨山|双鸭山[Shuang1 ya1 shan1], Heilongjiang" -四旁,sì páng,nearby regions -四日市,sì rì shì,"Yokkaichi, city in Mie Prefecture, Japan" -四日市市,sì rì shì shì,"Yokkaichi, city in Mie Prefecture, Japan" -四旬节,sì xún jié,First Sunday of Lent -四旬斋,sì xún zhāi,Lent (Christian period of forty days before Easter) -四时,sì shí,"the four seasons, namely: spring 春[chun1], summer 夏[xia4], autumn 秋[qiu1] and winter 冬[dong1]" -四更,sì gēng,fourth of the five night watch periods 01:00-03:00 (old) -四书,sì shū,"Four Books, namely: the Great Learning 大學|大学, the Doctrine of the Mean 中庸, the Analects of Confucius 論語|论语, and Mencius 孟子" -四会,sì huì,"Sihui, county-level city in Zhaoqing 肇慶|肇庆[Zhao4 qing4], Guangdong" -四会市,sì huì shì,"Sihui, county-level city in Zhaoqing 肇慶|肇庆[Zhao4 qing4], Guangdong" -四月,sì yuè,April; fourth month (of the lunar year) -四月份,sì yuè fèn,April -四条,sì tiáo,four of a kind; quads (poker) -四次,sì cì,fourth; four times; quartic -四民,sì mín,"""the four classes"" of ancient China, i.e. scholars, farmers, artisans, and merchants" -四氟化硅,sì fú huà guī,silicon tetrafluoride SiF4 -四氟化铀,sì fú huà yóu,uranium tetrafluoride (UF4) -四氢大麻酚,sì qīng dà má fēn,"Tetrahydrocannabinol, THC" -四氯乙烯,sì lǜ yǐ xī,tetrachloroethylene -四氯化碳,sì lǜ huà tàn,carbon tetrachloride -四海之内皆兄弟,sì hǎi zhī nèi jiē xiōng dì,all men are brothers -四海升平,sì hǎi shēng píng,(idiom) the whole world is at peace -四海为家,sì hǎi wéi jiā,"to regard the four corners of the world all as home (idiom); to feel at home anywhere; to roam about unconstrained; to consider the entire country, or world, to be one's own" -四海皆准,sì hǎi jiē zhǔn,appropriate to any place and any time (idiom); universally applicable; a panacea -四海飘零,sì hǎi piāo líng,drifting aimlessly all over the place (idiom) -四清,sì qīng,the Four Cleanups Movement (1963-66); abbr. for 四清運動|四清运动[Si4 qing1 Yun4 dong4] -四清运动,sì qīng yùn dòng,"the Four Cleanups Movement (1963-66), which aimed to cleanse the politics, economy, organization and ideology of the Communist Party" -四湖,sì hú,"Sihu (or Ssuhu) township in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -四湖乡,sì hú xiāng,"Sihu (or Ssuhu) township in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -四溢,sì yì,(of a perfume or a foul odor) permeating the whole place; (of grease etc) dripping everywhere; flowing all over the place -四溅,sì jiàn,"(of droplets, sparks etc) to fly about in all directions; to splatter everywhere" -四渎,sì dú,"(archaic) the four rivers (Yangtze 長江|长江[Chang2 Jiang1], Yellow 黃河|黄河[Huang2 He2], Huai 淮河[Huai2 He2], Ji 濟水|济水[Ji3 Shui3]); (TCM) acupuncture point SJ-9" -四物汤,sì wù tāng,"four-substance decoction (si wu tang), tonic formula used in Chinese medicine" -四环素,sì huán sù,tetracycline -四眼田鸡,sì yǎn tián jī,four-eyes (facetious term for a person who wears glasses) -四碳糖,sì tàn táng,"tetrose (CH2O)4, monosaccharide with four carbon atoms" -四级,sì jí,grade 4; fourth class; category D -四级士官,sì jí shì guān,sergeant first class -四维,sì wéi,"the four social bonds: propriety, justice, integrity and honor; see 禮義廉恥|礼义廉耻[li3 yi4 lian2 chi3]; the four directions; the four limbs (Chinese medicine); four-dimensional" -四维空间,sì wéi kōng jiān,four-dimensional space (math.) -四县腔,sì xiàn qiāng,Sixian dialect of Hakka Chinese -四圣谛,sì shèng dì,the Four Noble Truths (Buddhism); see also 四諦|四谛[si4 di4] and 苦集滅道|苦集灭道[ku3 ji2 mie4 dao4] -四声,sì shēng,"the four tones of Middle Chinese: level tone 平聲|平声, rising tone 上聲|上声, departing tone 去聲|去声 and entering tone 入聲|入声; the four tones of Modern Standard Mandarin" -四声杜鹃,sì shēng dù juān,(bird species of China) Indian cuckoo (Cuculus micropterus) -四肢,sì zhī,the four limbs of the body -四肢支撑式,sì zhī zhī chēng shì,low plank (yoga pose) -四胡,sì hú,"sihu (or ""khuurchir"" in Mongolian), a bowed instrument with four strings, primarily associated with Mongolian and Chinese culture" -四脚朝天,sì jiǎo cháo tiān,four legs facing the sky (idiom); flat on one's back -四脚蛇,sì jiǎo shé,lizard -四旧,sì jiù,the Four Olds (target of the Cultural Revolution) -四叶草,sì yè cǎo,four-leaf clover -四处,sì chù,all over the place; everywhere and all directions -四号电池,sì hào diàn chí,AAA battery (Tw); PRC equivalent: 七號電池|七号电池[qi1 hao4 dian4 chi2] -四角,sì jiǎo,the four corners (of a rectangle); the eaves that the four corners of a building -四角形,sì jiǎo xíng,square; quadrilateral -四角柱体,sì jiǎo zhù tǐ,cuboid; rectangular prism (math.) -四角号码,sì jiǎo hào mǎ,four corner code (input method for Chinese characters) -四角裤,sì jiǎo kù,boxer shorts -四诊,sì zhěn,"(TCM) the four methods of diagnosis, namely 望診|望诊[wang4 zhen3] (observation), 聞診|闻诊[wen2 zhen3] (auscultation and olfaction), 問診|问诊[wen4 zhen3] (interrogation), 切診|切诊[qie4 zhen3] (pulse feeling and palpation)" -四谛,sì dì,"the Four Noble Truths (Budd.), covered by the acronym 苦集滅道|苦集灭道[ku3 ji2 mie4 dao4]: all life is suffering 苦[ku3], the cause of suffering is desire 集[ji2], emancipation comes only by eliminating passions 滅|灭[mie4], the way 道[dao4] to emancipation is the Eight-fold Noble Way 八正道[ba1 zheng4 dao4]" -四象,sì xiàng,"four divisions (of the twenty-eight constellations 二十八宿[er4 shi2 ba1 xiu4] of the sky into groups of seven mansions), namely: Azure Dragon 青龍|青龙[Qing1 long2], White Tiger 白虎[Bai2 hu3], Vermilion Bird 朱雀[Zhu1 que4], Black Tortoise 玄武[Xuan2 wu3]" -四起,sì qǐ,to spring up everywhere; from all around -四轮定位,sì lún dìng wèi,wheel alignment (automobile maintenance) -四轮马车,sì lún mǎ chē,chariot -四轮驱动,sì lún qū dòng,four-wheel drive -四近,sì jìn,nearby -四通八达,sì tōng bā dá,roads open in all directions (idiom); accessible from all sides -四边,sì biān,four sides -四边形,sì biān xíng,quadrilateral -四郊,sì jiāo,suburb; outskirts (of town) -四部曲,sì bù qǔ,tetralogy -四邻,sì lín,one's nearest neighbors -四邻八舍,sì lín bā shè,the whole neighborhood -四重奏,sì chóng zòu,quartet (musical ensemble) -四门轿车,sì mén jiào chē,sedan (motor car) -四灵,sì líng,"four divinities; four divine emperors; four mythical creatures symbolic of prosperity and longevity, namely the phoenix 鳳|凤[feng4], turtle 龜|龟[gui1], dragon 龍|龙[long2] and Chinese unicorn 麒麟[qi2 lin2]; also 四象[si4 xiang4], the four division of the sky" -四面,sì miàn,all sides -四面八方,sì miàn bā fāng,in all directions; all around; far and near -四面楚歌,sì miàn chǔ gē,"lit. on all sides, the songs of Chu (idiom); fig. surrounded by enemies, isolated and without help" -四面体,sì miàn tǐ,tetrahedron -四项基本原则,sì xiàng jī běn yuán zé,"the Four Cardinal Principles enunciated by Deng Xiaoping 鄧小平|邓小平[Deng4 Xiao3 ping2] in 1979: to uphold the socialist road, the dictatorship of the proletariat, the leadership of the CCP, and Maoism and Marxism-Leninism" -四头肌,sì tóu jī,quadriceps muscle group; thigh muscles -四顾,sì gù,to look around -四驱车,sì qū chē,four-by-four (vehicle); 4x4 -四体,sì tǐ,one's four limbs; two arms and two legs -囝,jiǎn,child -囝,nān,variant of 囡[nan1] -囝仔,jiǎn zǐ,"(Tw) child; youngster (Taiwanese, Tai-lo pr. [gín-á])" -回,huí,to circle; to go back; to turn around; to answer; to return; to revolve; Hui ethnic group (Chinese Muslims); time; classifier for acts of a play; section or chapter (of a classic book) -回事,huí shì,(old) to report to one's master -回交,huí jiāo,backcrossing (i.e. hybridization with parent) -回京,huí jīng,to return to the capital -回佣,huí yòng,commission; sales -回来,huí lai,to return; to come back -回信,huí xìn,to reply; to write back; letter written in reply; CL:封[feng1] -回信地址,huí xìn dì zhǐ,return address -回充,huí chōng,to recharge -回光反照,huí guāng fǎn zhào,"final radiance of setting sun; fig. dying flash (of lucidity or activity, prior to demise)" -回光返照,huí guāng fǎn zhào,"final radiance of setting sun; fig. dying flash (of lucidity or activity, prior to demise)" -回光镜,huí guāng jìng,concave reflector (e.g. in spotlight) -回函,huí hán,a reply (in writing) -回到,huí dào,to return to -回力球,huí lì qiú,(sports) jai alai; cesta punta; ball used in this sport -回升,huí shēng,to rise again after a fall; to pick up; rally (stock market etc) -回南天,huí nán tiān,weather phenomenon characterized by condensation of warm moist air on cool surfaces during the transition from winter to spring in Southern China -回去,huí qu,to return; to go back -回口,huí kǒu,to answer back -回合,huí hé,"one of a sequence of contests (or subdivisions of a contest) between the same two opponents; round (boxing etc); rally (tennis etc); frame (billiards etc); inning; (tennis, soccer etc) rubber or leg; round (of negotiations)" -回合制,huí hé zhì,turn-based (gaming) -回吐,huí tǔ,to regurgitate; (fig.) (of a stock market) to give up (gains) -回味,huí wèi,to call to mind and ponder over; aftertaste -回味无穷,huí wèi wú qióng,to have a rich aftertaste; (fig.) memorable; to linger in one's memory -回单,huí dān,receipt -回单儿,huí dān er,erhua variant of 回單|回单[hui2 dan1] -回嗔作喜,huí chēn zuò xǐ,to go from anger to happiness (idiom) -回嘴,huí zuǐ,to answer back; to retort -回回,huí hui,Hui ethnic group (Chinese Muslims) -回回,huí huí,time and again; every time -回回青,huí huí qīng,cobalt blue; Mohammedan blue -回国,huí guó,to return to one's home country -回执,huí zhí,receipt (written acknowledgement of receipt of an item) -回执单,huí zhí dān,receipt -回报,huí bào,(in) return; reciprocation; payback; retaliation; to report back; to reciprocate -回堵,huí dǔ,(Tw) (of traffic) to be jammed; traffic backup -回填,huí tián,to backfill -回墨印,huí mò yìn,self-inking stamp -回天,huí tiān,to reverse a desperate situation -回天乏术,huí tiān fá shù,(idiom) nothing can be done to remedy the situation; beyond recovery -回天无力,huí tiān wú lì,unable to turn around a hopeless situation (idiom); to fail to save the situation -回奉,huí fèng,to return a compliment; to give a return present -回娘家,huí niáng jiā,"(of a wife) to return to her parental home; (fig.) to return to one's old place, job, school etc" -回家,huí jiā,to return home -回家吃自己,huí jiā chī zì jǐ,(coll.) (Tw) to get sacked; to be fired -回帖,huí tiě,to reply to an invitation; (Internet) to post a comment on a forum topic -回弹,huí tán,(of sth that has been deformed) to spring back to original shape; (fig.) to rebound; to bounce back -回形针,huí xíng zhēn,paper clip -回复,huí fù,to reply; to recover; to return (to a previous condition); Re: in reply to (email) -回心转意,huí xīn zhuǎn yì,to change one's mind (idiom) -回想,huí xiǎng,to recall; to recollect; to think back -回忆,huí yì,to recall; memories; CL:個|个[ge4] -回忆录,huí yì lù,memoir -回应,huí yìng,to respond; response -回怼,huí duǐ,(Internet slang) to retaliate verbally; to hit back (at critics) -回扣,huí kòu,brokerage; a commission paid to a middleman; euphemism for a bribe; a kickback -回折,huí zhé,diffraction (physics) -回折格子,huí zhé gé zi,diffraction grating (physics) -回抽,huí chōu,to pull back; to withdraw; (finance) (of a stock price etc) to retrace -回拜,huí bài,to pay a return visit -回扫,huí sǎo,see 回描[hui2 miao2] -回采,huí cǎi,stoping (excavating ore using stepped terraces); to extract ore; extraction; to pull back -回描,huí miáo,flyback (of electron beam in cathode ray tube); retrace -回击,huí jī,to fight back; to return fire; to counterattack -回收,huí shōu,to recycle; to reclaim; to retrieve; to recover; to recall (a defective product) -回收站,huí shōu zhàn,recycling center; waste materials collection depot; (computing) recycle bin -回放,huí fàng,to replay; to play back -回教,huí jiào,Islam -回敬,huí jìng,to return a compliment; to give sth in return -回数,huí shù,number of times (sth happens); number of chapters in a classical novel; (math.) palindromic number -回文,huí wén,palindrome -回旋,huí xuán,variant of 迴旋|回旋[hui2 xuan2] -回旋曲,huí xuán qǔ,rondo -回族,huí zú,Hui Islamic ethnic group living across China -回族人,huí zú rén,Hui person; member of Hui ethnic group living across China -回春,huí chūn,return of spring -回暖,huí nuǎn,(of the weather) to warm up again -回望,huí wàng,to return sb's gaze; to meet sb's eyes; to look back (to one's rear); (fig.) to look back at (the past); to reflect on -回本,huí běn,to recoup one's investment -回条,huí tiáo,receipt; note acknowledging receipt -回款,huí kuǎn,payment of money owing -回归,huí guī,to return to; to retreat; regression (statistics) -回归年,huí guī nián,the solar year; the year defined as the period between successive equinoxes -回归热,huí guī rè,recurring fever -回归线,huí guī xiàn,"tropic; one of the two latitude lines, Tropic of Capricorn or Tropic of Cancer" -回民,huí mín,Hui ethnic group (Chinese muslims) -回民区,huí mín qū,"Huimin District of Hohhot city 呼和浩特市[Hu1 he2 hao4 te4 Shi4], Inner Mongolia" -回冲,huí chōng,backwash -回波,huí bō,echo (e.g. radar); returning wave -回流,huí liú,to flow back; reflux; circumfluence; refluence; backward flow; returning flow (e.g. of talent) -回游,huí yóu,variant of 洄游[hui2 you2] -回溯,huí sù,to recall; to look back upon -回滚,huí gǔn,(computing) to roll back; rollback; (sports) (of a ball) to come back (due to backspin or sloping ground) -回潮,huí cháo,to become moist again; to revive (usually of sth bad); resurgence -回火,huí huǒ,to temper (iron); to flare back; flareback (in a gas burner); (of an engine) to backfire -回炉,huí lú,to melt down; to remelt (metals); fig. to acquire new education; to bake again -回甘,huí gān,to have a sweet aftertaste -回甜,huí tián,to have a sweet aftertaste -回目,huí mù,chapter title (in a novel) -回眸,huí móu,to glance back; to look back; retrospective -回神,huí shén,to collect one's thoughts (after being surprised or shocked); to snap out of it (after being lost in thought) -回禄,huí lù,traditional Fire God; destruction by fire -回禄之灾,huí lù zhī zāi,to have one's house burned down; fire disaster -回礼,huí lǐ,to return a greeting; to send a gift in return -回程,huí chéng,return trip -回禀,huí bǐng,to report back to one's superior -回空,huí kōng,to return empty (i.e. to drive back with no passengers or freight) -回答,huí dá,to reply; to answer; reply; answer -回笼,huí lóng,to steam again; to rewarm food in a bamboo steamer; to withdraw currency from circulation -回纥,huí hé,"Huihe, ancient name of an ethnic group who were the ancestors of the Uyghurs 維吾爾族|维吾尔族[Wei2wu2er3zu2] and the Yugurs 裕固族[Yu4gu4zu2]" -回绝,huí jué,to rebuff; to refuse; to turn down -回绕,huí rào,winding -回老家,huí lǎo jiā,to go back to one's roots; to return to one's native place; by ext. to join one's ancestors (i.e. to die) -回耗,huí hào,to write back; to send a reply -回声,huí shēng,echo -回声定位,huí shēng dìng wèi,echolocation -回肠,huí cháng,ileum (segment of small intestine between the jejunum 空腸|空肠[kong1 chang2] and appendix 盲腸|盲肠[mang2 chang2]) -回肠荡气,huí cháng dàng qì,"soul-stirring (of drama, poem or artwork); heart-rending; deeply moving" -回航,huí háng,to return to port -回良玉,huí liáng yù,"Hui Liangyu (1944-) PRC Hui national career politician from Guilin, background in economics, politburo member 2002-2012, deputy chair of State Council 2003-2013" -回落,huí luò,"to fall back; to return to low level after a rise (in water level, price etc)" -回覆,huí fù,to reply; to recover; variant of 回復|回复[hui2 fu4] -回见,huí jiàn,See you later! -回视,huí shì,regression (psychology) -回访,huí fǎng,(pay a) return visit -回话,huí huà,to reply -回调,huí diào,callback (computing) -回调函数,huí diào hán shù,callback function (computing) -回请,huí qǐng,to return an invitation -回护,huí hù,to stick up for a wrongdoer -回购,huí gòu,buyback; repurchase; to buy back -回赠,huí zèng,to give sb (a gift) in return -回跌,huí diē,to fall back (of water level or share prices) -回路,huí lù,to return; circuit (e.g. electric); loop -回车,huí chē,"to turn a vehicle around; (computing) ""carriage return"" character; the ""Enter"" key; to hit the ""Enter"" key" -回车符,huí chē fú,"(computing) ""carriage return"" character (ASCII code 13)" -回车键,huí chē jiàn,carriage return -回转,huí zhuǎn,variant of 迴轉|回转[hui2 zhuan3] -回返,huí fǎn,to return; to go back; to come back -回退,huí tuì,to revert (computing); to return (a package or letter) to the sender -回过头来,huí guò tóu lái,to turn one's head; to turn around; (fig.) to return (to a previous point); to come back (to what one was saying before); (fig.) to look back (in time); to reflect on the past -回避,huí bì,variant of 迴避|回避[hui2 bi4] -回还,huí huán,to return -回邮信封,huí yóu xìn fēng,self-addressed stamped envelope (SASE) -回铃音,huí líng yīn,ringback tone -回锅,huí guō,to cook again; to rewarm food -回锅油,huí guō yóu,reused cooking oil -回锅肉,huí guō ròu,twice-cooked pork -回銮,huí luán,return of the emperor -回门,huí mén,first return of bride to her parental home -回电,huí diàn,to call sb back (on the phone); a return call; to reply to a telegram; to wire back; a reply telegram -回音,huí yīn,echo; reply; turn (ornament in music) -回响,huí xiǎng,variant of 迴響|回响[hui2 xiang3] -回头,huí tóu,to turn round; to turn one's head; later; by and by -回头客,huí tóu kè,repeat customer -回头见,huí tóu jiàn,See you!; Bye! -回头路,huí tóu lù,the road back to where one came from -回顾,huí gù,to look back; to review -回顾展,huí gù zhǎn,retrospective (exhibition) -回顾历史,huí gù lì shǐ,to look back at history -回馈,huí kuì,to repay a favor; to give back; feedback -回首,huí shǒu,to turn around; to look back; (fig.) to recall the past -回马枪,huí mǎ qiāng,sudden thrust (that catches the opponent off guard) -回驳,huí bó,to refute -回鹘,huí hú,"Huihu, ancient name of an ethnic group who were the ancestors of the Uyghurs 維吾爾族|维吾尔族[Wei2wu2er3zu2] and the Yugurs 裕固族[Yu4gu4zu2]" -囟,xìn,fontanel (gap between the bones of an infant's skull) -囟脑门,xìn nǎo mén,fontanel (gap between the bones of an infant's skull) -囟门,xìn mén,fontanel (gap between the bones of an infant's skull) -因,yīn,cause; reason; because -因之,yīn zhī,for this reason -因人成事,yīn rén chéng shì,to get things done relying on others (idiom); with a little help from his friends -因人而异,yīn rén ér yì,varying from person to person (idiom); different for each individual -因公,yīn gōng,in the course of doing one's work; on business -因公殉职,yīn gōng xùn zhí,to die in the course of performing one's duty (idiom) -因利乘便,yīn lì chéng biàn,(idiom) to rely on the most favorable method -因努伊特,yīn nǔ yī tè,Inuit -因势利导,yīn shì lì dǎo,to take advantage of the new situation (idiom); to make the best of new opportunities -因吹斯汀,yīn chuī sī tīng,(loanword) interesting -因噎废食,yīn yē fèi shí,lit. not eating for fear of choking (idiom); fig. to cut off one's nose to spite one's face; to avoid sth essential because of a slight risk -因地制宜,yīn dì zhì yí,(idiom) to use methods in line with local circumstances -因如此,yīn rú cǐ,because of this -因子,yīn zǐ,factor; (genetic) trait; (math.) factor; divisor -因孕而婚,yīn yùn ér hūn,(idiom) to marry because of an unplanned pregnancy -因小失大,yīn xiǎo shī dà,to save a little only to lose a lot (idiom) -因式,yīn shì,factor; divisor (of a math. expression) -因式分解,yīn shì fēn jiě,factorization -因循,yīn xún,to continue the same old routine; to carry on just as before; to procrastinate -因循守旧,yīn xún shǒu jiù,(idiom) to continue in the same old rut; diehard conservative attitudes -因爱成恨,yīn ài chéng hèn,hatred caused by love (idiom); to grow to hate someone because of unrequited love for that person -因应,yīn yìng,to respond accordingly to; to adapt to; to cope with -因故,yīn gù,for some reason -因数,yīn shù,factor (of an integer); divisor -因斯布鲁克,yīn sī bù lǔ kè,"Innsbruck, city in Austria" -因时制宜,yīn shí zhì yí,(idiom) to use methods appropriate to the current situation -因材施教,yīn cái shī jiào,(idiom) to teach in line with the student's ability -因果,yīn guǒ,karma; cause and effect -因果报应,yīn guǒ bào yìng,(Buddhism) retribution; karma -因此,yīn cǐ,thus; consequently; as a result -因为,yīn wèi,because; owing to; on account of -因父之名,yīn fù zhī míng,in the Name of the Father (in Christian worship) -因特网,yīn tè wǎng,Internet -因特网提供商,yīn tè wǎng tí gōng shāng,Internet service provider (ISP) -因特网联通,yīn tè wǎng lián tōng,Internet connection -因由,yīn yóu,reason; cause; predestined relationship (Buddhism) -因祸得福,yīn huò dé fú,to have some good come out of a bad situation (idiom); a blessing in disguise -因私,yīn sī,private (i.e. not work-related 因公[yin1 gong1]) -因纽特,yīn niǔ tè,Inuit -因素,yīn sù,element; factor; CL:個|个[ge4] -因缘,yīn yuán,chance; opportunity; predestined relationship; (Buddhist) principal and secondary causes; chain of cause and effect -因而,yīn ér,"therefore; as a result; thus; and as a result, ..." -因袭,yīn xí,to follow old patterns; to imitate existing models; to continue along the same lines -因变数,yīn biàn shù,(Tw) (math.) dependent variable -因变量,yīn biàn liàng,dependent variable -因陀罗,yīn tuó luó,Indra (a Hindu deity) -因陋就简,yīn lòu jiù jiǎn,crude but simple methods (idiom); use whatever methods you can; to do things simply and thriftily; It's not pretty but it works. -囡,nān,child; daughter -囡囡,nān nān,little darling; baby -囤,dùn,bin for grain -囤,tún,to store; to hoard -囤积,tún jī,to stock up; to lay in supplies; to hoard (for speculation); to corner the market in sth -囤积居奇,tún jī jū qí,to hoard and profiteer; to speculate -囤货,tún huò,to stock up; to stockpile -囱,chuāng,variant of 窗[chuang1] -囱,cōng,chimney -囫,hú,used in 囫圇|囫囵[hu2lun2] -囫囵,hú lún,whole -囫囵吞下,hú lún tūn xià,to swallow whole; (fig.) to swallow (lies etc) -囫囵吞枣,hú lún tūn zǎo,to swallow in one gulp (idiom); (fig.) to accept without thinking; to lap up -困,kùn,to trap; to surround; hard-pressed; stranded; destitute -困倦,kùn juàn,tired; weary -困厄,kùn è,in deep water; difficult situation -困境,kùn jìng,predicament; plight -困守,kùn shǒu,to stand a siege; trapped in a besieged city -困局,kùn jú,dilemma; predicament; difficult situation -困惑,kùn huò,bewildered; perplexed; confused; difficult problem; perplexity -困惑不解,kùn huò bù jiě,to feel perplexed -困扰,kùn rǎo,to perplex; to disturb; to cause complications -困兽犹斗,kùn shòu yóu dòu,a cornered beast will still fight (idiom); to fight like an animal at bay -困窘,kùn jiǒng,embarrassment -困苦,kùn kǔ,deprivation; distressed; miserable -困难,kùn nan,difficult; challenging; straitened circumstances; difficult situation -困难在于,kùn nan zài yú,the problem is... -困顿,kùn dùn,fatigued; exhausted; poverty-stricken; in straitened circumstances -囷,qūn,granary; Taiwan pr. [jun1] -囹,líng,used in 囹圄[ling2 yu3] -囹圄,líng yǔ,(literary) prison -囹圉,líng yǔ,variant of 囹圄[ling2 yu3] -固,gù,hard; strong; solid; sure; assuredly; undoubtedly; of course; indeed; admittedly -固件,gù jiàn,firmware -固化,gù huà,to solidify; to harden; (fig.) to make permanent; to become fixed -固原,gù yuán,Guyuan city and prefecture in Ningxia -固原市,gù yuán shì,Guyuan city in Ningxia -固执,gù zhí,obstinate; stubborn; to fixate on; to cling to -固执己见,gù zhí jǐ jiàn,to persist in one's views -固始,gù shǐ,"Gushi county in Xinyang 信陽|信阳, Henan" -固始县,gù shǐ xiàn,"Gushi county in Xinyang 信陽|信阳, Henan" -固守,gù shǒu,to strongly defend one's position; to be entrenched; to cling to -固安,gù ān,"Gu'an county in Langfang 廊坊[Lang2 fang2], Hebei" -固安县,gù ān xiàn,"Gu'an county in Langfang 廊坊[Lang2 fang2], Hebei" -固定,gù dìng,to fix; to fasten; to set rigidly in place; fixed; set; regular -固定型思维,gù dìng xíng sī wéi,fixed mindset (as opposed to growth mindset) -固定收入,gù dìng shōu rù,fixed income -固定词组,gù dìng cí zǔ,set phrase -固定资产,gù dìng zī chǎn,fixed assets -固定电话,gù dìng diàn huà,landline telephone; fixed-line telephone -固定点,gù dìng diǎn,fixed point; calibration point -固形物,gù xíng wù,solid particles in liquid -固态,gù tài,solid state (physics) -固态硬盘,gù tài yìng pán,(computing) solid-state drive (SSD) -固有,gù yǒu,intrinsic to sth; inherent; native -固有名词,gù yǒu míng cí,proper noun -固有词,gù yǒu cí,"native words (i.e. not derived from Chinese, in Korean and Japanese etc)" -固然,gù rán,admittedly (it's true that...) -固穷,gù qióng,to endure poverty stoically -固网电信,gù wǎng diàn xìn,landline (fixed-line) telecommunications -固若金汤,gù ruò jīn tāng,lit. secure as a city protected by a wall of metal and a moat of boiling water (idiom); fig. well fortified; invulnerable to attack -固醇,gù chún,sterol (chemistry) -固镇,gù zhèn,"Guzhen, a county in Bengbu 蚌埠[Beng4bu4], Anhui" -固镇县,gù zhèn xiàn,"Guzhen, a county in Bengbu 蚌埠[Beng4bu4], Anhui" -固阳县,gù yáng xiàn,"Guyang county in Baotou 包頭|包头[Bao1 tou2], Inner Mongolia" -固体,gù tǐ,solid -固体溶体,gù tǐ róng tǐ,solid solution -固体热容激光器,gù tǐ rè róng jī guāng qì,solid state hot condensed laser (SSHCL) -固体物理,gù tǐ wù lǐ,solid state physics -固体物质,gù tǐ wù zhì,solid substance -固体食物,gù tǐ shí wù,solid foods; solids -囿,yòu,park; to limit; be limited to -圂,hùn,grain-fed animals; pigsty -圃,pǔ,garden; orchard -圄,yǔ,prison; to imprison -函,hán,variant of 函[han2] -囵,lún,used in 囫圇|囫囵[hu2lun2] -圈,juān,to confine; to lock up; to pen in -圈,juàn,livestock enclosure; pen; fold; sty -圈,quān,"circle; ring; loop (CL:個|个[ge4]); classifier for loops, orbits, laps of race etc; to surround; to circle" -圈内,quān nèi,"among insiders; within the community (of publishers, cyclists or cosplayers etc); (esp.) in show business circles" -圈内人,quān nèi rén,insider -圈圈,quān quan,to draw a circle; cliques; circles -圈圈叉叉,quān quān chā chā,tic-tac-toe -圈圈点点,quān quan diǎn diǎn,annotations made in a book; fig. remarks and comments; to have an opinion on everything -圈地,quān dì,staking a claim to territory; enclosure -圈地运动,quān dì yùn dòng,Enclosure Movement -圈套,quān tào,trap; snare; trick -圈子,quān zi,circle; ring; (social) circle -圈定,quān dìng,to highlight sth by drawing a circle around it; (fig.) to designate; to delineate -圈数,quān shù,number of laps -圈状物,quān zhuàng wù,hoop -圈粉,quān fěn,(neologism c. 2015) (coll.) to win (sb) over as a fan; to garner new fans -圈钱,quān qián,(coll.) (neologism c. 2006) to raise money then misappropriate it -圈养,juàn yǎng,to rear (an animal) in an enclosure -圈点,quān diǎn,to mark a text with dots and circles; to punctuate -圉,yǔ,horse stable; frontier -圉人,yǔ rén,horse trainer; groom -圉限,yǔ xiàn,boundary; limit -圊,qīng,restroom; latrine -国,guó,surname Guo -国,guó,country; nation; state; (bound form) national -国中,guó zhōng,junior high school (Tw); abbr. for 國民中學|国民中学[guo2 min2 zhong1 xue2] -国中之国,guó zhōng zhī guó,state within a state -国事,guó shì,affairs of the nation; politics -国事访问,guó shì fǎng wèn,state visit -国人,guó rén,compatriots (literary); fellow countrymen -国企,guó qǐ,"state-owned enterprise; (Tw) abbr. for 國際企業管理|国际企业管理, international business management (as a subject of study)" -国保,guó bǎo,abbr. for 國內安全保衛局|国内安全保卫局[Guo2 nei4 An1 quan2 Bao3 wei4 ju2]; abbr. for 國民年金保險|国民年金保险[Guo2 min2 Nian2 jin1 Bao3 xian3]; abbr. for 全國重點文物保護單位|全国重点文物保护单位[Quan2 guo2 Zhong4 dian3 Wen2 wu4 Bao3 hu4 Dan1 wei4] -国侦局,guó zhēn jú,abbr. for 美國國家偵察局|美国国家侦察局 -国债,guó zhài,national debt; government debt -国内,guó nèi,domestic; internal (to a country); civil -国内外,guó nèi wài,domestic and international; at home and abroad -国内安全保卫局,guó nèi ān quán bǎo wèi jú,"Domestic Security Protection Bureau, the department of the Ministry of Public Security responsible for dealing with dissidents, activists etc" -国内战争,guó nèi zhàn zhēng,civil war; internal struggle -国内生产总值,guó nèi shēng chǎn zǒng zhí,gross domestic product (GDP) -国内线,guó nèi xiàn,"domestic flight; internal line (air, train, ferry etc)" -国共,guó gòng,Chinese Nationalist Party 國民黨|国民党[Guo2 min2 dang3] and Chinese Communist Party 共產黨|共产党[Gong4 chan3 dang3] -国共内战,guó gòng nèi zhàn,Chinese Civil War (1927-1949) -国共两党,guó gòng liǎng dǎng,Guomindang 國民黨|国民党[Guo2 min2 dang3] and Chinese Communist Party 共產黨|共产党[Gong4 chan3 dang3] -国共合作,guó gòng hé zuò,"United Front (either of the two alliances between the Guomindang and the Communist Party, 1923-1927 and 1937-1945)" -国别,guó bié,"nationality; country-specific (history, report etc)" -国力,guó lì,a nation's power -国务,guó wù,affairs of state -国务卿,guó wù qīng,Secretary of State -国务委员,guó wù wěi yuán,member of the State Council (in China) -国务次卿,guó wù cì qīng,Under Secretary of State -国务总理,guó wù zǒng lǐ,minister of state (old usage) -国务长官,guó wù zhǎng guān,"secretary of state (esp. historical, or Japanese or Korean usage)" -国务院,guó wù yuàn,State Council (PRC); State Department (USA) -国务院台湾事务办公室,guó wù yuàn tái wān shì wù bàn gōng shì,Taiwan Affairs Office -国务院国有资产监督管理委员会,guó wù yuàn guó yǒu zī chǎn jiān dū guǎn lǐ wěi yuán huì,State-owned Assets Supervision and Administration Commission of State Council (SASAC); abbr. to 國資委|国资委[Guo2 Zi1 Wei3] -国务院新闻办公室,guó wù yuàn xīn wén bàn gōng shì,State Council Information Office of the People's Republic of China -国务院法制局,guó wù yuàn fǎ zhì jú,State Council Legislative Affairs Bureau (PRC) -国务院港澳事务办公室,guó wù yuàn gǎng ào shì wù bàn gōng shì,Hong Kong and Macao Affairs Office of the State Council -国势,guó shì,national strength; situation in a state -国势日衰,guó shì rì shuāi,national decline -国史,guó shǐ,national history; dynastic history -国名,guó míng,name of country -国君,guó jūn,monarch -国土,guó tǔ,country's territory; national land -国土安全,guó tǔ ān quán,homeland security -国土安全局,guó tǔ ān quán jú,Department of Homeland Security (DHS) -国土安全部,guó tǔ ān quán bù,(US) Department of Homeland Security -国土资源部,guó tǔ zī yuán bù,"Ministry of Land and Resources (MLR), formed in 1998" -国境,guó jìng,national border; frontier -国外,guó wài,abroad; external (affairs); overseas; foreign -国外内,guó wài nèi,international and domestic -国外市场,guó wài shì chǎng,foreign market -国大,guó dà,"abbr. for 國民大會|国民大会, National Assembly of the Republic of China (extant during various periods between 1913 and 2005); abbr. for 新加坡國立大學|新加坡国立大学, National University of Singapore (NUS); abbr. for 印度國民大會黨|印度国民大会党, Indian National Congress (INC); abbr. for 馬來西亞印度國民大會黨|马来西亚印度国民大会党, Malaysian Indian Congress (MIC)" -国大党,guó dà dǎng,Indian Congress party -国奥会,guó ào huì,national Olympic committee; abbr. for 國際奧委會|国际奥委会 International Olympic committee -国姓,guó xìng,"Guoxing or Kuohsing Township in Nantou County 南投縣|南投县[Nan2 tou2 Xian4], central Taiwan" -国姓乡,guó xìng xiāng,"Guoxing or Kuohsing Township in Nantou County 南投縣|南投县[Nan2 tou2 Xian4], central Taiwan" -国威,guó wēi,national prestige -国子监,guó zǐ jiàn,"Imperial College (or Academy), the highest educational body in imperial China" -国字,guó zì,Chinese character (Hanzi); the native script used to write a nation's language -国字脸,guó zì liǎn,square face -国学,guó xué,Chinese national culture; studies of ancient Chinese civilization; the Imperial College (history) -国安,guó ān,national security (abbr. for 國家安全|国家安全[guo2 jia1 an1 quan2]); national security act; state security agency -国安局,guó ān jú,abbr. for 國家安全局|国家安全局[Guo2 jia1 An1 quan2 ju2] -国安部,guó ān bù,PRC Ministry of State Security; abbr. for 國家安全部|国家安全部[Guo2 jia1 an1 quan2 bu4] -国定假日,guó dìng jià rì,national holiday -国宴,guó yàn,state banquet -国家,guó jiā,country; nation; state; CL:個|个[ge4] -国家一级保护,guó jiā yī jí bǎo hù,Grade One State protected (species) -国家主席,guó jiā zhǔ xí,president (title of the head of state of China and several other nations) -国家主义,guó jiā zhǔ yì,nationalism; statism -国家互联网信息办公室,guó jiā hù lián wǎng xìn xī bàn gōng shì,Cyberspace Administration of China (CAC) -国家代码,guó jiā dài mǎ,country code -国家元首,guó jiā yuán shǒu,head of state -国家公园,guó jiā gōng yuán,national park -国家图书馆,guó jiā tú shū guǎn,national library -国家地震局,guó jiā dì zhèn jú,China Earthquake Administration (CEA); State Seismological Bureau -国家外汇管理局,guó jiā wài huì guǎn lǐ jú,State Administration of Foreign Exchange (SAFE) -国家安全,guó jiā ān quán,national security -国家安全局,guó jiā ān quán jú,National Security Bureau (NSB) (Tw); National Security Agency (NSA) (USA) -国家安全部,guó jiā ān quán bù,PRC Ministry of State Security -国家广播电视总局,guó jiā guǎng bō diàn shì zǒng jú,"National Radio and Television Administration (NRTA), formerly SAPPRFT, the State Administration of Press, Publication, Radio, Film and Television (2013-2018) and SARFT, the State Administration of Radio, Film, and Television (prior to 2013)" -国家政策,guó jiā zhèng cè,state policy -国家文物委员会,guó jiā wén wù wěi yuán huì,National Committee of Cultural Heritage -国家文物局,guó jiā wén wù jú,PRC State Administration of Cultural Heritage (SACH) -国家文物鉴定委员会,guó jiā wén wù jiàn dìng wěi yuán huì,National Commission for the Identification of Cultural Heritage -国家新闻出版广电总局,guó jiā xīn wén chū bǎn guǎng diàn zǒng jú,"State Administration for Press, Publication, Radio, Film and Television (SAPPRFT) (2013-2018) (abbr. to 廣電總局|广电总局[Guang3 dian4 Zong3 ju2])" -国家旅游度假区,guó jiā lǚ yóu dù jià qū,National Resort District (PRC) -国家标准中文交换码,guó jiā biāo zhǔn zhōng wén jiāo huàn mǎ,"CNS 11643, Chinese character coding adopted in Taiwan, 1986-1992" -国家标准化管理委员会,guó jiā biāo zhǔn huà guǎn lǐ wěi yuán huì,Standardization Administration of PRC (SAC) -国家标准码,guó jiā biāo zhǔn mǎ,"Guo Biao or GB, the standard PRC encoding, abbr. 國標碼|国标码" -国家海洋局,guó jiā hǎi yáng jú,State Oceanic Administration (PRC) -国家汉办,guó jiā hàn bàn,"Office of Chinese Language Council International (known colloquially as ""Hanban""), an organ of the PRC government which develops Chinese language and culture teaching resources worldwide, and has established Confucius Institutes 孔子學院|孔子学院[Kong3 zi3 Xue2 yuan4] internationally; abbr. to 漢辦|汉办[Han4 ban4]" -国家火山公园,guó jiā huǒ shān gōng yuán,"Volcanoes National Park, Hawaii" -国家环保总局,guó jiā huán bǎo zǒng jú,"(PRC) State Environmental Protection Administration (SEPA), former incarnation (until 2008) of 環境保護部|环境保护部[Huan2 jing4 Bao3 hu4 bu4]" -国家留学基金管理委员会,guó jiā liú xué jī jīn guǎn lǐ wěi yuán huì,China Scholarship Council (CSC) -国家发展和改革委员会,guó jiā fā zhǎn hé gǎi gé wěi yuán huì,"PRC National Development and Reform Commission (NDRC), formed in 2003" -国家发展改革委,guó jiā fā zhǎn gǎi gé wěi,PRC National Development and Reform Commission -国家发展计划委员会,guó jiā fā zhǎn jì huà wěi yuán huì,"PRC State Development and Planning Committee, set up 1998 to replace State Planning Committee 國家計劃委員會|国家计划委员会, replaced in 2003 by National Development and Reform Commission 國家發展和改革委員會|国家发展和改革委员会" -国家监委,guó jiā jiān wěi,National Supervision Commission (abbr. for 國家監察委員會|国家监察委员会[Guo2 jia1 Jian1 cha2 Wei3 yuan2 hui4]) -国家监察委员会,guó jiā jiān chá wěi yuán huì,"National Supervision Commission of the PRC, anti-corruption agency established in 2018" -国家社会主义,guó jiā shè huì zhǔ yì,national socialism; Nazism -国家级,guó jiā jí,(administrative) national-level -国家统计局,guó jiā tǒng jì jú,(China) National Bureau of Statistics (NBS) -国家经济贸易委员会,guó jiā jīng jì mào yì wěi yuán huì,State Economic and Trade Commission (SETC) -国家航天局,guó jiā háng tiān jú,China National Space Administration (CNSA) -国家航空公司,guó jiā háng kōng gōng sī,flag carrier -国家计划委员会,guó jiā jì huà wěi yuán huì,"PRC State Planning Committee, set up in 1952, replaced in 1998 by State Development and Planning Committee 國家發展計劃委員會|国家发展计划委员会[Guo2 jia1 Fa1 zhan3 Ji4 hua4 Wei3 yuan2 hui4] then in 2003 by National Development and Reform Commission 國家發展和改革委員會|国家发展和改革委员会[Guo2 jia1 Fa1 zhan3 he2 Gai3 ge2 Wei3 yuan2 hui4]" -国家计委,guó jiā jì wěi,"PRC State Planning Committee, abbr. for 國家計劃委員會|国家计划委员会[Guo2 jia1 Ji4 hua4 Wei3 yuan2 hui4]" -国家质量监督检验检疫总局,guó jiā zhì liàng jiān dū jiǎn yàn jiǎn yì zǒng jú,"AQSIQ; PRC State Administration of Quality Supervision, Inspection and Quarantine" -国家军品贸易局,guó jiā jūn pǐn mào yì jú,State Bureau of Military Products Trade (SBMPT) -国家军品贸易管理委员会,guó jiā jūn pǐn mào yì guǎn lǐ wěi yuán huì,State Administration Committee on Military Products Trade (SACMPT) -国家医疗服务体系,guó jiā yī liáo fú wù tǐ xì,National Health Service (UK) -国家重点学科,guó jiā zhòng diǎn xué kē,"National Key Disciplines (disciplines recognized as important and supported by PRC central government, including medicine, science, chemistry, engineering, commerce and law)" -国家重点实验室,guó jiā zhòng diǎn shí yàn shì,State Key Laboratories (university laboratories in PRC supported by the central government) -国家开发银行,guó jiā kāi fā yín háng,China Development Bank -国家队,guó jiā duì,national team -国家电力监管委员会,guó jiā diàn lì jiān guǎn wěi yuán huì,State Electricity Regulatory Commission (PRC) -国家电网公司,guó jiā diàn wǎng gōng sī,State Grid Corporation of China -国家食品药品监督管理局,guó jiā shí pǐn yào pǐn jiān dū guǎn lǐ jú,State Food and Drug Administration (SFDA) -国家体委,guó jiā tǐ wěi,PRC sports and physical culture commission -国富兵强,guó fù bīng qiáng,prosperous country with military might -国富论,guó fù lùn,The Wealth of Nations (1776) by Adam Smith 亞當·斯密|亚当·斯密[Ya4 dang1 · Si1 mi4] -国宝,guó bǎo,national treasure -国小,guó xiǎo,elementary school (Tw); abbr. for 國民小學|国民小学[guo2 min2 xiao3 xue2] -国师,guó shī,teachers of the state -国度,guó dù,country; nation -国库,guó kù,public purse; state treasury; national exchequer -国库券,guó kù quàn,treasury bond -国弱民穷,guó ruò mín qióng,the country weakened and the people empoverished (idiom) -国徽,guó huī,the national emblem of the PRC (a red circle containing the five stars of the PRC flag over Tiananmen 天安門|天安门[Tian1 an1 men2]) -国徽,guó huī,national emblem; national coat of arms -国徽法,guó huī fǎ,"Law on the National Emblem of the PRC, promulgated in 1991" -国耻,guó chǐ,"national humiliation, refers to Japanese incursions into China in the 1930s and 40s, and more especially to Mukden railway incident of 18th September 1931 九一八事變|九一八事变 and subsequent Japanese annexation of Manchuria" -国情,guó qíng,the characteristics and circumstances particular to a country; current state of a country -国情咨文,guó qíng zī wén,State of the Union Address (US) -国庆,guó qìng,National Day -国庆日,guó qìng rì,national day -国庆节,guó qìng jié,PRC National Day (October 1st) -国手,guó shǒu,"(sports) member of the national team; national representative; (medicine, chess etc) one of the most highly skilled practitioners in one's country" -国技,guó jì,national pastime; national sport -国政,guó zhèng,"national politics; archaic rank, ""Minister of State""; common given name" -国教,guó jiào,state religion -国新办,guó xīn bàn,"State Council Information Office of the People's Republic of China, abbr. for 國務院新聞辦公室|国务院新闻办公室[Guo2 wu4 yuan4 Xin1 wen2 Ban4 gong1 shi4]" -国族,guó zú,people of a country; nation -国旗,guó qí,flag (of a country); CL:面[mian4] -国书,guó shū,credentials (of a diplomat); documents exchanged between nations; national or dynastic history book -国会,guó huì,Parliament (UK); Congress (US); Diet (Japan); Legislative Yuan (Taiwan) -国会大厦,guó huì dà shà,capitol -国会山,guó huì shān,"Capitol Hill, Washington, D.C." -国会议员,guó huì yì yuán,member of congress; congressman -国会议长,guó huì yì zhǎng,"chair (or president, speaker etc) of national congress" -国有,guó yǒu,nationalized; public; government owned; state-owned -国有企业,guó yǒu qǐ yè,state-owned enterprise -国有公司,guó yǒu gōng sī,state enterprise -国有化,guó yǒu huà,nationalization -国有资产监督管理委员会,guó yǒu zī chǎn jiān dū guǎn lǐ wěi yuán huì,State-owned Assets Supervision and Administration Commission SASAC -国朝,guó cháo,the current dynasty -国柄,guó bǐng,state power -国棋,guó qí,"abbr. for 國際象棋|国际象棋, chess" -国槐,guó huái,locust tree (Sophora japonica) -国槐树,guó huái shù,locust tree (Sophora japonica) -国乐,guó yuè,national music; Chinese traditional music -国标,guó biāo,national standard (abbr. for 國家標準|国家标准[guo2 jia1 biao1 zhun3]); international standard ballroom dancing (abbr. for 國際標準舞|国际标准舞[guo2 ji4 biao1 zhun3 wu3]) -国标码,guó biāo mǎ,"Guo Biao or GB, the standard PRC encoding, abbr. for 國家標準碼|国家标准码" -国标舞,guó biāo wǔ,international standard ballroom dancing -国歌,guó gē,national anthem -国殇,guó shāng,(literary) person who dies for their country; martyr to the national cause -国民,guó mín,nationals; citizens; people of a nation -国民中学,guó mín zhōng xué,junior high school (Tw); abbr. to 國中|国中[guo2 zhong1] -国民小学,guó mín xiǎo xué,elementary school (Tw) -国民年金,guó mín nián jīn,"(Tw) National Pension, a social security scheme in Taiwan" -国民年金保险,guó mín nián jīn bǎo xiǎn,"(Tw) National Pension Insurance, a social security scheme in Taiwan" -国民收入,guó mín shōu rù,measures of national income and output -国民政府,guó mín zhèng fǔ,Nationalist government 1920s-1949 under Chiang Kai-shek 蔣介石|蒋介石 -国民生产总值,guó mín shēng chǎn zǒng zhí,gross national product (GNP) -国民经济,guó mín jīng jì,national economy -国民警卫队,guó mín jǐng wèi duì,National Guard (United States) -国民议会,guó mín yì huì,Assemblée nationale (French lower chamber); national parliament -国民革命军,guó mín gé mìng jūn,National Revolutionary Army -国民党,guó mín dǎng,Guomindang or Kuomintang (KMT); Nationalist Party -国民党军队,guó mín dǎng jūn duì,nationalist forces -国法,guó fǎ,national law -国泰,guó tài,Cathay Pacific (Hong Kong airline) -国泰民安,guó tài mín ān,"the country prospers, the people at peace (idiom); peace and prosperity" -国泰航空,guó tài háng kōng,"Cathay Pacific, Hong Kong-based airline" -国漫,guó màn,Chinese comics -国营,guó yíng,state-run (company etc); nationalized -国营企业,guó yíng qǐ yè,state-operated enterprise -国父,guó fù,father or founder of a nation; Father of the Republic (Sun Yat-sen) -国王,guó wáng,king; CL:個|个[ge4] -国玺,guó xǐ,seal of state -国产,guó chǎn,domestically produced -国产化,guó chǎn huà,to localize (production); localization -国界,guó jiè,national boundary; border between countries -国界线,guó jiè xiàn,national border -国画,guó huà,traditional Chinese painting -国破家亡,guó pò jiā wáng,the country ruined and the people starving (idiom) -国祚,guó zuò,the period over which a dynasty or nation endures -国立,guó lì,national; state-run; public -国立台北科技大学,guó lì tái běi kē jì dà xué,National Taipei University of Technology -国立台湾技术大学,guó lì tái wān jì shù dà xué,National Taiwan University of Science and Technology -国立西南联合大学,guó lì xī nán lián hé dà xué,"National Southwest Combined University (Peking, Tsinghua and Nankai Universities in exile in Kunming 1937-1945)" -国立显忠院,guó lì xiǎn zhōng yuàn,"Korean national memorial cemetery at Dongjak-dong, Seoul" -国立首尔大学,guó lì shǒu ěr dà xué,Seoul National University SNU -国策,guó cè,a national policy -国籍,guó jí,nationality -国粹,guó cuì,national essence; quintessence of national culture -国骂,guó mà,"curse word; four-letter word; esp. the ""national swear word"" of China, namely 他媽的|他妈的[ta1 ma1 de5]" -国美,guó měi,"GOME, electronics chain founded in Beijing in 1987" -国美电器,guó měi diàn qì,"GOME Electrical Appliances (founded in Beijing, 1987)" -国联,guó lián,"abbr. for 國際聯盟|国际联盟[Guo2 ji4 Lian2 meng2], League of Nations (1920-1946), based in Geneva, precursor of the UN" -国脚,guó jiǎo,national football team member -国台办,guó tái bàn,Taiwan Affairs Office of the State Council (abbr. for 國務院台灣事務辦公室|国务院台湾事务办公室[Guo2 wu4 yuan4 Tai2 wan1 Shi4 wu4 Ban4 gong1 shi4]) -国航,guó háng,Air China (abbr. for 中國國際航空公司|中国国际航空公司[Zhong1 guo2 Guo2 ji4 Hang2 kong1 Gong1 si1]) -国色天香,guó sè tiān xiāng,"national grace, divine fragrance (idiom); an outstanding beauty" -国花,guó huā,"national flower (emblem, e.g. peony 牡丹[mu3 dan1] in China)" -国菜,guó cài,national food specialty -国葬,guó zàng,state funeral -国药,guó yào,Chinese herbal medicine -国号,guó hào,"official name of a nation (includes dynastic names of China: 漢|汉[Han4], 唐[Tang2] etc)" -国蠹,guó dù,traitor; public enemy -国术,guó shù,martial arts -国语,guó yǔ,"Chinese language (Mandarin), emphasizing its national nature; Chinese as a primary or secondary school subject; Chinese in the context of the Nationalist Government; Guoyu, book of historical narrative c. 10th-5th century BC" -国语注音符号第一式,guó yǔ zhù yīn fú hào dì yī shì,Mandarin Phonetic Symbols 1 (official name of the phonetic system of writing Chinese used in Taiwan); Bopomofo; abbr. to 注音一式[zhu4 yin1 yi1 shi4] -国语罗马字,guó yǔ luó mǎ zì,"Gwoyeu Romatzyh, a romanization system for Chinese devised by Y.R. Chao and others in 1925-26" -国货,guó huò,domestically produced goods -国贸,guó mào,abbr. for 國際貿易|国际贸易[guo2 ji4 mao4 yi4] -国资委,guó zī wěi,see 國務院國有資產監督管理委員會|国务院国有资产监督管理委员会[Guo2 wu4 yuan4 Guo2 you3 Zi1 chan3 Jian1 du1 Guan3 li3 Wei3 yuan2 hui4] -国贼,guó zéi,traitor to the nation -国宾,guó bīn,state visitor; visiting head of state -国宾馆,guó bīn guǎn,state guesthouse -国足,guó zú,national soccer team -国运,guó yùn,fate of the nation -国道,guó dào,national highway -国都,guó dū,national capital -国门,guó mén,(archaic) capital's gate; country's border -国关,guó guān,"abbr. for 國際關係學院|国际关系学院[Guo2 ji4 Guan1 xi4 Xue2 yuan4], University of International Relations, Beijing" -国防,guó fáng,national defense -国防利益,guó fáng lì yì,(national) defense interests -国防工业,guó fáng gōng yè,defense industry -国防现代化,guó fáng xiàn dài huà,"modernization of national defense, one of Deng Xiaoping's Four Modernizations" -国防科学技术工业委员会,guó fáng kē xué jì shù gōng yè wěi yuán huì,"Commission for Science, Technology and Industry for National Defense (COSTIND); abbr. to 國防科工委|国防科工委[Guo2 fang2 Ke1 Gong1 Wei3]" -国防色,guó fáng sè,"(Tw) khaki; camouflage colors (beige, brown etc)" -国防语言学院,guó fáng yǔ yán xué yuàn,US Defense Language Institute (founded 1941) -国防部,guó fáng bù,Defense Department; Ministry of National Defense -国防部长,guó fáng bù zhǎng,Defense secretary; Defense Minister -国防预算,guó fáng yù suàn,defense budget -国队,guó duì,national team -国际,guó jì,international -国际主义,guó jì zhǔ yì,internationalism -国际互联网络,guó jì hù lián wǎng luò,Internet -国际人权标准,guó jì rén quán biāo zhǔn,international human rights norms -国际先驱论坛报,guó jì xiān qū lùn tán bào,International Herald Tribune -国际儿童节,guó jì ér tóng jié,International Children's Day (June 1) -国际公认,guó jì gōng rèn,internationally recognized -国际共产主义运动,guó jì gòng chǎn zhǔ yì yùn dòng,Comintern; the international communist movement -国际刑事警察组织,guó jì xíng shì jǐng chá zǔ zhī,International Criminal Police Organization (Interpol) -国际刑警组织,guó jì xíng jǐng zǔ zhī,Interpol (International Criminal Police Organization) -国际劳动节,guó jì láo dòng jié,May Day; International Labor Day (May 1) -国际劳工组织,guó jì láo gōng zǔ zhī,International Labor Organization -国际化,guó jì huà,to internationalize; internationalization -国际协会,guó jì xié huì,international association -国际原子能机构,guó jì yuán zǐ néng jī gòu,International Atomic Energy Agency (IAEA) -国际和平基金会,guó jì hé píng jī jīn huì,international peace foundation -国际商会,guó jì shāng huì,International Chamber of Commerce (ICC) -国际商业机器,guó jì shāng yè jī qì,International Business Machines; IBM -国际单位,guó jì dān wèi,international unit -国际单位制,guó jì dān wèi zhì,International System of Units -国际外交,guó jì wài jiāo,foreign policy -国际大赦,guó jì dà shè,Amnesty International -国际太空站,guó jì tài kōng zhàn,International Space Station -国际奥委会,guó jì ào wěi huì,International Olympic Committee -国际奥林匹克委员会,guó jì ào lín pǐ kè wěi yuán huì,International Olympic Committee -国际妇女节,guó jì fù nǚ jié,International Women's Day (March 8) -国际媒体,guó jì méi tǐ,the international media -国际性,guó jì xìng,international; internationalism -国际战争罪法庭,guó jì zhàn zhēng zuì fǎ tíng,International war crimes tribunal -国际收支,guó jì shōu zhī,balance of payments -国际数学联盟,guó jì shù xué lián méng,International Mathematical Union -国际文传通讯社,guó jì wén chuán tōng xùn shè,Interfax News Agency -国际文传电讯社,guó jì wén chuán diàn xùn shè,"Interfax, Russian non-governmental news agency" -国际日期变更线,guó jì rì qī biàn gēng xiàn,international date line -国际棋联,guó jì qí lián,International Chess Federation -国际标准化组织,guó jì biāo zhǔn huà zǔ zhī,International Organization for Standardization (ISO) -国际机场,guó jì jī chǎng,international airport -国际歌,guó jì gē,The Internationale -国际民航组织,guó jì mín háng zǔ zhī,International Civil Aviation Organization (ICAO) -国际民间组织,guó jì mín jiān zǔ zhī,international humanitarian organization -国际法,guó jì fǎ,international law -国际法庭,guó jì fǎ tíng,International Court of Justice in The Hague -国际法院,guó jì fǎ yuàn,International Court of Justice -国际海事组织,guó jì hǎi shì zǔ zhī,International Maritime Organization -国际清算银行,guó jì qīng suàn yín háng,Bank for International Settlements -国际特赦,guó jì tè shè,Amnesty International -国际特赦组织,guó jì tè shè zǔ zhī,Amnesty International -国际田径联合会,guó jì tián jìng lián hé huì,International Association of Athletics Federations (IAAF); abbr. to 國際田聯|国际田联[Guo2 ji4 Tian2 Lian2] -国际田联,guó jì tián lián,International Association of Athletics Federations (IAAF); abbr. for 國際田徑聯合會|国际田径联合会[Guo2 ji4 Tian2 jing4 Lian2 he2 hui4] -国际社会,guó jì shè huì,the international community -国际私法,guó jì sī fǎ,conflict of laws -国际笔会,guó jì bǐ huì,International PEN -国际米兰,guó jì mǐ lán,FC Internazionale Milano (football club); abbr. for 國際米蘭足球俱樂部|国际米兰足球俱乐部[Guo2 ji4 Mi3 lan2 Zu2 qiu2 Ju4 le4 bu4] -国际米兰足球俱乐部,guó jì mǐ lán zú qiú jù lè bù,FC Internazionale Milano (football club) -国际米兰队,guó jì mǐ lán duì,FC Internazionale Milano (football club); abbr. for 國際米蘭足球俱樂部|国际米兰足球俱乐部[Guo2 ji4 Mi3 lan2 Zu2 qiu2 Ju4 le4 bu4] -国际级,guó jì jí,(at an) international level -国际网络,guó jì wǎng luò,global network; Internet -国际羽毛球联合会,guó jì yǔ máo qiú lián hé huì,International Badminton Federation -国际联盟,guó jì lián méng,"League of Nations (1920-1946), based in Geneva, precursor of the UN" -国际肿瘤研究机构,guó jì zhǒng liú yán jiū jī gòu,International Agency for Research on Cancer (IARC) -国际航空联合会,guó jì háng kōng lián hé huì,"Fédération Aéronautique Internationale (FAI), world body of gliding and aeronautic sports" -国际航空运输协会,guó jì háng kōng yùn shū xié huì,International Air Transport Association (IATA) -国际象棋,guó jì xiàng qí,chess; CL:副[fu4] -国际货币基金,guó jì huò bì jī jīn,International Monetary Fund (IMF) -国际货币基金组织,guó jì huò bì jī jīn zǔ zhī,International Monetary Fund (IMF) -国际货运代理,guó jì huò yùn dài lǐ,international transport agency -国际贸易,guó jì mào yì,international trade -国际足球联合会,guó jì zú qiú lián hé huì,FIFA; International Federation of Association Football -国际足联,guó jì zú lián,"abbr. for 國際足球聯合會|国际足球联合会, FIFA, international federation of football associations" -国际跳棋,guó jì tiào qí,checkers (Western board game) -国际医疗中心,guó jì yī liáo zhōng xīn,International Medical Center -国际金融公司,guó jì jīn róng gōng sī,International Finance Corporation -国际关系,guó jì guān xì,international relations -国际关系学院,guó jì guān xì xué yuàn,"University of International Relations, Beijing, established in 1949" -国际电信联盟,guó jì diàn xìn lián méng,International Telecommunications Union; ITU -国际电报电话咨询委员会,guó jì diàn bào diàn huà zī xún wěi yuán huì,International Telegraph and Telephone Consultative Committee (CCITT) -国际电话,guó jì diàn huà,international call -国际音标,guó jì yīn biāo,international phonetic alphabet -国际体操联合会,guó jì tǐ cāo lián hé huì,Fédération Internationale de Gymnastique -国难,guó nàn,national calamity -国音,guó yīn,official state pronunciation -国体,guó tǐ,state system (i.e. form of government); national prestige -围,wéi,surname Wei -围,wéi,"to encircle; to surround; all around; to wear by wrapping around (scarf, shawl)" -围住,wéi zhù,to surround; to gird -围兜,wéi dōu,bib -围剿,wéi jiǎo,to encircle and annihilate; refers to repeated campaigns of the Guomindang against the communists from 1930 onwards -围嘴,wéi zuǐ,(baby) bib -围困,wéi kùn,to besiege -围坐,wéi zuò,to sit in a circle; seated around (a narrator) -围城,wéi chéng,"Fortress Besieged, 1947 novel by Qian Zhongshu 錢鍾書|钱钟书[Qian2 Zhong1shu1], filmed as a TV serial" -围城,wéi chéng,siege; besieged city -围城打援,wéi chéng dǎ yuán,"to besiege and strike the relief force (idiom); strategy of surrounding a unit to entice the enemy to reinforce, then striking the new troops" -围堰,wéi yàn,a cofferdam -围场,wéi chǎng,"Weichang Manchu and Mongol autonomous county in Chengde 承德[Cheng2 de2], Hebei" -围场,wéi chǎng,enclosure; pig pen; hunting ground exclusively kept for emperor or nobility (in former times) -围场满族蒙古族自治县,wéi chǎng mǎn zú měng gǔ zú zì zhì xiàn,"Weichang Manchu and Mongol autonomous county in Chengde 承德[Cheng2 de2], Hebei" -围场县,wéi chǎng xiàn,"Weichang Manchu and Mongol autonomous county in Chengde 承德[Cheng2 de2], Hebei" -围堵,wéi dǔ,to blockade; to surround; to hem in -围垦,wéi kěn,to reclaim land by diking -围巾,wéi jīn,scarf; shawl; CL:條|条[tiao2] -围捕,wéi bǔ,to fish by casting a net; to capture; to surround and seize -围击,wéi jī,to besiege -围拢,wéi lǒng,to crowd around -围攻,wéi gōng,to besiege; to beleaguer; to attack from all sides; to jointly speak or write against sb -围棋,wéi qí,the game of Go -围标,wéi biāo,bid rigging -围栏,wéi lán,fencing; railings; fence -围殴,wéi ōu,to gang up and beat -围炉,wéi lú,to gather around the stove; (Tw) to come together for a family dinner on Chinese New Year's Eve -围墙,wéi qiáng,perimeter wall; fence; CL:道[dao4] -围产,wéi chǎn,perinatal -围产期,wéi chǎn qī,perinatal period -围篱,wéi lí,fence; paling -围网,wéi wǎng,seine net; wire mesh fence; fence screen -围绕,wéi rào,to revolve around; to center on (an issue) -围脖,wéi bó,muffler; scarf -围裙,wéi qún,apron -围观,wéi guān,to stand in a circle and watch -围护,wéi hù,to protect from all sides -围护结构,wéi hù jié gòu,building envelope -围起,wéi qǐ,to surround; to encircle; to enclose; to fence in -围魏救赵,wéi wèi jiù zhào,lit. to besiege 魏[Wei4] and rescue 趙|赵[Zhao4] (idiom); fig. to relieve a besieged ally by attacking the home base of the besiegers -园,yuán,surname Yuan -园,yuán,"land used for growing plants; site used for public recreation; abbr. for a place ending in 園|园, such as a botanical garden 植物園|植物园, kindergarten 幼兒園|幼儿园 etc" -园丁,yuán dīng,gardener -园区,yuán qū,site developed for a group of related enterprises; (industrial or technology) park -园囿,yuán yòu,park -园圃,yuán pǔ,garden plot -园地,yuán dì,garden area -园林,yuán lín,gardens; park; landscape garden -园艺,yuán yì,gardening; horticultural -园游会,yuán yóu huì,(Tw) garden party; fete (held in a garden or park); carnival; fair -园长,yuán zhǎng,"person in charge of a place that ends in 園|园, such as a vineyard 葡萄園|葡萄园, zoo 動物園|动物园, cemetery 陵園|陵园 etc" -圆,yuán,circle; round; circular; spherical; (of the moon) full; unit of Chinese currency (yuan); tactful; to make consistent and whole (the narrative of a dream or a lie) -圆光,yuán guāng,radiance emanating from the head; halo -圆函数,yuán hán shù,the trigonometric functions -圆口纲脊椎动物,yuán kǒu gāng jǐ zhuī dòng wù,cyclostome (marine biology) -圆周,yuán zhōu,circumference; circle -圆周率,yuán zhōu lǜ,(math.) the ratio of the circumference of a circle to its diameter (π) -圆圈,yuán quān,circle -圆场,yuán chǎng,to mediate; to broker a compromise -圆梦,yuán mèng,to fulfill one's dream; (divination) to predict the future by interpreting a dream; oneiromancy -圆子,yuán zi,kind of dumpling; sticky rice ball -圆孔,yuán kǒng,round hole -圆寂,yuán jì,"death; to pass away (of Buddhist monks, nuns etc)" -圆屋顶,yuán wū dǐng,dome -圆弧,yuán hú,arc (segment of a circle) -圆形,yuán xíng,round; circular -圆形剧场,yuán xíng jù chǎng,amphitheater -圆形木材,yuán xíng mù cái,log -圆形面包,yuán xíng miàn bāo,bun -圆心,yuán xīn,center of circle -圆房,yuán fáng,(of a child bride) to consummate marriage -圆括号,yuán kuò hào,parentheses; round brackets ( ) -圆拱,yuán gǒng,a round vault -圆明园,yuán míng yuán,"Yuanmingyuan, the Old Summer Palace, destroyed by the British and French army in 1860" -圆晕,yuán yùn,concentric circles; circular ripples -圆月,yuán yuè,full moon -圆柏,yuán bǎi,Chinese juniper (Juniperus chinensis) -圆柱,yuán zhù,column; cylinder -圆柱形,yuán zhù xíng,cylindrical -圆柱体,yuán zhù tǐ,cylinder (geometry) -圆桌,yuán zhuō,round table -圆桌会议,yuán zhuō huì yì,round table conference -圆滑,yuán huá,smooth and evasive; slick and sly -圆滑线,yuán huá xiàn,slur (music) -圆滚滚,yuán gǔn gǔn,plump -圆满,yuán mǎn,satisfactory; consummate; perfect -圆润,yuán rùn,mellow and full; suave; smooth and round; rich (in voice) -圆珠,yuán zhū,bead -圆珠形离子交换剂,yuán zhū xíng lí zǐ jiāo huàn jì,bead-type ion exchanger -圆珠笔,yuán zhū bǐ,"ballpoint pen; CL:支[zhi1],枝[zhi1]" -圆球,yuán qiú,ball; sphere; globe -圆瑛,yuán yīng,"Yuan Ying (1878-1953), Buddhist monk" -圆环,yuán huán,ring (any circular object); (math.) annulus; (Tw) traffic circle; rotary -圆白菜,yuán bái cài,round white cabbage (i.e. Western cabbage) -圆盘,yuán pán,disk -圆石头,yuán shí tou,boulder -圆秃,yuán tū,spot baldness (alopecia areata) -圆筒,yuán tǒng,circular cylinder; drum -圆缺,yuán quē,waxing and waning (of the moon) -圆腹鲱,yuán fù fēi,round herring -圆舞,yuán wǔ,round dance -圆舞曲,yuán wǔ qǔ,waltz -圆融,yuán róng,accommodating; (Buddhism) completely integrated -圆规,yuán guī,compass (drafting) -圆规座,yuán guī zuò,Circinus (constellation) -圆角,yuán jiǎo,rounded corner -圆谎,yuán huǎng,to patch up one's lie (when inconsistencies appear); to cover (for sb who has lied) -圆轨道,yuán guǐ dào,circular orbit (in astronomy and in astronautics) -圆通,yuán tōng,flexible; accommodating -圆锥,yuán zhuī,cone; conical; tapering -圆锥形,yuán zhuī xíng,conical; coniform -圆锥曲线,yuán zhuī qū xiàn,conic section -圆锥状,yuán zhuī zhuàng,conical -圆锥体,yuán zhuī tǐ,cone -圆凿方枘,yuán záo fāng ruì,see 方枘圓鑿|方枘圆凿[fang1 rui4 yuan2 zao2] -圆顶,yuán dǐng,dome -圆领,yuán lǐng,"crew neck; round neck (of pull-over garment, e.g. T-shirt)" -圆面饼,yuán miàn bǐng,round flat bread; pita bread -圆点,yuán diǎn,dot -圆鼓鼓,yuán gǔ gǔ,round and bulging; rotund; protruding -图,tú,diagram; picture; drawing; chart; map; CL:張|张[zhang1]; to plan; to scheme; to attempt; to pursue; to seek -图例,tú lì,"legend (of a map, etc); diagram; illustration; graphical symbol" -图们,tú mén,"Tumen, county-level city in Yanbian Korean Autonomous Prefecture 延邊朝鮮族自治州|延边朝鲜族自治州[Yan2 bian1 Chao2 xian3 zu2 Zi4 zhi4 zhou1], Jilin" -图们市,tú mén shì,"Tumen, county-level city in Yanbian Korean Autonomous Prefecture 延邊朝鮮族自治州|延边朝鲜族自治州[Yan2 bian1 Chao2 xian3 zu2 Zi4 zhi4 zhou1], Jilin" -图们江,tú mén jiāng,"Tumen river in Jilin province 吉林省, forming the eastern border between China and North Korea" -图像,tú xiàng,image; picture; graphic -图像互换格式,tú xiàng hù huàn gé shì,GIF; graphic interchange format -图像分割,tú xiàng fēn gē,image segmentation (computer vision) -图像用户介面,tú xiàng yòng hù jiè miàn,graphical user interface; GUI -图像处理,tú xiàng chǔ lǐ,image processing -图像识别,tú xiàng shí bié,image classification (computer vision) -图册,tú cè,book of pictures or charts; (math.) atlas -图坦卡蒙,tú tǎn kǎ méng,"Tutankhamen, king of ancient Egypt 1333-1323 BC" -图坦卡门,tú tǎn kǎ mén,"Tutankhamen, king of ancient Egypt 1333-1323 BC" -图存,tú cún,to try to survive -图层,tú céng,layer (imaging) -图形,tú xíng,picture; figure; diagram; graph; depiction; graphical -图形卡,tú xíng kǎ,graphics card -图形用户界面,tú xíng yòng hù jiè miàn,graphical user interface (GUI) -图形界面,tú xíng jiè miàn,Graphical User Interface (GUI) (computing) -图恩,tú ēn,"Thun, Switzerland" -图景,tú jǐng,landscape (in a picture); (fig.) landscape (i.e. general situation); view of the situation; mental picture -图书,tú shū,"books (in a library or bookstore); CL:本[ben3],冊|册[ce4],部[bu4]" -图书管理员,tú shū guǎn lǐ yuán,librarian -图书馆,tú shū guǎn,"library; CL:家[jia1],個|个[ge4]" -图书馆员,tú shū guǎn yuán,librarian -图木舒克,tú mù shū kè,Tumxuk shehiri (Tumshuq city) or Túmùshūkè subprefecture level city in west Xinjiang -图木舒克市,tú mù shū kè shì,Tumxuk shehiri (Tumshuq city) or Túmùshūkè subprefecture level city in west Xinjiang -图林根,tú lín gēn,Thuringia (state in Germany) -图案,tú àn,design; pattern -图标,tú biāo,icon (computing) -图样,tú yàng,diagram; blueprint -图样图森破,tú yàng tú sēn pò,"(Internet slang) to have a simplistic view of sth (transcription of ""too young, too simple"" – English words spoken by Jiang Zemin 江澤民|江泽民[Jiang1 Ze2 min2] in chastizing Hong Kong reporters in 2000)" -图波列夫,tú bō liè fū,"Tupolev, Russian plane maker" -图尔,tú ěr,Tours (city in France) -图尔库,tú ěr kù,Turku (city in Finland) -图片,tú piàn,picture; photograph; CL:張|张[zhang1] -图片报,tú piàn bào,Bild-Zeitung -图版,tú bǎn,"printing plate bearing an image (illustration, photo etc); print made with such a plate" -图瓦,tú wǎ,"Tuva, a republic in south-central Siberia, Russia" -图瓦卢,tú wǎ lú,Tuvalu -图画,tú huà,drawing; picture -图卢斯,tú lú sī,Toulouse (France) -图卢兹,tú lú zī,Toulouse (city in France) -图示,tú shì,icon (computing) -图穷匕见,tú qióng bǐ xiàn,"lit. the assassin's dagger, concealed in a map scroll, is suddenly revealed when the map is unrolled (referring to the attempted assassination of Ying Zheng 嬴政[Ying2 Zheng4] by Jing Ke 荊軻|荆轲[Jing1 Ke1] in 227 BC) (idiom); fig. malicious intent suddenly becomes apparent" -图穷匕首见,tú qióng bǐ shǒu xiàn,see 圖窮匕見|图穷匕见[tu2 qiong2 bi3 xian4] -图章,tú zhāng,stamp; seal; CL:方[fang1] -图签,tú qiān,(computer) icon -图纸,tú zhǐ,blueprint; drawing; design plans; graph paper -图表,tú biǎo,chart; diagram -图西族,tú xī zú,"Tutsi, an ethnic group in Rwanda and Burundi" -图解,tú jiě,illustration; diagram; graphical representation; to explain with the aid of a diagram -图解说明,tú jiě shuō míng,explanatory diagram -图论,tú lùn,graph theory (math.) -图谋,tú móu,to conspire -图谱,tú pǔ,"archive of graphics (e.g. maps, documents or botanical figures); atlas; collection of illustrations or sheet music" -图象,tú xiàng,variant of 圖像|图像[tu2 xiang4] -图财害命,tú cái hài mìng,see 謀財害命|谋财害命[mou2 cai2 hai4 ming4] -图轴,tú zhóu,scroll painting -图辑,tú jí,slide show; photo gallery (on website) -图钉,tú dīng,thumbtack -图录,tú lù,catalog -图鉴,tú jiàn,illustrated handbook -图门江,tú mén jiāng,variant of 圖們江|图们江[Tu2 men2 jiang1] -图阿雷格,tú ā léi gé,Tuareg (nomadic people of the Sahara) -图集,tú jí,"collection of pictures; atlas; CL:本[ben3],部[bu4]" -图雷特氏综合症,tú léi tè shì zōng hé zhèng,Tourette syndrome -图灵,tú líng,"Alan Turing (1912-1954), English mathematician, considered as the father of computer science" -图灵奖,tú líng jiǎng,Turing Award -图腾,tú téng,totem (loanword) -团,tuán,"round; lump; ball; to roll into a ball; to gather; regiment; group; society; classifier for a lump or a soft mass: wad (of paper), ball (of wool), cloud (of smoke)" -团丁,tuán dīng,(old) member of local militia -团伙,tuán huǒ,(criminal) gang; gang member; accomplice; crony -团员,tuán yuán,member; group member -团圆,tuán yuán,to have a reunion -团团转,tuán tuán zhuàn,to go round and round; running around in circles; fig. frantically busy -团契,tuán qì,Christian association; fellowship -团年,tuán nián,(of a family) to come together at lunar New Year's Eve; family reunion at New Year's -团建,tuán jiàn,team building (abbr. for 團隊建設|团队建设[tuan2 dui4 jian4 she4]); building camaraderie within the Chinese Communist Youth League 中國共產主義青年團|中国共产主义青年团[Zhong1 guo2 Gong4 chan3 zhu3 yi4 Qing1 nian2 tuan2] -团战,tuán zhàn,(gaming) team battle -团扇,tuán shàn,circular fan -团灭,tuán miè,(video gaming) to eliminate an entire team; to get wiped out -团结,tuán jié,to unite; unity; solidarity; united -团结一心,tuán jié yī xīn,to unite as one -团结一致,tuán jié yī zhì,see 團結一心|团结一心[tuan2 jie2 yi1 xin1] -团结就是力量,tuán jié jiù shì lì liang,unity is strength (revolutionary slogan and popular song of 1943) -团结工会,tuán jié gōng huì,Solidarity (Polish worker's union) -团练,tuán liàn,local militia formed to suppress peasant rebellion (old) -团聚,tuán jù,to reunite; to have a reunion -团花,tuán huā,rounded embroidery design -团购,tuán gòu,group buying; collective buying; buying by a group of individuals who negotiate a discount for the group -团长,tuán zhǎng,regimental command; head of a delegation; group buy organizer; group-buying coordinator -团队,tuán duì,team -团队精神,tuán duì jīng shén,group mentality; collectivism; solidarity; team spirit -团风,tuán fēng,"Tuanfeng county in Huanggang 黃岡|黄冈[Huang2 gang1], Hubei" -团风县,tuán fēng xiàn,"Tuanfeng county in Huanggang 黃岡|黄冈[Huang2 gang1], Hubei" -团体,tuán tǐ,group; organization; team; CL:個|个[ge4] -团体冠军,tuán tǐ guàn jūn,group championship -团体行,tuán tǐ xíng,group travel -圙,lüè,used in 圐圙[ku1 lu:e4] -圜,huán,circle; encircle -圜,yuán,circle; round -土,tǔ,Tu (ethnic group); surname Tu -土,tǔ,earth; dust; clay; local; indigenous; crude opium; unsophisticated; one of the eight categories of ancient musical instruments 八音[ba1 yin1] -土丘,tǔ qiū,mound; hillock; barrow -土人,tǔ rén,native; aborigine; clay figure -土伦,tǔ lún,Toulon (city in France) -土共,tǔ gòng,"(coll.) commie (derog., used by the KMT); CCP, the party of the people (used by CCP supporters); pro-Beijing camp (HK); (abbr.) Communist Party of Turkey; (abbr.) Communist Party of Turkmenistan" -土到不行,tǔ dào bù xíng,old-fashioned; extremely kitsch -土力工程,tǔ lì gōng chéng,geotechnical engineering -土包子,tǔ bāo zi,"country bumpkin; boor; unsophisticated country person (humble, applied to oneself); burial mound" -土匪,tǔ fěi,bandit -土司,tǔ sī,"sliced bread (loanword from ""toast""); government-appointed hereditary tribal headman in the Yuan, Ming and Qing dynasties" -土味情话,tǔ wèi qíng huà,cheesy pick-up lines -土器,tǔ qì,earthenware -土地,tǔ dì,"land; soil; territory; CL:片[pian4],塊|块[kuai4]" -土地,tǔ di,local god; genius loci -土地公,tǔ dì gōng,"Tudi Gong, the local tutelary god (in Chinese folk religion)" -土地利用规划,tǔ dì lì yòng guī huà,land use plan (official P.R.C. government term) -土地改革,tǔ dì gǎi gé,land reform -土地神,tǔ dì shén,local tutelary god (in Chinese folk religion) (same as 土地公|土地公[Tu3 di4 Gong1]) -土地资源,tǔ dì zī yuán,land resources -土坎,tǔ kǎn,earthen levee -土坎儿,tǔ kǎn er,erhua variant of 土坎[tu3 kan3] -土坯,tǔ pī,mud brick; adobe; unfired earthenware -土埂,tǔ gěng,embankment between fields -土城,tǔ chéng,"Tucheng city in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -土城市,tǔ chéng shì,"Tucheng city in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -土堆,tǔ duī,mound -土墼,tǔ jī,sun-dried mudbrick; adobe brick -土壤,tǔ rǎng,soil -土壤学,tǔ rǎng xué,pedology (soil study) -土坝,tǔ bà,earth dam; dam of earth and rocks (as opposed to waterproof dam of clay or concrete) -土家族,tǔ jiā zú,Tujia ethnic group of Hunan -土层,tǔ céng,layer of soil; ground level -土岗,tǔ gǎng,mound; hillock -土崩瓦解,tǔ bēng wǎ jiě,to collapse; to fall apart -土布,tǔ bù,homespun cloth -土库,tǔ kù,"Tuku town in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -土库曼,tǔ kù màn,"Turkmenistan; Republic of Turkmenistan, former Soviet republic adjoining Iran" -土库曼人,tǔ kù màn rén,Turkmen (person) -土库曼斯坦,tǔ kù màn sī tǎn,Turkmenistan -土库镇,tǔ kù zhèn,"Tuku town in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -土建,tǔ jiàn,civil engineering; same as 土木工程[tu3 mu4 gong1 cheng2] -土得掉渣,tǔ de diào zhā,(coll.) rustic; uncouth -土拉弗氏菌,tǔ lā fú shì jūn,Francisella tularensis -土拨鼠,tǔ bō shǔ,groundhog -土改,tǔ gǎi,land reform (abbr. for 土地改革[tu3di4 gai3ge2]) -土政策,tǔ zhèng cè,local policy; regional regulations -土方,tǔ fāng,cubic meter of earth (unit of measurement); excavated soil; earthwork (abbr. for 土方工程[tu3 fang1 gong1 cheng2]); (TCM) folk remedy -土方子,tǔ fāng zi,(TCM) folk remedy -土方工程,tǔ fāng gōng chéng,earthwork -土族,tǔ zú,Tu or White Mongol ethnic group of Qinghai -土星,tǔ xīng,Saturn (planet) -土曜日,tǔ yào rì,Saturday (used in ancient Chinese astronomy) -土木,tǔ mù,building; construction; civil engineering -土木工程,tǔ mù gōng chéng,civil engineering -土木形骸,tǔ mù xíng hái,earth and wood framework (idiom); plain and undecorated body -土木身,tǔ mù shēn,one's body as wood and earth; undecorated; unvarnished (truth) -土桑,tǔ sāng,Tucson (city in Arizona) -土楼,tǔ lóu,"traditional Hakka communal residence in Fujian, typically a large multistory circular structure built around a central shrine" -土气,tǔ qì,rustic; uncouth; unsophisticated -土法,tǔ fǎ,traditional method -土洋,tǔ yáng,domestic and foreign -土洋并举,tǔ yáng bìng jǔ,combining native and foreign methods -土洋结合,tǔ yáng jié hé,combining native and foreign methods (idiom); sophisticated and many-sided -土温,tǔ wēn,temperature of the soil -土澳,tǔ ào,Australia (slang term reflecting a perception of Australia as something of a backwater) -土炕,tǔ kàng,heated brick common bed -土尔其斯坦,tǔ ěr qí sī tǎn,Turkestan -土牛,tǔ niú,clay ox; mound of earth on a dike (ready for emergency repairs) -土牛木马,tǔ niú mù mǎ,"clay ox, wooden horse (idiom); shape without substance; worthless object" -土特产,tǔ tè chǎn,local specialty -土狗,tǔ gǒu,native dog; mole cricket (colloquial word for agricultural pest Gryllotalpa 螻蛄|蝼蛄[lou2 gu1]) -土狼,tǔ láng,"aardwolf (Proteles cristatus), a small insectivorous relative of the hyena" -土生土长,tǔ shēng tǔ zhǎng,locally born and bred; indigenous; home-grown -土产,tǔ chǎn,produced locally; local product (with distinctive native features) -土皇帝,tǔ huáng dì,local tyrant -土石方,tǔ shí fāng,excavated soil and rock; construction spoil -土石流,tǔ shí liú,(Tw) debris flow; mudslide -土神,tǔ shén,earth God -土谷祠,tǔ gǔ cí,temple dedicated to the local tutelary god 土地神[tu3 di4 shen2] and the god of cereals -土窑,tǔ yáo,earthen kiln; loess cave -土老帽,tǔ lǎo mào,hillbilly; yokel; redneck; bumpkin -土耳其,tǔ ěr qí,Turkey -土耳其人,tǔ ěr qí rén,a Turk; Turkish person -土耳其旋转烤肉,tǔ ěr qí xuán zhuǎn kǎo ròu,Turkish döner kebab -土耳其玉,tǔ ěr qí yù,turquoise (gemstone) (loanword) -土耳其石,tǔ ěr qí shí,turquoise (gemstone) (loanword) -土耳其语,tǔ ěr qí yǔ,Turkish (language) -土耳其软糖,tǔ ěr qí ruǎn táng,Turkish delight; Lokum -土腥,tǔ xīng,(of a taste or smell) earthy -土茴香,tǔ huí xiāng,dill seed -土著,tǔ zhù,aboriginal -土著人,tǔ zhù rén,indigenous person; aboriginal -土葬,tǔ zàng,burial (in earth) -土卫,tǔ wèi,moon of Saturn -土卫二,tǔ wèi èr,"Enceladus (moon of Saturn), aka Saturn II" -土卫六,tǔ wèi liù,"Titan (moon of Saturn), aka Saturn VI" -土里土气,tǔ lǐ tǔ qì,unsophisticated; rustic; uncouth -土制,tǔ zhì,homemade; earthen -土话,tǔ huà,vernacular; slang; dialect; patois -土语,tǔ yǔ,dialect; patois -土豆,tǔ dòu,potato (CL:個|个[ge4]); (Tw) peanut (CL:顆|颗[ke1]) -土豆泥,tǔ dòu ní,mashed potato -土豆丝,tǔ dòu sī,julienned potato -土豆网,tǔ dòu wǎng,"Tudou, a Chinese video-sharing website" -土豚,tǔ tún,aardvark -土豪,tǔ háo,local tyrant; local strong man; (slang) nouveau riche -土豪劣绅,tǔ háo liè shēn,"local bosses, shady gentry (idiom); dominant local mafia" -土猪,tǔ zhū,aardvark -土财主,tǔ cái zhǔ,local wealthy landlord; country money-bags; rich provincial -土货,tǔ huò,local produce -土路,tǔ lù,dirt road -土邦,tǔ bāng,native state (term used by British Colonial power to refer to independent states of India or Africa) -土门,tǔ mén,"Tumen or Bumin Khan (-553), founder of Göktürk khanate" -土阶茅屋,tǔ jiē máo wū,lit. earthen steps and a small cottage; frugal living conditions (idiom) -土阶茅茨,tǔ jiē máo cí,lit. earthen steps and a thatched hut; frugal living conditions (idiom) -土鸡,tǔ jī,free-range chicken -土音,tǔ yīn,local accent -土头土脑,tǔ tóu tǔ nǎo,rustic; uncouth; unsophisticated -土香,tǔ xiāng,see 香附[xiang1 fu4] -土魠鱼,tǔ tuō yú,see 馬鮫魚|马鲛鱼[ma3 jiao1 yu2] -土鲮鱼,tǔ líng yú,see 鯪|鲮[ling2] -土鳖,tǔ biē,"ground beetle; (coll.) professional or entrepreneur who, unlike a 海歸|海归[hai3 gui1], has never studied overseas; (dialect) country bumpkin" -土默特右旗,tǔ mò tè yòu qí,"Tumed right banner, Mongolian Tümed baruun khoshuu, in Baotou 包頭|包头[Bao1 tou2], Inner Mongolia" -土默特左旗,tǔ mò tè zuǒ qí,"Tumed left banner, Mongolian Tümed züün khoshuu, in Hohhot 呼和浩特[Hu1 he2 hao4 te4], Inner Mongolia" -圣,kū,to dig -圣,shèng,old variant of 聖|圣[sheng4] -在,zài,to exist; to be alive; (of sb or sth) to be (located) at; (used before a verb to indicate an action in progress) -在一起,zài yī qǐ,together -在下,zài xià,under; myself (humble) -在下方,zài xià fāng,beneath -在下面,zài xià miàn,underneath -在世,zài shì,to be alive -在乎,zài hu,to rest with; to lie in; to be due to (a certain attribute); (often used in the negative) to care about -在位,zài wèi,on the throne; reigning (monarch) -在位时代,zài wèi shí dài,"reign (of a king, emperor etc)" -在来米,zài lái mǐ,long-grained non-glutinous rice (Tw) -在先,zài xiān,to come first; previous; prior; beforehand; first; formerly -在内,zài nèi,(included) in it; among them -在前,zài qián,ahead; formerly; in the past -在即,zài jí,near at hand; imminent; within sight -在台,zài tái,in Taiwan (used attributively) -在地,zài dì,local -在地下,zài dì xià,underground -在场,zài chǎng,to be present; to be on the scene -在外,zài wài,outer; excluded -在天之灵,zài tiān zhī líng,soul and spirit of the deceased -在室内,zài shì nèi,indoors -在家,zài jiā,to be at home; (at a workplace) to be in (as opposed to being away on official business 出差[chu1chai1]); (Buddhism etc) to remain a layman (as opposed to becoming a monk or a nun 出家[chu1jia1]) -在岗,zài gǎng,to be at one's post -在座,zài zuò,to be present -在建,zài jiàn,under construction -在后,zài hòu,behind -在意,zài yì,to care about; to mind -在我看,zài wǒ kàn,in my opinion; in my view -在我看来,zài wǒ kàn lái,in my opinion -在户外,zài hù wài,outdoors -在所不计,zài suǒ bù jì,irrespective of; to have no concerns whatsoever about -在所不辞,zài suǒ bù cí,not to refuse to (idiom); not to hesitate to -在所难免,zài suǒ nán miǎn,to be unavoidable (idiom) -在握,zài wò,(fig.) to hold in one's hands; to be within grasp -在教,zài jiào,"to be a believer (in a religion, esp. Islam)" -在于,zài yú,to rest with; to lie in; to be due to (a certain attribute); (of a matter) to be determined by; to be up to (sb) -在旁,zài páng,alongside; nearby -在望,zài wàng,within view; visible; (fig.) in the offing; around the corner; soon to materialize -在朝,zài cháo,"sitting (currently serving, e.g. board members)" -在校,zài xiào,(attributive) to be enrolled in a school (or university etc) -在枪口,zài qiāng kǒu,at gunpoint -在此,zài cǐ,hereto; here -在此之前,zài cǐ zhī qián,before that; beforehand; previously -在此之后,zài cǐ zhī hòu,after this; afterwards; next -在此之际,zài cǐ zhī jì,meanwhile; at the same time -在此后,zài cǐ hòu,after this; from then on -在深处,zài shēn chù,deeply -在理,zài lǐ,reasonable; sensible -在眼前,zài yǎn qián,now; at the present -在线,zài xiàn,online -在编,zài biān,to be on the regular payroll; to be on the permanent staff -在职,zài zhí,to be employed; to be in post; on-the-job -在职训练,zài zhí xùn liàn,on-the-job training -在华,zài huá,within China; during one's visit to China -在行,zài háng,to be adept at sth; to be an expert in a trade or profession -在诉讼期间,zài sù sòng qī jiān,pendente lite; during litigation -在读,zài dú,to be studying (at a school or research institute) -在身,zài shēn,"to possess; to be occupied or burdened with (work, a contract, a lawsuit)" -在逃,zài táo,to be at large (of a criminal) -在途,zài tú,"in transit (of passengers, goods etc)" -在这之前,zài zhè zhī qián,before then; up until that point -在这期间,zài zhè qī jiān,during time; in this time -在那儿,zài na er,"(adverbial expression indicating that the attention of the subject of the verb is focused on what they are doing, not distracted by anything else); just ...ing (and nothing else)" -在野,zài yě,to be out of (political) office; to be out of power -在野党,zài yě dǎng,opposition party -在高处,zài gāo chù,aloft -圩,wéi,dike -圩,xū,(dialect) country fair; country market -圪,gē,(phonetic) -圪垯,gē da,mound; knoll; swelling or lump on skin; pimple; knot; lump; preoccupation; problem -圬,wū,to plaster; whitewash -圭,guī,"jade tablet, square at the base and rounded or pointed at the top, held by the nobility at ceremonies; sundial; (ancient unit of volume) a tiny amount; a smidgen; a speck" -圭亚那,guī yà nà,Guyana -圮,pǐ,destroyed; injure -圯,yí,"bridge, bank" -地,de,"-ly; structural particle: used before a verb or adjective, linking it to preceding modifying adverbial adjunct" -地,dì,earth; ground; field; place; land; CL:片[pian4] -地三鲜,dì sān xiān,"dish consisting of stir-fried potato, eggplant and green pepper" -地上,dì shang,on the ground; on the floor -地下,dì xià,underground; subterranean; covert -地下室,dì xià shì,basement; cellar -地下情,dì xià qíng,secret love affair -地下核爆炸,dì xià hé bào zhà,nuclear underground burst; underground nuclear explosion -地下核试验,dì xià hé shì yàn,underground nuclear test -地下水,dì xià shuǐ,groundwater -地下通道,dì xià tōng dào,underpass; subway; tunnel -地下钱庄,dì xià qián zhuāng,underground bank; illegal private bank; loan shark -地下铁路,dì xià tiě lù,subway -地中海,dì zhōng hǎi,Mediterranean Sea -地中海,dì zhōng hǎi,(coll.) bald crown; male pattern baldness -地中海贫血,dì zhōng hǎi pín xuè,thalassemia (medicine) -地主,dì zhǔ,landlord; landowner; host -地主家庭,dì zhǔ jiā tíng,land-owning household -地主队,dì zhǔ duì,home team (sports) -地主阶级,dì zhǔ jiē jí,land-owning classes -地久天长,dì jiǔ tiān cháng,"enduring while the world lasts (idiom, from Laozi); eternal; for ever and ever (of friendship, hate etc); also written 天長地久|天长地久" -地位,dì wèi,position; status; place; CL:個|个[ge4] -地保,dì bǎo,(old) local constable -地儿,dì er,place; space -地函,dì hán,(geology) (the earth's) mantle (Tw) -地利,dì lì,favorable location; in the right place; productivity of land -地利人和,dì lì rén hé,favorable geographical and social conditions (idiom); good location and the people satisfied -地力,dì lì,soil fertility; land capability -地动,dì dòng,earthquake (old term) -地动仪,dì dòng yí,the world's first seismograph invented by Zhang Heng 張衡|张衡[Zhang1 Heng2] in 132; abbr. for 候風地動儀|候风地动仪[hou4 feng1 di4 dong4 yi2] -地动山摇,dì dòng shān yáo,"the earth quaked, the mountains shook (idiom); a tremendous battle" -地势,dì shì,terrain; topography relief -地勤,dì qín,ground service (airport) -地勤人员,dì qín rén yuán,(airport) ground crew -地区,dì qū,"local; regional; district (not necessarily formal administrative unit); region; area; as suffix to city name, means prefecture or county (area administered by a prefecture-level city or, county-level city); CL:個|个[ge4]" -地区差价,dì qū chā jià,local differences in price; regional price variation -地区性,dì qū xìng,regional; local -地区法院,dì qū fǎ yuàn,regional court -地区经济,dì qū jīng jì,local economy; regional economy -地区冲突,dì qū chōng tū,local or regional confrontation -地台,dì tái,floor; platform -地史,dì shǐ,earth history; geological history -地名,dì míng,place name; toponym -地图,dì tú,"map; CL:張|张[zhang1],本[ben3]" -地图册,dì tú cè,atlas -地图集,dì tú jí,collection of maps; atlas -地地道道,dì dì dào dào,thoroughgoing; authentic; 100%; to the core -地址,dì zhǐ,address; CL:個|个[ge4] -地址解析协议,dì zhǐ jiě xī xié yì,address resolution protocol; ARP -地域,dì yù,area; district; region -地基,dì jī,foundations (of a building); base -地堡,dì bǎo,bunker (underground fortification) -地块,dì kuài,parcel of land; (geology) massif -地塞米松,dì sāi mǐ sōng,dexamethasone -地堑,dì qiàn,"trench, rift valley" -地坛,dì tán,Temple of Earth (in Beijing) -地垄,dì lǒng,lines on ridges on ploughed field -地大物博,dì dà wù bó,vast territory with abundant resources (idiom) -地契,dì qì,"title deed (for land); CL:張|张[zhang1],份[fen4]" -地委,dì wěi,prefectural Party committee -地宫,dì gōng,underground palace (as part of imperial tomb) -地对空导弹,dì duì kōng dǎo dàn,ground-to-air missile -地层,dì céng,stratum (geology) -地层学,dì céng xué,stratigraphy (geology) -地岬,dì jiǎ,cape (geography); headland -地带,dì dài,zone; CL:個|个[ge4] -地幔,dì màn,(geology) (the earth's) mantle -地平线,dì píng xiàn,horizon -地底,dì dǐ,subterranean; underground -地府,dì fǔ,hell; the nether world; Hades -地广人稀,dì guǎng rén xī,"vast, but sparsely populated" -地形,dì xíng,topography; terrain; landform -地形图,dì xíng tú,topographic map -地心,dì xīn,the earth's core; geocentric -地心吸力,dì xīn xī lì,gravitation -地心引力,dì xīn yǐn lì,earth's gravity -地心纬度,dì xīn wěi dù,geocentric latitude (i.e. angle between the equatorial plane and straight line from center of the earth) -地心说,dì xīn shuō,geocentric theory -地拉那,dì lā nà,"Tirana, capital of Albania" -地排车,dì pǎi chē,handcart -地接,dì jiē,local guide; tour escort -地推,dì tuī,on-the-ground promotion (abbr. for 地面推廣|地面推广[di4mian4 tui1guang3]) -地摊,dì tān,roadside stall -地支,dì zhī,"the 12 earthly branches 子[zi3], 丑[chou3], 寅[yin2], 卯[mao3], 辰[chen2], 巳[si4], 午[wu3], 未[wei4], 申[shen1], 酉[you3], 戌[xu1], 亥[hai4], used cyclically in the calendar and as ordinal numbers I, II etc" -地方,dì fāng,region; regional (away from the central administration); local -地方,dì fang,"area; place; space; room; territory; CL:處|处[chu4],個|个[ge4],塊|块[kuai4]" -地方主义,dì fāng zhǔ yì,regionalism; favoring one's local region -地方官,dì fāng guān,local official -地方性,dì fāng xìng,local -地方性斑疹伤寒,dì fāng xìng bān zhěn shāng hán,murine typhus fever -地方戏,dì fāng xì,"local Chinese opera, such as Shaoxing opera 越劇|越剧[Yue4 ju4], Sichuan opera 川劇|川剧[Chuan1 ju4], Henan opera 豫劇|豫剧[Yu4 ju4] etc" -地方戏曲,dì fāng xì qǔ,"local Chinese opera, such as Shaoxing opera 越劇|越剧[Yue4 ju4], Sichuan opera 川劇|川剧[Chuan1 ju4], Henan opera 豫劇|豫剧[Yu4 ju4] etc" -地方法院,dì fāng fǎ yuàn,county court; district court -地方自治,dì fāng zì zhì,local autonomy; home rule -地景,dì jǐng,landscape; terrain -地书,dì shū,writing on the ground with a large brush dipped in water -地板,dì bǎn,floor -地板砖,dì bǎn zhuān,floor tile -地核,dì hé,core of the earth (geology) -地标,dì biāo,landmark -地检署,dì jiǎn shǔ,district prosecutor's office -地步,dì bù,stage; degree (to which a situation has evolved); a (usu. bad) situation; leeway -地段,dì duàn,section; district -地壳,dì qiào,the Earth's crust -地壳运动,dì qiào yùn dòng,(geotectonics) crustal movement; diastrophism -地毯,dì tǎn,carpet; rug -地毯式轰炸,dì tǎn shì hōng zhà,carpet bombing -地毯拖鞋,dì tǎn tuō xié,carpet slippers -地洞,dì dòng,tunnel; cave; burrow; dugout -地沟油,dì gōu yóu,illegally recycled waste cooking oil -地滑,dì huá,landslide -地滚球,dì gǔn qiú,ten-pin bowling; bowling ball; (baseball etc) ground ball -地漏,dì lòu,drain; underground drainpipe; floor gutter; 25th of 2nd lunar month -地热,dì rè,geothermal -地热发电厂,dì rè fā diàn chǎng,geothermal electric power station -地热能,dì rè néng,geothermal energy -地热资源,dì rè zī yuán,geothermal resources -地热电站,dì rè diàn zhàn,geothermal electric power station -地炉,dì lú,fire pit -地牛翻身,dì niú fān shēn,"(Tw) (coll.) earthquake (According to a folk tale, earthquakes are caused by the occasional movements of an ox that lives under the earth.)" -地牢,dì láo,prison; dungeon -地狱,dì yù,hell; infernal; underworld; (Buddhism) Naraka -地球,dì qiú,the earth; CL:個|个[ge4] -地球仪,dì qiú yí,globe -地球化学,dì qiú huà xué,geochemistry -地球村,dì qiú cūn,global village -地球物理,dì qiú wù lǐ,geophysics -地球物理学,dì qiú wù lǐ xué,geophysics -地球磁场,dì qiú cí chǎng,earth's magnetic field -地球科学,dì qiú kē xué,earth science -地球轨道,dì qiú guǐ dào,Earth orbit (orbit of a satellite around the Earth); Earth's orbit (orbit of the Earth around the Sun) -地理,dì lǐ,geography -地理位置,dì lǐ wèi zhi,geographical location -地理学,dì lǐ xué,geography -地理学家,dì lǐ xué jiā,geographer -地理定位,dì lǐ dìng wèi,geolocation -地理极,dì lǐ jí,geographic pole; north and south poles -地理纬度,dì lǐ wěi dù,geographic latitude (i.e. angle between the equatorial plane and the normal to the reference ellipsoid) -地瓜,dì guā,sweet potato (Ipomoea batatas); yam bean (Pachyrhizus erosus); (TCM) digua fig (Ficus tikoua Bur.) -地瓜面,dì guā miàn,sweet potato or yam noodles -地产,dì chǎn,real estate; landed estate; landed property -地产大亨,dì chǎn dà hēng,Monopoly (game); known as 大富翁[Da4 fu4 weng1] in PRC -地产税,dì chǎn shuì,property tax -地亩,dì mǔ,area of farmland -地痞,dì pǐ,bully; local ruffian -地皇,dì huáng,"Earthly Sovereign, one of the three legendary sovereigns 三皇[san1 huang2]" -地皮,dì pí,lot; section of land; ground -地盘,dì pán,domain; territory under one's control; foundation of a building; base of operations; crust of earth -地磁场,dì cí chǎng,the earth's magnetic field -地砖,dì zhuān,floor tile -地祇,dì qí,earth spirit -地租,dì zū,land rent; land tax -地租收入,dì zū shōu rù,rent income (esp. from arable land) -地税,dì shuì,local tax (abbr. for 地方稅|地方税[di4 fang1 shui4]); land tax (abbr. for 土地稅|土地税[tu3 di4 shui4]) -地积,dì jī,land area -地积单,dì jī dān,"unit of area (e.g. 畝|亩[mu3], Chinese acre)" -地穴,dì xué,pit; burrow; crypt -地窄人稠,dì zhǎi rén chóu,small and densely populated -地窖,dì jiào,cellar; basement -地窨,dì yìn,cellar -地窨子,dì yìn zi,cellar -地籍,dì jí,cadaster -地笼,dì lóng,cage-like fish trap -地精,dì jīng,gnome; goblin -地级,dì jí,(administrative) prefecture-level -地级市,dì jí shì,prefecture-level city -地线,dì xiàn,earth (wire); ground -地缘,dì yuán,geographic situation; geo-(politics etc) -地缘战略,dì yuán zhàn lüè,geostrategic -地缘政治,dì yuán zhèng zhì,geopolitics; geopolitical -地缘政治学,dì yuán zhèng zhì xué,geopolitics -地老天荒,dì lǎo tiān huāng,see 天荒地老[tian1 huang1 di4 lao3] -地脉,dì mài,geographical position according to the principles of feng shui 風水|风水[feng1 shui3]; ley lines -地脚,dì jiǎo,(page) footer; (dialect) foundation (of a building); base -地藏,dì zàng,"Kṣitigarbha, the Bodhisattva of the Great Vow (to save all souls before accepting Bodhi); also translated Earth Treasury, Earth Womb, or Earth Store Bodhisattva" -地藏王菩萨,dì zàng wáng pú sà,"Kṣitigarbha Bodhisattva, the Bodhisattva of the Great Vow (to save all souls before accepting Bodhi); also translated Earth Treasury, Earth Womb, or Earth Store Bodhisattva" -地藏菩萨,dì zàng pú sà,"Kṣitigarbha Bodhisattva, the Bodhisattva of the Great Vow (to save all souls before accepting Bodhi); also translated Earth Treasury, Earth Womb, or Earth Store Bodhisattva" -地处,dì chǔ,to be located at; to be situated in -地衣,dì yī,lichen -地表,dì biǎo,the surface (of the earth) -地表水,dì biǎo shuǐ,surface water -地西泮,dì xī pàn,diazepam (loanword); Valium -地角天涯,dì jiǎo tiān yá,The ends of the earth -地调,dì diào,"geological survey, abbr. for 地質調查|地质调查[di4 zhi4 diao4 cha2]" -地貌,dì mào,(geology) landform; geomorphology -地质,dì zhì,geology -地质学,dì zhì xué,geology -地质学家,dì zhì xué jiā,geologist -地质年代表,dì zhì nián dài biǎo,geological time scale -地质年表,dì zhì nián biǎo,geological time scale -地躺拳,dì tǎng quán,"Di Tang Quan - ""Ground-Prone Fist""; ""Ground Tumbling Boxing"" - Martial Art" -地轴,dì zhóu,the earth's axis -地速,dì sù,groundspeed (of an aircraft etc) -地道,dì dào,tunnel; causeway -地道,dì dao,authentic; genuine; proper -地邻,dì lín,neighbor on farmland -地钱,dì qián,liverwort (Marchantia polymorpha) -地铁,dì tiě,underground railway; subway; subway train -地铁站,dì tiě zhàn,subway station -地陪,dì péi,local guide; tour escort -地雷,dì léi,land mine (CL:顆|颗[ke1]); (fig.) sore point; weak spot -地震,dì zhèn,earthquake -地震仪,dì zhèn yí,seismometer -地震区,dì zhèn qū,seismic zone; earthquake belt -地震学,dì zhèn xué,seismology; science of earthquakes -地震学家,dì zhèn xué jiā,seismologist; earthquake scientist -地震局,dì zhèn jú,earthquake bureau -地震带,dì zhèn dài,seismic zone; earthquake belt -地震波,dì zhèn bō,seismic wave -地震活动带,dì zhèn huó dòng dài,seismic zone; earthquake belt -地震烈度,dì zhèn liè dù,earthquake intensity (measure of its destructive power) -地面,dì miàn,floor; ground; surface -地面层,dì miàn céng,ground floor; first floor -地面控制,dì miàn kòng zhì,ground control (of airborne or space operation) -地面核爆炸,dì miàn hé bào zhà,surface nuclear explosion -地面气压,dì miàn qì yā,ground pressure -地面水,dì miàn shuǐ,surface water -地面灌溉,dì miàn guàn gài,surface irrigation -地面部队,dì miàn bù duì,ground troops -地面零点,dì miàn líng diǎn,Ground Zero (refers to the site of the World Trade Center destroyed in 9-11-2001 attack) -地面零点,dì miàn líng diǎn,ground zero -地头,dì tóu,place; locality; edge of a field; lower margin of a page -地头蛇,dì tóu shé,local bully; tyrant; regional mafia boss -地鳖,dì biē,"Chinese ground beetle (Eupolyphaga sinensis), used in TCM" -地黄,dì huáng,"Chinese foxglove (Rehmannia glutinosa), its rhizome used in TCM" -地点,dì diǎn,place; site; location; venue; CL:個|个[ge4] -圳,zhèn,"(dialect) drainage ditch between fields (Taiwan pr. [zun4]); used in place names, notably 深圳[Shen1 zhen4]" -圻,qí,boundary; a border -圾,jī,used in 垃圾[la1 ji1]; Taiwan pr. [se4] -址,zhǐ,(bound form) site; location -坂,bǎn,variant of 阪[ban3] -坂井,bǎn jǐng,Sakai (Japanese surname and place name) -坂本,bǎn běn,Sakamoto (Japanese surname) -均,jūn,equal; even; all; uniform -均一,jūn yī,even; uniform; homogeneous -均值,jūn zhí,average value -均分,jūn fēn,to split; to divide equally -均势,jūn shì,equilibrium of forces; balance of power -均匀,jūn yún,"even; well-distributed; homogeneous; well-proportioned (figure, body etc)" -均匀性,jūn yún xìng,homogeneity; uniformity -均可,jūn kě,all are OK; both are OK; all can; both can; also can -均差,jūn chā,(numerical analysis) divided differences; (statistics) mean absolute difference -均摊,jūn tān,to share equally; to distribute evenly -均方,jūn fāng,mean square -均日照,jūn rì zhào,average annual sunshine -均沾,jūn zhān,to share (profits) -均湿,jūn shī,to moisten evenly (e.g. in tanning leather) -均热,jūn rè,to heat evenly (e.g. in smelting metal) -均田制,jūn tián zhì,equal-field system of Wei of the Northern dynasties 北魏 and Tang 唐 dynasties -均等,jūn děng,equal; impartial; fair -均等化,jūn děng huà,to equalize; leveling; making uniform -均等论,jūn děng lùn,doctrine of equivalents (patent law) -均线,jūn xiàn,graph of average values -均线指标,jūn xiàn zhǐ biāo,moving average index (used in financial analysis) -均腐土,jūn fǔ tǔ,isohumisol (soil taxonomy) -均衡,jūn héng,equal; balanced; harmony; equilibrium -均衡器,jūn héng qì,"equalizer (electronics, audio)" -均变论,jūn biàn lùn,uniformitarianism -均质,jūn zhì,homogenous; uniform; homogenized -坊,fāng,surname Fang -坊,fāng,lane (usually as part of a street name); memorial archway -坊,fáng,workshop; mill; Taiwan pr. [fang1] -坊子,fāng zǐ,"Fangzi district of Weifang city 濰坊市|潍坊市[Wei2 fang1 shi4], Shandong" -坊子区,fāng zǐ qū,"Fangzi district of Weifang city 濰坊市|潍坊市[Wei2 fang1 shi4], Shandong" -坊间,fāng jiān,street stalls; bookshops; in the streets -坊间传言,fāng jiān chuán yán,rumors; the word on the street -坌,bèn,variant of 坋[ben4]; old variant of 笨[ben4] -坍,tān,to collapse -坍塌,tān tā,to collapse -坍方,tān fāng,to collapse; landslide -坎,kǎn,"pit; threshold; one of the Eight Trigrams 八卦[ba1 gua4], symbolizing water; ☵" -坎儿,kǎn er,critical juncture; key moment -坎儿井,kǎn er jǐng,"karez, qanat or ""horizontal well"" (irrigation and water management system used in Xinjiang, Central Asia and Middle East)" -坎坎,kǎn kǎn,(dialect) just now -坎坷,kǎn kě,(of a road) bumpy; (of life) rough; to be down on one's luck; to be full of frustrations and dashed hopes -坎坷不平,kǎn kě bù píng,potholed and bumpy road (idiom); fig. full of disappointment and dashed hopes -坎坷多舛,kǎn kě duō chuǎn,full of trouble and misfortune (usu. referring to someone's life) -坎城,kǎn chéng,"(Tw) Cannes, France" -坎培拉,kǎn péi lā,"Canberra, capital of Australia (Tw)" -坎塔布连,kǎn tǎ bù lián,Cantabria in north Spain -坎塔布连山脉,kǎn tǎ bù lián shān mài,Cantabrian mountain range in north Spain dividing Asturias from Castilla-Leon -坎塔布连海,kǎn tǎ bù lián hǎi,Bay of Biscay (Spanish: Mare Cantabrico) -坎塔布里亚,kǎn tǎ bù lǐ yà,"Cantabria, Spanish autonomous region, capital Santander 桑坦德[Sang1 tan3 de2]" -坎大哈,kǎn dà hā,Kandahar (town in Southern Afghanistan) -坎大哈省,kǎn dà hā shěng,Kandahar province of Afghanistan -坎子,kǎn zi,raised ground; bank -坎帕拉,kǎn pà lā,"Kampala, capital of Uganda" -坎德拉,kǎn dé lā,candela (unit of luminosity); standard candle -坎昆,kǎn kūn,Cancún -坎特伯雷,kǎn tè bó léi,Canterbury -坎特伯雷故事集,kǎn tè bó léi gù shì jí,"The Canterbury Tales, collection of stories by Geoffrey Chaucer 喬叟|乔叟[Qiao2 sou3]" -坎肩,kǎn jiān,sleeveless jacket (usually cotton); Chinese waistcoat -坎肩儿,kǎn jiān er,erhua variant of 坎肩[kan3 jian1] -坎贝尔,kǎn bèi ěr,Campbell (name) -坎贝尔侏儒仓鼠,kǎn bèi ěr zhū rú cāng shǔ,Campbell's dwarf hamster (Phodopus campbelli) -坐,zuò,surname Zuo -坐,zuò,"to sit; to take a seat; to take (a bus, airplane etc); to bear fruit; variant of 座[zuo4]" -坐下,zuò xia,to sit down -坐不垂堂,zuò bù chuí táng,lit. don't sit under the eaves (where tiles may fall from the roof) (idiom); fig. keep out of danger -坐井观天,zuò jǐng guān tiān,lit. to view the sky from the bottom of a well (idiom); ignorant and narrow-minded -坐享,zuò xiǎng,to enjoy (the benefit of sth) without lifting a finger; to sit back and enjoy (favorable circumstances) -坐享其成,zuò xiǎng qí chéng,to reap where one has not sown (idiom) -坐以待毙,zuò yǐ dài bì,to sit and wait for death (idiom); resigned to one's fate -坐便器,zuò biàn qì,pedestal type WC -坐像,zuò xiàng,seated image (of a Buddha or saint) -坐冷板凳,zuò lěng bǎn dèng,to hold an inconsequential job; to receive a cold reception; to be kept waiting for an assignment or audience; to be out in the cold; to be sidelined; to warm the bench; to cool one's heels -坐力,zuò lì,see 後坐力|后坐力[hou4 zuo4 li4] -坐化,zuò huà,to die in a seated posture (Buddhism) -坐台小姐,zuò tái xiǎo jiě,bar girl; professional escort -坐吃享福,zuò chī xiǎng fú,vegetative existence; to consume passively without doing anything useful -坐吃山空,zuò chī shān kōng,"lit. just sitting and eating, one can deplete even a mountain of wealth (idiom); fig. to spend one's money without generating any income" -坐商,zuò shāng,tradesman; shopkeeper -坐垫,zuò diàn,cushion; (motorbike) seat; CL:塊|块[kuai4] -坐墩,zuò dūn,Chinese drum-shaped stool -坐失,zuò shī,to let sth slip by; to miss an opportunity -坐失机宜,zuò shī jī yí,to sit and waste a good opportunity (idiom); to lose the chance -坐失良机,zuò shī liáng jī,to sit and waste a good opportunity (idiom); to lose the chance -坐好,zuò hǎo,to sit properly; to sit up straight -坐姿,zuò zī,sitting posture -坐定,zuò dìng,to be seated -坐实,zuò shí,to serve as evidence for (an accusation etc); to reinforce (a perception); to bear out; to substantiate -坐山观虎斗,zuò shān guān hǔ dòu,lit. sit on the mountain and watch the tigers fight (idiom); fig. watch in safety whilst others fight then reap the rewards when both sides are exhausted -坐席,zuò xí,seat (at a banquet); to attend a banquet -坐厕,zuò cè,sitting toilet (contrasted with 蹲廁|蹲厕[dun1 ce4] squat toilet) -坐厕垫,zuò cè diàn,toilet seat -坐探,zuò tàn,inside informer; mole; plant -坐收渔利,zuò shōu yú lì,benefit from others' dispute (idiom) -坐月,zuò yuè,see 坐月子[zuo4 yue4 zi5] -坐月子,zuò yuè zi,"to convalesce for a month following childbirth, following a special diet, and observing various taboos to protect the body from exposure to the ""wind""" -坐果,zuò guǒ,to bear fruit -坐椅,zuò yǐ,seat; chair -坐标,zuò biāo,coordinate (geometry) -坐浴桶,zuò yù tǒng,bidet -坐浴盆,zuò yù pén,bidet -坐牢,zuò láo,to be imprisoned -坐班,zuò bān,to work office hours; on duty -坐班房,zuò bān fáng,to be in prison -坐禅,zuò chán,to sit in meditation; to meditate -坐立不安,zuò lì bù ān,lit. agitated sitting or standing (idiom); restless; fidgety -坐立难安,zuò lì nán ān,unable to sit or stand still (out of nervousness etc) (idiom) -坐等,zuò děng,"to sit and wait; (fig.) to be passive; to sit back and wait for (success, an opportunity etc)" -坐而论道,zuò ér lùn dào,to sit and pontificate; to find answers through theory and not through practice (idiom) -坐卧不宁,zuò wò bù níng,to be restless -坐台,zuò tái,to work as a hostess in a bar or KTV -坐落,zuò luò,to be situated; to be located (of a building) -坐药,zuò yào,suppository -坐蜡,zuò là,to be embarrassed; to be put in a difficult situation -坐视不理,zuò shì bù lǐ,"to sit and watch, but remain indifferent (idiom)" -坐视无睹,zuò shì wú dǔ,to turn a blind eye to -坐观成败,zuò guān chéng bài,to sit and await success or failure (idiom); to wait to see the outcome of a fight before taking sides; to sit on the fence -坐车,zuò chē,"to take the car, bus, train etc" -坐镇,zuò zhèn,(of a commanding officer) to keep watch; to oversee -坐关,zuò guān,(Buddhism) to sit in contemplation -坐降落伞,zuò jiàng luò sǎn,to do a parachute jump -坐电梯,zuò diàn tī,to take an elevator -坐驾,zuò jià,variant of 座駕|座驾[zuo4 jia4] -坐骑,zuò qí,saddle horse; mount -坐骨,zuò gǔ,ischium -坐骨神经,zuò gǔ shén jīng,sciatic nerve -坐骨神经痛,zuò gǔ shén jīng tòng,sciatica -坐龙庭,zuò lóng tíng,to be the reigning emperor; to ascend to the imperial throne -坑,kēng,pit; depression; hollow; tunnel; hole in the ground; (archaic) to bury alive; to hoodwink; to cheat (sb) -坑井,kēng jǐng,(mine) galleries and pits -坑人,kēng rén,to cheat sb -坑口,kēng kǒu,Hang Hau (area in Hong Kong) -坑坎,kēng kǎn,uneven (road); depression (in terrain) -坑坑洼洼,kēng keng wā wā,full of pits and hollows; bumpy -坑害,kēng hài,to trap; to frame -坑木,kēng mù,pit prop -坑杀,kēng shā,to bury alive; to ensnare -坑洞,kēng dòng,hole; pit; pothole -坑爹,kēng diē,(Internet slang) dishonest; fraudulent; deceptive -坑洼,kēng wā,hole; hollow; depression; low-lying -坑蒙,kēng mēng,to swindle -坑蒙拐骗,kēng mēng guǎi piàn,to swindle; to cheat -坑道,kēng dào,mine shaft; gallery; tunnel -坑骗,kēng piàn,to cheat; to swindle -坒,bì,to compare; to match; to equal -坡,pō,slope; CL:個|个[ge4]; sloping; slanted -坡国,pō guó,(coll.) Singapore -坡垒,pō lěi,Hainan hopea (Hopea hainanensis) (botany) -坡度,pō dù,gradient; slope -坡县,pō xiàn,(slang) Singapore -坡路,pō lù,sloping road; hill road -坡道,pō dào,road on a slope; inclined path; ramp -坡头,pō tóu,"Potou District of Zhanjiang City 湛江市[Zhan4 jiang1 Shi4], Guangdong" -坡头区,pō tóu qū,"Potou District of Zhanjiang City 湛江市[Zhan4 jiang1 Shi4], Guangdong" -坡鹿,pō lù,Eld's deer (Cervus eldii) -坤,kūn,"one of the Eight Trigrams 八卦[ba1 gua4], symbolizing earth; female principle; ☷; ancient Chinese compass point: 225° (southwest)" -坤包,kūn bāo,woman's handbag or shoulder bag -坤甸,kūn diàn,"Pontianak city, capital of West Kalimantan, Indonesia" -坦,tǎn,flat; open-hearted; level; smooth -坦佩雷,tǎn pèi léi,"Tampere (Swedish Tammerfors), Finland's second city" -坦克,tǎn kè,tank (military vehicle) (loanword) -坦克车,tǎn kè chē,tank (armored vehicle) -坦博拉,tǎn bó lā,"Tambora, volcano on Indonesian island of Sumbawa 松巴哇, whose 1815 eruption is greatest in recorded history" -坦噶尼喀,tǎn gá ní kā,"Tanganyika on continent of West Africa, one component of Tanzania" -坦噶尼喀湖,tǎn gá ní kā hú,Lake Tanganyika in East Africa -坦尚尼亚,tǎn shàng ní yà,Tanzania (Tw) -坦承,tǎn chéng,to confess; to admit; to come clean; calmly -坦桑尼亚,tǎn sāng ní yà,Tanzania -坦然,tǎn rán,calm; undisturbed -坦然无惧,tǎn rán wú jù,remain calm and undaunted -坦率,tǎn shuài,frank (discussion); blunt; open -坦白,tǎn bái,honest; forthcoming; to confess -坦荡,tǎn dàng,magnanimous; broad and level -坦言,tǎn yán,to say candidly; to acknowledge frankly -坦诚,tǎn chéng,candid; frank; plain dealing -坦诚相见,tǎn chéng xiāng jiàn,to trust one another fully; to treat sb with sincerity -坦途,tǎn tú,highway; level road -坦陈,tǎn chén,to reveal; to confess -坨,tuó,(bound form) lump; heap -坨儿,tuó er,classifier for lumps of soft things (colloquial) -坨子,tuó zi,lump; heap -坩,gān,crucible -坩埚,gān guō,crucible -坪,píng,"a plain; ping, unit of area equal to approx. 3.3058 square meters (used in Japan and Taiwan)" -坪林,píng lín,"Pinglin township in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -坪林乡,píng lín xiāng,"Pinglin township in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -坫,diàn,stand for goblets -坭,ní,variant of 泥[ni2] -坯,pī,blank (e.g. for a coin); unburnt earthenware; semifinished product; Taiwan pr. [pei1] -坯件,pī jiàn,blank (for a coin etc); breed or strain -坯子,pī zi,base; semifinished product; (fig.) the makings of (a talented actor etc) -坯布,pī bù,unbleached and undyed cloth; gray cloth -坯料,pī liào,semifinished materials; CL:塊|块[kuai4] -坯模,pī mú,mold -坳,ào,depression; cavity; hollow; Taiwan pr. [ao1] -坳陷,ào xiàn,(geology) depression; low-lying area -坴,lù,a clod of earth; land -丘,qiū,hillock; mound (variant of 丘[qiu1]) -坷,kě,uneven (path); unfortunate (in life) -坷垃,kē lā,(dialect) clod (of earth) -坻,chí,islet; rock in river -坻,dǐ,place name -坼,chè,to crack; to split; to break; to chap -附,fù,variant of 附[fu4] -垂,chuí,to hang (down); droop; dangle; bend down; hand down; bequeath; nearly; almost; to approach -垂下,chuí xià,to hang down -垂危,chuí wēi,close to death; life-threatening (illness) -垂垂,chuí chuí,gradually; to drop -垂幕,chuí mù,canopy -垂念,chuí niàn,(courteous) to be so kind as to think of (me) -垂感,chuí gǎn,drape effect (fashion) -垂悬分词,chuí xuán fēn cí,dangling participle (grammar) -垂悬结构,chuí xuán jié gòu,dangling element (grammar) -垂挂,chuí guà,to hang down; suspended -垂暮之年,chuí mù zhī nián,old age -垂柳,chuí liǔ,weeping willow (Salix babylonica) -垂杨柳,chuí yáng liǔ,weeping willow -垂死,chuí sǐ,dying -垂死挣扎,chuí sǐ zhēng zhá,deathbed struggle; final struggle (idiom) -垂泣,chuí qì,to shed tears -垂涎,chuí xián,to water at the mouth; to drool -垂涎三尺,chuí xián sān chǐ,to drool (over) (idiom); to yearn for; to covet; to crave -垂涎欲滴,chuí xián yù dī,to drool with desire (idiom); to envy; to hunger for -垂泪,chuí lèi,to shed tears -垂直,chuí zhí,perpendicular; vertical -垂直和短距起落飞机,chuí zhí hé duǎn jù qǐ luò fēi jī,vertical or short takeoff and landing aircraft -垂直尾翼,chuí zhí wěi yì,(aviation) tailfin; vertical stabilizer -垂直线,chuí zhí xiàn,vertical line -垂直起落飞机,chuí zhí qǐ luò fēi jī,vertical takeoff and landing aircraft -垂直轴,chuí zhí zhóu,vertical shaft; (math.) vertical axis -垂帘听政,chuí lián tīng zhèng,lit. to govern from behind the curtain; to rule in place of the emperor (idiom) -垂线,chuí xiàn,(math.) perpendicular line; vertical line -垂老,chuí lǎo,approaching old age -垂钓,chuí diào,angling -垂青,chuí qīng,to show appreciation for sb; to look upon sb with favor -垂头丧气,chuí tóu sàng qì,hanging one's head dispiritedly (idiom); dejected; crestfallen -垂体,chuí tǐ,pituitary gland -垂髫,chuí tiáo,hair hanging down (child's hairstyle); (fig.) young child; early childhood -垃,lā,used in 垃圾[la1 ji1]; Taiwan pr. [le4] -垃圾,lā jī,trash; refuse; garbage; (coll.) of poor quality; Taiwan pr. [le4 se4] -垃圾堆,lā jī duī,garbage heap -垃圾工,lā jī gōng,garbage collector -垃圾桶,lā jī tǒng,rubbish bin; trash can; garbage can; Taiwan pr. [le4 se4 tong3] -垃圾筒,lā jī tǒng,trashcan -垃圾箱,lā jī xiāng,rubbish can; garbage can; trash can -垃圾股,lā jī gǔ,junk bonds; high-yield bonds -垃圾车,lā jī chē,garbage truck (or other vehicle) -垃圾邮件,lā jī yóu jiàn,junk mail; spam; unsolicited mail -垃圾电邮,lā jī diàn yóu,see 垃圾郵件|垃圾邮件[la1 ji1 you2 jian4] -垃圾食品,lā jī shí pǐn,junk food -型,xíng,mold; type; style; model -型别,xíng bié,type (computer programming) (Tw) -型式,xíng shì,type; pattern; version; style -型态,xíng tài,form; shape; type; style; pattern -型材,xíng cái,extruded profile -型板,xíng bǎn,template -型男,xíng nán,fashionable and good-looking guy (slang) -型号,xíng hào,"model (particular version of a manufactured article); type (product specification in terms of color, size etc)" -型录,xíng lù,product catalog -垌,dòng,field; farm; used in place names -垓,gāi,boundary -垓下,gāi xià,"ancient place name, in Anhui province" -垔,yīn,to restrain; to dam a stream and change its direction; a mound -垚,yáo,"variant of 堯|尧, legendary emperor Yao, c. 2200 BC; embankment" -垛,duǒ,battlement; target -垛,duò,pile -垛口,duǒ kǒu,crenel -垛,duǒ,variant of 垛[duo3] -垠,yín,limit; border; river bank -垡,fá,to turn the soil; upturned soil; (used in place names) -垢,gòu,dirt; disgrace -垣,yuán,wall -垣曲,yuán qǔ,"Yuanqu county in Yuncheng 運城|运城[Yun4 cheng2], Shanxi" -垣曲县,yuán qǔ xiàn,"Yuanqu county in Yuncheng 運城|运城[Yun4 cheng2], Shanxi" -垣衣,yuán yī,moss under old walls -垤,dié,anthill; mound -垧,shǎng,"unit of land area (equivalent to 10 or 15 mǔ 畝|亩[mu3] in parts of northeast China, but only 3 or 5 mǔ in northwest China)" -垮,kuǎ,to collapse (lit. or fig.) -垮塌,kuǎ tā,"to collapse (of building, dam or bridge)" -垮脸,kuǎ liǎn,(of the face) to harden; to sag -垮台,kuǎ tái,"(of a dynasty, regime etc) to collapse; to fall from power" -埂,gěng,strip of high ground; low earth dyke separating fields -埂子,gěng zi,strip of high ground; low earth dyke separating fields -埃,āi,abbr. for Egypt 埃及[Ai1 ji2] -埃,āi,dust; dirt; angstrom; phonetic ai or e -埃克托,āi kè tuō,Hector (name) -埃利斯岛,āi lì sī dǎo,Ellis Island -埃加迪群岛,āi jiā dí qún dǎo,"Aegadian Islands near Sicily, Italy" -埃博拉,āi bó lā,Ebola (virus) -埃博拉病毒,āi bó lā bìng dú,Ebola virus -埃及,āi jí,Egypt -埃及古物学,āi jí gǔ wù xué,Egyptology -埃及古物学者,āi jí gǔ wù xué zhě,Egyptologist -埃及夜鹰,āi jí yè yīng,(bird species of China) Egyptian nightjar (Caprimulgus aegyptius) -埃及豆,āi jí dòu,chickpea -埃因霍温,āi yīn huò wēn,Eindhoven (city in the Netherlands) -埃塔,āi tǎ,"ETA (Euskadi Ta Askatasuna or Basque homeland and freedom), Basque armed separatist group" -埃塞俄比亚,āi sài é bǐ yà,Ethiopia -埃塞俄比亚界,āi sài é bǐ yà jiè,"Ethiopian Zone, aka Afrotropical realm" -埃塞俄比亚语,āi sāi é bǐ yà yǔ,Ethiopic (language) -埃夫伯里,āi fū bó lǐ,Avebury (stone circle near Stonehenge) -埃奥罗斯,āi ào luó sī,"Aeolus, Greek God of winds" -埃居,āi jū,"écu (French coin, discontinued by the end of the 18th century)" -埃布罗,āi bù luó,Ebro river (in northeast Spain) -埃布罗河,āi bù luó hé,Ebro River (in northeast Spain) -埃弗顿,āi fú dùn,Everton (town in northwest England); Everton soccer team -埃德,āi dé,Ed (name - Eduard) -埃德加,āi dé jiā,Edgar (name) -埃德蒙顿,āi dé méng dùn,"Edmonton, capital of Alberta, Canada" -埃拉托塞尼斯,āi lā tuō sè ní sī,"Eratosthenes of Cyrene (c. 276-c. 195 BC), ancient Greek mathematician and inventor" -埃拉特,āi lā tè,"Eilat, Israeli port and resort on the Red sea" -埃叙,āi xù,Egypt-Syria -埃文,āi wén,Evan; Avon; Ivan -埃文斯,āi wén sī,Evans; Ivins; Ivens -埃文河畔斯特拉特福,āi wén hé pàn sī tè lā tè fú,Stratford-upon-Avon -埃斯库多,āi sī kù duō,"escudo (Spanish and Portuguese: shield), former currency of Portugal and other countries" -埃斯库罗斯,āi sī kù luó sī,"Aeschylus (c. 524 BC -c. 455 BC), Greek tragedian, author of The Persians, Seven against Thebes etc" -埃斯特哈齐,āi sī tè hā qí,Esterhazy (name) -埃斯特朗,āi sī tè lǎng,"Anders Jonas Angstrom or Ångström (1814-1874), Swedish physicist" -埃格尔松,āi gé ěr sōng,Egersund (city in Norway) -埃森,āi sēn,"Essen, city in the Ruhr 魯爾區|鲁尔区[Lu3 er3 Qu1], Germany" -埃森哲,āi sēn zhé,Accenture (company) -埃森纳赫,āi sēn nà hè,Eisenach (German city) -埃涅阿斯,āi niè ā sī,"Aeneas, hero of Virgil's Aeneid" -埃涅阿斯纪,āi niè ā sī jì,Virgil's Aeneid (epic about the foundation of Rome) -埃尔南德斯,āi ěr nán dé sī,Hernández (name) -埃尔多安,āi ěr duō ān,"Erdogan (name); Recep Tayyip Erdoğan (1954-), Turkish politician, prime minister 2003-2014, president 2014-" -埃尔帕索,āi ěr pà suǒ,El Paso (Texas) -埃尔朗根,āi ěr lǎng gēn,Erlangen (town in Bavaria) -埃尔朗根纲领,āi ěr lǎng gēn gāng lǐng,Felix Klein's Erlangen program (1872) on geometry and group theory -埃尔福特,āi ěr fú tè,Erfurt (German city) -埃尔金,āi ěr jīn,"James Bruce, 8th Earl of Elgin (1811-1863), British High Commissioner to China who ordered the looting and destruction of the Old Winter Palace Yuanmingyuan 圓明園|圆明园 in 1860; Thomas Bruce, 7th Earl of Elgin (1766-1841), who stole the Parthenon Marbles in 1801-1810" -埃尔金大理石,āi ěr jīn dà lǐ shí,"the Elgin Marbles, the Parthenon marbles stolen in 1801-1810 by Thomas Bruce, 7th Earl of Elgin" -埃特纳火山,āi tè nà huǒ shān,"Mt Etna, volcano in Italy" -埃琳娜,āi lín nà,Elena (name) -埃米尔,āi mǐ ěr,Emir (Muslim ruler); Amir -埃菲尔铁塔,āi fēi ěr tiě tǎ,Eiffel Tower -埃蕾,āi lěi,centaury herb with flowers (TCM); Herba Centaurii altaici cum flore -埃迪卡拉,āi dí kǎ lā,"Ediacaran (c. 635-542 million years ago), late phase of pre-Cambrian geological era" -埃迪卡拉纪,āi dí kǎ lā jì,"Ediacaran period (c. 635-542 million years ago), late phase of pre-Cambrian geological era" -埃里温,āi lǐ wēn,"Yerevan, capital of Armenia 亞美尼亞|亚美尼亚[Ya4 mei3 ni2 ya4]" -埄,běng,variant of 埲[beng3] -埄,fēng,landmark used during the Song Dynasty (960-1279 AD) -埇,yǒng,raised path -埇桥,yǒng qiáo,"Yongqiao, a district of Suzhou City 宿州市[Su4zhou1 Shi4], Anhui" -埇桥区,yǒng qiáo qū,"Yongqiao, a district of Suzhou City 宿州市[Su4zhou1 Shi4], Anhui" -埋,mái,to bury -埋,mán,used in 埋怨[man2 yuan4] -埋伏,mái fú,to ambush; to lie in wait for; to lie low; ambush -埋名,mái míng,to conceal one's identity; to live incognito -埋单,mái dān,to pay the bill (in a restaurant etc) (loanword from Cantonese); (fig.) to bear responsibility -埋天怨地,mán tiān yuàn dì,lit. to blame the heavens and reproach the earth; fig. to rave and rant -埋怨,mán yuàn,to complain; to grumble (about); to reproach; to blame -埋汰,mái tai,(dialect) dirty; to mock sb -埋没,mái mò,to engulf; to bury; to overlook; to stifle; to neglect; to fall into oblivion -埋线,mái xiàn,sunken cord (used in bookbinding) -埋葬,mái zàng,to bury -埋藏,mái cáng,to bury; to hide by burying; hidden -埋设,mái shè,"to install (water pipes, landmines etc) underground" -埋头,mái tóu,"to immerse oneself in; engrossed in sth; to lower the head (e.g. to avoid rain); countersunk (of screws, rivets etc)" -埋头苦干,mái tóu kǔ gàn,to bury oneself in work (idiom); to be engrossed in work; to make an all-out effort; up to the neck in work -埋首,mái shǒu,"to immerse oneself in (one's work, studies etc)" -埋点,mái diǎn,(web analytics) event tracking; event -城,chéng,"city walls; city; town; CL:座[zuo4],道[dao4],個|个[ge4]" -城中区,chéng zhōng qū,"city central district; Chengzhong district of Liuzhou city 柳州市[Liu3 zhou1 shi4], Guangxi; Chengzhong district of Xining city 西寧市|西宁市[Xi1 ning2 shi4], Qinghai" -城中村,chéng zhōng cūn,village within a city; shantytown; ghetto -城北区,chéng běi qū,"north city district; Chengbei district of Xining city 西寧市|西宁市[Xi1 ning2 shi4], Qinghai" -城区,chéng qū,city district; urban area -城口,chéng kǒu,"Chengkou, a county in Chongqing 重慶|重庆[Chong2qing4]" -城口县,chéng kǒu xiàn,"Chengkou, a county in Chongqing 重慶|重庆[Chong2qing4]" -城固,chéng gù,"Chenggu County in Hanzhong 漢中|汉中[Han4 zhong1], Shaanxi" -城固县,chéng gù xiàn,"Chenggu County in Hanzhong 漢中|汉中[Han4 zhong1], Shaanxi" -城址,chéng zhǐ,townsite -城垣,chéng yuán,city wall -城域网,chéng yù wǎng,metropolitan area network -城堡,chéng bǎo,castle; rook (chess piece) -城外,chéng wài,outside of a city -城子河,chéng zi hé,"Chengzihe district of Jixi city 雞西|鸡西[Ji1 xi1], Heilongjiang" -城子河区,chéng zi hé qū,"Chengzihe district of Jixi city 雞西|鸡西[Ji1 xi1], Heilongjiang" -城市,chéng shì,city; town; CL:座[zuo4] -城市依赖症,chéng shì yī lài zhèng,"""urban dependence disease"" (sufferers are unwilling to give up city comforts and return to the countryside)" -城市化,chéng shì huà,urbanization -城市区域,chéng shì qū yù,urban area; city district -城市管理行政执法局,chéng shì guǎn lǐ xíng zhèng zhí fǎ jú,City Urban Administrative and Law Enforcement Bureau (PRC) -城市规划,chéng shì guī huà,town planning -城市运动会,chéng shì yùn dòng huì,"National Intercity Games, Chinese athletics competition, organized every four years since 1988" -城府,chéng fǔ,subtle; shrewd; sophisticated -城厢,chéng xiāng,"Chengxiang, a district of Putian City 莆田市[Pu2tian2 Shi4], Fujian" -城厢区,chéng xiāng qū,"Chengxiang, a district of Putian City 莆田市[Pu2tian2 Shi4], Fujian" -城东区,chéng dōng qū,"east city district; Chengdong district of Xining city 西寧市|西宁市[Xi1 ning2 shi4], Qinghai" -城根,chéng gēn,sections of a city close to the city wall -城楼,chéng lóu,city gate tower -城步,chéng bù,"Chengbu Miao autonomous county in Shaoyang 邵陽|邵阳[Shao4 yang2], Hunan" -城步县,chéng bù xiàn,"Chengbu Miao autonomous county in Shaoyang 邵陽|邵阳[Shao4 yang2], Hunan" -城步苗族自治县,chéng bù miáo zú zì zhì xiàn,"Chengbu Miao Autonomous County in Shaoyang 邵陽|邵阳[Shao4 yang2], Hunan" -城池,chéng chí,city -城墙,chéng qiáng,city wall -城管,chéng guǎn,local government bylaw enforcement officer; city management (abbr. for 城市管理行政執法局|城市管理行政执法局[Cheng2 shi4 Guan3 li3 Xing2 zheng4 Zhi2 fa3 ju2]) -城西区,chéng xī qū,"west city district; Chengxi district of Xining city 西寧市|西宁市[Xi1 ning2 shi4], Qinghai" -城运会,chéng yùn huì,abbr. for 城市運動會|城市运动会[Cheng2 shi4 Yun4 dong4 hui4] -城邑,chéng yì,(literary) towns; cities -城邦,chéng bāng,a city state (Greek polis) -城郊,chéng jiāo,suburbs; outskirts of a city -城郭,chéng guō,a city wall -城乡,chéng xiāng,city and countryside -城镇,chéng zhèn,town; cities and towns -城镇化,chéng zhèn huà,urbanization -城镇化水平,chéng zhèn huà shuǐ píng,urbanization level (of a city or town) -城铁,chéng tiě,rapid transit system; urban railway -城门,chéng mén,city gate -城阙,chéng què,watchtower on either side of a city gate; (literary) city; imperial palace -城关,chéng guān,area outside a city gate -城关区,chéng guān qū,"Chengguan District of Lhasa City 拉薩市|拉萨市[La1 sa4 Shi4], Tibetan: Lha sa khrin kon chus, Tibet; Chengguan district of Lanzhou city 蘭州市|兰州市[Lan2 zhou1 Shi4], Gansu" -城关镇,chéng guān zhèn,Chengguan town (common place name) -城防,chéng fáng,city defense -城阳,chéng yáng,"Chengyang district of Qingdao city 青島市|青岛市, Shandong" -城阳区,chéng yáng qū,"Chengyang district of Qingdao city 青島市|青岛市, Shandong" -城隍,chéng huáng,Shing Wong (deity in Chinese mythology) -埏,shān,to mix water with clay -埏,yán,boundary -埒,liè,(literary) equal; enclosure; dike; embankment; Taiwan pr. [le4] -埔,bù,port; wharf; pier -埔,pǔ,port; flat land next to a river or ocean -埔心,pǔ xīn,"Puxin or Puhsin Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -埔心乡,pǔ xīn xiāng,"Puxin or Puhsin Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -埔里,pǔ lǐ,"Puli, town in Nantou County 南投縣|南投县[Nan2 tou2 Xian4], central Taiwan" -埔里镇,pǔ lǐ zhèn,"Puli, town in Nantou County 南投縣|南投县[Nan2 tou2 Xian4], central Taiwan" -埔盐,pǔ yán,"Puyan Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -埔盐乡,pǔ yán xiāng,"Puyan Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -埕,chéng,earthen jar -埗,bù,wharf; dock; jetty; trading center; port; place name -野,yě,old variant of 野[ye3] -埝,niàn,earth embankment used to hold back or retain water; dike around a paddy field -域,yù,field; region; area; domain (taxonomy) -域名,yù míng,(computing) domain name -域名抢注,yù míng qiǎng zhù,cybersquatting; domain squatting -域名服务器,yù míng fú wù qì,domain name server -域名编码,yù míng biān mǎ,Punycode (encoding for internationalized domain names) (abbr. for 國際化域名編碼|国际化域名编码[Guo2 ji4 hua4 Yu4 ming2 Bian1 ma3]) -域名注册,yù míng zhù cè,domain name registration -域外,yù wài,outside the country; abroad; foreign; extraterritorial -域多利皇后,yù duō lì huáng hòu,"Queen Victoria (1819-1901), reigned 1837-1901" -埠,bù,wharf; port; pier -埠头,bù tóu,wharf; pier -垭,yā,(dialect) strip of land between hills; used in place names; also pr. [ya4] -垭口,yā kǒu,(dialect) narrow mountain pass -埤,pí,low wall -埤头,pí tóu,"Pitou Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -埤头乡,pí tóu xiāng,"Pitou Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -埭,dài,dam -埯,ǎn,hole in the ground to plant seeds in; to make a hole for seeds; to dibble -埲,běng,used in 塕埲[weng3beng3]; (Cantonese) classifier for walls -坎,kǎn,old variant of 坎[kan3]; pit; hole -埴,zhí,soil with large clay content -埵,duǒ,solid earth -埶,yì,skill; art -执,zhí,to execute (a plan); to grasp -执事,zhí shì,to perform one's job; attendant; job; duties; (respectful appellation for the addressee) you; your Excellency; (Church) deacon -执事,zhí shi,paraphernalia of a guard of honor -执勤,zhí qín,to be on duty (of a security guard etc) -执委会,zhí wěi huì,executive committee -执导,zhí dǎo,"to direct (a film, play etc)" -执念,zhí niàn,obsession (CL:股[gu3]); (when followed by 於|于[yu2]) to be obsessive (about) -执意,zhí yì,to be determined to; to insist on -执拗,zhí niù,stubborn; willful; pigheaded; Taiwan pr. [zhi2 ao4] -执拾,zhí shí,to tidy up (dialect) -执掌,zhí zhǎng,to wield (power etc) -执政,zhí zhèng,to hold power; in office -执政官,zhí zhèng guān,consul (of the Roman Republic); magistrate (chief administrator) -执政方式,zhí zhèng fāng shì,governing method -执政者,zhí zhèng zhě,ruler -执政能力,zhí zhèng néng lì,governing capacity -执政党,zhí zhèng dǎng,ruling party; the party in power -执教,zhí jiào,to teach; to be a teacher; to train; to coach -执业,zhí yè,"to work in a profession (e.g. doctor, lawyer); practitioner; professional" -执法,zhí fǎ,to enforce a law; law enforcement -执法如山,zhí fǎ rú shān,to maintain the law as firm as a mountain (idiom); to enforce the law strictly -执照,zhí zhào,license; permit -执牛耳,zhí niú ěr,to be the acknowledged leader (from the custom of a prince holding a plate on which lay the severed ears of a sacrificial bull at an alliance ceremony) -执笔,zhí bǐ,to write; to do the actual writing -执绋,zhí fú,to attend a funeral -执着,zhí zhuó,to be strongly attached to; to be dedicated; to cling to; (Buddhism) attachment -执行,zhí xíng,to implement; to carry out; to execute; to run -执行人,zhí xíng rén,executioner (hangman); business executor -执行指挥官,zhí xíng zhǐ huī guān,executing commander -执行绪,zhí xíng xù,(Tw) (computing) thread -执行长,zhí xíng zhǎng,chief executive -执迷,zhí mí,to be obsessive; to persist obstinately -执迷不悟,zhí mí bù wù,to obstinately persist in going about things the wrong way (idiom) -执金吾,zhí jīn wú,(Han dynasty) official in command of an army responsible for maintaining law and order in the capital -执飞,zhí fēi,(of an airline) to run a flight -埸,yì,border -培,péi,to bank up with earth; to cultivate (lit. or fig.); to train (people) -培亚,péi yà,"Praia, capital of Cape Verde (Tw)" -培修,péi xiū,to repair earthworks -培勒兹,péi lè zī,Perez (name) -培土,péi tǔ,to earth up -培林,péi lín,(mechanical) bearing (loanword) (Tw) -培果,bèi guǒ,variant of 貝果|贝果[bei4 guo3] -培根,péi gēn,bacon (loanword) -培植,péi zhí,to cultivate; to train; cultivation; training -培育,péi yù,to train; to breed -培训,péi xùn,to cultivate; to train; to groom; training -培训班,péi xùn bān,training class -培里克利斯,péi lǐ kè lì sī,"Pericles (c. 495-429 BC), Athenian strategist and politician before and at the start of the Peloponnesian war; also written 伯里克利[Bo2 li3 ke4 li4]" -培养,péi yǎng,to cultivate; to breed; to foster; to nurture; to educate; to groom (for a position); education; fostering; culture (biology) -培养基,péi yǎng jī,culture medium -培养液,péi yǎng yè,culture fluid (in biological lab.) -培养皿,péi yǎng mǐn,Petri dish -基,jī,"(bound form) base; foundation; (bound form) radical (chemistry); (bound form) gay (loanword from English into Cantonese, Jyutping: gei1, followed by orthographic borrowing from Cantonese)" -基佬,jī lǎo,(slang) gay guy -基加利,jī jiā lì,"Kigali, capital of Rwanda" -基友,jī yǒu,(slang) very close same-sex friend; gay partner -基因,jī yīn,gene (loanword) -基因修改,jī yīn xiū gǎi,genetic modification -基因图谱,jī yīn tú pǔ,mapping of genome -基因型,jī yīn xíng,genotype -基因学,jī yīn xué,genetics -基因工程,jī yīn gōng chéng,genetic engineering -基因座,jī yīn zuò,(genetics) locus -基因库,jī yīn kù,gene bank -基因技术,jī yīn jì shù,gene technology -基因扩大,jī yīn kuò dà,gene amplification -基因改造,jī yīn gǎi zào,genetic modification (GM) -基因染色体异常,jī yīn rǎn sè tǐ yì cháng,genetic chromosome abnormality -基因治疗,jī yīn zhì liáo,gene therapy -基因码,jī yīn mǎ,genetic code -基因突变,jī yīn tū biàn,genetic mutation -基因组,jī yīn zǔ,genome -基因体,jī yīn tǐ,genome (Tw) -基团,jī tuán,radical (chemistry) -基地,jī dì,al-Qaeda -基地,jī dì,"base (of operations, industrial, military, research etc)" -基地恐怖组织,jī dì kǒng bù zǔ zhī,Al-Qaeda; same as 基地組織|基地组织 -基地组织,jī dì zǔ zhī,Al-Qaeda -基址,jī zhǐ,foundation; footing; base; ruins (of a historical building) -基坑,jī kēng,foundation groove; trench for building foundation -基多,jī duō,"Quito, capital of Ecuador" -基奈,jī nài,"Kenai (Peninsula, Lake, Mountains), Alaska (Tw)" -基孔肯雅热,jī kǒng kěn yǎ rè,chikungunya fever -基尼系数,jī ní xì shù,Gini coefficient (a measure of statistical dispersion) -基层,jī céng,basic level; grassroots unit; basement layer -基岩,jī yán,bedrock -基布兹,jī bù zī,kibbutz -基希讷乌,jī xī nè wū,"Chişinău or Chisinau, capital of Moldova" -基床,jī chuáng,foundation (of building); bed (e.g. bedrock); substrate -基底,jī dǐ,plinth; base; substrate -基底动脉,jī dǐ dòng mài,basilar artery (central artery of the brain) -基底细胞癌,jī dǐ xì bāo ái,basal cell carcinoma -基座,jī zuò,underlay; foundation; pedestal -基建,jī jiàn,capital construction (project); infrastructure -基情,jī qíng,(slang) bromance; gay love -基拉韦厄,jī lā wéi è,"Kilauea, Hawaii, the world's most active volcano" -基改,jī gǎi,genetic modification (GM); abbr. for 基因改造[ji1 yin1 gai3 zao4] -基数,jī shù,cardinal number; (math.) radix; base -基数词,jī shù cí,cardinal numeral -基于,jī yú,because of; on the basis of; in view of; on account of -基普,jī pǔ,kip (Laotian currency) -基本,jī běn,basic; fundamental; main; elementary -基本上,jī běn shang,basically; on the whole -基本利率,jī běn lì lǜ,base rate (e.g. interest rate set by central bank) -基本功,jī běn gōng,basic skills; fundamentals -基本原则,jī běn yuán zé,fundamental doctrine; guiding principle; raison d'être -基本原理,jī běn yuán lǐ,fundamental principle -基本单位,jī běn dān wèi,basic unit; fundamental building block -基本多文种平面,jī běn duō wén zhǒng píng miàn,basic multilingual plane (BMP) -基本完成,jī běn wán chéng,fundamentally complete; basically finished -基本定理,jī běn dìng lǐ,fundamental theorem -基本概念,jī běn gài niàn,basic concept -基本法,jī běn fǎ,basic law (constitutional document) -基本盘,jī běn pán,(political party's) voter base; (musician's) fan base; (a business's) customer base; the funds necessary for a venture; foundation on which sth's existence depends; bedrock (in the figurative sense) -基本粒子,jī běn lì zǐ,elementary particle (particle physics) -基本词汇,jī běn cí huì,basic word -基本需要,jī běn xū yào,basic necessity; fundamental need -基本点,jī běn diǎn,"key point; crux; basis point (finance), abbr. to 基點|基点[ji1 dian3]" -基材,jī cái,substrate -基板,jī bǎn,substrate -基桑加尼,jī sāng jiā ní,Kisangani (city in the Democratic Republic of the Congo) -基业,jī yè,foundation; base; family estate -基极,jī jí,base electrode (in transistor) -基桩,jī zhuāng,foundation piles -基民,jī mín,fund investor; (coll.) gay person -基民党,jī mín dǎng,Christian democratic party -基波,jī bō,fundamental (wave) -基测,jī cè,"Basic Competence Test for Junior High School Students (Tw), abbr. for 國民中學學生基本學力測驗|国民中学学生基本学力测验" -基准,jī zhǔn,(surveying) datum; standard; criterion; benchmark -基尔,jī ěr,Kiel (German city) -基尔特,jī ěr tè,guild (loanword) -基牙,jī yá,abutment tooth (dentistry) -基甸,jī diàn,"Gideon (name, from Judges 6:11 onward); also written 吉迪恩" -基盘,jī pán,base; foundation; (Tw) (geology) bedrock -基督,jī dū,Christ (abbr. for 基利斯督[Ji1 li4 si1 du1] or 基利士督[Ji1 li4 shi4 du1]) -基督城,jī dū chéng,Christchurch (New Zealand city) -基督徒,jī dū tú,Christian -基督教,jī dū jiào,Christianity; Christian -基督教徒,jī dū jiào tú,a Christian -基督教民主联盟,jī dū jiào mín zhǔ lián méng,Christian Democratic Union (German political party) -基督教派,jī dū jiào pài,Christian denomination -基督教科学派,jī dū jiào kē xué pài,Christian Science -基督新教,jī dū xīn jiào,Protestantism -基督圣体节,jī dū shèng tǐ jié,Corpus Christi (Catholic festival on second Thursday after Whit Sunday) -基石,jī shí,foundation stone; cornerstone; (fig.) basis; foundation -基础,jī chǔ,base; foundation; basis; basic; fundamental -基础问题,jī chǔ wèn tí,basic issue; fundamental question -基础教育,jī chǔ jiào yù,elementary education -基础病,jī chǔ bìng,underlying medical condition -基础结构,jī chǔ jié gòu,infrastructure -基础设施,jī chǔ shè shī,infrastructure -基础设施即服务,jī chǔ shè shī jí fú wù,(computing) infrastructure as a service (IaaS) -基础课,jī chǔ kè,basic course; core curriculum -基础速率,jī chǔ sù lǜ,basic rate (as in ISDN) -基站,jī zhàn,base station -基网,jī wǎng,base net (in geodetic survey) -基线,jī xiàn,"baseline (surveying, budgeting, typography etc); (math.) base (of a triangle)" -基罗米突,jī luó mǐ tū,kilometer (old) (loanword) -基肥,jī féi,base fertilizer -基脚,jī jiǎo,footing; pedestal -基台,jī tái,(dental implant) abutment -基西纽,jī xī niǔ,"Chișinău (aka Kishinev), capital of Moldova (Tw)" -基调,jī diào,main key (of a musical composition); keynote (speech) -基谐波,jī xié bō,fundamental frequency; base harmonic -基诺族,jī nuò zú,Jinuo ethnic group -基质,jī zhì,base solvent (of chemical compound); stroma (framing biological tissue) -基质膜,jī zhì mó,basal plasma membrane -基辅,jī fǔ,"Kyiv or Kiev, capital of Ukraine" -基辅罗斯,jī fǔ luó sī,"Kievan Rus', East Slavic state that reached its peak in the early to mid-11th century" -基辛格,jī xīn gé,"Henry Kissinger (1923-), US academic and politician, Secretary of State 1973-1977" -基里巴斯,jī lǐ bā sī,Kiribati (formerly the Gilbert Islands) -基里巴斯共和国,jī lǐ bā sī gòng hé guó,Kiribati -基金,jī jīn,fund -基金会,jī jīn huì,foundation (institution supported by an endowment) -基隆,jī lóng,"Chilung or Keelung, city and major port in north Taiwan" -基隆市,jī lóng shì,"Chilung or Keelung, city and major port in north Taiwan" -基面,jī miàn,ground plane (in perspective drawing) -基音,jī yīn,fundamental tone -基频,jī pín,fundamental frequency -基体,jī tǐ,base body; matrix; substrate -基点,jī diǎn,base; centre; basis; point of departure; starting point; (finance) basis point -埼,qí,headland -埼玉,qí yù,Saitama (city and prefecture in Japan) -埽,sào,dike; old variant of 掃|扫[sao4] -堀,kū,cave; hole -堂,táng,"(main) hall; large room for a specific purpose; CL:間|间[jian1]; relationship between cousins etc on the paternal side of a family; of the same clan; classifier for classes, lectures etc; classifier for sets of furniture" -堂倌,táng guān,(old) waiter; attendant -堂兄,táng xiōng,older male patrilineal cousin -堂兄弟,táng xiōng dì,father's brother's sons; paternal male cousin -堂区,táng qū,parish; civil parish -堂吉诃德,táng jí hē dé,Don Quixote -堂哥,táng gē,older male patrilineal cousin -堂堂,táng táng,grand; magnificent; stately; majestic appearance -堂堂正正,táng táng zhèng zhèng,displaying strength and discipline; impressive; upright and frank; square -堂妹,táng mèi,younger female patrilineal cousin -堂妹夫,táng mèi fu,husband of younger female cousin via male line -堂姊,táng zǐ,older female patrilineal cousin -堂姊妹,táng zǐ mèi,father's brother's daughters; paternal female cousin -堂姐,táng jiě,older female patrilineal cousin -堂姐夫,táng jiě fu,husband of older female cousin via male line -堂侄,táng zhí,nephew by the male line -堂嫂,táng sǎo,wife of older male cousin via male line -堂屋,táng wū,central room of a traditional Chinese house -堂庑,táng wǔ,side room of a hall -堂弟,táng dì,younger male patrilineal cousin -堂弟妹,táng dì mèi,wife of younger male cousin via male line; younger cousins via male line -堂弟媳,táng dì xí,wife of younger male cousin via male line -堂房,táng fáng,remote relatives (with the same family name) -堂皇,táng huáng,imposing; grand -堂而皇之,táng ér huáng zhī,overt; to make no secret (of one's presence); grandiose; with great scope -堂花,táng huā,variant of 唐花[tang2 hua1] -堂食,táng shí,to eat in (at the restaurant) (contrasted with 外帶|外带[wai4 dai4]); (restaurant) dine-in service -坤,kūn,variant of 坤[kun1] -坚,jiān,strong; solid; firm; unyielding; resolute -坚不可摧,jiān bù kě cuī,"invulnerable, indestructible, impregnable" -坚信,jiān xìn,to believe firmly; without any doubt -坚信礼,jiān xìn lǐ,confirmation (Christian ceremony) -坚冰,jiān bīng,ice; (fig.) frosty relationship -坚固,jiān gù,firm; firmly; hard; stable -坚固性,jiān gù xìng,firmness -坚执,jiān zhí,to persist; to continue upholding; to persevere; to stick to sth; stubborn -坚壁,jiān bì,to cache; to hide supplies (from the enemy) -坚壁清野,jiān bì qīng yě,to fortify defenses and raze the fields (idiom); to leave nothing for the invader; scorched earth policy -坚如磐石,jiān rú pán shí,solid as a boulder (idiom); absolutely secure; rock-firm and unyielding -坚守,jiān shǒu,to hold fast to; to stick to -坚定,jiān dìng,firm; steady; staunch; resolute -坚定不移,jiān dìng bù yí,unswerving; unflinching -坚定性,jiān dìng xìng,firmness; steadfastness -坚实,jiān shí,firm and substantial; solid -坚尼系数,jiān ní xì shù,see 基尼係數|基尼系数[Ji1 ni2 xi4 shu4] -坚强,jiān qiáng,staunch; strong -坚强不屈,jiān qiáng bù qū,staunch and unyielding (idiom); steadfast -坚忍,jiān rěn,persevering; tenacious -坚忍不拔,jiān rěn bù bá,fortitude -坚戈,jiān gē,tenge (Kazakhstan currency) (loanword) -坚持,jiān chí,to persevere with; to persist in; to insist on -坚持下去,jiān chí xià qù,to press on -坚持不懈,jiān chí bù xiè,to persevere unremittingly (idiom); to keep going until the end -坚持不渝,jiān chí bù yú,to stick to sth without change (idiom); to persevere -坚振,jiān zhèn,confirmation (Christian ceremony) -坚振礼,jiān zhèn lǐ,confirmation (Christian ceremony) -坚挺,jiān tǐng,firm and upright; strong (of currency) -坚明,jiān míng,to consolidate and clarify -坚果,jiān guǒ,nut -坚毅,jiān yì,firm and persistent; unswerving determination -坚决,jiān jué,firm; resolute; determined -坚牢,jiān láo,strong; firm -坚硬,jiān yìng,hard; solid -坚称,jiān chēng,to claim; to insist -坚致,jiān zhì,robust and fine textured -坚若磐石,jiān ruò pán shí,rock-solid -坚苦卓绝,jiān kǔ zhuó jué,persisting despite trials and tribulations (idiom); conspicuous determination -坚贞,jiān zhēn,firm; unswerving; loyal to the end -坚贞不屈,jiān zhēn bù qū,faithful and unchanging (idiom); steadfast -坚贞不渝,jiān zhēn bù yú,unyielding integrity (idiom); unwavering -坚韧,jiān rèn,tough and durable; tenacious -坚韧不拔,jiān rèn bù bá,firm and indomitable (idiom); tenacious and unyielding -堆,duī,to pile up; to heap up; a mass; pile; heap; stack; large amount -堆垒,duī lěi,to pile up; accumulative -堆垒数论,duī lěi shù lùn,additive number theory (math.) -堆放,duī fàng,to pile up; to stack -堆案盈几,duī àn yíng jī,lit. piles of work and papers (idiom); fig. accumulated backlog of work -堆栈,duī zhàn,stack (computing); storehouse; warehouse -堆满,duī mǎn,to pile up -堆叠,duī dié,to pile up; to put layer upon layer; (Tw) (computing) stack -堆砌,duī qì,lit. to pile up (bricks); to pack; fig. to pad out (writing with fancy phrases); ornate rhetoric -堆积,duī jī,to pile up; to heap; accumulation -堆积如山,duī jī rú shān,to pile up like a mountain (idiom); a mountain of (paperwork etc); a large number of sth -堆积木,duī jī mù,to play with stacking blocks -堆肥,duī féi,compost -堆芯,duī xīn,reactor core -堆金积玉,duī jīn jī yù,lit. pile up gold and jade; very rich -堆高机,duī gāo jī,forklift -堆高车,duī gāo chē,high-lift pallet truck; pallet stacker -堆龙德庆,duī lóng dé qìng,"Doilungdêqên county, Tibetan: Stod lung bde chen rdzong in Lhasa 拉薩|拉萨[La1 sa4], Tibet" -堆龙德庆县,duī lóng dé qìng xiàn,"Doilungdêqên county, Tibetan: Stod lung bde chen rdzong in Lhasa 拉薩|拉萨[La1 sa4], Tibet" -堇,jǐn,clay; old variant of 僅|仅[jin3]; violet (plant) -堇色,jǐn sè,violet (color) -堇菜,jǐn cài,violet (botany) -垩,è,to whitewash; to plaster -堋,péng,target in archery -堍,tù,side of bridge -垴,nǎo,small hill; used in geographic names -塍,chéng,variant of 塍[cheng2] -堙,yīn,bury; mound; to dam; close -埚,guō,crucible -堞,dié,battlements -堠,hòu,mounds for beacons -堡,bǎo,"(bound form) fortress; stronghold; (often used to transliterate -berg, -burg etc in place names); (bound form) burger (abbr. for 漢堡|汉堡[han4bao3])" -堡,bǔ,village (used in place names) -堡,pù,variant of 鋪|铺[pu4]; used in place names -堡垒,bǎo lěi,fort -堡垒机,bǎo lěi jī,(computing) bastion host; jump server -堡子,bǔ zi,village or town surrounded by earthen walls; village; Taiwan pr. [bao3 zi5] -堡寨,bǎo zhài,fort; fortress; CL:座[zuo4] -堡礁,bǎo jiāo,barrier reef -堤,dī,dike; Taiwan pr. [ti2] -堤坝,dī bà,dam; dike -堤岸,dī àn,embankment; bank; levee -堤拉米苏,dī lā mǐ sū,tiramisu (loanword) -堤防,dī fáng,dike; embankment; levee -堤顶大路,dī dǐng dà lù,promenade -阶,jiē,variant of 階|阶[jie1] -堪,kān,(bound form) may; can; (bound form) to endure; to bear; (in 堪輿|堪舆[kan1 yu2]) heaven (contrasted with earth 輿|舆[yu2]) -堪培拉,kān péi lā,"Canberra, capital of Australia" -堪察加,kān chá jiā,Kamchatka (peninsula in far eastern Russia) -堪察加半岛,kān chá jiā bàn dǎo,"Kamchatka Peninsula, far-eastern Russia" -堪察加柳莺,kān chá jiā liǔ yīng,(bird species of China) Kamchatka leaf warbler (Phylloscopus examinandus) -堪忧,kān yōu,worrying; bleak -堪比,kān bǐ,to be comparable to -堪称,kān chēng,can be rated as; can be said to be -堪萨斯,kān sà sī,"Kansas, US state" -堪萨斯州,kān sà sī zhōu,"Kansas, US state" -堪虞,kān yú,worrisome; precarious; to be at risk -堪舆,kān yú,geomancy -尧,yáo,"surname Yao; Yao or Tang Yao (c. 2200 BC), one of the Five legendary Emperors 五帝[Wu3 Di4], second son of Di Ku 帝嚳|帝喾[Di4 Ku4]" -尧都,yáo dū,"Yaodu district of Linfen city 臨汾市|临汾市[Lin2 fen2 shi4], Shanxi" -尧都区,yáo dū qū,"Yaodu district of Linfen city 臨汾市|临汾市[Lin2 fen2 shi4], Shanxi" -堰,yàn,weir -堰塞湖,yàn sè hú,barrier lake; landslide dam; dammed lake -堰蜓座,yàn tíng zuò,Chamaeleon (constellation) -报,bào,"to announce; to inform; report; newspaper; recompense; revenge; CL:份[fen4],張|张[zhang1]" -报上,bào shàng,in the newspaper -报亭,bào tíng,kiosk; newsstand -报人,bào rén,newsman; journalist (archaic) -报仇,bào chóu,to take revenge; to avenge -报仇雪耻,bào chóu xuě chǐ,to take revenge and erase humiliation (idiom) -报仇雪恨,bào chóu xuě hèn,to take revenge and wipe out a grudge (idiom) -报以,bào yǐ,to give in return -报信,bào xìn,to notify; to inform -报备,bào bèi,to report a proposed activity to an authority (to obtain approval or register one's intentions) -报价,bào jià,to quote a price; quoted price; quote -报价单,bào jià dān,quotation; price list; written estimate of price -报偿,bào cháng,to repay; to recompense -报分,bào fēn,call the score -报刊,bào kān,newspapers and periodicals; the press -报刊摊,bào kān tān,newsstand -报到,bào dào,to report for duty; to check in; to register -报功,bào gōng,to report a heroic deed; to mention sb in dispatches -报务员,bào wù yuán,telegraph operator; radio operator -报名,bào míng,to sign up; to enter one's name; to apply; to register; to enroll; to enlist -报名表,bào míng biǎo,application form; registration form; CL:張|张[zhang1] -报名费,bào míng fèi,registration fee -报告,bào gào,"to inform; to report; to make known; report; speech; talk; lecture; CL:篇[pian1],份[fen4],個|个[ge4],通[tong4]" -报告员,bào gào yuán,spokesperson; announcer -报告文学,bào gào wén xué,reportage -报告书,bào gào shū,written report -报告会,bào gào huì,public lecture (with guest speakers etc) -报喜,bào xǐ,to announce good news; to report success -报喜不报忧,bào xǐ bù bào yōu,"to report only the good news, not the bad news; to hold back unpleasant news; to sweep bad news under the carpet" -报丧,bào sāng,to announce sb's demise -报单,bào dān,a tax declaration form; a tax return -报国,bào guó,to dedicate oneself to the service of one's country -报失,bào shī,report the loss to the authorities concerned -报子,bào zi,bearer of good news (esp. announcing success in imperial examinations) -报官,bào guān,to report a case to the authorities (old) -报审,bào shěn,to report for judgment; to submit for approval -报导,bào dǎo,to report (in the media); (news) report -报帖,bào tiě,to announce good news in red letters -报帐,bào zhàng,to render an account; to submit an expense account; to apply for reimbursement -报幕,bào mù,announce the items on a (theatrical) program -报废,bào fèi,to scrap; to dispose of (sth worn-out or damaged) -报复,bào fù,to make reprisals; to retaliate; revenge; retaliation -报复心,bào fù xīn,vindictiveness -报复性,bào fù xìng,retaliatory -报德,bào dé,to repay debts of gratitude; to repay kindness -报怨,bào yuàn,to pay back a score; to get revenge; to requite; (old) variant of 抱怨[bao4 yuan4] -报恩,bào ēn,to pay a debt of gratitude; to repay a kindness -报忧,bào yōu,"to report bad news; to announce failure, shortcoming or disaster" -报应,bào yìng,(Buddhism) divine retribution; karma -报应不爽,bào yìng bù shuǎng,divine retribution is unfailing (idiom); one is inevitably punished for one's misdeeds -报户口,bào hù kǒu,to apply for residence; to register a birth -报批,bào pī,to report for criticism; to submit for approval to higher authority -报捷,bào jié,report a success; announce a victory -报摘,bào zhāi,news digest -报摊,bào tān,newsstand -报收,bào shōu,(of a stock on the stock market) to close at (a certain price) -报效,bào xiào,render service to repay kindness -报数,bào shù,number off! (command in military drill); count off! -报料,bào liào,to provide information to a news organization; to tip off; information provided to a news organization; a tip-off -报料人,bào liào rén,informant; news source -报春花,bào chūn huā,primrose (Primula malacoides) -报时,bào shí,to give the correct time -报晓,bào xiǎo,to herald the break of day -报本反始,bào běn fǎn shǐ,ensure that you pay debts of gratitude (idiom) -报案,bào àn,to report a case to the authorities -报条,bào tiáo,report of success from a candidate to the imperial examination (old); list of deaths -报检,bào jiǎn,quarantine inspection -报班,bào bān,to sign up for a class -报界,bào jiè,the press; journalistic circles; the journalists -报盘,bào pán,offer; to make an offer (commerce) -报社,bào shè,newspaper (i.e. a company); CL:家[jia1] -报禁,bào jìn,restrictions on the publication of newspapers; press restrictions -报税,bào shuì,to file an income tax return; to declare dutiable goods (at customs) -报税单,bào shuì dān,to declare to customs or to the taxman -报税表,bào shuì biǎo,a tax return; a tax declaration form -报窝,bào wō,to brood; to hatch -报章,bào zhāng,newspapers -报童,bào tóng,paperboy -报端,bào duān,in the newspaper(s) -报答,bào dá,to repay; to requite -报系,bào xì,newspaper chain; syndicate -报纸,bào zhǐ,"newspaper; newsprint; CL:份[fen4],期[qi1],張|张[zhang1]" -报纸报导,bào zhǐ bào dǎo,newspaper report -报考,bào kǎo,to enter oneself for an examination -报表,bào biǎo,forms for reporting statistics; report forms -报话机,bào huà jī,walkie-talkie; portable radio transmitter -报请,bào qǐng,"to report, requesting approval; written request for instructions" -报警,bào jǐng,to sound an alarm; to report sth to the police -报警器,bào jǐng qì,alarm (e.g. burglar or fire alarm); warning device -报账,bào zhàng,to report expenses; to submit accounts -报载,bào zǎi,newspaper report -报道,bào dào,"to report (news); report; CL:篇[pian1],份[fen4]" -报道摄影师,bào dào shè yǐng shī,photojournalist -报酬,bào chou,reward; remuneration -报销,bào xiāo,to submit an expense account; to apply for reimbursement; to write off; to wipe out -报录,bào lù,entry pass for imperial examination -报录人,bào lù rén,bearer of good news (esp. announcing success in imperial examinations) -报错,bào cuò,to report an error; to give wrong information -报关,bào guān,to declare at customs -报头,bào tóu,masthead (of a newspaper etc); nameplate -报馆,bào guǎn,newspaper office -场,cháng,"threshing floor; classifier for events and happenings: spell, episode, bout" -场,chǎng,large place used for a specific purpose; stage; scene (of a play); classifier for sporting or recreational activities; classifier for number of exams -场儿,chǎng er,see 場子|场子[chang3 zi5] -场区,chǎng qū,(sports) section of a court or playing field; (computer chip manufacture) field area -场区应急,chǎng qū yìng jí,site area emergency (nuclear facility emergency classification) -场合,chǎng hé,situation; occasion; context; setting; location; venue -场地,chǎng dì,space; site; place; sports pitch -场地自行车,chǎng dì zì xíng chē,track bike; track cycling -场外应急,chǎng wài yìng jí,"general emergency (or ""off-site emergency"") (nuclear facility emergency classification)" -场子,chǎng zi,(coll.) gathering place; public venue -场所,chǎng suǒ,location; place -场景,chǎng jǐng,scene; scenario; situation; setting -场次,chǎng cì,"the number of showings of a movie, play etc; screening; performance" -场记板,chǎng jì bǎn,clapper board -场论,chǎng lùn,field theory (physics) -场院,cháng yuàn,threshing floor -场面,chǎng miàn,scene; spectacle; occasion; situation -场馆,chǎng guǎn,sporting venue; arena -堵,dǔ,"to block up (a road, pipe etc); to stop up (a hole); (fig.) (of a person) choked up with anxiety or stress; wall (literary); (classifier for walls)" -堵住,dǔ zhù,to block up -堵塞,dǔ sè,to clog up; blockage -堵塞费,dǔ sè fèi,traffic congestion fee -堵床上,dǔ chuáng shàng,(coll.) to catch an adulterous couple in the act -堵截,dǔ jié,to intercept; to block the passage of; to interdict -堵击,dǔ jī,to intercept and attack (military) -堵死,dǔ sǐ,to block (a road); to plug (a hole); to stop up -堵车,dǔ chē,traffic jam; (of traffic) to get congested -堿,jiǎn,variant of 鹼|碱[jian3] -塄,léng,elevated bank around a field -块,kuài,"lump; chunk; piece; classifier for pieces of cloth, cake, soap etc; (coll.) classifier for money and currency units" -块儿八毛,kuài er bā máo,one yuan or less; around 80 cents or one dollar -块垒,kuài lěi,gloom; a lump on the heart -块根,kuài gēn,root tuber; tuberous root -块煤,kuài méi,lump coal -块状,kuài zhuàng,lump -块茎,kuài jīng,stem tuber -块菌,kuài jūn,truffle (edible root fungus) -块规,kuài guī,a gauge block (block for accurate measurement) -块头,kuài tóu,size; body size -块体,kuài tǐ,a block; body of person or animal as a block -茔,yíng,(literary) a grave -塌,tā,to collapse; to droop; to settle down -塌下,tā xià,to collapse -塌实,tā shi,variant of 踏實|踏实[ta1 shi5] -塌房,tā fáng,(neologism c. 2020) (of a celebrity) to have one's reputation tank due to a scandal -塌方,tā fāng,to cave in; to collapse; to have a landslide -塌架,tā jià,to collapse; to come to grief -塌棵菜,tā kē cài,Brassica narinosa (broadbeaked mustard); Chinese flat cabbage -塌台,tā tái,to collapse -塌陷,tā xiàn,to subside; to sink; to cave in -塍,chéng,raised path between fields -垲,kǎi,dry terrain -塑,sù,to model (a figure) in clay; (bound form) plastic (i.e. the synthetic material) -塑像,sù xiàng,(molded or modeled) statue -塑化剂,sù huà jì,plasticizer -塑封,sù fēng,to laminate; laminated; laminate -塑性,sù xìng,plasticity -塑料,sù liào,plastics; CL:種|种[zhong3] -塑料普通话,sù liào pǔ tōng huà,(coll.) Mandarin Chinese spoken with a thick regional accent -塑料王,sù liào wáng,"""super plastic"" (term used to refer to Teflon)" -塑料袋,sù liào dài,plastic bag -塑膜,sù mó,plastic film (abbr. for 塑料薄膜[su4 liao4 bo2 mo2]) -塑胶,sù jiāo,synthetic resin; plastic cement; (Tw) plastic -塑胶炸药,sù jiāo zhà yào,plastic explosive -塑胶爆炸物,sù jiāo bào zhà wù,plastic explosive -塑胶袋,sù jiāo dài,plastic bag (Tw) -塑胶跑道,sù jiāo pǎo dào,synthetic athletics track; tartan track -塑胶车,sù jiāo chē,scooter (Tw) -塑身,sù shēn,body sculpting (weight loss and exercise) -塑造,sù zào,"to model; to mold; (fig.) to create (a character, a market, an image etc); (fig.) (literature) to portray (in words)" -塑钢,sù gāng,acetal resin; Delrin; unplasticized polyvinyl chloride (uPVC or rigid PVC) -埘,shí,hen roost -塔,tǎ,pagoda; tower; minaret; stupa (abbr. loanword from Sanskrit tapo); CL:座[zuo4] -塔什干,tǎ shí gān,"Tashkent, capital of Uzbekistan" -塔什库尔干塔吉克自治县,tǎ shí kù ěr gān tǎ jí kè zì zhì xiàn,"Taxkorgan Tajik autonomous county (Tashqurqan Tajik aptonom nahiyisi) in Kashgar prefecture 喀什地區|喀什地区[Ka1 shi2 di4 qu1], west Xinjiang" -塔什库尔干自治县,tǎ shí kù ěr gān zì zhì xiàn,"Taxkorgan Tajik autonomous county (Tashqurqan Tajik aptonom nahiyisi) in Kashgar prefecture 喀什地區|喀什地区[Ka1 shi2 di4 qu1], west Xinjiang" -塔什库尔干乡,tǎ shí kù ěr gān xiāng,"Taxkorgan township in Kashgar prefecture 喀什地區|喀什地区[Ka1 shi2 di4 qu1], west Xinjiang" -塔克拉玛干沙漠,tǎ kè lā mǎ gān shā mò,"Taklamakan Desert, Xinjiang" -塔克拉马干,tǎ kè lā mǎ gān,Taklamakan (desert) -塔公,tǎ gōng,"Lhagang grassland in Dartsendo county 康定縣|康定县[Kang1 ding4 xian4], Garze Tibetan autonomous prefecture, Sichuan" -塔公寺,tǎ gōng sì,"Lhagang temple in Dartsendo county 康定縣|康定县[Kang1 ding4 xian4], Garze Tibetan autonomous prefecture, Sichuan" -塔列朗,tǎ liè lǎng,"Talleyrand (name); Prince Charles Maurice de Talleyrand-Périgord (1754-1838), French diplomat" -塔利班,tǎ lì bān,"the Taliban, Islamist organization that emerged in the mid-1990s in Afghanistan" -塔刹,tǎ chà,Buddhist ornamentation decorating the upper story of a pagoda -塔加路族语,tǎ jiā lù zú yǔ,Tagalog (language) -塔勒,tǎ lè,thaler or taler (currency of various Germanic countries in 15th-19th centuries) (loanword) -塔台,tǎ tái,control tower -塔吉克,tǎ jí kè,"Tajik ethnic group; Tajikistan, former Soviet republic adjoining Xinjiang and Afghanistan" -塔吉克人,tǎ jí kè rén,Tajik (person) -塔吉克斯坦,tǎ jí kè sī tǎn,Tajikistan -塔吉克族,tǎ jí kè zú,Tajik ethnic group -塔吊,tǎ diào,tower crane -塔城,tǎ chéng,"Tarbaghatay or Tacheng city in Tacheng prefecture 塔城地區|塔城地区[Ta3 cheng2 di4 qu1], Xinjiang" -塔城地区,tǎ chéng dì qū,Tarbaghatay wilayiti or Tacheng prefecture in Xinjiang -塔城市,tǎ chéng shì,"Tarbaghatay or Tacheng city in Tacheng prefecture 塔城地區|塔城地区[Ta3 cheng2 di4 qu1], Xinjiang" -塔塔儿,tǎ tǎ er,Tartar (person) -塔塔儿人,tǎ tǎ er rén,Tartar (person) -塔塔尔,tǎ tǎ ěr,Tatar ethnic group of Xinjiang -塔塔尔族,tǎ tǎ ěr zú,Tatar ethnic group of Xinjiang -塔塔粉,tǎ tǎ fěn,cream of tartar; potassium bitartrate -塔夫绸,tǎ fū chóu,taffeta -塔尖,tǎ jiān,spire; peak of a pagoda -塔尾树鹊,tǎ wěi shù què,(bird species of China) ratchet-tailed treepie (Temnurus temnurus) -塔崩,tǎ bēng,tabun (loanword) -塔州,tǎ zhōu,Tasmania (abbr. for 塔斯曼尼亞州|塔斯曼尼亚州) -塔希提,tǎ xī tí,"Tahiti, island of the Society Islands group in French Polynesia" -塔帕斯,tǎ pà sī,"tapas, small Spanish snacks (loanword)" -塔扎,tǎ zā,Taza (a city in northern Morocco) -塔拉哈西,tǎ lā hā xī,"Tallahassee, capital of Florida" -塔拉斯河,tǎ lā sī hé,"Talas River, originating in Kyrgyzstan and flowing west into Kazakhstan" -塔拉瓦,tǎ lā wǎ,"Tarawa, capital of Kiribati" -塔斯曼尼亚,tǎ sī màn ní yà,Tasmania -塔斯曼尼亚岛,tǎ sī màn ní yà dǎo,Tasmania -塔斯社,tǎ sī shè,TASS; Information Telegraph Agency of Russia -塔斯科拉,tǎ sī kē lā,Tuscola (county in Michigan) -塔斯马尼亚,tǎ sī mǎ ní yà,Tasmania (Tw) -塔木德经,tǎ mù dé jīng,Talmud -塔林,tǎ lín,"Tallinn, capital of Estonia" -塔楼,tǎ lóu,tower (of building) -塔河,tǎ hé,"Tahe county in Daxing'anling prefecture 大興安嶺地區|大兴安岭地区, Heilongjiang" -塔河县,tǎ hé xiàn,"Tahe county in Daxing'anling prefecture 大興安嶺地區|大兴安岭地区, Heilongjiang" -塔尔寺,tǎ ěr sì,Kumbum Monastery in Qinghai -塔玛尔,tǎ mǎ ěr,Tamar (name) -塔瓦斯科,tǎ wǎ sī kē,Tabasco (south Mexican state) -塔罗,tǎ luó,tarot (loanword) -塔罗卡,tǎ luó kǎ,tarot card; Tarouca -塔迪奇,tǎ dí qí,"Tadich (name); Boris Tadić (1958-), Serbian politician, president 2004-2012" -塔那那利佛,tǎ nà nà lì fó,"Antananarivo, capital of Madagascar" -塔里木,tǎ lǐ mù,the Tarim Basin in southern Xinjiang -塔里木河,tǎ lǐ mù hé,Tarim River of Xinjiang -塔里木盆地,tǎ lǐ mù pén dì,Tarim Basin depression in southern Xinjiang -塔香,tǎ xiāng,(cuisine) basil flavored (abbr. for 九層塔香|九层塔香[jiu3 ceng2 ta3 xiang1]); cone-shaped incense stick -塕,wěng,flying dust (dialect); dust -塕埲,wěng běng,dust storm -涂,tú,to apply (paint etc); to smear; to daub; to blot out; to scribble; to scrawl; (literary) mud; street -涂乙,tú yǐ,to edit (a text) -涂去,tú qù,"to obliterate (some words, or part of a picture etc) using correction fluid, ink, paint etc; to paint out; to paint over" -涂家,tú jiā,painter; artist -涂写,tú xiě,to daub; to scribble (graffiti) -涂层,tú céng,protective layer; coating -涂径,tú jìng,path; road -涂抹,tú mǒ,to paint; to smear; to apply (makeup etc); to doodle; to erase; to obliterate -涂抹酱,tú mǒ jiàng,spread (for putting on bread etc) -涂改,tú gǎi,to alter (text); to change by painting over; to correct (with correction fluid) -涂改液,tú gǎi yè,correction fluid -涂敷,tú fū,to smear; to daub; to plaster; to apply (ointment) -涂料,tú liào,paint -涂污,tú wū,to smear; to deface -涂油,tú yóu,to grease; to oil; to baste (cookery) -涂油于,tú yóu yú,anoint -涂浆台,tú jiàng tái,pasting table (for wallpapering) -涂潭,tú tán,muddy water in a pool or pond -涂炭,tú tàn,extreme distress; in utter misery -涂片,tú piàn,smear (medical sample); microscope slide -涂白剂,tú bái jì,a white paint applied to tree trunks to protect the trees from insect damage etc -涂脂抹粉,tú zhī mǒ fěn,to put on makeup; to prettify -涂盖,tú gài,to coat; to mask; to plaster over -涂装,tú zhuāng,painted ornament; livery (on airline or company vehicle) -涂饰,tú shì,"to apply paint, veneer etc; to plaster over; decorative coating; finish; veneer" -涂饰剂,tú shì jì,coating agent; finishing agent -涂鸦,tú yā,graffiti; scrawl; poor calligraphy; to write badly; to scribble -涂鸭,tú yā,variant of 塗鴉|涂鸦[tu2 ya1]; graffiti; scrawl; poor calligraphy; to write badly; to scribble -塘,táng,dyke; embankment; pool or pond; hot-water bathing pool -塘堰,táng yàn,irrigation pond or dam -塘沽,táng gū,"Tanggu former district of Tianjin, now part of Binhai subprovincial district 濱海新區|滨海新区[Bin1 hai3 xin1 qu1]" -塘沽区,táng gū qū,"Tanggu former district of Tianjin, now part of Binhai subprovincial district 濱海新區|滨海新区[Bin1 hai3 xin1 qu1]" -塘虱,táng shī,catfish (family Clariidae) -塘角鱼,táng jiǎo yú,Hong Kong catfish (Clarias fuscus) -塘鹅,táng é,pelican (Morus bassanus); gannet; booby -冢,zhǒng,burial mound (variant of 冢[zhong3]) -冢中枯骨,zhǒng zhōng kū gǔ,dried bones in burial mound (idiom); dead and buried -塞,sāi,Serbia; Serbian; abbr. for 塞爾維亞|塞尔维亚[Sai1 er3 wei2 ya4] -塞,sāi,to stop up; to squeeze in; to stuff; cork; stopper -塞,sài,strategic pass; tactical border position -塞,sè,to stop up; to stuff; to cope with -塞内加尔,sài nèi jiā ěr,Senegal -塞勒姆,sāi lè mǔ,"Salem, capital of Oregon; Salem, city in Massachusets; Salem, city in India" -塞北,sài běi,territories beyond the Great Wall (old) -塞哥维亚,sè gē wéi yà,"Segovia, Spain" -塞外,sài wài,territories beyond the Great Wall (old) -塞子,sāi zi,cork; plug -塞尺,sāi chǐ,feeler gauge -塞巴斯蒂安,sāi bā sī dì ān,Sebastian (name) -塞席尔,sè xí ěr,the Seychelles (Tw) -塞拉利昂,sài lā lì áng,Sierra Leone -塞拉耶佛,sè lā yē fó,"Sarajevo, capital of Bosnia and Herzegovina (Tw)" -塞擦音,sè cā yīn,affricate (phonetics) -塞斯纳,sāi sī nà,Cessna (US aviation company) -塞族,sāi zú,Serb nationality; ethnic Serb; Serbs -塞浦路斯,sài pǔ lù sī,Cyprus -塞渊,sāi yuān,honest and far-seeing -塞满,sāi mǎn,to stuff full; to cram in; packed tight; chock full -塞尔南,sài ěr nán,"Eugene Cernan (1934-), US astronaut in Apollo 10 and Apollo 17 missions, ""last man on the moon""" -塞尔特,sāi ěr tè,Celtic -塞尔特语,sāi ěr tè yǔ,Celtic language -塞尔维亚,sāi ěr wéi yà,Serbia -塞尔维亚克罗地亚语,sāi ěr wéi yà kè luó dì yà yǔ,Serbo-Croatian (language) -塞尔维亚和黑山,sāi ěr wéi yà hé hēi shān,Serbia and Montenegro (after break-up of Yugoslavia in 1992) -塞尔维亚语,sāi ěr wéi yà yǔ,Serbian (language) -塞尔达,sài ěr dá,Zelda (in Legend of Zelda video game) -塞牙,sāi yá,to get food stuck between one's teeth -塞瓦斯托波尔,sāi wǎ sī tuō bō ěr,Sevastopol -塞纳河,sāi nà hé,Seine -塞给,sāi gěi,to slip sb sth; to press sb to accept sth; to insert surreptitiously; to foist sth off on sb -塞维利亚,sāi wéi lì yà,"Sevilla, Spain" -塞缪尔,sāi miù ěr,Samuel (name) -塞翁失马,sài wēng shī mǎ,"lit. the old man lost his horse, but it all turned out for the best (idiom); fig. a blessing in disguise; it's an ill wind that blows nobody any good" -塞翁失马安知非福,sài wēng shī mǎ ān zhī fēi fú,"the old man lost his mare, but it all turned out for the best (idiom); fig. a blessing in disguise; it's an ill wind that blows nobody any good; also written 塞翁失馬焉知非福|塞翁失马焉知非福" -塞翁失马焉知非福,sài wēng shī mǎ yān zhī fēi fú,"the old man lost his mare, but it all turned out for the best (idiom); fig. a blessing in disguise; it's an ill wind that blows nobody any good" -塞耳,sāi ěr,to block one's ears (not wishing to hear) -塞舌尔,sài shé ěr,the Seychelles -塞舌尔群岛,sài shé ěr qún dǎo,the Seychelles -塞万提斯,sāi wàn tí sī,Cervantes; abbr. for 米格爾·德·塞萬提斯·薩維德拉|米格尔·德·塞万提斯·萨维德拉[Mi3 ge2 er3 · de2 · Sai1 wan4 ti2 si1 · Sa4 wei2 de2 la1] -塞语,sài yǔ,Serb language -塞责,sè zé,to carry out one's duties perfunctorily; to fulfill one's responsibility -塞车,sāi chē,traffic jam -塞韦里诺,sài wéi lǐ nuò,"(Jean-Michel) Severino, CEO of the Agence Française de Développement (AFD)" -塞音,sè yīn,(linguistics) plosive; stop -葬,zàng,old variant of 葬[zang4] -坞,wù,(bound form) low area within a surrounding barrier; (literary) small castle; fort -坞堡,wù bǎo,small fortress; fortified compound -坞壁,wù bì,small fortress; fortified compound -坞站,wù zhàn,docking station -埙,xūn,ocarina; wind instrument consisting of an egg-shaped chamber with holes -塥,gé,dry clay lump -填,tián,to fill or stuff; (of a form etc) to fill in -填充,tián chōng,to fill up; to stuff; to fill in a blank space -填充剂,tián chōng jì,bulking agent -填充物,tián chōng wù,filler; filling; stuffing -填充题,tián chōng tí,fill-in-the-blank question -填地,tián dì,landfill -填报,tián bào,to fill in and submit (a form) -填堵,tián dǔ,to stuff; to cram into -填塞,tián sè,to fill up; to cram; to stuff -填塞物,tián sè wù,stuffing; filling material -填字游戏,tián zì yóu xì,crossword -填密,tián mì,packing; packaging -填写,tián xiě,to fill in a form; to write data in a box (on a questionnaire or web form) -填房,tián fáng,second wife (of a widower) -填料,tián liào,packing material -填海,tián hǎi,land reclamation -填满,tián mǎn,to cram -填空,tián kòng,to fill a job vacancy; to fill in a blank (e.g. on questionnaire or exam paper) -填表,tián biǎo,fill a form -填补,tián bǔ,to fill a gap; to fill in a blank (on a form); to overcome a deficiency -填词,tián cí,to compose a poem (to a given tune) -填饱,tián bǎo,to feed to the full; to cram -填鸭,tián yā,to force-feed ducks; (cooking) stuffed duck -填鸭式,tián yā shì,force feeding (as a teaching method) -塬,yuán,"plateau, esp. Loess Plateau of northwest China 黃土高原|黄土高原[Huang2 tu3 Gao1 yuan2]" -塬地,yuán dì,fertile arable soil of loess plateau -场,cháng,variant of 場|场[chang2] -场,chǎng,variant of 場|场[chang3] -尘,chén,dust; dirt; earth -尘世,chén shì,(religion) this mortal life; the mundane world -尘俗,chén sú,mundane world -尘嚣,chén xiāo,hubbub; hustle and bustle -尘土,chén tǔ,dust -尘埃,chén āi,dust -尘埃落定,chén āi luò dìng,"""Red Poppies"", novel by 阿來|阿来[A1 lai2]" -尘埃落定,chén āi luò dìng,lit. the dust has settled (idiom); fig. to get sorted out; to be finalized -尘封,chén fēng,covered in dust; dusty; lying unused for a long time -尘暴,chén bào,dust devil -尘肺,chén fèi,pneumoconiosis -尘螨,chén mǎn,dust mite -尘云,chén yún,dust cloud -尘雾,chén wù,cloud of dust; smog -堑,qiàn,(bound form) moat; chasm -堑壕,qiàn háo,trench; entrenchment -堑壕战,qiàn háo zhàn,trench warfare -砖,zhuān,variant of 甎|砖[zhuan1] -塾,shú,private school -墀,chí,courtyard -墁,màn,to plaster -境,jìng,border; place; condition; boundary; circumstances; territory -境内,jìng nèi,"within the borders; internal (to a country, province, city etc); domestic" -境内外,jìng nèi wài,within and without the borders; domestic and foreign; home and abroad -境地,jìng dì,circumstances -境域,jìng yù,territory; domain; realm; state; condition; situation; circumstances -境外,jìng wài,outside (a country's) borders -境况,jìng kuàng,circumstances -境由心生,jìng yóu xīn shēng,our mindset frames how we view the world -境界,jìng jiè,boundary; state; realm -境遇,jìng yù,circumstance -墅,shù,villa -墉,yōng,fortified wall; city wall -墉垣,yōng yuán,city wall -垫,diàn,pad; cushion; mat; to pad out; to fill a gap; to pay for sb; to advance (money) -垫上,diàn shàng,to pay for sb -垫付,diàn fù,to pay sb else's expense with the expectation of being reimbursed by that person later -垫圈,diàn juàn,"to spread litter in a cowshed, pigsty etc" -垫圈,diàn quān,washer (on bolt); toilet seat -垫子,diàn zi,cushion; mat; pad -垫平,diàn píng,to level (surfaces) -垫底,diàn dǐ,to put sth on the bottom; to eat sth to tide oneself over until mealtime; to lay the foundation; to come last in the rankings -垫底儿,diàn dǐ er,erhua variant of 墊底|垫底[dian4 di3] -垫底费,diàn dǐ fèi,deductible (the part of an insurance claim paid by the insured); (UK English) excess -垫支,diàn zhī,to advance funds -垫料,diàn liào,packing material; lagging; litter -垫档,diàn dàng,"to fill a blank space; to fill a slot (in a newspaper column, a TV program etc)" -垫款,diàn kuǎn,advance (of funds) -垫江,diàn jiāng,"Dianjiang, a county in Chongqing 重慶|重庆[Chong2qing4]" -垫江县,diàn jiāng xiàn,"Dianjiang, a county in Chongqing 重慶|重庆[Chong2qing4]" -垫片,diàn piàn,spacer; shim -垫肩,diàn jiān,shoulder pad -垫背,diàn bèi,to serve as a sacrificial victim; to suffer for sb else; scapegoat; to share sb's fate -垫脚,diàn jiao,litter (animal bedding) -垫脚石,diàn jiǎo shí,stepping stone; fig. person used to advance one's career -垫被,diàn bèi,mattress -垫补,diàn bu,(coll.) to cover a shortfall by using funds intended for another purpose or by borrowing some money; (coll.) to snack -垫褥,diàn rù,cotton-padded mattress -垫高,diàn gāo,a support; to raise; to bolster; to jack up -墒,shāng,plowed earth; soil moisture; furrow -墒土,shāng tǔ,"moist, newly-tilled soil" -墒情,shāng qíng,the state of moisture in the soil (and whether it can support a crop) -墓,mù,grave; tomb; mausoleum -墓主,mù zhǔ,occupant of tomb; person buried -墓园,mù yuán,cemetery; graveyard -墓地,mù dì,cemetery; graveyard -墓坑,mù kēng,tomb pit -墓坑夯土层,mù kēng hāng tǔ céng,layer filled with rammed earth in a tomb pit (archeology) -墓场,mù chǎng,graveyard -墓塔,mù tǎ,funerary pagoda -墓石,mù shí,tombstone; gravestone -墓碑,mù bēi,gravestone; tombstone -墓穴,mù xué,tomb; grave -墓窖,mù jiào,catacomb -墓葬,mù zàng,(archeology) grave; tomb -墓葬区,mù zàng qū,burial area -墓葬群,mù zàng qún,burial complex (archaeology) -墓志,mù zhì,inscribed stone tablet placed in a tomb; memorial inscription on such a tablet -墓志铭,mù zhì míng,epitaph -墓道,mù dào,path leading to a grave; tomb passage; aisle leading to the coffin chamber of an ancient tomb -塔,tǎ,old variant of 塔[ta3] -坠,zhuì,to fall; to drop; to weigh down -坠亡,zhuì wáng,to fall to one's death -坠入,zhuì rù,to drop into; to fall into -坠入情网,zhuì rù qíng wǎng,to fall in love -坠子,zhuì zi,weight; pendant; same as 墜胡|坠胡[zhui4 hu2]; ballad singing accompanied by a 墜胡|坠胡[zhui4 hu2] -坠楼,zhuì lóu,to fall off or jump off a building -坠机,zhuì jī,airplane crash -坠毁,zhuì huǐ,(of an airplane etc) to fall to the ground and crash -坠海,zhuì hǎi,to fall into the ocean; to crash into the ocean -坠琴,zhuì qín,same as 墜胡|坠胡[zhui4 hu2] -坠胎,zhuì tāi,to have an abortion; abortion -坠胡,zhuì hú,two-stringed bowed instrument; also called 墜琴|坠琴[zhui4 qin2] -坠落,zhuì luò,to fall; to drop -坠饰,zhuì shì,pendant (jewelry) -坠马,zhuì mǎ,to fall off a horse -增,zēng,(bound form) to increase; to augment; to add to -增三和弦,zēng sān hé xián,augmented triad (musical chord) -增值,zēng zhí,to appreciate (financially); to increase in value; value-added (accountancy) -增值税,zēng zhí shuì,value-added tax (VAT) -增光,zēng guāng,to add luster; to add glory -增兵,zēng bīng,to reinforce; to increase troop numbers; reinforcements; extra troops -增刊,zēng kān,additional publication; supplement (to a newspaper) -增删,zēng shān,add and delete -增加,zēng jiā,to raise; to increase -增加值,zēng jiā zhí,value added (accountancy) -增厚,zēng hòu,to thicken -增城区,zēng chéng qū,"Zengcheng District of Guangzhou City 廣州市|广州市[Guang3 zhou1 Shi4], Guangdong" -增塑剂,zēng sù jì,plasticizer -增压,zēng yā,to pressurize; to boost; to supercharge -增多,zēng duō,to increase; to grow in number -增大,zēng dà,to enlarge; to amplify; to magnify -增岗,zēng gǎng,to increase the number of jobs; to create jobs -增幅,zēng fú,growth rate; amplification -增年,zēng nián,to lengthen life -增广,zēng guǎng,to widen -增强,zēng qiáng,to increase; to strengthen -增强现实,zēng qiáng xiàn shí,(computing) augmented reality; AR -增持,zēng chí,(of an investor) to increase one's holdings -增援,zēng yuán,to reinforce -增收,zēng shōu,"to increase revenue; to increase income by (x amount); to levy (a surcharge, tax increase etc); (of a school) to have an increased student intake" -增殖,zēng zhí,growth; increase -增殖反应堆,zēng zhí fǎn yìng duī,breeder reactor -增添,zēng tiān,to add; to increase -增减,zēng jiǎn,to add or subtract; to increase or decrease; to go up or go down -增温层,zēng wēn céng,thermosphere -增生,zēng shēng,(medicine) hyperplasia; (abbr. for 增廣生員|增广生员[zeng1guang3 sheng1yuan2]) a scholar studying for the Ming dynasty imperial examinations who did not make the quota for support in the form of a monthly allowance of rice that students who made the quota received -增产,zēng chǎn,to increase production -增田,zēng tián,Masuda (Japanese surname) -增白剂,zēng bái jì,whitener; whitening agent -增益,zēng yì,to increase; gain (electronics); (gaming) buff -增稠,zēng chóu,to thicken -增稠剂,zēng chóu jì,thickener -增色,zēng sè,to enrich; to enhance; to beautify -增补,zēng bǔ,to augment; to supplement; to add -增订,zēng dìng,to revise and enlarge (a book); to augment a purchase order -增订本,zēng dìng běn,revised and enlarged edition -增设,zēng shè,to add to existing facilities or services -增资,zēng zī,capital increase -增速,zēng sù,to speed up; to accelerate; (economics) growth rate -增进,zēng jìn,to promote; to enhance; to further; to advance (a cause etc) -增重粉,zēng zhòng fěn,gainer (supplement) -增量,zēng liàng,increment -增量参数,zēng liàng cān shù,incremental parameter -增长,zēng zhǎng,to grow; to increase -增长天,zēng zhǎng tiān,Virudhaka (one of the Heavenly Kings) -增长率,zēng zhǎng lǜ,growth rate (esp. in economics) -增防,zēng fáng,to reinforce defenses -增高,zēng gāo,to heighten; to raise; to increase; to rise -墟,xū,ruins; (literary) village; variant of 圩[xu1]; country fair -墟里,xū lǐ,village -墨,mò,"surname Mo; abbr. for 墨西哥[Mo4xi1ge1], Mexico" -墨,mò,ink stick; China ink; CL:塊|块[kuai4]; corporal punishment consisting of tattooing characters on the victim's forehead -墨丘利,mò qiū lì,Mercury (Roman god) -墨刑,mò xíng,corporal punishment consisting of carving and inking characters on the victim's forehead -墨匣,mò xiá,ink cartridge -墨子,mò zǐ,"Mozi (c. 470-391 BC), founder of the Mohist School 墨家[Mo4 jia1] of the Warring States Period (475-220 BC)" -墨守成规,mò shǒu chéng guī,hidebound by convention (idiom) -墨客,mò kè,literary person -墨家,mò jiā,"Mohist School of the Warring States Period (475-220 BC), founded by the philosopher 墨子[Mo4 zi3]" -墨巴本,mò bā běn,"(Tw) Mbabane, administrative capital of Eswatini" -墨斗,mò dǒu,carpenter's straight line marker (an inked cord stretched tight then lowered onto timber) -墨条,mò tiáo,ink stick -墨水,mò shuǐ,ink; CL:瓶[ping2] -墨水儿,mò shuǐ er,erhua variant of 墨水[mo4 shui3] -墨水瓶架,mò shuǐ píng jià,inkstand -墨汁,mò zhī,prepared Chinese ink -墨江哈尼族自治县,mò jiāng hā ní zú zì zhì xiàn,"Mojiang Hani Autonomous County in Pu'er 普洱[Pu3 er3], Yunnan" -墨江县,mò jiāng xiàn,"Mojiang Hani autonomous county in Pu'er 普洱[Pu3 er3], Yunnan" -墨渍,mò zì,ink stain; ink blot; spot; smudge -墨湾,mò wān,Gulf of Mexico -墨尔本,mò ěr běn,"Melbourne, Australia" -墨尔钵,mò ěr bō,see 墨爾本|墨尔本[Mo4 er3 ben3] -墨玉,mò yù,"Karakax County in Hotan Prefecture 和田地區|和田地区[He2 tian2 Di4 qu1], Xinjiang" -墨玉县,mò yù xiàn,"Karakax County in Hotan Prefecture 和田地區|和田地区[He2 tian2 Di4 qu1], Xinjiang" -墨盒,mò hé,ink cartridge -墨砚,mò yàn,ink slab; ink stone -墨竹工卡,mò zhú gōng kǎ,"Maizhokunggar county, Tibetan: Mal gro gung dkar rdzong in Lhasa 拉薩|拉萨[La1 sa4], Tibet" -墨竹工卡县,mò zhú gōng kǎ xiàn,"Maizhokunggar county, Tibetan: Mal gro gung dkar rdzong in Lhasa 拉薩|拉萨[La1 sa4], Tibet" -墨笔,mò bǐ,writing brush -墨纸,mò zhǐ,blotting paper -墨索里尼,mò suǒ lǐ ní,"Benito Mussolini (1883-1945), Italian fascist dictator, ""Il Duce"", president 1922-1943" -墨累,mò lèi,Murray (name) -墨累达令流域,mò lèi dá lìng liú yù,Murray-Darling river system in the southeast of Australia -墨绿,mò lǜ,dark green; forest green -墨绿色,mò lǜ sè,dark or deep green -墨线,mò xiàn,inked line; carpenter's straight line marker (an inked cord stretched tight then lowered onto timber) -墨翟,mò dí,original name of Mozi 墨子[Mo4 zi3] -墨者,mò zhě,Mohist; follower of Mohist school -墨脱,mò tuō,"Mêdog county, Tibetan: Me tog rdzong, in Nyingchi prefecture 林芝地區|林芝地区[Lin2 zhi1 di4 qu1], Tibet" -墨脱县,mò tuō xiàn,"Mêdog county, Tibetan: Me tog rdzong, in Nyingchi prefecture 林芝地區|林芝地区[Lin2 zhi1 di4 qu1], Tibet" -墨西哥,mò xī gē,Mexico -墨西哥人,mò xī gē rén,Mexican -墨西哥城,mò xī gē chéng,"Mexico City, capital of Mexico" -墨西哥卷饼,mò xī gē juǎn bǐng,taco; burrito -墨西哥湾,mò xī gē wān,Gulf of Mexico -墨西哥辣椒,mò xī gē là jiāo,jalapeño -墨西拿,mò xī ná,"Messina, Sicilian city" -墨西拿海峡,mò xī ná hǎi xiá,Strait of Messina between Calabria and Sicily -墨角兰,mò jiǎo lán,marjoram (Origanum majorana) -墨迹,mò jì,ink marks; original calligraphy or painting of famous person -墨镜,mò jìng,"sunglasses; CL:隻|只[zhi1],雙|双[shuang1],副[fu4]" -墨鱼,mò yú,cuttlefish -墩,dūn,block; gate pillar; pier; classifier for clusters of plants; classifier for rounds in a card game: trick; (archaic) watchtower -墩布,dūn bù,swab; mop; CL:把[ba3] -墩,dūn,old variant of 墩[dun1] -堕,duò,to fall; to sink; (fig.) to degenerate -堕楼,duò lóu,to jump to one's death -堕胎,duò tāi,to induce an abortion; induced abortion -堕落,duò luò,to degrade; to degenerate; to become depraved; corrupt; a fall from grace -堕云雾中,duò yún wù zhōng,lit. to become lost in a fog (idiom); fig. at a complete loss -坟,fén,grave; tomb; CL:座[zuo4]; embankment; mound; ancient book -坟丘,fén qiū,a tomb -坟包,fén bāo,grave mound -坟地,fén dì,graveyard; cemetery -坟场,fén chǎng,cemetery -坟茔,fén yíng,grave; tomb; graveyard; cemetery; fig. one's native place (where one's ancestors are buried) -坟墓,fén mù,grave; tomb -坟山,fén shān,hill cemetery; graveyard; grave; grave mound; low wall at the back of a traditional tomb -坟穴,fén xué,grave -坟头,fén tóu,burial mound -垯,da,used in 圪墶|圪垯[ge1da5] -墙,qiáng,variant of 牆|墙[qiang2] -墼,jī,(bound form) unfired brick; (bound form) briquette (made of coal etc); Taiwan pr. [ji2] -垦,kěn,to reclaim (land); to cultivate -垦丁,kěn dīng,"Kenting, a national park on the southern tip of Taiwan, popular as a tourist destination (abbr. for 墾丁國家公園|垦丁国家公园[Ken3 ding1 Guo2 jia1 Gong1 yuan2])" -垦丁国家公园,kěn dīng guó jiā gōng yuán,"Kenting National Park on the Hengchun Peninsula 恆春半島|恒春半岛[Heng2 chun1 Ban4 dao3], Pingtung county, south Taiwan" -垦利,kěn lì,"Kenli District in Dongying 東營|东营[Dong1 ying2], Shandong" -垦利区,kěn lì qū,"Kenli District in Dongying 東營|东营[Dong1 ying2], Shandong" -垦殖,kěn zhí,to open up land for cultivation -垦耕,kěn gēng,"to bring under cultivation (scrubland, marshland etc)" -垦荒,kěn huāng,to open up land (for agriculture) -壁,bì,wall; rampart -壁助,bì zhù,help; assistant -壁咚,bì dōng,"(slang) to kabedon; to corner (sb in whom one has a romantic interest) against a wall (loanword from Japanese 壁ドン ""kabedon"")" -壁报,bì bào,wall newspaper -壁塞,bì sāi,wall plug; screw anchor -壁垒,bì lěi,rampart; barrier -壁垒一新,bì lěi yī xīn,to have one's defenses in good order (idiom) -壁垒森严,bì lěi sēn yán,closely guarded; strongly fortified; sharply divided -壁厢,bì xiāng,lateral; side; to the side; beside -壁挂,bì guà,wall hanging -壁效应,bì xiào yìng,wall effect -壁架,bì jià,ledge -壁橱,bì chú,a built-in wardrobe or cupboard; closet -壁毯,bì tǎn,tapestry (used as a wall hanging) -壁灯,bì dēng,wall lamp; bracket light; CL:盞|盏[zhan3] -壁炉,bì lú,fireplace -壁球,bì qiú,squash (sport) -壁画,bì huà,mural (painting); fresco -壁癌,bì ái,persistent mold on the wall; efflorescence -壁立,bì lì,(of cliffs etc) stand like a wall; rise steeply -壁纸,bì zhǐ,wallpaper -壁网球,bì wǎng qiú,jai alai (sports) -壁虎,bì hǔ,gecko; house lizard -壁虱,bì shī,tick; bedbug -壁龛,bì kān,niche (in a wall) -野,yě,erroneous variant of 野[ye3] -壅,yōng,to obstruct; to stop up; to heap soil around the roots of a plant -壅塞,yōng sè,variant of 擁塞|拥塞[yong1 se4] -壅蔽,yōng bì,(literary) to cover; to conceal; to hide from view -坛,tán,"altar; platform; rostrum; (bound form) (sporting, literary etc) circles; world" -壑,hè,gully; ravine; Taiwan pr. [huo4] -壑沟,hè gōu,ditch; narrow strip of water; moat -壑谷,hè gǔ,low-lying humid terrain -压,yā,to press; to push down; to keep under (control); pressure -压,yà,used in 壓根兒|压根儿[ya4 gen1 r5] and 壓馬路|压马路[ya4 ma3 lu4] and 壓板|压板[ya4 ban3] -压不碎,yā bu suì,crushproof; unbreakable; indomitable -压伏,yā fú,variant of 壓服|压服[ya1 fu2] -压低,yā dī,to lower (one's voice) -压住,yā zhù,to press down; to crush down; to restrain (anger); to keep down (voice) -压倒,yā dǎo,to overwhelm; to overpower; overwhelming -压倒性,yā dǎo xìng,overwhelming -压价,yā jià,to depress prices -压克力,yā kè lì,acrylic (loanword); see also 亞克力|亚克力[ya4 ke4 li4] -压制,yā zhì,to suppress; to inhibit; to stifle -压力,yā lì,pressure -压力容器,yā lì róng qì,pressure vessel; autoclave -压力山大,yā lì shān dà,(jocular) to be under great pressure (a pun on 亞歷山大|亚历山大[Ya4 li4 shan1 da4]) -压力强度,yā lì qiáng dù,pressure (as measured) -压力计,yā lì jì,pressure gauge; manometer; piezometer -压力锅,yā lì guō,pressure cooker -压垮,yā kuǎ,to cause sth to collapse under the weight; (fig.) to overwhelm -压埋,yā mái,to crush and bury -压场,yā chǎng,to hold the attention of an audience; to serve as the finale to a show -压坏,yā huài,to crush -压实,yā shí,to compress; to compact -压宝,yā bǎo,variant of 押寶|押宝[ya1 bao3] -压强,yā qiáng,pressure (physics) -压扁,yā biǎn,to squash; to crush flat -压抑,yā yì,to constrain or repress emotions; oppressive; stifling; depressing; repression -压挤,yā jǐ,to squeeze out; to extrude -压服,yā fú,to compel sb to obey; to force into submission; to subjugate -压板,yā bǎn,vise jaw; press board (machine) -压板,yà bǎn,see-saw -压根,yà gēn,(mainly used in the negative) in the first place; absolutely; simply -压根儿,yà gēn er,erhua variant of 壓根|压根[ya4 gen1] -压榨,yā zhà,"to press; to squeeze; to extract juice, oil etc by squeezing" -压岁钱,yā suì qián,money given to children as a gift on Chinese New Year's Eve -压死,yā sǐ,to crush to death -压死骆驼的最后一根稻草,yā sǐ luò tuo de zuì hòu yī gēn dào cǎo,the straw that broke the camel’s back (idiom); the final straw -压痛,yā tòng,(medicine) tenderness; pain experienced when touched or palpated -压碎,yā suì,to crush -压紧,yā jǐn,to compress -压线,yā xiàn,pressure crease; fig. to toil for sb else's benefit; line ball (i.e. on the line) -压线钳,yā xiàn qián,crimping pliers; amp pliers -压缩,yā suō,to compress; compression -压缩包,yā suō bāo,(computing) compressed archive file -压缩器,yā suō qì,compressor -压缩机,yā suō jī,compactor; compressor -压缩比,yā suō bǐ,compression ratio -压而不服,yā ér bù fú,coercion will never convince (idiom) -压台戏,yā tái xì,last item on a show; grand finale -压舌板,yā shé bǎn,tongue depressor; spatula -压花,yā huā,to emboss; coining; knurling -压蒜器,yā suàn qì,garlic press -压路机,yā lù jī,road roller -压车,yā chē,variant of 押車|押车[ya1 che1] -压轴好戏,yā zhòu hǎo xì,see 壓軸戲|压轴戏[ya1 zhou4 xi4] -压轴戏,yā zhòu xì,next-to-last item on a program (theater); climax -压迫,yā pò,to oppress; to repress; to constrict; oppression; stress (physics) -压阵,yā zhèn,to bring up the rear; to provide support; to hold the lines -压电,yā diàn,piezoelectricity (physics) -压电体,yā diàn tǐ,piezo-electric -压韵,yā yùn,variant of 押韻|押韵[ya1 yun4] -压马路,yà mǎ lù,variant of 軋馬路|轧马路[ya4 ma3 lu4]; Taiwan pr. [ya1 ma3 lu4] -壕,háo,moat; (military) trench -壕沟,háo gōu,trench; moat -垒,lěi,"rampart; base (in baseball); to build with stones, bricks etc" -垒固,lěi gù,"Loi-kaw, capital of Kaya state, Myanmar" -垒球,lěi qiú,softball -垒砌,lěi qì,to build a structure out of layered bricks or stones -圹,kuàng,tomb -垆,lú,clay; shop -坏,huài,bad; spoiled; broken; to break down; (suffix) to the utmost -坏了,huài le,"shoot!; gosh!; oh, no!; (suffix) to the utmost" -坏事,huài shì,bad thing; misdeed; to ruin things -坏人,huài rén,bad person; villain -坏分子,huài fèn zǐ,bad element; bad egg; troublemaker -坏包儿,huài bāo er,rascal; rogue; little devil (term of endearment) -坏家伙,huài jiā huǒ,bad guy; scoundrel; dirty bastard -坏掉,huài diào,to get broken; to get damaged; to get ruined -坏东西,huài dōng xi,bastard; scoundrel; rogue -坏死,huài sǐ,necrosis -坏水,huài shuǐ,evil tricks -坏疽,huài jū,gangrene -坏种,huài zhǒng,bad kind; scoundrel -坏笑,huài xiào,to smirk; to grin wickedly; to snicker -坏脾气,huài pí qì,bad temper -坏肠子,huài cháng zi,evil person -坏处,huài chu,harm; troubles; CL:個|个[ge4] -坏蛋,huài dàn,bad egg; scoundrel; bastard -坏血病,huài xuè bìng,scurvy -坏话,huài huà,unpleasant talk; malicious words -坏账,huài zhàng,bad debt -坏透,huài tòu,completely bad -坏运,huài yùn,bad luck; misfortune -坏鸟,huài niǎo,sinister person; unsavory character; broken (not in working order) -垄,lǒng,ridge between fields; crop row; mounded soil forming a ridge in a field; grave mound -垄断,lǒng duàn,to monopolize -垄沟,lǒng gōu,furrow (agriculture) -垅,lǒng,old variant of 壟|垄[long3] -坜,lì,"hole, pit" -壤,rǎng,(bound form) soil; earth; (literary) the earth (contrasted with heaven 天[tian1]) -壤土,rǎng tǔ,(agriculture) loam; (literary) land; territory -壤塘,rǎng táng,"Zamthang County in Ngawa Tibetan and Qiang Autonomous Prefecture 阿壩藏族羌族自治州|阿坝藏族羌族自治州[A1ba4 Zang4zu2 Qiang1zu2 Zi4zhi4zhou1], northwest Sichuan" -壤塘县,rǎng táng xiàn,"Zamthang County in Ngawa Tibetan and Qiang Autonomous Prefecture 阿壩藏族羌族自治州|阿坝藏族羌族自治州[A1ba4 Zang4zu2 Qiang1zu2 Zi4zhi4zhou1], northwest Sichuan" -坝,bà,dam; dike; embankment; CL:條|条[tiao2] -士,shì,surname Shi -士,shì,member of the senior ministerial class (old); scholar (old); bachelor; honorific; soldier; noncommissioned officer; specialist worker -士丹利,shì dān lì,Stanley (name) -士人,shì rén,scholar -士兵,shì bīng,soldier; CL:個|个[ge4] -士力架,shì lì jià,Snickers (candy bar) -士卒,shì zú,soldier; private (army) -士多,shì duō,(dialect) store (loanword) -士多啤梨,shì duō pí lí,strawberry (loanword) -士大夫,shì dà fū,scholar officials -士子,shì zǐ,official; scholar (old) -士官,shì guān,warrant officer; petty officer; noncommissioned officer (NCO); Japanese military officer -士巴拿,shì bā ná,(dialect) spanner (loanword) -士师记,shì shī jì,Book of Judges -士敏土,shì mǐn tǔ,cement (loanword) (old) -士族,shì zú,"land-owning class, esp. during Wei, Jin and North-South dynasties 魏晉南北朝|魏晋南北朝[Wei4 Jin4 Nan2 Bei3 Chao2]" -士林,shì lín,"Shilin or Shihlin District of Taipei City 臺北市|台北市[Tai2 bei3 Shi4], Taiwan" -士林区,shì lín qū,"Shilin or Shihlin District of Taipei City 臺北市|台北市[Tai2 bei3 Shi4], Taiwan" -士气,shì qì,morale -士农工商,shì nóng gōng shāng,"""the four classes"" of ancient China, i.e. scholars, farmers, artisans, and merchants" -壬,rén,"ninth of the ten Heavenly Stems 十天干[shi2 tian1 gan1]; ninth in order; letter ""I"" or Roman ""IX"" in list ""A, B, C"", or ""I, II, III"" etc; ancient Chinese compass point: 345°; nona" -壬午,rén wǔ,"nineteenth year I7 of the 60 year cycle, e.g. 2002 or 2062" -壬子,rén zǐ,"forty-ninth year I1 of the 60 year cycle, e.g. 1972 or 2032" -壬寅,rén yín,"thirty-ninth year I3 of the 60 year cycle, e.g. 1962 or 2022" -壬戌,rén xū,"fifty-ninth year I11 of the 60 year cycle, e.g. 1982 or 2042" -壬申,rén shēn,"ninth year I9 of the 60 year cycle, e.g. 1992 or 2052" -壬辰,rén chén,"twenty-ninth year I5 of the 60 year cycle, e.g. 2012 or 2072" -壬辰倭乱,rén chén wō luàn,"Imjin war, Japanese invasion of Korea 1592-1598" -壮,zhuàng,"Zhuang ethnic group of Guangxi, the PRC's second most numerous ethnic group" -壮,zhuàng,to strengthen; strong; robust -壮丁,zhuàng dīng,able-bodied man (capable of fighting in a war) -壮围,zhuàng wéi,"Zhuangwei or Chuangwei Township in Yilan County 宜蘭縣|宜兰县[Yi2 lan2 Xian4], Taiwan" -壮围乡,zhuàng wéi xiāng,"Zhuangwei or Chuangwei Township in Yilan County 宜蘭縣|宜兰县[Yi2 lan2 Xian4], Taiwan" -壮士,zhuàng shì,hero; fighter; brave strong guy; warrior (in armor) -壮大,zhuàng dà,to expand; to strengthen -壮实,zhuàng shi,robust; sturdy -壮年,zhuàng nián,"lit. robust years; prime of life; summer; able-bodied (fit for military service); mature (talent, garden etc)" -壮志,zhuàng zhì,great goal; magnificent aspiration -壮族,zhuàng zú,"Zhuang ethnic group of Guangxi, the PRC's second most numerous ethnic group" -壮烈,zhuàng liè,brave; heroic -壮硕,zhuàng shuò,sturdy; thick and strong -壮美,zhuàng měi,magnificent -壮胆,zhuàng dǎn,to get one’s courage up; to embolden -壮举,zhuàng jǔ,magnificent feat; impressive feat; heroic undertaking; heroic attempt -壮观,zhuàng guān,spectacular; magnificent sight -壮语,zhuàng yǔ,Zhuang language; language of the Zhuang ethnic group 壯族|壮族[Zhuang4 zu2] of Guangxi -壮语,zhuàng yǔ,magnificent talk; exaggeration -壮起胆子,zhuàng qǐ dǎn zi,to proceed with sth even though scared; to put on a brave face -壮阔,zhuàng kuò,grand; majestic; vast -壮阳,zhuàng yáng,(TCM) to build up one's kidney yang; to boost male sex drive -壮丽,zhuàng lì,magnificence; magnificent; majestic; glorious -壴,zhù,surname Zhu -壴,zhù,(archaic) drum -壹,yī,one (banker's anti-fraud numeral) -壶,hú,pot; classifier for bottled liquid -壶铃,hú líng,"kettlebell, girya" -壶关,hú guān,"Huguan county in Changzhi 長治|长治[Chang2 zhi4], Shanxi" -壶关县,hú guān xiàn,"Huguan county in Changzhi 長治|长治[Chang2 zhi4], Shanxi" -婿,xù,variant of 婿[xu4] -寿,shòu,surname Shou -寿,shòu,long life; old age; age; life; birthday; funerary -寿保险公司,shòu bǎo xiǎn gōng sī,life insurance company -寿光,shòu guāng,"Shouguang, county-level city in Weifang 濰坊|潍坊[Wei2 fang1], Shandong" -寿光市,shòu guāng shì,"Shouguang, county-level city in Weifang 濰坊|潍坊[Wei2 fang1], Shandong" -寿司,shòu sī,sushi -寿命,shòu mìng,life span; life expectancy; lifetime (of a machine) -寿命不长,shòu mìng bù cháng,one's days are numbered; not to have long to live (often fig.) -寿喜烧,shòu xǐ shāo,sukiyaki -寿堂,shòu táng,mourning hall; a hall for a birthday celebration -寿宁,shòu níng,"Shouning county in Ningde 寧德|宁德[Ning2 de2], Fujian" -寿宁县,shòu níng xiàn,"Shouning county in Ningde 寧德|宁德[Ning2 de2], Fujian" -寿带,shòu dài,(bird species of China) Asian paradise flycatcher (Terpsiphone paradisi) -寿数,shòu shu,predestined length of life -寿数已尽,shòu shù yǐ jǐn,to die (when one's predestined life span is up) -寿星,shòu xīng,god of longevity; elderly person whose birthday is being celebrated -寿材,shòu cái,coffin -寿桃,shòu táo,"(myth.) peaches of immortality, kept by Xi Wangmu; fresh or confectionery peaches offered as a birthday gift" -寿桃包,shòu táo bāo,longevity peach bun; birthday peach bun -寿比南山,shòu bǐ nán shān,Live as long as the Zhongnan Mountains! (idiom); Long may you live! -寿王坟,shòu wáng fén,"Shouwangfen town, in Chengde 承德市[Cheng2 de2 shi4], Hebei" -寿王坟镇,shòu wáng fén zhèn,"Shouwangfen town, in Chengde 承德市[Cheng2 de2 shi4], Hebei" -寿礼,shòu lǐ,birthday present (for an old person) -寿筵,shòu yán,birthday banquet -寿糕,shòu gāo,birthday cake -寿终,shòu zhōng,to die of old age; to live to a ripe old age; (fig.) (of sth) to come to an end (after a long period of service) -寿终正寝,shòu zhōng zhèng qǐn,to die of old age; to die in one's bed at a ripe old age; (fig.) (of a structure or machine etc) to come to the end of its life -寿县,shòu xiàn,"Shou County or Shouxian, a county in Huainan 淮南[Huai2nan2], Anhui" -寿考,shòu kǎo,long life; life span -寿衣,shòu yī,burial clothes -寿丰,shòu fēng,"Shoufeng township in Hualien County 花蓮縣|花莲县[Hua1 lian2 Xian4], east Taiwan" -寿丰乡,shòu fēng xiāng,"Shoufeng township in Hualien County 花蓮縣|花莲县[Hua1 lian2 Xian4], east Taiwan" -寿辰,shòu chén,birthday (of an old person) -寿限,shòu xiàn,lifetime; length of life -寿阳,shòu yáng,"Shouyang county in Jinzhong 晉中|晋中[Jin4 zhong1], Shanxi" -寿阳县,shòu yáng xiàn,"Shouyang county in Jinzhong 晉中|晋中[Jin4 zhong1], Shanxi" -寿险,shòu xiǎn,life insurance; abbr. for 人壽保險|人寿保险 -寿面,shòu miàn,birthday noodles (for longevity) -夂,zhǐ,"""walk slowly"" component in Chinese characters; see also 冬字頭|冬字头[dong1 zi4 tou2]" -夅,jiàng,old variant of 降[jiang4] -夅,xiáng,old variant of 降[xiang2] -夆,féng,to butt (as horned animals) -夊,suī,see 夂[zhi3] -夌,líng,to dawdle; the name of the father of the Emperor Yao -夏,xià,the Xia or Hsia dynasty c. 2000 BC; Xia of the Sixteen Kingdoms (407-432); surname Xia -夏,xià,summer -夏代,xià dài,Xia or Hsia dynasty c. 2000 BC -夏令,xià lìng,summer; summer weather -夏令时,xià lìng shí,daylight saving time -夏令营,xià lìng yíng,summer camp -夏克提,xià kè tí,Shakti (Hinduism) -夏利,xià lì,"Xiali, car brand by Tianjin FAW Xiali Motor Company" -夏商周,xià shāng zhōu,"Xia, Shang and Zhou, the earliest named Chinese dynasties" -夏士莲,xià shì lián,"Hazeline, Unilever range of skin care products" -夏天,xià tiān,summer; CL:個|个[ge4] -夏威夷,xià wēi yí,"Hawaii, US state" -夏威夷岛,xià wēi yí dǎo,Hawaii island -夏威夷州,xià wēi yí zhōu,"Hawaii, US state" -夏威夷果,xià wēi yí guǒ,macadamia nut -夏威夷火山国家公园,xià wēi yí huǒ shān guó jiā gōng yuán,Hawaii Volcanoes National Park -夏娃,xià wá,"Eve, the first woman (transcription used in Protestant versions of the Bible) (from Hebrew Ḥawwāh, probably via Cantonese 夏娃 {Haa6waa1})" -夏季,xià jì,summer -夏州,xià zhōu,"old place name (up to Tang), in Hengshan county 橫山縣|横山县, Yulin, Shaanxi" -夏延,xià yán,"Cheyenne, capital of Wyoming" -夏敬渠,xià jìng qú,"Xia Jingqu (1705-1787), Qing novelist, author of monumental novel 野叟曝言[Ye3 sou3 Pu4 yan2] Humble Words of a Rustic Elder" -夏日,xià rì,summertime -夏时制,xià shí zhì,daylight saving time -夏普,xià pǔ,Sharp Corporation -夏历,xià lì,the traditional Chinese lunar calendar -夏朝,xià cháo,Xia Dynasty (2070-1600 BC) -夏正民,xià zhèng mín,"Justice Michael Hartmann (1944-), Hong Kong High Court judge" -夏河,xià hé,"Xiahe County in Gannan Tibetan Autonomous Prefecture 甘南藏族自治州[Gan1 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Gansu, formerly Amdo province of Tibet" -夏河县,xià hé xiàn,"Xiahe County in Gannan Tibetan Autonomous Prefecture 甘南藏族自治州[Gan1 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Gansu, formerly Amdo province of Tibet" -夏洛克,xià luò kè,Shylock (in Shakespeare's Merchant of Venice); Sherlock (name) -夏洛特,xià luò tè,Charlotte (name) -夏洛特敦,xià luò tè dūn,"Charlottetown, capital of Prince Edward Island, Canada" -夏洛特阿马利亚,xià luò tè ā mǎ lì yà,"Charlotte Amalie, capital of the United States Virgin Islands (USVI)" -夏津,xià jīn,"Xiajin county in Dezhou 德州[De2 zhou1], Shandong" -夏津县,xià jīn xiàn,"Xiajin county in Dezhou 德州[De2 zhou1], Shandong" -夏尔巴人,xià ěr bā rén,Sherpa -夏王朝,xià wáng cháo,"Xia dynasty, unconfirmed but placed at c. 2070-c. 1600 BC" -夏目漱石,xià mù shù shí,"Natsume Sōseki (1867-1916), one of the first modern Japanese novelists" -夏禹,xià yǔ,see 大禹[Da4 Yu3] -夏县,xià xiàn,"Xia county in Yuncheng 運城|运城[Yun4 cheng2], Shanxi" -夏至,xià zhì,"Xiazhi or Summer Solstice, 10th of the 24 solar terms 二十四節氣|二十四节气 21st June-6th July" -夏至点,xià zhì diǎn,the summer solstice -夏虫不可以语冰,xià chóng bù kě yǐ yǔ bīng,a summer insect cannot discuss ice (idiom) -夏衍,xià yǎn,"Xia Yan (1900-1995), Chinese writer, playwright, socialist critic and movie pioneer" -夏邑,xià yì,"Xiayi county in Shangqiu 商丘[Shang1 qiu1], Henan" -夏邑县,xià yì xiàn,"Xiayi county in Shangqiu 商丘[Shang1 qiu1], Henan" -夏黄公,xià huáng gōng,"Xia Huanggong also known as Huang Shigong 黃石公|黄石公[Huang2 Shi2 gong1] (dates of birth and death uncertain), Daoist hermit of the Qin Dynasty 秦代[Qin2 dai4] and purported author of “Three Strategies of Huang Shigong” 黃石公三略|黄石公三略[Huang2 Shi2 gong1 San1 lu:e4], one of the Seven Military Classics of ancient China 武經七書|武经七书[Wu3 jing1 Qi1 shu1]" -夔,kuí,one-legged mountain demon of Chinese mythology; Chinese mythical figure who invented music and dancing; Chinese rain god; surname Kui -夔夔,kuí kuí,awestruck and fearful -夔州,kuí zhōu,"Kuizhou, ancient area of modern Fengjie County 奉節縣|奉节县[Feng4 jie2 Xian4], Chongqing" -夕,xī,dusk; evening; Taiwan pr. [xi4] -夕照,xī zhào,glow of the setting sun -夕发朝至,xī fā zhāo zhì,to depart in the evening and arrive the next morning; overnight (train) -夕阳,xī yáng,sunset; the setting sun -夕阳产业,xī yáng chǎn yè,sunset industry; declining industry -夕阳西下,xī yáng xī xià,the sun sets in the west (idiom) -外,wài,outside; in addition; foreign; external -外丹,wài dān,Taoist external alchemy -外事,wài shì,foreign affairs -外事处,wài shì chù,Foreign Affairs Office (at a university); Foreign Affairs Department -外交,wài jiāo,diplomacy; diplomatic; foreign affairs; CL:個|个[ge4] -外交事务,wài jiāo shì wù,foreign affairs -外交大臣,wài jiāo dà chén,Foreign Secretary; (UK) Secretary of State for Foreign and Commonwealth Affairs -外交学院,wài jiāo xué yuàn,China Foreign Affairs University -外交官,wài jiāo guān,diplomat -外交家,wài jiāo jiā,diplomat -外交庇护,wài jiāo bì hù,diplomatic asylum -外交手腕,wài jiāo shǒu wàn,diplomatic -外交政策,wài jiāo zhèng cè,foreign policy -外交特权,wài jiāo tè quán,diplomatic immunity -外交豁免权,wài jiāo huò miǎn quán,diplomatic immunity -外交部,wài jiāo bù,Ministry of Foreign Affairs; foreign office; Dept. of State -外交部长,wài jiāo bù zhǎng,minister of foreign affairs -外交关系,wài jiāo guān xì,foreign relations; diplomatic relations -外交关系理事会,wài jiāo guān xì lǐ shì huì,Council on Foreign Relations (US policy think tank) -外交风波,wài jiāo fēng bō,diplomatic crisis -外人,wài rén,outsider; foreigner; stranger -外企,wài qǐ,"foreign enterprise; company established in mainland China with direct investment from foreign entities or from investors in Taiwan, Macao or Hong Kong; abbr. for 外資企業|外资企业" -外来,wài lái,external; foreign; outside -外来人,wài lái rén,foreigner -外来娃,wài lái wá,children born to parents from rural areas who have migrated to urban areas -外来成语,wài lái chéng yǔ,loan idiom -外来投资,wài lái tóu zī,foreign investment -外来物种,wài lái wù zhǒng,an introduced species -外来词,wài lái cí,loanword -外来语,wài lái yǔ,loanword -外来货,wài lái huò,imported product -外侮,wài wǔ,(literary) foreign aggression; external threat; humiliation inflicted by outsiders -外借,wài jiè,to lend (sth other than money); to borrow -外侧,wài cè,outer side -外侧沟,wài cè gōu,lateral sulcus or Sylvian fissure (neuroanatomy) -外侧裂,wài cè liè,lateral sulcus or Sylvian fissure (neuroanatomy) -外传,wài chuán,to tell others (a secret); to divulge to an outsider; to be rumored -外传,wài zhuàn,unofficial biography (as opposed to official dynastic biography) -外债,wài zhài,foreign debt -外伤,wài shāng,injury; wound; trauma -外侨,wài qiáo,foreigner -外八字脚,wài bā zì jiǎo,splayed feet -外八字腿,wài bā zì tuǐ,bow legs; bandy legs -外公,wài gōng,(coll.) mother's father; maternal grandfather -外出,wài chū,to go out; to go away (on a trip etc) -外出访问,wài chū fǎng wèn,to make an official visit (often abroad) -外分泌,wài fēn mì,exocrine; external secretion (e.g. saliva) -外分泌腺,wài fēn mì xiàn,exocrine gland; gland producing external secretion (e.g. saliva) -外刚内柔,wài gāng nèi róu,soft on the inside despite one's hard shell; appearing tough on the outside as to mask one's inner vulnerability; also written 內柔外剛|内柔外刚[nei4 rou2 wai4 gang1] -外力,wài lì,external force; pressure from outside -外加,wài jiā,in addition; extra -外加剂,wài jiā jì,additive -外加附件,wài jiā fù jiàn,add-on (software); plug-in (software) -外务,wài wù,foreign affairs -外务省,wài wù shěng,foreign ministry (e.g. of Japan or Korea) -外务部,wài wù bù,Ministry of Foreign Affairs in Qing Dynasty -外劳,wài láo,abbr. for 外籍勞工|外籍劳工[wai4 ji2 lao2 gong1]; foreign worker -外勤,wài qín,field work; field personnel; any occupation that involves a great deal of field work -外包,wài bāo,outsourcing -外汇,wài huì,foreign (currency) exchange -外汇储备,wài huì chǔ bèi,foreign-exchange reserves -外汇存底,wài huì cún dǐ,foreign exchange reserves (Tw) -外协,wài xié,outsourcing; people who judge others by their looks (abbr. for 外貌協會|外貌协会[wai4 mao4 xie2 hui4]) -外卡,wài kǎ,(sports) wild card (loanword) -外向,wài xiàng,extroverted (personality); (economics etc) export-oriented -外向型,wài xiàng xíng,export-oriented (economic model) -外商,wài shāng,foreign businessman -外商独资企业,wài shāng dú zī qǐ yè,wholly foreign-owned enterprise (WFOE) (form of legal entity in China); abbr. to 外資企業|外资企业[wai4 zi1 qi3 ye4] -外商直接投资,wài shāng zhí jiē tóu zī,overseas foreign direct investment (OFDI) -外国,wài guó,foreign (country); CL:個|个[ge4] -外国人,wài guó rén,foreigner -外国人居住证明,wài guó rén jū zhù zhèng míng,foreigner's certificate of residence -外国公司,wài guó gōng sī,foreign company -外国媒体,wài guó méi tǐ,foreign news media -外国投资者,wài guó tóu zī zhě,foreign investor -外国旅游者,wài guó lǚ yóu zhě,foreign traveler -外国话,wài guó huà,foreign languages -外国语,wài guó yǔ,foreign language -外国资本,wài guó zī běn,foreign capital -外围,wài wéi,surrounding -外圆内方,wài yuán nèi fāng,"lit. outside-flexible, inside-firm (idiom); fig. velvet glove" -外在,wài zài,external; extrinsic -外在超越,wài zài chāo yuè,outer transcendence (perfection through the agency of God) -外地,wài dì,parts of the country other than where one is -外地人,wài dì rén,stranger; outsider -外型,wài xíng,external form -外埔,wài pǔ,"Waipu Township in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -外埔乡,wài pǔ xiāng,"Waipu Township in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -外场,wài cháng,outside world; society -外场,wài chǎng,"outer area (of a place that has an inner area); dining area of a restaurant (as opposed to the kitchen); outfield (baseball etc); area outside a venue (e.g. exterior of a stadium); field (maintenance, testing etc); (Chinese opera) the area in front of the table on the stage" -外场人,wài cháng rén,"sophisticated, worldly person; man of the world" -外太空,wài tài kōng,outer space -外套,wài tào,coat; jacket; CL:件[jian4] -外婆,wài pó,(coll.) mother's mother; maternal grandmother -外媒,wài méi,foreign news media; abbr. of 外國媒體|外国媒体 -外嫁,wài jià,(of a woman) to marry a non-local or foreigner -外子,wài zǐ,(polite) my husband -外孙,wài sūn,daughter's son; grandson; descendant via the female line -外孙女,wài sūn nǚ,daughter's daughter; granddaughter -外孙女儿,wài sūn nǚ er,granddaughter (one's daughter's daughter) -外孙子,wài sūn zi,(coll.) daughter's son; grandson -外宣,wài xuān,(abbr. for 對外宣傳|对外宣传[dui4 wai4 xuan1 chuan2]) (one's own) international public relations efforts; (another nation's) external propaganda -外宽内忌,wài kuān nèi jì,"magnanimous on the outside, but hateful on the inside (idiom)" -外小腿,wài xiǎo tuǐ,shin -外展训练,wài zhǎn xùn liàn,outdoor education program -外层,wài céng,outer layer; outer shell -外层空间,wài céng kōng jiān,outer space -外差,wài chā,heterodyne (electronics) -外带,wài dài,take-out (fast food); (outer part of) tire; as well; besides; into the bargain; outer zone -外币,wài bì,foreign currency -外延,wài yán,extension (semantics) -外强中干,wài qiáng zhōng gān,strong in appearance but weak in reality (idiom) -外形,wài xíng,figure; shape; external form; contour -外径,wài jìng,external diameter (including thickness of the wall) -外心,wài xīn,(of a married person) interest in a third person; (old) (of a minister etc) disloyal disposition; (math.) circumcenter (of a polygon) -外快,wài kuài,extra income -外患,wài huàn,foreign aggression -外手,wài shǒu,right-hand side (of a machine); right-hand side (passenger side) of a vehicle -外挂,wài guà,attached externally (e.g. fuel tank); plug-in; add-on; special software used to cheat in an online game -外挂程式,wài guà chéng shì,plug-in (software) (Tw) -外接圆,wài jiē yuán,circumscribed circle (of a polygon) -外推,wài tuī,to extrapolate -外推法,wài tuī fǎ,extrapolation (math.); to extrapolate -外插,wài chā,to extrapolate; extrapolation (math.); (computing) to plug in (a peripheral device etc) -外援,wài yuán,foreign aid; external aid; (sports) foreign player; player recruited from overseas -外搭程式,wài dā chéng shì,add-on software (Tw) -外放,wài fàng,extroverted; outgoing; to play audio through speakers (rather than through earphones); (old) to appoint to a post outside the capital -外教,wài jiào,foreign teacher (abbr. for 外國教師|外国教师); greenhorn; novice; amateurish; religion other than Buddhism (term used by Buddhists) -外敷,wài fū,to apply externally -外文,wài wén,foreign language (written) -外文系,wài wén xì,department of foreign languages; modern languages (college department) -外斜肌,wài xié jī,external oblique muscle (sides of the chest) -外星,wài xīng,alien; extraterrestrial -外星人,wài xīng rén,space alien; extraterrestrial -外东北,wài dōng běi,Outer Manchuria -外业,wài yè,on-site operations (e.g. surveying) -外壳,wài ké,envelope; outer shell; hull; cover; case -外水,wài shuǐ,extra income -外泄,wài xiè,to leak (usually secret information) -外流,wài liú,outflow; to flow out; to drain -外海,wài hǎi,offshore; open sea -外源,wài yuán,exogenous -外源凝集素,wài yuán níng jí sù,(biochemistry) lectin -外溢,wài yì,(of liquid) to spill out; to overflow; (of gas) to leak out; (fig.) to spill over; to spread (to new areas); (fig.) (of wealth etc) to drain; to flow outward (esp. overseas); (fig.) (of talent) to show; to be revealed -外满洲,wài mǎn zhōu,Outer Manchuria -外激素,wài jī sù,pheromone -外滩,wài tān,the Shanghai Bund or Waitan -外照射,wài zhào shè,external irradiation -外烩,wài huì,catering (Tw) -外爷,wài ye,(dialect) maternal grandfather -外墙,wài qiáng,facade; external wall -外环线,wài huán xiàn,outer ring (road or rail line) -外甥,wài shēng,sister's son; wife's sibling's son -外甥女,wài sheng nǚ,sister's daughter; wife's sibling's daughter -外甥女婿,wài sheng nǚ xu,sister's daughter's husband -外甥媳妇,wài sheng xí fù,sister's son's wife -外用,wài yòng,external -外界,wài jiè,the outside world; external -外皮,wài pí,outer skin; carapace -外相,wài xiàng,Foreign Minister -外眦,wài zì,(anatomy) lateral canthus; outer corner of the eye -外眼角,wài yǎn jiǎo,outer corner of the eye -外祖母,wài zǔ mǔ,mother's mother; maternal grandmother -外祖父,wài zǔ fù,maternal grandfather (i.e. mother's father) -外科,wài kē,surgery (branch of medicine) -外科学,wài kē xué,surgery -外科手术,wài kē shǒu shù,surgery -外科医生,wài kē yī shēng,"surgeon; as opposed to physician 內科醫生|内科医生[nei4 ke1 yi1 sheng1], who works primarily by administering drugs" -外稃,wài fū,(botany) lemma -外积,wài jī,exterior product; the cross product of two vectors -外管局,wài guǎn jú,State Administration of Foreign Exchange (abbr. for 國家外匯管理局|国家外汇管理局[Guo2 jia1 Wai4 hui4 Guan3 li3 ju2]) -外籍,wài jí,foreign (i.e. of foreign nationality) -外籍劳工,wài jí láo gōng,foreign worker -外籍华人,wài jí huá rén,overseas Chinese; persons of Chinese origin having foreign citizenship -外网,wài wǎng,the Internet outside the GFW 防火長城|防火长城[Fang2 huo3 Chang2 cheng2] -外线,wài xiàn,(military) line of troops encircling an enemy position; (telephony) outside line; (basketball) outside the three-point line -外置,wài zhì,external (i.e. not built-in 內置|内置[nei4 zhi4]) -外耳,wài ěr,outer ear -外耳道,wài ěr dào,"external auditory meatus; auditory canal, between the outer ear 外耳 and tympanum 鼓膜" -外胚层,wài pēi céng,ectoderm (cell lineage in embryology) -外舅,wài jiù,(literary) father-in-law; wife's father -外蒙古,wài měng gǔ,Outer Mongolia -外号,wài hào,nickname -外行,wài háng,layman; amateur -外衣,wài yī,outer clothing; semblance; appearance -外表,wài biǎo,external; outside; outward appearance -外袍,wài páo,robe -外观,wài guān,outward appearance -外观设计,wài guān shè jì,look; external appearance; design; overall brand look or logo that can be patented -外设,wài shè,peripherals -外语,wài yǔ,foreign language; CL:門|门[men2] -外貌,wài mào,profile; appearance -外貌主义,wài mào zhǔ yì,lookism -外貌协会,wài mào xié huì,"the ""good-looks club"": people who attach great importance to a person's appearance (pun on 外貿協會|外贸协会 foreign trade association)" -外贸,wài mào,foreign trade -外贸协会,wài mào xié huì,"Taiwan External Trade Development Council (TAITRA), abbr. for 中華民國對外貿易發展協會|中华民国对外贸易发展协会" -外资,wài zī,foreign investment -外资企业,wài zī qǐ yè,abbr. for 外商獨資企業|外商独资企业[wai4 shang1 du2 zi1 qi3 ye4] -外宾,wài bīn,foreign guest; international visitor -外卖,wài mài,(of a restaurant) to provide a takeout or home delivery meal; takeout (business); takeout (meal) -外卖员,wài mài yuán,food delivery person -外质膜,wài zhì mó,external plasma membrane -外路,wài lù,see 外地[wai4 di4] -外踝,wài huái,lateral malleolus -外办,wài bàn,foreign affairs office -外送,wài sòng,to send out; fast food delivered -外逃,wài táo,to flee abroad; to run away; to desert; outflow -外遇,wài yù,extramarital affair -外边,wài bian,outside; outer surface; abroad; place other than one's home -外边儿,wài bian er,erhua variant of 外邊|外边[wai4 bian5] -外邦人,wài bāng rén,gentile -外部,wài bù,the outside; (attributive) external; exterior; surface -外部连接,wài bù lián jiē,external link -外部链接,wài bù liàn jiē,external link (on website) -外郭城,wài guō chéng,outer city wall -外乡,wài xiāng,another part of the country; some other place -外乡人,wài xiāng rén,a stranger; out-of-towner -外销,wài xiāo,to export; to sell abroad -外错角,wài cuò jiǎo,(math.) alternate exterior angles -外链,wài liàn,(computing) external link (abbr. for 外部鏈接|外部链接[wai4 bu4 lian4 jie1]) -外长,wài zhǎng,foreign minister; secretary of state; minister of foreign affairs -外间,wài jiān,outer room; the external world; outside -外院,wài yuàn,outer courtyard -外阴,wài yīn,vulva -外电,wài diàn,reports from foreign news agencies -外露,wài lù,exposed; appearing on the outside -外面,wài miàn,outside (also pr. [wai4 mian5] for this sense); surface; exterior; external appearance -外头,wài tou,outside; out -外骛,wài wù,to get involved in things which are not one's business -外骨骼,wài gǔ gé,"exoskeleton (the carapace of insects, crabs etc)" -外高加索,wài gāo jiā suǒ,"Transcaucasia, aka the South Caucasus" -夗,yuàn,to turn over when asleep -卯,mǎo,variant of 卯[mao3] -夙,sù,morning; early; long-held; long-cherished -夙世,sù shì,previous life -夙夜,sù yè,morning and night; always; at all times -夙夜匪懈,sù yè fěi xiè,to work from morning to night (idiom) -夙嫌,sù xián,old grudge; long-standing resentment -夙敌,sù dí,old foe; long-standing enemy -夙日,sù rì,at ordinary times -夙兴夜寐,sù xīng yè mèi,to rise early and sleep late (idiom); to work hard; to study diligently; to burn the candle at both ends -夙诺,sù nuò,old promise; long-standing commitment -夙愿,sù yuàn,long-cherished wish -夙愿以偿,sù yuàn yǐ cháng,a long-cherished ambition is realized -夙愿得偿,sù yuàn dé cháng,to have a long-cherished wish realized -多,duō,many; much; too many; in excess; (after a numeral) ... odd; how (to what extent) (Taiwan pr. [duo2]); (bound form) multi-; poly- -多一事不如少一事,duō yī shì bù rú shǎo yī shì,it is better to avoid unnecessary trouble (idiom); the less complications the better -多久,duō jiǔ,(of time) how long?; (not) a long time -多了去了,duō le qù le,(coll.) aplenty; millions of -多事,duō shì,meddlesome; eventful -多事之秋,duō shì zhī qiū,troubled times; eventful period -多任务处理,duō rèn wu chǔ lǐ,multitasking (computing) -多伊尔,duō yī ěr,Doyle (name) -多佛,duō fó,Dover -多佛尔,duō fó ěr,Dover -多个,duō ge,"many; multiple; multi- (faceted, ethnic etc)" -多个朋友多条路,duō gè péng yǒu duō tiáo lù,"the more friends you have, the more options you have in life (idiom)" -多倍体,duō bèi tǐ,polyploid (multiple chromosomes) -多伦,duō lún,"Duolun County in Xilingol League 錫林郭勒盟|锡林郭勒盟[Xi1 lin2 guo1 le4 Meng2], Inner Mongolia" -多伦多,duō lún duō,"Toronto, capital of Ontario, Canada" -多伦县,duō lún xiàn,"Duolun County in Xilingol League 錫林郭勒盟|锡林郭勒盟[Xi1 lin2 guo1 le4 Meng2], Inner Mongolia" -多值,duō zhí,multivalued (math.) -多值函数,duō zhí hán shù,multivalued function (math.) -多侧面,duō cè miàn,many-sided -多元,duō yuán,poly-; multi-; multielement; multivariant; multivariate (math.) -多元不饱和脂肪酸,duō yuán bù bǎo hé zhī fáng suān,polyunsaturated fatty acid -多元化,duō yuán huà,diversification; pluralism; to diversify -多元宇宙,duō yuán yǔ zhòu,multiverse (cosmology) -多元性,duō yuán xìng,diversity -多元文化主义,duō yuán wén huà zhǔ yì,multiculturalism -多元论,duō yuán lùn,"pluralism, philosophical doctrine that the universe consists of different substances" -多元酯,duō yuán zhǐ,polyester -多利,duō lì,"Dolly (1996-2003), female sheep, first mammal to be cloned from an adult somatic cell" -多力多滋,duō lì duō zī,Doritos (brand of tortilla chips) -多功能,duō gōng néng,multifunctional; multifunction -多功能表,duō gōng néng biǎo,multifunction meter (e.g. for gas and electricity supply) -多助,duō zhù,receiving much help (from outside); well supported -多动症,duō dòng zhèng,(coll.) attention deficit hyperactivity disorder (ADHD) -多劳多得,duō láo duō dé,work more and get more -多半,duō bàn,most; mostly; most likely -多吃多占,duō chī duō zhàn,taking or eating more than one's due (idiom); greedy and selfish -多吉币,duō jí bì,Dogecoin (cryptocurrency) -多咱,duō zan,(dialect) when?; what time?; whenever -多哈,duō hā,"Doha, capital of Qatar" -多哈回合,duō hā huí hé,"Doha Round (world trade talks that began in Doha, Qatar in 2001)" -多哥,duō gē,Togo -多嘴,duō zuǐ,talkative; to speak out of turn; to blab; to shoot one's mouth off; rumors fly -多嘴多舌,duō zuǐ duō shé,to gossip and meddle; to shoot one's mouth off; talkative -多国,duō guó,multinational -多国公司,duō guó gōng sī,multinational -多型,duō xíng,(computing) polymorphism -多报,duō bào,to overstate -多士,duō shì,toast (loanword) -多多,duō duō,many; much; a lot; lots and lots; more; even more -多多少少,duō duō shǎo shǎo,to some extent; more or less -多多益善,duō duō yì shàn,the more the better -多多马,duō duō mǎ,"Dodoma, capital of Tanzania" -多大,duō dà,how old?; how big?; how much?; so big; that much -多大点事,duō dà diǎn shì,trivial matter; Big deal! -多如牛毛,duō rú niú máo,as numerous as the hairs of an ox (idiom); innumerable; countless -多妻制,duō qī zhì,polygamy -多姿,duō zī,many postures -多姿多彩,duō zī duō cǎi,diversity (of forms and colors) -多媒体,duō méi tǐ,multimedia -多子多福,duō zǐ duō fú,"the more sons, the more happiness (idiom)" -多孔,duō kǒng,porous -多孔动物,duō kǒng dòng wù,Porifera (phylum of sponges) -多孔动物门,duō kǒng dòng wù mén,(zoology) phylum Porifera (sponges) -多孔性,duō kǒng xìng,porous; having many holes (e.g. filter gauze or sieve) -多字节,duō zì jié,multibyte -多学科,duō xué kē,interdisciplinary -多寡,duō guǎ,number; amount -多宝鱼,duō bǎo yú,turbot; European imported turbot; same as 大菱鮃|大菱鲆 -多少,duō shǎo,number; amount; somewhat -多少,duō shao,"how much?; how many?; (phone number, student ID etc) what number?" -多少有些,duō shǎo yǒu xiē,somewhat; more or less -多层,duō céng,multilayered; multilevel; multistory -多层大厦,duō céng dà shà,multistory building -多层材,duō céng cái,plywood -多层次分析模型,duō céng cì fēn xī mó xíng,multilevel analysis model -多山,duō shān,mountainous -多山地区,duō shān dì qū,mountainous district -多工,duō gōng,to multiplex; multiple; multi- -多工作业,duō gōng zuò yè,multitasking -多工化,duō gōng huà,to multiplex -多工器,duō gōng qì,multiplexer -多工运作,duō gōng yùn zuò,multithreading -多巴胺,duō bā àn,dopamine -多幕剧,duō mù jù,play in several acts; full-length drama -多平台,duō píng tái,multi-platform (computing) -多年,duō nián,many years; for many years; longstanding -多年来,duō nián lái,for the past many years -多年媳妇熬成婆,duō nián xí fù áo chéng pó,see 媳婦熬成婆|媳妇熬成婆[xi2 fu4 ao4 cheng2 po2] -多年生,duō nián shēng,perennial (of plants) -多形核白细胞,duō xíng hé bái xì bāo,polymorphonuclear leukocyte -多彩,duō cǎi,colorful; flamboyant -多彩多姿,duō cǎi duō zī,"elegant and graceful posture; splendid, full of content" -多得是,duō de shì,there's no shortage; there are plenty -多心,duō xīn,oversensitive; suspicious -多情,duō qíng,affectionate; passionate; emotional; sentimental -多愁善感,duō chóu shàn gǎn,melancholy and moody (idiom); depressed personality -多愁多病,duō chóu duō bìng,much sorrows and illness (idiom); melancholy and weakly -多态,duō tài,polymorphism -多手多脚,duō shǒu duō jiǎo,to meddle; to make a nuisance of oneself -多才,duō cái,multitalented -多才多艺,duō cái duō yì,multitalented -多拿滋,duō ná zī,doughnut (loanword) -多放,duō fàng,add extra (of a spice etc) -多数,duō shù,majority; most -多数决,duō shù jué,majority decision -多数党,duō shù dǎng,majority party -多方,duō fāng,in many ways; from all sides -多方位,duō fāng wèi,many-sided; versatile; various aspects; all-round; multidirectional -多方面,duō fāng miàn,many-sided; in many aspects -多于,duō yú,more than; greater than -多日赛,duō rì sài,race of several days; many day competition -多早晚,duō zǎo wǎn,when? -多明尼加,duō míng ní jiā,(Tw) Dominican Republic -多明尼加共和国,duō míng ní jiā gòng hé guó,(Tw) Dominican Republic -多星,duō xīng,starry -多时,duō shí,long time -多普勒,duō pǔ lè,"Christian Johann Doppler, Austrian physicist who discovered the Doppler effect" -多普勒效应,duō pǔ lè xiào yìng,the Doppler effect -多普达,duō pǔ dá,Dopod (company name) -多晶,duō jīng,polycrystalline -多晶片模组,duō jīng piàn mó zǔ,multi-chip module (MCM) -多晶硅,duō jīng guī,polycrystalline silicon (used in electronics) -多束,duō shù,multibeam (e.g. laser) -多栽花少栽刺,duō zāi huā shǎo zāi cì,talk nicely and avoid disputes; give compliments and not remarks -多极化,duō jí huà,multipolar; multipolarization -多模,duō mó,multimode -多模光纤,duō mó guāng xiān,multimode fiber -多模块,duō mó kuài,many modules; multiblock -多样,duō yàng,diverse; diversity; manifold -多样化,duō yàng huà,diversification; to diversify -多样性,duō yàng xìng,variegation; diversity -多次,duō cì,many times; repeatedly -多此一举,duō cǐ yī jǔ,to do more than is required (idiom); superfluous; gilding the lily -多民族,duō mín zú,multiethnic -多民族国家,duō mín zú guó jiā,multiethnic state -多氯联苯,duō lǜ lián běn,polychlorinated biphenyl (PCB) -多水分,duō shuǐ fèn,juicy -多汁,duō zhī,succulent; juicy -多灾多难,duō zāi duō nàn,to be plagued with misfortunes; precarious -多尔,duō ěr,"Dole (name); Bob Dole (1923-2021), US Republican politician, Kansas senator 1969-1996" -多尔衮,duō ěr gǔn,"Dorgon (1612-1651), fourteenth son of Nurhaci 努爾哈赤|努尔哈赤[Nu3 er3 ha1 chi4], successful general, instrumental in Manchu conquest of China, ruled China as regent 1644-1650 for his nephew Emperor Shunzhi 順治帝|顺治帝[Shun4 zhi4 di4]" -多特蒙德,duō tè méng dé,"Dortmund, city in the Ruhr 魯爾區|鲁尔区[Lu3 er3 Qu1], Germany" -多瑙,duō nǎo,the Danube -多瑙河,duō nǎo hé,Danube -多瓣蒜,duō bàn suàn,Chinese elephant garlic -多产,duō chǎn,prolific; fertile; high yield -多用,duō yòng,multipurpose; having several uses -多用户,duō yòng hù,multiuser -多用表,duō yòng biǎo,multimeter -多用途,duō yòng tú,multipurpose -多疑,duō yí,mistrustful; suspicious; paranoid -多发性硬化症,duō fā xìng yìng huà zhèng,multiple sclerosis -多发性骨髓瘤,duō fā xìng gǔ suǐ liú,multiple myeloma (medicine) -多发病,duō fā bìng,frequently reoccurring disease -多益,duō yì,TOEIC (Test of English for International Communication) (Tw) -多目的,duō mù dì,multipurpose -多看几眼,duō kàn jǐ yǎn,to take a closer look; to look at (sb or sth) a few more times -多神教,duō shén jiào,polytheistic religion; polytheism -多神论,duō shén lùn,polytheism -多神论者,duō shén lùn zhě,polytheist -多礼,duō lǐ,too polite; overcourteous -多种,duō zhǒng,many kinds of; multiple; diverse; multi- -多种多样,duō zhǒng duō yàng,manifold; all sorts; many and varied -多种维生素,duō zhǒng wéi shēng sù,multivitamin -多站,duō zhàn,multistation -多站地址,duō zhàn dì zhǐ,multicast address; multistation address -多端,duō duān,multifarious; multifold; many and varied; multiport; multistation; multiterminal -多端中继器,duō duān zhōng jì qì,multiport repeater -多管闲事,duō guǎn xián shì,meddling in other people's business -多米尼克,duō mǐ ní kè,Dominica (Commonwealth of Dominica) -多米尼克联邦,duō mǐ ní jiā lián bāng,the Commonwealth of Dominica -多米尼加,duō mǐ ní jiā,Dominican Republic -多米尼加共和国,duō mǐ ní jiā gòng hé guó,Dominican Republic -多米诺,duō mǐ nuò,(loanword) domino -多米诺骨牌,duō mǐ nuò gǔ pái,dominoes -多粒子,duō lì zǐ,many-particle (physics) -多粒子系统,duō lì zǐ xì tǒng,many particle systems (physics) -多糖,duō táng,polysaccharide -多累,duō lèi,I have troubled you -多细胞,duō xì bāo,multicellular -多细胞生物,duō xì bāo shēng wù,multicellular life form -多维,duō wéi,"multidimensional; abbr. for 多種維生素|多种维生素[duo1 zhong3 wei2 sheng1 su4], multivitamin" -多线染色体,duō xiàn rǎn sè tǐ,polytene chromosome -多义,duō yì,polysemy; polysemous; ambiguity (linguistics) -多义性,duō yì xìng,equivocality -多义词,duō yì cí,polyseme; polysemous word -多闻天,duō wén tiān,Vaisravana (one of the Heavenly Kings) -多肉,duō ròu,fleshy -多肉植物,duō ròu zhí wù,succulent (plant) -多育,duō yù,prolific; bearing many offspring -多肽,duō tài,"polypeptide, chain of amino acids linked by peptide bonds CO-NH, a component of protein" -多肽连,duō tài lián,polypeptide chain -多胎妊娠,duō tāi rèn shēn,multiple pregnancy -多胞形,duō bāo xíng,polytope -多舛,duō chuǎn,full of trouble and misfortune (usu. referring to sb's life) -多芬,duō fēn,Dove (brand) -多菲什,duō fēi shí,dogfish (loanword) -多叶,duō yè,leafy -多亏,duō kuī,thanks to; luckily -多行不义必自毙,duō xíng bù yì bì zì bì,persisting in evil brings about self-destruction (idiom) -多角形,duō jiǎo xíng,polygon; same as 多邊形|多边形 -多角体,duō jiǎo tǐ,polyhedron -多言,duō yán,wordy; talkative -多语言,duō yǔ yán,multilingual -多谋善断,duō móu shàn duàn,resourceful and decisive; resolute and sagacious -多谢,duō xiè,many thanks; thanks a lot -多变,duō biàn,fickle; (math.) multivariate -多足动物,duō zú dòng wù,myriapod; centipedes and millipedes -多足类,duō zú lèi,centipedes and millipedes -多轮,duō lún,in many stages; multilayered; multipronged (attack) -多退少补,duō tuì shǎo bǔ,(after a sum has been paid in advance) to refund (in case of overpayment) or be reimbursed (in case of underpayment) -多达,duō dá,up to; no less than; as much as -多选题,duō xuǎn tí,multiple-choice question -多边,duō biān,multilateral -多边形,duō biān xíng,polygon -多那太罗,duō nǎ tài luó,"Donatello (c. 1386-1466); Donato di Niccolò di Betto Bardi, famous early Renaissance painter and sculptor" -多醣,duō táng,polysaccharide -多采,duō cǎi,variant of 多彩[duo1 cai3] -多重,duō chóng,"multi- (faceted, cultural, ethnic etc)" -多重国籍,duō chóng guó jí,dual nationality -多重性,duō chóng xìng,multiplicity -多重结局,duō chóng jié jú,alternate ending; multiple endings -多金,duō jīn,rich; wealthy -多钱善贾,duō qián shàn gǔ,"much capital, good business (idiom); fig. good trading conditions" -多铧犁,duō huá lí,multishare or multifurrow plow -多难兴邦,duō nàn xīng bāng,much hardships may awaken a nation (idiom); calamity that prompts renewal -多云,duō yún,cloudy (meteorology) -多面手,duō miàn shǒu,multitalented person; versatile person; all-rounder -多面角,duō miàn jiǎo,solid angle -多面体,duō miàn tǐ,polyhedron -多音,duō yīn,polyphony -多音多义字,duō yīn duō yì zì,character having several readings and meanings -多音字,duō yīn zì,character with two or more readings -多音节词,duō yīn jié cí,polysyllabic word; Chinese word made up of three or more characters -多项式,duō xiàng shì,polynomial (math.); multinomial -多项式方程,duō xiàng shì fāng chéng,(math.) polynomial equation -多项式方程组,duō xiàng shì fāng chéng zǔ,(math.) system of polynomial equations -多头,duō tóu,many-headed; many-layered (authority); devolved (as opposed to centralized); pluralistic; (as classifier) number of animals; long term (finance); long (investment) -多头市场,duō tóu shì chǎng,bull market -多余,duō yú,superfluous; unnecessary; surplus -多香果,duō xiāng guǒ,all-spice (Pimenta dioica); Jamaican pepper -多么,duō me,how (wonderful etc); what (a great idea etc); however (difficult it may be etc); (in interrogative sentences) how (much etc); to what extent -多点触控,duō diǎn chù kòng,multi-touch (computing) -多党,duō dǎng,multiparty -多党制,duō dǎng zhì,multiparty system -多党选举,duō dǎng xuǎn jǔ,multiparty election -夜,yè,night -夜不成眠,yè bù chéng mián,to be unable to sleep at night -夜不归宿,yè bù guī sù,to stay out all night (idiom) -夜不闭户,yè bù bì hù,lit. doors not locked at night (idiom); fig. stable society -夜以继日,yè yǐ jì rì,night and day (idiom); continuous strenuous effort -夜来香,yè lái xiāng,tuberose (Agave amica); night-blooming jessamine (Cestrum nocturnum) (aka 夜香木[ye4 xiang1 mu4]) -夜光,yè guāng,luminous -夜半,yè bàn,midnight -夜叉,yè chā,yaksha (malevolent spirit) (loanword); (fig.) ferocious-looking person -夜场,yè chǎng,"evening show (at a theater etc); nighttime entertainment venue (bar, nightclub, disco etc)" -夜壶,yè hú,chamber pot -夜夜,yè yè,every night -夜大,yè dà,evening college (abbr. for 夜大學|夜大学[ye4 da4 xue2]) -夜大学,yè dà xué,evening college -夜宵,yè xiāo,midnight snack -夜宵儿,yè xiāo er,erhua variant of 夜宵[ye4 xiao1] -夜市,yè shì,night market -夜幕,yè mù,curtain of night; gathering darkness -夜幕低垂,yè mù dī chuí,"darkness fell (falls, had fallen etc)" -夜幕降临,yè mù jiàng lín,nightfall -夜床服务,yè chuáng fú wù,(hospitality industry) turndown service -夜店,yè diàn,nightclub -夜晚,yè wǎn,night; CL:個|个[ge4] -夜景,yè jǐng,nightscape -夜曲,yè qǔ,nocturne (music) -夜校,yè xiào,evening school; night school -夜枭,yè xiāo,owl -夜消,yè xiāo,variant of 夜宵[ye4 xiao1] -夜深人静,yè shēn rén jìng,in the dead of night (idiom) -夜班,yè bān,night shift -夜生活,yè shēng huó,night life -夜盆儿,yè pén er,chamber pot -夜盲,yè máng,night blindness -夜盲症,yè máng zhèng,night blindness; nyctalopia -夜神仙,yè shén xiān,night owl; late sleeper -夜空,yè kōng,night sky -夜总会,yè zǒng huì,nightclub; nightspot -夜色,yè sè,night scene; the dim light of night -夜色苍茫,yè sè cāng máng,gathering dusk -夜行,yè xíng,night walk; night departure; nocturnal -夜行性,yè xíng xìng,nocturnal -夜行昼伏,yè xíng zhòu fú,to travel at night and lie low by day (idiom) -夜行军,yè xíng jūn,a night march -夜里,yè li,during the night; at night; nighttime -夜袭,yè xí,night attack -夜视,yè shì,night vision -夜视仪,yè shì yí,night vision device -夜视镜,yè shì jìng,night vision device -夜猫子,yè māo zi,owl; (fig.) night owl -夜游,yè yóu,to go to some place at night; to take a night trip to (a place); to sleepwalk -夜游症,yè yóu zhèng,somnambulism; sleepwalking -夜郎,yè láng,small barbarian kingdom in southern China during the Han dynasty -夜郎自大,yè láng zì dà,lit. Yelang thinks highly of itself (idiom); fig. foolish conceit -夜开花,yè kāi huā,bottle gourd (i.e. 瓠瓜[hu4 gua1]) -夜间,yè jiān,nighttime; evening or night (e.g. classes) -夜间部,yè jiān bù,(Tw) evening program (at a college); night school -夜阑,yè lán,late at night; in the dead of night -夜阑人静,yè lán rén jìng,the still of the night (idiom); late at night -夜阑珊,yè lán shān,late at night -夜香木,yè xiāng mù,night-blooming jessamine (Cestrum nocturnum) -夜惊,yè jīng,night terror; sleep terror -夜鸟,yè niǎo,nocturnal bird -夜莺,yè yīng,nightingale -夜鹰,yè yīng,nightjar (nocturnal bird in the family Caprimulgidae) -夜鹭,yè lù,(bird species of China) black-crowned night heron (Nycticorax nycticorax) -够,gòu,enough (sufficient); enough (too much); (coll.) (before adj.) really; (coll.) to reach by stretching out -够不着,gòu bu zháo,to be unable to reach -够受的,gòu shòu de,to be quite an ordeal; to be hard to bear -够味,gòu wèi,lit. just the right flavor; just right; just the thing; excellent -够呛,gòu qiàng,unbearable; terrible; enough; unlikely -够得着,gòu de zháo,to reach (with one's hand etc); (fig.) to attain (an objective) -够意思,gòu yì si,wonderful; great; delightful; very kind; generous -够戗,gòu qiàng,variant of 夠嗆|够呛[gou4 qiang4] -够朋友,gòu péng you,(coll.) to be a true friend -够本,gòu běn,to break even; to get one's money's worth -够格,gòu gé,able to pass muster; qualified; apt; presentable -够用,gòu yòng,adequate; sufficient; enough -梦,mèng,"dream (CL:場|场[chang2],個|个[ge4]); (bound form) to dream" -梦中,mèng zhōng,in a dream -梦到,mèng dào,to dream of; to dream about -梦呓,mèng yì,talking in one's sleep; delirious ravings; nonsense; sheer fantasy -梦境,mèng jìng,dreamland -梦寐,mèng mèi,to dream; to sleep -梦寐以求,mèng mèi yǐ qiú,to yearn for sth even in one's dreams (idiom); to long for sth day and night -梦幻,mèng huàn,dream; illusion; reverie -梦幻泡影,mèng huàn pào yǐng,(Buddhism) illusion; pipe dream -梦想,mèng xiǎng,(fig.) to dream of; dream -梦想家,mèng xiǎng jiā,dreamer; visionary -梦景,mèng jǐng,dreamscape -梦核,mèng hé,dreamcore -梦溪笔谈,mèng xī bǐ tán,"Dream Pool Essays by Shen Kuo 沈括[Shen3 Kuo4], book on various fields of knowledge, the first to describe the magnetic needle compass" -梦罗园,mèng luó yuán,"Menlo Park, New Jersey, the home of Thomas Edison's research laboratory" -梦行症,mèng xíng zhèng,somnambulism; sleepwalking -梦见,mèng jiàn,to dream about (sth or sb); to see in a dream -梦话,mèng huà,talking in one's sleep; words spoken during sleep; fig. speech bearing no relation to reality; delusions -梦游,mèng yóu,to sleepwalk; to journey in a dream -梦游症,mèng yóu zhèng,somnambulism; sleepwalking -梦遗,mèng yí,wet dream; nocturnal emission -梦乡,mèng xiāng,the land of dreams; slumberland -梦露,mèng lù,"Marilyn Monroe (1926-1962), American actress" -梦魔,mèng mó,night demon (malign spirit believed to plague people during sleep) -梦魇,mèng yǎn,nightmare -夤,yín,late at night -夤缘,yín yuán,to curry favor; to advance one's career by toadying -夤缘攀附,yín yuán pān fù,to cling to the rich and powerful (idiom); to advance one's career by currying favor; social climbing -伙,huǒ,companion; partner; group; classifier for groups of people; to combine; together -夥,huǒ,many; numerous -夥伴,huǒ bàn,variant of 伙伴[huo3 ban4] -夥计,huǒ ji,variant of 伙計|伙计[huo3 ji5] -夥颐,huǒ yí,(literary) very many; wow! (an exclamation of surprise and admiration) -大,dà,big; large; great; older (than another person); eldest (as in 大姐[da4 jie3]); greatly; freely; fully; (dialect) father; (dialect) uncle (father's brother) -大,dài,see 大夫[dai4 fu5] -大一,dà yī,first-year university student -大一些,dà yī xiē,a bit bigger -大一统,dà yī tǒng,unification (of the nation); large scale unification -大一统志,dà yī tǒng zhì,"Da Yuan Dayitongzhi, Yuan dynasty geographical encyclopedia, compiled 1285-1294 under Jamal al-Din 紮馬剌丁|扎马剌丁 and Yu Yinglong 虞應龍|虞应龙, 755 scrolls" -大丈夫,dà zhàng fu,a manly man; a man of character -大丈夫能屈能伸,dà zhàng fu néng qū néng shēn,A leader can submit or can stand tall as required.; ready to give and take; flexible -大三,dà sān,third-year university student -大三和弦,dà sān hé xián,major triad do-mi-so -大三度,dà sān dù,major third (musical interval) -大不了,dà bù liǎo,at worst; if worst comes to worst; (usu. in the negative) serious; alarming -大不列蹀,dà bu liē diē,(dialect) full of oneself; too big for one's boots -大不列颠,dà bù liè diān,Great Britain -大不相同,dà bù xiāng tóng,not at all the same; substantially different -大不里士,dà bù lǐ shì,"Tabriz city in northwest Iran, capital of Iranian East Azerbaijan" -大不韪,dà bù wěi,great error; heinous crime -大中学生,dà zhōng xué sheng,university and high school students -大中华,dà zhōng huá,"Greater China; refers to China, Taiwan, Hong Kong and Macau (esp. in finance and economics); refers to all areas of Chinese presence (esp. in the cultural field), including parts of Southeast Asia, Europe and the Americas" -大丹犬,dà dān quǎn,Great Dane (dog breed) -大主教,dà zhǔ jiào,archbishop; primate (of a church); metropolitan -大久保,dà jiǔ bǎo,Japanese surname and place name Ōkubo -大久保利通,dà jiǔ bǎo lì tōng,"Oukubo Toshimichi (1830-1878), Japanese politician" -大乘,dà shèng,"Mahayana, the Great Vehicle; Buddhism based on the Mayahana sutras, as spread to Central Asia, China and beyond; also pr. [Da4 cheng2]" -大事,dà shì,"major event; major political event (war or change of regime); major social event (wedding or funeral); (do sth) in a big way; CL:件[jian4],樁|桩[zhuang1]" -大二,dà èr,second-year university student -大五码,dà wǔ mǎ,Big5 Chinese character coding (developed by Taiwanese companies from 1984) -大五趾跳鼠,dà wǔ zhǐ tiào shǔ,great jerboa (Allactaga major) -大亚湾,dà yà wān,Daya Bay -大亨,dà hēng,big shot; top gun; superstar; VIP -大人,dà ren,adult; grownup; title of respect toward superiors -大人不记小人过,dà rén bù jì xiǎo rén guò,a person of great moral stature does not remember the offenses committed by one of low moral stature -大仙,dà xiān,great immortal -大仲马,dà zhòng mǎ,"Alexandre Dumas, père (1802-1870), French writer" -大件,dà jiàn,large; bulky; big-ticket item -大伙,dà huǒ,everybody; everyone; we all -大伙儿,dà huǒ er,erhua variant of 大伙[da4 huo3] -大伯,dà bó,husband's older brother; brother-in-law -大伯子,dà bǎi zi,(coll.) husband's elder brother -大作,dà zuò,"your work (book, musical composition etc) (honorific); to erupt; to begin abruptly" -大佬,dà lǎo,big shot (leading some field or group); godfather -大使,dà shǐ,"ambassador; envoy; CL:名[ming2],位[wei4]" -大使级,dà shǐ jí,ambassadorial -大使馆,dà shǐ guǎn,"embassy; CL:座[zuo4],個|个[ge4]" -大便,dà biàn,to defecate; excrement; feces -大便干燥,dà biàn gān zào,constipated -大便秘结,dà biàn mì jié,constipation -大侠,dà xiá,knight; swordsman; noble warrior; chivalrous hero -大修,dà xiū,overhaul -大修道院,dà xiū dào yuàn,abbey; large monastery or convent -大修道院长,dà xiū dào yuàn zhǎng,abbot -大个儿,dà gè er,tall person -大伦敦地区,dà lún dūn dì qū,"Greater London; London region, England" -大伟,dà wěi,David (name) -大伤元气,dà shāng yuán qì,to ruin one's constitution -大元大一统志,dà yuán dà yī tǒng zhì,"Da Yuan Dayitongzhi, Yuan dynasty geographical encyclopedia, compiled 1285-1294 under Jamal al-Din 紮馬剌丁|扎马剌丁 and Yu Yinglong 虞應龍|虞应龙, 755 scrolls" -大元帅,dà yuán shuài,generalissimo -大先知书,dà xiān zhī shū,the biblical books of the prophets -大内,dà nèi,"Danei, a district in Tainan 台南|台南[Tai2 nan2], Taiwan" -大全,dà quán,comprehensive collection -大公,dà gōng,grand duke; impartial -大公司,dà gōng sī,large company; corporation -大公国,dà gōng guó,grand duchy -大公国际,dà gōng guó jì,"Dagong Global Credit Rating, credit rating agency based in China" -大公报,dà gōng bào,"Dagong Bao, popular newspaper name; Ta Kung Pao, newspaper founded 1902 in Beijing, now published in Hong Kong" -大公无私,dà gōng wú sī,selfless; impartial -大兵,dà bīng,soldier; large army; powerful army; (old) large-scale war -大典,dà diǎn,ceremony; collection of classical writings -大冰期,dà bīng qī,ice age -大冶,dà yě,"Daye, county-level city in Huangshi 黃石|黄石[Huang2 shi2], Hubei" -大冶市,dà yě shì,"Daye, county-level city in Huangshi 黃石|黄石[Huang2 shi2], Hubei" -大凡,dà fán,generally; in general -大凡粗知,dà fán cū zhī,a rough acquaintance with sth -大出其汗,dà chū qí hàn,to sweat buckets (idiom) -大出血,dà chū xuè,to hemorrhage; (fig.) to make a huge loss (in selling sth); to spend a huge sum -大刀,dà dāo,broadsword; large knife; machete -大刀会,dà dāo huì,"Great Sword Society, an offshoot of the White Lotus in the late Qing dynasty, involved in anti-Western activity at the time of the Boxer rebellion" -大刀阔斧,dà dāo kuò fǔ,bold and decisive -大分子,dà fēn zǐ,macromolecule (chemistry) -大分界岭,dà fēn jiè lǐng,"Great Dividing Range, mountain range along the east coast of Australia" -大分县,dà fēn xiàn,"Ōita prefecture, Japan" -大别山,dà bié shān,"Dabie mountain range on the borders of Henan, Anhui and Hubei provinces" -大利拉,dà lì lā,Delilah (person name) -大剌剌,dà là là,pompous; with a swagger; casual -大前天,dà qián tiān,three days ago -大前年,dà qián nián,three years ago -大前提,dà qián tí,major premise -大剪刀,dà jiǎn dāo,shears; large scissors; secateurs -大副,dà fù,first mate; first officer (of a ship) -大力,dà lì,energetically; vigorously -大力士,dà lì shì,strong man; Hercules -大力水手,dà lì shuǐ shǒu,Popeye (the Sailor) -大力神,dà lì shén,Heracles (Greek mythology); Hercules (Roman mythology) -大力神杯,dà lì shén bēi,FIFA World Cup trophy -大力钳,dà lì qián,locking pliers; mole grips -大功,dà gōng,great merit; great service -大功告成,dà gōng gào chéng,successfully accomplished (project or goal); to be highly successful -大加,dà jiā,(before a two-syllable verb) considerably; greatly (exaggerate); vehemently (oppose); severely (punish); extensively (refurbish); effusively (praise) -大加那利岛,dà jiā nà lì dǎo,Gran Canaria (in the Canary Islands) -大勇若怯,dà yǒng ruò qiè,a great hero may appear timid (idiom); the really brave person remains level-headed -大动干戈,dà dòng gān gē,lit. to go to war (idiom); fig. to make a big fuss over sth -大动脉,dà dòng mài,main artery (blood vessel); fig. main highway; arterial road -大胜,dà shèng,to defeat decisively; to win decisively; great victory; triumph -大势所趋,dà shì suǒ qū,general trend; irresistible trend -大势至菩萨,dà shì zhì pú sà,"Mahasthamaprapta Bodhisattva, the Great Strength Bodhisattva" -大包大揽,dà bāo dà lǎn,to take complete charge (idiom) -大化瑶族自治县,dà huà yáo zú zì zhì xiàn,"Dahua Yao Autonomous County in Hezhou 賀州|贺州[He4 zhou1], Guangxi" -大化县,dà huà xiàn,"Dahua Yao autonomous county in Hezhou 賀州|贺州[He4 zhou1], Guangxi" -大匠,dà jiàng,master craftsman; Han dynasty official title -大千世界,dà qiān shì jiè,great wide world; marvelously diverse world; (Buddhism) cosmos (abbr. for 三千大千世界[san1 qian1 da4 qian1 shi4 jie4]) -大半,dà bàn,more than half; greater part; most; probably; most likely -大半夜,dà bàn yè,the middle of the night -大卡,dà kǎ,kilocalorie -大印,dà yìn,stamp; official seal -大叔,dà shū,eldest of father's younger brothers; uncle (term used to address a man about the age of one's father) -大口,dà kǒu,"big mouthful (of food, drink, smoke etc); open mouth; gulping; gobbling; gaping" -大口径,dà kǒu jìng,large caliber -大可不必,dà kě bù bì,need not; unnecessary -大司农,dà sī nóng,"Grand Minister of Agriculture in imperial China, one of the Nine Ministers 九卿[jiu3 qing1]" -大吃,dà chī,to gorge oneself; to pig out -大吃一惊,dà chī yī jīng,to have a surprise (idiom); shocked or startled; gobsmacked -大吃二喝,dà chī èr hē,to eat and drink extravagantly; to binge -大吃大喝,dà chī dà hē,to eat and drink as much as one likes; to make a pig of oneself -大吃特吃,dà chī tè chī,to gorge oneself with food -大合唱,dà hé chàng,cantata; chorus -大吉,dà jí,very auspicious; extremely lucky -大吉大利,dà jí dà lì,"great luck, great profit (idiom); everything is thriving" -大吉岭,dà jí lǐng,"Darjeeling, town in India" -大同,dà tóng,(Confucianism) Great Harmony (concept of an ideal society) -大同区,dà tóng qū,"Datong or Tatung District of Taipei City 臺北市|台北市[Tai2 bei3 Shi4], Taiwan; Datong District of Daqing City 大慶|大庆[Da4 qing4], Heilongjiang" -大同小异,dà tóng xiǎo yì,virtually the same; differing only on small points -大同市,dà tóng shì,Datong prefecture-level city in Shanxi 山西 -大同县,dà tóng xiàn,"Datong county in Datong 大同[Da4 tong2], Shanxi" -大同乡,dà tóng xiāng,"Datong or Tatung Township in Yilan County 宜蘭縣|宜兰县[Yi2 lan2 Xian4], Taiwan" -大同乡,dà tóng xiāng,person from the same province -大名,dà míng,"Daming county in Handan 邯鄲|邯郸[Han2 dan1], Hebei" -大名,dà míng,famous name; your distinguished name; one's formal personal name -大名县,dà míng xiàn,"Daming county in Handan 邯鄲|邯郸[Han2 dan1], Hebei" -大名鼎鼎,dà míng dǐng dǐng,grand reputation; renowned; famous -大吞噬细胞,dà tūn shì xì bāo,macrophage -大吵大闹,dà chǎo dà nào,to shout and scream (idiom); to kick up a fuss; to make a scene -大吹大擂,dà chuī dà léi,to make an exhibition of oneself; ostentation -大呼小叫,dà hū xiǎo jiào,to shout and quarrel; to make a big fuss -大呼拉尔,dà hū lā ěr,"State Great Khural or Great State Assembly, Mongolian parliament" -大和,dà hé,"Yamato, an ancient Japanese province, a period of Japanese history, a place name, a surname etc; Daiwa, a Japanese place name, business name etc" -大咖,dà kā,influential person; major player; big shot -大员,dà yuán,high official -大哥,dà gē,eldest brother; big brother (polite address for a man of about the same age as oneself); gang leader; boss -大哥大,dà gē dà,"cell phone (bulky, early-model one); brick phone; mob boss" -大哭,dà kū,to cry loudly -大唐,dà táng,the Tang dynasty (618-907) -大唐狄公案,dà táng dí gōng àn,"Three Murder Cases Solved by Judge Dee, 1949 novel by R.H. van Gulik, featuring Tang Dynasty politician Di Renjie 狄仁傑|狄仁杰[Di2 Ren2 jie2] as master sleuth" -大唐芙蓉园,dà táng fú róng yuán,Tang Paradise in Xi'an -大唐西域记,dà táng xī yù jì,"Great Tang Records on the Western Regions, travel record of Xuan Zang 玄奘[Xuan2 zang4], compiled by 辯機|辩机[Bian4 ji1] in 646" -大啖一番,dà dàn yī fān,to have a square meal -大喊,dà hǎn,to shout -大喊大叫,dà hǎn dà jiào,shouting and screaming (idiom); to scream loudly; to rant; to kick up a racket; to conduct vigorous propaganda -大喜,dà xǐ,exultation -大喜过望,dà xǐ guò wàng,overjoyed at unexpected good news (idiom) -大嗓,dà sǎng,loud voice -大嘴巴,dà zuǐ ba,bigmouth; blabbermouth -大嘴乌鸦,dà zuǐ wū yā,(bird species of China) large-billed crow (Corvus macrorhynchos) -大嘴鸟,dà zuǐ niǎo,toucan -大器,dà qì,very capable person; precious object -大器晚成,dà qì wǎn chéng,lit. it takes a long time to make a big pot (idiom); fig. a great talent matures slowly; in the fullness of time a major figure will develop into a pillar of the state; Rome wasn't built in a day -大噪鹛,dà zào méi,(bird species of China) giant laughingthrush (Garrulax maximus) -大四,dà sì,fourth-year university student -大国,dà guó,a power (i.e. a dominant country) -大国家党,dà guó jiā dǎng,South Korean Grand national party -大园,dà yuán,"Dayuan or Tayuan township in Taoyuan county 桃園縣|桃园县[Tao2 yuan2 xian4], north Taiwan" -大园乡,dà yuán xiāng,"Dayuan or Tayuan township in Taoyuan county 桃園縣|桃园县[Tao2 yuan2 xian4], north Taiwan" -大圆,dà yuán,great circle (in spherical geometry) -大圆圈,dà yuán quān,great circle (in spherical geometry) -大地,dà dì,earth; mother earth -大地主,dà dì zhǔ,a large landowner -大地之歌,dà dì zhī gē,Das Lied von der Erde (Song of the Earth) -大地水准面,dà dì shuǐ zhǔn miàn,geoid -大地洞,dà dì dòng,cavern -大地测量学,dà dì cè liáng xué,geodesy -大地线,dà dì xiàn,a geodesic (curve) -大坂,dà bǎn,"Japanese surname Osaka; old variant of 大阪[Da4ban3] (Osaka, city in Japan), used prior to the Meiji era" -大坑,dà kēng,"Tai Hang District, Hong Kong; Dakeng, the name of several places in Taiwan, notably a scenic hilly area of Taichung 台中[Tai2 zhong1]" -大型,dà xíng,large; large-scale -大型强子对撞机,dà xíng qiáng zǐ duì zhuàng jī,"Large Hadron Collider (LHC) at CERN, Geneva, Switzerland" -大型空爆炸弹,dà xíng kōng bào zhà dàn,"Massive Ordinance Air Blast (MOAB), a powerful American bomb" -大城,dà chéng,"Dacheng County in Langfang 廊坊[Lang2 fang2], Hebei; Dacheng or Tacheng Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -大城市,dà chéng shì,major city; metropolis -大城县,dà chéng xiàn,"Dacheng county in Langfang 廊坊[Lang2 fang2], Hebei" -大城乡,dà chéng xiāng,"Dacheng or Tacheng Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -大埔,dà bù,"Dabu County in Meizhou 梅州[Mei2 zhou1], Guangdong; Tai Po district of New Territories, Hong Kong; Dabu or Tabu Township in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -大埔县,dà bù xiàn,"Dabu county in Meizhou 梅州, Guangdong" -大埔乡,dà pǔ xiāng,"Dapu or Tabu Township in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -大埤,dà pí,"Dapi or Tapi township in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -大埤乡,dà pí xiāng,"Dapi or Tapi township in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -大堂,dà táng,lobby -大堡礁,dà bǎo jiāo,"Great Barrier Reef, Queensland, Australia" -大场鸫,dà chǎng dōng,"OHBA Tsugumi (pen-name), author of cult series Death Note 死亡筆記|死亡笔记[si3 wang2 bi3 ji4]" -大块头,dà kuài tóu,heavy man; fat man; lunkhead; lummox; lug -大冢,dà zhǒng,Ōtsuka (Japanese surname) -大墓地,dà mù dì,necropolis -大坏蛋,dà huài dàn,scoundrel; bastard -大坝,dà bà,dam -大寿,dà shòu,"(polite) birthday making the beginning of new decade of life for an older person, especially over 50 years old (e.g. 60th or 70th birthday)" -大夏,dà xià,Han Chinese name for an ancient Central Asia country -大外,dà wài,abbr. for 大連外國語大學|大连外国语大学[Da4 lian2 Wai4 guo2 yu3 Da4 xue2] -大外宣,dà wài xuān,(derog.) China's foreign propaganda machine (esp. since c. 2009) -大多,dà duō,for the most part; many; most; the greater part; mostly -大多数,dà duō shù,(great) majority -大夥,dà huǒ,variant of 大伙[da4 huo3] -大大,dà dà,greatly; enormously; (dialect) dad; uncle -大大咧咧,dà dà liē liē,carefree; offhand; casual -大大小小,dà dà xiǎo xiǎo,large and small; of all sizes -大大方方,dà dà fāng fāng,confident; calm; natural; poised -大天鹅,dà tiān é,(bird species of China) whooper swan (Cygnus cygnus) -大夫,dà fū,senior official (in imperial China) -大夫,dài fu,doctor; physician -大失所望,dà shī suǒ wàng,greatly disappointed -大夼,dà kuǎng,"Dakuang township in Laiyang 萊陽|莱阳[Lai2 yang2], Yantai, Shandong" -大夼镇,dà kuǎng zhèn,"Dakuang township in Laiyang 萊陽|莱阳[Lai2 yang2], Yantai, Shandong" -大姐,dà jiě,big sister; elder sister; older sister (also polite term of address for a girl or woman slightly older than the speaker) -大姐大,dà jiě dà,female gang leader; the top woman in her field; doyenne; matriarch -大姐头,dà jiě tóu,(Tw) female gang leader; female boss; big sister -大姑,dà gū,father's oldest sister; husband's older sister; sister-in-law -大姚,dà yáo,"Dayao County in Chuxiong Yi Autonomous Prefecture 楚雄彞族自治州|楚雄彝族自治州[Chu3 xiong2 Yi2 zu2 Zi4 zhi4 zhou1], Yunnan" -大姚县,dà yáo xiàn,"Dayao County in Chuxiong Yi Autonomous Prefecture 楚雄彞族自治州|楚雄彝族自治州[Chu3 xiong2 Yi2 zu2 Zi4 zhi4 zhou1], Yunnan" -大奸似忠,dà jiān sì zhōng,the most treacherous person appears the most guileless (idiom) -大姨,dà yí,aunt (mother's eldest sister); (respectful term of address for a woman who is about the age of one's mother) -大姨妈,dà yí mā,mother's eldest sister (older than one's mother); (coll.) (euphemism) Aunt Flo (i.e. menstrual period) -大姨子,dà yí zi,sister-in-law; wife's older sister -大娘,dà niáng,(coll.) father's older brother's wife; aunt (polite address) -大婚,dà hūn,to have a grand wedding; to get married in lavish style -大媒,dà méi,matchmaker -大妈,dà mā,father's elder brother's wife; aunt (affectionate term for an elderly woman) -大嫂,dà sǎo,older brother's wife; sister-in-law; elder sister (respectful appellation for an older married woman) -大字报,dà zì bào,big-character poster -大学,dà xué,"the Great Learning, one of the Four Books 四書|四书[Si4 shu1] in Confucianism" -大学,dà xué,university; college; CL:所[suo3] -大学入学指定科目考试,dà xué rù xué zhǐ dìng kē mù kǎo shì,"Advanced Subjects Test, university entrance exam that assesses candidates’ higher level knowledge of specific subjects and their readiness to study in their selected academic discipline (Tw); abbr. to 指考[Zhi3 kao3]" -大学城,dà xué chéng,university city -大学学科能力测验,dà xué xué kē néng lì cè yàn,General Scholastic Ability Test (college entrance exam in Taiwan) -大学本科,dà xué běn kē,university undergraduate course -大学生,dà xué shēng,university student; college student -大学部,dà xué bù,undergraduate course of study (Tw) -大学预科,dà xué yù kē,university preparatory course -大宇,dà yǔ,Daewoo (Korean conglomerate) -大安,dà ān,"Da'an or Ta'an District of Taipei City 臺北市|台北市[Tai2 bei3 Shi4], Taiwan; Da'an or Ta'an Township in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan; Da'an, county-level city in Baicheng 白城[Bai2 cheng2], Jilin" -大安区,dà ān qū,"Da'an or Ta'an District of Taipei City 臺北市|台北市[Tai2 bei3 Shi4], Taiwan; Da'an District of Zigong City 自貢市|自贡市[Zi4 gong4 Shi4], Sichuan; Da'an or Ta'an Township in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -大安市,dà ān shì,"Da'an, county-level city in Baicheng 白城, Jilin" -大安的列斯,dà ān dì liè sī,"Greater Antilles, Caribbean archipelago" -大安的列斯群岛,dà ān dì liè sī qún dǎo,"Greater Antilles, Caribbean archipelago" -大安乡,dà ān xiāng,"Da'an or Ta'an Township in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -大宗,dà zōng,large amount; staple; influential family of long standing -大宛,dà yuān,ancient state of central Asia -大客车,dà kè chē,coach -大家,dà jiā,everyone; influential family; great expert -大家庭,dà jiā tíng,extended family; big family; harmonious group -大家闺秀,dà jiā guī xiù,girl from a wealthy family; unmarried daughter of a noble house -大容量,dà róng liàng,high capacity -大富大贵,dà fù dà guì,very rich; millionaire -大富翁,dà fù wēng,Monopoly (game); known as 地產大亨|地产大亨[Di4 chan3 Da4 heng1] in Taiwan -大寒,dà hán,"Great Cold, 24th of the 24 solar terms 二十四節氣|二十四节气 20th January-3rd February" -大宁,dà níng,"Daning county in Linfen 臨汾|临汾[Lin2 fen2], Shanxi" -大宁县,dà níng xiàn,"Daning county in Linfen 臨汾|临汾[Lin2 fen2], Shanxi" -大寨,dà zhài,Dazhai -大写,dà xiě,capital letters; uppercase letters; block letters; banker's anti-fraud numerals -大写字母,dà xiě zì mǔ,capital letters; uppercase letters -大写锁定,dà xiě suǒ dìng,caps lock -大寮,dà liáo,"Taliao township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -大寮乡,dà liáo xiāng,"Taliao township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -大宝,dà bǎo,Taiho (a Japanese era) -大宝,dà bǎo,(archaic) throne -大寺院,dà sì yuàn,abbey; large monastery -大将,dà jiàng,a general or admiral -大将军,dà jiāng jūn,important general; generalissimo -大专,dà zhuān,three-year college; junior college; professional training college -大尉,dà wèi,captain (army rank); senior captain -大小,dà xiǎo,large and small; size; adults and children; consideration of seniority; at any rate -大小三度,dà xiǎo sān dù,major and minor third (musical interval) -大小便,dà xiǎo biàn,using the toilet; urination and defecation -大小姐,dà xiǎo jie,eldest daughter of an affluent family; (polite) your daughter; bossy or indulged young woman; Miss High and Mighty -大小写,dà xiǎo xiě,capitals and lowercase letters -大小眼,dà xiǎo yǎn,one eye bigger than the other -大尾巴狼,dà yǐ ba láng,"(coll.) person who puts on an act: feigning ignorance, pretending to be solicitous, acting innocent etc" -大局,dà jú,overall situation; the big picture -大屠杀,dà tú shā,massacre; mass slaughter -大屯火山群,dà tún huǒ shān qún,"Tatun Volcanic Group, volcanic area to the north of Taipei" -大山,dà shān,"Dashan, stage name of Canadian Mark Henry Rowswell (1965-), actor and well-known TV personality in PRC" -大山猫,dà shān māo,Lynx rufus -大山雀,dà shān què,(bird species of China) great tit (Parus major) -大峡谷,dà xiá gǔ,great valley; Grand Canyon of Colorado River -大屿山,dà yǔ shān,"Lantau Island, an island in Hong Kong" -大巴,dà bā,(coll.) large bus; coach; (abbr. for 大型巴士) -大帝,dà dì,"heavenly emperor; ""the Great"" (title)" -大帅,dà shuài,(old) commanding general; commander-in-chief; (Qing dynasty) title for a governor-general (provincial military governor) 總督|总督[zong3 du1] -大师,dà shī,great master; master -大幅,dà fú,a big margin; substantially -大幅度,dà fú dù,by a wide margin; substantial -大年三十,dà nián sān shí,last day of the lunar year; Chinese New Year's Eve -大干,dà gàn,to go all out; to work energetically -大床房,dà chuáng fáng,hotel room with one double (or queen or king) bed -大床间,dà chuáng jiān,see 大床房[da4 chuang2 fang2] -大度,dà dù,magnanimous; generous (in spirit) -大度包容,dà dù bāo róng,generous and forgiving -大庭广众,dà tíng guǎng zhòng,public place with numerous people -大庸,dà yōng,"Dayong, former name of Zhangjiajie 張家界|张家界[Zhang1 jia1 jie4], Hunan" -大庾岭,dà yǔ lǐng,Dayu mountain range between southwest Jiangxi and Guangdong -大厦,dà shà,(used in the names of grand buildings such as 百老匯大廈|百老汇大厦 Broadway Mansions (in Shanghai) or 帝國大廈|帝国大厦 Empire State Building etc) -大厦将倾,dà shà jiāng qīng,great mansion on the verge of collapse (idiom); hopeless situation -大厂,dà chǎng,"Dachang Hui autonomous county in Langfang 廊坊[Lang2 fang2], Hebei" -大厂,dà chǎng,large manufacturer -大厂回族自治县,dà chǎng huí zú zì zhì xiàn,"Dachang Hui autonomous county in Langfang 廊坊[Lang2 fang2], Hebei" -大厂县,dà chǎng xiàn,"Dachang Hui autonomous county in Langfang 廊坊[Lang2 fang2], Hebei" -大厅,dà tīng,hall; concourse; public lounge; (hotel) lobby -大建,dà jiàn,lunar month of 30 days; same as 大盡|大尽[da4 jin4] -大张挞伐,dà zhāng tà fá,(idiom) to launch an all-out attack; to roundly condemn; to castigate -大张旗鼓,dà zhāng qí gǔ,with great fanfare -大张声势,dà zhāng shēng shì,to spread one's voice wide (idiom); wide publicity -大后天,dà hòu tiān,three days from now; day after day after tomorrow -大后年,dà hòu nián,three years from now; year after year after next year -大彻大悟,dà chè dà wù,to achieve supreme enlightenment or nirvana (Buddhism) -大心,dà xīn,"(Tw) considerate; thoughtful (from Taiwanese 貼心, Tai-lo pr. [tah-sim])" -大志,dà zhì,high aims -大忙人,dà máng rén,busy bee; very busy person -大快人心,dà kuài rén xīn,to the satisfaction of everyone -大快朵颐,dà kuài duǒ yí,(idiom) to eat with great relish; to feast on (sth) -大怒,dà nù,to become furious; to explode in anger -大恩不言谢,dà ēn bù yán xiè,"(maxim) a mere ""thank you"" is an insufficient response to a huge favor; (expression of gratitude) words cannot express my appreciation for what you have done" -大恭,dà gōng,(literary) excrement; feces -大悟,dà wù,"Dawu county in Xiaogan 孝感[Xiao4 gan3], Hubei" -大悟县,dà wù xiàn,"Dawu county in Xiaogan 孝感[Xiao4 gan3], Hubei" -大悲咒,dà bēi zhòu,the Great Compassion Mantra -大惑不解,dà huò bù jiě,to be at a loss (idiom) -大意,dà yì,general idea; main idea -大意,dà yi,careless -大意失荆州,dà yi shī jīng zhōu,lit. to lose Jingzhou due to carelessness (idiom); fig. to suffer a major setback due to negligence -大愚,dà yú,idiot; ignorant fool -大慈恩寺,dà cí ēn sì,Daci'en Buddhist temple in Xi'an -大庆,dà qìng,Daqing prefecture-level city in Heilongjiang province 黑龍江|黑龙江[Hei1 long2 jiang1] in northeast China -大庆市,dà qìng shì,Daqing prefecture-level city in Heilongjiang province 黑龍江|黑龙江[Hei1 long2 jiang1] in northeast China -大憝,dà duì,archenemy; chief enemy -大宪章,dà xiàn zhāng,Magna Carta -大我,dà wǒ,the collective; the whole; (Buddhism) the greater self -大戟科,dà jǐ kē,Euphorbiaceae (plant family including rubber and cassava) -大战,dà zhàn,war; to wage war -大戏,dà xì,"large-scale Chinese opera; Beijing opera; major dramatic production (movie, TV series etc)" -大户,dà hù,great family; rich family; large landlord; conspicuous spender or consumer -大手大脚,dà shǒu dà jiǎo,extravagant (idiom); to throw away money by the handful; wasteful -大才小用,dà cái xiǎo yòng,lit. making little use of great talent; to use a sledgehammer to crack a nut -大打出手,dà dǎ chū shǒu,"to come to blows; to start a fight; (derived from the term for a type of theatrical fight scene, 打出手[da3 chu1 shou3])" -大批,dà pī,large quantities of -大批特批,dà pī tè pī,to criticize severly; to censure -大投资家,dà tóu zī jiā,big investor -大抵,dà dǐ,generally speaking; by and large; for the most part -大拇哥,dà mǔ gē,thumb; big toe; USB flash drive -大拇指,dà mu zhǐ,Tom Thumb (small person in folk tales) -大拇指,dà mu zhǐ,thumb -大拐,dà guǎi,to turn left (Shanghainese) -大括弧,dà kuò hú,braces; curly brackets { } -大括号,dà kuò hào,braces; curly brackets { } -大拿,dà ná,(coll.) man in power; boss; authority; expert -大指,dà zhǐ,thumb; big toe -大捕头,dà bǔ tóu,head constable -大排档,dà pái dàng,food stall; open-air restaurant -大排长龙,dà pái cháng lóng,to form a long queue (idiom); (of cars) to be bumper to bumper -大提琴,dà tí qín,cello; violoncello; CL:把[ba3] -大提琴手,dà tí qín shǒu,cellist -大摇大摆,dà yáo dà bǎi,to strut; swaggering -大拟啄木鸟,dà nǐ zhuó mù niǎo,(bird species of China) great barbet (Megalaima virens) -大放光明,dà fàng guāng míng,to shine brightly; (fig.) to show promise; to be on the up and up -大放厥词,dà fàng jué cí,to prattle on self-importantly (idiom) -大放悲声,dà fàng bēi shēng,to wail loudly and mournfully (idiom) -大放异彩,dà fàng yì cǎi,"to shine (of talents, skills, accomplishment); to demonstrate extraordinary talent or skill" -大政方针,dà zhèng fāng zhēn,major policy of the national government -大政翼赞会,dà zhèng yì zàn huì,"Taisei Yokusankai, Japanese fascist organization created in 1940" -大败,dà bài,to defeat; to inflict a defeat on sb -大教堂,dà jiào táng,cathedral -大敌当前,dà dí dāng qián,(idiom) to be faced with a formidable enemy -大数,dà shù,"Tarsus, Mediterranean city in Turkey, the birthplace of St Paul" -大数,dà shù,a large number -大数据,dà shù jù,big data (computing) -大文蛤,dà wén gé,giant clam; geoduck (Panopea abrupta); elephant trunk clam; same as 象拔蚌[xiang4 ba2 bang4] -大斑啄木鸟,dà bān zhuó mù niǎo,(bird species of China) great spotted woodpecker (Dendrocopos major) -大斑鹡鸰,dà bān jí líng,(bird species of China) white-browed wagtail (Motacilla maderaspatensis) -大料,dà liào,Chinese anise; star anise -大新,dà xīn,"Daxin county in Chongzuo 崇左[Chong2 zuo3], Guangxi" -大新县,dà xīn xiàn,"Daxin county in Chongzuo 崇左[Chong2 zuo3], Guangxi" -大方,dà fāng,expert; scholar; mother earth; a type of green tea -大方,dà fang,generous; magnanimous; stylish; in good taste; easy-mannered; natural and relaxed -大方之家,dà fāng zhī jiā,learned person; expert in a certain field; abbr. to 方家[fang1 jia1] -大方广佛华严经,dà fāng guǎng fó huá yán jīng,"Avatamsaka sutra of the Huayan school; also called Buddhavatamsaka-mahavaipulya Sutra, the Flower adornment sutra or the Garland sutra" -大方县,dà fāng xiàn,"Dafang county in Bijie prefecture 畢節地區|毕节地区[Bi4 jie2 di4 qu1], Guizhou" -大于,dà yú,greater than; bigger than; more than -大族,dà zú,large and influential family; clan -大旗,dà qí,banner -大日如来,dà rì rú lái,"Vairocana, Buddha of supreme enlightenment" -大旱之望云霓,dà hàn zhī wàng yún ní,see 大旱望雲霓|大旱望云霓[da4 han4 wang4 yun2 ni2] -大旱望云霓,dà hàn wàng yún ní,lit. looking for rain clouds in times of drought (idiom); fig. desperate for an escape from a difficult situation -大旱望霓,dà hàn wàng ní,see 大旱望雲霓|大旱望云霓[da4 han4 wang4 yun2 ni2] -大明历,dà míng lì,the 5th century Chinese calendar established by Zu Chongzhi 祖沖之|祖冲之 -大明湖,dà míng hú,"Daming Lake in Jinan 濟南|济南[Ji3 nan2], Shandong" -大明虾,dà míng xiā,king prawn -大星芹,dà xīng qín,great masterwort (Astrantia major) -大昭寺,dà zhāo sì,"Jokhang, main Buddhist temple in Lhasa, a sacred place of Tibetan Buddhism" -大智如愚,dà zhì rú yú,the wise may appear stupid (idiom); a genius not appreciated in his own time -大智慧,dà zhì huì,great wisdom and knowledge (Buddhism) -大智若愚,dà zhì ruò yú,(idiom) great intelligence may appear to be stupidity -大暑,dà shǔ,"Dashu or Great Heat, 12th of the 24 solar terms 二十四節氣|二十四节气 23rd July-6th August" -大会,dà huì,"general assembly; general meeting; convention; CL:個|个[ge4],屆|届[jie4]" -大会报告起草人,dà huì bào gào qǐ cǎo rén,rapporteur -大月,dà yuè,solar month of 31 days; a lunar month of 30 days -大月支,dà yuè zhī,variant of 大月氏[Da4 Yue4 zhi1] -大月氏,dà yuè zhī,"the Greater Yuezhi, a branch of the Yuezhi 月氏[Yue4 zhi1] people of central Asia during the Han dynasty" -大有,dà yǒu,"there is a great deal of ... (typically followed by a bisyllabic word, as in 大有希望[da4you3-xi1wang4]); (literary) bumper harvest; abundance" -大有人在,dà yǒu rén zài,there are plenty of such people -大有作为,dà yǒu zuò wéi,to accomplish much; to have good prospects; to have a promising future -大有可为,dà yǒu kě wéi,with great prospects for the future (idiom); well worth doing -大有希望,dà yǒu xī wàng,to stand a good chance; to have great hopes; to be promising -大有文章,dà yǒu wén zhāng,some deeper meaning in this; more to it than meets the eye; there's sth behind all this -大有裨益,dà yǒu bì yì,bringing great benefits (idiom); very useful; of great service; to help greatly; to serve one well -大本涅盘经,dà běn niè pán jīng,the great Nirvana sutra: every living thing has Buddha nature. -大本营,dà běn yíng,headquarters; base camp -大本钟,dà běn zhōng,Big Ben -大朱雀,dà zhū què,(bird species of China) spotted great rosefinch (Carpodacus severtzovi) -大李杜,dà lǐ dù,Li Bai 李白[Li3 Bai2] and Du Fu 杜甫[Du4 Fu3] -大材小用,dà cái xiǎo yòng,using a talented person in an insignificant position (idiom); a sledgehammer to crack a nut -大村,dà cūn,"Dacun Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -大村乡,dà cūn xiāng,"Dacun Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -大杓鹬,dà sháo yù,(bird species of China) Far Eastern curlew (Numenius madagascariensis) -大杜鹃,dà dù juān,(bird species of China) common cuckoo (Cuculus canorus) -大东,dà dōng,"Dadong district of Shenyang city 瀋陽市|沈阳市, Liaoning" -大东亚共荣圈,dà dōng yà gòng róng quān,"Great East Asia Co-Prosperity Sphere, Japanese wartime slogan for their short-lived Pacific Empire, first enunciated by Prime Minister Prince KONOE Fumimaro 近衛文麿|近卫文麿 in 1938" -大东区,dà dōng qū,"Dadong district of Shenyang city 瀋陽市|沈阳市, Liaoning" -大林,dà lín,"Dalin or Talin Town in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -大林镇,dà lín zhèn,"Dalin or Talin Town in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -大染缸,dà rǎn gāng,big dyeing vat; (fig.) corrupting environment -大柴旦,dà chái dàn,"Da Qaidam county level subdivision of Haixi Mongol and Tibetan autonomous prefecture 海西蒙古族藏族自治州[Hai3 xi1 Meng3 gu3 zu2 Zang4 zu2 zi4 zhi4 zhou1], Qinghai" -大柴旦行政区,dà chái dàn xíng zhèng qū,"Da Qaidam county level subdivision of Haixi Mongol and Tibetan autonomous prefecture 海西蒙古族藏族自治州[Hai3 xi1 Meng3 gu3 zu2 Zang4 zu2 zi4 zhi4 zhou1], Qinghai" -大柴旦行政委员会,dà chái dàn xíng zhèng wěi yuán huì,"Da Qaidam county level subdivision of Haixi Mongol and Tibetan autonomous prefecture 海西蒙古族藏族自治州, Qinghai" -大柴旦镇,dà chái dàn zhèn,"Da Qaidam town in Haixi Mongol and Tibetan autonomous prefecture 海西蒙古族藏族自治州[Hai3 xi1 Meng3 gu3 zu2 Zang4 zu2 zi4 zhi4 zhou1], Qinghai" -大校,dà xiào,senior ranking officer in Chinese army; senior colonel -大根兰,dà gēn lán,Cymbidium macrorrhizum Lindl. -大桶,dà tǒng,barrel; vat -大梁,dà liáng,capital of Wei 魏 during Warring states; CL:根[gen1] -大条,dà tiáo,(used to modify 事情[shi4 qing5]) serious; grave -大棒,dà bàng,big stick (policy etc) -大枣,dà zǎo,see 紅棗|红枣[hong2 zao3] -大棚,dà péng,greenhouse; polytunnel -大业,dà yè,great cause; great undertaking -大概,dà gài,roughly; probably; rough; approximate; about; general idea -大楼,dà lóu,"building (a relatively large, multistory one); CL:幢[zhuang4],座[zuo4]" -大模大样,dà mú dà yàng,boldly; ostentatiously; poised; self-assured; Taiwan pr. [da4 mo2 da4 yang4] -大样,dà yàng,arrogant; full-page proofs (of newspaper); detailed drawing -大树,dà shù,"Tashu township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -大树底下好乘凉,dà shù dǐ xià hǎo chéng liáng,lit. under a big tree the shade is plentiful (idiom); fig. to benefit by proximity to an influential person -大树菠萝,dà shù bō luó,jackfruit -大树乡,dà shù xiāng,"Tashu township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -大树莺,dà shù yīng,(bird species of China) chestnut-crowned bush warbler (Cettia major) -大桥,dà qiáo,"Da Qiao, one of the Two Qiaos, according to Romance of the Three Kingdoms 三國演義|三国演义[San1 guo2 Yan3 yi4], the two great beauties of ancient China" -大权,dà quán,power; authority -大权在握,dà quán zài wò,to be in a position of power -大款,dà kuǎn,very wealthy person -大正,dà zhèng,"Taishō, Japanese era name, corresponding to the reign (1912-1926) of emperor Yoshihito 嘉仁[Jia1 ren2]" -大步,dà bù,large strides -大步流星,dà bù liú xīng,at a stride; taking large steps (while walking) -大武,dà wǔ,"Dawu or Tawu township in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan" -大武口,dà wǔ kǒu,"Dawukou district of Shizuishan city 石嘴山市[Shi2 zui3 shan1 shi4], Ningxia" -大武口区,dà wǔ kǒu qū,"Dawukou district of Shizuishan city 石嘴山市[Shi2 zui3 shan1 shi4], Ningxia" -大武乡,dà wǔ xiāng,"Dawu or Tawu township in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan" -大杀风景,dà shā fēng jǐng,to be a blot on the landscape; to dampen spirits; to spoil the fun; to be a wet blanket -大殿,dà diàn,main hall of a Buddhist temple -大比目鱼,dà bǐ mù yú,halibut -大氅,dà chǎng,overcoat; cloak; cape; CL:件[jian4] -大气,dà qì,atmosphere (surrounding the earth); imposing; impressive; stylish -大气候,dà qì hòu,atmosphere -大气儿,dà qì er,erhua variant of 大氣|大气[da4 qi4] -大气圈,dà qì quān,atmosphere -大气压,dà qì yā,atmospheric pressure -大气压力,dà qì yā lì,atmospheric pressure -大气压强,dà qì yā qiáng,atmospheric pressure -大气层,dà qì céng,atmosphere -大气层核试验,dà qì céng hé shì yàn,atmospheric nuclear test -大气暖化,dà qì nuǎn huà,atmospheric warming -大气污染,dà qì wū rǎn,air pollution; atmospheric pollution -大气环流,dà qì huán liú,atmospheric circulation -大氧吧,dà yǎng bā,source of oxygen (of forests and nature reserves); (cliché) lungs of the planet -大水,dà shuǐ,flood -大水冲了龙王庙,dà shuǐ chōng le lóng wáng miào,lit. surging waters flooded the Dragon King temple (idiom); fig. to fail to recognize a familiar person; a dispute between close people who fail to recognize each other -大汗,dà hán,supreme khan -大汗,dà hàn,profuse perspiration -大汗淋漓,dà hàn lín lí,dripping with sweat -大江健三郎,dà jiāng jiàn sān láng,Oe Kenzaburo (1935-) Japanese novelist and 1994 Nobel laureate -大江南北,dà jiāng nán běi,north and south sides of the Yangtze River (idiom); (fig.) all over China -大汶口文化,dà wèn kǒu wén huà,"Dawenkou culture (c. 4100-2600 BC), Neolithic culture based in today's Shandong area 山東|山东[Shan1 dong1]" -大沙河,dà shā hé,Dasha River (the name of rivers in various parts of China) -大沙锥,dà shā zhuī,(bird species of China) Swinhoe's snipe (Gallinago megala) -大河,dà hé,large river (esp the Yellow River) -大油,dà yóu,lard -大沽口炮台,dà gū kǒu pào tái,"Taku Forts, maritime defense works in Tianjin dating back to the Ming dynasty, playing a prominent role during the Opium Wars (1839-1860)" -大沽炮台,dà gū pào tái,"Taku Forts, maritime defense works in Tianjin dating back to the Ming dynasty, playing a prominent role during the Opium Wars (1839-1860)" -大法官,dà fǎ guān,grand justice; high court justice; supreme court justice -大波斯菊,dà bō sī jú,"cosmos (Cosmos bipinnatus), flowering herbaceous plant" -大洋,dà yáng,ocean; (old) silver dollar; (slang) Chinese yuan -大洋中脊,dà yáng zhōng jǐ,mid-ocean ridge (geology) -大洋型地壳,dà yáng xíng dì qiào,oceanic crust (geology) -大洋洲,dà yáng zhōu,Oceania -大洋龙,dà yáng lóng,halisaurus -大洲,dà zhōu,continent -大流行,dà liú xíng,major epidemic; pandemic -大浦洞,dà pǔ dòng,"Taepodong, North Korean rocket series" -大浪,dà làng,billow; surge -大海,dà hǎi,sea; ocean -大海捞针,dà hǎi lāo zhēn,lit. to fish a needle from the sea; to find a needle in a haystack (idiom) -大海沟,dà hǎi gōu,marine trench -大浅盘,dà qiǎn pán,platter -大清,dà qīng,Great Qing dynasty (1644-1911) -大清帝国,dà qīng dì guó,Great Qing Empire (1644-1911) -大清早,dà qīng zǎo,early in the morning -大渡口,dà dù kǒu,"Dadukou, a district of Chongqing 重慶|重庆[Chong2qing4]" -大渡口区,dà dù kǒu qū,"Dadukou, a district of Chongqing 重慶|重庆[Chong2qing4]" -大渡河,dà dù hé,Dadu River in Sichuan -大港,dà gǎng,"Dagang former district of Tianjin, now part of Binhai subprovincial district 濱海新區|滨海新区[Bin1 hai3 xin1 qu1]" -大港区,dà gǎng qū,"Dagang former district of Tianjin, now part of Binhai subprovincial district 濱海新區|滨海新区[Bin1 hai3 xin1 qu1]" -大湄公河次区域,dà méi gōng hé cì qū yù,"Greater Mekong Subregion (GMS), area of economic cooperation between China and Vietnam" -大湄公河次区域合作,dà méi gōng hé cì qū yù hé zuò,"Greater Mekong Subregion (GMS), economic cooperation program between China and Vietnam" -大湖,dà hú,"Dahu or Tahu township in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -大湖乡,dà hú xiāng,"Dahu or Tahu township in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -大溪地,dà xī dì,"Tahiti, island of the Society Islands group in French Polynesia (Tw)" -大溪豆干,dà xī dòu gān,"dried tofu made in Daxi, a district of Taoyuan, Taiwan famous for its dried tofu 豆干[dou4gan1]" -大灭绝,dà miè jué,mass extinction -大满贯,dà mǎn guàn,grand slam -大漠,dà mò,desert -大汉,dà hàn,burly fellow; Han Dynasty -大汉族主义,dà hàn zú zhǔ yì,Greater Han nationalism -大润发,dà rùn fā,RT Mart (supermarket chain) -大潮,dà cháo,spring tide; (fig.) momentous social change -大泽乡起义,dà zé xiāng qǐ yì,"Dazexiang Uprising, another name for 陳勝吳廣起義|陈胜吴广起义[Chen2 Sheng4 Wu2 Guang3 Qi3 yi4]" -大滨鹬,dà bīn yù,(bird species of China) great knot (Calidris tenuirostris) -大湾区,dà wān qū,"Greater Bay Area, established in 2017, consisting of Hong Kong, Macao and nine cities in Guangdong (abbr. for 粵港澳大灣區|粤港澳大湾区[Yue4 Gang3 Ao4 Da4 wan1 Qu1])" -大火,dà huǒ,conflagration; large fire; CL:場|场[chang2] -大灰啄木鸟,dà huī zhuó mù niǎo,(bird species of China) great slaty woodpecker (Mulleripicus pulverulentus) -大灰狼,dà huī láng,big bad wolf -大灶,dà zào,"large kitchen stove made from bricks or earth; (PRC) ordinary mess hall (lowest dining standard, ranked below 中灶[zhong1 zao4] for mid-level cadres and 小灶[xiao3 zao4] for the most privileged)" -大灾,dà zāi,calamity; catastrophe -大炮打蚊子,dà pào dǎ wén zi,cannon fire to hit a mosquito; to use a sledgehammer to crack a nut -大为,dà wéi,very; greatly -大乌苏里岛,dà wū sū lǐ dǎo,"Bolshoi Ussuriisk Island in the Heilongjiang or Amur river, at mouth of the Ussuri River opposite Khabarovsk; same as Heixiazi Island 黑瞎子島|黑瞎子岛[Hei1 xia1 zi5 Dao3]" -大乌鸦,dà wū yā,a raven -大无畏,dà wú wèi,utterly fearless -大烟,dà yān,opium -大煞风景,dà shā fēng jǐng,see 大殺風景|大杀风景[da4 sha1 feng1 jing3] -大熊座,dà xióng zuò,"Ursa Major, the Great Bear (constellation)" -大熊猫,dà xióng māo,giant panda (Ailuropoda melanoleuca) -大熔炉,dà róng lú,lit. large smelting furnace; fig. the mixing of different ethnicities and cultures; Melting Pot -大热,dà rè,great heat; very popular -大灯,dà dēng,headlight -大爆炸,dà bào zhà,Big Bang (cosmology) -大爷,dà yé,arrogant idler; self-centered show-off -大爷,dà ye,(coll.) father's older brother; uncle; term of respect for older man -大片,dà piàn,wide expanse; large area; vast stretch; extending widely; blockbuster movie -大牌,dà pái,strong card; honor card (card games); very popular or successful person; self-important -大牌档,dà pái dàng,"food stall; open-air restaurant (originally Hong Kong usage, now usually written as 大排檔|大排档[da4 pai2 dang4]" -大牛,dà niú,(coll.) leading light; superstar; badass; (coll.) higher-priced model of Lamborghini -大牢,dà láo,prison -大犬座,dà quǎn zuò,Canis Major (constellation) -大猩猩,dà xīng xing,gorilla -大狱,dà yù,jail; prison -大奖,dà jiǎng,prize; award -大奖赛,dà jiǎng sài,grand prix -大获全胜,dà huò quán shèng,to seize total victory (idiom); an overwhelming victory; to win by a landslide (in election) -大王,dà wáng,king; magnate; person having expert skill in something -大王,dài wang,"robber baron (in opera, old stories); magnate" -大班,dà bān,tai-pan; business executive; foreign business manager; top class of kindergarten or school grade -大球,dà qiú,"sports such as soccer, basketball and volleyball that use large balls; see also 小球[xiao3 qiu2]" -大理,dà lǐ,Dali Bai autonomous prefecture 大理白族自治州 in Yunnan -大理,dà lǐ,judicial officer; justice of the peace (old) -大理寺,dà lǐ sì,Imperial Court of Judicial Review -大理寺卿,dà lǐ sì qīng,Chief Justice of the Imperial Court of Judicial Review -大理岩,dà lǐ yán,marble -大理州,dà lǐ zhōu,"abbr. for 大理白族自治州, Dali Bai autonomous prefecture in Yunnan" -大理市,dà lǐ shì,"Dali city, capital of Dali Bai autonomous prefecture 大理白族自治州 in Yunnan" -大理白族自治州,dà lǐ bái zú zì zhì zhōu,Dali Bai autonomous prefecture in Yunnan -大理石,dà lǐ shí,marble -大理花,dà lǐ huā,dahlia (loanword) -大环,dà huán,"Tai Wan, a locality in Kowloon, Hong Kong" -大环境,dà huán jìng,the environment (from a macro perspective); the broader context; the bigger picture -大生,dà shēng,"university student, abbr. for 大學生|大学生[da4 xue2 sheng1]" -大用,dà yòng,to put sb in powerful position; to empower -大田,dà tián,"Datian, a county in Sanming City 三明市[San1ming2 Shi4], Fujian; Daejeon Metropolitan City, capital of South Chungcheong Province 忠清南道[Zhong1qing1nan2dao4], South Korea" -大田市,dà tián shì,"Daejeon Metropolitan City, capital of South Chungcheong Province 忠清南道[Zhong1 qing1 nan2 dao4], South Korea" -大田广域市,dà tián guǎng yù shì,"Daejeon Metropolitan City, capital of South Chungcheong Province 忠清南道[Zhong1 qing1 nan2 dao4], South Korea" -大田县,dà tián xiàn,"Datian, a county in Sanming City 三明市[San1ming2 Shi4], Fujian" -大甲,dà jiǎ,"Dajia or Tachia Town in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -大甲镇,dà jiǎ zhèn,"Dajia or Tachia Town in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -大男人,dà nán rén,very masculine guy; a real man; (used ironically) a grown man -大男人主义,dà nán rén zhǔ yì,male chauvinism -大男子主义,dà nán zǐ zhǔ yì,male chauvinism -大男子主义者,dà nán zǐ zhǔ yì zhě,male chauvinist -大略,dà lüè,a broad outline; the general idea; roughly -大疆,dà jiāng,"DJI, Chinese technology company" -大病,dà bìng,serious illness -大疮,dà chuāng,syphilis; syphilitic ulcer -大发,dà fā,"Daihatsu, Japanese car company" -大发雷霆,dà fā léi tíng,to be furious; to fly into a terrible rage -大白,dà bái,"to be revealed; to come out (of the truth); chalk (for whitening walls); (old) wine cup; (neologism c. 2021) healthcare worker or volunteer in full-body PPE (esp. during the COVID-19 pandemic) (from the 2014 Disney version of the Marvel Comics character Baymax, whose Chinese name is 大白)" -大白天,dà bái tiān,broad daylight -大白熊犬,dà bái xióng quǎn,Great Pyrenees (dog breed) -大白菜,dà bái cài,bok choy; Chinese cabbage; Brassica pekinensis; CL:棵[ke1] -大白话,dà bái huà,colloquial speech -大白鲨,dà bái shā,great white shark (Carcharodon carcharias) -大白鹭,dà bái lù,(bird species of China) great egret (Ardea alba) -大尽,dà jìn,lunar month of 30 days; same as 大建[da4 jian4] -大盘子,dà pán zi,platter -大盘尾,dà pán wěi,(bird species of China) greater racket-tailed drongo (Dicrurus paradiseus) -大盘鸡,dà pán jī,"dapanji or ""big plate chicken"", a kind of spicy chicken stew originating from Xinjiang" -大相径庭,dà xiāng jìng tíng,as different as can be (idiom); poles apart -大眼瞪小眼,dà yǎn dèng xiǎo yǎn,"(idiom) to look at each other, not knowing what to do" -大眼角,dà yǎn jiǎo,inner corner of the eye -大众,dà zhòng,Volkswagen (automobile manufacturer) -大众,dà zhòng,"the masses; the great bulk of the population; popular (of music, science etc)" -大众传播,dà zhòng chuán bō,mass communication -大众化,dà zhòng huà,mass-oriented; to cater for the masses; popularized -大众捷运,dà zhòng jié yùn,mass rapid transit MRT -大众汽车,dà zhòng qì chē,Volkswagen -大众运输,dà zhòng yùn shū,public transport (Tw) -大众部,dà zhòng bù,Mahasanghika (branch of Buddhism) -大短趾百灵,dà duǎn zhǐ bǎi líng,(bird species of China) greater short-toed lark (Calandrella brachydactyla) -大石桥,dà shí qiáo,"Dashiqiao county-level city in Yingkou 營口|营口[Ying2 kou3], Liaoning" -大石桥市,dà shí qiáo shì,"Dashiqiao county-level city in Yingkou 營口|营口[Ying2 kou3], Liaoning" -大石鸡,dà shí jī,(bird species of China) rusty-necklaced partridge (Alectoris magna) -大石鸻,dà shí héng,(bird species of China) great stone-curlew (Esacus recurvirostris) -大炮,dà pào,"big gun; cannon; artillery; one who talks big; CL:門|门[men2],尊[zun1]" -大破大立,dà pò dà lì,to destroy the old and establish the new (idiom); radical transformation -大碍,dà ài,(usually used in the negative) major issue; serious problem; big deal -大社,dà shè,"Tashe township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -大社乡,dà shè xiāng,"Tashe township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -大神,dà shén,deity; (Internet slang) guru; expert; whiz -大祥,dà xiáng,"Daxiang district of Shaoyang city 邵陽市|邵阳市[Shao4 yang2 shi4], Hunan" -大祥区,dà xiáng qū,"Daxiang district of Shaoyang city 邵陽市|邵阳市[Shao4 yang2 shi4], Hunan" -大祭司,dà jì sī,High Priest -大祸,dà huò,disaster; calamity -大祸临头,dà huò lín tóu,facing imminent catastrophe; calamity looms; all hell will break loose -大福,dà fú,"a great blessing; daifuku, a traditional Japanese sweet consisting of a soft, chewy outer layer made of glutinous rice (mochi) and a sweet filling, commonly red bean paste (orthographic borrowing from Japanese 大福 ""daifuku"")" -大禹,dà yǔ,Yu the Great (c. 21st century BC) mythical leader who tamed the floods -大秦,dà qín,Han Dynasty term for the Roman Empire 羅馬帝國|罗马帝国[Luo2 ma3 Di4 guo2] -大洼,dà wā,"Dawa county in Panjin 盤錦|盘锦, Liaoning" -大洼县,dà wā xiàn,"Dawa county in Panjin 盤錦|盘锦, Liaoning" -大竹,dà zhú,"Dazhu county in Dazhou 達州|达州[Da2 zhou1], Sichuan" -大竹县,dà zhú xiàn,"Dazhu county in Dazhou 達州|达州[Da2 zhou1], Sichuan" -大笑,dà xiào,to laugh heartily; a belly laugh -大笨象,dà bèn xiàng,(slang) elephant -大笔,dà bǐ,"(formal, honorific) your writing; your handwriting; pen; calligraphy brush; a large sum of (money)" -大箐山,dà qìng shān,Daqingshan County in Heilongjiang province -大管,dà guǎn,bassoon -大节,dà jié,major festival; important matter; major principle; high moral character -大范围,dà fàn wéi,large-scale -大篆,dà zhuàn,the great seal; used narrowly for 籀文; used broadly for many pre-Qin scripts -大篷车,dà péng chē,covered truck; covered wagon; bus with some seating but mostly standing room -大米,dà mǐ,(husked) rice -大粪,dà fèn,human excrement; night soil (human manure traditionally used as agricultural fertilizer) -大系,dà xì,compendium -大纪元,dà jì yuán,"Epoch Times, US newspaper" -大纪元时报,dà jì yuán shí bào,"Epoch Times, US newspaper" -大约,dà yuē,approximately; probably -大红,dà hóng,crimson -大红大紫,dà hóng dà zǐ,to hit the big time -大红大绿,dà hóng dà lǜ,bright-colored; garish -大红灯笼高高挂,dà hóng dēng lóng gāo gāo guà,"Raise the Red Lantern (1991), movie by Zhang Yimou 張藝謀|张艺谋[Zhang1 Yi4 mou2]" -大红袍,dà hóng páo,an expensive type of oolong tea -大红鹳,dà hóng guàn,(bird species of China) greater flamingo (Phoenicopterus roseus) -大红鼻子,dà hóng bí zi,"rhinophyma (red nose, often related to rosacea or excessive alcohol); brandy nose" -大紫胸鹦鹉,dà zǐ xiōng yīng wǔ,(bird species of China) Lord Derby's parakeet (Psittacula derbiana) -大紫荆勋章,dà zǐ jīng xūn zhāng,"Great Bauhinia Medal (GBM), Hong Kong's highest honor" -大绝灭,dà jué miè,mass extinction -大绿雀鹎,dà lǜ què bēi,(bird species of China) great iora (Aegithina lafresnayei) -大纲,dà gāng,synopsis; outline; program; leading principles -大总统,dà zǒng tǒng,president (of a country); same as 總統|总统 -大骂,dà mà,to rain curses (on sb); to let sb have it; to bawl sb out -大羊驼,dà yáng tuó,llama -大美人,dà měi rén,gorgeous-looking woman -大义,dà yì,righteousness; virtuous cause; a woman's marriage; main points of a piece of writing -大义凛然,dà yì lǐn rán,devotion to righteousness that inspires reverence (idiom) -大义灭亲,dà yì miè qīn,to place righteousness before family (idiom); ready to punish one's own family if justice demands it -大老婆,dà lǎo pó,primary wife -大老粗,dà lǎo cū,uncouth fellow; rustic -大老远,dà lǎo yuǎn,very far away -大考,dà kǎo,final exam; to take an end-of-term exam; (Tw) college entrance exam (abbr. for 大學入學考試|大学入学考试[da4xue2 ru4xue2 kao3shi4]) -大而化之,dà ér huà zhī,careless; sloppy -大而无当,dà ér wú dàng,grandiose but impractical (idiom); large but of no real use -大耳窿,dà ěr lóng,loan shark; usurer -大圣,dà shèng,great sage; mahatma; king; emperor; outstanding personage; Buddha -大声,dà shēng,loud voice; in a loud voice; loudly -大声喊叫,dà shēng hǎn jiào,to shout loudly -大声疾呼,dà shēng jí hū,to call loudly (idiom); to get people's attention; to make one's views known -大肆,dà sì,wantonly; without restraint (of enemy or malefactor); unbridled -大肆攻击,dà sì gōng jī,to vilify sb wantonly; unrestrained attack (on sb) -大肆鼓吹,dà sì gǔ chuī,to advocate vociferously -大肉,dà ròu,pork -大肚,dà dù,"Dadu or Tatu Township in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -大肚子,dà dù zi,pregnant; potbelly; big eater -大肚子经济,dà dù zi jīng jì,"""Pregnancy-oriented Economy"", new market conditions brought about by a predicted baby boom in China" -大肚乡,dà dù xiāng,"Dadu or Tatu Township in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -大股东,dà gǔ dōng,large stockholder; majority shareholder -大胃王,dà wèi wáng,eating champion -大能,dà néng,almighty -大腕,dà wàn,(coll.) big shot; big name; bigwig; heavyweight -大腕儿,dà wàn er,erhua variant of 大腕[da4 wan4] -大脑,dà nǎo,brain; cerebrum -大脑死亡,dà nǎo sǐ wáng,brain death -大脚,dà jiǎo,naturally-formed feet (as opposed to bound feet 小腳|小脚[xiao3 jiao3]); long kick (soccer); Bigfoot (mythological animal) -大脚怪,dà jiǎo guài,bigfoot -大肠,dà cháng,the large intestine -大肠包小肠,dà cháng bāo xiǎo cháng,"small sausage in large sausage (pork sausage stuffed inside a glutinous rice sausage, a Taiwanese street food specialty)" -大肠杆菌,dà cháng gǎn jūn,Escherichia coli (E. coli) -大腹便便,dà fù pián pián,big-bellied (idiom); paunchy -大腹皮,dà fù pí,husk of betel nut 檳榔|槟榔[bing1 lang5] -大腿,dà tuǐ,thigh -大腿袜,dà tuǐ wà,thigh highs -大胆,dà dǎn,brazen; audacious; outrageous; bold; daring; fearless -大臣,dà chén,chancellor (of a monarchy); cabinet minister -大自然,dà zì rán,nature (the natural world) -大致,dà zhì,more or less; roughly; approximately -大舅子,dà jiù zi,(coll.) wife's older brother -大兴,dà xīng,"Daxing, a district of Beijing" -大兴,dà xīng,to go in for something in a big way; to undertake on a large scale -大兴区,dà xīng qū,"Daxing, a district of Beijing" -大兴问罪之师,dà xīng wèn zuì zhī shī,to launch a punitive campaign; to condemn scathingly -大兴土木,dà xīng tǔ mù,to carry out large scale construction -大兴安岭,dà xīng ān lǐng,Daxing'anling mountain range in northwest Heilongjiang province 黑龍江|黑龙江[Hei1 long2 jiang1] in northeast China; Daxing'anling prefecture -大兴安岭地区,dà xīng ān lǐng dì qū,Daxing'anling prefecture in northwest Heilongjiang province 黑龍江|黑龙江[Hei1 long2 jiang1] in northeast China -大兴安岭山脉,dà xīng ān lǐng shān mài,Daxing'anling mountain range in northwest Heilongjiang province -大兴机场,dà xīng jī chǎng,"Beijing Daxing International Airport (PKX), nicknamed 海星機場|海星机场[hai3 xing1 ji1 chang3] because its terminal looks like a huge starfish" -大举,dà jǔ,(do sth) on a large scale -大舌头,dà shé tou,(coll.) lisp; one who lisps -大般涅盘经,dà bān niè pán jīng,Nirvana sutra -大舵手,dà duò shǒu,the Great Helmsman (Mao Zedong) -大英,dà yīng,"Daying county in Suining 遂寧|遂宁[Sui4 ning2], Sichuan; Great Britain" -大英博物馆,dà yīng bó wù guǎn,British Museum -大英国协,dà yīng guó xié,British Commonwealth of Nations (Tw) -大英帝国,dà yīng dì guó,British Empire -大英县,dà yīng xiàn,"Daying county in Suining 遂寧|遂宁[Sui4 ning2], Sichuan" -大英联合王国,dà yīng lián hé wáng guó,United Kingdom -大茴香,dà huí xiāng,Chinese anise; star anise -大茴香子,dà huí xiāng zi,aniseed -大草原,dà cǎo yuán,prairie; savanna -大草鹛,dà cǎo méi,(bird species of China) giant babax (Babax waddelli) -大草莺,dà cǎo yīng,(bird species of China) Chinese grassbird (Graminicola striatus) -大荔,dà lì,"Dali County in Weinan 渭南[Wei4 nan2], Shaanxi" -大荔县,dà lì xiàn,"Dali County in Weinan 渭南[Wei4 nan2], Shaanxi" -大菱鲆,dà líng píng,turbot -大叶性肺炎,dà yè xìng fèi yán,lobar pneumonia -大苇莺,dà wěi yīng,(bird species of China) great reed warbler (Acrocephalus arundinaceus) -大蒜,dà suàn,"garlic; CL:瓣[ban4],頭|头[tou2]" -大盖帽,dà gài mào,peaked cap; service cap; visor cap -大葱,dà cōng,leek; Chinese onion -大萧条,dà xiāo tiáo,the Great Depression (1929-c. 1939) -大藏经,dà zàng jīng,"Tripitaka Koreana, Buddhist scriptures carved on 81,340 wooden tablets and housed in the Haein Temple 海印寺[Hai3 yin4 si4] in South Gyeongsang province of South Korea" -大萝卜,dà luó bo,see 白蘿蔔|白萝卜[bai2 luo2 bo5] -大虎头蜂,dà hǔ tóu fēng,Asian giant hornet (Vespa mandarinia) -大号,dà hào,"tuba; large size (clothes, print etc); (polite) (your) name; (coll.) number two; to defecate" -大蛇丸,dà shé wán,"Orochimaru, Japanese folktale hero; Orochimaru, character in the Naruto manga series" -大虾,dà xiā,prawn; (Internet slang) expert; whiz -大融炉,dà róng lú,melting pot -大虫,dà chóng,tiger -大蝾螈,dà róng yuán,Chinese giant salamander (Andrias davidianus davidianus) -大行其道,dà xíng qí dào,rampant; very popular -大街,dà jiē,street; main street; CL:條|条[tiao2] -大街小巷,dà jiē xiǎo xiàng,great streets and small alleys (idiom); everywhere in the city -大卫,dà wèi,"David (name); Jacques-Louis David (1748-1825), French neoclassical painter" -大卫营和约,dà wèi yíng hé yuē,the Camp David agreement of 1978 brokered by President Jimmy Carter between Israel and Egypt -大衣,dà yī,overcoat; topcoat; cloak; CL:件[jian4] -大补帖,dà bǔ tiě,tonic; healthy concoction; (fig.) just what the doctor ordered; (Tw) pirated software -大西,dà xī,Ōnishi (Japanese surname) -大西国,dà xī guó,Atlantis -大西庇阿,dà xī bì ā,"Scipio Africanus (235-183 BC), Roman general and statesman" -大西洋,dà xī yáng,Atlantic Ocean -大西洋中脊,dà xī yáng zhōng jǐ,Atlantic mid-ocean ridge -大西洋国,dà xī yáng guó,Historical name for Portugal during the Qing dynasty -大西洋洋中脊,dà xī yáng yáng zhōng jǐ,Atlantic mid-ocean ridge -大要,dà yào,abstract; gist; main points -大规模,dà guī mó,large scale; extensive; wide scale; broad scale -大规模杀伤性武器,dà guī mó shā shāng xìng wǔ qì,weapon of mass destruction -大观,dà guān,"Daguan, a district of Anqing City 安慶市|安庆市[An1qing4 Shi4], Anhui" -大观区,dà guān qū,"Daguan, a district of Anqing City 安慶市|安庆市[An1qing4 Shi4], Anhui" -大观园,dà guān yuán,"Prospect Garden; Grand View Garden, a garden in Dream of the Red Chamber" -大角星,dà jiǎo xīng,Arcturus (brightest star in the constellation Boötes 牧伕座|牧夫座[Mu4 fu1 zuo4]) -大解,dà jiě,to defecate; to empty one's bowels -大言,dà yán,to exaggerate; to boast -大言不惭,dà yán bù cán,to boast shamelessly; to talk big -大计,dà jì,large scale program of lasting importance; project of paramount importance; to think big; annual national audit -大话骰,dà huà tóu,liar's dice (dice game) -大调,dà diào,major key (in music) -大谈,dà tán,to harangue; to yak -大谈特谈,dà tán tè tán,to keep on talking about -大谣,dà yáo,high-profile rumormonger (esp. on a microblog) -大变,dà biàn,huge changes -大豆,dà dòu,soybean -大丰,dà fēng,"Dafeng, county-level city in Yancheng 鹽城|盐城[Yan2 cheng2], Jiangsu" -大丰市,dà fēng shì,"Dafeng, county-level city in Yancheng 鹽城|盐城[Yan2 cheng2], Jiangsu" -大象,dà xiàng,elephant; CL:隻|只[zhi1] -大费周章,dà fèi zhōu zhāng,to take great pains; to go to a lot of trouble -大卖场,dà mài chǎng,hypermarket; large warehouse-like self-service retail store -大贱卖,dà jiàn mài,to sell at a big discount -大赛,dà sài,grand contest -大赦,dà shè,amnesty; general pardon -大赦国际,dà shè guó jì,Amnesty International -大起大落,dà qǐ dà luò,(of market prices etc) to rapidly fluctuate (idiom); volatile; significant ups and downs; roller coaster -大足,dà zú,"Dazu, a district of Chongqing 重慶|重庆[Chong2qing4]" -大足区,dà zú qū,"Dazu, a district of Chongqing 重慶|重庆[Chong2qing4]" -大跌,dà diē,large fall -大跌市,dà diē shì,great market fall; market crash -大跌眼镜,dà diē yǎn jìng,(fig.) to be astounded -大路,dà lù,avenue; CL:條|条[tiao2] -大路货,dà lù huò,staple goods -大踏步,dà tà bù,in big strides; (fig.) in giant steps -大跃进,dà yuè jìn,"Great Leap Forward (1958-1960), Mao's attempt to modernize China's economy, which resulted in economic devastation, and millions of deaths from famine caused by misguided policies" -大军,dà jūn,army; main forces -大军区,dà jūn qū,PLA military region -大轴戏,dà zhòu xì,last item on a program (theater) -大转,dà zhuǎn,to turn left (Shanghainese) -大辟,dà pì,(literary) death sentence; decapitation -大农场,dà nóng chǎng,ranch -大逃港,dà táo gǎng,"exodus to Hong Kong (from mainland China, 1950s-1970s)" -大逆不道,dà nì bù dào,"disgraceful (of behavior that is unfilial, rebellious or otherwise in grave breach of the norms of society)" -大通,dà tōng,"Datong, a district of Huainan City 淮南市[Huai2nan2 Shi4], Anhui; Datong Hui and Tu Autonomous County in Xining 西寧|西宁[Xi1ning2], Qinghai" -大通区,dà tōng qū,"Datong, a district of Huainan City 淮南市[Huai2nan2 Shi4], Anhui" -大通回族土族自治县,dà tōng huí zú tǔ zú zì zhì xiàn,"Datong Hui and Tu autonomous county in Xining 西寧|西宁[Xi1 ning2], Qinghai" -大通县,dà tōng xiàn,"Datong Hui and Tu autonomous county in Xining 西寧|西宁[Xi1 ning2], Qinghai" -大连,dà lián,Dalian subprovincial city in Liaoning province 遼寧省|辽宁省[Liao2 ning2 Sheng3] in northeast China -大连外国语大学,dà lián wài guó yǔ dà xué,Dalian University of Foreign Languages -大连市,dà lián shì,Dalian subprovincial city in Liaoning province 遼寧省|辽宁省[Liao2 ning2 Sheng3] in northeast China -大连理工大学,dà lián lǐ gōng dà xué,Dalian University of Technology -大进大出,dà jìn dà chū,large-scale import and export -大运,dà yùn,"a stroke of luck; World University Games (formerly ""Universiade"") (abbr. for 大學生運動會|大学生运动会[da4 xue2 sheng1 yun4 dong4 hui4])" -大运河,dà yùn hé,"the Grand Canal, 1800 km from Beijing to Hangzhou, built starting from 486 BC" -大过,dà guò,serious mistake; major demerit -大过年,dà guò nián,Chinese New Year -大道,dà dào,main street; avenue -大道具,dà dào jù,"(theater) set prop (desk, chairs etc)" -大道理,dà dào li,major principle; general truth; sermon (reproof); bombastic talk -大选,dà xuǎn,general election -大邑,dà yì,"Dayi County in Chengdu 成都[Cheng2 du1], Sichuan" -大邑县,dà yì xiàn,"Dayi County in Chengdu 成都[Cheng2 du1], Sichuan" -大邱,dà qiū,"Daegu Metropolitan City, capital of North Gyeongsang Province 慶尚北道|庆尚北道[Qing4 shang4 bei3 dao4] in east South Korea" -大邱市,dà qiū shì,"Daegu Metropolitan City, capital of North Gyeongsang Province 慶尚北道|庆尚北道[Qing4 shang4 bei3 dao4] in east South Korea" -大邱广域市,dà qiū guǎng yù shì,"Daegu Metropolitan City, capital of North Gyeongsang Province 慶尚北道|庆尚北道[Qing4 shang4 bei3 dao4] in east South Korea" -大部,dà bù,most of; the majority of sth -大部分,dà bù fen,in large part; the greater part; the majority -大部制,dà bù zhì,super-ministry system (reform aimed at streamlining government department functions) -大都,dà dū,"Dadu, capital of China during the Yuan Dynasty (1280-1368), modern day Beijing" -大都,dà dōu,for the most part; on the whole; also pr. [da4 du1] -大都,dà dū,for the most part; on the whole; metropolitan -大都市,dà dū shì,metropolis; large city; megacity -大都市地区,dà dū shì dì qū,metropolitan area -大都会,dà dū huì,major city; metropolis; metropolitan -大醇小疵,dà chún xiǎo cī,great despite minor blemishes; a rough diamond -大里,dà lǐ,"Dali or Tali City in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -大里市,dà lǐ shì,"Dali or Tali City in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -大野,dà yě,Ōno (Japanese surname and place name) -大野狼,dà yě láng,big bad wolf -大量,dà liàng,great amount; large quantity; bulk; numerous; generous; magnanimous -大量杀伤武器,dà liàng shā shāng wǔ qì,weapons of mass destruction -大量生产,dà liàng shēng chǎn,to manufacture in bulk; mass production -大金背啄木鸟,dà jīn bèi zhuó mù niǎo,(bird species of China) greater flameback (Chrysocolaptes lucidus) -大釜,dà fǔ,cauldron -大钢琴,dà gāng qín,grand piano -大锤,dà chuí,sledgehammer -大钱,dà qián,large sum of money; old Chinese type of coin of high denomination -大错,dà cuò,blunder -大错特错,dà cuò tè cuò,to be gravely mistaken (idiom) -大锅,dà guō,a big wok; cauldron -大锅饭,dà guō fàn,meal cooked in a large pot; communal meal; (fig.) system that rewards everyone equally regardless of merit -大键琴,dà jiàn qín,a harpsichord -大镰刀,dà lián dāo,scythe -大长今,dà cháng jīn,"Dae Jang Geum, a 2003 Korean historical drama TV series" -大长嘴地鸫,dà cháng zuǐ dì dōng,(bird species of China) long-billed thrush (Zoothera monticola) -大长腿,dà cháng tuǐ,(coll.) (a person's) long legs -大门,dà mén,"the Doors, US rock band" -大门,dà mén,entrance; door; gate; large and influential family -大开,dà kāi,to open wide -大开大合,dà kāi dà hé,(idiom) epic in scope; wide-ranging -大开斋,dà kāi zhāi,see 開齋節|开斋节[Kai1zhai1jie2] -大关,dà guān,"strategic pass; barrier or mark (i.e. a level considered impressive, usually a round figure such as 10,000); instrument of torture used to break limbs" -大关县,dà guān xiàn,"Daguan county in Zhaotong 昭通[Zhao1 tong1], Yunnan" -大阪,dà bǎn,"Ōsaka, a city and prefecture in Japan" -大阪府,dà bǎn fǔ,Ōsaka prefecture -大阮,dà ruǎn,"daruan or bass lute, like pipa 琵琶 and zhongruan 中阮 but bigger and lower range" -大阿姨,dà ā yí,"auntie, eldest of sisters in mother's family" -大限,dà xiàn,the limit; maximum; one's allocated lifespan -大限到来,dà xiàn dào lái,to die; one's allocated lifespan is accomplished -大限临头,dà xiàn lín tóu,facing the end (idiom); at the end of one's life; with one foot in the grave -大院,dà yuàn,courtyard; compound -大陪审团,dà péi shěn tuán,grand jury -大陆,dà lù,mainland China (reference to the PRC) -大陆,dà lù,"continent; mainland; CL:個|个[ge4],塊|块[kuai4]" -大陆坡,dà lù pō,continental slope (boundary of continental shelf) -大陆块,dà lù kuài,continental plates (geology) -大陆妹,dà lù mèi,"(in Taiwan, Hong Kong or Macao) girl from the mainland; (Tw) Fushan lettuce 福山萵苣|福山莴苣[Fu2 shan1 wo1 ju4]" -大陆客,dà lù kè,(Tw) tourist from mainland China; illegal immigrant from mainland China -大陆性,dà lù xìng,continental -大陆性气候,dà lù xìng qì hòu,continental climate -大陆架,dà lù jià,continental shelf -大陆漂移,dà lù piāo yí,continental drift -大队,dà duì,group; a large body of; production brigade; military group -大只,dà zhī,big -大雁,dà yàn,wild goose; CL:隻|只[zhi1] -大雁塔,dà yàn tǎ,Giant Wild Goose Pagoda in Xi'an -大雄,dà xióng,great hero; main Buddhist image (in temple) -大雄宝殿,dà xióng bǎo diàn,"Hall of Great Strength, main hall of a Buddhist temple containing the main image of veneration 大雄[da4 xiong2]" -大雅,dà yǎ,"Daya or Taya Township in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -大雅,dà yǎ,one of the three main divisions of the Book of Songs 詩經|诗经 -大雅乡,dà yǎ xiāng,"Daya or Taya Township in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -大杂烩,dà zá huì,mix-up; mish-mash; potpourri -大杂院,dà zá yuàn,compound with many families living together -大难,dà nàn,great catastrophe -大难不死,dà nàn bù sǐ,to just escape from calamity -大难临头,dà nàn lín tóu,to be facing imminent calamity (idiom); disaster is looming -大雨,dà yǔ,heavy rain; CL:場|场[chang2] -大雨如注,dà yǔ rú zhù,pouring with rain; rain bucketing down -大雪,dà xuě,"Daxue or Great Snow, 21st of the 24 solar terms 二十四節氣|二十四节气 7th-21st December" -大雾,dà wù,thick fog -大青山,dà qīng shān,"Daqing Mountain in Hohhot 呼和浩特[Hu1 he2 hao4 te4], Inner Mongolia" -大面积,dà miàn jī,large area; (fig.) (of a problem) (occurring) on a massive scale -大韩帝国,dà hán dì guó,"Korean Empire, from fall of Joseon dynasty in 1897 to annexation by Japan in 1910" -大韩民国,dà hán mín guó,Republic of Korea (South Korea) -大韩航空,dà hán háng kōng,"Korean Air, South Korea's main airline" -大韵,dà yùn,"rhyme group (group of characters that rhyme, in rhyme books)" -大项,dà xiàng,main item (of program) -大头,dà tóu,big head; mask in the shape of a big head; the larger end of sth; the main part; the lion's share; dupe; sucker; (old) silver coin with a bust of Yuan Shikai 袁世凱|袁世凯[Yuan2 Shi4 kai3] on the obverse side -大头照,dà tóu zhào,"head-and-shoulders photo (esp. a formal one used in a passport, ID card etc)" -大头目,dà tóu mù,the boss -大头贴,dà tóu tiē,photo sticker booth -大头钉,dà tóu dīng,tack; thumbtack; push pin -大题小作,dà tí xiǎo zuò,to cut a long story short; a brief treatment of a complicated subject; fig. to treat an important question as a minor matter -大愿地藏菩萨,dà yuàn dì zàng pú sà,"Kṣitigarbha Bodhisattva, the Bodhisattva of the Great Vow (to save all souls before accepting Bodhi); also translated Earth Treasury, Earth Womb, or Earth Store Bodhisattva" -大类,dà lèi,main type; main class; main category -大显神通,dà xiǎn shén tōng,to display one's remarkable skill or prowess; to give full play to one's brilliant abilities -大显身手,dà xiǎn shēn shǒu,(idiom) fully displaying one's capabilities -大风,dà fēng,gale; CL:場|场[chang2] -大饱口福,dà bǎo kǒu fú,to eat one's fill; to have a good meal -大饱眼福,dà bǎo yǎn fú,to feast one's eyes -大饼,dà bǐng,large flat bread -大餐,dà cān,sumptuous meal; banquet -大余,dà yú,"Dayu county in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -大余县,dà yú xiàn,"Dayu county in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -大马,dà mǎ,Malaysia -大马哈鱼,dà mǎ hǎ yú,chum salmon -大马士革,dà mǎ shì gé,"Damascus, capital of Syria" -大马士革李,dà mǎ shì gé lǐ,damson (fruit) -大驾,dà jià,imperial chariot; (fig.) emperor; (polite) you -大驾光临,dà jià guāng lín,we are honored by your presence -大惊,dà jīng,with great alarm -大惊失色,dà jīng shī sè,to turn pale with fright (idiom) -大惊小怪,dà jīng xiǎo guài,to make a fuss about nothing (idiom) -大体,dà tǐ,in general; more or less; in rough terms; basically; on the whole; overall situation; the big picture; cadaver for dissection in training medical students -大体上,dà tǐ shàng,overall; in general terms -大体老师,dà tǐ lǎo shī,cadaver for dissection in training medical students -大体解剖学,dà tǐ jiě pōu xué,(medicine) gross anatomy -大闹,dà nào,to cause havoc; to run amok -大闹天宫,dà nào tiān gōng,"Monkey Wreaks Havoc in Heaven, story about the Monkey King Sun Wukong 孫悟空|孙悟空[Sun1 Wu4 kong1] from the novel Journey to the West 西遊記|西游记" -大鱼大肉,dà yú dà ròu,dishes with generous amounts of meat and fish; lavish meal -大鲵,dà ní,giant salamander (Andrias japonicus) -大鲽鱼,dà dié yú,turbot fish -大鳞大马哈鱼,dà lín dá mǎ hǎ yú,see 大鱗大麻哈魚|大鳞大麻哈鱼[da4 lin2 da2 ma2 ha3 yu2] -大鳞大麻哈鱼,dà lín dá má hǎ yú,king salmon; Chinook salmon -大鳄,dà è,lit. big crocodile; fig. major figure; big shot; top boss (esp. criminal) -大凤头燕鸥,dà fèng tóu yàn ōu,(bird species of China) greater crested tern (Thalasseus bergii) -大鸣大放,dà míng dà fàng,(idiom) to freely air one's views; to be heard far and wide; to attract a lot of attention -大鸣大放运动,dà míng dà fàng yùn dòng,see 百花運動|百花运动[Bai3 hua1 Yun4 dong4] -大鸨,dà bǎo,(bird species of China) great bustard (Otis tarda) -大鸿胪,dà hóng lú,"Grand Herald in imperial China, one of the Nine Ministers 九卿[jiu3 qing1]" -大鹏,dà péng,legendary giant bird -大鹏鸟,dà péng niǎo,roc (mythical bird of prey) -大鹿,dà lù,moose -大丽花,dà lì huā,dahlia (loanword) -大麦,dà mài,barley -大麦克,dà mài kè,Big Mac (McDonald's hamburger) (Tw) -大麦克指数,dà mài kè zhǐ shù,see 巨無霸漢堡包指數|巨无霸汉堡包指数[Ju4 wu2 ba4 han4 bao3 bao1 Zhi3 shu4] -大麦地,dà mài dì,place name in Ningxia with rock carving conjectured to be a stage in the development of Chinese characters -大麦町,dà mài tǐng,Dalmatian (dog breed) -大麻,dà má,hemp (Cannabis sativa); cannabis; marijuana -大麻二酚,dà má èr fēn,cannabidiol (CBD) -大麻哈鱼,dà má hǎ yú,see 大馬哈魚|大马哈鱼[da4 ma3 ha3 yu2] -大麻里,dà má lǐ,"Damali or Tamali township in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan; same as Taimali 太麻里[Tai4 ma2 li3]" -大麻里乡,dà má lǐ xiāng,"Damali or Tamali township in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan; same as Taimali 太麻里[Tai4 ma2 li3]" -大黄,dà huáng,rhubarb (botany) -大黄冠啄木鸟,dà huáng guān zhuó mù niǎo,(bird species of China) greater yellownape (Chrysophlegma flavinucha) -大黄蜂,dà huáng fēng,bumblebee -大黄鱼,dà huáng yú,"Croceine croaker (Pseudosciaena crocea), a fish popular in Cantonese cooking" -大鼓,dà gǔ,bass drum -大鼠,dà shǔ,rat -大斋,dà zhāi,to fast; to abstain from food -大斋期,dà zhāi qī,Lent (Christian period of forty days before Easter) -大斋节,dà zhāi jié,great fast; Christian lent -大龄,dà líng,"older (than average in a group, at school, for marriage etc)" -大龄青年,dà líng qīng nián,young people in their late 20s or older who are still unmarried -天,tiān,day; sky; heaven -天上,tiān shàng,celestial; heavenly -天上下刀子,tiān shàng xià dāo zi,lit. knives rain down from the sky (idiom); fig. (even if) the sky crumbles -天上不会掉馅饼,tiān shàng bù huì diào xiàn bǐng,there is no such thing as a free lunch (idiom) -天上掉馅饼,tiān shàng diào xiàn bǐng,a meat pie falls from the sky (idiom); to have something fall into your lap -天下,tiān xià,land under heaven; the whole world; the whole of China; realm; rule -天下大乱,tiān xià dà luàn,the whole country in rebellion -天下太平,tiān xià tài píng,the whole world at peace (idiom); peace and prosperity -天下没有不散的宴席,tiān xià méi yǒu bù sàn de yàn xí,see 天下沒有不散的筵席|天下没有不散的筵席[tian1 xia4 mei2 you3 bu4 san4 de5 yan2 xi2] -天下没有不散的筵席,tiān xià méi yǒu bù sàn de yán xí,all good things must come to an end (idiom) -天下乌鸦一般黑,tiān xià wū yā yī bān hēi,all crows are black (idiom); evil people are bad all over the world -天下第一,tiān xià dì yī,first under heaven; number one in the country -天不怕地不怕,tiān bù pà dì bù pà,fearing nothing in Heaven or Earth (idiom); fearless -天主,tiān zhǔ,"God (in Catholicism); abbr. for 天主教[Tian1 zhu3 jiao4], Catholicism" -天主教,tiān zhǔ jiào,Catholicism -天主教徒,tiān zhǔ jiào tú,Catholic; follower of Catholicism -天主教会,tiān zhǔ jiào huì,the Catholic Church -天井,tiān jǐng,courtyard; atrium; opening in a roof; skylight; caisson ceiling; (TCM) acupuncture point TB10 -天亮,tiān liàng,to grow light (at daybreak) -天人,tiān rén,Man and Heaven; celestial being -天人合一,tiān rén hé yī,oneness of heaven and humanity; the theory that man is an integral part of nature -天人感应,tiān rén gǎn yìng,interactions between heaven and mankind (Han Dynasty doctrine) -天仙,tiān xiān,immortal (esp. female); deity; fairy; Goddess; fig. beautiful woman -天份,tiān fèn,variant of 天分[tian1 fen4] -天佑吾人基业,tiān yòu wú rén jī yè,annuit coeptis -天作之合,tiān zuò zhī hé,a match made in heaven (idiom) -天使,tiān shǐ,angel -天使报喜节,tiān shǐ bào xǐ jié,Annunciation (Christian festival on 25th March); Lady day -天候,tiān hòu,weather -天伦,tiān lún,family bonds; ethical family relations -天伦之乐,tiān lún zhī lè,family love and joy; domestic bliss -天价,tiān jià,extremely expensive; sky-high price -天元区,tiān yuán qū,"Tianyuan district of Zhuzhou city 株洲市, Hunan" -天儿,tiān er,the weather -天兔座,tiān tù zuò,Lepus (constellation) -天全,tiān quán,"Tianquan county in Ya'an 雅安[Ya3 an1], Sichuan" -天全县,tiān quán xiàn,"Tianquan county in Ya'an 雅安[Ya3 an1], Sichuan" -天公,tiān gōng,heaven; lord of heaven -天公不作美,tiān gōng bù zuò měi,Heaven is not cooperating (idiom); the weather is not favorable for the planned activity -天公作美,tiān gōng zuò měi,Heaven is cooperating (idiom); the weather is favorable for the planned activity (a variation of 天公不作美|天公不作美[tian1 gong1 bu4 zuo4 mei3]) -天公地道,tiān gōng dì dào,absolutely fair and reasonable (idiom); equitable -天兵,tiān bīng,"celestial soldier; (old) imperial troops; (Tw, jocular) clumsy army recruit; (more generally) bungler; screw-up" -天兵天将,tiān bīng tiān jiàng,celestial troops and generals (idiom); fig. superior forces -天冬氨酸,tiān dōng ān suān,"aspartic acid (Asp), an amino acid" -天冬苯丙二肽酯,tiān dōng běn bǐng èr tài zhǐ,aspartame C14H18N2O (artificial sweetener) -天冬酰胺,tiān dōng xiān àn,"asparagine (Asn), an amino acid" -天冷,tiān lěng,it's cold (weather) -天分,tiān fèn,natural gift; talent -天刚亮,tiān gāng liàng,daybreak -天南地北,tiān nán dì běi,far apart; from different places; from all over; (to talk) about this and that -天南海北,tiān nán hǎi běi,see 天南地北[tian1nan2-di4bei3] -天台,tiān tāi,"Mt Tiantai near Shaoxing 紹興|绍兴 in Zhejiang, the center of Tiantai Buddhism 天台宗; Tiantai county in Taizhou 台州[Tai1 zhou1], Zhejiang" -天台宗,tiān tái zōng,Tiantai school of Buddhism -天台山,tiān tāi shān,"Mt Tiantai near Shaoxing 紹興|绍兴[Shao4 xing1] in Zhejiang, the center of Tiantai Buddhism 天台宗[Tian1 tai2 zong1]" -天台县,tiān tāi xiàn,"Tiantai county in Taizhou 台州[Tai1 zhou1], Zhejiang" -天各一方,tiān gè yī fāng,(of relatives or friends) to live far apart from each other -天后,tiān hòu,"Tin Hau, Empress of Heaven, another name for the goddess Matsu 媽祖|妈祖[Ma1 zu3]; Tin Hau (Hong Kong area around the MTR station with same name)" -天后站,tiān hòu zhàn,"Tin Hau MTR station (Eastern District, Hong Kong Island)" -天呀,tiān ya,Heavens!; My goodness! -天命,tiān mìng,Mandate of Heaven; destiny; fate; one's life span -天哪,tiān na,Good gracious!; For goodness sake! -天问,tiān wèn,"Tianwen, or Questions to Heaven, a long poem by Chu Yuan 屈原[Qu1 Yuan2]; Tianwen, a series of interplanetary missions developed by the China National Space Administration starting in 2016, named after the poem" -天问一号,tiān wèn yī hào,"Tianwen-1, Chinese mission to put a robotic rover on Mars launched in 2020" -天国,tiān guó,Kingdom of Heaven -天地,tiān dì,heaven and earth; world; scope; field of activity -天地悬隔,tiān dì xuán gé,lit. a gulf between heaven and earth (idiom); fig. wide difference of opinion -天地会,tiān dì huì,Tiandihui (Chinese fraternal organization) -天地玄黄,tiān dì xuán huáng,first line of the Thousand Character Classic 千字文[Qian1 zi4 wen2] -天地良心,tiān dì liáng xīn,in all honesty; truth to tell -天坑,tiān kēng,sinkhole -天城文,tiān chéng wén,Devanagari alphabet used in India and Nepal -天堂,tiān táng,paradise; heaven -天堑,tiān qiàn,natural moat -天坛,tiān tán,Temple of Heaven (in Beijing) -天坛座,tiān tán zuò,Ara (constellation) -天壤之别,tiān rǎng zhī bié,lit. as different as sky and earth (idiom); fig. night and day difference; opposite extremes; a world of difference; a far cry from -天外,tiān wài,abbr. for 天津外國語大學|天津外国语大学[Tian1 jin1 Wai4 guo2 yu3 Da4 xue2] -天外,tiān wài,beyond the earth; outer space -天外来客,tiān wài lái kè,visitors from outer space -天大,tiān dà,gargantuan; as big as the sky; enormous -天天,tiān tiān,every day -天妒英才,tiān dù yīng cái,heaven is jealous of heroic genius (idiom); the great have great hardship to contend with; those whom the Gods love die young -天妇罗,tiān fù luó,tempura; deep-fried cooking; also called 甜不辣[tian2 bu4 la4] -天子,tiān zǐ,"the (rightful) emperor; ""Son of Heaven"" (traditional English translation)" -天孙娘娘,tiān sūn niáng niáng,Goddess of Fertility -天安门,tiān ān mén,"Tiananmen Gate, entrance of the Imperial City in Beijing" -天安门广场,tiān ān mén guǎng chǎng,Tiananmen Square -天安门开了,tiān ān mén kāi le,pants fly is down; the barn door is open -天宫,tiān gōng,"Temple in Heaven (e.g. of the Jade Emperor); Tiangong, Chinese space station program" -天寒地冻,tiān hán dì dòng,"cold weather, frozen ground (idiom); bitterly cold" -天宁,tiān níng,"Tianning district of Changzhou city 常州市[Chang2 zhou1 shi4], Jiangsu" -天宁区,tiān níng qū,"Tianning district of Changzhou city 常州市[Chang2 zhou1 shi4], Jiangsu" -天尊,tiān zūn,(honorific appellation of a deity) -天山,tiān shān,"Tian Shan, mountain range straddling the border between China and Kyrgyzstan" -天山区,tiān shān qū,"Tianshan district (Uighur: Tiyanshan rayoni) of Urumqi city 烏魯木齊市|乌鲁木齐市[Wu1 lu3 mu4 qi2 Shi4], Xinjiang" -天峨,tiān é,"Tian'e county in Hezhou 賀州|贺州[He4 zhou1], Guangxi" -天峨县,tiān é xiàn,"Tian'e county in Hezhou 賀州|贺州[He4 zhou1], Guangxi" -天峻,tiān jùn,"Tianjun county (Tibetan: then cun rdzong) in Haixi Mongol and Tibetan autonomous prefecture 海西蒙古族藏族自治州[Hai3 xi1 Meng3 gu3 zu2 Zang4 zu2 zi4 zhi4 zhou1], Qinghai" -天峻县,tiān jùn xiàn,"Tianjun county (Tibetan: then cun rdzong) in Haixi Mongol and Tibetan autonomous prefecture 海西蒙古族藏族自治州[Hai3 xi1 Meng3 gu3 zu2 Zang4 zu2 zi4 zhi4 zhou1], Qinghai" -天崩地裂,tiān bēng dì liè,heaven falls and earth rends (idiom); rocked by a major disaster; fig. violent revolution; major social upheaval -天差地别,tiān chā dì bié,(idiom) poles apart; as different as can be -天差地远,tiān chā dì yuǎn,poles apart (idiom); entirely different -天帝,tiān dì,God of heaven; Celestial emperor -天干,tiān gān,"the 10 heavenly stems 甲[jia3], 乙[yi3], 丙[bing3], 丁[ding1], 戊[wu4], 己[ji3], 庚[geng1], 辛[xin1], 壬[ren2], 癸[gui3], used cyclically in the calendar and as ordinal numbers I, II etc" -天平,tiān píng,scales (to weigh things) -天平动,tiān píng dòng,(astronomy) libration -天年,tiān nián,natural life span -天幸,tiān xìng,providential good luck; a narrow escape -天底,tiān dǐ,(astronomy) nadir -天底下,tiān dǐ xia,in this world; under the sun -天府,tiān fǔ,"Heavenly province (epithet of Sichuan, esp. area around Chengdu); land of plenty" -天府之国,tiān fǔ zhī guó,land of plenty (usu. used in reference to Sichuan) -天庭,tiān tíng,middle of the forehead; imperial court; heaven -天心,tiān xīn,"Tianxin district of Changsha city 長沙市|长沙市[Chang2 sha1 shi4], Hunan" -天心,tiān xīn,center of the sky; will of heaven; will of the Gods; the monarch's will -天心区,tiān xīn qū,"Tianxin district of Changsha city 長沙市|长沙市[Chang2 sha1 shi4], Hunan" -天性,tiān xìng,nature; innate tendency -天意,tiān yì,providence; the Will of Heaven -天悬地隔,tiān xuán dì gé,see 天差地遠|天差地远[tian1 cha1 di4 yuan3] -天成,tiān chéng,as if made by heaven -天才,tiān cái,talent; gift; genius; talented; gifted -天摇地转,tiān yáo dì zhuǎn,lit. the sky shakes and the ground revolves; momentous changes are underway (idiom) -天择,tiān zé,natural selection -天敌,tiān dí,predator; natural enemy -天数,tiān shù,number of days; fate; destiny -天文,tiān wén,astronomy -天文台,tiān wén tái,astronomical observatory -天文单位,tiān wén dān wèi,astronomical unit (AU) -天文学,tiān wén xué,astronomy -天文学大成,tiān wén xué dà chéng,the Almagest by Ptolemy -天文学家,tiān wén xué jiā,astronomer -天文馆,tiān wén guǎn,planetarium -天方,tiān fāng,(old) Arabia; Arabian -天方夜谭,tiān fāng yè tán,The Arabian Nights (classic story) -天方夜谭,tiān fāng yè tán,fantasy story -天旋地转,tiān xuán dì zhuàn,"the sky spins, the earth goes round (idiom); giddy with one's head spinning; fig. huge changes in the world" -天旱,tiān hàn,drought -天明,tiān míng,dawn; daybreak -天星码头,tiān xīng mǎ tóu,"Star Ferry terminal, Hong Kong" -天时,tiān shí,the time; the right time; weather conditions; destiny; course of time; heaven's natural order -天时地利人和,tiān shí dì lì rén hé,"the time is right, geographical and social conditions are favorable (idiom); a good time to go to war" -天晓得,tiān xiǎo de,Heaven knows! -天书,tiān shū,imperial edict; heavenly book (superstition); obscure or illegible writing; double dutch -天朝,tiān cháo,"Celestial Empire, tributary title conferred on imperial China; Taiping Heavenly Kingdom" -天柱,tiān zhù,"Tianzhu county in Qiandongnan Miao and Dong autonomous prefecture 黔東南州|黔东南州[Qian2 dong1 nan2 zhou1], Guizhou" -天柱,tiān zhù,pillars supporting heaven -天柱县,tiān zhù xiàn,"Tianzhu county in Qiandongnan Miao and Dong autonomous prefecture 黔東南州|黔东南州[Qian2 dong1 nan2 zhou1], Guizhou" -天梯,tiān tī,stairway to heaven; high mountain road; tall ladder on a building or other large structure; space elevator -天棚,tiān péng,ceiling; awning -天枢,tiān shū,alpha Ursae Majoris -天枢星,tiān shū xīng,alpha Ursae Majoris in the Big Dipper -天桥,tiān qiáo,"Tianqiao district of Jinan city 濟南市|济南市[Ji3 nan2 shi4], Shandong; Tianqiao district in Beijing, formerly a center of folk culture" -天桥,tiān qiáo,overhead walkway; pedestrian bridge -天桥区,tiān qiáo qū,"Tianqiao district of Jinan city 濟南市|济南市[Ji3 nan2 shi4], Shandong" -天桥立,tiān qiáo lì,Ama-no-hashidate in the north of Kyōto prefecture 京都府 on the Sea of Japan -天机,tiān jī,mystery known only to heaven (archaic); inscrutable twist of fate; fig. top secret -天机不可泄漏,tiān jī bù kě xiè lòu,lit. mysteries of heaven must not be revealed (idiom); must not be revealed; I am not at liberty to inform you. -天机不可泄露,tiān jī bù kě xiè lù,lit. mysteries of heaven must not be revealed (idiom); must not be revealed; I am not at liberty to inform you. -天权,tiān quán,delta Ursae Majoris in the Big Dipper -天次,tiān cì,number of days of sth taking place (e.g. days of heavy pollution); days; occasions -天杀的,tiān shā de,Goddam!; goddamn; wretched -天气,tiān qì,weather -天气预报,tiān qì yù bào,weather forecast -天水,tiān shuǐ,"Tianshui, prefecture-level city in Gansu" -天水市,tiān shuǐ shì,"Tianshui, prefecture-level city in Gansu" -天水碧,tiān shuǐ bì,light cyan -天池,tiān chí,Lake Tianchi in Xinjiang -天池,tiān chí,"""heavenly lake"", lake situated on a mountain; used as the name of numerous lakes, such as 長白山天池|长白山天池[Chang2 bai2 shan1 Tian1 chi2]" -天河,tiān hé,"Milky Way; Tianhe District of Guangzhou City 廣州市|广州市[Guang3zhou1 Shi4], Guangdong" -天河区,tiān hé qū,"Tianhe District of Guangzhou City 廣州市|广州市[Guang3 zhou1 Shi4], Guangdong" -天津,tiān jīn,"Tianjin, a municipality in northeast China, abbr. 津" -天津外国语大学,tiān jīn wài guó yǔ dà xué,Tianjin Foreign Studies University -天津大学,tiān jīn dà xué,Tianjin University -天津市,tiān jīn shì,"Tianjin, a municipality in northeast China, abbr. 津" -天津会议专条,tiān jīn huì yì zhuān tiáo,Tianjin agreement of 1885 between Li Hongzhang 李鴻章|李鸿章[Li3 Hong2 zhang1] and ITŌ Hirobumi 伊藤博文[Yi1 teng2 Bo2 wen2] to pull Qing and Japanese troops out of Korea -天津条约,tiān jīn tiáo yuē,"Treaty of Tianjin of 1858, a sequence of unequal treaties 不平等條約|不平等条约 between Russia, USA, England, France and Qing China" -天津环球金融中心,tiān jīn huán qiú jīn róng zhōng xīn,"Tianjin World Financial Center, skyscraper a.k.a. the Tianjin Tower or Jin Tower; abbr. to 津塔[Jin1 ta3]" -天涯,tiān yá,the other end of the world; a faraway place -天涯何处无芳草,tiān yá hé chù wú fāng cǎo,there are plenty more fish in the sea (idiom) -天涯比邻,tiān yá bǐ lín,see 天涯若比鄰|天涯若比邻[tian1 ya2 ruo4 bi3 lin2] -天涯海角,tiān yá hǎi jiǎo,"Tianya Haijiao, tourism area on the south coast of Hainan, 24 km west of Sanya 三亞|三亚[San1ya4]" -天涯海角,tiān yá hǎi jiǎo,the ends of the earth; separated worlds apart -天涯若比邻,tiān yá ruò bǐ lín,far-flung realms as next door (idiom); close in spirit although far away -天渊,tiān yuān,distance between two poles; poles apart -天渊之别,tiān yuān zhī bié,a complete contrast; totally different -天沟,tiān gōu,(rainwater) gutter -天演,tiān yǎn,"natural change; evolution (early translation, since replaced by 進化|进化)" -天演论,tiān yǎn lùn,"the theory of evolution (early translation, since replaced by 進化論|进化论)" -天汉,tiān hàn,the Milky Way -天灾,tiān zāi,natural disaster -天灾人祸,tiān zāi rén huò,natural calamities and man-made disasters (idiom) -天灾地孽,tiān zāi dì niè,catastrophes and unnatural phenomena; Heaven-sent warnings -天无绝人之路,tiān wú jué rén zhī lù,Heaven never bars one's way (idiom); don't despair and you will find a way through.; Never give up hope.; Never say die. -天然,tiān rán,natural -天然呆,tiān rán dāi,"(loanword from Japanese ""tennen boke"") space cadet; muddleheaded" -天然橡胶,tiān rán xiàng jiāo,natural rubber -天然毒素,tiān rán dú sù,natural toxin -天然气,tiān rán qì,natural gas -天然纤维,tiān rán xiān wéi,natural fiber -天然铀,tiān rán yóu,natural uranium -天煞孤星,tiān shà gū xīng,bane of others' existence -天灯,tiān dēng,sky lantern (miniature hot-air balloon used during festivals) -天燕座,tiān yàn zuò,Apus (constellation) -天炉座,tiān lú zuò,Fornax (constellation) -天父,tiān fù,Heavenly Father -天牛,tiān niú,Longhorn beetle -天狼星,tiān láng xīng,"Sirius, a double star in constellation Canis Major 大犬座" -天王,tiān wáng,emperor; god; Hong Xiuquan's self-proclaimed title; see also 洪秀全[Hong2 Xiu4 quan2] -天王星,tiān wáng xīng,Uranus (planet) -天珠,tiān zhū,"dzi bead, a type of stone bead highly prized in Tibet for many centuries, reputed to hold supernatural power" -天球,tiān qiú,celestial sphere -天球赤道,tiān qiú chì dào,celestial equator -天理,tiān lǐ,Heaven's law; the natural order of things -天理教,tiān lǐ jiào,Tenrikyo (Japanese religion) -天理难容,tiān lǐ nán róng,Heaven cannot tolerate this (idiom); intolerable behavior -天琴座,tiān qín zuò,Lyra (constellation) -天琴星座,tiān qín xīng zuò,"Lyra, constellation containing Vega 織女星|织女星[Zhi1 nu:3 xing1]" -天璇,tiān xuán,beta Ursae Majoris in the Big Dipper -天玑,tiān jī,gamma Ursae Majoris in the Big Dipper -天生,tiān shēng,nature; disposition; innate; natural -天生一对,tiān shēng yī duì,a match made in heaven; a perfect couple -天生的一对,tiān shēng de yī duì,couple who were made for each other -天生丽质,tiān shēng lì zhì,natural beauty -天界,tiān jiè,heaven -天癸,tiān guǐ,(TCM) menstruation; period -天皇,tiān huáng,"Heavenly Sovereign, one of the three legendary sovereigns 三皇[san1 huang2]; emperor; emperor of Japan" -天疱疮,tiān pào chuāng,(medicine) pemphigus -天真,tiān zhēn,naive; innocent; artless -天真烂漫,tiān zhēn làn màn,innocent and unaffected -天眼,tiān yǎn,nickname of the FAST radio telescope (in Guizhou) -天祝县,tiān zhù xiàn,"Tianzhu Tibetan autonomous county in Wuwei 武威[Wu3 wei1], Gansu" -天祝藏族自治县,tiān zhù zàng zú zì zhì xiàn,"Tianzhu Tibetan Autonomous County in Wuwei 武威[Wu3 wei1], Gansu" -天神,tiān shén,god; deity -天禄,tiān lù,"auspicious sculpted animal, usu. a unicorn or deer with a long tail; possession of the empire" -天秤,tiān chèng,balance scale; Taiwan pr. [tian1 ping2] -天秤座,tiān chèng zuò,Libra (constellation and sign of the zodiac) -天空,tiān kōng,sky -天穿日,tiān chuān rì,a Hakka festival held on the 20th day of the first lunar month -天窗,tiān chuāng,hatchway; skylight; sun roof -天竺,tiān zhú,the Indian subcontinent (esp. in Tang or Buddhist context) -天竺牡丹,tiān zhú mǔ dan,dahlia -天竺葵,tiān zhú kuí,geranium (Pelargonium hortorum) -天竺鼠,tiān zhú shǔ,guinea pig; cavy -天等,tiān děng,"Tiandeng county in Chongzuo 崇左[Chong2 zuo3], Guangxi" -天等县,tiān děng xiàn,"Tiandeng county in Chongzuo 崇左[Chong2 zuo3], Guangxi" -天箭座,tiān jiàn zuò,Sagitta (constellation) -天篷,tiān péng,canopy -天籁,tiān lài,sounds of nature -天经地义,tiān jīng dì yì,lit. heaven's law and earth's principle (idiom); fig. right and proper; right and unalterable; a matter of course -天网,tiān wǎng,Skynet (nationwide video surveillance system in China) -天网恢恢,tiān wǎng huī huī,"lit. heaven's net has wide meshes, but nothing escapes it (idiom, from Laozi 73); fig. the way of Heaven is fair, but the guilty will not escape; you can't run from the long arm of the law" -天线,tiān xiàn,antenna; mast; connection with high-ranking officials -天线宝宝,tiān xiàn bǎo bǎo,Teletubbies -天罡星,tiān gāng xīng,the Big Dipper -天罗地网,tiān luó dì wǎng,inescapable net (idiom); trap; dragnet -天翻地覆,tiān fān dì fù,sky and the earth turning upside down (idiom); fig. complete confusion; everything turned on its head -天老儿,tiān lǎo er,albino (human) -天老爷,tiān lǎo ye,see 老天爺|老天爷[lao3 tian1 ye2] -天职,tiān zhí,vocation; duty; mission in life -天台,tiān tái,rooftop -天舟座,tiān zhōu zuò,"Argo (constellation, now divided into Carina 船底座 and Puppis 船尾座)" -天良,tiān liáng,conscience -天色,tiān sè,"color of the sky; time of day, as indicated by the color of the sky; weather" -天花,tiān huā,smallpox; ceiling; stamen of corn; (old) snow; (dialect) sesame oil -天花乱坠,tiān huā luàn zhuì,lit. a deluge of heavenly flowers (idiom); fig. extravagant embellishments; hype -天花板,tiān huā bǎn,ceiling -天花病毒,tiān huā bìng dú,variola virus -天荒地老,tiān huāng dì lǎo,(idiom) until the end of time -天葬,tiān zàng,sky burial (Tibetan funeral practice) -天蓝,tiān lán,sky blue -天蓝色,tiān lán sè,azure -天蝼,tiān lóu,mole cricket; slang word for agricultural pest Gryllotalpa -天蟹座,tiān xiè zuò,Cancer (constellation and sign of the zodiac); variant of 巨蟹座 -天蝎,tiān xiē,Scorpio (constellation) -天蝎座,tiān xiē zuò,Scorpio or Scorpius (constellation and sign of the zodiac) -天行赤眼,tiān xíng chì yǎn,acute contagious conjunctivitis (TCM) -天衣无缝,tiān yī wú fèng,lit. seamless heavenly clothes (idiom); fig. flawless -天亲,tiān qīn,one's flesh and blood -天诛,tiān zhū,heavenly punishment; king's punishment -天课,tiān kè,zakat -天谴,tiān qiǎn,the wrath of Heaven; imperial displeasure -天象,tiān xiàng,meteorological or astronomical phenomenon (e.g. rainbow or eclipse) -天象仪,tiān xiàng yí,planetarium projector -天猫座,tiān māo zuò,Lynx (constellation) -天贝,tiān bèi,(loanword) tempeh -天资,tiān zī,innate talent; gift; flair; native resource; dowry -天赐,tiān cì,bestowed by heaven -天赋,tiān fù,gift; innate skill -天赋异禀,tiān fù yì bǐng,extraordinary talent; exceptionally gifted -天趣,tiān qù,"natural charm (of writings, works of art etc)" -天路历程,tiān lù lì chéng,"Pilgrim's Progress, 1678 novel by John Bunyan (first Chinese translation 1851)" -天车,tiān chē,gantry traveling crane -天造地设,tiān zào dì shè,lit. made by Heaven and arranged by Earth(idiom); ideal; perfect; (of a match) made in heaven; to be made for one another -天道,tiān dào,natural law; heavenly law; weather (dialect) -天道酬勤,tiān dào chóu qín,Heaven rewards the diligent. (idiom) -天边,tiān biān,horizon; ends of the earth; remotest places -天那水,tiān nà shuǐ,paint thinner -天量,tiān liàng,a staggering number; a mind-boggling amount -天镇,tiān zhèn,"Tianzhen county in Datong 大同[Da4 tong2], Shanxi" -天镇县,tiān zhèn xiàn,"Tianzhen county in Datong 大同[Da4 tong2], Shanxi" -天长,tiān cháng,"Tianchang, a sub-prefecture-level city in Anhui" -天长地久,tiān cháng dì jiǔ,enduring while the world lasts (idiom); eternal -天长市,tiān cháng shì,"Tianchang, a sub-prefecture-level city in Anhui" -天长日久,tiān cháng rì jiǔ,after a long time (idiom) -天门,tiān mén,Tianmen sub-prefecture level city in Hubei -天门冬,tiān mén dōng,asparagus -天门冬科,tiān mén dōng kē,"Asparagaceae, family of flowering plants which includes asparagus" -天门市,tiān mén shì,Tianmen sub-prefecture level city in Hubei -天际,tiān jì,horizon -天际线,tiān jì xiàn,skyline; horizon -天险,tiān xiǎn,a natural stronghold -天雨路滑,tiān yù lù huá,roads are slippery due to rain (idiom) -天雨顺延,tiān yǔ shùn yán,weather permitting (idiom) -天电,tiān diàn,atmospherics; static -天青石,tiān qīng shí,lapis lazuli -天顶,tiān dǐng,zenith -天顺,tiān shùn,"Tianshun Emperor, reign name of eighth Ming Emperor 朱祁鎮|朱祁镇[Zhu1 Qi2 zhen4] (1427-1464), reigned 1457-1464, temple name Yingzong 英宗[Ying1 zong1]" -天头,tiān tóu,the upper margin of a page -天香国色,tiān xiāng guó sè,"divine fragrance, national grace (idiom); an outstanding beauty" -天马,tiān mǎ,(mythology) celestial horse; fine horse; Ferghana horse; (Western mythology) Pegasus -天马行空,tiān mǎ xíng kōng,"like a heavenly steed, soaring across the skies (idiom); (of writing, calligraphy etc) bold and imaginative; unconstrained in style" -天惊石破,tiān jīng shí pò,see 石破天驚|石破天惊[shi2 po4 tian1 jing1] -天体,tiān tǐ,celestial body; nude body -天体主义,tiān tǐ zhǔ yì,nudism -天体光谱学,tiān tǐ guāng pǔ xué,astronomical spectroscopy -天体力学,tiān tǐ lì xué,celestial mechanics -天体演化学,tiān tǐ yǎn huà xué,cosmogony -天体物理,tiān tǐ wù lǐ,astrophysics -天体物理学,tiān tǐ wù lǐ xué,astrophysics -天体物理学家,tiān tǐ wù lǐ xué jiā,astrophysicist -天高气爽,tiān gāo qì shuǎng,see 秋高氣爽|秋高气爽[qiu1 gao1 qi4 shuang3] -天高皇帝远,tiān gāo huáng dì yuǎn,lit. the sky is high and the emperor is far away (idiom); fig. remote places are beyond the reach of the central government -天魔,tiān mó,demonic; devil -天鸽座,tiān gē zuò,Columba (constellation) -天鹅,tiān é,swan -天鹅座,tiān é zuò,Cygnus (constellation) -天鹅湖,tiān é hú,Swan Lake -天鹅绒,tiān é róng,velvet; swan's down -天鹤座,tiān hè zuò,Grus (constellation) -天鹰座,tiān yīng zuò,Aquila (constellation) -天麻,tiān má,Gastrodia elata (botany) -天黑,tiān hēi,to get dark; dusk -天龙人,tiān lóng rén,(slang) (Tw) person from Taipei 臺北|台北[Tai2 bei3] -天龙八部,tiān lóng bā bù,"Demigods and Semidevils, wuxia novel by Jin Yong 金庸[Jin1 Yong1] and its TV and screen adaptations" -天龙国,tiān lóng guó,(slang) (Tw) Taipei 臺北|台北[Tai2 bei3] -天龙座,tiān lóng zuò,Draco (constellation) -太,tài,highest; greatest; too (much); very; extremely -太上,tài shàng,title of respect for taoists -太上皇,tài shàng huáng,Taishang Huang; Retired Emperor; father of the reigning emperor; fig. puppet master -太乙金华宗旨,tài yǐ jīn huá zōng zhǐ,"The Secret of the Golden Flower, a classic of Chinese Taoism published in the late 17th century" -太保,tài bǎo,"Taibao or Taipao city in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -太保,tài bǎo,a very high official in ancient China; juvenile delinquents -太保市,tài bǎo shì,"Taibao or Taipao City in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -太仓,tài cāng,"Taicang, county-level city in Suzhou 蘇州|苏州[Su1 zhou1], Jiangsu" -太仓市,tài cāng shì,"Taicang, county-level city in Suzhou 蘇州|苏州[Su1 zhou1], Jiangsu" -太仆,tài pú,"Grand Servant in imperial China, one of the Nine Ministers 九卿[jiu3 qing1]" -太仆寺,tài pú sì,"Court of imperial stud, office originally charged with horse breeding; Taibus banner in Xilingol League 錫林郭勒盟|锡林郭勒盟[Xi1 lin2 guo1 le4 Meng2], Inner Mongolia" -太仆寺卿,tài pú sì qīng,"Minister of imperial stud, originally charged with horse breeding" -太仆寺旗,tài pú sì qí,"Taibus Banner in Xilingol League 錫林郭勒盟|锡林郭勒盟[Xi1 lin2 guo1 le4 Meng2], Inner Mongolia" -太公,tài gōng,great-grandfather; (old) grandfather; father -太公兵法,tài gōng bīng fǎ,"alternative name for 六韜|六韬[Liu4 tao1], one of the Seven Military Classics of ancient China" -太公望,tài gōng wàng,see Jiang Ziya 姜子牙[Jiang1 Zi3 ya2] -太初,tài chū,the absolute beginning -太半,tài bàn,more than half; a majority; most; mostly -太原,tài yuán,"Taiyuan, prefecture-level city and capital of Shanxi province 山西省[Shan1xi1 Sheng3] in central north China" -太原市,tài yuán shì,"Taiyuan, prefecture-level city and capital of Shanxi province 山西省[Shan1 xi1 Sheng3] in central north China" -太古,tài gǔ,immemorial -太古代,tài gǔ dài,Archaeozoic (geological era before 2500m years ago) -太古宙,tài gǔ zhòu,Archaean (geological eon before 2500m years ago) -太古洋行,tài gǔ yáng háng,Butterfield and Swire (Hong Kong bank) -太史令,tài shǐ lìng,grand scribe (official position in many Chinese states up to the Han) -太史公,tài shǐ gōng,"Grand Scribe, the title by which Sima Qian 司馬遷|司马迁[Si1 ma3 Qian1] refers to himself in Records of the Historian 史記|史记[Shi3 ji4]" -太后,tài hòu,Empress Dowager -太和,tài hé,"Taihe, a county in Fuyang 阜陽|阜阳[Fu4yang2], Anhui; Taihe, a district of Jinzhou City 錦州市| 锦州市[Jin3zhou1 Shi4], Liaoning" -太和区,tài hé qū,"Taihe district of Jinzhou city 錦州市|锦州市, Liaoning" -太和殿,tài hé diàn,"Hall of Supreme Harmony, the largest of the three halls that constitute the heart of the Outer Court of the Forbidden City 紫禁城[Zi3 jin4 cheng2]" -太和县,tài hé xiàn,"Taihe, a county in Fuyang 阜陽|阜阳[Fu4yang2], Anhui" -太太,tài tai,"married woman; Mrs.; Madam; wife; CL:個|个[ge4],位[wei4]" -太夫人,tài fū rén,(old) dowager; old lady (title for the mother of a noble or an official) -太好了,tài hǎo le,very good -太妃糖,tài fēi táng,(loanword) toffee; taffy -太妹,tài mèi,girl delinquent; tomboy; schoolgirl tough -太婆,tài pó,great-grandmother -太子,tài zǐ,crown prince -太子丹,tài zǐ dān,"Prince Dan of Yan (-226 BC), commissioned the attempted assassination of King Ying Zheng of Qin 秦嬴政 (later the First Emperor 秦始皇[Qin2 Shi3 huang2]) by Jing Ke 荊軻|荆轲[Jing1 Ke1] in 227 BC" -太子十三峰,tài zǐ shí sān fēng,"thirteen peaks of Meili Snow Mountains in Diqing Tibetan Autonomous Prefecture 迪慶藏族自治州|迪庆藏族自治州[Di2 qing4 Zang4 zu2 Zi4 zhi4 zhou1], Yunnan; also written 梅里雪山[Mei2 li3 Xue3 shan1]" -太子太保,tài zǐ tài bǎo,tutor to the crown prince (in imperial China) -太子河区,tài zǐ hé qū,"Taizi district of Liaoyang city 遼陽市|辽阳市[Liao2 yang2 shi4], Liaoning" -太子港,tài zǐ gǎng,"Port-au-Prince, capital of Haiti" -太子党,tài zǐ dǎng,"princelings, descendants of senior communist officials (PRC)" -太学,tài xué,"Imperial College of Supreme Learning, established in 124 BC, and the highest educational institute in ancient China until the Sui Dynasty" -太守,tài shǒu,governor of a province -太宗,tài zōng,"posthumous name given to the second emperor of a dynasty; King Taejong of Joseon Korea (1367-1422), reigned 1400-1418" -太师,tài shī,imperial tutor -太常,tài cháng,"Minister of Ceremonies in imperial China, one of the Nine Ministers 九卿[jiu3 qing1]" -太平,tài píng,place name -太平,tài píng,peace and security -太平公主,tài píng gōng zhǔ,"Princess Taiping (c. 665-713), Tang Dynasty princess, politically powerful and known for her beauty" -太平区,tài píng qū,"Taiping district of Fuxin city 阜新市, Liaoning" -太平天国,tài píng tiān guó,Taiping Heavenly Kingdom (1851-1864) -太平天国之乱,tài píng tiān guó zhī luàn,"Taiping Rebellion (1850-1864), which ultimately failed but caused massive upheaval and weakened the Qing dynasty" -太平市,tài píng shì,"Taiping City in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -太平广记,tài píng guǎng jì,"Extensive records of the Taiping era (978), fictional history edited by Li Fang 李昉" -太平御览,tài píng yù lǎn,"Imperial Readings of the Taiping Era, general Song dynasty encyclopedia compiled during 977-983 under Li Fang 李昉[Li3 Fang3], 1000 scrolls" -太平洋,tài píng yáng,Pacific Ocean -太平洋区域,tài píng yáng qū yù,the Pacific Region; the Pacific Rim -太平洋周边,tài píng yáng zhōu biān,"variant of 太平洋週邊|太平洋周边[Tai4 ping2 Yang2 Zhou1 bian1], Pacific Rim" -太平洋战争,tài píng yáng zhàn zhēng,"Pacific War between Japan and the US, 1941-1945" -太平洋潜鸟,tài píng yáng qián niǎo,(bird species of China) Pacific loon (Gavia pacifica) -太平洋联合铁路,tài píng yáng lián hé tiě lù,Union Pacific Railroad -太平洋周边,tài píng yáng zhōu biān,Pacific Rim -太平盛世,tài píng shèng shì,peace and prosperity (idiom) -太平绅士,tài píng shēn shì,Justice of the Peace (JP) -太平门,tài píng mén,emergency exit -太平间,tài píng jiān,mortuary; morgue -太平鸟,tài píng niǎo,(bird species of China) Bohemian waxwing (Bombycilla garrulus) -太康,tài kāng,"Taikang county in Zhoukou 周口[Zhou1 kou3], Henan" -太康县,tài kāng xiàn,"Taikang county in Zhoukou 周口[Zhou1 kou3], Henan" -太极,tài jí,"the Absolute or Supreme Ultimate, the source of all things according to some interpretations of Chinese mythology" -太极剑,tài jí jiàn,a kind of traditional Chinese sword-play -太极图,tài jí tú,diagram of cosmological scheme; Yin-Yang symbol ☯ -太极图说,tài jí tú shuō,"philosophical book by Song dynasty scholar Zhou Dunyi 周敦頤|周敦颐[Zhou1 Dun1 yi2], starting from an interpretation of the Book of Changes" -太极拳,tài jí quán,"shadowboxing or Taiji, T'aichi or T'aichichuan; traditional form of physical exercise or relaxation; a martial art" -太岁,tài suì,"Tai Sui, God of the year; archaic name for the planet Jupiter 木星[Mu4 xing1]; nickname for sb who is the most powerful in an area" -太液池,tài yè chí,"area to the west of the Forbidden City, now divided into Zhongnanhai and Beihai" -太湖,tài hú,"Lake Tai near Wuxi City 無錫|无锡[Wu2xi1], bordering on Jiangsu and Zhejiang, one of China's largest freshwater lakes" -太湖,tài hú,"Taihu, a county in Anqing 安慶|安庆[An1qing4], Anhui" -太湖县,tài hú xiàn,"Taihu, a county in Anqing 安慶|安庆[An1qing4], Anhui" -太爷,tài yé,(respectful for) one's grandfather; sb's father; older people; the head of the house (used by servants); a district magistrate -太牢,tài láo,"(in ancient times) sacrificial animal (cow, sheep or pig)" -太田,tài tián,Ohta or Ōta (Japanese surname) -太白,tài bái,"Taibai County in Baoji 寶雞|宝鸡[Bao3 ji1], Shaanxi; Venus" -太白山,tài bái shān,Mt Taibai in Shaanxi -太白星,tài bái xīng,Venus (planet) -太白粉,tài bái fěn,cornstarch; potato starch -太白县,tài bái xiàn,"Taibai County in Baoji 寶雞|宝鸡[Bao3 ji1], Shaanxi" -太监,tài jiàn,court eunuch; palace eunuch -太祖,tài zǔ,"Great Ancestor (posthumous title, e.g. for the founder of a dynasty)" -太空,tài kōng,outer space -太空人,tài kōng rén,astronaut -太空探索,tài kōng tàn suǒ,space exploration -太空服,tài kōng fú,spacesuit -太空梭,tài kōng suō,space shuttle -太空步,tài kōng bù,moonwalk (dance) -太空漫步,tài kōng màn bù,space walk -太空站,tài kōng zhàn,space station -太空舞步,tài kōng wǔ bù,moonwalk (dance) -太空船,tài kōng chuán,spaceship -太空舱,tài kōng cāng,space capsule; ejection capsule (cabin) -太空行走,tài kōng xíng zǒu,spacewalk -太空游,tài kōng yóu,space tourism -太空飞船,tài kōng fēi chuán,"Space Shuttle, US spacecraft system (1981-2011)" -太空飞船,tài kōng fēi chuán,spaceship; spacecraft -太虚,tài xū,"Taixu (famed Buddhist monk, 1890-1947)" -太虚,tài xū,great emptiness; the void; heaven; the skies; universe; cosmos; original essence of the cosmos -太行山,tài háng shān,Taihang Mountains on the border between Hebei and Shanxi -太谷,tài gǔ,"Taigu county in Jinzhong 晉中|晋中[Jin4 zhong1], Shanxi" -太谷县,tài gǔ xiàn,"Taigu county in Jinzhong 晉中|晋中[Jin4 zhong1], Shanxi" -太过,tài guò,excessively; too -太医,tài yī,imperial physician -太阿,tài ē,variant of 泰阿[Tai4e1] -太阴,tài yīn,the Moon (esp. in Daoism) -太阳,tài yang,sun; CL:個|个[ge4]; abbr. for 太陽穴|太阳穴[tai4 yang2 xue2] -太阳光,tài yáng guāng,sunlight -太阳光柱,tài yáng guāng zhù,solar pillar; sun pillar (atmospheric optics) -太阳报,tài yáng bào,"The Sun (the name of various newspapers, notably in the UK and in Hong Kong)" -太阳从西边出来,tài yáng cóng xī biān chū lái,lit. the sun rises in the west (idiom); fig. hell freezes over; pigs can fly -太阳微系统公司,tài yáng wēi xì tǒng gōng sī,Sun Microsystems -太阳日,tài yáng rì,solar day -太阳晒屁股,tài yáng shài pì gǔ,to have overslept; Rise and shine! -太阳永不落,tài yáng yǒng bù luò,(on which) the sun never sets -太阳活动,tài yáng huó dòng,sunspot activity; solar variation -太阳照在桑干河上,tài yáng zhào zài sāng gān hé shàng,"The Sun Shines over the Sanggan River, proletarian novel by Ding Ling, winner of 1951 Stalin prize" -太阳灯,tài yáng dēng,sunlamp -太阳眼镜,tài yáng yǎn jìng,sunglasses -太阳神,tài yáng shén,Sun God; Apollo -太阳神经丛,tài yáng shén jīng cóng,solar plexus chakra -太阳神计划,tài yáng shén jì huà,the Apollo project -太阳穴,tài yáng xué,temple (on the sides of human head) -太阳窗,tài yáng chuāng,sun window; sun roof (of car) -太阳窝,tài yáng wō,temple (on the sides of human head) -太阳系,tài yáng xì,solar system -太阳翼,tài yáng yì,solar panel -太阳能,tài yáng néng,solar energy -太阳能板,tài yáng néng bǎn,solar panel -太阳能电池,tài yáng néng diàn chí,solar cell -太阳花,tài yáng huā,sunflower (Helianthus annuus); rose moss (Portulaca grandiflora) -太阳蛋,tài yang dàn,fried egg; sunny-side-up egg -太阳轮,tài yáng lún,solar plexus chakra -太阳镜,tài yáng jìng,sunglasses -太阳雨,tài yáng yǔ,sunshower -太阳电池,tài yáng diàn chí,solar cell -太阳电池板,tài yáng diàn chí bǎn,solar panel -太阳风,tài yáng fēng,solar wind -太阳饼,tài yáng bǐng,"suncake (small round cake made with flaky pastry and a maltose filling, originally from Taichung, Taiwan)" -太阳黑子,tài yáng hēi zǐ,sunspot -太阳黑子周,tài yáng hēi zǐ zhōu,sunspot cycle -太鲁阁,tài lǔ gé,"Taroko National Park in Hualien County 花蓮縣|花莲县[Hua1 lian2 Xian4], Taiwan; Taroko ethnic group Taiwan" -太鲁阁族,tài lǔ gé zú,"Taroko, one of the indigenous peoples of Taiwan" -太麻里,tài má lǐ,"Taimali township in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan" -太麻里乡,tài má lǐ xiāng,"Taimali township in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan" -夫,fū,husband; man; manual worker; conscripted laborer (old) -夫,fú,"(classical) this, that; he, she, they; (exclamatory final particle); (initial particle, introduces an opinion)" -夫人,fū ren,lady; madam; Mrs.; CL:位[wei4] -夫唱妇随,fū chàng fù suí,fig. the man sings and the woman follows; fig. marital harmony -夫妻,fū qī,husband and wife; married couple -夫妻反目,fū qī fǎn mù,"man and wife fall out (idiom, from Book of Changes); marital strife" -夫妻店,fū qī diàn,family-run shop -夫妻相,fū qī xiàng,similarity in features of an old couple; common facial traits that show predestination to be married together -夫妻肺片,fū qī fèi piàn,popular Sichuan cold dish made of thinly sliced beef and beef offal -夫妻脸,fū qī liǎn,see 夫妻相[fu1 qi1 xiang4] -夫妇,fū fù,a (married) couple; husband and wife; CL:對|对[dui4] -夫婿,fū xù,(literary) husband -夫子,fū zǐ,"Master (old form of address for teachers, scholars); (used sarcastically) pedant" -夫子自道,fū zǐ zì dào,appearing to be praising others while actually praising yourself; one's criticism of others exposes one's own faults -夫役,fū yì,corvee; laborer -夫权,fū quán,authority over the household -夫余,fū yú,"Pu'yo, Korean Buyeo (c. 200 BC-494 AD), ancient kingdom in northeast frontier region of China" -夬,guài,decisive -夭,yāo,(bound form) to die prematurely (also pr. [yao3]); (literary) (of vegetation) luxuriant -夭亡,yāo wáng,to die young -夭寿,yāo shòu,to die young; (Tw) (curse word) drop dead; go to hell; (literary) short life and long life -夭折,yāo zhé,to die young or prematurely; to come to a premature end; to be aborted prematurely -夭殇,yāo shāng,to die young -央,yāng,center; end; to beg; to plead -央中,yāng zhōng,to ask for mediation; to request sb to act as a go-between -央企,yāng qǐ,"centrally-managed state-owned enterprise (PRC), abbr. for 中央企業|中央企业[zhong1 yang1 qi3 ye4]" -央及,yāng jí,to ask; to plead; to beg; to involve -央告,yāng gao,to implore; to plead; to ask earnestly -央求,yāng qiú,to implore; to plead; to ask earnestly -央行,yāng háng,"abbr. for various central banks, notably 中國人民銀行|中国人民银行[Zhong1 guo2 Ren2 min2 Yin2 hang2] and 中央銀行|中央银行[Zhong1 yang1 Yin2 hang2]" -央行,yāng háng,central bank -央视,yāng shì,"China Central Television (CCTV), abbr. for 中國中央電視台|中国中央电视台[Zhong1 guo2 Zhong1 yang1 Dian4 shi4 tai2]" -央托,yāng tuō,to request assistance; to ask sb to do sth -央财,yāng cái,"Central University of Finance and Economics, Beijing; abbr. for 中央財經大學|中央财经大学[Zhong1 yang1 Cai2 jing1 Da4 xue2]" -夯,bèn,variant of 笨[ben4] -夯,hāng,to ram; to tamp; a rammer; a tamper; (slang) popular; hot -夯具,hāng jù,rammer; tamper -夯土,hāng tǔ,rammed earth -夯土机,hāng tǔ jī,rammer; tamper -夯实,hāng shí,to tamp; to ram (earth etc) -夯歌,hāng gē,rammers' work chant -夯汉,hāng hàn,carrier who carries heavy loads on his shoulder (dialect) -夯砣,hāng tuó,rammer; tamper -失,shī,to lose; to miss; to fail -失主,shī zhǔ,owner of sth lost or stolen -失之交臂,shī zhī jiāo bì,to miss narrowly; to let a great opportunity slip -失事,shī shì,"(of a plane, ship etc) to have an accident (plane crash, shipwreck, vehicle collision etc); to mess things up" -失信,shī xìn,to break a promise -失信被执行人,shī xìn bèi zhí xíng rén,"(law) judgement defaulter (person who has failed to fulfill obligations set forth in a written court judgement, such as paying compensation to sb, despite having the means to do so); debt dodger" -失修,shī xiū,disrepair -失传,shī chuán,(of skills etc) to die out; lost; extinct -失仪,shī yí,discourteous; failure of etiquette -失利,shī lì,to lose; to suffer defeat -失势,shī shì,to lose power and influence -失去,shī qù,to lose -失去后劲,shī qù hòu jìn,to peter out; to lose momentum; to lose steam -失口,shī kǒu,slip of the tongue; indiscretion; to blurt out a secret -失和,shī hé,disharmony; to become estranged -失单,shī dān,list of lost or stolen articles -失地,shī dì,to lose territory; lost territory -失坠,shī zhuì,loss -失婚,shī hūn,to lose one's spouse (through marriage failure or bereavement) -失学,shī xué,unable to go to school; an interruption to one's education -失守,shī shǒu,(military) (of a city etc) to fall into enemy hands; (fig.) to take a turn for the worse -失宜,shī yí,inappropriate; improper -失察,shī chá,to fail in observing or supervising; to miss; to let sth slip through -失实,shī shí,to give a false picture of the situation -失写症,shī xiě zhèng,agraphia -失宠,shī chǒng,to lose favor; in disfavor; disgraced -失常,shī cháng,not normal; an aberration -失序,shī xù,to get into disarray; to get out of whack -失张失智,shī zhāng shī zhì,out of one's mind -失怙,shī hù,to be orphaned of one's father -失恃,shī shì,to lose sb one relies upon; to lose one's mother -失悔,shī huǐ,to regret; to feel remorse -失意,shī yì,disappointed; frustrated -失态,shī tài,to forget one's manners; to forget oneself; to lose self-control (in a situation) -失忆,shī yì,to lose one's memory -失忆症,shī yì zhèng,amnesia -失恋,shī liàn,to lose one's love; to break up (in a romantic relationship); to feel jilted -失手,shī shǒu,a slip; miscalculation; unwise move; accidentally; by mistake; to lose control; to be defeated -失掉,shī diào,to lose; to miss -失控,shī kòng,to go out of control -失措,shī cuò,to be at a loss -失效,shī xiào,to fail; to lose effectiveness -失效日期,shī xiào rì qī,expiry date (of document) -失败,shī bài,to be defeated; to lose; to fail (e.g. experiments); failure; defeat; CL:次[ci4] -失败主义,shī bài zhǔ yì,defeatism -失败是成功之母,shī bài shì chéng gōng zhī mǔ,Failure is the mother of success. -失败者,shī bài zhě,loser -失散,shī sàn,to lose touch with; missing; scattered; separated from -失敬,shī jìng,to show disrespect; I'm awfully sorry – please forgive me -失明,shī míng,to lose one's eyesight; to become blind; blindness -失明症,shī míng zhèng,blindness -失智,shī zhì,to lose one's cognitive function; to suffer from dementia -失智症,shī zhì zhèng,dementia -失望,shī wàng,disappointed; to lose hope; to despair -失期,shī qī,late (for an appointed time) -失枕,shī zhěn,a crick in the neck; stiff neck -失格,shī gé,to overstep the rules; to go out of bounds; disqualification; to lose face; disqualified -失业,shī yè,unemployment; to lose one's job -失业率,shī yè lǜ,unemployment rate -失业者,shī yè zhě,an unemployed person -失欢,shī huān,to lose favor; to become estranged -失准,shī zhǔn,not up to scratch; subpar; off; gone awry; (of an instrument) to be out of kilter; (of a forecast) to be off the mark -失温症,shī wēn zhèng,hypothermia -失火,shī huǒ,to catch fire; to be on fire -失物招领,shī wù zhāo lǐng,lost-and-found -失物认领,shī wù rèn lǐng,lost and found -失独,shī dú,bereaved of one's only child -失独家庭,shī dú jiā tíng,a family bereaved of its only child -失当,shī dàng,inappropriate; improper -失盗,shī dào,to have sth stolen; to lose to theft; robbed -失真,shī zhēn,to lack fidelity; (signal) distortion -失眠,shī mián,to suffer from insomnia -失瞻,shī zhān,to fail to greet in timely manner -失神,shī shén,absent-minded; to lose spirit; despondent -失禁,shī jìn,(urinary or fecal) incontinence -失礼,shī lǐ,to act discourteously; forgive me (for my impropriety) -失窃,shī qiè,to lose by theft; to have one's property stolen -失笑,shī xiào,to laugh in spite of oneself; to be unable to help laughing; to break into laughter -失策,shī cè,to blunder; to miscalculate; miscalculation; unwise (move) -失算,shī suàn,to miscalculate; to misjudge -失节,shī jié,"to be disloyal (to one's country, spouse etc); to lose one's chastity" -失约,shī yuē,to miss an appointment -失纵,shī zòng,disappear -失而复得,shī ér fù dé,to lose sth and then regain it (idiom) -失联,shī lián,to lose contact; to be lost -失聪,shī cōng,to go deaf; to lose one's hearing; deafness; hearing loss -失声,shī shēng,to lose one's voice; (to cry out) involuntarily -失职,shī zhí,to neglect one's duty; to be guilty of dereliction of duty -失色,shī sè,to lose color; to turn pale -失落,shī luò,to lose (sth); to drop (sth); to feel a sense of loss; frustrated; disappointment; loss -失着,shī zhāo,unwise move; to make an unwise move -失血,shī xuè,to lose blood; to hemorrhage; (fig.) to suffer losses (financial etc) -失血性贫血,shī xuè xìng pín xuè,blood loss anemia -失衡,shī héng,to unbalance; an imbalance -失言,shī yán,slip of the tongue; indiscretion; to blurt out a secret -失语,shī yǔ,to let slip; loss of speech (e.g. as a result of brain damage); aphasia -失语症,shī yǔ zhèng,aphasia or aphemia (loss of language) -失误,shī wù,"lapse; mistake; to make a mistake; fault; service fault (in volleyball, tennis etc)" -失调,shī diào,out of tune (music) -失调,shī tiáo,imbalance; to become dysfunctional; to lack proper care (after an illness etc) -失调电压,shī tiáo diàn yā,offset voltage -失读症,shī dú zhèng,alexia -失责,shī zé,breach of responsibility; failure to carry out one's duty -失足,shī zú,to lose one's footing; to slip; to take a wrong step in life -失踪,shī zōng,to be missing; to disappear; unaccounted for -失身,shī shēn,to lose one's virginity; to lose one's chastity -失身分,shī shēn fèn,demeaning -失迎,shī yíng,failure to meet; (humble language) I'm sorry not to have come to meet you personally -失迷,shī mí,to lose one's way; to get lost (on the road etc) -失速,shī sù,(aviation) to stall -失道,shī dào,(literary) to lose one's way; to get lost; (literary) to stray from the proper course -失道寡助,shī dào guǎ zhù,"an unjust cause finds little support (idiom, from Mencius); cf 得道多助[de2 dao4 duo1 zhu4] a just cause attracts much support" -失重,shī zhòng,weightlessness -失错,shī cuò,to make a careless mistake; mistake; slip-up -失陪,shī péi,"Excuse me, I must be leaving now." -失灵,shī líng,out of order (of machine); not working properly; a failing (of a system) -失面子,shī miàn zi,to lose face; to be humiliated -失风,shī fēng,trouble; damage; setback; sth goes wrong -失体统,shī tǐ tǒng,lacking in propriety; bad form -失体面,shī tǐ miàn,to lose face -失魂,shī hún,to panic -失魂落魄,shī hún luò pò,(idiom) dazed; beside oneself -夷,yí,"non-Han people, esp. to the East of China; barbarians; to wipe out; to exterminate; to tear down; to raze" -夷平,yí píng,to level; to raze to the ground -夷戮,yí lù,to massacre -夷旷,yí kuàng,expansive; level and broad; broad-minded -夷洲,yí zhōu,"name of an ancient barbarian country, possibly Taiwan" -夷灭,yí miè,to massacre; to die out -夷为平地,yí wéi píng dì,to level; to raze to the ground -夷然,yí rán,calm -夷狄,yí dí,non-Han tribes in the east and north of ancient China; barbarians -夷犹,yí yóu,to hesitate -夷门,yí mén,"the Yi gate of 大梁, capital of Wei 魏 during Warring states" -夷陵,yí líng,"Yiling, ancient name of Yichang 宜昌[Yi2 chang1]; Yiling, a district of Yichang city 宜昌市[Yi2 chang1 shi4], Hubei" -夷陵区,yí líng qū,"Yiling district of Yichang city 宜昌市[Yi2 chang1 shi4], Hubei" -夸,kuā,used in 夸克[kua1 ke4] -夸克,kuā kè,quark (particle physics) (loanword) -夼,kuǎng,low ground; hollow; depression (used in Shandong place names) -夹,jiā,to press from either side; to place in between; to sandwich; to carry sth under armpit; wedged between; between; to intersperse; to mix; to mingle; clip; folder; Taiwan pr. [jia2] -夹,jiá,double-layered (quilt); lined (garment) -夹,jià,Taiwan pr. used in 夾生|夹生[jia1 sheng1] and 夾竹桃|夹竹桃[jia1 zhu2 tao2] -夹七夹八,jiā qī jiā bā,completely mixed up; in a muddle -夹克,jiā kè,(loanword) jacket; also pr. [jia2 ke4] -夹具,jiā jù,clamp; fixture (machining) -夹塞儿,jiā sāi er,to cut into a line; queue-jumping -夹娃娃,jiā wá wa,(coll.) to induce an abortion (Tw) -夹子,jiā zi,clip; clamp; tongs; folder; wallet -夹子音,jiā zi yīn,(coll.) (neologism c. 2021) cutesy high-pitched voice -夹尾巴,jiā wěi ba,to have one's tail between one's legs -夹层,jiā céng,hollow layer between two solid layers; (architecture) mezzanine -夹山国家森林公园,jiā shān guó jiā sēn lín gōng yuán,"Jiashan National Forest Park in Shimen 石門|石门[Shi2 men2], Changde 常德[Chang2 de2], Hunan" -夹山寺,jiā shān sì,"Jiashan Temple, Buddhist temple in Shimen county 石門縣|石门县[Shi2 men2 xian4], Changde 常德[Chang2 de2], Hunan, the purported final home and burial place of late Ming peasant rebel leader Li Zicheng 李自成[Li3 Zi4 cheng2]" -夹带,jiā dài,to carry within it; to be mixed in; to slip sth in; to intersperse; (hydrology etc) to entrain; to smuggle; notes smuggled into an exam -夹心,jiā xīn,to fill with stuffing (e.g. in cooking); stuffed -夹心族,jiā xīn zú,sandwich generation -夹心饼干,jiā xīn bǐng gān,sandwich cookie; (jocular) sb who is caught between two opposing parties; sb who is between the hammer and the anvil -夹批,jiā pī,critical annotations between the lines -夹持,jiā chí,to clamp; tongs -夹击,jiā jī,"pincer attack; attack from two or more sides; converging attack; attack on a flank; fork in chess, with one piece making two attacks" -夹攻,jiā gōng,"attack from two sides; pincer movement; converging attack; attack on a flank; fork in chess, with one piece making two attacks" -夹断,jiā duàn,to nip (i.e. cut short); to pinch off -夹板,jiā bǎn,wooden boards used to press sth together; (medicine) splint -夹棍,jiā gùn,leg vise (torture instrument) -夹江,jiā jiāng,"Jiajiang county in Leshan 樂山|乐山[Le4 shan1], Sichuan" -夹江县,jiā jiāng xiàn,"Jiajiang county in Leshan 樂山|乐山[Le4 shan1], Sichuan" -夹生,jiā shēng,"half-cooked; (fig.) not completely done, solved, developed etc; Taiwan pr. [jia4 sheng5]" -夹生饭,jiā shēng fàn,half-cooked rice; (fig.) half-finished job that is difficult to complete because it was not done properly in the first instance; Taiwan pr. [jia4 sheng5 fan4] -夹当,jiā dāng,crucial moment; critical time -夹当儿,jiā dāng er,erhua variant of 夾當|夹当[jia1 dang1] -夹盘,jiā pán,chuck (for a drill etc) -夹竹桃,jiā zhú táo,oleander (Nerium indicum); Taiwan pr. [jia4 zhu2 tao2] -夹紧,jiā jǐn,to clamp; to grip -夹缝,jiā fèng,crack; crevice -夹肢窝,gā zhi wō,armpit; also written 胳肢窩|胳肢窝[ga1 zhi5 wo1] -夹脚拖,jiā jiǎo tuō,flip-flops -夹脚拖鞋,jiá jiǎo tuō xié,flip-flops -夹袄,jiá ǎo,lined jacket; double layered jacket; CL:件[jian4] -夹角,jiā jiǎo,angle (between two intersecting lines) -夹起尾巴,jiā qǐ wěi ba,to tuck one's tail between one's legs; fig. to back down; in a humiliating situation -夹道,jiā dào,a narrow street (lined with walls); to line the street -夹道欢迎,jiā dào huān yíng,to line the streets in welcome -夹钳,jiā qián,tongs -夹杂,jiā zá,to mix together (disparate substances); to mingle; a mix; to be tangled up with -夹馅,jiā xiàn,stuffed (of food); with filling -奄,yǎn,surname Yan -奄,yān,variant of 閹|阉[yan1]; to castrate; variant of 淹[yan1]; to delay -奄,yǎn,suddenly; abruptly; hastily; to cover; to surround -奄列,yǎn liè,omelet -奄奄一息,yǎn yǎn yī xī,dying; at one's last gasp -奇,jī,odd (number) -奇,qí,strange; odd; weird; wonderful; surprisingly; unusually -奇事,qí shì,marvel -奇人,qí rén,an eccentric; odd person; person of extraordinary talent -奇伟,qí wěi,singular and majestic; strange and grand -奇偶,jī ǒu,parity; odd and even -奇偶性,jī ǒu xìng,parity (odd or even) -奇兵,qí bīng,troops appearing suddenly (in a raid or ambush) -奇函数,jī hán shù,odd function (math.) -奇努克,qí nǔ kè,Chinook (helicopter) -奇台,qí tái,"Qitai county or Guchung nahiyisi in Changji Hui autonomous prefecture 昌吉回族自治州[Chang1 ji2 Hui2 zu2 zi4 zhi4 zhou1], Xinjiang" -奇台县,qí tái xiàn,"Qitai county or Guchung nahiyisi in Changji Hui autonomous prefecture 昌吉回族自治州[Chang1 ji2 Hui2 zu2 zi4 zhi4 zhou1], Xinjiang" -奇士,qí shì,odd person; an eccentric -奇妙,qí miào,fantastic; wonderful -奇崛,qí jué,strange and prominent -奇幻,qí huàn,fantasy (fiction) -奇形怪状,qí xíng guài zhuàng,fantastic oddities of every description (idiom); grotesquely shaped -奇彩,qí cǎi,unexpected splendour -奇志,qí zhì,high aspiration -奇思妙想,qí sī miào xiǎng,an unconventional but wonderful idea -奇怪,qí guài,strange; odd; to marvel; to be baffled -奇耻大辱,qí chǐ dà rǔ,extraordinary shame and humiliation (idiom) -奇才,qí cái,genius -奇技,qí jì,brilliant skill; uncanny feat -奇效,qí xiào,wondrous effect; marvelous efficacy -奇数,jī shù,odd number -奇文,qí wén,remarkable or peculiar piece of writing -奇文共赏,qí wén gòng shǎng,lit. remarkable work appreciated by all (idiom); universally praised (original meaning); incomprehensible nonsense; preposterous bullshit -奇景,qí jǐng,wonderful scenery; amazing sight; (fig.) marvel -奇特,qí tè,peculiar; unusual; queer -奇珍,qí zhēn,a rare treasure; sth priceless and unique -奇珍异宝,qí zhēn yì bǎo,rare treasure (idiom) -奇瑞,qí ruì,Chery (car manufacturer) -奇瓦瓦,qí wǎ wǎ,"Chihuahua, Mexico" -奇异,qí yì,fantastic; bizarre; odd; exotic; astonished -奇异夸克,qí yì kuā kè,strange quark (particle physics) -奇异果,qí yì guǒ,kiwi fruit; Chinese gooseberry -奇异笔,qí yì bǐ,marker (writing instrument) -奇祸,qí huò,unexpected calamity; sudden disaster -奇绝,qí jué,strange; rare; bizarre -奇缺,qí quē,"very short of (food, clean water etc); extreme shortage; deficit" -奇羡,jī xiàn,surplus; profit -奇闻,qí wén,anecdote; fantastic story -奇能,qí néng,special ability -奇能异士,qí néng yì shì,extraordinary hero with special abilities; martial arts superhero -奇花异卉,qí huā yì huì,exotic flowers and rare herbs (idiom) -奇花异草,qí huā yì cǎo,"very rarely seen, unusual (idiom)" -奇葩,qí pā,exotic flower; (fig.) marvel; prodigy; (slang) weirdo; outlandish -奇葩异卉,qí pā yì huì,rare and exotic flora (idiom) -奇装异服,qí zhuāng yì fú,bizarre dress -奇袭,qí xí,surprise attack; raid -奇览,qí lǎn,singular excursion; off the beaten track -奇观,qí guān,spectacle; impressive sight -奇解,qí jiě,singular solution (to a math. equation) -奇诡,qí guǐ,strange; queer; intriguing -奇谈,qí tán,odd story; exotic tale; fig. ridiculous argument -奇谈怪论,qí tán guài lùn,strange tales and absurd arguments (idiom); unreasonable remarks -奇谲,qí jué,strange and deceitful; sly; treacherous -奇货可居,qí huò kě jū,rare commodity worth hoarding; object for profiteering -奇趣,qí qù,quaint charm -奇迹,qí jì,miracle; miraculous; wonder; marvel -奇蹄目,jī tí mù,"Perissodactyla; order of odd-toed ungulate (including horse, tapir, rhinoceros)" -奇蹄类,jī tí lèi,"Perissodactyla (odd-toed ungulates, such as horses, zebras etc)" -奇遇,qí yù,happy encounter; fortuitous meeting; adventure -奇丑,qí chǒu,grotesque; extremely ugly; hideous -奇丑无比,qí chǒu wú bǐ,extremely ugly; incomparably hideous -奇门遁甲,qí mén dùn jiǎ,ancient Chinese divination tradition (still in use today) -奇丽,qí lì,singularly beautiful; weird and wonderful -奇点,qí diǎn,"(astronomy, math.) singularity; also pr. [ji1 dian3]" -奈,nài,"used in expressions that convey frustration and futility, such as 無奈|无奈[wu2 nai4] and 莫可奈何|莫可奈何[mo4 ke3 nai4 he2] (literary); used for its phonetic value in writing foreign words" -奈何,nài hé,to do something to sb; to deal with; to cope; how?; to no avail -奈及利亚,nài jí lì yà,Nigeria (Tw) -奈培,nài péi,"neper (unit of ratio, Np)" -奈曼,nài màn,"Naiman banner or Naiman khoshuu in Tongliao 通遼|通辽[Tong1 liao2], Inner Mongolia" -奈曼旗,nài màn qí,"Naiman banner or Naiman khoshuu in Tongliao 通遼|通辽[Tong1 liao2], Inner Mongolia" -奈洛比,nài luò bǐ,"Nairobi, capital of Kenya (Tw)" -奈秒,nài miǎo,"nanosecond, ns, 10^-9 s (Tw); PRC equivalent: 納秒|纳秒[na4 miao3]" -奈米,nài mǐ,"(Tw) nanometer; nano- (prefix meaning ""nanoscale"")" -奈良,nài liáng,"Nara, an old capital of Japan" -奈良时代,nài liáng shí dài,Nara period (710-794) in early Japanese history -奈良县,nài liáng xiàn,Nara prefecture in central Japan -奈飞,nài fēi,"Netflix, American entertainment company" -奉,fèng,"to offer (tribute); to present respectfully (to superior, ancestor, deity etc); to esteem; to revere; to believe in (a religion); to wait upon; to accept orders (from superior)" -奉上,fèng shàng,to offer -奉公,fèng gōng,to pursue public affairs -奉公克己,fèng gōng kè jǐ,self-restraint and devotion to public duties (idiom); selfless dedication; to serve the public interest wholeheartedly -奉公守法,fèng gōng shǒu fǎ,to carry out official duties and observe the law -奉劝,fèng quàn,may I offer a bit of advice -奉化,fèng huà,"Fenghua, county-level city in Ningbo 寧波|宁波[Ning2 bo1], Zhejiang" -奉化市,fèng huà shì,"Fenghu, county-level city in Ningbo 寧波|宁波[Ning2 bo1], Zhejiang" -奉召,fèng zhào,to receive orders -奉告,fèng gào,(honorific) to inform -奉命,fèng mìng,to receive orders; to follow orders; to act under orders -奉天,fèng tiān,old name for Shenyang 瀋陽|沈阳 in modern Liaoning province -奉子成婚,fèng zǐ chéng hūn,to marry after getting pregnant -奉承,fèng cheng,to fawn on; to flatter; to ingratiate oneself; flattery -奉承者,fèng chéng zhě,flatterer -奉承讨好,fèng cheng tǎo hǎo,to curry favor; to get the desired outcome by flattery -奉新,fèng xīn,"Fengxin county in Yichun 宜春, Jiangxi" -奉新县,fèng xīn xiàn,"Fengxin county in Yichun 宜春, Jiangxi" -奉旨,fèng zhǐ,on imperial orders -奉为圭臬,fèng wéi guī niè,to take as a guiding principle (idiom) -奉献,fèng xiàn,to offer respectfully; to consecrate; to dedicate; to devote -奉献精神,fèng xiàn jīng shén,spirit of devotion; dedication -奉现,fèng xiàn,offering -奉申贺敬,fèng shēn hè jìng,polite congratulations (i.e. on a greeting card) -奉祀,fèng sì,"to worship; to pay respects to (a deity, ancestor etc); (of a shrine or temple) to be dedicated to (a deity, ancestor etc)" -奉节,fèng jié,"Fengjie, a county in Chongqing 重慶|重庆[Chong2qing4]" -奉节县,fèng jié xiàn,"Fengjie, a county in Chongqing 重慶|重庆[Chong2qing4]" -奉系,fèng xì,Fengtian clique (of northern warlords) -奉系军阀,fèng xì jūn fá,Fengtian clique (of northern warlords) -奉职,fèng zhí,devotion to duty -奉若神明,fèng ruò shén míng,to honor sb as a God (idiom); to revere; to worship; to deify; to make a holy cow of sth; to put sb on a pedestal -奉行,fèng xíng,"to pursue (a course, a policy)" -奉诏,fèng zhào,to receive an imperial command -奉贤,fèng xián,Fengxian suburban district of Shanghai -奉贤区,fèng xián qū,Fengxian suburban district of Shanghai -奉赠,fèng zèng,(honorific) to present; to give as a present -奉辛比克党,fèng xīn bǐ kè dǎng,Funcinpec (royalist Cambodian political party) -奉迎,fèng yíng,(honorific) to greet; to fawn -奉送,fèng sòng,(honorific) to give -奉还,fèng huán,to return with thanks; to give back (honorific) -奉陪,fèng péi,(honorific) to accompany; to keep sb company -奉养,fèng yǎng,to look after (elderly parents); Taiwan pr. [feng4yang4] -奎,kuí,crotch; 15th of the 28th constellations of Chinese astronomy -奎宁,kuí níng,quinine (loanword) -奎宁水,kuí níng shuǐ,tonic water; quinine water -奎屯,kuí tún,"Kuytun, county-level city in Ili Kazakh Autonomous Prefecture 伊犁哈薩克自治州|伊犁哈萨克自治州[Yi1li2 Ha1sa4ke4 Zi4zhi4zhou1], Xinjiang" -奎屯市,kuí tún shì,"Kuytun, county-level city in Ili Kazakh Autonomous Prefecture 伊犁哈薩克自治州|伊犁哈萨克自治州[Yi1li2 Ha1sa4ke4 Zi4zhi4zhou1], Xinjiang" -奎托,kuí tuō,"Quito, capital of Ecuador, usually written as 基多" -奎文,kuí wén,"Kuiwen district of Weifang city 濰坊市|潍坊市[Wei2 fang1 shi4], Shandong" -奎文区,kuí wén qū,"Kuiwen district of Weifang city 濰坊市|潍坊市[Wei2 fang1 shi4], Shandong" -奎星,kuí xīng,"Kuixing, the Great Bear, one of the 28 constellations" -奏,zòu,to play music; to achieve; to present a memorial to the emperor (old) -奏帖,zòu tiě,memorial to the emperor (folded in accordion form) -奏折,zòu zhé,memorial to the emperor (folded in accordion form) -奏效,zòu xiào,to show results; to be effective -奏乐,zòu yuè,to perform music; to play a tune -奏鸣曲,zòu míng qǔ,sonata -奏鸣曲式,zòu míng qǔ shì,sonata form (one of the large-scale structures used in Western classical music) -奂,huàn,surname Huan -奂,huàn,excellent -契,qì,to carve; carved words; to agree; a contract; a deed -契丹,qì dān,"Qidan or Khitan, ethnic group in ancient China, a branch of the Eastern Hu people inhabiting the valley of the Xar Murun River in the upper reaches of the Liao River 遼河|辽河[Liao2 He2]" -契丹国志,qì dān guó zhì,"History of the Liao Dynasty, 13th-century book on the history of the Khitan Empire (916-1125)" -契卡,qì kǎ,"Cheka, a Soviet secret police agency, forerunner of the KGB" -契合,qì hé,agreement; to agree; to get on with; congenial; agreeing with; to ally oneself with sb -契妈,qì mā,adoptive mother -契子,qì zǐ,adopted son -契据,qì jù,deed -契机,qì jī,opportunity; turning point; juncture -契沙比克湾,qì shā bǐ kè wān,Chesapeake Bay -契箭,qì jiàn,arrow used as a token of authority (by field commanders) -契约,qì yuē,agreement; contract -契约桥牌,qì yuē qiáo pái,contract bridge (card game) -契约精神,qì yuē jīng shén,culture of honoring contractual obligations -契诃夫,qì hē fū,"Anton Pavlovich Chekhov (1860-1904), Russian writer famous for his short stories and plays" -奓,chǐ,old variant of 侈[chi3] -奓,shē,old variant of 奢[she1] -奓,zhà,to open; to spread -奔,bēn,to hurry; to rush; to run quickly; to elope -奔,bèn,to go to; to head for; towards; Taiwan pr. [ben1] -奔三,bēn sān,Pentium III microprocessor (abbr. for 奔騰三|奔腾三[Ben teng2 San1]) -奔三,bèn sān,to be pushing 30 -奔命,bēn mìng,to rush about on errands; to be kept on the run -奔丧,bēn sāng,to hasten home for the funeral of a parent or grandparent -奔四,bèn sì,to be pushing 40 -奔奔族,bēn bēn zú,"lit. Rushing Clan, generation born between 1975-1985 and China's most hedonistic and hard-working social group (netspeak)" -奔忙,bēn máng,to be busy rushing about; to bustle about -奔放,bēn fàng,bold and unrestrained; untrammeled -奔月,bèn yuè,to fly to the moon -奔波,bēn bō,to rush about; to be constantly on the move -奔流,bēn liú,to flow at great speed; to pour; racing current -奔泻,bēn xiè,(of torrents) to rush down; to pour down -奔现,bēn xiàn,(neologism) to meet sb in real life after forming a relationship online -奔窜,bēn cuàn,"(of people or animals) to flee helter-skelter; to scatter; (of floodwater, an idea etc) to spread in all directions" -奔袭,bēn xí,to carry out a long-range raid -奔走,bēn zǒu,to run; to rush about; to be on the go -奔走相告,bēn zǒu xiāng gào,to spread the news (idiom) -奔赴,bēn fù,to rush to; to hurry to -奔跑,bēn pǎo,to run -奔逃,bēn táo,to flee; to run away -奔头,bèn tou,sth to strive for; prospect -奔头儿,bèn tou er,erhua variant of 奔頭|奔头[ben4 tou5] -奔马,bēn mǎ,(literary) (swift like a) speeding horse -奔驰,bēn chí,"Benz (name); Mercedes-Benz, German car maker" -奔驰,bēn chí,to run quickly; to speed; to gallop -奔腾,bēn téng,Pentium (microprocessor by Intel) -奔腾,bēn téng,(of waves) to surge forward; to roll on in waves; to gallop -奕,yì,abundant; graceful -套,tào,"to cover; to encase; cover; sheath; to overlap; to interleave; to model after; to copy; formula; harness; loop of rope; (fig.) to fish for; to obtain slyly; classifier for sets, collections; bend (of a river or mountain range, in place names); tau (Greek letter Ττ)" -套中人,tào zhōng rén,a conservative -套交情,tào jiāo qing,to try to gain sb's friendship -套件,tào jiàn,kit (equipment); (bicycle) groupset -套作,tào zuò,(agriculture) to interplant -套儿,tào er,(coll.) loop of rope; noose; scheme; ploy; condom -套利,tào lì,arbitrage -套利者,tào lì zhě,arbitrager -套包,tào bāo,collar part of horse harness -套汇,tào huì,illegal currency exchange; arbitrage -套印,tào yìn,color printing using several overlaid images -套取,tào qǔ,to acquire fraudulently; an illegal exchange -套口供,tào kǒu gòng,to trap a suspect into a confession -套问,tào wèn,to sound sb out; to find out by tactful indirect questioning -套圈,tào quān,ferrule; ring toss -套套,tào tao,methods; the old tricks; (slang) condom -套娃,tào wá,matryoshka (Russian nested doll) -套子,tào zi,sheath; case; cover; conventional method; cliché; trick; (coll.) condom -套房,tào fáng,suite; apartment; flat -套换,tào huàn,to change (currency) illegally; fraudulent exchange -套数,tào shù,"song cycle in Chinese opera; (fig.) a series of tricks; polite remarks; number of (things that are counted in 套[tao4], like houses)" -套曲,tào qǔ,divertimento (music) -套服,tào fú,a suit (of clothes) -套期保值,tào qī bǎo zhí,to hedge (one's bets); to defend against risk -套牌车,tào pái chē,car with fake plates -套牢,tào láo,to immobilize with a lasso; to be trapped in the stock market -套现,tào xiàn,to convert (an asset) into cash; to cash out -套用,tào yòng,"to apply (sth hitherto used in a different context); to use (rules, systems, models etc copied from elsewhere) (often implying that they aren't suited to the new situation); to borrow (a phrase); (Tw) (computing) to apply (a style, formatting etc)" -套叠,tào dié,overlapping; nesting; to interleave -套磁,tào cí,(coll.) to cultivate good relations with sb; to try to gain favor with sb -套种,tào zhòng,to interplant -套筒,tào tǒng,sleeve; a tube for wrapping -套筒扳手,tào tǒng bān shǒu,socket spanner -套管,tào guǎn,pipe casing -套红,tào hóng,printing portions of a page (e.g. a banner headline) in red (or other color) -套索,tào suǒ,a lasso; noose -套结,tào jié,a noose -套绳,tào shéng,a lasso -套色,tào shǎi,color printing using several overlaid images -套衫,tào shān,a pullover -套衫儿,tào shān er,a pullover -套袖,tào xiù,sleeve cover -套裙,tào qún,woman's suit; dress worn over a petticoat -套装,tào zhuāng,outfit or suit (of clothes); set of coordinated items; kit -套裤,tào kù,leggings -套话,tào huà,polite phrase; conventional greetings; cliché; to try to worm facts out of sb -套语,tào yǔ,polite set phrases -套购,tào gòu,a fraudulent purchase; to buy up sth illegally -套路,tào lù,sequence of movements in martial arts; routine; pattern; standard method -套车,tào chē,to harness (a horse to a cart) -套近乎,tào jìn hū,to worm one's way into being friends with sb (usually derogatory) -套钟,tào zhōng,chime -套间,tào jiān,vestibule; small inner room (opening to others); suite; apartment -套鞋,tào xié,overshoes; galoshes -套头,tào tóu,(of a garment) designed to be put on by pulling it over one's head (like a sweater or T-shirt etc) -套餐,tào cān,set meal; (fig.) product or service package (e.g. for a cell phone subscription) -套马,tào mǎ,to harness a horse; to lasso a horse -套马杆,tào mǎ gǎn,lasso on long wooden pole -奘,zàng,great -奘,zhuǎng,fat; stout -奚,xī,surname Xi -奚,xī,(literary) what?; where?; why? -奚啸伯,xī xiào bó,"Xi Xiaobo (1910-1977), Beijing opera star, one of the Four great beards 四大鬚生|四大须生" -奚落,xī luò,to taunt; to ridicule; to jeer at; to treat coldly; to abandon -奠,diàn,to fix; to settle; a libation to the dead -奠仪,diàn yí,a gift of money to the family of the deceased -奠基,diàn jī,to lay a foundation -奠基人,diàn jī rén,founder; pioneer -奠基石,diàn jī shí,foundation stone; cornerstone -奠基者,diàn jī zhě,founder; pioneer -奠定,diàn dìng,to establish; to fix; to settle -奠济宫,diàn jì gōng,"Dianji Temple in Keelung, Taiwan" -奠祭,diàn jì,pouring of wine on ground for sacrifice -奠都,diàn dū,to determine the position of the capital; to found a capital -奠酒,diàn jiǔ,a libation -奢,shē,extravagant -奢侈,shē chǐ,luxurious; extravagant -奢侈品,shē chǐ pǐn,luxury good -奢易俭难,shē yì jiǎn nán,"(idiom) extravagance comes easily, frugality is difficult" -奢望,shē wàng,an extravagant hope; to have excessive expectations -奢求,shē qiú,to make extravagant demands; an unreasonable request -奢泰,shē tài,extravagant; sumptuous; wasteful -奢盼,shē pàn,an extravagant hope; to have unrealistic expectations -奢糜,shē mí,variant of 奢靡[she1 mi2] -奢华,shē huá,luxurious; sumptuous; lavish -奢靡,shē mí,extravagant -奢香,shē xiāng,"She Xiang (c. 1361-1396), lady who served as Yi ethnic group leader in Yunnan in early Ming times" -奢丽,shē lì,sumptuous; a luxury -奥,ào,Austria (abbr. for 奧地利|奥地利[Ao4 di4 li4]); Olympics (abbr. for 奧林匹克|奥林匹克[Ao4 lin2 pi3 ke4]) -奥,ào,obscure; mysterious -奥丁,ào dīng,Odin (god in Norse mythology) -奥丁谐振器,ào dīng xié zhèn qì,Oudin coil; Oudin resonator -奥什,ào shí,Osh (city in Kyrgyzstan) -奥克拉荷马,ào kè lā hé mǎ,"Oklahoma, US state (Tw)" -奥克拉荷马州,ào kè lā hé mǎ zhōu,"Oklahoma, US state (Tw)" -奥克斯纳德,ào kè sī nà dé,"Oxnard, California" -奥克苏斯河,ào kè sū sī hé,Oxus River; alternative name for Amu Darya 阿姆河[A1 mu3 He2] -奥克兰,ào kè lán,"Auckland (New Zealand city); Oakland (California, US city)" -奥切诺斯,ào qiē nuò sī,"Oceanus, a Titan in Greek mythology" -奥利奥,ào lì ào,Oreo cookies -奥利安,ào lì ān,"Orion (constellation, loan word); also written 獵戶座|猎户座" -奥利给,ào lì gěi,"(neologism c. 2020) come on, you can do it!" -奥利维亚,ào lì wéi yà,Olivia (name) -奥匈帝国,ào xiōng dì guó,Austro-Hungarian Empire 1867-1918 -奥卡姆剃刀,ào kǎ mǔ tì dāo,Occam's razor -奥古斯塔,ào gǔ sī tǎ,"Augusta (place name: capital of Maine, city in Georgia etc)" -奥古斯都,ào gǔ sī dū,Augustus (name) -奥国,ào guó,Austria -奥地利,ào dì lì,Austria -奥塞梯,ào sè tī,Ossetia (a Caucasian republic) -奥塞罗,ào sāi luó,"Othello, 1604 tragedy by William Shakespeare 莎士比亞|莎士比亚" -奥妙,ào miào,marvelous; mysterious; profound; marvel; wonder -奥姆真理教,ào mǔ zhēn lǐ jiào,"Aum Shinrikyo (or Supreme Truth), the Japanese death cult responsible for the 1995 sarin gas attack on the Tokyo subway" -奥委会,ào wěi huì,Olympic committee -奥威尔,ào wēi ěr,"Orwell (name); George Orwell (1903-1950), British novelist, author of Animal Farm 動物農場|动物农场 and 1984 一九八四年" -奥客,ào kè,"(coll.) (Tw) troublesome customer; obnoxious guest (from Taiwanese 漚客, Tai-lo pr. [àu-kheh])" -奥密克戎,ào mì kè róng,omicron (Greek letter) -奥巴马,ào bā mǎ,"Barack Obama (1961-), US Democrat politician, president 2009-2017" -奥布里,ào bù lǐ,Aubrey (name) -奥康内尔,ào kāng nèi ěr,"O'Connell (name); Daniel O'Connell (1775-1847), Irish nationalist and catholic activist" -奥康纳,ào kāng nà,"O'Connor (name); Thomas Power O'Connor (1848-1929), Irish journalist and nationalist political leader" -奥德修斯,ào dé xiū sī,Odysseus -奥德赛,ào dé sài,Homer's Odyssey -奥托,ào tuō,Otto -奥援,ào yuán,hidden ally; powerful support; support; backup -奥数,ào shù,International Mathematical Olympiad (IMO) (abbr. for 國際奧林匹克數學競賽|国际奥林匹克数学竞赛[Guo2 ji4 Ao4 lin2 pi3 ke4 Shu4 xue2 Jing4 sai4]) -奥数,ào shù,olympiad mathematics; competition math -奥斯丁,ào sī dīng,"Austin or Austen (name); Austin, Texas; also written 奧斯汀|奥斯汀[Ao4 si1 ting1]" -奥斯卡,ào sī kǎ,(film industry) Oscar (Academy Award); CL:屆|届[jie4]; (name) Oscar -奥斯卡金像奖,ào sī kǎ jīn xiàng jiǎng,an Academy Award; an Oscar -奥斯威辛,ào sī wēi xīn,Auschwitz (concentration camp) -奥斯威辛集中营,ào sī wēi xīn jí zhōng yíng,Auschwitz concentration camp -奥斯曼,ào sī màn,Ottoman (empire) -奥斯曼帝国,ào sī màn dì guó,the Ottoman Empire -奥斯汀,ào sī tīng,"Austin or Austen (name); Austin, Texas" -奥斯特洛夫斯基,ào sī tè luò fū sī jī,"Nikolai Ostrovsky (1904-1936), Soviet socialist realist writer; Alexander Ostrovsky (1823-1886), Russian playwright" -奥斯瓦尔德,ào sī wǎ ěr dé,Oswald -奥斯维辛,ào sī wéi xīn,Auschwitz (concentration camp) -奥斯陆,ào sī lù,"Oslo, capital of Norway" -奥会,ào huì,(international or national) Olympic Committee (abbr. for 奧林匹克委員會|奥林匹克委员会); Olympic Games (abbr. for 奧林匹克運動會|奥林匹克运动会) -奥朗德,ào lǎng dé,"François Hollande (1954-), French Socialist politician, president of France 2012-2017" -奥林匹亚,ào lín pǐ yà,Olympia (Greece) -奥林匹克,ào lín pǐ kè,Olympic -奥林匹克运动会,ào lín pǐ kè yùn dòng huì,Olympic Games; the Olympics -奥林匹克运动会组织委员会,ào lín pǐ kè yùn dòng huì zǔ zhī wěi yuán huì,Olympic Organizing Committee (abbr. to 奧組委|奥组委[Ao4 zu3 wei3]) -奥林匹克体育场,ào lín pǐ kè tǐ yù chǎng,Olympic Stadium -奥林巴斯,ào lín bā sī,"Olympus, Japanese manufacturer of cameras and optical instruments" -奥波莱,ào bō lái,"Opole, city in Poland" -奥尔巴尼,ào ěr bā ní,"Albany, New York" -奥尔布赖特,ào ěr bù lài tè,"Madeleine Albright (1937-), former US Secretary of State" -奥尔德尼岛,ào ěr dé ní dǎo,Alderney (Channel Islands) -奥尔良,ào ěr liáng,Orléans -奥特曼,ào tè màn,"Ultraman, Japanese science fiction superhero" -奥特朗托,ào tè lǎng tuō,Otranto city on the southeast heel of Italy -奥特朗托海峡,ào tè lǎng tuō hǎi xiá,Strait of Otranto between the heel of Italy and Albania -奥特莱斯,ào tè lái sī,outlets (loanword); retail outlet (e.g. specializing in seconds of famous brands); factory outlet retail store -奥卢,ào lú,Oulu (city in Finland) -奥秘,ào mì,secret; mystery -奥米伽,ào mǐ gā,omega (Greek letter Ωω) -奥米可戎,ào mǐ kě róng,omicron (Greek letter Οο) -奥纳西斯,ào nà xī sī,"Onassis (name); Aristotle Onassis (1906-1975), Greek shipping magnate" -奥组委,ào zǔ wěi,Olympic Organizing Committee (abbr. for 奧林匹克運動會組織委員會|奥林匹克运动会组织委员会[Ao4 lin2 pi3 ke4 Yun4 dong4 hui4 Zu3 zhi1 Wei3 yuan2 hui4]) -奥维耶多,ào wéi yē duō,"Oviedo (Asturian: Uviéu), capital of Asturias in northwest Spain" -奥胡斯,ào hú sī,"Aarhus, city in Denmark" -奥腊涅斯塔德,ào là niè sī tǎ dé,"Oranjestad, capital of Aruba" -奥兰多,ào lán duō,Orlando -奥兰群岛,ào lán qún dǎo,"Åland Islands, Finland" -奥西娜斯,ào xī nuó sī,"Oceanus, a Titan in Greek mythology" -奥赖恩,ào lài ēn,Orion (NASA spacecraft) -奥赛罗,ào sài luó,Othello (play by Shakespeare) -奥迪,ào dí,Audi -奥迪修斯,ào dí xiū sī,"Odysseus, hero of Homer's Odyssey" -奥迹,ào jì,Holy mystery; Holy sacrament (of Orthodox church) -奥运,ào yùn,Olympic Games; the Olympics (abbr. for 奧林匹克運動會|奥林匹克运动会[Ao4lin2pi3ke4 Yun4dong4hui4]) -奥运会,ào yùn huì,Olympic Games; the Olympics (abbr. for 奧林匹克運動會|奥林匹克运动会[Ao4 lin2 pi3 ke4 Yun4 dong4 hui4]) -奥运村,ào yùn cūn,Olympic Village -奥运赛,ào yùn sài,Olympic Games -奥里萨邦,ào lǐ sà bāng,"Odisha (formerly Orissa), eastern Indian state" -奥里里亚,ào lǐ lǐ yà,"Aurelia, a hypothetical planet" -奥陌陌,ào mò mò,ʻOumuamua (interstellar object) -奥陶系,ào táo xì,Ordovician system (geology) -奥陶纪,ào táo jì,Ordovician (geological period 495-440m years ago) -奥马哈,ào mǎ hā,Omaha -奥马尔,ào mǎ ěr,Omar (Arabic name) -奥黛莉,ào dài lì,Audrey; variant of 奧黛麗|奥黛丽[Ao4 dai4 li4] -奥黛丽,ào dài lì,Audrey -奁,lián,bridal trousseau -夺,duó,to seize; to take away forcibly; to wrest control of; to compete or strive for; to force one's way through; to leave out; to lose -夺偶,duó ǒu,to contend for a mate -夺冠,duó guàn,to seize the crown; fig. to win a championship; to win gold medal -夺取,duó qǔ,to seize; to capture; to wrest control of -夺回,duó huí,to take back (forcibly); to recapture; to win back -夺得,duó dé,to take (after a struggle); to wrest; to seize; to capture; to win (a trophy) -夺标,duó biāo,to compete for first prize -夺权,duó quán,to seize power -夺目,duó mù,to dazzle the eyes -夺舍,duó shè,to incarnate into sb else's body -夺走,duó zǒu,to snatch away -夺金,duó jīn,to snatch gold; to take first place in a competition -夺门而出,duó mén ér chū,to rush out through a door (idiom) -夺魁,duó kuí,to seize; to win -奭,shì,surname Shi -奭,shì,"(literary) majestic; magnificent; (literary) rich, deep red; (literary) angry; furious" -奋,fèn,to exert oneself (bound form) -奋不顾身,fèn bù gù shēn,to dash on bravely with no thought of personal safety (idiom); undaunted by dangers; regardless of perils -奋力,fèn lì,to do everything one can; to spare no effort; to strive -奋勇,fèn yǒng,dauntless; to summon up courage and determination; using extreme force of will -奋战,fèn zhàn,to fight bravely; (fig.) to struggle; to work hard -奋武扬威,fèn wǔ yáng wēi,a show of strength -奋发,fèn fā,to rouse to vigorous action; energetic mood -奋发图强,fèn fā tú qiáng,to work energetically for prosperity (of the country) -奋笔疾书,fèn bǐ jí shū,to write at a tremendous speed -奋袂,fèn mèi,to roll up one's sleeves for action -奋起,fèn qǐ,to rise vigorously; a spirited start -奋起湖,fèn qǐ hú,"Fenchihu, town in Chiayi County, Taiwan" -奋起直追,fèn qǐ zhí zhuī,to catch up vigorously; to set off in hot pursuit -奋进,fèn jìn,to advance bravely; to endeavor -奋进号,fèn jìn hào,Space Shuttle Endeavor -奋飞,fèn fēi,to spread wings and fly -奋斗,fèn dòu,to strive; to struggle -女,nǚ,female; woman; daughter -女,rǔ,archaic variant of 汝[ru3] -女上位,nǚ shàng wèi,woman-on-top sex position -女主人,nǚ zhǔ rén,hostess; mistress -女主人公,nǚ zhǔ rén gōng,heroine (of a novel or film); main female protagonist -女乘务员,nǚ chéng wù yuán,stewardess; female flight attendant -女人,nǚ rén,woman -女人,nǚ ren,wife -女人家,nǚ rén jia,women (in general) -女人气,nǚ rén qì,womanly temperament; femininity; effeminate (of male); cowardly; sissy -女伴,nǚ bàn,female companion -女修道院,nǚ xiū dào yuàn,convent -女杰,nǚ jié,woman of distinction; a woman to be admired or respected -女佣,nǚ yōng,(female) maid -女仆,nǚ pú,female servant; maid -女傧相,nǚ bīn xiàng,bridesmaid -女优,nǚ yōu,actress -女儿,nǚ ér,daughter -女儿墙,nǚ ér qiáng,crenelated parapet wall -女儿红,nǚ ér hóng,kind of Chinese wine -女公子,nǚ gōng zǐ,noble lady; (honorific) your daughter -女公爵,nǚ gōng jué,duchess -女功,nǚ gōng,variant of 女紅|女红[nu:3 gong1] -女友,nǚ yǒu,girlfriend -女同,nǚ tóng,a lesbian (coll.) -女同胞,nǚ tóng bāo,woman; female; female compatriot -女单,nǚ dān,"women's singles (in tennis, badminton etc)" -女士,nǚ shì,"lady; madam; CL:個|个[ge4],位[wei4]; Miss; Ms" -女士优先,nǚ shì yōu xiān,Ladies first! -女大不中留,nǚ dà bù zhōng liú,"when a girl is of age, she must be married off (idiom)" -女大十八变,nǚ dà shí bā biàn,lit. a girl changes eighteen times between childhood and womanhood (idiom); fig. a young woman is very different from the little girl she once was -女娃,nǚ wá,mythological daughter of Fiery Emperor 炎帝[Yan2 di4] who turned into bird Jingwei 精衛|精卫[Jing1 wei4] after drowning -女娃,nǚ wá,(dialect) girl -女婿,nǚ xu,daughter's husband; son-in-law -女娲,nǚ wā,Nüwa (creator of humans in Chinese mythology) -女娲氏,nǚ wā shì,Nüwa (creator of humans in Chinese mythology) -女婴,nǚ yīng,female baby -女子,nǚ zǐ,woman; female -女子参政权,nǚ zǐ cān zhèng quán,women's suffrage -女子无才便是德,nǚ zǐ wú cái biàn shì dé,a woman's virtue is to have no talent (idiom) -女孩,nǚ hái,girl; lass -女孩儿,nǚ hái er,erhua variant of 女孩[nu:3 hai2] -女孩子,nǚ hái zi,girl -女家,nǚ jiā,bride's family (in marriage) -女将,nǚ jiàng,female general; (fig.) woman who is a leading figure in her area of expertise -女工,nǚ gōng,working woman; variant of 女紅|女红[nu:3 gong1] -女巫,nǚ wū,witch -女店员,nǚ diàn yuán,salesgirl; female shop assistant -女厕,nǚ cè,women's restroom; women's toilet -女强人,nǚ qiáng rén,successful career woman; able woman -女性,nǚ xìng,woman; the female sex -女性主义,nǚ xìng zhǔ yì,feminism -女性割礼,nǚ xìng gē lǐ,female genital mutilation -女性化,nǚ xìng huà,to feminize; feminization -女性厌恶,nǚ xìng yàn wù,misogyny -女性贬抑,nǚ xìng biǎn yì,misogyny -女房东,nǚ fáng dōng,landlady -女扮男装,nǚ bàn nán zhuāng,(of a woman) to dress as a man (idiom) -女排,nǚ pái,women's volleyball; abbr. for 女子排球 -女方,nǚ fāng,the bride's side (of a wedding); of the bride's party -女星,nǚ xīng,female star; famous actress -女书,nǚ shū,"nüshu writing, a phonetic syllabary for Yao ethnic group 瑤族|瑶族[Yao2 zu2] dialect designed and used by women in Jiangyong county 江永縣|江永县[Jiang1 yong3 xian4] in southern Hunan" -女朋友,nǚ péng you,girlfriend -女校,nǚ xiào,all-girls school -女权,nǚ quán,women's rights -女权主义,nǚ quán zhǔ yì,feminism -女武神,nǚ wǔ shén,valkyrie -女流,nǚ liú,(derog.) woman -女汉子,nǚ hàn zi,masculine woman -女墙,nǚ qiáng,crenelated parapet wall -女犯,nǚ fàn,female offender in imperial China (old) -女王,nǚ wáng,queen -女生,nǚ shēng,schoolgirl; female student; girl -女生外向,nǚ shēng wài xiàng,a woman is born to leave her family (idiom); a woman's heart is with her husband -女的,nǚ de,woman -女皇,nǚ huáng,empress -女皇大学,nǚ huáng dà xué,Queen's University (Belfast) -女皇帝,nǚ huáng dì,"empress; refers to Tang empress Wuzetian 武則天|武则天 (624-705), reigned 690-705" -女真,nǚ zhēn,"Jurchen, a Tungus ethnic group, predecessor of the Manchu ethnic group who founded the Later Jin Dynasty 後金|后金[Hou4 Jin1] and Qing Dynasty" -女真语,nǚ zhēn yǔ,Jurchen language -女眷,nǚ juàn,the females in a family; womenfolk -女神,nǚ shén,goddess; nymph -女神蛤,nǚ shén gé,geoduck (Panopea abrupta); elephant trunk clam; same as 象拔蚌[xiang4 ba2 bang4] -女票,nǚ piào,(slang) girlfriend -女童,nǚ tóng,small girl -女管家,nǚ guǎn jiā,housekeeper -女红,nǚ gōng,the feminine arts (e.g. needlework) -女继承人,nǚ jì chéng rén,inheritress -女舍监,nǚ shè jiān,matron -女色,nǚ sè,female charms; femininity -女卫,nǚ wèi,women's bathroom (abbr. for 女衛生間|女卫生间) -女装,nǚ zhuāng,women's clothes -女衬衫,nǚ chèn shān,blouse -女警,nǚ jǐng,policewoman -女警员,nǚ jǐng yuán,a policewoman -女贞,nǚ zhēn,privet (genus Ligustrum) -女郎,nǚ láng,"young woman; maiden; girl; CL:個|个[ge4],位[wei4]" -女阴,nǚ yīn,vulva; pudenda -女双,nǚ shuāng,"women's doubles (in tennis, badminton etc)" -女体盛,nǚ tǐ chéng,"nyotaimori or ""body sushi"", Japanese practice of serving sushi on the body of a naked woman" -女高音,nǚ gāo yīn,soprano -奴,nú,slave -奴仆,nú pú,servant -奴儿干,nú ér gān,part of Heilongjiang and the Vladivostok area ruled by the Ming dynasty -奴儿干都司,nú ér gān dū sī,the Ming dynasty provincial headquarters in the Heilongjiang and Vladivostok area -奴化,nú huà,to enslave; to subjugate -奴婢,nú bì,slave servant -奴家,nú jiā,(old) your servant (humble self-reference by young female) -奴工,nú gōng,slave labor; slave worker -奴役,nú yì,to enslave -奴才,nú cai,slave; fig. flunkey -奴隶,nú lì,slave -奴隶主,nú lì zhǔ,slave owner -奴隶制,nú lì zhì,slavery -奴隶制度,nú lì zhì dù,slavery -奴隶社会,nú lì shè huì,slave-owning society (precedes feudal society 封建社會|封建社会 in Marxist theory) -奴颜婢膝,nú yán bì xī,servile and bending the knee (idiom); fawning; bending and scraping to curry favor -奶,nǎi,breast; milk; to breastfeed -奶名,nǎi míng,pet name for a child; infant name -奶品,nǎi pǐn,dairy product -奶嘴,nǎi zuǐ,nipple (on a baby's bottle); pacifier -奶嘴儿,nǎi zuǐ er,erhua variant of 奶嘴[nai3 zui3] -奶奶,nǎi nai,(informal) grandma (paternal grandmother); (respectful) mistress of the house; CL:位[wei4]; (coll.) boobies; breasts -奶奶灰,nǎi nai huī,granny gray (hair color) -奶奶的,nǎi nai de,damn it!; blast it! -奶娘,nǎi niáng,(dialect) wet nurse -奶妈,nǎi mā,wet nurse -奶子,nǎi zi,(coll.) milk; (coll.) breast; booby; tit -奶帅,nǎi shuài,"(slang) (of a young man) sweet and boyish in appearance; having soft, feminine features" -奶拽,nǎi zhuǎi,"(slang) (of a young man) cute, with a touch of swagger" -奶昔,nǎi xī,"milkshake (Note: 昔[xi1] is loaned from English ""shake"" via Cantonese 昔, pr. sik1)" -奶母,nǎi mǔ,wet nurse -奶水,nǎi shuǐ,breast milk -奶汁,nǎi zhī,milk from a woman's breast; milk (used in the names of dishes to indicate white sauce) -奶汁烤,nǎi zhī kǎo,gratin -奶油,nǎi yóu,cream; butter; (coll.) effeminate -奶油小生,nǎi yóu xiǎo shēng,handsome but effeminate man; pretty boy -奶油菜花,nǎi yóu cài huā,creamed cauliflower -奶油鸡蛋,nǎi yóu jī dàn,cream sponge -奶汤,nǎi tāng,"white broth, or milky broth: an unctuous, milky white pork broth of Chinese cuisine" -奶爸,nǎi bà,stay-at-home dad -奶牛,nǎi niú,milk cow; dairy cow -奶牛场,nǎi niú chǎng,dairy farm -奶瓶,nǎi píng,baby's feeding bottle -奶站,nǎi zhàn,dairy -奶粉,nǎi fěn,powdered milk -奶精,nǎi jīng,non-dairy creamer -奶素,nǎi sù,(adjective) lacto-vegetarian -奶罩,nǎi zhào,bra; brassière -奶茶,nǎi chá,milk tea -奶蛋素,nǎi dàn sù,ovo-lacto vegetarian -奶制品,nǎi zhì pǐn,dairy product -奶农,nǎi nóng,dairy farming -奶酥,nǎi sū,butter biscuit; butter bun -奶酪,nǎi lào,"cheese; CL:塊|块[kuai4],盒[he2],片[pian4]" -奶酪火锅,nǎi lào huǒ guō,fondue -奶音,nǎi yīn,child's voice; childlike voice -奶头,nǎi tóu,nipple; teat (on baby's bottle) -奶头乐,nǎi tóu lè,"(calque of ""tittytainment"") low-brow entertainment that distracts the poor from their circumstances; mindless entertainment" -奶黄,nǎi huáng,custard -奶黄包,nǎi huáng bāo,custard bun -奸,jiān,wicked; crafty; traitor; variant of 姦|奸[jian1] -奸人,jiān rén,crafty scoundrel; villain -奸佞,jiān nìng,crafty and fawning -奸商,jiān shāng,profiteer; crooked merchant -奸夫,jiān fū,male adulterer -奸宄,jiān guǐ,evildoer; malefactor -奸官,jiān guān,a treacherous official; a mandarin who conspires against the state -奸官污吏,jiān guān wū lì,traitor minister and corrupt official (idiom); abuse and corruption -奸徒,jiān tú,a crafty villain -奸恶,jiān è,crafty and evil -奸民,jiān mín,a scoundrel; a villain -奸滑,jiān huá,variant of 奸猾[jian1 hua2] -奸狡,jiān jiǎo,devious; cunning -奸猾,jiān huá,treacherous; crafty; deceitful -奸笑,jiān xiào,evil smile; sinister smile -奸细,jiān xi,a spy; a crafty person -奸臣,jiān chén,a treacherous court official; a minister who conspires against the state -奸计,jiān jì,evil plan; evil schemes -奸诈,jiān zhà,treachery; devious; a rogue -奸贼,jiān zéi,a traitor; a treacherous bandit -奸邪,jiān xié,crafty and evil; a treacherous villain -奸险,jiān xiǎn,malicious; treacherous; wicked and crafty -奸党,jiān dǎng,a clique of traitors -她,tā,she -她们,tā men,they; them (females) -她玛,tā mǎ,Tamir (mother of Perez and Zerah) -她经济,tā jīng jì,"""she-economy"" reflecting women's economic contribution; euphemism for prostitution-based economy" -姹,chà,(literary) beautiful -姹女,chà nǚ,beautiful girl; mercury -姹紫嫣红,chà zǐ yān hóng,lit. beautiful purples and brilliant reds (idiom); fig. beautiful flowers -好,hǎo,good; appropriate; proper; all right!; (before a verb) easy to; (before a verb) good to; (before an adjective for exclamatory effect) so; (verb complement indicating completion); (of two people) close; on intimate terms; (after a personal pronoun) hello -好,hào,to be fond of; to have a tendency to; to be prone to -好不,hǎo bù,not at all ...; how very ... -好不好,hǎo bu hǎo,(coll.) all right?; OK? -好不容易,hǎo bù róng yì,with great difficulty; very difficult -好久,hǎo jiǔ,quite a while -好久不见,hǎo jiǔ bu jiàn,long time no see -好了伤疤忘了疼,hǎo le shāng bā wàng le téng,to forget past pains once the wound has healed (idiom) -好了疮疤忘了痛,hǎo le chuāng bā wàng le tòng,see 好了傷疤忘了疼|好了伤疤忘了疼[hao3 le5 shang1 ba1 wang4 le5 teng2] -好事,hǎo shì,"good action, deed, thing or work (also sarcastic, ""a fine thing indeed""); charity; happy occasion; Daoist or Buddhist ceremony for the souls of the dead" -好事,hào shì,to be meddlesome -好事之徒,hào shì zhī tú,busybody -好事多磨,hǎo shì duō mó,the road to happiness is strewn with setbacks (idiom) -好事者,hào shì zhě,busybody; CL:個|个[ge4] -好些,hǎo xiē,a good deal of; quite a lot -好人,hǎo rén,"good person; healthy person; person who tries not to offend anyone, even at the expense of principle" -好人好事,hǎo rén hǎo shì,admirable people and exemplary deeds -好似,hǎo sì,to seem; to be like -好使,hǎo shǐ,easy to use; to function well; so that; in order to -好像,hǎo xiàng,as if; to seem like -好兵帅克,hǎo bīng shuài kè,"The Good Soldier Švejk (Schweik), satirical novel by Czech author Jaroslav Hašek (1883-1923)" -好动,hào dòng,active; restless; energetic -好胜,hào shèng,eager to win; competitive; aggressive -好半天,hǎo bàn tiān,most of the day -好去,hǎo qù,bon voyage; Godspeed -好又多,hǎo yòu duō,Trust-Mart (supermarket chain) -好友,hǎo yǒu,close friend; pal; (social networking website) friend; CL:個|个[ge4] -好受,hǎo shòu,feeling better; to be more at ease -好吃,hǎo chī,tasty; delicious -好吃,hào chī,to be fond of eating; to be gluttonous -好吃懒做,hào chī lǎn zuò,happy to partake but not prepared to do any work (idiom); all take and no give -好命,hǎo mìng,lucky; blessed with good fortune -好哇,hǎo wā,hurray!; hurrah!; yippee! -好喝,hǎo hē,tasty (drinks) -好在,hǎo zài,luckily; fortunately -好坏,hǎo huài,good or bad; good and bad; standard; quality; (coll.) very bad -好多,hǎo duō,many; quite a lot; much better -好梦难成,hǎo mèng nán chéng,a beautiful dream is hard to realize (idiom) -好大喜功,hào dà xǐ gōng,to rejoice in grandiose deeds; to strive to achieve extraordinary things -好奇,hào qí,inquisitive; curious; inquisitiveness; curiosity -好奇尚异,hào qí shàng yì,to have a taste for the exotic (idiom) -好奇心,hào qí xīn,interest in sth; curiosity; inquisitive -好好,hǎo hǎo,well; carefully; nicely; properly -好好先生,hǎo hǎo xiān sheng,Mr Goody-goody; yes-man (sb who agrees with anything) -好好儿,hǎo hāo er,in good condition; perfectly good; carefully; well; thoroughly -好学,hǎo xué,easy to learn -好学,hào xué,eager to study; studious; erudite -好客,hào kè,hospitality; to treat guests well; to enjoy having guests; hospitable; friendly -好家伙,hǎo jiā huo,my God!; oh boy!; man! -好容易,hǎo róng yì,"(idiomatic usage) with great difficulty; to have a hard time (convincing sb, relinquishing sth etc); (literal usage) so easy" -好市多,hǎo shì duō,Costco (warehouse club chain) -好几,hǎo jǐ,several; quite a few -好几年,hǎo jǐ nián,several years -好康,hǎo kāng,"(Tw) benefit; advantage (from Taiwanese 好空, Tai-lo pr. [hó-khang])" -好强,hào qiáng,eager to be first -好心,hǎo xīn,kindness; good intentions -好心人,hǎo xīn rén,kindhearted person; good Samaritan -好心倒做了驴肝肺,hǎo xīn dào zuò le lǘ gān fèi,(idiom) to mistake good intentions for ill will -好恶,hào wù,lit. likes and dislikes; preferences; taste -好惹,hǎo rě,accommodating; easy to push around -好意,hǎo yì,good intention; kindness -好意思,hǎo yì si,to have the nerve; what a cheek!; to feel no shame; to overcome the shame; (is it) proper? (rhetorical question) -好感,hǎo gǎn,good opinion; favorable impression -好战,hào zhàn,warlike -好戏还在后头,hǎo xì hái zài hòu tou,the best part of the show is yet to come; (with ironic tone) the worst is yet to come; you ain't seen nothin' yet -好手,hǎo shǒu,expert; professional -好整以暇,hào zhěng yǐ xiá,to be calm and unruffled in the midst of chaos or at a busy time (idiom) -好料,hǎo liào,sth of good quality; good person (usu. in the negative); (Tw) delicious food -好日子,hǎo rì zi,auspicious day; good day; happy life -好时,hǎo shí,Hershey's (brand) -好景不长,hǎo jǐng bù cháng,a good thing doesn't last forever (idiom) -好朋友,hǎo péng you,good friend; (slang) a visit from Aunt Flo (menstrual period) -好望角,hǎo wàng jiǎo,Cape of Good Hope -好棒,hǎo bàng,excellent (interjection) -好样的,hǎo yàng de,"(idiom) a good person, used to praise sb's moral integrity or courage" -好歹,hǎo dǎi,good and bad; most unfortunate occurrence; in any case; whatever -好死不如赖活着,hǎo sǐ bù rú lài huó zhe,better a bad life than a good death (idiom) -好比,hǎo bǐ,to be just like; can be compared to -好气,hǎo qì,to be happy; to be in a good mood -好氧,hào yǎng,aerobic -好活当赏,hǎo huó dāng shǎng,(coll.) bravo; nice one; lovely -好汉,hǎo hàn,hero; strong and courageous person; CL:條|条[tiao2] -好汉不吃眼前亏,hǎo hàn bù chī yǎn qián kuī,a wise man knows better than to fight when the odds are against him (idiom) -好汉不提当年勇,hǎo hàn bù tí dāng nián yǒng,a real man doesn't boast about his past achievements (idiom) -好汉做事好汉当,hǎo hàn zuò shì hǎo hàn dāng,daring to act and courageous enough to take responsibility for it (idiom); a true man has the courage to accept the consequences of his actions; the buck stops here -好为人师,hào wéi rén shī,to like to lecture others (idiom) -好物,hǎo wù,fine goods -好玩,hǎo wán,amusing; fun; interesting -好玩,hào wán,to be playful; to be fond of one's fun -好玩儿,hǎo wán er,erhua variant of 好玩[hao3 wan2] -好球,hǎo qiú,(ball sports) good shot!; nice hit!; well played! -好生,hǎo shēng,(dialect) very; quite; properly; well; thoroughly -好用,hǎo yòng,useful; serviceable; effective; handy; easy to use -好男不跟女斗,hǎo nán bù gēn nǚ dòu,a real man doesn't fight with womenfolk (idiom) -好看,hǎo kàn,"good-looking; nice-looking; good (of a movie, book, TV show etc); embarrassed; humiliated" -好睇,hǎo dì,good-looking (Cantonese) -好睡,hǎo shuì,good night -好立克,hǎo lì kè,Horlicks (malt-flavored powder used to make a hot drink) -好端端,hǎo duān duān,perfectly all right; without rhyme or reason -好笑,hǎo xiào,laughable; funny; ridiculous -好聚好散,hǎo jù hǎo sàn,(idiom) to part without hard feelings; to cut the knot as smoothly as you tied it -好听,hǎo tīng,pleasant to hear -好自为之,hǎo zì wéi zhī,to do one's best; to shape up; to fend for oneself; you're on your own -好色,hào sè,to want sex; given to lust; lecherous; lascivious; horny -好色之徒,hào sè zhī tú,lecher; womanizer; dirty old man -好莱坞,hǎo lái wù,Hollywood -好处,hǎo chǔ,easy to get along with -好处,hǎo chu,benefit; advantage; merit; gain; profit; also pr. [hao3 chu4] -好言,hǎo yán,kind words -好言好语,hǎo yán hǎo yǔ,"sincere, well-meant, kind words" -好记,hǎo jì,easy to remember -好记性不如烂笔头,hǎo jì xìng bù rú làn bǐ tóu,the palest ink is better than the best memory (idiom) -好评,hǎo píng,favorable criticism; positive evaluation -好话,hǎo huà,friendly advice; words spoken on sb's behalf; a good word; kind words; words that sound fine but are not followed up with actions -好说,hǎo shuō,easy to deal with; not a problem; (polite answer) you flatter me -好说歹说,hǎo shuō dǎi shuō,(idiom) to try one's very best to persuade sb; to reason with sb in every way possible -好象,hǎo xiàng,to seem; to be like (variant of 好像[hao3 xiang4]) -好走,hǎo zǒu,bon voyage; Godspeed -好起来,hǎo qǐ lai,to get better; to improve; to get well -好转,hǎo zhuǎn,to improve; to take a turn for the better; improvement -好办,hǎo bàn,easy to do; easy to manage -好辩,hào biàn,argumentative; quarrelsome -好逸恶劳,hào yì wù láo,to love ease and comfort and hate work (idiom) -好运,hǎo yùn,good luck -好运符,hǎo yùn fú,good luck charm -好过,hǎo guò,to have an easy time; (feel) well -好道,hǎo dào,don't tell me ...; could it be that...? -好酒沉瓮底,hǎo jiǔ chén wèng dǐ,lit. the best wine is at the bottom of the jug (idiom); fig. the best is saved for last -好酒贪杯,hào jiǔ tān bēi,fond of the bottle (idiom) -好险,hǎo xiǎn,to have a close call; to have a narrow escape -好饭不怕晚,hǎo fàn bù pà wǎn,the meal is remembered long after the wait is forgotten; the good things in life are worth waiting for -好马不吃回头草,hǎo mǎ bù chī huí tóu cǎo,"lit. a good horse doesn't turn around and graze the same patch again (idiom); fig. once you've moved on, don't go back again (romantic relationship, job etc); leave the past behind" -好高骛远,hào gāo wù yuǎn,to bite off more than one can chew (idiom); to aim too high -好斗,hào dòu,to be warlike; to be belligerent -好鸟,hǎo niǎo,person of good character; nice person; bird with a melodious voice or beautiful plumage -妁,shuò,surname Suo -妁,shuò,(literary) matchmaker (on the bride's side) -如,rú,as; as if; such as -如一,rú yī,consistent; the same; unvarying -如下,rú xià,as follows -如今,rú jīn,nowadays; now -如何,rú hé,how; what way; what -如来,rú lái,"tathagata (Buddha's name for himself, having many layers of meaning - Sanskrit: thus gone, having been Brahman, gone to the absolute etc)" -如假包换,rú jiǎ bāo huàn,replacement guaranteed if not genuine; fig. authentic -如其所好,rú qí suǒ hào,as one pleases (idiom) -如出一辙,rú chū yī zhé,to be precisely the same; to be no different -如初,rú chū,as before; as ever -如同,rú tóng,like; as -如坐针毡,rú zuò zhēn zhān,lit. as if sitting on pins and needles (idiom); fig. to be in an uncomfortable situation -如堕五里雾中,rú duò wǔ lǐ wù zhōng,as if lost in a thick fog (idiom); in a fog; muddled; completely unfamiliar with sth -如堕烟雾,rú duò yān wù,as if degenerating into smoke (idiom); ignorant and unable to see where things are heading -如夫人,rú fū ren,(old) concubine -如实,rú shí,as things really are; realistic -如履薄冰,rú lǚ bó bīng,lit. as if walking on thin ice (idiom); fig. to be extremely cautious; to be skating on thin ice -如厕,rú cè,to go to the toilet -如影随形,rú yǐng suí xíng,as the shadow follows the body (idiom); closely associated with each other; to follow relentlessly -如意,rú yì,"as one wants; according to one's wishes; ruyi scepter, a symbol of power and good fortune" -如意套,rú yì tào,(dialect) condom -如意算盘,rú yì suàn pán,counting one's chickens before they are hatched -如意郎君,rú yì láng jūn,ideal husband; Mr. Right -如故,rú gù,as before; as usual; (to be) like old friends -如数,rú shù,in the amount stipulated (by prior agreement); in full; in the same amount -如数家珍,rú shǔ jiā zhēn,lit. as if enumerating one's family valuables (idiom); fig. to be very familiar with a matter -如斯,rú sī,(literary) in this way; so -如日中天,rú rì zhōng tiān,"lit. like the sun at noon (idiom); fig. to be at the peak of one's power, career etc" -如是,rú shì,thus -如是我闻,rú shì wǒ wén,"so I have heard (idiom); the beginning clause of Buddha's quotations as recorded by his disciple, Ananda (Buddhism)" -如有所失,rú yǒu suǒ shī,to seem as if something is amiss (idiom) -如期,rú qī,as scheduled; on time; punctual -如东,rú dōng,"Rudong county in Nantong 南通[Nan2 tong1], Jiangsu" -如东县,rú dōng xiàn,"Rudong county in Nantong 南通[Nan2 tong1], Jiangsu" -如果,rú guǒ,if; in case; in the event that -如果说,rú guǒ shuō,if; if one were to say -如此,rú cǐ,like this; so; such -如此这般,rú cǐ zhè bān,thus and so; such and such -如法泡制,rú fǎ pào zhì,lit. to follow the recipe (idiom); to follow the same plan -如法炮制,rú fǎ páo zhì,lit. to follow the recipe (idiom); fig. to follow a set pattern -如泣如诉,rú qì rú sù,lit. as if weeping and complaining (idiom); fig. mournful (music or singing) -如火,rú huǒ,fiery -如火如荼,rú huǒ rú tú,like wildfire (idiom); unstoppable -如火晚霞,rú huǒ wǎn xiá,clouds at sunset glowing like fire -如狼似虎,rú láng sì hǔ,lit. like wolves and tigers; ruthless -如获至宝,rú huò zhì bǎo,as if gaining the most precious treasure -如画,rú huà,picturesque -如痴如醉,rú chī rú zuì,(idiom) enthralled; mesmerized; enraptured -如皋,rú gāo,"Rugao, county-level city in Nantong 南通[Nan2 tong1], Jiangsu" -如皋市,rú gāo shì,"Rugao, county-level city in Nantong 南通[Nan2 tong1], Jiangsu" -如簧之舌,rú huáng zhī shé,lit. a tongue like a reed (idiom); fig. a glib tongue -如约而至,rú yuē ér zhì,to arrive as planned; right on schedule -如胶似漆,rú jiāo sì qī,stuck together as by glue (of lovers); joined at the hip -如臂使指,rú bì shǐ zhǐ,as the arm moves the finger (idiom); freely and effortlessly; to have perfect command of -如临大敌,rú lín dà dí,lit. as if meeting a great enemy (idiom); fig. cautious; with great preoccupation; with strict precaution -如花,rú huā,flowery -如花似玉,rú huā sì yù,"delicate as a flower, refined as a precious jade (idiom); (of a woman) exquisite" -如若,rú ruò,if -如草,rú cǎo,grassy -如虎添翼,rú hǔ tiān yì,lit. like a tiger that has grown wings; with redoubled power (idiom) -如蛆附骨,rú qū fù gǔ,lit. like maggots feeding on a corpse (idiom); fig. fixed on sth; to cling on without letting go; to pester obstinately -如蚁附膻,rú yǐ fù shān,like ants pursuing a stink (idiom); the mob chases the rich and powerful; the crowd runs after trash -如蝇逐臭,rú yíng zhú chòu,like flies pursuing a stink (idiom); the mob chases the rich and powerful; the crowd runs after trash -如许,rú xǔ,(literary) like this; such (as this); so much; so many -如诉如泣,rú sù rú qì,see 如泣如訴|如泣如诉[ru2 qi4 ru2 su4] -如诗如画,rú shī rú huà,(of scenery) stunning; spectacular; picturesque -如醉如痴,rú zuì rú chī,lit. as if drunk and stupefied (idiom); intoxicated by sth; obsessed with; mad about sth; also written 如癡如醉|如痴如醉[ru2 chi1 ru2 zui4] -如释重负,rú shì zhòng fù,as if relieved from a burden (idiom); to have a weight off one's mind -如金似玉,rú jīn sì yù,like gold or jade (idiom); gorgeous; lovely; splendorous -如云,rú yún,like the clouds in the sky (i.e. numerous) -如雷贯耳,rú léi guàn ěr,lit. like thunder piercing the ear; a well-known reputation (idiom) -如题,rú tí,as the title suggests; as indicated in the title -如愿,rú yuàn,to have one's wishes fulfilled -如愿以偿,rú yuàn yǐ cháng,to have one's wish fulfilled -如饥似渴,rú jī sì kě,to hunger for sth (idiom); eagerly; to long for sth -如鱼得水,rú yú dé shuǐ,like a fish back in water (idiom); glad to be back in one's proper surroundings -如鲠在喉,rú gěng zài hóu,lit. as if having a fish bone stuck in one's throat (idiom); fig. very upset and needing to express one's displeasure -如鸟兽散,rú niǎo shòu sàn,lit. to scatter like birds and beasts (idiom); fig. to flee in all directions -妃,fēi,imperial concubine -妃嫔,fēi pín,imperial concubine -妃子,fēi zi,imperial concubine -妃子笑,fēi zi xiào,"concubine's smile, a cultivar of lychee" -妄,wàng,absurd; fantastic; presumptuous; rash -妄下雌黄,wàng xià cí huáng,to alter a text indiscriminately (idiom); to make irresponsible criticism -妄人,wàng rén,presumptuous and ignorant person -妄动,wàng dòng,to rush indiscriminately into action -妄取,wàng qǔ,to take sth without permission -妄图,wàng tú,to try in vain; futile attempt -妄念,wàng niàn,wild fantasy; unwarranted thought -妄想,wàng xiǎng,to attempt vainly; a vain attempt; delusion -妄想狂,wàng xiǎng kuáng,paranoia; megalomaniac -妄想症,wàng xiǎng zhèng,delusional disorder; (fig.) paranoia -妄断,wàng duàn,to jump to an unfounded conclusion -妄求,wàng qiú,inappropriate or presumptuous demands -妄为,wàng wéi,to take rash action -妄生穿凿,wàng shēng chuān záo,a forced analogy (idiom); to jump to an unwarranted conclusion -妄称,wàng chēng,to make a false and unwarranted declaration -妄自尊大,wàng zì zūn dà,ridiculous self-importance (idiom); arrogance -妄自菲薄,wàng zì fěi bó,to be unduly humble (idiom); to undervalue oneself -妄言,wàng yán,lies; wild talk; to tell lies; to talk nonsense; fantasy (literature) -妄言妄听,wàng yán wàng tīng,unwarranted talk the listener can take or leave (idiom); sth not to be taken too seriously -妄语,wàng yǔ,to tell lies; to talk nonsense -妄说,wàng shuō,to talk irresponsibly; ridiculous presumption talk -妊,rèn,pregnant; pregnancy -妊娠,rèn shēn,pregnancy; gestation -妊娠试验,rèn shēn shì yàn,pregnancy test -妊妇,rèn fù,expecting mother -妍,yán,beautiful -妍丽,yán lì,beautiful -妒,dù,"to envy (success, talent); jealous" -妒嫉,dù jí,to be jealous of (sb's achievements etc); to be envious; envy -妒忌,dù jì,to be jealous of (sb's achievements etc); to be envious; envy -妒能害贤,dù néng hài xián,"jealous of the able, envious of the clever (idiom)" -妒贤忌能,dù xián jì néng,to envy the virtuous and talented (idiom) -妓,jì,prostitute -妓女,jì nǚ,prostitute; hooker -妓寨,jì zhài,brothel -妓院,jì yuàn,brothel; whorehouse -妓馆,jì guǎn,brothel -妖,yāo,goblin; witch; devil; bewitching; enchanting; monster; phantom; demon -妖人,yāo rén,magician; sorcerer -妖冶,yāo yě,pretty and flirtatious -妖女,yāo nǚ,beautiful woman -妖姬,yāo jī,(literary) beauty (usually of a maid or concubine) -妖妇,yāo fù,witch (esp. European) -妖媚,yāo mèi,seductive -妖娆,yāo ráo,enchanting; alluring (of a girl) -妖孽,yāo niè,evildoer -妖怪,yāo guài,monster; devil -妖气,yāo qì,sinister appearance; monster-like appearance -妖物,yāo wù,monster -妖精,yāo jing,evil spirit; alluring woman -妖艳,yāo yàn,pretty and flirtatious -妖术,yāo shù,sorcery -妖术师,yāo shù shī,warlock; sorcerer -妖言,yāo yán,heresy -妖言惑众,yāo yán huò zhòng,to mislead the public with rumors (idiom); to delude the people with lies -妖邪,yāo xié,evil monster -妖风,yāo fēng,evil wind -妖魔,yāo mó,demon -妖魔化,yāo mó huà,to demonize -妖魔鬼怪,yāo mó guǐ guài,demons and ghosts; ghouls and bogies -妗,jìn,wife of mother's brother -妗子,jìn zi,(informal) mother's brother's wife; maternal uncle's wife -妙,miào,clever; wonderful -妙不可言,miào bù kě yán,too wonderful for words -妙品,miào pǐn,a fine work of art -妙在不言中,miào zài bù yán zhōng,the charm lies in what is left unsaid (idiom) -妙妙熊历险记,miào miào xióng lì xiǎn jì,Adventures of the Gummi Bears (Disney animated series) -妙手,miào shǒu,miraculous hands of a healer; highly skilled person; brilliant move in chess or weiqi (go) 圍棋|围棋 -妙手回春,miào shǒu huí chūn,(idiom) (of a doctor) to effect a miracle cure -妙手空空,miào shǒu kōng kōng,petty thief (lit. quick fingered and vanish); empty-handed; having nothing -妙招,miào zhāo,smart move; clever way of doing sth -妙探寻凶,miào tàn xún xiōng,Cluedo (board game) -妙智慧,miào zhì huì,wondrous wisdom and knowledge (Buddhism) -妙法,miào fǎ,brilliant plan; ingenious method; perfect solution -妙法莲华经,miào fǎ lián huá jīng,The Lotus Sutra -妙用,miào yòng,to use (sth) in an ingenious way; marvelously effective use -妙笔,miào bǐ,"talented, gifted or ingenious writing" -妙笔生花,miào bǐ shēng huā,gifted or skillful writing -妙处,miào chù,ideal place; suitable location; merit; advantage -妙计,miào jì,excellent plan; brilliant scheme -妙语,miào yǔ,witticism -妙语如珠,miào yǔ rú zhū,sparkling with wit (idiom) -妙语横生,miào yǔ héng shēng,to be full of wit and humor -妙语连珠,miào yǔ lián zhū,sparkling with wit (idiom) -妙趣,miào qù,witty; clever; amusing -妙趣横生,miào qù héng shēng,endlessly interesting (idiom); very witty -妙龄,miào líng,(of a girl) in the prime of youth -妆,zhuāng,(of a woman) to adorn oneself; makeup; adornment; trousseau; stage makeup and costume -妆奁,zhuāng lián,trousseau; lady's dressing case -妆容,zhuāng róng,a look (achieved by applying makeup) -妆扮,zhuāng bàn,variant of 裝扮|装扮[zhuang1 ban4] -妆饰,zhuāng shì,to dress up -妆点,zhuāng diǎn,to decorate -妞,niū,girl -妞妞,niū niu,little girl -妣,bǐ,deceased mother -妤,yú,handsome; fair -妥,tuǒ,suitable; adequate; ready; settled -妥协,tuǒ xié,to compromise; to reach terms; a compromise -妥善,tuǒ shàn,appropriate; proper -妥坝,tuǒ bà,"former county from 1983 in Chamdo prefecture 昌都地區|昌都地区[Chang1 du1 di4 qu1], Tibet; replaced by Qamdo, Zhag'yab and Jomdo counties in 1999" -妥坝县,tuǒ bà xiàn,"former county from 1983 in Chamdo prefecture 昌都地區|昌都地区[Chang1 du1 di4 qu1], Tibet; divided into Qamdo, Zhag'yab and Jomdo counties in 1999" -妥妥的,tuǒ tuǒ de,"(neologism c. 2009) don't worry, it's all taken care of" -妥实,tuǒ shí,proper; appropriate -妥帖,tuǒ tiē,properly; satisfactorily; firmly; very fitting; appropriate; proper; to be in good order; also written 妥貼|妥贴[tuo3 tie1] -妥瑞症,tuǒ ruì zhèng,Tourette syndrome -妥当,tuǒ dang,appropriate; proper; ready -妥贴,tuǒ tiē,properly; satisfactorily; firmly; very fitting; appropriate; proper; to be in good order; also written 妥帖 -妨,fáng,to hinder; (in the negative or interrogative) (no) harm; (what) harm -妨功害能,fáng gōng hài néng,"to constrain and limit successful, capable people" -妨害,fáng hài,to jeopardize; to be harmful to; to undermine -妨害公务,fáng hài gōng wù,(law) obstructing government administration -妨碍,fáng ài,to hinder; to obstruct -妨碍球,fáng ài qiú,stymie (golf) -妒,dù,variant of 妒[du4] -妮,nī,"girl; phonetic ""ni"" (in female names); Taiwan pr. [ni2]" -妮子,nī zi,(coll.) lass; (dialect) little girl -妮维娅,nī wéi yà,"Nivea, skin and body care brand" -妮维雅,nī wéi yǎ,"Nivea, skin and body care brand" -妯,zhóu,used in 妯娌[zhou2 li5] -妯娌,zhóu li,wives of brothers; sisters-in-law -妲,dá,female personal name (archaic) -妲己,dá jǐ,"Daji (c. 11th century BC), concubine of the last Shang dynasty king Zhou Xin 紂辛|纣辛[Zhou4 Xin1]" -你,nǐ,"you (Note: In Taiwan, 妳 is used to address females, but in mainland China, it is not commonly used. Instead, 你 is used to address both males and females.)" -奶,nǎi,variant of 嬭|奶[nai3] -侄,zhí,variant of 姪|侄[zhi2] -妹,mèi,younger sister -妹夫,mèi fu,younger sister's husband -妹妹,mèi mei,younger sister; young woman; CL:個|个[ge4] -妹妹头,mèi mei tóu,bob (hairstyle) -妹婿,mèi xù,brother-in-law (younger sister's husband) -妹子,mèi zi,(dialect) younger sister; girl -妹纸,mèi zhǐ,(Internet slang) (pun on 妹子[mei4 zi5]) -妻,qī,wife -妻,qì,to marry off (a daughter) -妻儿,qī ér,wife and child -妻妾,qī qiè,wives and concubines (of a polygamous man); harem -妻子,qī zǐ,wife and children -妻子,qī zi,wife; CL:個|个[ge4] -妻室,qī shì,wife -妻管严,qī guǎn yán,henpecked male -妻离子散,qī lí zǐ sàn,a family wrenched apart (idiom) -妾,qiè,"concubine; I, your servant (deprecatory self-reference for women)" -妾侍,qiè shì,maids and concubines -姆,mǔ,woman who looks after small children; (old) female tutor -姆佬,mǔ lǎo,Mulao ethnic group of Guangxi -姆佬族,mǔ lǎo zú,Mulao ethnic group of Guangxi -姆妈,mǔ mā,mom; mother (dialect) -姆巴巴内,mǔ bā bā nèi,"Mbabane, administrative capital of Eswatini" -姆拉迪奇,mǔ lā dí qí,"Mladić (name); Ratko Mladić (1942-), army chief of Bosnian Serbs 1965-1996 and convicted war criminal" -姆指,mǔ zhǐ,thumb -姊,zǐ,old variant of 姊[zi3] -姊,zǐ,older sister; Taiwan pr. [jie3] -姊丈,zǐ zhàng,older sister's husband -姊夫,zǐ fu,older sister's husband -姊妹,zǐ mèi,"(older and younger) sisters; sister (school, city etc)" -姊姊,zǐ zǐ,older sister; Taiwan pr. [jie3 jie5] -姊归县,zǐ guī xiàn,Zigui county in Hubei province -始,shǐ,to begin; to start; then; only then -始作俑者,shǐ zuò yǒng zhě,lit. the first person to make funerary figurines (idiom); fig. the originator of an evil practice -始建,shǐ jiàn,to start building -始料未及,shǐ liào wèi jí,not expected at the outset (idiom); unforeseen; to be surprised by the turn of events -始新世,shǐ xīn shì,Eocene (geological epoch from 55m-34m years ago) -始新纪,shǐ xīn jì,Eocene (geological epoch from 55m-34m years ago) -始新统,shǐ xīn tǒng,Eocene system (geology) -始末,shǐ mò,whole story; the ins and outs -始业式,shǐ yè shì,school opening ceremony (to mark the start of a semester) (Tw) -始发,shǐ fā,(of trains etc) to set off (on a journey); to start (being issued or circulated); to start (happening); originating -始祖,shǐ zǔ,primogenitor; founder of a school or trade -始祖鸟,shǐ zǔ niǎo,Archaeopteryx -始终,shǐ zhōng,from beginning to end; all along -始终不渝,shǐ zhōng bù yú,unswerving; unflinching -始终如一,shǐ zhōng rú yī,unswerving from start to finish (idiom) -始兴,shǐ xīng,"Shixing County in Shaoguan 韶關|韶关[Shao2 guan1], Guangdong" -始兴县,shǐ xīng xiàn,"Shixing County in Shaoguan 韶關|韶关[Shao2 guan1], Guangdong" -始点,shǐ diǎn,starting point; initial point -姗,shān,to deprecate; lithe (of a woman's walk); leisurely; slow -姗姗,shān shān,unhurried; leisurely -姗姗来迟,shān shān lái chí,to be late; to arrive slowly; to be slow in the coming -姐,jiě,older sister -姐丈,jiě zhàng,older sister's husband; brother-in-law -姐夫,jiě fu,(coll.) older sister's husband -姐妹,jiě mèi,"sisters; siblings; sister (school, city etc)" -姐妹花,jiě mèi huā,beautiful sisters -姐姐,jiě jie,older sister; CL:個|个[ge4] -姐弟恋,jiě dì liàn,love between an older woman and a younger man -姑,gū,paternal aunt; husband's sister; husband's mother (old); nun; for the time being (literary) -姑丈,gū zhàng,husband of paternal aunt -姑且,gū qiě,for the time being; tentatively -姑夫,gū fu,father's sister's husband; husband of paternal aunt; uncle -姑奶奶,gū nǎi nai,"paternal great-aunt (father's father's sister); (respectful form of address for a married woman used by members of her parents' family) married daughter; (brassy self-reference used by a woman in an altercation) I; me; this lady here; (coll.) form of address for an unmarried girl or woman, expressing affection or reproach" -姑妄言之,gū wàng yán zhī,to just talk for the sake of talking -姑姑,gū gu,paternal aunt; CL:個|个[ge4] -姑姥姥,gū lǎo lao,mother's father's sister (coll.); great aunt -姑娘,gū niang,girl; young woman; young lady; daughter; paternal aunt (old); CL:個|个[ge4] -姑婆,gū pó,grandfather's sister; sister of a woman's father-in-law -姑婆芋,gū pó yù,night-scented lily (Alocasia odora) -姑妈,gū mā,(coll.) father's married sister; paternal aunt -姑子,gū zi,husband's sister; (coll.) Buddhist nun -姑息,gū xī,excessively tolerant; to overindulge (sb); overly conciliatory; to seek appeasement at any price -姑息遗患,gū xī yí huàn,to tolerate is to abet -姑息养奸,gū xī yǎng jiān,to tolerate is to nurture an evildoer (idiom); spare the rod and spoil the child -姑母,gū mǔ,father's sister; paternal aunt -姑父,gū fu,father's sister's husband; husband of paternal aunt; uncle -姑爹,gū diē,husband of father's sister; uncle -姑爷,gū ye,son-in-law (used by wife's family); uncle (husband of father's sister) -姑置勿论,gū zhì wù lùn,(idiom) to put (an issue) to one side for the moment -姒,sì,surname Si -姒,sì,wife or senior concubine of husbands older brother (old); elder sister (old) -姒文命,sì wén mìng,"Si Wenming, personal name of Yu the Great 大禹[Da4 Yu3]" -姓,xìng,family name; surname; to be surnamed ... -姓名,xìng míng,surname and given name; full name -姓氏,xìng shì,family name -姓蒋还是姓汪,xìng jiǎng hái shi xìng wāng,friend or foe? (quote from 沙家浜[Sha1 jia1 bang1]) (蔣|蒋[Jiang3] here refers to Chiang Kai-shek 蔣介石|蒋介石[Jiang3 Jie4 shi2] and 汪[Wang1] refers to Wang Jingwei 汪精衛|汪精卫[Wang1 Jing1 wei4]) -委,wěi,surname Wei -委,wēi,"same as 逶 in 逶迤 winding, curved" -委,wěi,to entrust; to cast aside; to shift (blame etc); to accumulate; roundabout; winding; dejected; listless; committee member; council; end; actually; certainly -委以,wěi yǐ,(literary) to entrust with (a task); to appoint to (a role) -委以重任,wěi yǐ zhòng rèn,(literary) to entrust (sb) with an important task -委任,wěi rèn,to appoint -委任书,wěi rèn shū,letter of appointment -委任统治,wěi rèn tǒng zhì,mandate (territory administration) -委内瑞拉,wěi nèi ruì lā,Venezuela -委内瑞拉马脑炎病毒,wěi nèi ruì lā mǎ nǎo yán bìng dú,Venezuelan equine encephalitis (VEE) virus -委员,wěi yuán,committee member -委员会,wěi yuán huì,committee; commission -委员会会议,wěi yuán huì huì yì,committee meeting -委员长,wěi yuán zhǎng,head of a committee -委外,wěi wài,to outsource -委委屈屈,wěi wěi qū qū,to feel aggrieved -委婉,wěi wǎn,tactful; euphemistic; (of voice etc) suave; soft -委婉词,wěi wǎn cí,euphemism -委婉语,wěi wǎn yǔ,euphemism -委宛,wěi wǎn,variant of 委婉[wei3 wan3] -委实,wěi shí,indeed; really (very much so) -委屈,wěi qu,to feel wronged; to cause sb to feel wronged; grievance -委托人,wěi tuō rén,(law) client; trustor -委曲,wěi qū,sinuous; devious; full details of a story; to stoop -委曲求全,wěi qū qiú quán,to accept a compromise -委派,wěi pài,to appoint -委托,wěi tuō,to entrust; to trust; to commission -委托书,wěi tuō shū,commission; proxy; power of attorney; authorization; warrant -委身,wěi shēn,to give oneself wholly to; to put oneself at sb's service; (of a woman) to give one's body to; to marry -委过,wěi guò,variant of 諉過|诿过[wei3 guo4] -委靡,wěi mǐ,dispirited; depressed -委靡不振,wěi mǐ bù zhèn,variant of 萎靡不振[wei3 mi3 bu4 zhen4] -姘,pīn,to be a mistress or lover -姘夫,pīn fū,lover (of a woman); illicit partner; paramour -姘妇,pīn fù,mistress; concubine; kept woman -姘居,pīn jū,to cohabit with a lover illicitly -姘头,pīn tou,lover; mistress -妊,rèn,variant of 妊[ren4] -姚,yáo,surname Yao -姚,yáo,handsome; good-looking -姚安,yáo ān,"Yao'an County in Chuxiong Yi Autonomous Prefecture 楚雄彞族自治州|楚雄彝族自治州[Chu3 xiong2 Yi2 zu2 Zi4 zhi4 zhou1], Yunnan" -姚安县,yáo ān xiàn,"Yao'an County in Chuxiong Yi Autonomous Prefecture 楚雄彞族自治州|楚雄彝族自治州[Chu3 xiong2 Yi2 zu2 Zi4 zhi4 zhou1], Yunnan" -姚思廉,yáo sī lián,"Yao Silian (557-637), Tang writer and compiler of 梁書|梁书[Liang2 shu1] and 陳書|陈书[Chen2 shu1]" -姚文元,yáo wén yuán,"Yao Wenyuan (1931-2005), one of the Gang of Four" -姚明,yáo míng,"Yao Ming (1980-), retired Chinese basketball player, played for CBA Shanghai Sharks 1997-2002 and for NBA Houston Rockets 2002-2011" -姚滨,yáo bīn,"Yao Bin (1957-), PRC champion ice skater during early 1980s and more recently national skating coach" -姚雪垠,yáo xuě yín,"Yao Xueyin (1910-1999), PRC novelist, author of historical novel Li Zicheng 李自成" -姜,jiāng,surname Jiang -姜,jiāng,variant of 薑|姜[jiang1] -姜太公,jiāng tài gōng,see Jiang Ziya 姜子牙[Jiang1 Zi3 ya2] -姜子牙,jiāng zǐ yá,"Jiang Ziya (c. 1100 BC, dates of birth and death unknown), partly mythical sage advisor to King Wen of Zhou 周文王[Zhou1 Wen2 wang2] and purported author of “Six Secret Strategic Teachings” 六韜|六韬[Liu4 tao1], one of the Seven Military Classics of ancient China 武經七書|武经七书[Wu3 jing1 Qi1 shu1]" -姜戎,jiāng róng,"Jiang Rong (1946-), pseudonym of Lü Jiamin 呂嘉民|吕嘉民[Lu:3 Jia1 min2], Chinese writer" -姜文,jiāng wén,"Jiang Wen (1963-), sixth generation Chinese movie director" -姜石年,jiāng shí nián,"Jiang Shinian (c. 2000 BC), birth name of Shennong 神農|神农[Sheng2 nong2] Farmer God, first of the legendary Flame Emperors 炎帝[Yan2 di4] and creator of agriculture in China" -姝,shū,pretty woman -姣,jiāo,surname Jiao -姣,jiāo,cunning; pretty -姥,lǎo,grandma (maternal) -姥,mǔ,governess; old woman -姥姥,lǎo lao,(coll.) mother's mother; maternal grandmother -姥娘,lǎo niáng,maternal grandmother (dialectal) -姥爷,lǎo ye,maternal grandfather (dialectal) -姥鲨,lǎo shā,basking shark (Cetorhinus maximus) -奸,jiān,to fornicate; to defile; adultery; rape -奸夫淫妇,jiān fū yín fù,adulterous couple -奸宿,jiān sù,to fornicate; to rape -奸尸,jiān shī,necrophilia -奸情,jiān qíng,adultery -奸杀,jiān shā,to rape and murder -奸污,jiān wū,to rape; to violate -奸淫,jiān yín,illicit sex; to rape or seduce -奸雄,jiān xióng,person who seeks advancement by any means; career climber; unscrupulous careerist -姨,yí,mother's sister; aunt -姨丈,yí zhàng,mother's sister's husband; husband of mother's sister -姨太太,yí tài tai,concubine -姨夫,yí fu,mother's sister's husband; husband of mother's sister -姨奶奶,yí nǎi nai,father's mother's sister (coll.); great aunt -姨妹,yí mèi,wife's younger sister; sister-in-law -姨姐,yí jiě,wife's elder sister; sister-in-law -姨姥姥,yí lǎo lao,mother's mother's sister; great-aunt -姨娘,yí niáng,maternal aunt; father's concubine (old) -姨妈,yí mā,(coll.) mother's sister; maternal aunt -姨妈巾,yí mā jīn,(coll.) sanitary towel -姨母,yí mǔ,mother's sister; maternal aunt -姨母笑,yí mǔ xiào,"(neologism c. 2017) (slang) kindly, indulgent smile (usu. on the face of a woman)" -姨父,yí fu,husband of mother's sister; uncle -姨甥男女,yí sheng nán nǚ,wife's sister's children -侄,zhí,brother's son; nephew -侄儿,zhí ér,see 姪子|侄子[zhi2 zi5] -侄女,zhí nǚ,brother's daughter; niece -侄女婿,zhí nǚ xu,brother's daughter's husband; niece's husband -侄媳妇,zhí xí fu,brother's son's wife; nephew's wife -侄子,zhí zi,brother's son; nephew -侄孙,zhí sūn,grandnephew -侄孙女,zhí sūn nǚ,grand niece -姫,jī,Japanese variant of 姬; princess; imperial concubine -姫路市,jī lù shì,"Himeji city in Hyōgo prefecture 兵庫縣|兵库县, Japan" -姬,jī,surname Ji; family name of the royal family of the Zhou Dynasty 周代[Zhou1dai4] (1046-256 BC) -姬,jī,woman; concubine; female entertainer (archaic) -姬佬,jī lǎo,(slang) lesbian -姬妾,jī qiè,concubine -姬松茸,jī sōng róng,himematsutake mushroom (Agaricus subrufescens or Agaricus blazei Murill) -姬滨鹬,jī bīn yù,(bird species of China) least sandpiper (Calidris minutilla) -姬田鸡,jī tián jī,(bird species of China) little crake (Porzana parva) -姬路城,jī lù chéng,"Himeji-jō, castle complex in Himeji, Hyōgo prefecture 兵庫縣|兵库县, Japan" -姬路市,jī lù shì,"Himeji city in Hyōgo prefecture 兵庫縣|兵库县, Japan" -姬鹬,jī yù,(bird species of China) jack snipe (Lymnocryptes minimus) -姮,héng,feminine name (old) -姮娥,héng é,see 嫦娥[Chang2 e2] -姻,yīn,marriage connections -姻缘,yīn yuán,a marriage predestined by fate -姻亲,yīn qīn,relation by marriage; in-laws -姿,zī,beauty; disposition; looks; appearance -姿势,zī shì,posture; position -姿容,zī róng,looks; appearance -姿式,zī shì,variant of 姿勢|姿势[zi1 shi4] -姿态,zī tài,attitude; posture; stance -姿态婀娜,zī tài ē nuó,to have an elegant countenance (idiom) -姿色,zī sè,good looks (of a woman) -威,wēi,power; might; prestige -威亚,wēi yǎ,(loanword) stunt wires -威信,wēi xìn,"Weixin county in Zhaotong 昭通[Zhao1 tong1], Yunnan" -威信,wēi xìn,prestige; reputation; trust; credit with the people -威信扫地,wēi xìn sǎo dì,to lose every scrap of reputation -威信县,wēi xìn xiàn,"Weixin county in Zhaotong 昭通[Zhao1 tong1], Yunnan" -威仪,wēi yí,majestic presence; awe-inspiring manner -威克岛,wēi kè dǎo,Wake Island (North Pacific Ocean) -威利,wēi lì,"Wylie (name); Turrell Wylie, originator of the Wylie transcription of Tibetan script" -威利斯,wēi lì sī,Willis (name) -威力,wēi lì,might; formidable power -威势,wēi shì,might; power and influence -威化,wēi huà,wafer (biscuit) (loanword) -威化饼干,wēi huà bǐng gān,wafer; wafer cookie -威卜,wēi bǔ,vaporizer (e-cigarette) (loanword) -威厉,wēi lì,awe-inspiring; majestic -威名,wēi míng,fame for fighting prowess; military glory -威吓,wēi hè,to threaten; to intimidate; to cow -威严,wēi yán,dignified; imposing; august; awe-inspiring; awe; prestige; dignity -威基基,wēi jī jī,Waikiki (Hawaii) -威士,wēi shì,Visa (credit card) -威士忌,wēi shì jì,whiskey (loanword) -威士忌酒,wēi shì jì jiǔ,whiskey (loanword) -威奇托,wēi qí tuō,Wichita (city in Kansas) -威妥玛,wēi tuǒ mǎ,"Sir Thomas Francis Wade (1818-1895), British diplomat and sinologist, originator of the Wade-Giles Chinese romanization system" -威妥玛拼法,wēi tuǒ mǎ pīn fǎ,Wade-Giles system (romanization of Chinese) -威妥玛拼音,wēi tuǒ mǎ pīn yīn,Wade-Giles system (romanization of Chinese) -威客,wēi kè,(neologism c. 2005) freelancer -威容,wēi róng,grave and dignified -威宁彝族回族苗族自治县,wēi níng yí zú huí zú miáo zú zì zhì xiàn,"Weining Yi, Hui and Miao autonomous county in Bijie prefecture 畢節地區|毕节地区[Bi4 jie2 di4 qu1], Guizhou" -威宁县,wēi níng xiàn,"Weining Yi, Hui and Miao autonomous county in Bijie prefecture 畢節地區|毕节地区[Bi4 jie2 di4 qu1], Guizhou" -威尊命贱,wēi zūn mìng jiàn,orders weightier than life -威尼斯,wēi ní sī,Venice; Venezia -威尼斯商人,wēi ní sī shāng rén,The Merchant of Venice by William Shakespeare -威州镇,wēi zhōu zhèn,"Weizhou town, seat of Wenchuan county 汶川縣|汶川县[Wen4 chuan1 xian4] in northwest Sichuan" -威廉,wēi lián,William or Wilhelm (name) -威廉斯堡,wēi lián sī bǎo,"Williamsburg, Virginia" -威德,wēi dé,power and virtue -威慑,wēi shè,to deter -威慑力量,wēi shè lì liang,deterrent force; deterrent -威斯康星,wēi sī kāng xīng,"Wisconsin, US state" -威斯康星州,wēi sī kāng xīng zhōu,"Wisconsin, US state" -威斯康辛,wēi sī kāng xīn,Wisconsin -威斯敏斯特教堂,wēi sī mǐn sī tè jiào táng,"Westminster Abbey, London" -威望,wēi wàng,prestige -威末酒,wēi mò jiǔ,vermouth (loanword) -威权,wēi quán,authority; power; authoritarianism; authoritarian -威武,wēi wǔ,might; formidable -威武不屈,wēi wǔ bù qū,not to submit to force -威氏注音法,wēi shì zhù yīn fǎ,Wade-Giles transliteration scheme for Chinese -威海,wēi hǎi,"Weihai, prefecture-level city in Shandong" -威海市,wēi hǎi shì,"Weihai, prefecture-level city in Shandong" -威海卫,wēi hǎi wèi,"Weihaiwei, late Qing naval port in Weihai 威海, Shandong" -威烈,wēi liè,fierce; formidable -威尔士,wēi ěr shì,"Wales, constituent nation of UK" -威尔士语,wēi ěr shì yǔ,Welsh (language) -威尔特郡,wēi ěr tè jùn,Wiltshire (English county) -威尔逊,wēi ěr xùn,Wilson (name) -威猛,wēi měng,bold and powerful -威玛,wēi mǎ,Weimar (German city) -威玛共和国,wēi mǎ gòng hé guó,"Weimar Republic (German Reich, 1919-1933)" -威玛拼法,wēi mǎ pīn fǎ,Wade-Giles system (romanization of Chinese) -威玛拼音,wēi mǎ pīn yīn,Wade-Giles system (romanization of Chinese) -威福自己,wēi fú zì jǐ,to exercise power arbitrarily (idiom) -威县,wēi xiàn,"Wei county in Xingtai 邢台[Xing2 tai2], Hebei" -威翟,wēi zhái,Wade-Giles (romanization system for Chinese) -威而钢,wēi ér gāng,Viagra (male impotence drug) (Tw) -威胁,wēi xié,to threaten; to menace -威迫,wēi pò,coercion; to intimidate -威逼,wēi bī,to threaten; to coerce; to intimidate -威逼利诱,wēi bī lì yòu,to make threats and promises -威远,wēi yuǎn,"Weiyuan county in Neijiang 內江|内江[Nei4 jiang1], Sichuan" -威远县,wēi yuǎn xiàn,"Weiyuan county in Neijiang 內江|内江[Nei4 jiang1], Sichuan" -威重,wēi zhòng,august; majestic -威震,wēi zhèn,to inspire awe -威震天下,wēi zhèn tiān xià,to inspire awe throughout the empire (idiom) -威灵,wēi líng,authority; prestige; supernatural spirit -威灵顿,wēi líng dùn,"Wellington, capital of New Zealand (Tw); Wellington (name); Arthur Wellesley, Duke of Wellington (1769-1851)" -威显,wēi xiǎn,awe-inspiring; power -威风,wēi fēng,might; awe-inspiring authority; impressive -威风凛凛,wēi fēng lǐn lǐn,majestic; awe-inspiring presence; impressive power -威骇,wēi hài,to intimidate -威凤一羽,wēi fèng yī yǔ,lit. one phoenix feather; fig. a glimpse that reveals the whole -娃,wá,baby; doll -娃儿,wá ér,children (colloquial) -娃娃,wá wa,baby; small child; doll -娃娃兵,wá wa bīng,child soldier -娃娃生,wá wa shēng,"infant's part in opera, usually played by child actor" -娃娃脸,wá wa liǎn,baby face; doll face -娃娃菜,wá wa cài,baby Chinese cabbage (mini-sized variety) -娃娃装,wá wa zhuāng,baby-doll dress -娃娃亲,wá wa qīn,arranged betrothal of minors -娃娃车,wá wa chē,kindergarten bus; baby carriage; stroller -娃娃音,wá wa yīn,childlike voice; babyish voice -娃娃鱼,wá wa yú,Chinese giant salamander (Andrias davidianus) -娃子,wá zi,baby; small child; (arch.) slave among ethnic minorities -娉,pīng,graceful -娉婷,pīng tíng,(literary) (of a woman) to have a graceful demeanor; beautiful woman -娌,lǐ,used in 妯娌[zhou2 li5] -娑,suō,(phonetic); see 婆娑[po2 suo1] -娓,wěi,active; comply with -娓娓动听,wěi wěi dòng tīng,to speak in a pleasant and captivating manner (idiom) -娘,niáng,mother; young lady; (coll.) effeminate -娘儿们,niáng er men,(dialect) woman; wife -娘娘,niáng niang,"queen; empress; imperial concubine; Goddess, esp. Xi Wangmu 王母娘娘 or 西王母, Queen Mother of the West; mother; aunt" -娘娘庙,niáng niáng miào,temple of Goddess of Fertility -娘娘腔,niáng niang qiāng,sissy; effeminate -娘妈,niáng mā,(coll.) woman -娘子,niáng zǐ,(dialect) form of address for one's wife; polite form of address for a woman -娘家,niáng jia,married woman's parents' home -娘家姓,niáng jia xìng,maiden name (of married woman) -娘希匹,niáng xī pǐ,(dialect) fuck! -娘惹,niáng rě,Nyonya; see 峇峇娘惹[Ba1 ba1 Niang2 re3] -娘泡,niáng pào,variant of 娘炮[niang2 pao4] -娘炮,niáng pào,(slang) effeminate man; sissy; effeminate -娘的,niáng de,same as 媽的|妈的[ma1 de5] -娘胎,niáng tāi,womb -娱,yú,to amuse -娱乐,yú lè,to entertain; to amuse; entertainment; recreation; amusement; hobby; fun; joy -娱乐中心,yú lè zhōng xīn,amusement park; recreation center; entertainment center -娱乐场,yú lè chǎng,place of entertainment; casino; resort -娱乐场所,yú lè chǎng suǒ,place of entertainment -娱乐界,yú lè jiè,entertainment world; show business -娱遣,yú qiǎn,amusement -娜,nà,(phonetic na); used esp. in female names such as Anna 安娜[An1 na4] or Diana 黛安娜[Dai4 an1 na4] -娜,nuó,elegant; graceful -娜塔莉,nà tǎ lì,Natalie (name) -娜娜,nà nà,Nana (name); Nana (1880 novel by Émile Zola); Nana (Japanese manga series) -娟,juān,beautiful; graceful -娟秀,juān xiù,beautiful; graceful -娠,shēn,pregnant -娣,dì,wife of a younger brother -娣姒,dì sì,sisters-in-law (old); various concubines of a husband (old) -娥,é,good; beautiful -娥眉,é méi,variant of 蛾眉[e2 mei2] -娩,miǎn,to give birth to a child -娩,wǎn,complaisant; agreeable -娭,āi,"see 娭姐[ai1 jie3], father's mother; granny (dialect); respectful form of address for older lady" -娭姐,āi jiě,father's mother; granny (dialect); respectful form of address for older lady -娶,qǔ,to take a wife; to marry (a woman) -娶妻,qǔ qī,to take a wife; to get married (man) -娶媳妇,qǔ xí fù,to get oneself a wife; to take a daughter-in-law -娶亲,qǔ qīn,to take a wife -娼,chāng,prostitute -娼女,chāng nǚ,prostitute -娼妓,chāng jì,prostitute -娼妇,chāng fù,prostitute -娼家,chāng jiā,brothel -婀,ē,variant of 婀[e1] -婀,ē,graceful; willowy; unstable -婀娜,ē nuó,(of a woman's bearing) graceful; elegant; lithe -娄,lóu,surname Lou; one of the 28 lunar mansions in Chinese astronomy -娄子,lóu zi,trouble; blunder -娄宿,lóu xiù,Bond (Chinese constellation) -娄底,lóu dǐ,Loudi prefecture-level city in Hunan -娄底市,lóu dǐ shì,Loudi prefecture-level city in Hunan -娄星,lóu xīng,"Louxing district of Loudi city 婁底市|娄底市[Lou2 di3 shi4], Hunan" -娄星区,lóu xīng qū,"Louxing district of Loudi city 婁底市|娄底市[Lou2 di3 shi4], Hunan" -娄烦,lóu fán,"Loufan county in Taiyuan 太原[Tai4 yuan2], Shanxi" -娄烦县,lóu fán xiàn,"Loufan county in Taiyuan 太原[Tai4 yuan2], Shanxi" -婆,pó,(bound form) grandmother; (bound form) matron; (bound form) mother-in-law; (slang) femme (in a lesbian relationship) -婆姨,pó yí,(dialect) wife; married woman -婆娑,pó suō,to swirl about; (of leaves and branches) to sway -婆娘,pó niáng,woman (derog.) -婆婆,pó po,husband's mother; mother-in-law; grandma -婆婆妈妈,pó po mā mā,effeminate; old-womanish; garrulous; fainthearted; overly careful; overly sensitive; maudlin -婆媳,pó xí,mother-in-law and daughter-in-law -婆子,pó zi,old woman -婆家,pó jia,husband's family -婆心,pó xīn,(literary) kindheartedness -婆罗洲,pó luó zhōu,"Borneo island (of Indonesia, Malaysia and Brunei)" -婆罗浮屠,pó luó fú tú,"Borobudur (in Java, Indonesia)" -婆罗门,pó luó mén,Brahmin -婆罗门教,pó luó mén jiào,Brahmanism; Hinduism -婉,wǎn,graceful; tactful -婉如,wǎn rú,variant of 宛如[wan3 ru2] -婉妙,wǎn miào,sweet; soft; lovely (of sounds and voices) -婉拒,wǎn jù,to tactfully decline; to turn down gracefully -婉称,wǎn chēng,euphemism (tactful expression for sth unpleasant such as death) -婉约,wǎn yuē,graceful and subdued (style) -婉言,wǎn yán,tactful; diplomatic; mild and indirect -婉词,wǎn cí,euphemism -婉转,wǎn zhuǎn,"(voice, music) suave; mellow; (speech) indirect; tactful" -婉辞,wǎn cí,tactful expression; to politely decline -婊,biǎo,prostitute -婊子,biǎo zi,prostitute; whore -婕,jié,handsome -婚,hūn,to marry; marriage; wedding; to take a wife -婚事,hūn shì,"wedding; marriage; CL:門|门[men2],樁|桩[zhuang1]" -婚介,hūn jiè,matchmaking; abbr. for 婚姻介紹|婚姻介绍 -婚假,hūn jià,marriage leave -婚典,hūn diǎn,wedding; marriage celebration -婚前,hūn qián,premarital; prenuptial -婚前性行为,hūn qián xìng xíng wéi,premarital sex -婚前财产公证,hūn qián cái chǎn gōng zhèng,prenuptial agreement; dowry contract -婚友,hūn yǒu,singles seeking marriage partners; in-laws and friends -婚外,hūn wài,extramarital -婚外情,hūn wài qíng,extramarital affair -婚外恋,hūn wài liàn,see 婚外情[hun1 wai4 qing2] -婚姻,hūn yīn,"marriage; matrimony; CL:樁|桩[zhuang1],次[ci4]" -婚姻介绍所,hūn yīn jiè shào suǒ,marriage agency -婚姻法,hūn yīn fǎ,marriage law -婚姻调解,hūn yīn tiáo jiě,marriage counseling -婚嫁,hūn jià,marriage -婚宴,hūn yàn,wedding reception -婚庆,hūn qìng,wedding celebration -婚恋,hūn liàn,love and marriage -婚书,hūn shū,(old) marriage contract -婚期,hūn qī,wedding day -婚神星,hūn shén xīng,"Juno, an asteroid" -婚礼,hūn lǐ,wedding ceremony; wedding; CL:場|场[chang3] -婚筵,hūn yán,wedding reception -婚约,hūn yuē,engagement; wedding contract -婚纱,hūn shā,wedding dress; CL:身[shen1] -婚纱摄影,hūn shā shè yǐng,"wedding photos (done in studio, kit and caboodle taken care of by the studio)" -婚变,hūn biàn,"marriage upheaval (infidelity, divorce etc); marriage breakup" -婚配,hūn pèi,to marry -婚龄,hūn líng,length of married life; marriageable age; actual marrying age -婢,bì,slave girl; maid servant -婢女,bì nǚ,slave girl; servant girl -姻,yīn,variant of 姻[yin1] -妇,fù,woman -妇人,fù rén,married woman -妇人之仁,fù rén zhī rén,excessive tendency to clemency (idiom); soft-hearted (pejorative) -妇女,fù nǚ,woman -妇女主任,fù nǚ zhǔ rèn,director of the local committee of the Women's Federation -妇女节,fù nǚ jié,International Women's Day (March 8) -妇女能顶半边天,fù nǚ néng dǐng bàn biān tiān,"Woman can hold up half the sky; fig. nowadays, women have an equal part to play in society" -妇女运动,fù nǚ yùn dòng,women's movement; feminism -妇好,fù hǎo,"Fu Hao (c. 1200 BC), or Lady Hao, female Chinese general of the late Shang Dynasty 商朝[Shang1 chao2]" -妇姑勃溪,fù gū bó xī,dispute among womenfolk (idiom); family squabbles -妇孺皆知,fù rú jiē zhī,understood by everyone (idiom); well known; a household name -妇幼,fù yòu,women and children -妇检,fù jiǎn,gynecological examination (abbr. for 婦科檢查|妇科检查[fu4 ke1 jian3 cha2]) -妇洗器,fù xǐ qì,bidet -妇产科,fù chǎn kē,department of gynecology and obstetrics; birth clinic -妇科,fù kē,gynecology -妇联,fù lián,women's league; women's association -妇道人家,fù dao rén jia,woman (derog.) -婧,jìng,(literary) (of a woman) slender; delicate; (literary) (of a woman) talented -婪,lán,avaricious -娅,yà,(literary) term of address between husbands of sisters; (used to transliterate foreign names); (used in Chinese women's names) -婷,tíng,graceful -婺,wù,beautiful -婺城,wù chéng,"Wucheng district of Jinhua city 金華市|金华市[Jin1 hua2 shi4], Zhejiang" -婺城区,wù chéng qū,"Wucheng district of Jinhua city 金華市|金华市[Jin1 hua2 shi4], Zhejiang" -婺女,wù nǚ,(name of a constellation) -婺源,wù yuán,"Wuyuan county in Shangrao 上饒|上饶, Jiangxi" -婺源县,wù yuán xiàn,"Wuyuan county in Shangrao 上饒|上饶, Jiangxi" -婿,xù,son-in-law; husband -妇,fù,old variant of 婦|妇[fu4] -媒,méi,"medium; intermediary; matchmaker; go-between; abbr. for 媒體|媒体[mei2 ti3], media, esp. news media" -媒人,méi ren,go-between; matchmaker -媒介,méi jiè,intermediary; vehicle; vector; medium; media -媒合,méi hé,"to match up (employers and jobseekers, men and women seeking a partner, blind people and guide dogs etc)" -媒妁,méi shuò,matchmaker; go-between (marital) -媒婆,méi pó,matchmaker -媒材,méi cái,medium (art) (Tw) -媒界,méi jiè,medium; vehicle -媒质,méi zhì,medium -媒体,méi tǐ,"media, esp. news media" -媒体接口连接器,méi tǐ jiē kǒu lián jiē qì,medium interface connector -媒体自由,méi tǐ zì yóu,freedom of the media -媒体访问控制,méi tǐ fǎng wèn kòng zhì,Media Access Control; MAC -媕,ān,undecided -媕婀,ān ē,(literary) to hesitate; indecisive -媚,mèi,flatter; charm -媚俗,mèi sú,to cater to the public's taste; kitsch; commercial -媚外,mèi wài,to fawn on foreigners; to pander to foreign powers -媚娃,mèi wá,Veela (Harry Potter) -媚惑,mèi huò,to charm; to bewitch -媚态,mèi tài,seductive appearance; fawning manner -媚眼,mèi yǎn,charming eyes; coquettish glances -媚笑,mèi xiào,enchanting smile -媚词,mèi cí,flattery -媛,yuán,used in 嬋媛|婵媛[chan2 yuan2] and in female names -媛,yuàn,(bound form) beautiful woman -媠,duò,old variant of 惰[duo4] -媠,tuó,beautiful -娲,wā,surname Wa; sister of legendary emperor Fuxi 伏羲[Fu2xi1] -妫,guī,surname Gui; name of a river -媲,pì,to match; to pair -媲美,pì měi,to match; is comparable with -媳,xí,daughter-in-law -媳妇,xí fù,daughter-in-law; wife (of a younger man); young married woman; young woman -媳妇儿,xí fu er,wife; young married woman -媳妇熬成婆,xí fù áo chéng pó,lit. even a submissive daughter-in-law will one day become a domineering mother-in-law (idiom); fig. the oppressed will become the oppressor; what goes around comes around -媵,yìng,maid escorting bride to new home; concubine -媵侍,yìng shì,concubine (old) -媸,chī,ugly woman -媪,ǎo,old woman -妈,mā,ma; mom; mother -妈了个巴子,mā le ge bā zi,fuck!; motherfucker!; fucking -妈咪,mā mi,mommy (loanword) -妈妈,mā ma,"mama; mommy; mother; CL:個|个[ge4],位[wei4]" -妈妈桑,mā ma sāng,"mama-san, middle-aged woman who runs a brothel, bar etc (loanword from Japanese); madam" -妈宝,mā bǎo,mama's boy -妈惹法克,mā rě fǎ kè,motherfucker (loanword) -妈拉个巴子,mā lā ge bā zi,fuck!; motherfucker!; fucking -妈的,mā de,see 他媽的|他妈的[ta1 ma1 de5] -妈的法克,mā de fǎ kè,motherfucker (loanword) -妈祖,mā zǔ,"Matsu, name of a sea goddess still widely worshipped on the SE China coast and in SE Asia" -妈卖批,mā mài pī,(vulgar) your mom's a prostitute (from Sichuan pronunciation of 媽賣屄|妈卖屄[ma1 mai4 bi1]) -媾,gòu,to marry; to copulate -媾合,gòu hé,to copulate -媾和,gòu hé,to make peace; to copulate -愧,kuì,old variant of 愧[kui4] -嫁,jià,(of a woman) to marry; to marry off a daughter; to shift (blame etc) -嫁人,jià rén,(of a woman) to get married; to take a husband -嫁女,jià nǚ,to marry off a daughter -嫁妆,jià zhuang,dowry -嫁娶,jià qǔ,marriage -嫁接,jià jiē,to graft (a branch to a rootstock) -嫁祸,jià huò,to impute; to shift the blame onto someone else -嫁祸于人,jià huò yú rén,to pass the misfortune on to sb else (idiom); to blame others; to pass the buck -嫁装,jià zhuang,variant of 嫁妝|嫁妆[jia4 zhuang5] -嫁资,jià zī,"dowry; CL:份[fen4],筆|笔[bi3]" -嫁鸡随鸡,jià jī suí jī,"If you marry a chicken, follow the chicken (idiom); A woman should follow whatever her husband orders.; We must learn to accept the people around us." -嫂,sǎo,(bound form) older brother's wife; sister-in-law -嫂嫂,sǎo sao,older brother's wife; sister-in-law; (polite address to a younger married woman) sister -嫂子,sǎo zi,(coll.) older brother's wife; sister-in-law -嫉,jí,jealousy; to be jealous of -嫉妒,jí dù,to be jealous of; to envy -嫉恨,jí hèn,to hate out of jealousy; to resent -嫉恶如仇,jí è rú chóu,(idiom) to hate evil as one hates an enemy -袅,niǎo,delicate; graceful -嫌,xián,"to dislike; suspicion; resentment; enmity; abbr. for 嫌犯[xian2 fan4], criminal suspect" -嫌厌,xián yàn,to loathe -嫌忌,xián jì,suspicion -嫌怨,xián yuàn,grievance; hatred -嫌恨,xián hèn,hatred -嫌恶,xián wù,to loathe; to abhor; hatred; revulsion -嫌弃,xián qì,to regard with disdain; to shun -嫌犯,xián fàn,criminal suspect -嫌猜,xián cāi,suspicion -嫌疑,xián yí,suspicion; to have suspicions -嫌疑人,xián yí rén,a suspect -嫌疑犯,xián yí fàn,a suspect -嫌肥挑瘦,xián féi tiāo shòu,to choose sth over another to suit one's own convenience -嫌贫爱富,xián pín ài fù,to favor the rich and disdain the poor (idiom); snobbish -嫌隙,xián xì,hostility; animosity -嫖,piáo,to visit a prostitute -嫖妓,piáo jì,to visit a prostitute -嫖娼,piáo chāng,to visit prostitutes; to go whoring -嫖客,piáo kè,patron of a brothel -嫖宿,piáo sù,to spend the night at a brothel -嫖资,piáo zī,prostitute's fee for service -妪,yù,old woman; to brood over; to protect -嫘,léi,surname Lei -嫘萦,léi yíng,rayon -嫚,màn,surname Man -嫚,màn,insult -嫜,zhāng,husband's father -嫠,lí,widow -嫠妇,lí fù,widow (formal) -嫠节,lí jié,chastity of a widow (old usage) -嫡,dí,"(bound form) of or by the wife, as opposed to a concubine (contrasted with 庶[shu4])" -嫡传,dí chuán,handed down in a direct line from the founder -嫡出,dí chū,born of the wife (i.e. not of a concubine) -嫡堂,dí táng,having the same paternal grandfather but different father -嫡子,dí zǐ,"son, esp. the eldest son, of the wife (contrasted with 庶子[shu4 zi3])" -嫡母,dí mǔ,father's wife (term used by the children of a concubine) -嫡系,dí xì,direct line of descent; under one's personal command; school or faction passing on faithfully one's doctrine -嫡亲,dí qīn,closely related by blood -嫣,yān,(literary) lovely; sweet -嫣然,yān rán,beautiful; sweet; engaging -嫣然一笑,yān rán yī xiào,to smile sweetly -嫣红,yān hóng,bright red -嫦,cháng,used in 嫦娥[Chang2e2]; used in female given names -嫦娥,cháng é,"Chang'e, the lady in the moon (Chinese mythology); one of the Chang'e series of PRC lunar spacecraft" -嫩,nèn,young and tender; (of food) tender; lightly cooked; (of color) light; (of a person) inexperienced; unskilled -嫩主,nèn zhǔ,newbie -嫩绿,nèn lǜ,tender green; soft green -嫩芽,nèn yá,tender shoots -嫩苗,nèn miáo,seedling; tender young shoot; sprout -嫩叶,nèn yè,tender young leaves -嫪,lào,surname Lao -嫪,lào,longing (unrequited passion) -嫫,mó,ugly woman -嫩,nèn,old variant of 嫩[nen4] -妩,wǔ,flatter; to please -妩媚,wǔ mèi,lovely; charming -娴,xián,variant of 嫻|娴[xian2] -娴,xián,elegant; refined; to be skilled at -娴淑,xián shū,ladylike -娴熟,xián shú,adept; skilled -娴雅,xián yǎ,refined; graceful; elegant; serene -娴静,xián jìng,gentle and refined -妫,guī,variant of 媯|妫[Gui1] -娆,ráo,graceful -嬉,xī,amusement -嬉戏,xī xì,to frolic; to romp -嬉皮,xī pí,hippie (loanword) (Tw) -嬉皮士,xī pí shì,hippie (loanword) -嬉皮笑脸,xī pí xiào liǎn,all smiles; smiling mischievously or ingratiatingly -嬉笑,xī xiào,to be laughing and playing; to giggle -嬉笑怒骂,xī xiào nù mà,"lit. laughs, jeers, anger and invective (idiom); fig. all kinds of emotions; to mock and scold; (of writing) freely roving; following the author's fancy" -嬉耍,xī shuǎ,to play -嬉游,xī yóu,to amuse oneself; to have fun -婵,chán,used in 嬋娟|婵娟[chan2 juan1] and 嬋媛|婵媛[chan2 yuan2] -婵娟,chán juān,(literary) beautiful woman; (literary) lovely; graceful; (literary) the moon -婵媛,chán yuán,(literary) (of a woman) graceful; (literary) to be interwoven; (literary) to be emotionally involved -娇,jiāo,lovable; pampered; tender; delicate; frail -娇儿,jiāo ér,beloved son -娇喘,jiāo chuǎn,faint breathing -娇嗔,jiāo chēn,(of a girl) to feign anger coquettishly -娇妻,jiāo qī,lovely wife -娇媚,jiāo mèi,flirtatious; coquettish; sweet and charming; beautiful young woman (old) -娇嫩,jiāo nen,tender and lovely; fragile; delicate -娇娇女,jiāo jiāo nǚ,pampered girl from an affluent family -娇宠,jiāo chǒng,to indulge; to spoil -娇小,jiāo xiǎo,petite; delicate; dainty -娇弱,jiāo ruò,delicate -娇惰,jiāo duò,pampered and lazy; indolent; without energy -娇态,jiāo tài,charming attitude; lascivious pose -娇惯,jiāo guàn,to pamper; to coddle; to spoil -娇气,jiāo qì,delicate; squeamish; finicky -娇滴滴,jiāo dī dī,sweet; cute; delicately pretty -娇生惯养,jiāo shēng guàn yǎng,pampered and spoiled since childhood -娇痴,jiāo chī,spoilt and naive -娇红,jiāo hóng,tender pink -娇纵,jiāo zòng,to indulge (a child); to pamper; to spoil -娇美,jiāo měi,dainty -娇羞,jiāo xiū,bashful; shy; shyness; modesty -娇翠,jiāo cuì,tender green (shoots) -娇艳,jiāo yàn,tender and beautiful -娇贵,jiāo guì,pampered; fragile; finicky -娇黄,jiāo huáng,tender yellow -嬖,bì,(treat as a) favorite -嬗,shàn,(literary) to go through successive changes; to evolve -嬗变,shàn biàn,(literary) to evolve; to change; (physics) transmutation -嫱,qiáng,female court officials -嬛,huán,(used in names) -嬛,qióng,(literary) alone; solitary (variant of 惸[qiong2]) (variant of 煢|茕[qiong2]) -嬛,xuān,used in 便嬛[pian2 xuan1] -袅,niǎo,delicate; graceful -嫒,ài,used in 令嬡|令嫒[ling4ai4] -嬷,mó,dialectal or obsolete equivalent of 媽|妈[ma1]; Taiwan pr. [ma1] -嬷嬷,mó mo,(dialect) elderly lady; wet nurse; Catholic nun -嫔,pín,imperial concubine -嫔妃,pín fēi,imperial concubine -奶,nǎi,mother; variant of 奶[nai3] -婴,yīng,infant; baby -婴儿,yīng ér,infant; baby; CL:個|个[ge4]; lead (Pb) -婴儿手推车,yīng ér shǒu tuī chē,baby buggy -婴儿期,yīng ér qī,infancy -婴儿潮,yīng ér cháo,baby boom -婴儿猝死综合症,yīng ér cù sǐ zōng hé zhèng,sudden infant death syndrome (SIDS); crib death -婴儿车,yīng ér chē,baby carriage; pram; stroller -婴孩,yīng hái,infant -婴幼儿,yīng yòu ér,baby -婴猴,yīng hóu,galago; bush baby -嬲,niǎo,to tease; to disturb -嬴,yíng,surname Ying -嬴,yíng,"old variant of 贏|赢[ying2], to win, to profit; old variant of 盈[ying2], full" -嬴政,yíng zhèng,"Ying Zheng (260-210 BC), personal name of the first emperor 秦始皇[Qin2 Shi3 huang2]" -婶,shěn,wife of father's younger brother -婶婶,shěn shen,wife of father's younger brother; aunt -婶子,shěn zi,(coll.) father's younger brother's wife; aunt -婶母,shěn mǔ,wife of father's younger brother; aunt -懒,lǎn,variant of 懶|懒[lan3] -孀,shuāng,widow -孀妇,shuāng fù,widow (formal) -孀婺,shuāng wù,widow -孀居,shuāng jū,to live in widowhood (formal) -孀闺,shuāng guī,a widow's chamber (old usage) -娘,niáng,variant of 娘[niang2] -娈,luán,beautiful -娈童,luán tóng,catamite (boy as homosexual partner); kept man; gigolo -娈童恋,luán tóng liàn,pederasty -娈童者,luán tóng zhě,child molester; sex tourist -子,zǐ,"son; child; seed; egg; small thing; 1st earthly branch: 11 p.m.-1 a.m., midnight, 11th solar month (7th December to 5th January), year of the rat; viscount, fourth of five orders of nobility 五等爵位[wu3 deng3 jue2 wei4]; ancient Chinese compass point: 0° (north); subsidiary; subordinate; (prefix) sub-" -子,zi,(noun suffix) -子丑,zǐ chǒu,"first two of the twelve earthly branches 十二地支; by ext., the earthly branches" -子京,zǐ jīng,see 紫荊|紫荆[zi3 jing1] -子代,zǐ dài,offspring; child's generation -子儿,zǐ er,(coll.) penny; buck -子公司,zǐ gōng sī,subsidiary company; subsidiary corporation -子午线,zǐ wǔ xiàn,meridian -子句,zǐ jù,clause (grammar) -子嗣,zǐ sì,son; heir -子囊菌,zǐ náng jūn,ascomycete -子域,zǐ yù,subfield (math.) -子夜,zǐ yè,midnight -子女,zǐ nǚ,children; sons and daughters -子子孙孙,zǐ zǐ sūn sūn,one's posterity -子孝父慈,zǐ xiào fù cí,see 父慈子孝[fu4 ci2 zi3 xiao4] -子孙,zǐ sūn,offspring; posterity -子孙娘娘,zǐ sūn niáng niang,goddess of fertility -子宫,zǐ gōng,uterus; womb -子宫内避孕器,zǐ gōng nèi bì yùn qì,intrauterine device (IUD) -子宫壁,zǐ gōng bì,wall of the uterus -子宫托,zǐ gōng tuō,pessary -子宫环,zǐ gōng huán,intrauterine device (IUD) -子宫肌瘤,zǐ gōng jī liú,fibroid tumor of the uterus; hysteromyoma -子宫颈,zǐ gōng jǐng,cervix; the neck of the uterus -子宫颈抹片,zǐ gōng jǐng mǒ piàn,cervical smear (Tw) -子宫颈癌,zǐ gōng jǐng ái,cervical cancer -子宫颈管,zǐ gōng jǐng guǎn,(anatomy) cervical canal -子实,zǐ shí,variant of 籽實|籽实[zi3 shi2] -子层,zǐ céng,sublayer -子弟,zǐ dì,child; the younger generation -子弹,zǐ dàn,"bullet; CL:粒[li4],顆|颗[ke1],發|发[fa1]" -子弹火车,zǐ dàn huǒ chē,"bullet train; Shinkansen 新幹線|新干线, Japanese high-speed train" -子房,zǐ fáng,ovary (botany) -子时,zǐ shí,11 pm-1 am (in the system of two-hour subdivisions used in former times) -子曰,zǐ yuē,Confucius says: -子模型,zǐ mó xíng,submodel -子母,zǐ mǔ,mother and son; interest and capital; combination of a large object and a smaller one of the same type -子母弹,zǐ mǔ dàn,(military) cluster bomb; shrapnel -子母扣,zǐ mǔ kòu,snap fastener -子母炮弹,zǐ mǔ pào dàn,artillery cluster bomb -子母炸弹,zǐ mǔ zhà dàn,cluster bomb -子民,zǐ mín,people -子洲,zǐ zhōu,"Zishou County in Yulin 榆林[Yu2 lin2], Shaanxi" -子洲县,zǐ zhōu xiàn,"Zishou County in Yulin 榆林[Yu2 lin2], Shaanxi" -子爵,zǐ jué,viscount -子产,zǐ chǎn,"Zi Chan (?-522 BC), statesman and philosopher during the Spring and Autumn period" -子癫前症,zǐ diān qián zhèng,"pre-eclampsia, toxaemia of pregnancy (medicine)" -子目,zǐ mù,subheading; specific item -子目录,zǐ mù lù,subdirectory (computing) -子程序,zǐ chéng xù,subroutine -子空间,zǐ kōng jiān,subspace (math.) -子粒,zǐ lì,seed -子系统,zǐ xì tǒng,subsystem -子级,zǐ jí,child (computing) -子细,zǐ xì,variant of 仔細|仔细[zi3 xi4] -子细胞,zǐ xì bāo,daughter cell -子网,zǐ wǎng,subnetwork -子网屏蔽码,zǐ wǎng píng bì mǎ,subnet mask (computing) -子群,zǐ qún,subgroup (math.) -子菜单,zǐ cài dān,(computing) submenu -子叶,zǐ yè,cotyledon (first embryonic leaf) -子虚乌有,zǐ xū wū yǒu,(idiom) to have no basis in fact; to be the product of sb's imagination -子规,zǐ guī,cuckoo -子猪,zǐ zhū,variant of 仔豬|仔猪[zi3 zhu1] -子贡,zǐ gòng,"Zi Gong or Duanmu Ci 端木賜|端木赐[Duan1 mu4 Ci4] (520 BC-), disciple of Confucius" -子路,zǐ lù,"Zi Lu (542-480 BC), disciple of Confucius 孔夫子[Kong3 fu1 zi3], also known as Ji Lu 季路[Ji4 Lu4]" -子长,zǐ cháng,"Zichang county in Yan'an 延安[Yan2 an1], Shaanxi" -子长县,zǐ cháng xiàn,"Zichang county in Yan'an 延安[Yan2 an1], Shaanxi" -子集,zǐ jí,subset -子集合,zǐ jí hé,subset (math.) -子音,zǐ yīn,consonant -子鼠,zǐ shǔ,"Year 1, year of the Rat (e.g. 2008)" -孑,jié,all alone -孑孑,jié jié,outstanding; conspicuous; prominent; tiny -孑孑为义,jié jié wéi yì,petty favors -孑孓,jié jué,mosquito larva -孑影孤单,jié yǐng gū dān,to be all alone by oneself -孑然,jié rán,solitary; lonely; alone -孑然一身,jié rán yī shēn,to be all alone in the world -孑立,jié lì,to be alone; to stand in isolation -孑立无依,jié lì wú yī,to stand alone; to have no one to rely on -孑身,jié shēn,all by oneself; all alone -孑遗,jié yí,survivors; remnants; relict (species etc) -孑遗生物,jié yí shēng wù,living fossil -孓,jué,used in 孑孓[jie2 jue2] -孔,kǒng,surname Kong -孔,kǒng,hole; CL:個|个[ge4]; classifier for cave dwellings -孔丘,kǒng qiū,Confucius -孔乙己,kǒng yǐ jǐ,"Kong Yiji, protagonist of short story by Lu Xun 魯迅|鲁迅[Lu3 Xun4]" -孔丛子,kǒng cóng zǐ,"the K'ung family Masters' anthology, collection of dialogues between Confucius and his disciples, possibly forged in third century by Wang Su 王肅|王肃[Wang2 Su4]" -孔夫子,kǒng fū zǐ,"Confucius (551-479 BC), Chinese thinker and social philosopher, also known as 孔子[Kong3 zi3]" -孔子,kǒng zǐ,"Confucius (551-479 BC), Chinese thinker and social philosopher, also known as 孔夫子[Kong3 fu1 zi3]" -孔子学院,kǒng zǐ xué yuàn,"Confucius Institute, organization established internationally by the PRC, promoting Chinese language and culture" -孔子家语,kǒng zǐ jiā yǔ,"The School Sayings of Confucius, a supplement to the Analects; abbr. to 家語|家语[Jia1 yu3]" -孔孟,kǒng mèng,Confucius and Mencius -孔孟之道,kǒng mèng zhī dào,the teaching of Confucius and Mencius -孔尚任,kǒng shàng rèn,"Kong Shangren (1648-1718), Qing dramatist and poet, author of The Peach Blossom Fan 桃花扇[Tao2 hua1 Shan4]" -孔庙,kǒng miào,Confucian temple -孔径,kǒng jìng,diameter of hole -孔德,kǒng dé,"Auguste Comte (1798-1857), French philosopher" -孔教,kǒng jiào,Teaching of Confucius; Confucianism -孔斯贝格,kǒng sī bèi gé,Kongsberg (city in Norway) -孔方兄,kǒng fāng xiōng,"(coll., humorous) money (so named because in former times, Chinese coins had a square hole in the middle)" -孔明,kǒng míng,courtesy name of Zhuge Liang 諸葛亮|诸葛亮[Zhu1 ge3 Liang4] -孔明灯,kǒng míng dēng,sky lantern (miniature hot-air balloon used during festivals) -孔东,kǒng dōng,(loanword) condom -孔林,kǒng lín,"the Confucius family mausoleum at Qufu 曲阜, rebuilt and extended by every dynasty" -孔武,kǒng wǔ,(literary) valorous -孔武有力,kǒng wǔ yǒu lì,courageous and strong (idiom); Herculean (physique etc) -孔殷,kǒng yīn,urgent; numerous -孔洞,kǒng dòng,small hole in an object -孔版印刷,kǒng bǎn yìn shuā,screen printing -孔眼,kǒng yǎn,hole (e.g. of sieve or colander) -孔颖达,kǒng yǐng dá,"Kong Yingda (574-648), Confucian scholar" -孔穴,kǒng xué,aperture; hole; cavity -孔圣人,kǒng shèng rén,the Sage Confucius -孔融,kǒng róng,"Kong Rong (153-208), poet of the Three Kingdoms period" -孔融让梨,kǒng róng ràng lí,"Kong Rong giving up pears, classic moral story about Kong Rong 孔融[Kong3 Rong2] picking up smaller pears while leaving the bigger ones to his older brothers, still used nowadays to educate the young on courtesy and modesty" -孔道,kǒng dào,opening providing access; the teaching of Confucius -孔门,kǒng mén,Confucius' school (i.e. his direct disciples) -孔隙,kǒng xì,pore (geology) -孔雀,kǒng què,peafowl; peacock -孔雀女,kǒng què nǚ,(Internet slang) spoiled city girl from a rich family -孔雀座,kǒng què zuò,Pavo (constellation) -孔雀河,kǒng què hé,Peacock River in Xinjiang -孔雀王朝,kǒng què wáng cháo,Maurya Dynasty of India (322-185 BC) -孕,yùn,pregnant -孕吐,yùn tù,morning sickness (during pregnancy) -孕妇,yùn fù,pregnant woman -孕妇装,yùn fù zhuāng,maternity wear -孕婴童,yùn yīng tóng,(market segment) maternity and early childhood -孕宝宝,yùn bǎo bǎo,(coll.) child in the womb -孕期,yùn qī,pregnancy; gestation -孕激素,yùn jī sù,progesterone -孕产,yùn chǎn,pregnancy and childbirth; obstetrics and gynecology -孕穗,yùn suì,(grain farming) booting (i.e. the swelling of the leaf sheath due to panicle growth) -孕童,yùn tóng,(market segment) maternity and early childhood -孕育,yùn yù,"to be pregnant; to produce offspring; to nurture (a development, school of thought, artwork etc); fig. replete with (culture etc)" -孕酮,yùn tóng,progesterone -字,zì,letter; symbol; character; word; CL:個|个[ge4]; courtesy or style name traditionally given to males aged 20 in dynastic China -字串,zì chuàn,(computing) character string (Tw) -字元,zì yuán,character (computing) (Tw) -字元集,zì yuán jí,character set -字典,zì diǎn,"Chinese character dictionary (containing entries for single characters, contrasted with a 詞典|词典[ci2 dian3], which has entries for words of one or more characters); (coll.) dictionary; CL:本[ben3]" -字句,zì jù,words; expressions; writing -字图,zì tú,glyph -字型,zì xíng,font; typeface -字字珠玉,zì zì zhū yù,every word a gem (idiom); magnificent writing -字尾,zì wěi,suffix -字帖,zì tiě,piece of paper with short note; short letter -字帖,zì tiè,copybook (for calligraphy) -字帖儿,zì tiě er,piece of paper with short note; short letter -字幕,zì mù,caption; subtitle -字汇,zì huì,"Zihui, Chinese character dictionary with 33,179 entries, released in 17th century" -字汇,zì huì,"(computer) character repertoire; glossary, lexicon" -字形,zì xíng,form of a Chinese character; variant of 字型[zi4 xing2] -字据,zì jù,written pledge; contract; IOU -字数,zì shù,number of written characters; number of words; word count -字斟句酌,zì zhēn jù zhuó,weighing every word -字书,zì shū,character book (i.e. school primer) -字林,zì lín,"Zilin, Chinese character dictionary with 12,824 entries from ca. 400 AD" -字根,zì gēn,component of a Chinese character; (linguistics) word root; etymon -字根合体字,zì gēn hé tǐ zì,stem compound -字根表,zì gēn biǎo,table of components used in wubi input method 五筆輸入法|五笔输入法[wu3 bi3 shu1 ru4 fa3] -字根通用码,zì gēn tōng yòng mǎ,common coding for components of Chinese character; same as Zheng coding 鄭碼|郑码[Zheng4 ma3] -字条,zì tiáo,brief note -字样,zì yàng,"model or template character; written slogan or phrase; mention (e.g. ""air mail"" 航空 on a letter, ""first draft"" 初稿 on a document etc)" -字正腔圆,zì zhèng qiāng yuán,to enunciate beautifully (in speaking or singing) (idiom) -字段,zì duàn,"(numeric, data) field" -字母,zì mǔ,letter (of the alphabet); CL:個|个[ge4] -字母表,zì mǔ biǎo,alphabet -字母词,zì mǔ cí,"word that contains one or more letters of an alphabet (e.g. HSK, PK, WTO, PO文, PM2.5, γ射線|γ射线[γ she4 xian4])" -字母顺序,zì mǔ shùn xù,alphabetical order -字源,zì yuán,etymology (of a non-Chinese word); origin of a character -字画,zì huà,the strokes of a character; calligraphy and painting -字眼,zì yǎn,wording -字码,zì mǎ,character code -字符,zì fú,character (computing) -字符串,zì fú chuàn,string (computing) -字符集,zì fú jí,character set (e.g. ASCII 美國資訊交換標準碼|美国资讯交换标准码 or Unicode 統一碼|统一码) -字节,zì jié,(computing) byte; CL:個|个[ge4] -字节数,zì jié shù,byte count -字节跳动,zì jié tiào dòng,"ByteDance, Beijing-based Internet technology company, founded in 2012" -字纸篓,zì zhǐ lǒu,wastepaper basket -字纸篓子,zì zhǐ lǒu zi,see 字紙簍|字纸篓[zi4 zhi3 lou3] -字素,zì sù,grapheme -字组,zì zǔ,block (of data); code word -字义,zì yì,meaning of a character -字脚,zì jiǎo,serif; hook at the end of brushstroke -字号,zì hào,characters and numbers (as used in a code); alphanumeric code; serial number -字号,zì hao,character size; font size; fame; reputation; shop; name of a shop -字里行间,zì lǐ háng jiān,between the words and the lines (idiom); implied meaning; connotations -字词,zì cí,letters or words; words or phrase -字调,zì diào,tone of a character -字谜,zì mí,letter puzzle -字迹,zì jì,handwriting -字重,zì zhòng,font weight -字集,zì jí,character set -字面,zì miàn,literal; typeface -字音,zì yīn,phonetic value of a character -字头,zì tóu,first letter of a word or serial number; first character of a Chinese word; first digit of a number; the top part (esp. a radical) of a Chinese character; the initial of a Chinese syllable -字首,zì shǒu,prefix -字体,zì tǐ,calligraphic style; typeface; font -存,cún,to exist; to deposit; to store; to keep; to survive -存亡,cún wáng,to live or die; to exist or perish -存亡攸关,cún wáng yōu guān,a make-or-break matter; a matter of life and death -存储,cún chǔ,to store up; to stockpile; (computer) to save; to store; memory; storage -存储卡,cún chǔ kǎ,memory card -存储器,cún chǔ qì,memory (computing) -存入,cún rù,to deposit (e.g. in a bank account) -存取,cún qǔ,"to store and retrieve (money, belongings etc); (computing) to access (data)" -存在,cún zài,to exist; to be; existence -存在主义,cún zài zhǔ yì,existentialism -存心,cún xīn,deliberately -存户,cún hù,depositor (in bank or shares) -存折,cún zhé,passbook; bankbook -存放,cún fàng,to deposit; to store; to leave in sb's care -存有,cún yǒu,to hold in storage; to retain; to harbor (feelings); to entertain (sentiments); (of abstract things) to exist; there is -存根,cún gēn,stub -存档,cún dàng,to archive; to place on file; saved data (for a video game etc) -存款,cún kuǎn,to deposit money (in a bank etc); bank savings; bank deposit -存款准备金,cún kuǎn zhǔn bèi jīn,reserve requirement (finance) -存款单,cún kuǎn dān,certificate of deposit -存款准备金率,cún kuǎn zhǔn bèi jīn lǜ,deposit-reserve ratio -存款者,cún kuǎn zhě,saver; investor; account holder -存款证,cún kuǎn zhèng,certificate of deposit -存水弯,cún shuǐ wān,trap (plumbing); U-bend -存活,cún huó,to survive (a serious accident); survival -存活率,cún huó lǜ,(med.) survival rate; (med.) recovery rate -存留,cún liú,remaining; extant -存簿,cún bù,savings book; bank account passbook -存续,cún xù,to continue to exist -存托凭证,cún tuō píng zhèng,depository share; depository receipt (DR) -存货,cún huò,stock; inventory (of material) -存贷,cún dài,bank deposits and loans -存贷款,cún dài kuǎn,savings deposits and loans -存车场,cún chē chǎng,bike park -存车处,cún chē chù,parking lot (for bicycles) -存量,cún liàng,reserves -存钱,cún qián,to deposit money; to save money -存钱罐,cún qián guàn,piggy bank; coin bank; money box -存食,cún shí,(of food) to retain in stomach due to indigestion (TCM) -孚,fú,to trust; to believe in -孛,bèi,comet -孛星,bèi xīng,comet (arch.) -孜,zī,used in 孜孜[zi1zi1] -孜孜,zī zī,diligent; hardworking; industrious; assiduous -孜孜不倦,zī zī bù juàn,lit. diligent and never slacking (idiom); continuous concentrated effort; assiduous (in study); to concentrate -孜孜以求,zī zī yǐ qiú,diligent and tireless (idiom) -孜孜矻矻,zī zī kū kū,diligently -孜然,zī rán,(loanword from Uyghur) cumin (Cuminum cyminum) -孜然芹,zī rán qín,cumin -孝,xiào,filial piety or obedience; mourning apparel -孝南,xiào nán,"Xiaonan district of Xiaogan city 孝感市[Xiao4 gan3 shi4], Hubei" -孝南区,xiào nán qū,"Xiaonan district of Xiaogan city 孝感市[Xiao4 gan3 shi4], Hubei" -孝子,xiào zǐ,filial son -孝廉,xiào lián,"xiaolian, two examination subjects in Han, later a single subject in Ming and Qing; successful second degree candidate" -孝心,xiào xīn,filial piety (a Confucian obligation); respect and obedience to one's parents -孝思不匮,xiào sī bù kuì,to be forever filial (idiom) -孝悌,xiào tì,filial piety and fraternal duty -孝悌忠信,xiào tì zhōng xìn,"Confucian moral injunctions of fidelity; piety to one's parents, respect to one's older brother, loyalty to one's monarch, faith to one's male friends" -孝感,xiào gǎn,"Xiaogan, prefecture-level city in Hubei" -孝感市,xiào gǎn shì,"Xiaogan, prefecture-level city in Hubei" -孝成王,xiào chéng wáng,"King Xiaocheng of Zhao 趙國|赵国, reigned 266-245 BC" -孝敬,xiào jìng,to show filial respect; to give presents (to one's elders or superiors); to support one's aged parents -孝昌,xiào chāng,"Xiaochang county in Xiaogan 孝感[Xiao4 gan3], Hubei" -孝昌县,xiào chāng xiàn,"Xiaochang county in Xiaogan 孝感[Xiao4 gan3], Hubei" -孝服,xiào fú,mourning clothes -孝经,xiào jīng,Xiaojing (Classic of Filial Piety) -孝义,xiào yì,"Xiaoyi, county-level city in Lüliang 呂梁|吕梁[Lu:3 liang2], Shanxi 山西" -孝义市,xiào yì shì,"Xiaoyi, county-level city in Lüliang 呂梁|吕梁[Lu:3 liang2], Shanxi 山西" -孝圣宪,xiào shèng xiàn,"Empress Xiaoshengxian (1693-1777), consort of Emperor Yongzheng 雍正[Yong1 zheng4] and mother of Emperor Qianlong 乾隆[Qian2 long2]" -孝肃,xiào sù,"Xiaosu, posthumous name of Bao Zheng 包拯[Bao1 Zheng3] (999-1062), Northern Song official renowned for his honesty" -孝衣,xiào yī,mourning garment -孝道,xiào dao,filial piety (Confucian virtue); to be a good son or daughter -孝顺,xiào shùn,filial; dutiful; devoted to one's parents (and grandparents etc); to show filial piety towards (an older family member); filial piety -孟,mèng,surname Meng -孟,mèng,first month of a season; eldest amongst brothers -孟加拉,mèng jiā lā,Bengal; Bangladesh -孟加拉人民共和国,mèng jiā lā rén mín gòng hé guó,People's Republic of Bangladesh (formerly East Pakistan) -孟加拉国,mèng jiā lā guó,Bangladesh (formerly East Pakistan) -孟加拉湾,mèng jiā lā wān,Bay of Bengal -孟加拉语,mèng jiā lā yǔ,Bengali (language) -孟尝君,mèng cháng jūn,"Lord Menchang of Qi, Chancellor of Qi and of Wei during the Warring States Period (475-221 BC)" -孟姜女,mèng jiāng nǚ,"heroine of Qin dynasty 秦朝 folk tale, who searched for her husband, and whose tears broke down a stretch of the Great Wall to reveal his body" -孟婆,mèng pó,"(Chinese folk religion) Meng Po, goddess who gives a potion to souls before they are reincarnated, which makes them forget their previous life; (Chinese folk religion) Meng Po, goddess of the wind" -孟婆汤,mèng pó tāng,"potion given to souls by Meng Po 孟婆[Meng4 po2] before they are reincarnated, which makes them forget their previous life" -孟子,mèng zǐ,"Mencius (c. 372-c. 289 BC), Confucian philosopher second only to Confucius; book of the same name, one of the classics of Confucianism" -孟宗竹,mèng zōng zhú,see 毛竹[mao2 zhu2] -孟州,mèng zhōu,"Mengzhou, county-level city in Jiaozuo 焦作[Jiao1 zuo4], Henan" -孟州市,mèng zhōu shì,"Mengzhou, county-level city in Jiaozuo 焦作[Jiao1 zuo4], Henan" -孟德斯鸠,mèng dé sī jiū,"Charles Montesquieu (1689-1755), French political philosopher" -孟思诚,mèng sī chéng,"Maeng Saseong (1360-1438), Korean politician of the Goryeo-Joseon transition, famous for his honesty and wisdom" -孟村,mèng cūn,"Mengcun Hui autonomous county in Cangzhou 滄州|沧州[Cang1 zhou1], Hebei" -孟村回族自治县,mèng cūn huí zú zì zhì xiàn,"Mengcun Hui Autonomous County in Cangzhou 滄州|沧州[Cang1 zhou1], Hebei" -孟村县,mèng cūn xiàn,"Mengcun Hui autonomous county in Cangzhou 滄州|沧州[Cang1 zhou1], Hebei" -孟津,mèng jīn,"Mengjin county in Luoyang 洛陽|洛阳, Henan" -孟津县,mèng jīn xiàn,"Mengjin county in Luoyang 洛陽|洛阳, Henan" -孟浩然,mèng hào rán,"Meng Haoran (689-740), Tang Dynasty Poet" -孟浪,mèng làng,hasty; rash; impetuous -孟县,mèng xiàn,"Meng former county, now Mengzhou city 孟州市[Meng4 zhou1 shi4] in Jiaozuo 焦作[Jiao1 zuo4], Henan" -孟良崮,mèng liáng gù,"Mt Mengliang in Mengyin county 蒙陰縣|蒙阴县[Meng2 yin1 xian4], Linyi 臨沂|临沂[Lin2 yi2], Shandong" -孟良崮战役,mèng liáng gù zhàn yì,Battle of Mt Mengliang in Shandong of 1947 between the Nationalists and Communists -孟菲斯,mèng fēi sī,Memphis (Egypt or Tennessee) -孟买,mèng mǎi,Mumbai (formerly Bombay) -孟轲,mèng kē,"Mencius 孟子 (c. 372-c. 289), Confucian philosopher" -孟连傣族拉祜族佤族自治县,mèng lián dǎi zú lā hù zú wǎ zú zì zhì xiàn,"Menglian Dai, Lahu and Va autonomous county in Pu'er 普洱[Pu3 er3], Yunnan" -孟连县,mèng lián xiàn,"Menglian Dai, Lahu and Va autonomous county in Pu'er 普洱[Pu3 er3], Yunnan" -孟郊,mèng jiāo,"Meng Jiao (751-814), Tang dynasty essayist and poet" -孢,bāo,spore -孢子,bāo zǐ,spore -季,jì,surname Ji -季,jì,season; the last month of a season; fourth or youngest amongst brothers; classifier for seasonal crop yields -季世,jì shì,final phase; end of a historical era -季候,jì hòu,season -季冬,jì dōng,final month of winter (i.e. twelfth month of lunar calendar) -季刊,jì kān,quarterly publication -季报,jì bào,quarterly report -季夏,jì xià,final month of summer (i.e. sixth month of lunar calendar) -季子,jì zǐ,youngest brother; a period of two or three months -季度,jì dù,quarter of a year; season (sports) -季后赛,jì hòu sài,a playoff -季春,jì chūn,final month of spring (i.e. third month of lunar calendar) -季会,jì huì,quarterly meeting -季父,jì fù,uncle (father's youngest brother) -季相,jì xiàng,characteristic nature of some season -季节,jì jié,time; season; period; CL:個|个[ge4] -季节性,jì jié xìng,seasonal -季经,jì jīng,menstruation; regular periods -季羡林,jì xiàn lín,"Ji Xianlin (1911-2009), Chinese linguist and Indologist" -季肋,jì lèi,hypochondrium (anatomy) -季莫申科,jì mò shēn kē,"Tymoshenko (name); Yulia Tymoshenko (1960-), Ukrainian politician" -季诺,jì nuò,a promise that can be realized -季路,jì lù,"Ji Lu (542-480 BC), disciple of Confucius 孔夫子[Kong3 fu1 zi3], also known as 子路[Zi3 Lu4]" -季军,jì jūn,third in a race; bronze medalist -季雨林,jì yǔ lín,monsoon forest -季风,jì fēng,monsoon -季黎诺,jì lí nuò,"Quirinius, governor of Syria (c. 51 BC - AD 21)" -孤,gū,lone; lonely -孤傲,gū ào,proud and aloof -孤僻,gū pì,antisocial; reclusive; eccentric -孤儿,gū ér,orphan -孤儿药,gū ér yào,orphan drug -孤儿院,gū ér yuàn,orphanage; child asylum -孤哀子,gū āi zǐ,(literary) orphan -孤单,gū dān,lone; lonely; loneliness -孤孀,gū shuāng,widow -孤子,gū zǐ,orphan; fatherless son -孤孑,gū jié,lonesome; solitary -孤孑特立,gū jié tè lì,to be all alone in the world -孤家寡人,gū jiā guǎ rén,one who is cut off from others (idiom); one who has chosen to follow a solitary path; (can also be an indirect way of referring to an unmarried person) -孤寂,gū jì,lonesome; desolate -孤寒,gū hán,alone and poor; humble; (Cantonese) miserly -孤寡,gū guǎ,orphans and widows; to be lonely; loneliness -孤山,gū shān,"Solitary Hill, located in West Lake, Hangzhou, Zhejiang Province" -孤山,gū shān,isolated peak -孤岛,gū dǎo,isolated island -孤征,gū zhēng,to act on one's own; to fight alone -孤拐,gū guǎi,cheekbone; ankle -孤拔,gū bá,"Amédée Courbet (1826-1885), a French admiral who won a series of important land and naval victories during the Tonkin campaign and the Sino-French War" -孤掌难鸣,gū zhǎng nán míng,It's hard to clap with only one hand.; It takes two to tango; It's difficult to achieve anything without support. -孤沙锥,gū shā zhuī,(bird species of China) solitary snipe (Gallinago solitaria) -孤注一掷,gū zhù yī zhì,to stake all on one throw -孤独,gū dú,lonely; solitary -孤独于世,gū dú yú shì,alone in the world (idiom) -孤独症,gū dú zhèng,autism -孤男寡女,gū nán guǎ nǚ,a single man and a single woman; bachelors; a man and a woman together (typically in a secluded setting) -孤立,gū lì,to isolate; isolated; unrelated; irrelevant -孤立子,gū lì zǐ,soliton (physics) -孤立子波,gū lì zǐ bō,instanton (math.) -孤立无援,gū lì wú yuán,isolated and without help -孤绝,gū jué,isolated; solitary -孤老,gū lǎo,solitary old man or woman; regular patron (at brothels) -孤胆,gū dǎn,solitary hero; maverick -孤胆英雄,gū dǎn yīng xióng,solitary hero; maverick -孤芳自赏,gū fāng zì shǎng,lone flower admiring itself (idiom); narcissism; self-love -孤苦伶仃,gū kǔ líng dīng,solitary and impoverished (idiom) -孤苦零丁,gū kǔ líng dīng,variant of 孤苦伶仃[gu1 ku3 ling2 ding1] -孤证,gū zhèng,sole evidence -孤证不立,gū zhèng bù lì,unacceptable as uncorroborated evidence (in law or in textual criticism) -孤负,gū fù,variant of 辜負|辜负[gu1fu4] -孤身,gū shēn,alone; lonely -孤身只影,gū shēn zhī yǐng,lit. a lonely body with only a shadow for company; to be all alone (idiom) -孤军奋战,gū jūn fèn zhàn,lit. lone army putting up a brave fight (idiom); fig. (of a person or group of people) struggling hard without support -孤陋,gū lòu,ignorant; ill-informed -孤陋寡闻,gū lòu guǎ wén,ignorant and inexperienced; ill-informed and narrow-minded -孤雌生殖,gū cí shēng zhí,parthenogenesis (biol. a female reproducing without fertilization) -孤零零,gū líng líng,lone; isolated and without help; all alone; solitary -孤高,gū gāo,arrogant -孤魂,gū hún,lonely soul -孤魂野鬼,gū hún yě guǐ,wandering ghosts without living descendants to pray for them (idiom); person who has no family or friends to rely on -孤鸟,gū niǎo,"lone bird; marginalized (country, person etc)" -孤鸾年,gū luán nián,inauspicious year for marriage -孥,nú,child; offspring -孨,zhuǎn,"(Internet slang) the three 子's that symbolize success in life: a house, a car and a wife (房子[fang2 zi5], 車子|车子[che1 zi5] and 妻子[qi1 zi5]); (archaic) cautious; cowardly" -孩,hái,(bound form) child -孩儿,hái er,child -孩奴,hái nú,"""a slave to one's children"", hard-working parents who would do everything to ensure their children's well-being, in disregard of their own needs" -孩子,hái zi,child -孩子们,hái zi men,children -孩子气,hái zi qì,boyish; childish; childishness -孩提,hái tí,(literary) infant; young child -孩童,hái tóng,child -孙,sūn,surname Sun -孙,sūn,grandson; descendant -孙中山,sūn zhōng shān,"Dr Sun Yat-sen (1866-1925), first president of the Republic of China and co-founder of the Guomintang 國民黨|国民党; same as 孫逸仙|孙逸仙" -孙传芳,sūn chuán fāng,"Sun Chuanfang (1885-1935) one of the northern warlord, murdered in Tianjin in 1935" -孙吴,sūn wú,"Sunwu county in Heihe 黑河[Hei1 he2], Heilongjiang" -孙吴县,sūn wú xiàn,"Sunwu county in Heihe 黑河[Hei1 he2], Heilongjiang" -孙坚,sūn jiān,"Sun Jian (155-191), famous general at end of Han dynasty, forerunner of the southern kingdom of Wu of the Three Kingdoms" -孙大圣,sūn dà shèng,Great-Sage Sun; Sun Wukong 孫悟空|孙悟空[Sun1 Wu4 kong1] -孙女,sūn nǚ,son's daughter; granddaughter -孙女儿,sūn nǚ er,granddaughter (son's daughter) -孙女婿,sūn nǚ xu,son's daughter's husband; granddaughter's husband -孙媳妇,sūn xí fu,son's son's wife; grandson's wife -孙子,sūn zǐ,"Sun Tzu, also known as Sun Wu 孫武|孙武[Sun1 Wu3] (c. 500 BC, dates of birth and death uncertain), general, strategist and philosopher of the Spring and Autumn Period (700-475 BC), believed to be the author of the “Art of War” 孫子兵法|孙子兵法[Sun1 zi3 Bing1 fa3], one of the Seven Military Classics of ancient China 武經七書|武经七书[Wu3 jing1 Qi1 shu1]" -孙子,sūn zi,grandson; son's son -孙子兵法,sūn zǐ bīng fǎ,"“Art of War”, one of the Seven Military Classics of ancient China 武經七書|武经七书[Wu3 jing1 Qi1 shu1], written by Sun Tzu 孫子|孙子[Sun1 zi3]" -孙子定理,sūn zi dìng lǐ,the Chinese remainder theorem -孙山,sūn shān,"Sun Shan, Song Dynasty joker and talented scholar" -孙思邈,sūn sī miǎo,"Sun Simiao (c. 581-682), doctor and herbalist of the Sui and Tang dynasty, author of Prescriptions Worth a Thousand in Gold 千金要方[Qian1 jin1 Yao4 fang1]" -孙悦,sūn yuè,"Sun Yue (1973-), PRC female pop star; Sun Yue (1985-), PRC basketball star" -孙悟空,sūn wù kōng,"Sun Wukong, the Monkey King, character with supernatural powers in the novel Journey to the West 西遊記|西游记[Xi1 you2 Ji4]; Son Goku, the main character in Dragon Ball 七龍珠|七龙珠[Qi1 long2 zhu1]" -孙文,sūn wén,"the original name of 孫中山|孙中山[Sun1 Zhong1 shan1], Dr Sun Yat-sen (1866-1925), first president of the Republic of China and co-founder of the Guomintang 國民黨|国民党[Guo2 min2 dang3]" -孙权,sūn quán,"Sun Quan (reigned 222-252), southern warlord and king of state of Wu 吳|吴[Wu2] in the Three Kingdoms period" -孙武,sūn wǔ,"Sun Wu, also known as Sun Tzu 孫子|孙子[Sun1 zi3] (c. 500 BC, dates of birth and death uncertain), general, strategist and philosopher of the Spring and Autumn Period (700-475 BC), believed to be the author of the “Art of War” 孫子兵法|孙子兵法[Sun1 zi3 Bing1 fa3], one of the Seven Military Classics of ancient China 武經七書|武经七书[Wu3 jing1 Qi1 shu1]" -孙武子,sūn wǔ zǐ,"Sun Wu, famous general, strategist and Legalist philosopher, contemporary with Confucius 孔子[Kong3 zi3] (551-479 BC), author of ""The Art of War"" 孫子兵法|孙子兵法[Sun1 zi3 Bing1 fa3], also known as Sun Tzu 孫子|孙子[Sun1 zi3]" -孙毓棠,sūn yù táng,"Sun Yutang (1911-1985), historian and poet, studied in Tokyo, Oxford and Harvard" -孙燕姿,sūn yàn zī,"Stefanie Sun (1978-), Singaporean singer-songwriter" -孙犁,sūn lí,"Sun Li (1913-2002), novelist" -孙策,sūn cè,"Sun Ce (175-200), general and major warlord of the Later Han Dynasty" -孙继海,sūn jì hǎi,"Sun Jihai (1977-), Chinese footballer, played for Manchester City (2002-2008)" -孙膑,sūn bìn,"Sun Bin (-316 BC), political strategist of the School of Diplomacy 縱橫家|纵横家[Zong4 heng2 jia1] during the Warring States Period (425-221 BC)" -孙膑兵法,sūn bìn bīng fǎ,"Sun Bin's ""The Art of War""" -孙行者,sūn xíng zhě,"Sun Wukong 孫悟空|孙悟空[Sun1 Wu4 kong1], the Monkey King, character with supernatural powers in the novel Journey to the West 西遊記|西游记[Xi1 you2 Ji4]" -孙诛,sūn zhū,"Sun Zhu (1711-1778), poet and compiler of Three Hundred Tang Poems 唐詩三百首|唐诗三百首[Tang2 shi1 San1 bai3 Shou3]; also known by assumed name 蘅塘退士[Heng2 tang2 Tui4 shi4]" -孙逸仙,sūn yì xiān,"Dr Sun Yat-sen (1866-1925), first president of the Republic of China and co-founder of the Kuomintang; same as 孫中山|孙中山" -孬,nāo,(dialect) no good (contraction of 不[bu4] + 好[hao3]) -孬种,nāo zhǒng,coward; useless scoundrel -孰,shú,who; which; what -孰优孰劣,shú yōu shú liè,which of the two is better? -孰料,shú liào,who would have thought?; who could have imagined?; unexpectedly -孰真孰假,shú zhēn shú jiǎ,what is true and what is fake -孱,càn,used in 孱頭|孱头[can4 tou5] -孱,chán,(bound form) weak; feeble -孱弱,chán ruò,delicate; frail; impotent; weak -孱头,càn tou,(dialect) weakling; coward -孳,zī,industrious; produce; bear -孳乳,zī rǔ,"to multiply (kinds, difficulties); to reproduce; to derive (compounds)" -孳孳,zī zī,variant of 孜孜[zi1 zi1] -孳息,zī xī,"interest (from an investment, esp. an endowment)" -孳生,zī shēng,to breed; to multiply -孵,fū,breeding; to incubate; to hatch -孵化,fū huà,breeding; to incubate; innovation (esp. in commerce and marketing) -孵化器,fū huà qì,incubator (for eggs or startup businesses) -孵化场,fū huà chǎng,incubator; hatchery (for poultry etc) -孵化期,fū huà qī,incubation period; time for sth to develop -孵卵,fū luǎn,to hatch; to brood -孵育,fū yù,to incubate; to rear (chicks) -孵蛋,fū dàn,to incubate -学,xué,to learn; to study; to imitate; science; -ology -学乖,xué guāi,to learn from experience (coll.) -学人,xué rén,scholar; learned person -学以致用,xué yǐ zhì yòng,to study sth in order to apply it -学位,xué wèi,academic degree; place in school -学位论文,xué wèi lùn wén,dissertation; thesis -学位证书,xué wèi zhèng shū,diploma (for a degree); degree certificate -学分,xué fēn,course credit -学分制,xué fēn zhì,"credit system; grading system (in schools, universities etc)" -学分小时,xué fēn xiǎo shí,credit hour (in an academic credit system); see also 學分制|学分制[xue2 fen1 zhi4] -学到,xué dào,to learn (sth); to learn about -学制,xué zhì,educational system; length of schooling -学前教育,xué qián jiào yù,preschool education; early childhood education -学前班,xué qián bān,preschool -学力,xué lì,scholastic attainments -学区,xué qū,school district -学名,xué míng,"scientific name; Latin name (of plant or animal); (according to an old system of nomenclature) on entering school life, a formal personal name given to new students" -学名药,xué míng yào,generic drug; generic medicine -学员,xué yuán,student; member of an institution of learning; officer cadet -学问,xué wèn,learning; knowledge; CL:個|个[ge4] -学园,xué yuán,academy; campus -学堂,xué táng,college; school (old) -学报,xué bào,"a scholarly journal; Journal, Bulletin etc" -学坏,xué huài,to follow bad examples; to be corrupted by bad examples -学士,xué shì,bachelor's degree; person holding a university degree -学士学位,xué shì xué wèi,bachelor's degree -学好,xué hǎo,to follow good examples -学妹,xué mèi,junior or younger female schoolmate -学姐,xué jiě,senior or older female schoolmate -学子,xué zǐ,(literary) student; scholar -学富五车,xué fù wǔ chē,of great erudition and scholarship (idiom) -学年,xué nián,academic year -学府,xué fǔ,educational establishment -学弟,xué dì,junior or younger male schoolmate -学徒,xué tú,apprentice; to serve an apprenticeship -学摸,xué mo,variant of 踅摸[xue2 mo5] -学时,xué shí,class hour; period -学会,xué huì,to learn; to master; institute; learned society; (scholarly) association -学会院士,xué huì yuàn shì,academician; fellow of academy -学期,xué qī,term; semester; CL:個|个[ge4] -学校,xué xiào,school; CL:所[suo3] -学业,xué yè,studies; schoolwork -学业有成,xué yè yǒu chéng,to be successful in one's studies; academic success -学样,xué yàng,to follow suit; to imitate sb's example -学步,xué bù,"to learn to walk; (fig.) to learn sth, making unsteady progress; to get started on the learning curve" -学步车,xué bù chē,baby walker; baby walking frame -学历,xué lì,educational background; academic qualifications -学派,xué pài,school of thought -学海,xué hǎi,sea of learning; erudite; knowledgeable person; scholarship -学海泛舟,xué hǎi fàn zhōu,sailing on the sea of learning (idiom) -学海无涯,xué hǎi wú yá,"sea of learning, no horizon (idiom); no limits to what one still has to learn; ars longa, vita brevis" -学渣,xué zhā,"(coll.) unenthusiastic, mediocre student; underachiever" -学测,xué cè,abbr. for 大學學科能力測驗|大学学科能力测验[Da4 xue2 Xue2 ke1 Neng2 li4 Ce4 yan4] -学潮,xué cháo,student protest; campus unrest -学无止境,xué wú zhǐ jìng,no end to learning (idiom); There's always something new to study.; You live and learn. -学然后知不足,xué rán hòu zhī bù zú,to learn is to know one's ignorance (the Book of Rites 禮記|礼记[Li3 ji4]) -学理,xué lǐ,scientific principle; theoretical standpoint -学生,xué sheng,student; schoolchild -学生会,xué sheng huì,student union -学生证,xué sheng zhèng,student identity card -学生运动,xué sheng yùn dòng,student movement -学甲,xué jiǎ,"Hsuehchia town in Tainan county 台南縣|台南县[Tai2 nan2 xian4], Taiwan" -学甲镇,xué jiǎ zhèn,"Hsuehchia town in Tainan county 台南縣|台南县[Tai2 nan2 xian4], Taiwan" -学界,xué jiè,academic world; academic circles; academia -学监,xué jiān,school official responsible for supervising the students (old) -学科,xué kē,subject; branch of learning; course; academic discipline -学究,xué jiū,pedant -学童,xué tóng,schoolchild -学籍,xué jí,registration as a current student -学级,xué jí,class -学习,xué xí,to learn; to study -学习刻苦,xué xí kè kǔ,to study hard; assiduous -学习强国,xué xí qiáng guó,"Xuexi Qiangguo, PRC app designed to teach Xi Jinping Thought, released in 2019" -学习时报,xué xí shí bào,"Study Times, journal of the Central Party School 中央黨校|中央党校[Zhong1 yang1 Dang3 xiao4]" -学者,xué zhě,scholar -学而不厌,xué ér bù yàn,"study tirelessly (idiom, from Analects)" -学而优则仕,xué ér yōu zé shì,"one who is successful in one's studies, can become an official (idiom)" -学舍,xué shè,school building; school; (Tw) student dormitory -学艺,xué yì,to learn a skill or art -学号,xué hào,student ID number -学术,xué shù,learning; science; academic; CL:個|个[ge4] -学术水平,xué shù shuǐ píng,academic level -学术界,xué shù jiè,academic circles; academia -学术自由,xué shù zì yóu,academic freedom -学说,xué shuō,theory; doctrine -学识,xué shí,erudition; scholarly knowledge -学费,xué fèi,tuition fee; tuition; CL:個|个[ge4] -学运,xué yùn,student movement -学医,xué yī,to study medicine -学衔,xué xián,academic title; rank -学长,xué zhǎng,senior or older male schoolmate -学门,xué mén,(Tw) field of knowledge; academic discipline -学院,xué yuàn,college; educational institute; school; faculty; CL:所[suo3] -学院派,xué yuàn pài,academism (art) -学霸,xué bà,(slang) top student; bookworm -学风,xué fēng,style of study; academic atmosphere; school discipline; school traditions -学龄,xué líng,school age -孺,rú,surname Ru -孺,rú,child -孺人,rú rén,(old) wife; mother -孺子,rú zǐ,(literary) child -孽,niè,variant of 孽[nie4] -孽,niè,son born of a concubine; disaster; sin; evil -孽报,niè bào,bad karma -孽子,niè zǐ,unfilial son; unworthy son; illegitimate son; concubine's son -孽海花,niè hǎi huā,"A Flower in a Sinful Sea, late-Qing novel by Jin Tianhe 金天翮[Jin1 Tian1he2] and Zeng Pu 曾樸|曾朴[Zeng1 Pu3]" -孽畜,niè chù,evil creature (multipurpose curse); evil domestic animal -孽种,niè zhǒng,bane of one's existence; vile spawn -孽缘,niè yuán,ill-fated relationship -孽障,niè zhàng,evil creature -孪,luán,twins -孪生,luán shēng,(adj.) twin -孪生兄弟,luán shēng xiōng dì,twin brothers -孪生姐妹,luán shēng jiě mèi,twin sisters -宀,mián,"""roof"" radical (Kangxi radical 40), occurring in 家, 定, 安 etc, referred to as 寶蓋|宝盖[bao3 gai4]" -冗,rǒng,variant of 冗[rong3] -它,tā,it -它们,tā men,they; them -它本身,tā běn shēn,itself -宄,guǐ,traitor -宅,zhái,residence; (coll.) to stay in at home; to hang around at home -宅女,zhái nǚ,female geek; female nerd; otaku girl -宅子,zhái zi,house; residence -宅度假,zhái dù jià,staycation; residential vacation -宅男,zhái nán,"a guy who stays at home all the time, typically spending a lot of time playing online games (derived from Japanese ""otaku"")" -宅第,zhái dì,residence; mansion -宅经,zhái jīng,The Yellow Emperor's Classic on the Feng Shui of Dwellings -宅舍,zhái shè,house; residence -宅配,zhái pèi,"delivery service, primarily C2C and B2C (Tw)" -宅院,zhái yuàn,house; house with a courtyard -宇,yǔ,room; universe -宇宙,yǔ zhòu,universe; cosmos -宇宙学,yǔ zhòu xué,cosmology -宇宙射线,yǔ zhòu shè xiàn,cosmic ray -宇宙生成论,yǔ zhòu shēng chéng lùn,cosmology -宇宙线,yǔ zhòu xiàn,cosmic ray -宇宙号,yǔ zhòu hào,"Cosmos, Russian spacecraft series" -宇宙观,yǔ zhòu guān,world view -宇宙速度,yǔ zhòu sù dù,escape velocity -宇宙飞船,yǔ zhòu fēi chuán,spacecraft -宇文,yǔ wén,a branch of the Xianbei 鮮卑|鲜卑[Xian1bei1] nomadic people; two-character surname Yuwen -宇普西龙,yǔ pǔ xī lóng,upsilon (Greek letter Υυ) -宇航,yǔ háng,space flight -宇航员,yǔ háng yuán,astronaut -宇航局,yǔ háng jú,space agency -宇航服,yǔ háng fú,spacesuit -守,shǒu,to guard; to defend; to keep watch; to abide by the law; to observe (rules or ritual); nearby; adjoining -守一而终,shǒu yī ér zhōng,to be faithful to one's mate all one's life -守住,shǒu zhu,to hold on to; to defend; to keep; to guard -守信,shǒu xìn,to keep promises -守信用,shǒu xìn yòng,to keep one's word; trustworthy -守候,shǒu hòu,to wait for; to expect; to keep watch; to watch over; to nurse -守备,shǒu bèi,to garrison; to stand guard; on garrison duty -守兵,shǒu bīng,guard; garrison soldier -守分,shǒu fèn,to abide by the law; to respect the law -守制,shǒu zhì,to go into mourning for one's parents -守则,shǒu zé,rules; regulations -守势,shǒu shì,defensive position; guard -守口如瓶,shǒu kǒu rú píng,lit. to guard one's mouth like a closed bottle (idiom); tight-lipped; reticent; not breathing a word -守丧,shǒu sāng,to keep watch beside a coffin; to observe a period of mourning -守土,shǒu tǔ,to guard one's territory; to protect the country -守土有责,shǒu tǔ yǒu zé,duty to defend the country (idiom) -守夜,shǒu yè,to be on all-night duty; to be on night watch; to keep a vigil -守孝,shǒu xiào,to observe mourning for one's parents -守宫,shǒu gōng,gecko; house lizard -守寡,shǒu guǎ,to live as widow; to observe widowhood -守恒,shǒu héng,"conservation (e.g. of energy, momentum or heat in physics); to remain constant (of a number)" -守恒定律,shǒu héng dìng lǜ,conservation law (physics) -守成,shǒu chéng,to preserve the accomplishments of previous generations; to carry on the good work of one's predecessors -守拙,shǒu zhuō,to remain honest and poor -守敌,shǒu dí,enemy defense; enemy garrison -守时,shǒu shí,punctual -守更,shǒu gēng,to keep watch during the night -守服,shǒu fú,to observe mourning for one's parents -守望,shǒu wàng,to keep watch -守望台,shǒu wàng tái,watchtower -守望相助,shǒu wàng xiāng zhù,"to keep watch and defend one another (idiom, from Mencius); to join forces to defend against external aggressors; mutual help and protection" -守株待兔,shǒu zhū dài tù,"lit. to guard a tree-stump, waiting for rabbits (idiom); to wait idly for opportunities; to trust to chance rather than show initiative" -守株缘木,shǒu zhū yuán mù,"abbr. for 守株待兔,緣木求魚|守株待兔,缘木求鱼[shou3 zhu1 dai4 tu4 , yuan2 mu4 qiu2 yu2]" -守业,shǒu yè,to preserve one's heritage; to defend the accomplishments of previous generations; to carry on the good work; to keep one's business going -守正不阿,shǒu zhèng bù ē,to be strictly just and impartial -守岁,shǒu suì,to see in the New Year; to stay up all night on lunar New Year's Eve -守法,shǒu fǎ,to abide by the law -守活寡,shǒu huó guǎ,to stay at home while one's husband is away; grass widow -守御,shǒu yù,to defend -守空房,shǒu kōng fáng,to stay home alone (of married woman) -守节,shǒu jié,faithful (to the memory of betrothed); constant (of widow who remains unmarried) -守约,shǒu yuē,to keep an appointment; to keep one's word -守职,shǒu zhí,to observe one's duty steadfastly; devoted to one's job -守旧,shǒu jiù,conservative; reactionary -守旧派,shǒu jiù pài,person who sticks to old ways; a diehard; a conservative -守卫,shǒu wèi,to guard; to defend -守卫者,shǒu wèi zhě,defender; a guard -守规矩,shǒu guī ju,to behave oneself; to abide by the rules -守护,shǒu hù,to guard; to protect -守护神,shǒu hù shén,protector God; patron saint -守财奴,shǒu cái nú,miser; scrooge -守身,shǒu shēn,to keep oneself pure; to preserve one's integrity; to remain chaste -守身如玉,shǒu shēn rú yù,to keep oneself pure; to preserve one's integrity; to remain chaste -守车,shǒu chē,guard's van (on train); caboose -守军,shǒu jūn,defenders -守门,shǒu mén,to keep goal; on duty as gatekeeper -守门人,shǒu mén rén,gatekeeper -守门员,shǒu mén yuán,goalkeeper -守灵,shǒu líng,to keep watch beside a coffin -守斋,shǒu zhāi,to fast -安,ān,surname An -安,ān,(bound form) calm; peaceful; to calm; to set at ease; safe; secure; in good health; content; satisfied (as in 安於|安于[an1 yu2]); to place (sb) in a suitable position (job); to install; to fix; to fit; to bring (a charge against sb); to harbor (certain intentions); ampere (abbr. for 安培[an1 pei2]) -安丘,ān qiū,"Anqiu, county-level city in Weifang 濰坊|潍坊[Wei2 fang1], Shandong" -安丘市,ān qiū shì,"Anqiu, county-level city in Weifang 濰坊|潍坊[Wei2 fang1], Shandong" -安乃近,ān nǎi jìn,analgin (loanword) -安之若素,ān zhī ruò sù,bear hardship with equanimity; regard wrongdoing with equanimity -安人,ān rén,"to pacify the people; landlady (old); wife of 員外|员外[yuan2 wai4], landlord" -安仁,ān rén,"Anren county in Chenzhou 郴州[Chen1 zhou1], Hunan" -安仁县,ān rén xiàn,"Anren county in Chenzhou 郴州[Chen1 zhou1], Hunan" -安保,ān bǎo,security -安倍,ān bèi,Abe (Japanese surname) -安倍晋三,ān bèi jìn sān,"Abe Shinzo (1954-2022), Japanese LDP politician, prime minister 2006-2007 and from 2012-2020" -安克拉治,ān kè lā zhì,Anchorage (Alaska) -安克雷奇,ān kè léi qí,Anchorage (city in Alaska) -安全,ān quán,safe; secure; safety; security -安全问题,ān quán wèn tí,safety issue; security issue -安全套,ān quán tào,condom; CL:隻|只[zhi1] -安全局,ān quán jú,security bureau -安全岛,ān quán dǎo,traffic island; pedestrian refuge -安全带,ān quán dài,seat belt; safety belt -安全帽,ān quán mào,"safety helmet; CL:隻|只[zhi1],頂|顶[ding3]" -安全性,ān quán xìng,security; safety -安全感,ān quán gǎn,sense of security -安全掣,ān quán chè,emergency stop -安全措施,ān quán cuò shī,safety feature; security measure -安全期,ān quán qī,safe period; safe days of a woman's menstrual cycle (low risk of conception) -安全壳,ān quán ké,containment vessel -安全气囊,ān quán qì náng,safety airbag (auto.) -安全港,ān quán gǎng,safe harbor; safe haven -安全无事,ān quán wú shì,safe and sound -安全无恙,ān quán wú yàng,see 安然無恙|安然无恙[an1 ran2 wu2 yang4] -安全无虞,ān quán wú yú,safe and secure -安全灯,ān quán dēng,safety lamp; safelight -安全理事会,ān quán lǐ shì huì,(United Nations) Security Council -安全眼罩,ān quán yǎn zhào,safety goggles -安全网,ān quán wǎng,safety net -安全考虑,ān quán kǎo lǜ,security concerns; safety considerations -安全阀,ān quán fá,safety valve -安分,ān fèn,content with one's lot; knowing one's place -安分守己,ān fèn shǒu jǐ,to be content with one's lot (idiom); to know one's place -安利,ān lì,Amway (brand) -安利,ān lì,to recommend (a product etc); to promote -安化,ān huà,"Anhua county in Yiyang 益陽|益阳[Yi4 yang2], Hunan" -安化县,ān huà xiàn,"Anhua county in Yiyang 益陽|益阳[Yi4 yang2], Hunan" -安匝,ān zā,ampere-turn (unit of magnetomotive force) -安卓,ān zhuó,Android (operating system for mobile devices) -安南,ān nán,"Annam (Tang Dynasty protectorate located in what is now northern Vietnam); Annam (autonomous kingdom located in what is now northern Vietnam, 10th-15th century); Annam (central part of Vietnam during the French colonial period); old name for Vietnam; Annan District in Tainan 臺南|台南[Tai2 nan2], Taiwan; Kofi Annan (1938-2018), UN secretary-general 1997-2006" -安南区,ān nán qū,"Annan district of Tainan City 臺南市|台南市[Tai2 nan2 shi4], Taiwan" -安南子,ān nán zǐ,see 胖大海[pang4 da4 hai3] -安南山脉,ān nán shān mài,"Annamite Range, aka Annamese Cordillera, mountain range forming the border between Vietnam and Laos" -安卡拉,ān kǎ lā,"Ankara, capital of Turkey" -安危,ān wēi,safety and danger; safety -安可,ān kě,encore (loanword) -安史之乱,ān shǐ zhī luàn,"An-Shi Rebellion (755-763) of 安祿山|安禄山[An1 Lu4 shan1] and 史思明[Shi3 Si1 ming2], a catastrophic setback for Tang dynasty" -安吉,ān jí,"Anji county in Huzhou 湖州[Hu2 zhou1], Zhejiang" -安吉星,ān jí xīng,"OnStar, communications system for motor vehicles featuring speech recognition, GPS navigation etc" -安吉尔,ān jí ěr,angel (loanword) -安吉县,ān jí xiàn,"Anji county in Huzhou 湖州[Hu2 zhou1], Zhejiang" -安哥拉,ān gē lā,Angola -安国,ān guó,"Anguo, county-level city in Baoding 保定[Bao3 ding4], Hebei" -安国市,ān guó shì,"Anguo, county-level city in Baoding 保定[Bao3 ding4], Hebei" -安图,ān tú,"Antu County in Yanbian Korean Autonomous Prefecture 延邊朝鮮族自治州|延边朝鲜族自治州[Yan2 bian1 Chao2 xian3 zu2 Zi4 zhi4 zhou1], Jilin" -安图县,ān tú xiàn,"Antu County in Yanbian Korean Autonomous Prefecture 延邊朝鮮族自治州|延边朝鲜族自治州[Yan2 bian1 Chao2 xian3 zu2 Zi4 zhi4 zhou1], Jilin" -安土重迁,ān tǔ zhòng qiān,to hate to leave a place where one has lived long; to be attached to one's native land and unwilling to leave it -安圭拉,ān guī lā,Anguilla -安地卡及巴布达,ān dì kǎ jí bā bù dá,Antigua and Barbuda (Tw) -安地斯,ān dì sī,the Andes mountains -安培,ān péi,ampere (loanword) -安培小时,ān péi xiǎo shí,ampere-hour (Ah) -安培表,ān péi biǎo,ammeter -安培计,ān péi jì,"ammeter (loanword from ""ampere meter"")" -安塔那那利佛,ān tǎ nà nà lì fó,"Antananarivo, capital of Madagascar (Tw)" -安塞,ān sāi,"Ansai county in Yan'an 延安[Yan2 an1], Shaanxi" -安塞县,ān sāi xiàn,"Ansai county in Yan'an 延安[Yan2 an1], Shaanxi" -安多,ān duō,"Amdo county, Tibetan: A mdo rdzong, in Nagchu prefecture 那曲地區|那曲地区[Na4 qu3 di4 qu1], central Tibet" -安多县,ān duō xiàn,"Amdo county, Tibetan: A mdo rdzong, in Nagchu prefecture 那曲地區|那曲地区[Na4 qu3 di4 qu1], central Tibet" -安多芬,ān duō fēn,endorphin (loanword) -安大略湖,ān dà lüè hú,"Lake Ontario, one of the Great Lakes 五大湖[Wu3 da4 hu2]" -安大略省,ān dà lüè shěng,"Ontario province, Canada" -安太岁,ān tài suì,"to propitiate the god of the current year, Tai Sui 太歲|太岁[Tai4 sui4]" -安好,ān hǎo,safe and sound; well -安好心,ān hǎo xīn,to have good intentions -安如泰山,ān rú tài shān,as secure as Mount Taishan; as solid as a rock -安如磐石,ān rú pán shí,as solid as rock (idiom); as sure as houses -安妮,ān nī,Annie (name) -安娜,ān nà,Anna (name) -安安,ān ān,"(Tw) (Internet slang) Greetings! (used when it's unknown what time the reader will see one's post, or just to be cute)" -安定,ān dìng,"Anting township in Tainan county 台南縣|台南县[Tai2 nan2 xian4], Taiwan" -安定,ān dìng,stable; calm; settled; to stabilize; Valium; diazepam -安定化,ān dìng huà,stabilization -安定区,ān dìng qū,"Anding district of Dingxi city 定西市[Ding4 xi1 shi4], Gansu" -安定器,ān dìng qì,(Tw) electrical ballast -安定时间,ān dìng shí jiān,(control theory) settling time -安定门,ān dìng mén,Andingmen neighborhood of Beijing -安家,ān jiā,to settle down; to set up a home -安家立业,ān jiā lì yè,"stable household, established profession (idiom); settled and comfortably off" -安家落户,ān jiā luò hù,to make one's home in a place; to settle -安富尊荣,ān fù zūn róng,well-off and respected (idiom); to be content with one's wealth and position -安富恤穷,ān fù xù qióng,to give sympathy to the rich and relief to the poor (idiom) -安富恤贫,ān fù xù pín,to give sympathy to the rich and relief to the poor (idiom) -安寝,ān qǐn,to sleep peacefully -安宁,ān níng,"Anning District of Lanzhou City 蘭州市|兰州市[Lan2 zhou1 Shi4], Gansu; Anning City, to the west of Kunming 昆明[Kun1 ming2], Yunnan" -安宁,ān níng,peaceful; tranquil; calm; composed; free from worry -安宁区,ān níng qū,"Anning District of Lanzhou City 蘭州市|兰州市[Lan2 zhou1 Shi4], Gansu" -安宁市,ān níng shì,"Anning, county-level city in Kunming 昆明[Kun1 ming2], Yunnan" -安宁片,ān níng piàn,meprobamate -安宁病房,ān níng bìng fáng,hospice -安居,ān jū,"Anju district of Suining city 遂寧市|遂宁市[Sui4 ning2 shi4], Sichuan" -安居,ān jū,to settle down; to live peacefully -安居区,ān jū qū,"Anju district of Suining city 遂寧市|遂宁市[Sui4 ning2 shi4], Sichuan" -安居工程,ān jū gōng chéng,housing project for low-income urban residents -安居乐业,ān jū lè yè,to live in peace and work happily (idiom) -安山岩,ān shān yán,andesite (geology) -安岳,ān yuè,"Anyue county in Ziyang 資陽|资阳[Zi1 yang2], Sichuan" -安岳县,ān yuè xiàn,"Anyue county in Ziyang 資陽|资阳[Zi1 yang2], Sichuan" -安平,ān píng,"Anping county in Hengshui 衡水[Heng2 shui3], Hebei; Anping district of Tainan City 臺南市|台南市[Tai2 nan2 shi4], Taiwan" -安平区,ān píng qū,"Anping district of Tainan City 臺南市|台南市[Tai2 nan2 shi4], Taiwan" -安平县,ān píng xiàn,"Anping county in Hengshui 衡水[Heng2 shui3], Hebei" -安康,ān kāng,Ankang prefecture-level city in Shaanxi -安康,ān kāng,good health -安康市,ān kāng shì,Ankang prefecture-level city in Shaanxi -安徒生,ān tú shēng,Hans Christian Andersen (1805-1875) -安得拉邦,ān dé lā bāng,Andhra Pradesh or Andhra State in southeast India -安德海,ān dé hǎi,"An Dehai (-1869), the Qing equivalent of Rasputin, all-powerful court eunuch with the dowager empress Cixi 慈禧太后[Ci2 xi3 tai4 hou4], executed in 1869 by her rival Empress Mother Empress Dowager Ci'an 慈安皇太后" -安德烈,ān dé liè,Andre (person name) -安德肋,ān dé lèi,Andrew (Catholic transliteration) -安德鲁,ān dé lǔ,Andrew (name) -安徽,ān huī,"Anhui Province, short name 皖[Wan3], capital Hefei 合肥[He2fei2]" -安徽中医学院,ān huī zhōng yī xué yuàn,Anhui College of Traditional Chinese Medicine -安徽大学,ān huī dà xué,Anhui University -安徽工程科技学院,ān huī gōng chéng kē jì xué yuàn,Anhui University of Technology and Science -安徽建筑工业学院,ān huī jiàn zhù gōng yè xué yuàn,Anhui University of Architecture -安徽省,ān huī shěng,"Anhui Province, short name 皖[Wan3], capital Hefei 合肥[He2 fei2]" -安心,ān xīn,at ease; to feel relieved; to set one's mind at rest; to keep one's mind on sth -安息,ān xī,to rest; to go to sleep; to rest in peace; Parthia (ancient country in central Asia) -安息国,ān xī guó,Parthia -安息日,ān xī rì,Sabbath -安息茴香,ān xī huí xiāng,"see 孜然[zi1 ran2], cumin" -安息香,ān xī xiāng,Styrax officinalis or Styrax benzoin; benzoin resin (used in TCM); Benzoinum -安息香属,ān xī xiāng shǔ,Styrax (tree genus); snowdrop; benzoin -安息香科,ān xī xiāng kē,"Styracaceae, tree family including silver-bell, snowdrop and benzoin" -安息香脂,ān xī xiāng zhī,benzoinum; benzoin resin (used in TCM) -安慰,ān wèi,to comfort; to console; CL:個|个[ge4] -安慰剂,ān wèi jì,placebo -安慰奖,ān wèi jiǎng,consolation prize -安庆,ān qìng,Anqing prefecture-level city in Anhui -安庆市,ān qìng shì,Anqing prefecture-level city in Anhui -安打,ān dǎ,base hit (baseball) -安抵,ān dǐ,to arrive safely -安拉,ān lā,Allah (Arabic name of God) -安捷伦科技,ān jié lún kē jì,Agilent Technologies (research and manufacturing company) -安排,ān pái,to arrange; to plan; to set up; arrangements; plans -安提法,ān tí fǎ,antifa (loanword) -安提瓜和巴布达,ān tí guā hé bā bù dá,Antigua and Barbuda -安提瓜岛,ān tí guā dǎo,Antigua -安插,ān chā,to place in a certain position; to assign to a job; to plant; resettlement (old) -安抚,ān fǔ,to placate; to pacify; to appease -安抚奶嘴,ān fǔ nǎi zuǐ,(baby's) pacifier -安放,ān fàng,to lay; to place; to put in a certain place -安新,ān xīn,"Anxin county in Baoding 保定[Bao3 ding4], Hebei" -安新县,ān xīn xiàn,"Anxin county in Baoding 保定[Bao3 ding4], Hebei" -安于,ān yú,to be content with; to be accustomed to -安于现状,ān yú xiàn zhuàng,to take things as they are (idiom); to leave a situation as it is; to be happy with the status quo -安曼,ān màn,"Amman, capital of Jordan" -安替比林,ān tì bǐ lín,antipyrine (loanword) -安东尼,ān dōng ní,Anthony (name) -安东尼与克莉奥佩特拉,ān dōng ní yǔ kè lì ào pèi tè lā,"Anthony and Cleopatra, 1606 tragedy by William Shakespeare 莎士比亞|莎士比亚" -安枕,ān zhěn,to sleep soundly; (fig.) to rest easy; to be free of worries -安格斯,ān gé sī,"Angus, a traditional county of Scotland, now a ""council area""" -安格斯牛,ān gé sī niú,"Angus, Scottish breed of beef cattle" -安格尔,ān gé ěr,"Jean Auguste Dominique Ingres (1780-1867), French Neoclassical painter" -安乐,ān lè,"Anle District of Keelung City 基隆市[Ji1 long2 Shi4], Taiwan" -安乐,ān lè,peace and happiness -安乐区,ān lè qū,"Anle District of Keelung City 基隆市[Ji1 long2 Shi4], Taiwan" -安乐死,ān lè sǐ,euthanasia -安乐窝,ān lè wō,comfortable niche -安检,ān jiǎn,security check (abbr. for 安全檢查|安全检查[an1quan2 jian3cha2]); to do a security check -安次,ān cì,"Anci district of Langfang city 廊坊市[Lang2 fang2 shi4], Hebei" -安次区,ān cì qū,"Anci district of Langfang city 廊坊市[Lang2 fang2 shi4], Hebei" -安歇,ān xiē,to go to bed; to retire for the night -安步当车,ān bù dàng chē,to go on foot (idiom); to do things at a leisurely pace -安民告示,ān mín gào shì,a notice to reassure the public; advance notice (of an agenda) -安泰,ān tài,at peace; healthy and secure -安源,ān yuán,"Anyuan district of Pingxiang city 萍鄉市|萍乡市, Jiangxi" -安源区,ān yuán qū,"Anyuan district of Pingxiang city 萍鄉市|萍乡市, Jiangxi" -安溪,ān xī,"Anxi, a county in Quanzhou City 泉州市[Quan2zhou1 Shi4], Fujian" -安溪县,ān xī xiàn,"Anxi, a county in Quanzhou City 泉州市[Quan2zhou1 Shi4], Fujian" -安泽,ān zé,"Anze county in Linfen 臨汾|临汾[Lin2 fen2], Shanxi" -安泽县,ān zé xiàn,"Anze county in Linfen 臨汾|临汾[Lin2 fen2], Shanxi" -安然,ān rán,calmly; without qualms; free from worry; safe and sound -安然无恙,ān rán wú yàng,safe and sound (idiom); to come out unscathed (e.g. from an accident or illness) -安营,ān yíng,to pitch camp; to camp -安营扎寨,ān yíng zhā zhài,to set up camp; Taiwan pr. [an1 ying2 zha2 zhai4] -安特卫普,ān tè wèi pǔ,Antwerp (city in Belgium) -安理会,ān lǐ huì,(United Nations) Security Council -安琪儿,ān qí ér,angel (loanword) -安瓦尔,ān wǎ ěr,"Anwar (name); Anwar bin Ibrahim (1947-), Malaysian politician, deputy prime minister 1993-1998, imprisoned 1999-2004 on charges including alleged homosexual acts, subsequently overturned" -安瓶,ān píng,ampoule (loanword) -安瓿,ān bù,ampoule (loanword) -安瓿瓶,ān bù píng,ampoule (loanword) -安生,ān shēng,peaceful; restful; quiet; still -安眠,ān mián,to sleep peacefully -安眠药,ān mián yào,sleeping pill; CL:粒[li4] -安眠酮,ān mián tóng,methaqualone; hyminal -安石榴,ān shí liú,pomegranate -安祖花,ān zǔ huā,flamingo lily (Anthurium andraeanum) -安神,ān shén,to calm (soothe) the nerves; to relieve uneasiness of body and mind -安祥,ān xiáng,serene; composed; unruffled -安禄山,ān lù shān,"An Lushan (703-757), Tang general, leader of the An-Shi Rebellion 安史之亂|安史之乱[An1 Shi3 zhi1 Luan4]" -安福,ān fú,"Anfu county in Ji'an 吉安, Jiangxi" -安福县,ān fú xiàn,"Anfu county in Ji'an 吉安, Jiangxi" -安稳,ān wěn,steady; stable; sedate; calm; (of sleep) sound; (of a transition) smooth -安第斯,ān dì sī,the Andes mountain chain -安第斯山,ān dì sī shān,the Andes mountain range -安第斯山脉,ān dì sī shān mài,Andes mountain chain of South America -安纳托利亚,ān nà tuō lì yà,Anatolia; Asia Minor -安纳波利斯,ān nà bō lì sī,Annapolis (place name) -安县,ān xiàn,"An county in Mianyang 綿陽|绵阳[Mian2 yang2], north Sichuan" -安置,ān zhì,to find a place for; to help settle down; to arrange for; to get into bed; placement -安义,ān yì,"Anyi county in Nanchang 南昌, Jiangxi" -安义县,ān yì xiàn,"Anyi, a county in Nanchang 南昌[Nan2chang1], Jiangxi" -安联,ān lián,"Allianz, German financial service company" -安舒,ān shū,at peace; relaxed; serene -安葬,ān zàng,to bury (the dead) -安藤,ān téng,Andō (Japanese surname) -安装,ān zhuāng,to install; to erect; to fix; to mount; installation -安西,ān xī,"Anxi county, former name of Guazhou county 瓜州縣|瓜州县[Gua1 zhou1 xian4] in Jiuquan 酒泉[Jiu3 quan2], Gansu" -安西县,ān xī xiàn,"Anxi county, former name of Guazhou county 瓜州縣|瓜州县[Gua1 zhou1 xian4] in Jiuquan 酒泉[Jiu3 quan2], Gansu" -安亲班,ān qīn bān,after-school program (Tw) -安设,ān shè,to install; to set up -安详,ān xiáng,serene -安谧,ān mì,tranquil; peaceful -安贞,ān zhēn,"Antei (Japanese reign name, 1227-1229)" -安贫乐道,ān pín lè dào,to be content with poverty and strive for virtue (idiom) -安身,ān shēn,to make one's home; to take shelter -安身立命,ān shēn lì mìng,(idiom) to settle down and pursue one's path in life -安逸,ān yì,easy and comfortable; easy -安道尔,ān dào ěr,Andorra -安道尔共和国,ān dào ěr gòng hé guó,Republic of Andorra -安道尔城,ān dào ěr chéng,"Andorra la Vella, capital of Andorra" -安达,ān dá,"Anda, county-level city in Suihua 綏化|绥化, Heilongjiang" -安达仕,ān dá shì,Andaz (hotel brand) -安达市,ān dá shì,"Anda, county-level city in Suihua 綏化|绥化, Heilongjiang" -安达曼岛,ān dá màn dǎo,Andaman islands; variant of 安達曼群島|安达曼群岛[An1 da2 man4 Qun2 dao3] -安达曼海,ān dá màn hǎi,Andaman Sea -安达曼群岛,ān dá màn qún dǎo,Andaman Islands -安远,ān yuǎn,"Anyuan county in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -安远县,ān yuǎn xiàn,"Anyuan county in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -安适,ān shì,quiet and comfortable -安邦,ān bāng,"to bring peace and stability to a country, region etc" -安邦定国,ān bāng dìng guó,to bring peace and stability to the country -安乡,ān xiāng,"Anxiang county in Changde 常德[Chang2 de2], Hunan" -安乡县,ān xiāng xiàn,"Anxiang county in Changde 常德[Chang2 de2], Hunan" -安重根,ān zhòng gēn,"An Jung-geun or Ahn Joong-keun (1879-1910), Korean independence activist, famous as assassin of Japanese prime minister ITŌ Hirobumi 伊藤博文[Yi1 teng2 Bo2 wen2] in 1909" -安闲,ān xián,at one's ease; carefree -安闲自在,ān xián zì zai,leisurely and free (idiom); carefree and at ease -安闲自得,ān xián zì dé,feeling comfortably at ease (idiom) -安闲随意,ān xián suí yì,leisurely and free (idiom); carefree and at ease -安闲,ān xián,peaceful and carefree; leisurely -安闲舒适,ān xián shū shì,leisurely and free (idiom); carefree and at ease -安陆,ān lù,"Anlu, county-level city in Xiaogan 孝感[Xiao4 gan3], Hubei" -安陆市,ān lù shì,"Anlu, county-level city in Xiaogan 孝感[Xiao4 gan3], Hubei" -安阳,ān yáng,Anyang prefecture-level city in Henan -安阳市,ān yáng shì,Anyang prefecture-level city in Henan -安阳县,ān yáng xiàn,"Anyang county in Anyang 安陽|安阳[An1 yang2], Henan" -安难,ān nàn,(classical) (of soldiers etc) resolute in the face of adversity -安静,ān jìng,quiet; peaceful; calm -安非他命,ān fēi tā mìng,amphetamine (medical) (loanword) -安非他明,ān fēi tā míng,amphetamine (loanword) -安顺,ān shùn,Anshun prefecture-level city in Guizhou 貴州|贵州[Gui4 zhou1] -安顺市,ān shùn shì,Anshun prefecture-level city in Guizhou 貴州|贵州[Gui4 zhou1] -安顿,ān dùn,to find a place for; to help settle down; to arrange for; undisturbed; peaceful -安养,ān yǎng,to foster; to provide care (esp. for the elderly) -安养院,ān yǎng yuàn,(Tw) nursing home; hospice -安魂弥撒,ān hún mí sa,Requiem Mass (Catholic) -安龙,ān lóng,"Anlong county in Qianxinan Buyei and Miao autonomous prefecture 黔西南州[Qian2 xi1 nan2 zhou1], Guizhou" -安龙县,ān lóng xiàn,"Anlong county in Qianxinan Buyei and Miao autonomous prefecture 黔西南州[Qian2 xi1 nan2 zhou1], Guizhou" -宋,sòng,surname Song; the Song dynasty (960-1279); Song of the Southern Dynasties (420-479) 南朝宋[Nan2chao2 Song4] -宋代,sòng dài,Song dynasty (960-1279) -宋任穷,sòng rèn qióng,"Song Renqiong (1909-2005), general of the People's Liberation Army" -宋史,sòng shǐ,"History of the Song Dynasty, twentieth of the 24 dynastic histories 二十四史[Er4 shi2 si4 Shi3], composed under Toktoghan 脫脫|脱脱[Tuo1 tuo1] in 1345 during the Yuan Dynasty 元[Yuan2], 496 scrolls; (not to be confused with 宋書|宋书[Song4 shu1])" -宋四大书,sòng sì dà shū,"Four great compilations of Northern Song dynasty, namely: Extensive records of the Taiping era (978) 太平廣記|太平广记, Imperial readings of the Taiping era 太平御覽|太平御览, Prime tortoise of the record bureau 冊府元龜|册府元龟, Finest blossoms in the garden of literature 文苑英華|文苑英华" -宋四家,sòng sì jiā,"four famous Song calligraphers, namely: Su Shi 蘇軾|苏轼[Su1 Shi4], Huang Tingjian 黃庭堅|黄庭坚[Huang2 Ting2 jian1], Mi Fu 米芾[Mi3 Fu2] and Cai Xiang 蔡襄[Cai4 Xiang1]" -宋太祖,sòng tài zǔ,"Emperor Taizu of Song, posthumous title of the founding Song emperor Zhao Kuangyin 趙匡胤|赵匡胤 (927-976), reigned from 960" -宋干节,sòng gān jié,Songkran (Thai New Year festival) -宋徽宗,sòng huī zōng,Emperor Huizong (Song Dynasty) -宋慈,sòng cí,"Song Ci (1186-1249), author of ""Collected Cases of Injustice Rectified"" 洗冤集錄|洗冤集录[Xi3 yuan1 ji2 lu4] (1247), said to be the world's first forensic science text" -宋庆龄,sòng qìng líng,"Song Qingling (1893-1981), second wife of Sun Yat-sen 孫中山|孙中山[Sun1 Zhong1 shan1], influential political figure in China after Sun's death in 1925" -宋教仁,sòng jiào rén,"Song Jiaoren (1882-1913), politician of the revolutionary party involved in the 1911 Xinhai revolution, murdered in Shanghai in 1913" -宋书,sòng shū,"History of Song of the Southern Dynasties 南朝宋[Nan2 chao2 Song4] or Liu Song 劉宋|刘宋[Liu2 Song4], sixth of the 24 dynastic histories 二十四史[Er4 shi2 si4 Shi3], compiled by Shen Yue 沈約|沈约[Shen3 Yue1] in 488 during Liang of the Southern Dynasties 南朝梁[Nan2 chao2 Liang2], 100 scrolls; (not to be confused with 宋史[Song4 shi3])" -宋朝,sòng cháo,Song Dynasty (960-1279); also Song of Southern dynasties 南朝宋 (420-479) -宋楚瑜,sòng chǔ yú,"James Soong (1942-), Taiwanese politician expelled from Guomindang in 2000 when he founded People First Party 親民黨|亲民党" -宋武帝,sòng wǔ dì,"Emperor Wu of Song (363-422), personal name Liu Yu 劉裕|刘裕[Liu2 Yu4], founder of Song of the Southern dynasties 劉宋|刘宋[Liu2 Song4], broke away from Eastern Jin in 420, reigned 420-422" -宋江,sòng jiāng,"Song Jiang, a principal hero of the novel Water Margin 水滸傳|水浒传" -宋濂,sòng lián,"Song Lian (1310-1381), Ming dynasty writer, historian and politician" -宋白,sòng bái,"Song Bai (936-1012), Northern Song literary man" -宋祁,sòng qí,"Song Qi (998-1061), Song dynasty poet and writer, coauthor of History of the Later Tang Dynasty 新唐書|新唐书" -宋祖英,sòng zǔ yīng,"Song Zuying (1966-), Chinese folk music singer" -宋美龄,sòng měi líng,"Soong Mei-ling (1898-2003), Chiang Kai-shek's second wife" -宋襄公,sòng xiāng gōng,"Duke Xiang of Song (reigned 650-637 BC), sometimes considered one of the Five Hegemons 春秋五霸" -宋体,sòng tǐ,Mincho; Song font -完,wán,to finish; to be over; whole; complete; entire -完了,wán le,to be finished; to be done for; ruined; gone to the dogs; oh no -完事,wán shì,to be finished (with sth) -完事大吉,wán shì dà jí,(usu. after 就[jiu4]) (having done such-and-such) everything is now fine; that's the end of the matter; (one is) all set -完人,wán rén,perfect person -完备,wán bèi,faultless; complete; perfect; to leave nothing to be desired -完备性,wán bèi xìng,completeness -完全,wán quán,complete; whole; totally; entirely -完全兼容,wán quán jiān róng,completely compatible -完全懂得,wán quán dǒng de,to understand completely -完全归纳推理,wán quán guī nà tuī lǐ,inference by complete induction -完全愈复,wán quán yù fù,complete recovery (after illness) -完胜,wán shèng,to score a convincing win; to crush (one's opponent) -完善,wán shàn,"(of systems, facilities etc) comprehensive; well-developed; excellent; to refine; to improve" -完型填空,wán xíng tián kòng,cloze (pedagogy) -完好,wán hǎo,intact; in good condition -完好如初,wán hǎo rú chū,intact; untouched; as good as before -完好无损,wán hǎo wú sǔn,in good condition; undamaged; intact -完好无缺,wán hǎo wú quē,in perfect condition; without any defect -完完全全,wán wán quán quán,completely -完封,wán fēng,(baseball etc) shutout; to shut out (the opposing team) -完工,wán gōng,to finish work; to complete a project -完形,wán xíng,total form; coherent whole; Gestalt; holistic -完形填空,wán xíng tián kòng,cloze (pedagogy) -完形心理学,wán xíng xīn lǐ xué,Gestalt psychology (concerned with treating a subject as a coherent whole) -完形心理治疗,wán xíng xīn lǐ zhì liáo,Gestalt psychotherapy -完形测验,wán xíng cè yàn,Gestalt test -完成,wán chéng,to complete; to accomplish -完成时,wán chéng shí,perfect tense (grammar) -完败,wán bài,(sports) to be trounced (by an opponent); crushing defeat -完整,wán zhěng,complete; intact -完整性,wán zhěng xìng,integrity; completeness -完满,wán mǎn,successful; satisfactory -完爆,wán bào,(neologism c. 2010) (coll.) to kick (one's opponent's) ass -完璧,wán bì,flawless piece of jade; (fig.) perfect person or thing; virgin; to return sth intact -完璧之身,wán bì zhī shēn,undefiled (girl); virgin; (of computer system) clean; uncorrupted -完璧归赵,wán bì guī zhào,lit. to return the jade annulus to Zhao (idiom); fig. to return something intact to its rightful owner -完毕,wán bì,to finish; to end; to complete -完税,wán shuì,to pay tax; duty-paid -完结,wán jié,to finish; to conclude; completed -完县,wán xiàn,"Wan former county, now Shunping county 順平縣|顺平县[Shun4 ping2 xian4] in Baoding 保定[Bao3 ding4], Hebei" -完美,wán měi,perfect -完美主义者,wán měi zhǔ yì zhě,perfectionist -完美无瑕,wán měi wú xiá,flawless; immaculate; perfect -完美无缺,wán měi wú quē,perfect and without blemish; flawless; to leave nothing to be desired -完虐,wán nüè,to trounce; to convincingly defeat; to significantly outperform -完蛋,wán dàn,(coll.) to be done for -完赛,wán sài,to finish a competition -宏,hóng,great; magnificent; macro (computing); macro- -宏亮,hóng liàng,see 洪亮[hong2 liang4] -宏伟,hóng wěi,grand; imposing; magnificent -宏伟区,hóng wěi qū,"Hongwei district of Liaoyang city 遼陽市|辽阳市[Liao2 yang2 shi4], Liaoning" -宏儒,hóng rú,learned scholar -宏图,hóng tú,major undertaking; vast plan; grand prospect -宏大,hóng dà,great; grand -宏扬,hóng yáng,variant of 弘揚|弘扬[hong2 yang2] -宏旨,hóng zhǐ,gist; main idea -宏病毒,hóng bìng dú,macro virus (computing) -宏观,hóng guān,macro-; macroscopic; holistic -宏观世界,hóng guān shì jiè,macrocosm; the world in the large -宏观经济,hóng guān jīng jì,macroeconomic -宏观调控,hóng guān tiáo kòng,macro-control -宏都拉斯,hóng dū lā sī,Honduras (Tw) -宏愿,hóng yuàn,great aspiration; great ambition -宓,mì,surname Mi -宓,mì,still; silent -宕,dàng,dissipated; put off -宕昌,dàng chāng,"Dangchang county in Longnan 隴南|陇南[Long3 nan2], Gansu" -宕昌县,dàng chāng xiàn,"Dangchang county in Longnan 隴南|陇南[Long3 nan2], Gansu" -宕机,dàng jī,"(of a computer, server etc) to crash" -宗,zōng,surname Zong -宗,zōng,"school; sect; purpose; model; ancestor; clan; to take as one's model (in academic or artistic work); classifier for batches, items, cases (medical or legal), reservoirs" -宗主,zōng zhǔ,head of a clan; natural leader; person of prestige and authority in a domain; suzerain -宗主国,zōng zhǔ guó,suzerain state; mother country (of a colony) -宗主权,zōng zhǔ quán,suzerainty -宗匠,zōng jiàng,person with remarkable academic or artistic attainments; master craftsman; highly esteemed person -宗喀巴,zōng kā bā,"Tsongkhapa (1357-1419), Tibetan religious leader, founder of the Gelugpa school 格魯派|格鲁派[Ge2 lu3 pai4]" -宗地,zōng dì,parcel of land -宗室,zōng shì,imperial clan; member of the imperial clan; clansman; ancestral shrine -宗师,zōng shī,great scholar respected for learning and integrity -宗庙,zōng miào,temple; ancestral shrine -宗教,zōng jiào,religion -宗教仪式,zōng jiào yí shì,religious ceremony -宗教团,zōng jiào tuán,religious order; religious grouping -宗教学,zōng jiào xué,religious studies -宗教徒,zōng jiào tú,adherent of religion; disciple -宗教改革,zōng jiào gǎi gé,(Protestant) Reformation -宗教法庭,zōng jiào fǎ tíng,Inquisition (religion) -宗族,zōng zú,clan; clansman -宗旨,zōng zhǐ,objective; aim; goal -宗正,zōng zhèng,"Director of the Imperial Clan in imperial China, one of the Nine Ministers 九卿[jiu3 qing1]" -宗法,zōng fǎ,patriarchal clan system -宗派,zōng pài,sect -宗派主义,zōng pài zhǔ yì,sectarianism -宗祠,zōng cí,ancestral temple; clan hall -宗筋,zōng jīn,penis (Chinese medicine) -宗圣侯,zōng shèng hóu,hereditary title bestowed on Confucius' descendants -宗圣公,zōng shèng gōng,hereditary title bestowed on Confucius' descendants -官,guān,surname Guan -官,guān,government official; governmental; official; public; organ of the body; CL:個|个[ge4] -官二代,guān èr dài,children of officials; word created by analogy with 富二代[fu4 er4 dai4] -官位,guān wèi,official post -官俸,guān fèng,salaries of government officials -官倒,guān dǎo,speculation by officials; profiteering by government employees; bureaucratic turpitude -官僚,guān liáo,bureaucrat; bureaucracy; bureaucratic -官僚主义,guān liáo zhǔ yì,bureaucracy -官僚习气,guān liáo xí qì,(derog.) bureaucracy; red tape -官价,guān jià,official price -官兵,guān bīng,(military) officers and soldiers; officers and men; (old) government troops -官制,guān zhì,the civil service system; the bureaucratic system -官印,guān yìn,official seal -官司,guān si,lawsuit; CL:場|场[chang2] -官名,guān míng,name of job in Imperial bureaucracy; official position -官吏,guān lì,bureaucrat; official -官员,guān yuán,official (in an organization or government); administrator -官报私仇,guān bào sī chóu,to take advantage of official post for personal revenge (idiom) -官场,guān chǎng,officialdom; bureaucracy -官场现形记,guān chǎng xiàn xíng jì,"Observations on the Current State of Officialdom, late Qing novel by Li Baojia 李寶嘉|李宝嘉[Li3 Bao3 jia4]" -官媒,guān méi,official media; state media; (abbr. for 官方媒體|官方媒体) -官子,guān zǐ,endgame (in go) -官学,guān xué,school or academic institution (old) -官官相护,guān guān xiāng hù,officials shield one another (idiom); a cover-up -官客,guān kè,male guest at party -官宣,guān xuān,official announcement (neologism c. 2018) -官宦,guān huàn,functionary; official -官宦人家,guān huàn rén jiā,family of a functionary (i.e. educated middle class in Qing times) -官家,guān jiā,emperor; government; official -官差,guān chāi,official business; government workmen; odd-job men -官府,guān fǔ,authorities; feudal official -官厅水库,guān tīng shuǐ kù,"Guanting or Kuan-ting Reservoir in Hebei, one of the main water reservoirs serving Beijing" -官复原职,guān fù yuán zhí,restored to one's official post; to send sb back to his former post -官房长官,guān fáng zhǎng guān,chief cabinet secretary (Japan) -官方,guān fāng,government; official (approved or issued by an authority) -官方语言,guān fāng yǔ yán,official language -官架子,guān jià zi,putting on official airs -官桂,guān guì,Chinese cinnamon (Cinnamomum cassia); also written 肉桂[rou4 gui4] -官样,guān yàng,official manner -官样文章,guān yàng wén zhāng,officialese; red tape -官渡,guān dù,"Guandu district of Kunming city 昆明市[Kun1 ming2 shi4], Yunnan" -官渡之战,guān dù zhī zhàn,"Battle of Guandu of 199 that established Cao Cao's 曹操[Cao2 Cao1] domination over north China, at Guandu (near modern 許昌|许昌[Xu3 chang1] in north Henan)" -官渡区,guān dù qū,"Guandu district of Kunming city 昆明市[Kun1 ming2 shi4], Yunnan" -官爵,guān jué,official ranking; titles and honors -官田,guān tián,"Guantian, the name of townships in various locations; Guantian, a district in Tainan 台南|台南[Tai2 nan2], Taiwan" -官私合营,guān sī hé yíng,public and private interests working together (idiom) -官称,guān chēng,title; official appellation -官箴,guān zhēn,rules of propriety for government officials -官网,guān wǎng,official website (abbr. for 官方網站|官方网站[guan1 fang1 wang3 zhan4]) -官署,guān shǔ,official institution; state bureau -官翻,guān fān,(of electronic goods) refurbished -官老爷,guān lǎo ye,nickname for official -官职,guān zhí,an official position; a job in the bureaucracy -官能,guān néng,"function; capability; sense (i.e. the five senses of sight 視|视, hearing 聽|听, smell 嗅, taste 味 and touch 觸|触); faculty (i.e. specific ability)" -官能团,guān néng tuán,functional group (chemistry) -官能基,guān néng jī,functional group (chemistry) -官舱,guān cāng,second class cabin (on ship) -官话,guān huà,"""officialese""; bureaucratic language; Mandarin" -官费,guān fèi,government funded; paid by state stipend -官军,guān jūn,official army government army -官办,guān bàn,government-run; state-run -官逼民反,guān bī mín fǎn,a government official drives the people to revolt (idiom); a minister provokes a rebellion by exploiting the people -官运亨通,guān yùn hēng tōng,(of a political career) everything is going smoothly (idiom) -官邸,guān dǐ,official residence -官衔,guān xián,title; official rank -官阶,guān jiē,official rank -官非,guān fēi,lawsuit (from Cantonese) -官盐,guān yán,legally-traded salt (with salt tax paid) -宙,zhòu,eternity; (geology) eon -宙斯,zhòu sī,Zeus -宙斯盾战斗系统,zhòu sī dùn zhàn dòu xì tǒng,Aegis Combat System (weapons system developed for the US Navy) -定,dìng,to fix; to set; to make definite; to subscribe to (a newspaper etc); to book (tickets etc); to order (goods etc); to congeal; to coagulate; (literary) definitely -定下,dìng xià,"to set (the tone, a target etc); to lay down (the beat)" -定位,dìng wèi,to orientate; to position; to categorize (as); to characterize (as); positioning; position; niche -定作,dìng zuò,to have sth made to order -定例,dìng lì,usual practice; routine -定做,dìng zuò,to have something made to order -定价,dìng jià,to set a price; to fix a price -定冠词,dìng guàn cí,definite article (grammar) -定出,dìng chū,"to determine; to fix upon; to set (a target, a price etc)" -定分,dìng fèn,predestination; one's lot (of good and bad fortune) -定刑,dìng xíng,to sentence (a criminal) -定力,dìng lì,ability to concentrate; willpower; resolve -定势,dìng shì,attitude; mindset; prejudice -定南,dìng nán,"Dingnan county in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -定南县,dìng nán xiàn,"Dingnan county in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -定名,dìng míng,to name (sth) -定向,dìng xiàng,to orientate; directional; directed; orienteering -定向培育,dìng xiàng péi yù,directed breeding -定向越野,dìng xiàng yuè yě,cross-country orienteering -定员,dìng yuán,"fixed complement (of crew, passengers etc)" -定单,dìng dān,variant of 訂單|订单[ding4 dan1] -定型,dìng xíng,to finalize (a design etc); stereotype; permanent wave or perm (hairdressing) -定型水,dìng xíng shuǐ,hairspray -定场白,dìng chǎng bái,first soliloquy (introducing opera character) -定场诗,dìng chǎng shī,first soliloquy text (introducing opera character) -定夺,dìng duó,to make a decision; to determine -定婚,dìng hūn,variant of 訂婚|订婚[ding4 hun1] -定子,dìng zǐ,(electricity) stator -定存,dìng cún,certificate of deposit; time deposit; abbr. for 定期存款|定期存款[ding4 qi1 cun2 kuan3] -定安,dìng ān,"Ding'an county, Hainan" -定安县,dìng ān xiàn,"Ding'an county, Hainan" -定局,dìng jú,foregone conclusion; to be settled conclusively -定居,dìng jū,"to settle (in some city, country etc); to take up residence" -定居者,dìng jū zhě,settler -定居点,dìng jū diǎn,settlement -定州,dìng zhōu,"Dingzhou, county-level city in Baoding 保定[Bao3 ding4], Hebei" -定州市,dìng zhōu shì,"Dingzhou, county-level city in Baoding 保定[Bao3 ding4], Hebei" -定常态,dìng cháng tài,constant state; fixed state -定座率,dìng zuò lǜ,occupancy (i.e. proportion of seats occupied) -定式,dìng shì,joseki (fixed opening pattern in go game) -定弦,dìng xián,tuning (stringed instrument); (fig.) to make up one's mind -定影,dìng yǐng,to fix a photographic image -定律,dìng lǜ,"scientific law (e.g. law of conservation of energy); (in human affairs) a generalization based on observation (e.g. ""power corrupts"")" -定心丸,dìng xīn wán,tranquilizer; sth that sets one's mind at ease -定性,dìng xìng,to determine the nature (of sth); to determine the chemical composition (of a substance); qualitative -定性分析,dìng xìng fēn xī,qualitative inorganic analysis -定性理论,dìng xìng lǐ lùn,qualitative theory -定情,dìng qíng,to exchange love tokens or vows; to pledge one's love; to get engaged -定户,dìng hù,variant of 訂戶|订户[ding4 hu4] -定数,dìng shù,constant (math.); quota; fixed number (e.g. of places on a bus); fixed quantity (e.g. load of truck); destiny -定于,dìng yú,set at; scheduled at -定于一尊,dìng yú yī zūn,(idiom) to rely on a single authority to determine what is correct; to regard a source (or entity or individual) as the ultimate authority -定日,dìng rì,"Tingri town and county, Tibetan: Ding ri rdzong, in Shigatse prefecture, central Tibet" -定日县,dìng rì xiàn,"Tingri county, Tibetan: Ding ri rdzong, in Shigatse prefecture, Tibet" -定时,dìng shí,to fix a time; fixed time; timed (of explosive etc) -定时信管,dìng shí xìn guǎn,timed detonator -定时器,dìng shí qì,timer -定时摄影,dìng shí shè yǐng,time-lapse photography -定时炸弹,dìng shí zhà dàn,time bomb -定时钟,dìng shí zhōng,timer; timing clock; alarm clock -定期,dìng qī,at set dates; at regular intervals; periodic; limited to a fixed period of time; fixed term -定期储蓄,dìng qī chǔ xù,fixed deposit (banking) -定期存款,dìng qī cún kuǎn,fixed deposit; time deposit; certificate of deposit (banking) -定格,dìng gé,to fix; to confine to; freeze frame; stop motion (filmmaking) -定案,dìng àn,to reach a verdict; to conclude a judgment -定标,dìng biāo,to calibrate (measure or apparatus); fixed coefficient -定标器,dìng biāo qì,scaler -定档,dìng dàng,(of a film etc) to be set to be released on a specific date -定洋,dìng yáng,earnest money; deposit -定海,dìng hǎi,"Dinghai district of Zhoushan city 舟山市[Zhou1 shan1 shi4], Zhejiang; Qing dynasty name of 舟山市" -定海区,dìng hǎi qū,"Dinghai district of Zhoushan city 舟山市[Zhou1 shan1 shi4], Zhejiang" -定海神针,dìng hǎi shén zhēn,another name for 金箍棒[jin1 gu1 bang4]; (fig.) stabilizing force -定焦镜头,dìng jiāo jìng tóu,prime lens -定然,dìng rán,certainly; of course -定理,dìng lǐ,theorem -定界,dìng jiè,demarcation; boundary; delimited; bound (math.) -定界符,dìng jiè fú,delimiter (computing) -定当,dìng dāng,necessarily -定当,dìng dàng,settled; ready; finished -定盘星,dìng pán xīng,the zero point indicator marked on a steelyard; fixed opinion; solid idea; decisive plan -定直线,dìng zhí xiàn,directrix of a parabola -定睛,dìng jīng,to stare at -定神,dìng shén,to compose oneself; to concentrate one's attention -定票,dìng piào,to reserve tickets -定礼,dìng lǐ,betrothal gift; bride-price -定约,dìng yuē,to conclude a treaty; to make an agreement; contract (at bridge) -定级,dìng jí,to grade; to rank; to establish the level of sb or sth -定结,dìng jié,"Dinggyê county, Tibetan: Gding skyes rdzong, in Shigatse prefecture, Tibet" -定结县,dìng jié xiàn,"Dinggyê county, Tibetan: Gding skyes rdzong, in Shigatse prefecture, Tibet" -定编,dìng biān,fixed allocation -定罪,dìng zuì,to convict (sb of a crime) -定义,dìng yì,definition; to define -定义域,dìng yì yù,domain (math.) -定能,dìng néng,to be definitely able (to do sth) -定兴,dìng xīng,"Dingxing county in Baoding 保定[Bao3 ding4], Hebei" -定兴县,dìng xīng xiàn,"Dingxing county in Baoding 保定[Bao3 ding4], Hebei" -定舱,dìng cāng,(of freight or cargo) to book -定制,dìng zhì,custom-made; made-to-order; to have sth custom made -定襄,dìng xiāng,"Dingxiang county in Xinzhou 忻州[Xin1 zhou1], Shanxi" -定襄县,dìng xiāng xiàn,"Dingxiang county in Xinzhou 忻州[Xin1 zhou1], Shanxi" -定西,dìng xī,Dingxi prefecture-level city in Gansu -定西市,dìng xī shì,Dingxi prefecture-level city in Gansu -定见,dìng jiàn,firm view; definite opinion -定规,dìng guī,to decide; to determine; established practice; (dialect) firmly resolved (to do sth) -定亲,dìng qīn,to settle a marriage; betrothal -定语,dìng yǔ,attributive (modifier) -定说,dìng shuō,to assert categorically; generally accepted view -定调,dìng diào,to set the tone -定调子,dìng diào zi,to set the tone -定论,dìng lùn,final conclusion; accepted argument -定谳,dìng yàn,to judge a case; to render a verdict; verdict -定货,dìng huò,variant of 訂貨|订货[ding4 huo4] -定购,dìng gòu,to order goods; to place an order -定远,dìng yuǎn,"Dingyuan, a county in Chuzhou 滁州[Chu2zhou1], Anhui" -定远营,dìng yuǎn yíng,old name of Bayanhot 巴彥浩特|巴彦浩特[Ba1 yan4 Hao4 te4] in Inner Mongolia -定远县,dìng yuǎn xiàn,"Dingyuan, a county in Chuzhou 滁州[Chu2zhou1], Anhui" -定边,dìng biān,"Dingbian County in Yulin 榆林[Yu2 lin2], Shaanxi" -定边县,dìng biān xiàn,"Dingbian County in Yulin 榆林[Yu2 lin2], Shaanxi" -定量,dìng liàng,quantity; fixed amount; ration -定量分块,dìng liàng fēn kuài,chunking -定量分析,dìng liàng fēn xī,quantitative analysis -定金,dìng jīn,down payment; advance payment -定银,dìng yín,deposit; down payment -定钱,dìng qian,security deposit; earnest money (real estate); good-faith deposit -定阅,dìng yuè,variant of 訂閱|订阅[ding4 yue4] -定陶,dìng táo,"Dingtao county in Heze 菏澤|菏泽[He2 ze2], Shandong" -定陶县,dìng táo xiàn,"Dingtao County in Heze 菏澤|菏泽[He2 ze2], Shandong" -定音,dìng yīn,to call the tune; to make the final decision -定音鼓,dìng yīn gǔ,timpani -定额,dìng é,fixed amount; quota -定额组,dìng é zǔ,quorum -定风针,dìng fēng zhēn,wind vane; anemometer; weathercock -定食,dìng shí,set meal (esp. in a Japanese restaurant) -定点,dìng diǎn,to determine a location; designated; appointed; specific; fixed (time); fixed point (geometry); fixed-point (number) -定点厂,dìng diǎn chǎng,factory designated by the state to make a particular product -定点茶,dìng diǎn chá,(Tw) (euphemism) prostitute service at a massage parlor or other place designated by the service provider -定鼎,dìng dǐng,lit. to set up the sacred tripods (following Yu the Great); to fix the capital; to found a dynasty; used in advertising -宛,wǎn,surname Wan -宛,wǎn,winding; as if -宛城,wǎn chéng,"Wancheng district of Nanyang city 南陽|南阳[Nan2 yang2], Henan" -宛城区,wǎn chéng qū,"Wancheng district of Nanyang city 南陽|南阳[Nan2 yang2], Henan" -宛如,wǎn rú,to be just like -宛然,wǎn rán,as if; just like -宛若,wǎn ruò,to be just like -宛转,wǎn zhuǎn,sinuous; meandering; to take a circuitous route; to toss about; vicissitudes; variant of 婉轉|婉转[wan3 zhuan3] -宜,yí,surname Yi -宜,yí,proper; should; suitable; appropriate -宜人,yí rén,nice; pleasant; charming; hospitable to people -宜君,yí jūn,"Yijun County in Tongchuan 銅川|铜川[Tong2 chuan1], Shaanxi" -宜君县,yí jūn xiàn,"Yijun County in Tongchuan 銅川|铜川[Tong2 chuan1], Shaanxi" -宜城,yí chéng,"Yicheng, county-level city in Xiangfan 襄樊[Xiang1 fan2], Hubei" -宜城市,yí chéng shì,"Yicheng, county-level city in Xiangfan 襄樊[Xiang1 fan2], Hubei" -宜家,yí jiā,"IKEA, Swedish furniture retailer" -宜居,yí jū,livable -宜山,yí shān,"former Yishan county and town, now called Yizhou 宜州[Yi2 zhou1] in Hechi 河池[He2 chi2], Guangxi" -宜山县,yí shān xiàn,"former Yishan county, now called Yizhou 宜州[Yi2 zhou1] in Hechi 河池[He2 chi2], Guangxi" -宜山镇,yí shān zhèn,"former Yizhan town, now called Yizhou, county-level city 宜州市[Yi2 zhou1 shi4] in Hechi 河池[He2 chi2], Guangxi" -宜川,yí chuān,"Yichuan county in Yan'an 延安[Yan2 an1], Shaanxi" -宜川县,yí chuān xiàn,"Yichuan county in Yan'an 延安[Yan2 an1], Shaanxi" -宜州,yí zhōu,"Yizhou, county-level city in Hechi 河池[He2 chi2], Guangxi" -宜州市,yí zhōu shì,"Yizhou, county-level city in Hechi 河池[He2 chi2], Guangxi" -宜于,yí yú,to be suitable for -宜昌,yí chāng,"Yichang, prefecture-level city in Hubei" -宜昌市,yí chāng shì,"Yichang, prefecture-level city in Hubei" -宜春,yí chūn,"Yichun, prefecture-level city in Jiangxi" -宜春市,yí chūn shì,"Yichun, prefecture-level city in Jiangxi" -宜秀,yí xiù,"Yixiu, a district of Anqing City 安慶市|安庆市[An1qing4 Shi4], Anhui" -宜秀区,yí xiù qū,"Yixiu, a district of Anqing City 安慶市|安庆市[An1qing4 Shi4], Anhui" -宜章,yí zhāng,"Yizhang county in Chenzhou 郴州[Chen1 zhou1], Hunan" -宜章县,yí zhāng xiàn,"Yizhang county in Chenzhou 郴州[Chen1 zhou1], Hunan" -宜兴,yí xīng,"Yixing, county-level city in Wuxi 無錫|无锡[Wu2 xi1], Jiangsu" -宜兴市,yí xīng shì,"Yixing, county-level city in Wuxi 無錫|无锡[Wu2 xi1], Jiangsu" -宜良,yí liáng,"Yiliang county in Kunming 昆明[Kun1 ming2], Yunnan" -宜良县,yí liáng xiàn,"Yiliang county in Kunming 昆明[Kun1 ming2], Yunnan" -宜兰,yí lán,"Yilan city and county 宜蘭縣|宜兰县[Yi2 lan2 Xian4], northeast Taiwan" -宜兰市,yí lán shì,"Yilan City in Yilan County 宜蘭縣|宜兰县[Yi2 lan2 Xian4], northeast Taiwan" -宜兰县,yí lán xiàn,Yilan County in northeast Taiwan -宜丰,yí fēng,"Yifeng county in Yichun 宜春, Jiangxi" -宜丰县,yí fēng xiàn,"Yifeng county in Yichun 宜春, Jiangxi" -宜宾,yí bīn,"Yibin, prefecture-level city in Sichuan" -宜宾市,yí bīn shì,"Yibin, prefecture-level city in Sichuan" -宜宾县,yí bīn xiàn,"Yibin county in Yibin 宜賓|宜宾[Yi2 bin1], Sichuan" -宜都,yí dū,"Yidu, county-level city in Yichang 宜昌[Yi2 chang1], Hubei" -宜都市,yí dū shì,"Yidu, county-level city in Yichang 宜昌[Yi2 chang1], Hubei" -宜阳,yí yáng,"Yiyang county in Luoyang 洛陽|洛阳, Henan" -宜阳县,yí yáng xiàn,"Yiyang county in Luoyang 洛陽|洛阳, Henan" -宜黄,yí huáng,"Yihuang county in Fuzhou 撫州|抚州, Jiangxi" -宜黄县,yí huáng xiàn,"Yihuang county in Fuzhou 撫州|抚州, Jiangxi" -客,kè,customer; visitor; guest -客串,kè chuàn,to appear on stage in an amateur capacity; (of a professional) to make a guest appearance; (fig.) to assume a role outside one's usual duties; to substitute for -客人,kè rén,visitor; guest; customer; client; CL:位[wei4] -客堂,kè táng,room to meet guests; parlor -客场,kè chǎng,away-game arena; away-game venue -客套,kè tào,polite greeting; civilities; to exchange pleasantries -客套话,kè tào huà,conventional greeting; polite formula -客官,kè guān,(polite appellation for a guest at a hotel etc) -客室,kè shì,guest room -客家,kè jiā,"Hakka ethnic group, a subgroup of the Han that in the 13th century migrated from northern China to the south" -客家人,kè jiā rén,Hakka people -客家话,kè jiā huà,Hakka dialect -客家语,kè jiā yǔ,Hakka (a Chinese dialect) -客居,kè jū,to live in a foreign place; to live somewhere as a guest -客店,kè diàn,small hotel; inn -客座教授,kè zuò jiào shòu,visiting professor; guest professor -客厅,kè tīng,drawing room (room for arriving guests); living room; CL:間|间[jian1] -客户,kè hù,client; customer -客户应用,kè hù yìng yòng,client application -客户服务,kè hù fú wù,customer service; client service -客户服务器结构,kè hù fú wù qì jié gòu,client server architecture -客户服务部,kè hù fú wù bù,customer service division -客户机,kè hù jī,client (computer) -客户机服务器环境,kè hù jī fú wù qì huán jìng,client-server environment -客户机软件,kè hù jī ruǎn jiàn,client software -客户端,kè hù duān,client (computing) -客房,kè fáng,guest room; room (in a hotel) -客房服务,kè fáng fú wù,room service -客服,kè fú,customer service -客梯,kè tī,passenger elevator; passenger lift -客栈,kè zhàn,tavern; guest house; inn; hotel -客机,kè jī,passenger plane -客死,kè sǐ,to die in a foreign land; to die abroad -客死他乡,kè sǐ tā xiāng,see 客死異鄉|客死异乡[ke4 si3 yi4 xiang1] -客死异乡,kè sǐ yì xiāng,to die in a foreign land (idiom) -客气,kè qi,polite; courteous; formal; modest -客气话,kè qi huà,words of politeness; politesse; decorous talking; talk with propriety -客流,kè liú,passenger flow; customer flow -客源,kè yuán,source of customers -客满,kè mǎn,to have a full house; to be sold out; no vacancy -客群,kè qún,market segment -客船,kè chuán,passenger ship -客舱,kè cāng,passenger cabin -客蚤,kè zǎo,flea (Xenopsylla spp.) -客蚤属,kè zǎo shǔ,Xenopsylla (the flea genus) -客制化,kè zhì huà,customization (Tw) -客西马尼园,kè xī mǎ ní yuán,Garden of Gethsemane -客西马尼花园,kè xī mǎ ní huā yuán,Garden of Gethsemane (in the Christian passion story) -客观,kè guān,objective; impartial -客观世界,kè guān shì jiè,the objective world (as opposed to empirical observation) -客观主义,kè guān zhǔ yì,objectivist philosophy -客观唯心主义,kè guān wéi xīn zhǔ yì,objective idealism (in Hegel's philosophy) -客观性,kè guān xìng,objectivity -客诉,kè sù,customer complaint; to complain about a company's product or service -客语,kè yǔ,Hakka dialect -客车,kè chē,coach; bus; passenger train -客轮,kè lún,passenger ship -客运,kè yùn,passenger transportation; (Tw) intercity bus -客运量,kè yùn liàng,amount of passenger traffic -客队,kè duì,visiting team (sports) -客饭,kè fàn,cafeteria meal specially prepared for a group of visitors; set meal -客体,kè tǐ,object (philosophy) -宣,xuān,surname Xuan -宣,xuān,to declare (publicly); to announce -宣介,xuān jiè,to promote; to publicize -宣传,xuān chuán,to disseminate; to give publicity to; propaganda; CL:個|个[ge4] -宣传册,xuān chuán cè,commercial brochure; advertising pamphlet; flyer -宣传攻势,xuān chuán gōng shì,marketing campaign -宣传画,xuān chuán huà,propaganda poster; advertising hoarding -宣传部,xuān chuán bù,Propaganda Department -宣判,xuān pàn,to deliver one's judgement; to give one's verdict -宣化,xuān huà,"Xuanhua district of Zhangjiakou city 張家口市|张家口市[Zhang1 jia1 kou3 shi4], Hebei; Xuanhua county in Zhangjiakou" -宣化区,xuān huà qū,"Xuanhua district of Zhangjiakou city 張家口市|张家口市[Zhang1 jia1 kou3 shi4], Hebei" -宣化县,xuān huà xiàn,"Xuanhua county in Zhangjiakou 張家口|张家口[Zhang1 jia1 kou3], Hebei" -宣告,xuān gào,to declare; to proclaim -宣城,xuān chéng,"Xuancheng, prefecture-level city in Anhui" -宣城市,xuān chéng shì,"Xuancheng, prefecture-level city in Anhui" -宣威,xuān wēi,"Xuanwei, county-level city in Qujing 曲靖[Qu3 jing4], Yunnan" -宣威市,xuān wēi shì,"Xuanwei, county-level city in Qujing 曲靖[Qu3 jing4], Yunnan" -宣导,xuān dǎo,to advocate; to promote -宣州,xuān zhōu,"Xuanzhou, a district of Xuancheng City 宣城市[Xuan1cheng2 Shi4], Anhui" -宣州区,xuān zhōu qū,"Xuanzhou, a district of Xuancheng City 宣城市[Xuan1cheng2 Shi4], Anhui" -宣布,xuān bù,to declare; to announce; to proclaim -宣布破产,xuān bù pò chǎn,to declare bankruptcy -宣德,xuān dé,"Xuande Emperor, reign name of fifth Ming emperor Zhu Zhanji 朱瞻基[Zhu1 Zhan1 ji1] (1398-1435), reigned 1426-1436, temple name 明宣宗[Ming2 Xuan1 zong1]" -宣恩,xuān ēn,"Xuan'en County in Enshi Tujia and Miao Autonomous Prefecture 恩施土家族苗族自治州[En1 shi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1], Hubei" -宣恩县,xuān ēn xiàn,"Xuan'en County in Enshi Tujia and Miao Autonomous Prefecture 恩施土家族苗族自治州[En1 shi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1], Hubei" -宣战,xuān zhàn,to declare war -宣扬,xuān yáng,to publicize; to advertise; to spread far and wide -宣教,xuān jiào,to preach a religion -宣明,xuān míng,to declare -宣武区,xuān wǔ qū,Xuanwu district of central Beijing -宣武门,xuān wǔ mén,"Xuanwumen, Beijing" -宣泄,xuān xiè,to drain (by leading off water); to unburden oneself; to divulge; to leak a secret -宣汉,xuān hàn,"Xuanhan county in Dazhou 達州|达州[Da2 zhou1], Sichuan" -宣汉县,xuān hàn xiàn,"Xuanhan county in Dazhou 達州|达州[Da2 zhou1], Sichuan" -宣发,xuān fā,to promote; to publicize; to market -宣示,xuān shì,to vow; to pledge -宣礼塔,xuān lǐ tǎ,minaret -宣称,xuān chēng,to assert; to claim -宣纸,xuān zhǐ,"fine writing paper, originally from Jing county 涇縣|泾县, Xuancheng 宣城, Anhui" -宣统,xuān tǒng,reign name (1909-1911) of the last Qing emperor Pu Yi 溥儀|溥仪 -宣言,xuān yán,declaration; manifesto -宣认,xuān rèn,public declaration -宣誓,xuān shì,to swear an oath (of office); to make a vow -宣誓供词证明,xuān shì gòng cí zhèng míng,(law) affidavit; deposition -宣誓就职,xuān shì jiù zhí,to swear the oath of office -宣誓书,xuān shì shū,affidavit -宣誓证言,xuān shì zhèng yán,sworn testimony -宣讲,xuān jiǎng,to preach; to explain publicly -宣读,xuān dú,to read out loud to an audience; a prepared speech (e.g. to a party conference) -宣道,xuān dào,to preach (the gospel) -室,shì,surname Shi -室,shì,room; work unit; grave; scabbard; family or clan; one of the 28 constellations of Chinese astronomy -室内,shì nèi,indoor -室内乐,shì nèi yuè,chamber music -室内装潢,shì nèi zhuāng huáng,interior decorating -室内设计,shì nèi shè jì,interior design -室友,shì yǒu,roommate -室外,shì wài,outdoor -室女,shì nǚ,unmarried lady; virgin; Virgo (star sign) -室女座,shì nǚ zuò,Virgo (constellation and sign of the zodiac) -室温,shì wēn,room temperature -室町,shì tǐng,"Muromachi bakufu, the feudal government of Japan (1338-1573) under the Ashikaga shoguns" -室町幕府,shì tǐng mù fǔ,"Muromachi bakufu, the feudal government of Japan (1338-1573) under the Ashikaga shoguns" -室迩人遐,shì ěr rén xiá,to long for sb far away; to grieve over the dead -室韦,shì wéi,the Shiwei tribes who inhabited an area to the northeast of Tang-dynasty China -室颤,shì chàn,"ventricular fibrillation (V-fib), abbr. for 心室顫動|心室颤动[xin1 shi4 chan4 dong4]" -宥,yòu,to forgive; to help; profound -宦,huàn,surname Huan -宦,huàn,imperial official; court eunuch -宦官,huàn guān,court eunuch -宦海,huàn hǎi,officialdom; bureaucracy -宦海风波,huàn hǎi fēng bō,lit. raging sea of bureaucracy; officials causing a big fuss -宦门,huàn mén,family of officials; family with connections to the bureaucracy (i.e. the middle classes in imperial China) -宦骑,huàn qí,horse guard; imperial cavalry guard (of officials or eunuchs) -宫,gōng,surname Gong -宫,gōng,palace; temple; castration (as corporal punishment); first note in pentatonic scale -宫主,gōng zhǔ,imperial empress; milady -宫人,gōng rén,imperial concubine or palace maid; imperial secretary (old) -宫位,gōng wèi,house (astrology) -宫保鸡丁,gōng bǎo jī dīng,Kung Pao Chicken; spicy diced chicken -宫内节育器,gōng nèi jié yù qì,intrauterine device (IUD) -宫刑,gōng xíng,castration (archaic punishment) -宫商角徵羽,gōng shāng jué zhǐ yǔ,"pre-Tang names of the five notes of the pentatonic scale, corresponding roughly to do, re, mi, sol, la" -宫城,gōng chéng,Miyagi prefecture in the north of Japan's main island Honshū 本州[Ben3 zhou1] -宫城县,gōng chéng xiàn,Miyagi prefecture in the north of Japan's main island Honshū 本州[Ben3 zhou1] -宫女,gōng nǚ,"palace maid; CL:個|个[ge4],名[ming2],位[wei4]" -宫崎,gōng qí,Miyazaki (Japanese surname and place name) -宫崎吾朗,gōng qí wú lǎng,"Miyazaki Gorō (1967-), Japanese film director" -宫崎县,gōng qí xiàn,"Miyazaki prefecture in east Kyūshū 九州, Japan" -宫崎骏,gōng qí jùn,"Miyazaki Hayao (1941-), Japanese director" -宫廷,gōng tíng,court (of king or emperor) -宫掖,gōng yè,palace apartments -宫本,gōng běn,Miyamoto (Japanese surname) -宫殿,gōng diàn,palace; CL:座[zuo4] -宫泽喜一,gōng zé xǐ yī,"Kiichi Miyazawa (1919-2007), former Japanese prime minister" -宫爆肉丁,gōng bào ròu dīng,stir-fried diced pork -宫爆鸡丁,gōng bào jī dīng,gong bao chicken; spicy diced chicken -宫缩,gōng suō,contraction of the uterus (during childbirth) -宫观,gōng guàn,Taoist temple -宫调,gōng diào,modes of ancient Chinese music -宫阙,gōng què,palace -宫颈,gōng jǐng,cervix; the neck of the uterus -宫颈管,gōng jǐng guǎn,(anatomy) cervical canal -宰,zǎi,to slaughter; to butcher; to kill (animals etc); (coll.) to fleece; to rip off; to overcharge; (bound form) to govern; to rule; (bound form) (a title for certain government officials in ancient China) -宰了,zǎi le,(coll.) (typically used hyperbolically) to kill (sb) -宰予,zǎi yú,"Zai Yu (522-458 BC), disciple of Confucius" -宰予昼寝,zǎi yǔ zhòu qǐn,Zai Yu sleeps by day (idiom); refers to story in Analects of Confucius remonstrating bitterly with his student for sleeping during lectures -宰人,zǎi rén,to overcharge; to rip sb off -宰制,zǎi zhì,to rule; to dominate -宰割,zǎi gē,to slaughter; (fig.) to ride roughshod over; to take advantage of (others) -宰客,zǎi kè,to cheat customers; to overcharge -宰杀,zǎi shā,to slaughter (an animal for meat); to butcher -宰牲节,zǎi shēng jié,see 古爾邦節|古尔邦节[Gu3 er3 bang1 jie2] -宰相,zǎi xiàng,prime minister (in feudal China) -害,hài,to do harm to; to cause trouble to; harm; evil; calamity -害人,hài rén,to harm sb; to inflict suffering; to victimize; pernicious -害人不浅,hài rén bù qiǎn,to cause a lot of trouble; to inflict much suffering -害人精,hài rén jīng,goblin that kills or harms people; fig. wicked scoundrel; terrible pest -害人虫,hài rén chóng,pest; evildoer -害口,hài kǒu,see 害喜[hai4xi3] -害命,hài mìng,to kill sb; to murder -害喜,hài xǐ,to react to pregnancy by experiencing morning sickness or a strong appetite for certain foods -害得,hài de,to cause or lead to sth bad -害怕,hài pà,to be afraid; to be scared -害月子,hài yuè zi,morning sickness (in pregnancy) -害死,hài sǐ,to kill; to cause death; to do sb to death -害兽,hài shòu,vermin; harmful animal -害病,hài bìng,to fall sick; to contract an illness -害相思病,hài xiāng sī bìng,sick with love -害眼,hài yǎn,to have eye trouble -害羞,hài xiū,shy; embarrassed; bashful -害群之马,hài qún zhī mǎ,lit. a horse that brings trouble to its herd (idiom); fig. troublemaker; black sheep; rotten apple -害肚子,hài dù zi,upset stomach; stomachache -害臊,hài sào,to be bashful; to feel ashamed -害处,hài chu,damage; harm; CL:個|个[ge4] -害虫,hài chóng,injurious insect; pest -害马,hài mǎ,lit. the black horse of the herd; fig. troublemaker; the black sheep of the family -害鸟,hài niǎo,pest bird (esp. one that feeds on farm crops or newly hatched fish) -宴,yàn,(bound form) feast; repose -宴客,yàn kè,to host a banquet; guest at a banquet -宴席,yàn xí,banquet; feast -宴会,yàn huì,"banquet; feast; dinner party; CL:席[xi2],個|个[ge4]" -宴会厅,yàn huì tīng,ballroom; banqueting hall -宴乐,yàn lè,peace and happiness; feasting; making merry -宴请,yàn qǐng,to entertain (for dinner); to invite to dinner -宴饮,yàn yǐn,to wine and dine; to feast; banquet -宴飨,yàn xiǎng,to host a banquet; feast; banquet; ceremony of sacrifice -宵,xiāo,night -宵夜,xiāo yè,midnight snack; late-night snack -宵小,xiāo xiǎo,thief; bandit; scoundrel; villain -宵征,xiāo zhēng,night journey; punitive expedition by night -宵禁,xiāo jìn,night curfew -宵衣旰食,xiāo yī gàn shí,to dress before light and not eat before dark (idiom); diligently attending to official matters -家,jiā,"home; family; (polite) my (sister, uncle etc); classifier for families or businesses; refers to the philosophical schools of pre-Han China; noun suffix for a specialist in some activity, such as a musician or revolutionary, corresponding to English -ist, -er, -ary or -ian; CL:個|个[ge4]" -家丁,jiā dīng,"(old) servant hired to keep guard, run errands etc" -家世,jiā shì,family background -家世寒微,jiā shì hán wēi,to be of humble origin (idiom) -家主,jiā zhǔ,head of a household -家事,jiā shì,family matters; domestic affairs; housework -家人,jiā rén,family member; (old) servant -家什,jiā shi,utensils; furniture -家伙,jiā huo,"household dish, implement or furniture; domestic animal; (coll.) guy; chap; weapon" -家信,jiā xìn,letter (to or from) home -家俱,jiā jù,variant of 家具[jia1 ju4] -家佣,jiā yōng,domestic helper -家传,jiā chuán,handed down in a family; family traditions -家传,jiā zhuàn,family history (as a literary genre) -家僮,jiā tóng,servant -家兄,jiā xiōng,(polite) my elder brother -家儿,jiā ér,"(old) child, particularly referring to the son who resembles his father" -家八哥,jiā bā ge,(bird species of China) common myna (Acridotheres tristis) -家公,jiā gōng,head of a family; (polite) my father; (polite) my grandfather; your esteemed father -家具,jiā jù,"furniture; CL:件[jian4],套[tao4]" -家务,jiā wù,household duties; housework -家务活,jiā wù huó,household chore -家叔,jiā shū,(polite) my uncle (father's younger brother) -家和万事兴,jiā hé wàn shì xīng,if the family lives in harmony all affairs will prosper (idiom) -家喻户晓,jiā yù hù xiǎo,understood by everyone (idiom); well known; a household name -家严,jiā yán,(polite) my father -家园,jiā yuán,home; homeland -家境,jiā jìng,family financial situation; family circumstances -家奴,jiā nú,domestic slave; slave servant -家姊,jiā zǐ,my sister -家姐,jiā jiě,(polite) my older sister -家姑,jiā gū,(polite) father's sisters -家姬,jiā jī,(old) female servants or concubines in homes of the rich -家娘,jiā niáng,(dialect) husband's mother -家婆,jiā pó,(dialect) mother-in-law; (house)wife -家妇,jiā fù,wife (old) -家嫂,jiā sǎo,(polite) my sister-in-law -家子,jiā zi,household; family -家宅,jiā zhái,home; residence; house -家室,jiā shì,wife; family; (literary) residence -家宴,jiā yàn,dinner party held in one's home; family reunion dinner -家家户户,jiā jiā hù hù,each and every family (idiom); every household -家家有本难念的经,jiā jiā yǒu běn nán niàn de jīng,every family has its problems (idiom) -家家酒,jiā jiā jiǔ,(Tw) house (children's game); playing house -家居,jiā jū,home; residence; to stay at home (unemployed) -家居卖场,jiā jū mài chǎng,furniture store; furniture mall -家属,jiā shǔ,family member; (family) dependent -家常,jiā cháng,the daily life of a family -家常便饭,jiā cháng biàn fàn,simple home-style meal; common occurrence; nothing out of the ordinary -家常菜,jiā cháng cài,home cooking -家常豆腐,jiā cháng dòu fu,home-style tofu -家底,jiā dǐ,family property; patrimony -家庭,jiā tíng,"family; household; CL:戶|户[hu4],個|个[ge4]" -家庭主夫,jiā tíng zhǔ fū,househusband -家庭主妇,jiā tíng zhǔ fù,housewife -家庭作业,jiā tíng zuò yè,homework -家庭地址,jiā tíng dì zhǐ,home address -家庭成员,jiā tíng chéng yuán,family member -家庭教师,jiā tíng jiào shī,tutor -家庭暴力,jiā tíng bào lì,domestic violence -家庭煮夫,jiā tíng zhǔ fū,househusband -家弟,jiā dì,(polite) my younger brother -家徒四壁,jiā tú sì bì,lit. with only four bare walls for a home (idiom); fig. very poor; wretched -家慈,jiā cí,(polite) my mother -家政,jiā zhèng,housekeeping -家政员,jiā zhèng yuán,housekeeping staff -家政学,jiā zhèng xué,family and consumer science -家教,jiā jiào,family education; upbringing; to bring sb up; private tutor -家数,jiā shù,the distinctive style and techniques handed down from master to apprentice within a particular school -家族,jiā zú,family; clan -家族树,jiā zú shù,a family tree -家景,jiā jǐng,the family's financial circumstances -家暴,jiā bào,domestic violence; abbr. for 家庭暴力[jia1 ting2 bao4 li4] -家业,jiā yè,family property -家乐氏,jiā lè shì,Kellogg's (US food manufacturing company) -家乐福,jiā lè fú,"Carrefour, French supermarket chain" -家母,jiā mǔ,(polite) my mother -家法,jiā fǎ,"the rules and discipline that apply within a family; stick used for punishing children or servants; traditions of an artistic or academic school of thought, passed on from master to pupil" -家灶,jiā zào,hearth -家燕,jiā yàn,(bird species of China) barn swallow (Hirundo rustica) -家父,jiā fù,(polite) my father -家爷,jiā yé,(old) a term servants used to refer to their master -家产,jiā chǎn,family property -家用,jiā yòng,home-use; domestic; family expenses; housekeeping money -家用电器,jiā yòng diàn qì,domestic electric appliance -家用电脑,jiā yòng diàn nǎo,home computer -家畜,jiā chù,domestic animal; livestock; cattle -家当,jiā dàng,familial property; belongings -家的,jiā de,(old) wife -家眷,jiā juàn,one's wife and children -家破人亡,jiā pò rén wáng,family bankrupt and the people dead (idiom); ruined and orphaned; destitute and homeless -家祖,jiā zǔ,(polite) my paternal grandfather -家禽,jiā qín,poultry; domestic fowl -家私,jiā sī,family property; family wealth -家童,jiā tóng,servant -家给人足,jiā jǐ rén zú,"lit. each household provided for, enough for the individual (idiom); comfortably off" -家老,jiā lǎo,(old) a senior in one's household -家臣,jiā chén,counselor of king or feudal warlord; henchman -家舅,jiā jiù,(polite) my maternal uncle -家花没有野花香,jiā huā méi yǒu yě huā xiāng,lit. the flowers in one's garden cannot match the fragrance of wild flowers (idiom); fig. other women seem more attractive than one's own partner; the grass is always greener on the other side -家蝇,jiā yíng,house fly -家蚕,jiā cán,the common silkworm (Bombyx mori) -家里,jiā lǐ,home -家里蹲,jiā lǐ dūn,recluse; hikikomori person -家规,jiā guī,family rules; family code of conduct -家亲,jiā qīn,older generation in one's household (often referring to one's parents); one's deceased close relatives -家计,jiā jì,family livelihood; a household's economic situation; family property -家训,jiā xùn,instructions to one's children; family precepts -家语,jiā yǔ,The School Sayings of Confucius (abbr. for 孔子家語|孔子家语[Kong3 zi3 Jia1 yu3]) -家谱,jiā pǔ,genealogy; family tree -家贫如洗,jiā pín rú xǐ,extreme poverty (idiom); destitute; penniless; poor as church mice -家赀万贯,jiā zī wàn guàn,immensely rich -家轿,jiā jiào,privately-owned car -家道,jiā dào,family financial circumstances -家道中落,jiā dào zhōng luò,to come down in the world (idiom); to suffer a reversal of fortune -家乡,jiā xiāng,hometown; native place; CL:個|个[ge4] -家乡菜,jiā xiāng cài,regional dish; local cuisine -家乡话,jiā xiāng huà,native language; native dialect -家丑,jiā chǒu,family scandal; skeleton in the closet -家丑不可外传,jiā chǒu bù kě wài chuán,lit. family shames must not be spread abroad (idiom); fig. don't wash your dirty linen in public -家丑不可外扬,jiā chǒu bù kě wài yáng,lit. family shames must not be spread abroad (idiom); fig. don't wash your dirty linen in public -家长,jiā zhǎng,head of a household; family head; patriarch; parent or guardian of a child -家长制,jiā zhǎng zhì,patriarchal system -家长家短,jiā cháng jiā duǎn,family goings-on -家长会,jiā zhǎng huì,parent-teacher conference; parents' association -家门,jiā mén,house door; family clan -家雀儿,jiā qiǎo er,(coll.) sparrow -家电,jiā diàn,household electric appliance; abbr. for 家用電器|家用电器 -家养,jiā yǎng,domestic (animals); home reared -家马,jiā mǎ,domestic horse -家鸦,jiā yā,(bird species of China) house crow (Corvus splendens) -家鸭,jiā yā,domestic duck -家鸭绿头鸭,jiā yā lǜ tóu yā,mallard; duck (Anas platyrhyncha) -家麻雀,jiā má què,(bird species of China) house sparrow (Passer domesticus) -宸,chén,imperial apartments -容,róng,surname Rong -容,róng,to hold; to contain; to allow; to tolerate; appearance; look; countenance -容下,róng xià,to hold; to admit; to accommodate; to tolerate -容不得,róng bu dé,unable to tolerate; intolerant; unable to bear sth -容光焕发,róng guāng huàn fā,face glowing (idiom); looking radiant; all smiles -容克,róng kè,"Junker (German aristocracy); Jean-Claude Juncker (1954-), Luxembourgish politician, prime minister of Luxembourg 1995-2013, president of the European Commission 2014-2019" -容受,róng shòu,"to tolerate; to accept (criticism, resignation etc); same as 容納接受|容纳接受[rong2 na4 jie1 shou4]" -容器,róng qì,receptacle; vessel; (computing) container -容城,róng chéng,"Rongcheng county in Baoding 保定[Bao3 ding4], Hebei" -容城县,róng chéng xiàn,"Rongcheng county in Baoding 保定[Bao3 ding4], Hebei" -容忍,róng rěn,to put up with; to tolerate -容或,róng huò,perhaps; maybe; probably -容易,róng yì,easy; straightforward; likely; liable to; apt to -容止,róng zhǐ,looks and demeanor -容祖儿,róng zǔ ér,"Joey Yung (1980-), Hong Kong pop singer and actress" -容积,róng jī,volume; capacity -容积效率,róng jī xiào lǜ,volumetric efficiency (engine technology) -容纳,róng nà,to hold; to contain; to accommodate; to tolerate (different opinions) -容县,róng xiàn,"Rong county in Yulin 玉林[Yu4 lin2], Guangxi" -容华绝代,róng huá jué dài,to be blessed with rare and radiant beauty (idiom) -容许,róng xǔ,to permit; to allow -容让,róng ràng,to make a concession; to be accommodating -容貌,róng mào,one's appearance; one's aspect; looks; features -容身,róng shēn,to find a place where one can fit in; to make one's home; to seek shelter -容量,róng liàng,capacity; volume; quantitative (science) -容量分析,róng liàng fēn xī,quantitative analysis; volumetric analysis -容错,róng cuò,(of a system) fault-tolerant -容颜,róng yán,mien; complexion -容颜失色,róng yán shī sè,(of complexion) to lose one's color; to blanch; to look wan -寇,kòu,old variant of 寇[kou4] -宿,sù,surname Su -宿,sù,lodge for the night; old; former -宿,xiǔ,night; classifier for nights -宿,xiù,constellation -宿世,sù shì,previous life -宿主,sù zhǔ,(biology) host -宿仇,sù chóu,feud; vendetta; old foe -宿债,sù zhài,long-standing debt -宿儒,sù rú,experienced scholar; old expert in the field -宿分,sù fèn,predestined relationship -宿务,sù wù,Cebu (province in the Philippines) -宿务语,sù wù yǔ,"Cebuano (aka Bisaya), language spoken in parts of the Philippines" -宿命,sù mìng,predestination; karma -宿命论,sù mìng lùn,fatalism; fatalistic -宿命通,sù mìng tōng,(Buddhism) recollection of past lives; wisdom of past lives (one of six supernatural powers of Buddhas and arhats) -宿城,sù chéng,"Sucheng district of Suqian city 宿遷市|宿迁市[Su4 qian1 shi4], Jiangsu" -宿城区,sù chéng qū,"Sucheng district of Suqian city 宿遷市|宿迁市[Su4 qian1 shi4], Jiangsu" -宿夜,sù yè,to stay overnight -宿娼,sù chāng,to visit a prostitute -宿将,sù jiàng,veteran general -宿州,sù zhōu,"Suzhou, prefecture-level city in Anhui" -宿州市,sù zhōu shì,"Suzhou, prefecture-level city in Anhui" -宿弊,sù bì,long-standing abuse; continuing fraud -宿怨,sù yuàn,an old grudge; old scores to settle -宿恨,sù hèn,old hatred -宿敌,sù dí,old enemy -宿昔,sù xī,formerly; in the past -宿松,sù sōng,"Susong, a county in Anqing 安慶|安庆[An1qing4], Anhui" -宿松县,sù sōng xiàn,"Susong, a county in Anqing 安慶|安庆[An1qing4], Anhui" -宿根,sù gēn,perennial root (botany) -宿营,sù yíng,to camp; to bivouac; to lodge -宿营地,sù yíng dì,camp; campsite -宿疾,sù jí,chronic ailment -宿缘,sù yuán,(Buddhism) predestined relationship -宿县,sù xiàn,Su county in Anhui -宿舍,sù shè,dormitory; dorm room; living quarters; hostel; CL:間|间[jian1] -宿舍楼,sù shè lóu,"dormitory building; CL:幢[zhuang4],座[zuo4]" -宿草,sù cǎo,grass that has grown on a grave since last year; (fig.) grave; to have died long ago; fodder provided to animals for the night -宿处,sù chù,lodging house -宿见,sù jiàn,long-held opinion; long-cherished view -宿诺,sù nuò,old promises; unfulfilled promises -宿豫,sù yù,"Suyu district of Suqian city 宿遷市|宿迁市[Su4 qian1 shi4], Jiangsu" -宿豫区,sù yù qū,"Suyu district of Suqian city 宿遷市|宿迁市[Su4 qian1 shi4], Jiangsu" -宿迁,sù qiān,"Suqian, prefecture-level city in Jiangsu" -宿迁市,sù qiān shì,"Suqian, prefecture-level city in Jiangsu" -宿酒,sù jiǔ,hangover -宿醉,sù zuì,hangover -宿雾,sù wù,"Cebu, a province (and a city) in the Philippines (Tw)" -宿雾语,sù wù yǔ,"Cebuano (aka Bisaya), language spoken in parts of the Philippines (Tw)" -宿愿,sù yuàn,long-cherished wish -寂,jì,silent; solitary; Taiwan pr. [ji2] -寂寂,jì jì,quiet -寂寞,jì mò,lonely; lonesome; (of a place) quiet; silent -寂寥,jì liáo,(literary) quiet and desolate; lonely; vast and empty -寂灭,jì miè,to die out; to fade away; nirvana (Buddhism) -寂然,jì rán,silent; quiet -寂静,jì jìng,quiet -冤,yuān,old variant of 冤[yuan1] -寄,jì,to send; to mail; to entrust; to depend on; to attach oneself to; to live (in a house); to lodge; foster (son etc) -寄主,jì zhǔ,host (of a parasite) -寄予,jì yǔ,"to place (hope, importance etc) on; to express; to show; to give" -寄予厚望,jì yǔ hòu wàng,to place high hopes -寄人篱下,jì rén lí xià,to lodge under another person's roof (idiom); to live relying on sb else's charity -寄件人,jì jiàn rén,sender -寄件者,jì jiàn zhě,see 寄件人[ji4 jian4 ren2] -寄出,jì chū,to mail; to send by post -寄名,jì míng,adopted name; to take a name (of one's adoptive family) -寄售,jì shòu,sale on consignment -寄女,jì nǚ,foster daughter -寄子,jì zǐ,foster son -寄存,jì cún,to deposit; to store; to leave sth with sb -寄存器,jì cún qì,processor register (computing) -寄存处,jì cún chù,warehouse; temporary store; left-luggage office; cloak-room -寄宿,jì sù,to stay; to lodge; to board -寄宿学校,jì sù xué xiào,boarding school -寄宿生,jì sù shēng,boarder -寄居,jì jū,to live away from home -寄居蟹,jì jū xiè,hermit crab -寄怀,jì huái,emotions expressed in writing -寄放,jì fàng,to leave sth with sb -寄望,jì wàng,to place hopes on -寄母,jì mǔ,foster mother -寄父,jì fù,foster father -寄物,jì wù,"to check in items (at a cloakroom, locker etc)" -寄物柜,jì wù guì,baggage locker; coin locker -寄物处,jì wù chù,coat check; cloakroom; checkroom -寄生,jì shēng,to live in or on another organism as a parasite; to live by taking advantage of others; parasitism; parasitic -寄生物,jì shēng wù,parasite -寄生生活,jì shēng shēng huó,parasitism; parasitic existence -寄生者,jì shēng zhě,parasite (human) -寄生虫,jì shēng chóng,parasite (biology); (fig.) freeloader -寄发,jì fā,to dispatch; to send out (mail) -寄籍,jì jí,to register as domiciled in another land; naturalization -寄托,jì tuō,"to entrust (to sb); to place (one's hope, energy etc) in; a thing in which one invests (one's hope, energy etc)" -寄卖,jì mài,to consign for sale -寄迹,jì jì,to live away from home temporarily -寄辞,jì cí,to send a message -寄送,jì sòng,to send; to transmit -寄达,jì dá,to send sth by mail -寄递,jì dì,delivery (of mail) -寄销,jì xiāo,to dispatch; consigned (goods) -寄顿,jì dùn,to place in safe keeping; to leave sth with sb -寄养,jì yǎng,"to place in the care of sb (a child, pet etc); to foster; to board out" -寅,yín,"3rd earthly branch: 3-5 a.m., 1st solar month (4th February-5th March), year of the Tiger; ancient Chinese compass point: 60°" -寅吃卯粮,yín chī mǎo liáng,"lit. eating away next year's food in advance; fig. to dip into the next month's check; live now, pay later" -寅支卯粮,yín zhī mǎo liáng,see 寅吃卯糧|寅吃卯粮[yin2 chi1 mao3 liang2] -寅时,yín shí,3-5 am (in the system of two-hour subdivisions used in former times) -寅虎,yín hǔ,"Year 3, year of the Tiger (e.g. 2010)" -密,mì,surname Mi; name of an ancient state -密,mì,secret; confidential; close; thick; dense -密不可分,mì bù kě fēn,inextricably linked (idiom); inseparable -密不透风,mì bù tòu fēng,sealed off; impenetrable -密令,mì lìng,secret instruction; secret order -密件,mì jiàn,secret documents; abbr. for 機密文件|机密文件 -密使,mì shǐ,secret envoy -密克罗尼西亚,mì kè luó ní xī yà,Micronesia -密函,mì hán,secret letter -密切,mì qiè,close; familiar; intimate; closely (related); to foster close ties; to pay close attention -密切接触者,mì qiè jiē chù zhě,(epidemiology) close contact -密切注意,mì qiè zhù yì,to pay close attention (to sth) -密切注视,mì qiè zhù shì,to watch closely -密切相连,mì qiè xiāng lián,to relate closely; closely related -密切相关,mì qiè xiāng guān,closely related -密友,mì yǒu,close friend -密司脱,mì sī tuō,variant of 密斯脫|密斯脱[mi4 si1 tuo1] -密合,mì hé,close-fitting; tightly sealed -密告,mì gào,to report secretly; to tip off -密商,mì shāng,to negotiate in secret; confidential discussions -密报,mì bào,secret report -密宗,mì zōng,Vajrayana; Tantric Buddhism -密宗,mì zōng,tantra -密室,mì shì,a room for keeping sth hidden; secret room; hidden chamber -密室逃脱,mì shì táo tuō,escape room -密密,mì mì,thick; dense; close -密密匝匝,mì mi zā zā,thick; concentrated; dense -密密实实,mì mi shí shi,thick; concentrated -密密层层,mì mi céng céng,tightly packed; closely layered -密密扎扎,mì mì zhā zhā,thick; dense -密密麻麻,mì mi má má,numerous and close together; densely packed; thickly dotted -密实,mì shí,close (texture); dense; densely woven -密封,mì fēng,to seal up -密封胶,mì fēng jiāo,sealant; sealing glue -密封舱,mì fēng cāng,sealed compartment -密封辐射源,mì fēng fú shè yuán,sealed radiation source -密山,mì shān,"Mishan, county-level city in Jixi 雞西|鸡西[Ji1 xi1], Heilongjiang" -密山市,mì shān shì,"Mishan, county-level city in Jixi 雞西|鸡西[Ji1 xi1], Heilongjiang" -密布,mì bù,to cover densely -密帐,mì zhàng,secret account (e.g. bank account) -密度,mì dù,density; thickness -密度波,mì dù bō,density wave -密度计,mì dù jì,density gauge -密恐,mì kǒng,trypophobia (abbr. for 密集恐懼症|密集恐惧症[mi4 ji2 kong3 ju4 zheng4]) -密排,mì pái,leading (between lines of type) -密探,mì tàn,secret agent; detective; covert investigator -密接,mì jiē,closely connected; inseparably related; (epidemiology) close contact (abbr. for 密切接觸者|密切接触者[mi4 qie4 jie1 chu4 zhe3]) -密教,mì jiào,esoteric Buddhism -密文,mì wén,ciphertext -密斯,mì sī,Miss (loanword) -密斯脱,mì sī tuō,mister (loanword) -密会,mì huì,secret meeting; to meet secretly -密林,mì lín,jungle -密植,mì zhí,close planting -密歇根,mì xiē gēn,"Michigan, US state" -密歇根大学,mì xiē gēn dà xué,University of Michigan -密歇根州,mì xiē gēn zhōu,"Michigan, US state" -密歇根湖,mì xiē gēn hú,"Lake Michigan, one of the Great Lakes 五大湖[Wu3 da4 hu2]" -密尔沃基,mì ěr wò jī,Milwaukee (city) -密特朗,mì tè lǎng,Mitterrand -密码,mì mǎ,cipher; secret code; password; PIN -密码保护,mì mǎ bǎo hù,password protection -密码子,mì mǎ zi,codon -密码学,mì mǎ xué,cryptography -密码货币,mì mǎ huò bì,see 加密貨幣|加密货币[jia1 mi4 huo4 bi4] -密码锁,mì mǎ suǒ,combination lock -密码电报,mì mǎ diàn bào,coded telegram; ciphered cable -密檐塔,mì yán tǎ,multi-eaved pagoda -密约,mì yuē,secret appointment -密致,mì zhì,compact; dense; close-spaced -密县,mì xiàn,Mi county in Henan -密织,mì zhī,closely woven -密苏里,mì sū lǐ,Missouri -密苏里州,mì sū lǐ zhōu,Missouri -密西根,mì xī gēn,"Michigan, US state (Tw)" -密西根州,mì xī gēn zhōu,"Michigan, US state (Tw)" -密西西比,mì xī xī bǐ,Mississippi -密西西比州,mì xī xī bǐ zhōu,"Mississippi, US state" -密西西比河,mì xī xī bǐ hé,Mississippi River -密访,mì fǎng,to pay a secret visit; to pay an undercover visit -密诏,mì zhào,secret imperial edict -密语,mì yǔ,code word; coded language; to communicate in private -密谈,mì tán,commune; private discussion -密谋,mì móu,conspiracy; secret plan; to conspire -密送,mì sòng,Bcc (for email); Blind carbon copy (for email) -密钥,mì yào,(cryptography) key -密闭,mì bì,sealed; airtight -密闭舱,mì bì cāng,sealed cabin -密闭货舱,mì bì huò cāng,sealed cabin -密闭门,mì bì mén,airtight door -密集,mì jí,concentrated; crowded together; intensive; compressed -密集恐惧症,mì jí kǒng jù zhèng,trypophobia -密云,mì yún,"Miyun, a district of Beijing" -密云区,mì yún qū,"Miyun, a district of Beijing" -密云县,mì yún xiàn,Miyun county in Beijing -密电,mì diàn,coded telegram; secret telegram -密麻麻,mì má má,see 密密麻麻|密密麻麻[mi4 mi5 ma2 ma2] -寇,kòu,to invade; to plunder; bandit; foe; enemy -寇攘,kòu rǎng,to rob and steal -寇比力克,kòu bǐ lì kè,see 庫布里克|库布里克[Ku4 bu4 li3 ke4] -寇准,kòu zhǔn,"Kou Zhun (961-1023), Northern Song politician and poet" -富,fù,surname Fu -富,fù,rich; abundant; wealthy -富不过三代,fù bù guò sān dài,wealth never survives three generations (idiom) -富二代,fù èr dài,children of entrepreneurs who became wealthy under Deng Xiaoping's economic reforms in the 1980s; see also 窮二代|穷二代[qiong2 er4 dai4] -富人,fù rén,rich person; the rich -富可敌国,fù kě dí guó,having wealth equivalent to that of an entire nation (idiom); extremely wealthy -富含,fù hán,to contain in great quantities; rich in -富商,fù shāng,rich merchant -富商大贾,fù shāng dà gǔ,tycoon; magnate -富商巨贾,fù shāng jù gǔ,tycoon; magnate -富国,fù guó,rich country; make the country wealthy (political slogan) -富国安民,fù guó ān mín,to make the country rich and the people at peace -富国强兵,fù guó qiáng bīng,"lit. rich country, strong army (idiom); slogan of legalist philosophers in pre-Han times; Make the country wealthy and the military powerful, slogan of modernizers in Qing China and Meiji Japan (Japanese pronunciation: Fukoku kyōhei)" -富士,fù shì,Fuji (Japanese company) -富士山,fù shì shān,"Mt. Fuji, Japan" -富士康,fù shì kāng,Foxconn Technology Group; abbr. of 富士康科技集團|富士康科技集团[Fu4 shi4 kang1 ke1 ji4 ji2 tuan2] -富士康科技集团,fù shì kāng kē jì jí tuán,Foxconn Technology Group -富士通,fù shì tōng,Fujitsu -富婆,fù pó,wealthy woman -富孀,fù shuāng,rich widow -富富有余,fù fù yǒu yú,richly provided for; having enough and to spare -富宁,fù níng,"Funing county in Wenshan Zhuang and Miao autonomous prefecture 文山壯族苗族自治州|文山壮族苗族自治州[Wen2 shan1 Zhuang4 zu2 Miao2 zu2 zi4 zhi4 zhou1], Yunnan" -富宁县,fù níng xiàn,"Funing county in Wenshan Zhuang and Miao autonomous prefecture 文山壯族苗族自治州|文山壮族苗族自治州[Wen2 shan1 Zhuang4 zu2 Miao2 zu2 zi4 zhi4 zhou1], Yunnan" -富川瑶族自治县,fù chuān yáo zú zì zhì xiàn,"Fuchuan Yao autonomous county in Hezhou 賀州|贺州[He4 zhou1], Guangxi" -富川县,fù chuān xiàn,"Fuchuan Yao autonomous county in Hezhou 賀州|贺州[He4 zhou1], Guangxi" -富布赖特,fù bù lài tè,Fulbright (scholarship) -富平,fù píng,"Fuping County in Weinan 渭南[Wei4 nan2], Shaanxi" -富平县,fù píng xiàn,"Fuping County in Weinan 渭南[Wei4 nan2], Shaanxi" -富庶,fù shù,populous and affluent -富强,fù qiáng,rich and powerful -富得流油,fù de liú yóu,affluent; very rich -富态,fù tai,(euphemism) stout; portly -富户,fù hù,rich family; large landlord -富拉尔基,fù lā ěr jī,"Fularji district of Qiqihar city 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -富拉尔基区,fù lā ěr jī qū,"Fularji district of Qiqihar city 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -富文本,fù wén běn,rich text (computing) -富于,fù yú,to be full of; to be rich in -富于想像,fù yú xiǎng xiàng,imaginative -富春江,fù chūn jiāng,Fuchun River in Zhejiang -富时,fù shí,FTSE (British provider of stock exchange indices such as FTSE 100) -富有,fù yǒu,rich; wealthy; affluent; to be rich in; to be replete with -富民,fù mín,"Fumin county in Kunming 昆明[Kun1 ming2], Yunnan" -富民,fù mín,to enrich the people -富民县,fù mín xiàn,"Fumin county in Kunming 昆明[Kun1 ming2], Yunnan" -富源,fù yuán,"Fuyuan county in Qujing 曲靖[Qu3 jing4], Yunnan" -富源县,fù yuán xiàn,"Fuyuan county in Qujing 曲靖[Qu3 jing4], Yunnan" -富矿,fù kuàng,high-grade ore -富纳富提,fù nà fù tí,"Funafuti, capital of Tuvalu" -富县,fù xiàn,"Fu county in Yan'an 延安[Yan2 an1], Shaanxi" -富翁,fù wēng,rich person; millionaire; billionaire -富良野,fù liáng yě,"Furano, Hokkaidō, Japan" -富色彩,fù sè cǎi,colorful -富蕴,fù yùn,"Fuyun county in Altay prefecture 阿勒泰地區|阿勒泰地区[A1 le4 tai4 di4 qu1], Xinjiang" -富蕴县,fù yùn xiàn,"Fuyun county in Altay prefecture 阿勒泰地區|阿勒泰地区[A1 le4 tai4 di4 qu1], Xinjiang" -富兰克林,fù lán kè lín,"Franklin (name); Benjamin Franklin (1706-1790), US Founding Father, scientist and author" -富裕,fù yù,"Fuyu county in Qiqihar 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -富裕,fù yù,prosperous; well-to-do; well-off -富裕县,fù yù xiàn,"Fuyu county in Qiqihar 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -富豪,fù háo,rich and powerful person -富贵,fù guì,riches and honor -富贵不能淫,fù guì bù néng yín,not corrupted by wealth and honors -富贵包,fù guì bāo,dowager's hump -富贵寿考,fù guì shòu kǎo,"rank, wealth, and long life" -富贵病,fù guì bìng,rich person's ailment (needing expensive treatment and long recuperation) -富贵竹,fù guì zhú,lucky bamboo (Dracaena sanderiana) -富贵角,fù guì jiǎo,"Cape Fukuei, the northernmost point of Taiwan Island" -富足,fù zú,rich; plentiful -富农,fù nóng,"rich peasant; social class of people farming their own land, intermediate between land-owner class 地主[di4 zhu3] and poor peasant 貧農|贫农[pin2 nong2]" -富里,fù lǐ,"Fuli township in Hualien County 花蓮縣|花莲县[Hua1 lian2 Xian4], east Taiwan" -富里乡,fù lǐ xiāng,"Fuli township in Hualien County 花蓮縣|花莲县[Hua1 lian2 Xian4], east Taiwan" -富锦,fù jǐn,"Fujin, county-level city in Kiamusze or Jiamusi 佳木斯[Jia1 mu4 si1], Heilongjiang" -富锦市,fù jǐn shì,"Fujin, county-level city in Kiamusze or Jiamusi city 佳木斯[Jia1 mu4 si1], Heilongjiang" -富铁土,fù tiě tǔ,ferrosol (soil taxonomy) -富阳,fù yáng,"Fuyang, county-level city in Hangzhou 杭州[Hang2 zhou1], Zhejiang" -富阳市,fù yáng shì,"Fuyang, county-level city in Hangzhou 杭州[Hang2 zhou1], Zhejiang" -富顺,fù shùn,"Fushun county in Zigong 自貢|自贡[Zi4 gong4], Sichuan" -富顺县,fù shùn xiàn,"Fushun county in Zigong 自貢|自贡[Zi4 gong4], Sichuan" -富养,fù yǎng,to raise (a child) indulgently -富余,fù yu,in surplus -富饶,fù ráo,fertile; richly provided -富丽堂皇,fù lì táng huáng,(idiom) (of houses etc) sumptuous -寐,mèi,to sleep soundly -寐龙,mèi lóng,"Mei, dinosaur genus; Mei long, dinosaur species" -寝,qǐn,old variant of 寢|寝[qin3] -寒,hán,cold; poor; to tremble -寒亭,hán tíng,"Hanting district of Weifang city 濰坊市|潍坊市[Wei2 fang1 shi4], Shandong" -寒亭区,hán tíng qū,"Hanting district of Weifang city 濰坊市|潍坊市[Wei2 fang1 shi4], Shandong" -寒假,hán jià,winter vacation -寒伧,hán chen,variant of 寒磣|寒碜[han2 chen5] -寒光闪闪,hán guāng shǎn shǎn,to glitter like frost and snow (idiom) -寒冬,hán dōng,cold winter -寒冷,hán lěng,cold (climate); frigid; very cold -寒噤,hán jìn,a shiver -寒天,hán tiān,chilly weather; (loanword from Japanese) agar-agar -寒带,hán dài,polar climate -寒微,hán wēi,of humble origin -寒心,hán xīn,disillusioned; bitterly disappointed; terrified -寒意,hán yì,a nip in the air; chilliness -寒战,hán zhàn,shiver -寒暄,hán xuān,to exchange conventional greetings; to exchange pleasantries -寒武爆发,hán wǔ bào fā,the Cambrian explosion -寒武纪,hán wǔ jì,Cambrian geological period (541-485.4 million years ago) -寒武纪大爆发,hán wǔ jì dà bào fā,the Cambrian explosion -寒武纪生命大爆发,hán wǔ jì shēng mìng dà bào fā,the Cambrian explosion -寒毛,hán máo,fine hair on the human body -寒气,hán qì,cold air; a chill one feels in the body (when exposed to cold air) -寒流,hán liú,cold air current; cold ocean current; cold stream -寒潮,hán cháo,cold wave; CL:股[gu3] -寒碜,hán chen,ugly; shameful; to ridicule -寒窗,hán chuāng,a life of strenuous studies (idiom) -寒舍,hán shè,my humble home -寒荆,hán jīng,(polite) my wife (old) -寒蝉,hán chán,"a cicada in cold weather (used as a metaphor for sb who keeps their thoughts to themself); Meimuna opalifera, a kind of cicada found in East Asia" -寒蝉效应,hán chán xiào yìng,the chilling effect of a climate of fear in which people are afraid to speak their mind -寒衣,hán yī,winter clothing -寒酸,hán suān,"wretched; poverty-stricken; unpresentable (for clothing, gifts etc)" -寒门,hán mén,poor and humble family; my family (humble) -寒露,hán lù,"Hanlu or Cold Dew, 17th of the 24 solar terms 二十四節氣|二十四节气 8th-22nd October" -寒风刺骨,hán fēng cì gǔ,bone chilling wind (idiom) -寒食,hán shí,cold food (i.e. to abstain from cooked food for 3 days around the Qingming festival 清明節|清明节); the Qingming festival -寒鸦,hán yā,(bird species of China) Eurasian jackdaw (Coloeus monedula) -寓,yù,to reside; to imply; to contain; residence -寓居,yù jū,to make one's home in; to reside in; to inhabit -寓意,yù yì,moral (of a story); lesson to be learned; implication; message; import; metaphorical meaning -寓意深远,yù yì shēn yuǎn,the implied message is deep (idiom); having deep implications -寓意深长,yù yì shēn cháng,to have profound import (idiom); to be deeply significant -寓所,yù suǒ,dwelling -寓教于乐,yù jiào yú lè,to make learning fun; to combine education and entertainment -寓目,yù mù,(literary) to look over; to view -寓管理于服务之中,yù guǎn lǐ yú fú wù zhī zhōng,to make administration service-oriented -寓言,yù yán,fable; CL:則|则[ze2] -宁,nìng,old variant of 寧|宁[ning4] -寞,mò,lonesome -察,chá,short name for Chahar Province 察哈爾|察哈尔[Cha2 ha1 er3] -察,chá,to examine; to inquire; to observe; to inspect; to look into; obvious; clearly evident -察合台,chá gě tái,"Chagatai (died 1241), a son of Genghis Khan" -察哈尔,chá hā ěr,Chahar Province (former province in North China existing from 1912-1936) -察哈尔右翼中旗,chá hā ěr yòu yì zhōng qí,"Chahar Right Center banner or Caxar Baruun Garyn Dund khoshuu in Ulaanchab 烏蘭察布|乌兰察布[Wu1 lan2 cha2 bu4], Inner Mongolia" -察哈尔右翼前旗,chá hā ěr yòu yì qián qí,"Chahar Right Front banner or Caxar Baruun Garyn Ömnöd khoshuu in Ulaanchab 烏蘭察布|乌兰察布[Wu1 lan2 cha2 bu4], Inner Mongolia" -察哈尔右翼后旗,chá hā ěr yòu yì hòu qí,"Chahar Right Rear banner or Caxar Baruun Garyn Xoit khoshuu in Ulaanchab 烏蘭察布|乌兰察布[Wu1 lan2 cha2 bu4], Inner Mongolia" -察察,chá chá,clean; spotless -察察为明,chá chá wéi míng,keenly observant of trivial details -察布查尔,chá bù chá ěr,"Qapqal Xibe Autonomous County in Ili Kazakh Autonomous Prefecture 伊犁哈薩克自治州|伊犁哈萨克自治州[Yi1 li2 Ha1 sa4 ke4 Zi4 zhi4 zhou1], Xinjiang" -察布查尔县,chá bù chá ěr xiàn,"Qapqal Xibe Autonomous County in Ili Kazakh Autonomous Prefecture 伊犁哈薩克自治州|伊犁哈萨克自治州[Yi1 li2 Ha1 sa4 ke4 Zi4 zhi4 zhou1], Xinjiang" -察布查尔锡伯自治县,chá bù chá ěr xī bó zì zhì xiàn,"Qapqal Xibe Autonomous County in Ili Kazakh Autonomous Prefecture 伊犁哈薩克自治州|伊犁哈萨克自治州[Yi1 li2 Ha1 sa4 ke4 Zi4 zhi4 zhou1], Xinjiang" -察微知著,chá wēi zhī zhù,to examine tiny clues to know general trends (idiom); to deduce the whole story from small traces -察尔汗盐湖,chá ěr hán yán hú,Qarhan Salt Lake in west Qinghai -察看,chá kàn,to watch; to look carefully at -察纳,chá nà,to investigate and accept -察觉,chá jué,to sense; to perceive; to become aware of; to detect -察言观色,chá yán guān sè,to weigh up sb's words and observe their facial expression (idiom); to discern what sb thinks from his body language -察访,chá fǎng,to make an investigative visit; to go and find out from the source -察隅,chá yú,"Zayü county, Tibetan: Rdza yul rdzong, in Nyingchi prefecture 林芝地區|林芝地区[Lin2 zhi1 di4 qu1], Tibet" -察隅县,chá yú xiàn,"Zayü county, Tibetan: Rdza yul rdzong, in Nyingchi prefecture 林芝地區|林芝地区[Lin2 zhi1 di4 qu1], Tibet" -察雅,chá yǎ,"Zhag'yab county, Tibetan: Brag g-yab rdzong, in Chamdo prefecture 昌都地區|昌都地区[Chang1 du1 di4 qu1], Tibet" -察雅县,chá yǎ xiàn,"Zhag'yab county, Tibetan: Brag g-yab rdzong, in Chamdo prefecture 昌都地區|昌都地区[Chang1 du1 di4 qu1], Tibet" -察验,chá yàn,to examine -寡,guǎ,few; scant; widowed -寡不敌众,guǎ bù dí zhòng,the few are no match for the many; heavily outnumbered; facing impossible odds (idiom) -寡二少双,guǎ èr shǎo shuāng,peerless; second to none (idiom) -寡人,guǎ rén,I (first person pronoun used by royalty or nobility) -寡助,guǎ zhù,(esp. of an unjust cause) to receive little support -寡妇,guǎ fu,widow -寡居,guǎ jū,to live as a widow -寡情,guǎ qíng,heartless; unfeeling -寡淡,guǎ dàn,insipid; bland; indifferent -寡糖,guǎ táng,oligosaccharide -寡言,guǎ yán,taciturn; reticent -寡陋,guǎ lòu,having little knowledge; not well-read -寡头,guǎ tóu,oligarch -寡头垄断,guǎ tóu lǒng duàn,oligopoly -寡头政治,guǎ tóu zhèng zhì,oligarchy -寝,qǐn,(bound form) to lie down to sleep or rest; (bound form) bedroom; (bound form) imperial tomb; (literary) to stop; to cease -寝具,qǐn jù,bedding -寝室,qǐn shì,bedroom; dormitory; CL:間|间[jian1] -寝苫枕块,qǐn shān zhěn kuài,bed of straw and pillow of clay (idiom); the correct etiquette for a filial son during the mourning period -寝食难安,qǐn shí nán ān,lit. cannot rest or eat in peace (idiom); fig. extremely worried and troubled -寤,wù,to awake from sleep -寤寐,wù mèi,(literary) awake or asleep; (fig.) all the time; constantly -寤寐以求,wù mèi yǐ qiú,to crave day and night; to strongly desire -寥,liáo,empty; lonesome; very few -寥寥,liáo liáo,very few -寥寥可数,liáo liáo kě shǔ,just a very few (idiom); tiny number; just a handful; not many at all; You count them on your fingers. -寥寥无几,liáo liáo wú jǐ,just a very few (idiom); tiny number; not many at all; You count them on your fingers. -寥廓,liáo kuò,(literary) vast; boundless -寥若晨星,liáo ruò chén xīng,rare as morning stars (idiom); few and far between; sparse -寥落,liáo luò,sparse; few and far between -实,shí,real; true; honest; really; solid; fruit; seed; definitely -实不相瞒,shí bù xiāng mán,truth to tell; to be quite honest... -实事,shí shì,fact; actual thing; practical matter -实事求是,shí shì qiú shì,lit. to seek truth from facts (idiom); fig. to be practical and realistic -实付,shí fù,actually paid; net (payment) -实例,shí lì,actual example; living example; illustration; demonstration; (computing) instance -实值,shí zhí,real-valued (math.); taking real numbers as values (of a function) -实分析,shí fēn xī,real analysis; calculus of real variables -实利,shí lì,advantage; gain; net profit -实利主义,shí lì zhǔ yì,utilitarianism -实则,shí zé,actually; in fact -实力,shí lì,strength -实力主义,shí lì zhǔ yì,meritocracy -实务,shí wù,"practice (customary action, as opposed to theory); practical" -实参,shí cān,(computing) actual parameter; argument (abbr. for 實際參數|实际参数[shi2 ji4 can1 shu4]) -实受资本,shí shou zī běn,paid-up capital -实名,shí míng,real-name (registration etc); non-anonymous -实名制,shí míng zhì,"system for identifying users (on a rail network, the Internet etc)" -实在,shí zài,really; actually; indeed; true; real; honest; dependable; (philosophy) reality -实地,shí dì,on-site -实地访视,shí dì fǎng shì,onsite visit -实报实销,shí bào shí xiāo,to be reimbursed for actual expenses -实女,shí nǚ,female suffering absence or atresia of vagina (as birth defect) -实属,shí shǔ,(to) really (be) -实属不易,shí shǔ bù yì,really not easy (idiom) -实干,shí gàn,to work industriously; to get things done -实干家,shí gàn jiā,sb who gets things done; doer -实弹,shí dàn,live ammunition -实心,shí xīn,sincere; solid -实心皮球,shí xīn pí qiú,medicine ball -实情,shí qíng,the actual situation; the truth -实惠,shí huì,tangible benefit; material advantages; cheap; economical; advantageous (deal); substantial (discount) -实意,shí yì,sincere; real meaning -实战,shí zhàn,real combat; actual combat -实拍,shí pāi,candid photograph; genuine photograph (not set up or doctored) -实控人,shí kòng rén,(corporations law) actual controller -实操,shí cāo,to actually do (sth) (as opposed to learning how to do it from books etc); practice (as opposed to theory) (abbr. for 實際操作|实际操作[shi2 ji4 cao1 zuo4]) -实据,shí jù,factual evidence -实收,shí shōu,net receipts; real income -实收资本,shí shōu zī běn,paid-in capital; contributed capital (finance) -实效,shí xiào,actual effect; practical result; efficacy -实数,shí shù,real number (math.); actual value -实数值,shí shù zhí,real-valued (math.); taking real numbers as values (of a function) -实数集,shí shù jí,set of real numbers -实施,shí shī,to implement; to carry out -实施例,shí shī lì,(patent) implementation; embodiment -实时,shí shí,(in) real time; instantaneous -实景,shí jǐng,real scene (not set up or posed); real location (not a film studio set or theater); live action (not animation) -实根,shí gēn,real root (of a polynomial) -实业,shí yè,industry; commercial enterprise -实业家,shí yè jiā,industrialist -实权,shí quán,real power; genuine power -实岁,shí suì,one's age (calculated as years from birth); contrasted with 虛歲|虚岁[xu1 sui4] -实况,shí kuàng,live (e.g. broadcast or recording); what is actually happening; scene; the real situation -实况主,shí kuàng zhǔ,live vlogger; live-streamer -实况转播,shí kuàng zhuǎn bō,to broadcast live from the scene; live relay -实况录音,shí kuàng lù yīn,live recording -实测,shí cè,"to take measurements; measured (speed etc); observed (as opposed to ""estimated""); observational (astronomy)" -实物,shí wù,material object; concrete object; original object; in kind; object for practical use; definite thing; reality; matter (physics) -实物教学,shí wù jiào xué,object lesson -实现,shí xiàn,to achieve; to implement; to realize; to bring about -实用,shí yòng,practical; functional; pragmatic; applied (science) -实用主义,shí yòng zhǔ yì,pragmatism -实用价值,shí yòng jià zhí,practical value -实相,shí xiàng,actual situation; the ultimate essence of things (Buddhism) -实穿,shí chuān,(of an item of clothing) practical -实线,shí xiàn,solid line; continuous line -实缴资本,shí jiǎo zī běn,paid-in capital; contributed capital (finance) -实习,shí xí,to practice; field work; to intern; internship -实习生,shí xí sheng,intern (student) -实职,shí zhí,active participation -实肘,shí zhǒu,full arm (method of painting) -实至名归,shí zhì míng guī,fame follows merit (idiom) -实行,shí xíng,to implement; to carry out; to put into practice -实词,shí cí,(linguistics) content word -实话,shí huà,truth -实话实说,shí huà shí shuō,to tell the truth; to tell it as it is -实诚,shí chéng,sincere; honest -实证,shí zhèng,actual proof; concrete evidence; empirical -实证主义,shí zhèng zhǔ yì,positivism; empiricism -实变,shí biàn,(math.) real variable -实变函数,shí biàn hán shù,function of a real variable (math.) -实变函数论,shí biàn hán shù lùn,(math.) theory of functions of a real variable -实质,shí zhì,substance; essence -实质上,shí zhì shàng,virtually; essentially -实质性,shí zhì xìng,substantive; substantial; material; considerable -实足,shí zú,full; complete; all of -实践,shí jiàn,practice; to put into practice; to live up to (a promise); to carry out (a project) -实践是检验真理的唯一标准,shí jiàn shì jiǎn yàn zhēn lǐ de wéi yī biāo zhǔn,"Actual practice is the sole criterion for judging truth (item from Deng Xiaoping theory, from 1978)" -实锤,shí chuí,(neologism c. 2014) (slang) solid proof; irrefutable evidence -实际,shí jì,reality; practice; practical; realistic; real; actual -实际上,shí jì shàng,in fact; in reality; as a matter of fact; in practice -实际参数,shí jì cān shù,(computing) actual parameter; argument -实际性,shí jì xìng,practicality -实际情况,shí jì qíng kuàng,actual circumstances; the real situation; reality -实际应用,shí jì yìng yòng,practical application -实际控制人,shí jì kòng zhì rén,(corporations law) actual controller -实际控制线,shí jì kòng zhì xiàn,"Line of Actual Control (LAC), separating Indian-controlled territory from Chinese-controlled territory" -实验,shí yàn,"experiment; test; CL:個|个[ge4],次[ci4]; experimental; to experiment" -实验室,shí yàn shì,laboratory; CL:間|间[jian1] -实验室感染,shí yàn shì gǎn rǎn,laboratory infection -实验心理学,shí yàn xīn lǐ xué,experimental psychology -实验所,shí yàn suǒ,laboratory; institute -实验组,shí yàn zǔ,experimental group; treatment group -实体,shí tǐ,"entity; substance; thing that has a material existence (as opposed to a conceptual, virtual or online existence); the real thing (as opposed to an image or model of it)" -实体层,shí tǐ céng,physical layer (OSI) -实体店,shí tǐ diàn,brick and mortar business; physical (rather than online) retail store -实体书,shí tǐ shū,physical book -宁,níng,abbr. for Ningxia Hui Autonomous Region 寧夏回族自治區|宁夏回族自治区[Ning2xia4 Hui2zu2 Zi4zhi4qu1]; abbr. for Nanjing 南京[Nan2jing1]; surname Ning -宁,níng,peaceful; to pacify; to visit (one's parents etc) -宁,nìng,would rather; to prefer; how (emphatic); Taiwan pr. [ning2] -宁化,níng huà,"Ninghua, a county in Sanming City 三明市[San1ming2 Shi4], Fujian" -宁化县,níng huà xiàn,"Ninghua, a county in Sanming City 三明市[San1ming2 Shi4], Fujian" -宁南,níng nán,"Ningnan county in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -宁南县,níng nán xiàn,"Ningnan county in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -宁可,nìng kě,preferably; one would prefer to...(or not to...); would rather; (would) be better to; (to pick) the lesser of two evils -宁国,níng guó,"Ningguo, county-level city in Xuancheng 宣城[Xuan1cheng2], Anhui" -宁国市,níng guó shì,"Ningguo, county-level city in Xuancheng 宣城[Xuan1cheng2], Anhui" -宁城,níng chéng,"Ningcheng County of Chifeng 赤峰[Chi4 feng1], Inner Mongolia" -宁城县,níng chéng xiàn,"Ningcheng County of Chifeng 赤峰[Chi4 feng1], Inner Mongolia" -宁夏,níng xià,"Ningxia Hui Autonomous Region, abbr. 寧|宁[Ning2], capital Yinchuan 銀川|银川[Yin2 chuan1]" -宁夏回族自治区,níng xià huí zú zì zhì qū,"Ningxia Hui Autonomous Region, abbr. 寧|宁[Ning2], capital Yinchuan 銀川|银川[Yin2 chuan1]" -宁夏省,níng xià shěng,"former Ningxia province, now Ningxia Hui Autonomous Region 寧夏回族自治區|宁夏回族自治区[Ning2 xia4 Hui2 zu2 Zi4 zhi4 qu1]" -宁安,níng ān,"Ning'an, county-level city in Mudanjiang 牡丹江, Heilongjiang" -宁安市,níng ān shì,"Ning'an, county-level city in Mudanjiang 牡丹江, Heilongjiang" -宁宗,níng zōng,Emperor Ningzong of Southern Song (1168-1224) -宁冈,níng gāng,"former Ninggang county in Jiangxi, now within Jinggangshan, county-level city 井岡山市|井冈山市[Jing3 gang1 shan1 shi4] in Ji'an 吉安, Jiangxi" -宁冈县,níng gāng xiàn,"former Ninggang county in Jiangxi, now within Jinggangshan, county-level city 井岡山市|井冈山市[Jing3 gang1 shan1 shi4] in Ji'an 吉安, Jiangxi" -宁左勿右,nìng zuǒ wù yòu,(of one's political views) to prefer left rather than right (idiom during the Cultural Revolution) -宁强,níng qiáng,"Ningqiang County in Hanzhong 漢中|汉中[Han4 zhong1], Shaanxi" -宁强县,níng qiáng xiàn,"Ningqiang County in Hanzhong 漢中|汉中[Han4 zhong1], Shaanxi" -宁德,níng dé,"Ningde, prefecture-level city in Fujian" -宁德市,níng dé shì,"Ningde, prefecture-level city in Fujian" -宁明,níng míng,"Ningming county in Chongzuo 崇左[Chong2 zuo3], Guangxi" -宁明县,níng míng xiàn,"Ningming county in Chongzuo 崇左[Chong2 zuo3], Guangxi" -宁晋,níng jìn,"Ningjin county in Xingtai 邢台[Xing2 tai2], Hebei" -宁晋县,níng jìn xiàn,"Ningjin county in Xingtai 邢台[Xing2 tai2], Hebei" -宁武,níng wǔ,"Ningwu county in Xinzhou 忻州[Xin1 zhou1], Shanxi" -宁武县,níng wǔ xiàn,"Ningwu county in Xinzhou 忻州[Xin1 zhou1], Shanxi" -宁死不屈,nìng sǐ bù qū,rather die than submit (idiom) -宁江,níng jiāng,"Ningjiang district of Songyuan city 松原市, Jilin" -宁江区,níng jiāng qū,"Ningjiang district of Songyuan city 松原市, Jilin" -宁河,níng hé,Ninghe county in Tianjin 天津[Tian1 jin1] -宁河县,níng hé xiàn,Ninghe county in Tianjin 天津[Tian1 jin1] -宁波,níng bō,Ningbo subprovincial city in Zhejiang -宁波市,níng bō shì,Ningbo subprovincial city in Zhejiang -宁津,níng jīn,"Ningjin county in Dezhou 德州[De2 zhou1], Shandong" -宁津县,níng jīn xiàn,"Ningjin county in Dezhou 德州[De2 zhou1], Shandong" -宁洱,níng ěr,Ning'er County in Yunnan; abbr. for Ning'er Hani and Yi Autonomous County 寧洱哈尼族彞族自治縣|宁洱哈尼族彝族自治县[Ning2 er3 Ha1 ni2 zu2 Yi2 zu2 Zi4 zhi4 xian4] -宁洱哈尼族彝族自治县,níng ěr hā ní zú yí zú zì zhì xiàn,"Ning'er Hani and Yi Autonomous County in Yunnan, capital Pu'er city 普洱市[Pu3 er3 shi4]; formerly Pu'er Hani and Yi autonomous county" -宁洱县,níng ěr xiàn,Ning'er County in Yunnan; abbr. for Ning'er Hani and Yi Autonomous County 寧洱哈尼族彞族自治縣|宁洱哈尼族彝族自治县[Ning2 er3 Ha1 ni2 zu2 Yi2 zu2 Zi4 zhi4 xian4] -宁海,níng hǎi,"Ninghai county in Ningbo 寧波|宁波[Ning2 bo1], Zhejiang" -宁海县,níng hǎi xiàn,"Ninghai county in Ningbo 寧波|宁波[Ning2 bo1], Zhejiang" -宁县,níng xiàn,"Ning county in Qingyang 慶陽|庆阳[Qing4 yang2], Gansu" -宁缺勿滥,nìng quē wù làn,same as 寧缺毋濫|宁缺毋滥[ning4 que1 wu2 lan4] -宁缺毋滥,nìng quē wú làn,better to have nothing (than substandard choice) (idiom); would prefer to go without than accept shoddy option -宁肯,nìng kěn,would rather...; it would be better...; would prefer -宁蒗,níng làng,"abbr. for 寧蒗彞族自治縣|宁蒗彝族自治县, Ninglang Yizu autonomous county in Yunnan" -宁蒗彝族自治县,níng làng yí zú zì zhì xiàn,"Ninglang Yizu Autonomous County in Lijiang 麗江|丽江[Li4 jiang1], Yunnan" -宁蒗县,níng làng xiàn,"Ninglang Yizu autonomous county in Lijiang 麗江|丽江[Li4 jiang1], Yunnan" -宁远,níng yuǎn,"Ningyuan county in Yongzhou 永州[Yong3 zhou1], Hunan" -宁远县,níng yuǎn xiàn,"Ningyuan county in Yongzhou 永州[Yong3 zhou1], Hunan" -宁边,níng biān,"Yongbyon (Ryeongbyeon), site of North Korean nuclear reactor" -宁都,níng dū,"Ningdu county in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -宁都县,níng dū xiàn,"Ningdu county in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -宁乡,níng xiāng,"Ningxiang county in Changsha 長沙|长沙[Chang2 sha1], Hunan" -宁乡县,níng xiāng xiàn,"Ningxiang county in Changsha 長沙|长沙[Chang2 sha1], Hunan" -宁陕,níng shǎn,"Ningshan County in Ankang 安康[An1 kang1], Shaanxi" -宁陕县,níng shǎn xiàn,"Ningshan County in Ankang 安康[An1 kang1], Shaanxi" -宁陵,níng líng,"Ningling county in Shangqiu 商丘[Shang1 qiu1], Henan" -宁陵县,níng líng xiàn,"Ningling county in Shangqiu 商丘[Shang1 qiu1], Henan" -宁阳,níng yáng,"Ningyang county in Tai'an 泰安[Tai4 an1], Shandong" -宁阳县,níng yáng xiàn,"Ninguang county in Tai'an 泰安[Tai4 an1], Shandong" -宁静,níng jìng,tranquil; tranquility; serenity -宁静致远,níng jìng zhì yuǎn,tranquility yields transcendence (idiom); quiet life of profound study; cf Still waters run deep. -宁愿,nìng yuàn,would rather ... (than ...) -寨,zhài,stronghold; stockade; camp; (stockaded) village -寨卡病毒,zhài kǎ bìng dú,Zika virus -审,shěn,to examine; to investigate; carefully; to try (in court) -审判,shěn pàn,a trial; to try sb -审判员,shěn pàn yuán,judge (in court) -审判官,shěn pàn guān,judge; magistrate -审判席,shěn pàn xí,judgment seat -审判庭,shěn pàn tíng,court; tribunal; courtroom -审判栏,shěn pàn lán,judgment bar -审判权,shěn pàn quán,jurisdiction; judicial authority -审判者,shěn pàn zhě,judge -审判长,shěn pàn zhǎng,presiding judge -审问,shěn wèn,to interrogate; to examine; to question -审定,shěn dìng,to examine sth and make a decision; to screen; to evaluate; to approve -审察,shěn chá,to investigate; to examine closely -审干,shěn gàn,to examine the cadres (i.e. 審查幹部|审查干部[shen3 cha2 gan4 bu4]) -审度,shěn duó,to observe and form a judgment -审度时势,shěn duó shí shì,to examine and judge the situation -审慎,shěn shèn,prudent; cautious -审慎行事,shěn shèn xíng shì,to act prudently; steering a cautious course -审批,shěn pī,to examine and approve; to endorse -审改,shěn gǎi,to check and revise -审断,shěn duàn,to examine -审时度势,shěn shí duó shì,to judge the hour and size up the situation; to take stock -审查,shěn chá,to examine; to investigate; to censor out; censorship -审校,shěn jiào,to proof-read; to review (a text) -审核,shěn hé,to audit; to investigate thoroughly -审理,shěn lǐ,to hear (a case) -审稿,shěn gǎo,to review (a paper or manuscript) -审稿人,shěn gǎo rén,reviewer (of a paper) -审级,shěn jí,appeal (to higher courts) -审级制度,shěn jí zhì dù,system of appeals (to higher court) -审结,shěn jié,(law) to try (a criminal case) and reach a conclusion -审美,shěn měi,esthetics; appreciating the arts; taste -审美快感,shěn měi kuài gǎn,esthetic pleasure -审美活动,shěn měi huó dòng,appreciating the arts; esthetic activity -审美眼光,shěn měi yǎn guāng,an eye for beauty; aesthetic judgment -审美观,shěn měi guān,esthetic conception; esthetic point of view; standard -审处,shěn chǔ,to deliberate and decide; to try and punish; trial and execution -审视,shěn shì,to look closely at; to examine -审订,shěn dìng,to revise; to examine and revise -审计,shěn jì,to audit; to examine finances -审计员,shěn jì yuán,accountant; auditor -审计署,shěn jì shǔ,audit office; public accounts committee -审计长,shěn jì zhǎng,auditor -审讯,shěn xùn,inquest; trial; interrogation; to try; to interrogate -审谛,shěn dì,to look at sth carefully; to examine -审议,shěn yì,(of a committee etc) to deliberate; to consider; to discuss -审读,shěn dú,to read (a draft); to review -审酌,shěn zhuó,examination; to check and review -审阅,shěn yuè,to review or peruse -写,xiě,to write -写下,xiě xià,to write down -写作,xiě zuò,to write; to compose; writing; written works -写信,xiě xìn,to write a letter -写字,xiě zì,to write (by hand); to practice calligraphy -写字板,xiě zì bǎn,writing tablet; clipboard -写字楼,xiě zì lóu,office building -写字台,xiě zì tái,writing desk -写完,xiě wán,to finish writing -写实,xiě shí,realism; realistic portrayal; realistic; true to life -写意,xiě yì,"to suggest (rather than depict in detail); freehand style of Chinese painting, characterized by bold strokes rather than accurate details" -写意,xiè yì,comfortable; enjoyable; relaxed -写意画,xiě yì huà,freehand drawing or painting in traditional Chinese style -写手,xiě shǒu,"person who writes articles - newspapers, magazines, blogs (informal); scribe; copyist; a talented writer of articles or of calligraphy" -写本,xiě běn,handwritten copy of a book -写死,xiě sǐ,to hard code (computing) -写法,xiě fǎ,style of writing (literary style); way of writing a character; spelling -写照,xiě zhào,portrayal -写生,xiě shēng,to sketch from nature; to do a still life drawing -写真,xiě zhēn,portrait; to describe sth accurately -写真集,xiě zhēn jí,"photobook (loanword from Japanese), generally sexy portraits of an actress or model" -写道,xiě dào,to write (used before or after a quoted passage) -宽,kuān,surname Kuan -宽,kuān,wide; broad; loose; relaxed; lenient -宽亮,kuān liàng,wide and bright; without worries; deep and sonorous (voice) -宽以待人,kuān yǐ dài rén,to be lenient with others (idiom) -宽假,kuān jiǎ,to pardon; to excuse -宽免,kuān miǎn,"to reduce payment; to annul (debts, bills, taxes etc); to let sb off paying" -宽厚,kuān hòu,tolerant; generous; magnanimous; thick and broad (build); thick and deep (voice) -宽口,kuān kǒu,wide mouth -宽吻海豚,kuān wěn hǎi tún,bottle-nosed dolphin (Tursiops truncatus) -宽城,kuān chéng,"Kuancheng district of Changchun city 長春市|长春市, Jilin; Kuancheng Manchu autonomous county in Chengde 承德[Cheng2 de2], Hebei" -宽城区,kuān chéng qū,"Kuancheng district of Changchun city 長春市|长春市, Jilin" -宽城满族自治县,kuān chéng mǎn zú zì zhì xiàn,"Kuancheng Manchu Autonomous County in Chengde 承德[Cheng2 de2], Hebei" -宽城县,kuān chéng xiàn,"Kuancheng Manchu autonomous county in Chengde 承德[Cheng2 de2], Hebei" -宽大,kuān dà,spacious; wide; lenient -宽大仁爱,kuān dà rén ài,tolerant and lenient (idiom) -宽大为怀,kuān dà wéi huái,magnanimous (idiom); generous -宽宏,kuān hóng,magnanimous -宽宏大度,kuān hóng dà dù,magnanimous; generous; broad-minded -宽宏大量,kuān hóng dà liàng,magnanimous (idiom); generous -宽宥,kuān yòu,to pardon; to forgive -宽容,kuān róng,lenient; tolerant; indulgent; charitable; to forgive -宽尾树莺,kuān wěi shù yīng,(bird species of China) Cetti's warbler (Cettia cetti) -宽屏,kuān píng,widescreen -宽展,kuān zhǎn,happy -宽带,kuān dài,broadband -宽度,kuān dù,width -宽广,kuān guǎng,wide; broad; extensive; vast -宽广度,kuān guǎng dù,width; breadth -宽弘,kuān hóng,magnanimous; generous; broad-minded; wide; resonant (voice) -宽影片,kuān yǐng piàn,wide-screen movie -宽待,kuān dài,to treat leniently; liberal treatment -宽心,kuān xīn,relieved; comforted; to relieve anxieties; at ease; relaxed; reassuring; happy -宽心丸,kuān xīn wán,reassuring explanation; consolatory words -宽心丸儿,kuān xīn wán er,erhua variant of 寬心丸|宽心丸[kuan1 xin1 wan2] -宽恕,kuān shù,to forgive; forgiveness -宽慰,kuān wèi,to console; to soothe; relieved -宽打窄用,kuān dǎ zhǎi yòng,to give oneself leeway (idiom); to allow room for error -宽敞,kuān chang,spacious; wide -宽斧,kuān fǔ,broadax; ax with a wide blade -宽畅,kuān chàng,with no worries; cheerful; spacious -宽旷,kuān kuàng,vast; extensive -宽泛,kuān fàn,wide-ranging -宽洪,kuān hóng,magnanimous; generous; broad-minded; wide; resonant (voice) -宽洪大度,kuān hóng dà dù,magnanimous; generous; broad-minded -宽洪大量,kuān hóng dà liàng,magnanimous; generous; broad-minded -宽减,kuān jiǎn,tax relief -宽爽,kuān shuǎng,happy -宽甸,kuān diàn,Kuandian Manchu autonomous county in Liaoning; abbr. for 寬甸滿族自治縣|宽甸满族自治县 -宽甸满族自治县,kuān diàn mǎn zú zì zhì xiàn,"Kuandian Manchu autonomous county in Dandong 丹東|丹东[Dan1 dong1], Liaoning" -宽甸县,kuān diàn xiàn,Kuandian Manchu autonomous county in Liaoning (abbr. for 寬甸滿族自治縣|宽甸满族自治县[Kuan1 dian4 Man3 zu2 Zi4 zhi4 xian4]) -宽窄,kuān zhǎi,width; breadth -宽绰,kuān chuò,spacious; relaxed; at ease; comfortably well-off -宽缓,kuān huǎn,relieved; tensions relax -宽胶带,kuān jiāo dài,duct tape -宽舒,kuān shū,happy; carefree -宽衣,kuān yī,please take off your coat (honorific); loose-fitting garment -宽衣解带,kuān yī jiě dài,to undress -宽裕,kuān yù,comfortably off; ample; plenty -宽解,kuān jiě,to relieve anxieties -宽贷,kuān dài,to pardon; to excuse -宽赦,kuān shè,to forgive -宽银幕电影,kuān yín mù diàn yǐng,wide-screen movie -宽阔,kuān kuò,expansive; wide; width; thickness -宽限,kuān xiàn,to extend (a deadline etc) -宽限期,kuān xiàn qī,grace period; period of grace -宽频,kuān pín,broadband -宽余,kuān yú,ample; plentiful; affluent; relaxed; comfortable circumstances -宽饶,kuān ráo,to forgive; to spare -宽松,kuān sōng,spacious; roomy; uncrowded; (of clothes) loose and comfortable; relaxed; free of worry; well-off; affluent -寮,liáo,Laos -寮,liáo,hut; shack; small window; variant of 僚[liao2] -寮国,liáo guó,Laos (Tw) -寮屋,liáo wū,squatter shacks -寮房,liáo fáng,hut; simple dwelling; monk's hut -寰,huán,large domain; extensive region -寰宇,huán yǔ,the whole earth; the universe -寰螽,huán zhōng,eastern shield-backed katydid (genus Atlanticus) -宝,bǎo,variant of 寶|宝[bao3] -宠,chǒng,to love; to pamper; to spoil; to favor -宠信,chǒng xìn,to dote on and trust -宠儿,chǒng ér,pet; favorite; darling -宠坏,chǒng huài,to spoil (a child etc) -宠妾,chǒng qiè,favored concubine -宠妾灭妻,chǒng qiè miè qī,favor the concubine and do away with the wife (idiom); spoil one's mistress and neglect one's wife -宠姬,chǒng jī,favorite concubine -宠幸,chǒng xìng,(old) (esp. of the Emperor) to show special favor towards -宠爱,chǒng ài,to dote on sb -宠擅专房,chǒng shàn zhuān fáng,an especially favored concubine (idiom) -宠物,chǒng wù,house pet -宠物门,chǒng wù mén,pet door; pet flap -宠臣,chǒng chén,favored minister -宝,bǎo,jewel; gem; treasure; precious -宝典,bǎo diǎn,canonical text; treasury (i.e. book of treasured wisdom) -宝刀不老,bǎo dāo bù lǎo,lit. a good sword always remains sharp (idiom); fig. (of one's skills etc) to be as good as ever; the old man still has it -宝刀未老,bǎo dāo wèi lǎo,treasure knife does not age (idiom); old but still vigorous -宝剑,bǎo jiàn,"(double-edged) sword; CL:把[ba3],方[fang1]" -宝可梦,bǎo kě mèng,Pokémon -宝嘉康蒂,bǎo jiā kāng dì,"Pocahontas (c. 1595-1617), native American noted for her association with the colony of Jamestown, Virginia" -宝地,bǎo dì,blessed land; a place rich in beauty or natural resources etc; (term of respect) your place -宝坻,bǎo dǐ,Baodi rural district in Tianjin 天津[Tian1 jin1] -宝坻区,bǎo dǐ qū,Baodi rural district in Tianjin 天津[Tian1 jin1] -宝塔,bǎo tǎ,pagoda -宝塔区,bǎo tǎ qū,"Baota or Pagoda district of Yan'an city 延安市[Yan2 an1 shi4], Shaanxi" -宝塔菜,bǎo tǎ cài,"Chinese artichoke (Stachys affinis), perennial plant with an edible rhizome" -宝妈,bǎo mā,a mom (mother of a young child) -宝安,bǎo ān,"Bao'an district of Shenzhen City 深圳市, Guangdong" -宝安区,bǎo ān qū,"Bao'an district of Shenzhen City 深圳市, Guangdong" -宝宝,bǎo bao,darling; baby -宝山,bǎo shān,"Baoshang District of Shanghai; Baoshan District of Shuangyashan city 雙鴨山|双鸭山[Shuang1 ya1 shan1], Heilongjiang; Baoshan or Paoshan township in Hsinchu County 新竹縣|新竹县[Xin1 zhu2 Xian4], northwest Taiwan" -宝山区,bǎo shān qū,"Baoshang district of Shanghai; Baoshan district of Shuangyashan city 雙鴨山|双鸭山[Shuang1 ya1 shan1], Heilongjiang" -宝山乡,bǎo shān xiāng,"Baoshan or Paoshan township in Hsinchu County 新竹縣|新竹县[Xin1 zhu2 Xian4], northwest Taiwan" -宝岛,bǎo dǎo,Formosa -宝座,bǎo zuò,throne -宝库,bǎo kù,"treasure-house; treasury; treasure-trove (often fig., book of treasured wisdom)" -宝应,bǎo yìng,"Baoying County in Yangzhou 揚州|扬州[Yang2 zhou1], Jiangsu" -宝应县,bǎo yìng xiàn,"Baoying County in Yangzhou 揚州|扬州[Yang2 zhou1], Jiangsu" -宝成铁路,bǎo chéng tiě lù,Baoji-Chengdu Railway -宝书,bǎo shū,treasured book -宝林,bǎo lín,Po Lam (area in Hong Kong) -宝武钢铁,bǎo wǔ gāng tiě,"Baowu, the world's largest steel maker, resulting from the merger of Baosteel 寶鋼集團|宝钢集团[Bao3 gang1 Ji2 tuan2] and Wuhan Iron and Steel 武漢鋼鐵|武汉钢铁[Wu3 han4 Gang1 tie3] in 2016" -宝殿,bǎo diàn,king's palace; throne hall -宝清,bǎo qīng,"Baoqing county in Shuangyashan 雙鴨山|双鸭山[Shuang1 ya1 shan1], Heilongjiang" -宝清县,bǎo qīng xiàn,"Baoqing county in Shuangyashan 雙鴨山|双鸭山[Shuang1 ya1 shan1], Heilongjiang" -宝洁,bǎo jié,Procter & Gamble (consumer goods company) -宝洁公司,bǎo jié gōng sī,Procter & Gamble -宝爸,bǎo bà,a dad (father of a young child) -宝物,bǎo wù,treasure; CL:件[jian4] -宝特瓶,bǎo tè píng,plastic bottle -宝玉,bǎo yù,precious jade; treasures -宝瓶,bǎo píng,Aquarius (star sign) -宝瓶座,bǎo píng zuò,Aquarius (constellation and sign of the zodiac); also called 水瓶座 -宝生佛,bǎo shēng fó,Ratnasambhava Buddha -宝石,bǎo shí,"precious stone; gem; CL:枚[mei2],顆|颗[ke1]" -宝兴,bǎo xīng,"Baoxing County in Ya'an 雅安[Ya3 an1], Sichuan" -宝兴歌鸫,bǎo xīng gē dōng,(bird species of China) Chinese thrush (Turdus mupinensis) -宝兴县,bǎo xīng xiàn,"Baoxing County in Ya'an 雅安[Ya3 an1], Sichuan" -宝兴鹛雀,bǎo xìng méi què,(bird species of China) rufous-tailed babbler (Moupinia poecilotis) -宝船,bǎo chuán,"Chinese treasure ship, a type of large sailing ship in the fleet of Ming dynasty admiral Zheng He 鄭和|郑和[Zheng4 He2]" -宝莱坞,bǎo lái wù,"Bollywood (film industry based in Mumbai, India)" -宝葫芦,bǎo hú lu,"magic gourd, granting your every wish" -宝葫芦的秘密,bǎo hú lu de mì mì,"Secret of the Magic Gourd (1958), prize-winning children's fairy tale by Zhang Tianyi 張天翼|张天翼[Zhang1 Tian1 yi4]" -宝盖,bǎo gài,"name of the ""roof"" radical 宀[mian2] (Kangxi radical 40)" -宝盖草,bǎo gài cǎo,henbit deadnettle (Lamium amplexicaule) -宝蓝,bǎo lán,sapphire blue -宝藏,bǎo zàng,precious mineral deposits; hidden treasure; (fig.) treasure; (Buddhism) the treasure of Buddha's law -宝志,bǎo zhì,"Baozhi, or Pao-chih, Chinese monk (418–514), also known as 保誌|保志 or 誌公|志公" -宝丰,bǎo fēng,"Baofeng county in Pingdingshan 平頂山|平顶山[Ping2 ding3 shan1], Henan" -宝丰县,bǎo fēng xiàn,"Baofeng county in Pingdingshan 平頂山|平顶山[Ping2 ding3 shan1], Henan" -宝贝,bǎo bèi,treasured object; treasure; darling; baby; cowry; good-for-nothing or queer character -宝贝儿,bǎo bèi er,erhua variant of 寶貝|宝贝[bao3 bei4] -宝贝疙瘩,bǎo bèi gē da,(of a child) apple of one's eye -宝货,bǎo huò,precious object; treasure -宝贵,bǎo guì,valuable; precious; to value; to treasure; to set store by -宝贴,bǎo tiē,Blu-tack (brand) -宝钢,bǎo gāng,"Baosteel, Chinese steel maker formed in a 1998 merger, then merged to form Baowu 寶武鋼鐵|宝武钢铁[Bao3 wu3 Gang1 tie3] in 2016" -宝鸡,bǎo jī,Baoji prefecture-level city in Shaanxi; called Chencang 陳倉|陈仓[Chen2 cang1] in ancient times -宝鸡市,bǎo jī shì,Baoji prefecture-level city in Shaanxi; called Chencang 陳倉|陈仓[Chen2 cang1] in ancient times -宝马,bǎo mǎ,BMW (car company) -宝马,bǎo mǎ,precious horse -宝马香车,bǎo mǎ xiāng chē,precious horses and magnificent carriage (idiom); rich family with extravagant lifestyle; ostentatious display of luxury -宝丽来,bǎo lì lái,Polaroid -宝丽金,bǎo lì jīn,PolyGram (record label) -寸,cùn,a unit of length; inch; thumb -寸口,cùn kǒu,location on wrist over the radial artery where pulse is taken in TCM -寸口脉,cùn kǒu mài,pulse taken at the wrist (TCM) -寸土寸金,cùn tǔ cùn jīn,land is extremely expensive (in that area) (idiom) -寸晷,cùn guǐ,see 寸陰|寸阴[cun4 yin1] -寸步不让,cùn bù bù ràng,(idiom) not to yield an inch -寸步不离,cùn bù bù lí,to follow sb closely (idiom); to keep close to -寸步难移,cùn bù nán yí,see 寸步難行|寸步难行[cun4 bu4 nan2 xing2] -寸步难行,cùn bù nán xíng,unable to move a single step (idiom); to be in an (extremely) difficult situation -寸脉,cùn mài,pulse taken at the wrist (TCM) -寸草不生,cùn cǎo bù shēng,lit. not even a blade of grass grows (idiom); fig. barren -寸金难买寸光阴,cùn jīn nán mǎi cùn guāng yīn,An ounce of gold can't buy you an interval of time (idiom); Money can't buy you time.; Time is precious. -寸阴,cùn yīn,a very brief period of time (lit. the time it takes for a shadow to move an inch) -寸头,cùn tóu,(male hair style) crew cut; butch cut -寺,sì,Buddhist temple; mosque; government office (old) -寺庙,sì miào,temple; monastery; shrine -寺院,sì yuàn,cloister; temple; monastery; CL:座[zuo4] -封,fēng,surname Feng -封,fēng,"to confer; to grant; to bestow a title; to seal; classifier for sealed objects, esp. letters" -封一,fēng yī,front cover -封三,fēng sān,inside back cover -封丘,fēng qiū,"Fengqiu county in Xinxiang 新鄉|新乡[Xin1 xiang1], Henan" -封丘县,fēng qiū xiàn,"Fengqiu county in Xinxiang 新鄉|新乡[Xin1 xiang1], Henan" -封二,fēng èr,inside front cover -封入,fēng rù,to enclose -封冻,fēng dòng,to freeze over (of water or land) -封刀,fēng dāo,to hang up the sword -封包,fēng bāo,to package up; (computer networking) packet -封印,fēng yìn,seal (on envelopes) -封口,fēng kǒu,to close up; to heal (of wound); to keep one's lips sealed -封口费,fēng kǒu fèi,hush money -封四,fēng sì,back cover -封国,fēng guó,vassal state -封土,fēng tǔ,to heap earth (to close a tomb); a mound (covering a tomb) -封地,fēng dì,feudal fiefdom; land held as a vassal in feudal society; enfeoffment -封城,fēng chéng,to lock down a city -封尘,fēng chén,to gather dust -封套,fēng tào,envelope; wrapper; (book) jacket; (record) sleeve -封妻荫子,fēng qī yìn zǐ,to bestow a title on the wife of a deserving official and make his son heir to his titles -封存,fēng cún,to sequester; to seal up (for safe keeping); to freeze (an account); to mothball -封官许愿,fēng guān xǔ yuàn,to offer official positions and material benefits in order to buy people's allegiance -封底,fēng dǐ,the back cover of a book -封底里,fēng dǐ lǐ,inside back cover -封建,fēng jiàn,system of enfeoffment; feudalism; feudal; feudalistic -封建主,fēng jiàn zhǔ,feudal ruler -封建主义,fēng jiàn zhǔ yì,feudalism -封建制度,fēng jiàn zhì dù,feudalism -封建思想,fēng jiàn sī xiǎng,feudal way of thinking -封建时代,fēng jiàn shí dài,feudal times -封建社会,fēng jiàn shè huì,feudal society -封控,fēng kòng,to lock down -封条,fēng tiáo,seal -封檐板,fēng yán bǎn,barge board; weather board; eaves board (construction) -封杀,fēng shā,to shut out; to block; to smother -封沙育林,fēng shā yù lín,to plant trees in order to stabilize sand (idiom) -封河期,fēng hé qī,freezing over of river in winter -封泥,fēng ní,sealing clay; lute -封港,fēng gǎng,to seal off a port -封火,fēng huǒ,to cover a fire (to make it burn slowly) -封爵,fēng jué,to confer a title; to ennoble; to knight; title of nobility -封王,fēng wáng,to win the championship; (of an emperor) to bestow the title of king on a subject -封疆,fēng jiāng,border region; regional general acting as governor (in Ming and Qing times) -封皮,fēng pí,outer skin; envelope; cover; (legal) seal -封神榜,fēng shén bǎng,"Investiture of the Gods, major Ming dynasty vernacular novel of mythology and fantasy, very loosely based on King Wu of Zhou's 周武王[Zhou1 Wu3 wang2] overthrow of the Shang, subsequent material for opera, film, TV series, computer games etc" -封神演义,fēng shén yǎn yì,"Investiture of the Gods, major Ming dynasty vernacular novel of mythology and fantasy, very loosely based on King Wu of Zhou's 周武王[Zhou1 Wu3 wang2] overthrow of the Shang, subsequent material for opera, film, TV series, computer games etc" -封禁,fēng jìn,"to ban (narcotics, a movie etc); to block (a road etc); (Internet) to block (a user)" -封禅,fēng shàn,(of an emperor) to pay homage to Heaven at Mount Tai and to Earth at Mount Liangfu -封网,fēng wǎng,"to intercept at the net (volleyball, tennis etc); (computing) to seal off a network" -封圣,fēng shèng,(Catholicism) to canonize -封盖,fēng gài,cap; seal; cover; to cover; blocked shot (basketball) -封号,fēng hào,(archaic) title granted to a person; to ban an (online) account -封装,fēng zhuāng,to encapsulate; to enclose; to wrap; to seal inside -封装块,fēng zhuāng kuài,capsule; encapsulated unit (e.g. circuit board) -封里,fēng lǐ,inside front cover (sometimes refers to both inside front and inside back covers) -封裹,fēng guǒ,to wrap up; to pack up -封路,fēng lù,road closure; to close a road -封邑,fēng yì,grant of territory by an emperor or monarch (old) -封锁,fēng suǒ,to blockade; to seal off; to lock down -封锁线,fēng suǒ xiàn,blockade line; cordon; CL:道[dao4] -封闭,fēng bì,to close; to seal off; to close down (an illegal venue); closed (i.e. isolated from outside input) -封闭性,fēng bì xìng,closed; encapsulated -封闭性开局,fēng bì xìng kāi jú,Closed Game; Double Queen Pawn Opening (chess); same as 雙后前兵開局|双后前兵开局 -封开,fēng kāi,"Fengkai county in Zhaoqing 肇慶|肇庆[Zhao4 qing4], Guangdong" -封开县,fēng kāi xiàn,"Fengkai county in Zhaoqing 肇慶|肇庆[Zhao4 qing4], Guangdong" -封面,fēng miàn,cover (of a publication) -封顶,fēng dǐng,"to put a roof (on a building); to cap the roof (finishing a building project); fig. to put a ceiling (on spending, prize, ambition etc); to top off; fig. to reach the highest point (of growth, profit, interest rates); to stop growing (of plant bud or branch)" -封顶仪式,fēng dǐng yí shì,ceremony of capping the roof (to mark the completion of a building project) -封斋,fēng zhāi,fast (in several religions); Ramadan (Islam); see also 齋月|斋月[Zhai1 yue4] -封斋节,fēng zhāi jié,Lent -尃,fū,"to state to, to announce" -射,shè,to shoot; to launch; to allude to; radio- (chemistry) -射中,shè zhòng,to hit the target -射出,shè chū,emission; ejaculation -射干,shè gān,blackberry lily (Belamcanda chinensis); leopard lily -射影,shè yǐng,(geometry) projection; (Chinese mythology) creature that spits sand to make people ill -射影几何,shè yǐng jǐ hé,projective geometry -射影几何学,shè yǐng jǐ hé xué,projective geometry -射影变换,shè yǐng biàn huàn,a projective transformation -射手,shè shǒu,archer; shooter; marksman; (football etc) striker -射手座,shè shǒu zuò,Sagittarius (constellation and sign of the zodiac); popular variant of 人馬座|人马座[Ren2 ma3 zuo4] -射击,shè jī,to shoot; to fire (a gun) -射击学,shè jī xué,ballistics -射杀,shè shā,"to shoot dead (with a gun, or bow and arrow)" -射洪,shè hóng,"Shehong county in Suining 遂寧|遂宁[Sui4 ning2], Sichuan" -射洪县,shè hóng xiàn,"Shehong county in Suining 遂寧|遂宁[Sui4 ning2], Sichuan" -射流,shè liú,jet (math.) -射灯,shè dēng,spotlight -射程,shè chéng,range; reach; firing range -射箭,shè jiàn,archery; to shoot an arrow -射精,shè jīng,ejaculation; to ejaculate -射精管,shè jīng guǎn,ejaculatory duct -射线,shè xiàn,ray -射钉枪,shè dīng qiāng,nail gun; stud gun -射门,shè mén,"(soccer, handball etc) to kick or shoot the ball towards the goal" -射阳,shè yáng,"Sheyang county in Yancheng 鹽城|盐城[Yan2 cheng2], Jiangsu" -射阳县,shè yáng xiàn,"Sheyang county in Yancheng 鹽城|盐城[Yan2 cheng2], Jiangsu" -射电,shè diàn,radio wave (astronomy) -射电望远镜,shè diàn wàng yuǎn jìng,radio telescope -射频,shè pín,radio frequency (RF) -射频噪声,shè pín zào shēng,radio frequency noise -射频干扰,shè pín gān rǎo,radio interference; RF interference -射频调谐器,shè pín tiáo xié qì,RF tuner -射频识别,shè pín shí bié,radio-frequency identification (RFID) -射雕英雄传,shè diāo yīng xióng zhuàn,"Legend of the Condor Heroes, wuxia (武俠|武侠[wu3 xia2], martial arts chivalry) novel by Jin Yong 金庸[Jin1 Yong1] and its screen adaptations" -克,kè,variant of 剋|克[ke4] -将,jiāng,"will; shall; to use; to take; to checkmate; just a short while ago; (introduces object of main verb, used in the same way as 把[ba3])" -将,jiàng,"(bound form) a general; (literary) to command; to lead; (Chinese chess) general (on the black side, equivalent to a king in Western chess)" -将,qiāng,to desire; to invite; to request -将今论古,jiāng jīn lùn gǔ,to observe the present to study the past -将令,jiàng lìng,(old) (military) a command; an order -将伯,qiāng bó,to ask for assistance -将伯之助,qiāng bó zhī zhù,assistance that one gets from another -将来,jiāng lái,in the future; future; the future; CL:個|个[ge4] -将信将疑,jiāng xìn jiāng yí,"half believing, half doubting; skeptical" -将功折罪,jiāng gōng zhé zuì,see 將功贖罪|将功赎罪[jiang1 gong1 shu2 zui4] -将功补过,jiāng gōng bǔ guò,to make up for one's faults by doing good deeds (idiom) -将功赎罪,jiāng gōng shú zuì,to atone for one's crimes by meritorious acts -将勤补拙,jiāng qín bǔ zhuō,(idiom) to compensate for lack of ability with hard work -将士,jiàng shì,officers and soldiers -将官,jiàng guān,general -将就,jiāng jiu,to accept (a bit reluctantly); to put up with -将帅,jiàng shuài,"commander-in-chief, the equivalent of king in Chinese chess" -将心比心,jiāng xīn bǐ xīn,to put oneself in sb else's shoes (idiom) -将息,jiāng xī,(literary) to rest; to recuperate -将才,jiàng cái,talented field commander (military) -将会,jiāng huì,auxiliary verb introducing future action: may (be able to); will (cause); should (enable); going to -将棋,jiàng qí,Japanese chess (shōgi) -将乐,jiāng lè,"Jiangle, a county in Sanming City 三明市[San1ming2 Shi4], Fujian" -将乐县,jiāng lè xiàn,"Jiangle, a county in Sanming City 三明市[San1ming2 Shi4], Fujian" -将死,jiāng sǐ,to checkmate (in chess); to be about to die -将牌,jiàng pái,trump (suit of cards) -将至,jiāng zhì,to be about to arrive; to be around the corner -将要,jiāng yào,will; shall; to be going to -将计就计,jiāng jì jiù jì,to beat sb at their own game (idiom) -将军,jiāng jūn,(common place name) -将军,jiāng jūn,general; high-ranking military officer; to check or checkmate; fig. to embarrass; to challenge; to put sb on the spot -将军肚,jiāng jūn dù,potbelly -将军肚子,jiāng jūn dù zi,beer belly (complimentary) -将近,jiāng jìn,almost; nearly; close to -将错就错,jiāng cuò jiù cuò,"lit. if it's wrong, it's wrong (idiom); to make the best after a mistake; to accept an error and adapt to it; to muddle through" -将领,jiàng lǐng,high-ranking military officer -专,zhuān,"for a particular person, occasion, purpose; focused on one thing; special; expert; particular (to sth); concentrated; specialized" -专一,zhuān yī,single-minded; concentrated -专事,zhuān shì,specialized -专人,zhuān rén,specialist; person appointed for specific task -专任,zhuān rèn,full-time; to appoint sb to a specific task -专八,zhuān bā,"TEM-8 or Test for English Majors-Band 8, highest level proficiency test for English major students in PRC (abbr. for 英語專業八級考試|英语专业八级考试[Ying1 yu3 Zhuan1 ye4 Ba1 ji2 Kao3 shi4])" -专列,zhuān liè,special train; abbr. for 專門列車|专门列车[zhuan1 men2 lie4 che1] -专利,zhuān lì,patent; sth uniquely enjoyed (or possessed etc) by a certain group of people; monopoly -专利局,zhuān lì jú,patent office -专利权,zhuān lì quán,patent right -专利法,zhuān lì fǎ,patent law -专利药品,zhuān lì yào pǐn,patent drugs -专制,zhuān zhì,autocracy; dictatorship -专制主义,zhuān zhì zhǔ yì,absolutism; despotism; autocracy -专制君主制,zhuān zhì jūn zhǔ zhì,absolute monarchy; autocracy -专区,zhuān qū,area established for a designated purpose; (PRC subprovincial administrative region 1949-1975) prefecture -专司,zhuān sī,to work solely on; to have as one's (or its) sole function; person or agency responsible for one specific thing -专名,zhuān míng,proper noun -专名词,zhuān míng cí,proper noun -专员,zhuān yuán,assistant director; commissioner -专场,zhuān chǎng,special performance -专家,zhuān jiā,expert; specialist -专家系统,zhuān jiā xì tǒng,expert system -专家评价,zhuān jiā píng jià,expert evaluation -专家评论,zhuān jiā píng lùn,expert commentary -专属,zhuān shǔ,to belong or be dedicated exclusively to; proprietary; private; personal -专属经济区,zhuān shǔ jīng jì qū,exclusive economic zone -专征,zhuān zhēng,to go on a personal punitive expedition -专心,zhuān xīn,to focus one's attention; to concentrate on (doing sth) -专心一意,zhuān xīn yī yì,to concentrate on -专心致志,zhuān xīn zhì zhì,(idiom) single-minded; fully focused -专意,zhuān yì,deliberately; on purpose -专控,zhuān kòng,exclusive control -专擅,zhuān shàn,without authorization; to act on one's own initiative -专攻,zhuān gōng,to specialize in; to major in -专政,zhuān zhèng,dictatorship -专断,zhuān duàn,to act arbitrarily; to make decisions without consulting others -专有,zhuān yǒu,exclusive; proprietary -专有名词,zhuān yǒu míng cí,technical term; proper noun -专案,zhuān àn,project -专案小组,zhuān àn xiǎo zǔ,task force -专案组,zhuān àn zǔ,special investigation team (legal or judicial) -专案经理,zhuān àn jīng lǐ,project manager -专业,zhuān yè,"specialty; specialized field; main field of study (at university); major; CL:門|门[men2],個|个[ge4]; professional" -专业人士,zhuān yè rén shì,a professional -专业人才,zhuān yè rén cái,expert (in a field) -专业化,zhuān yè huà,specialization -专业性,zhuān yè xìng,professionalism; specialization -专业户,zhuān yè hù,rural household that specializes in a particular type of product; (fig.) specialist -专业教育,zhuān yè jiào yù,specialized education; technical school -专机,zhuān jī,chartered plane; VIP aircraft -专横,zhuān hèng,imperious; peremptory -专柜,zhuān guì,sales counter dedicated to a certain kind of product (e.g. alcohol) -专栏,zhuān lán,special column -专权,zhuān quán,autocracy; dictatorship -专款,zhuān kuǎn,special fund; money allocated for a particular purpose -专治,zhuān zhì,(of medicine) to use specifically for the treatment of -专注,zhuān zhù,to focus; to concentrate; to give one's full attention -专营,zhuān yíng,to specialize in (a particular product or service); monopoly -专营店,zhuān yíng diàn,exclusive agency; franchised shop; authorized store -专用,zhuān yòng,special; dedicated -专用网路,zhuān yòng wǎng lù,dedicated network -专用集成电路,zhuān yòng jí chéng diàn lù,application-specific integrated circuit (ASIC) -专科,zhuān kē,specialized subject; branch (of medicine); specialized training school -专科学校,zhuān kē xué xiào,specialized school; college for professional training; polytechnic -专科院校,zhuān kē yuàn xiào,academy -专程,zhuān chéng,specifically; specially (for that purpose) -专管,zhuān guǎn,to be in charge of something specific -专线,zhuān xiàn,special-purpose phone line or communications link; hotline; special rail line (e.g. between airport and city); CL:條|条[tiao2] -专美于前,zhuān měi yú qián,to monopolize the limelight (idiom); to get all the glory; to rank highest -专职,zhuān zhí,special duty; assigned full time to a task -专著,zhuān zhù,monograph; specialized text -专访,zhuān fǎng,to interview (a particular person or on a particular topic); special interview; special report based on such an interview -专责,zhuān zé,specific responsibility -专卖,zhuān mài,monopoly; exclusive right to trade -专卖店,zhuān mài diàn,specialty store -专车,zhuān chē,special (or reserved) train (or bus etc); limousine; private car used as a taxi and booked via a smartphone app -专辑,zhuān jí,album; record (music); special collection of printed or broadcast material -专递,zhuān dì,to make a special delivery; to courier -专长,zhuān cháng,specialty; special knowledge or ability -专门,zhuān mén,specialist; specialized; customized -专门人员,zhuān mén rén yuán,specialist; specialized staff -专门列车,zhuān mén liè chē,special train -专门化,zhuān mén huà,to specialize -专门家,zhuān mén jiā,specialist -专门机构,zhuān mén jī gòu,specialized agency -专项,zhuān xiàng,special; dedicated -专题,zhuān tí,"specific topic (addressed by a book, lecture, TV program etc); article, report or program etc on a specific topic" -专题地图,zhuān tí dì tú,thematic map -专题报导,zhuān tí bào dǎo,special report (in the media) -专题片,zhuān tí piàn,special report (shown on TV etc) -尉,wèi,surname Wei -尉,wèi,military officer -尉,yù,used in 尉遲|尉迟[Yu4 chi2] and 尉犁[Yu4 li2] -尉氏,wèi shì,"Weishi county in Kaifeng 開封|开封[Kai1 feng1], Henan" -尉氏县,wèi shì xiàn,"Weishi county in Kaifeng 開封|开封[Kai1 feng1], Henan" -尉犁,yù lí,"Lopnur nahiyisi or Yuli county in Bayingolin Mongol Autonomous Prefecture, Xinjiang 巴音郭楞蒙古自治州[Ba1 yin1 guo1 leng2 Meng3 gu3 Zi4 zhi4 zhou1], Xinjiang" -尉犁县,yù lí xiàn,"Lopnur nahiyisi or Yuli county in Bayingolin Mongol Autonomous Prefecture, Xinjiang 巴音郭楞蒙古自治州[Ba1 yin1 guo1 leng2 Meng3 gu3 Zi4 zhi4 zhou1], Xinjiang" -尉缭,wèi liáo,"Wei Lao (c. 450 BC, dates of birth and death unknown), advisor to the first Qin emperor Qin Shihuang 秦始皇[Qin2 Shi3 huang2], possible author of the Wei Liaozi 尉繚子|尉缭子[Wei4 Liao2 zi5] text on military strategy" -尉缭子,wèi liáo zi,"Wei Liaozi, one of the Seven Military Classics of ancient China 武經七書|武经七书[Wu3 jing1 Qi1 shu1], possibly written by Wei Liao 尉繚|尉缭[Wei4 Liao2] during the Warring States Period (475-220 BC)" -尉迟,yù chí,surname Yuchi -尉迟恭,yù chí gōng,"General Yuchi Gong (585-658), famous military man instrumental in founding the Tang dynasty" -尊,zūn,senior; of a senior generation; to honor; to respect; honorific; classifier for cannons and statues; ancient wine vessel -尊公,zūn gōng,(honorific) your father -尊卑,zūn bēi,superior and subordinate; social ranking -尊君,zūn jūn,(honorific) your father -尊命,zūn mìng,your order (honorific) -尊严,zūn yán,dignity; sanctity; honor; majesty -尊堂,zūn táng,(honorific) your mother -尊奉,zūn fèng,worship; to revere; to venerate -尊容,zūn róng,august countenance; your face (usually mocking) -尊尚,zūn shàng,to value highly; to hold up sth as a model -尊崇,zūn chóng,to revere; to admire; to honor; to venerate -尊师,zūn shī,revered master -尊师爱徒,zūn shī ài tú,title of a Daoist priest; revered master -尊师贵道,zūn shī guì dào,to revere the master and his teaching -尊从,zūn cóng,to obey; to observe; to follow -尊意,zūn yì,"(honorific) your respected opinion; What do you think, your majesty?" -尊敬,zūn jìng,to respect; to revere; to esteem; honorable; distinguished (used on formal occasions before a term of address) -尊荣,zūn róng,honor and glory -尊称,zūn chēng,to address sb deferentially; title; honorific -尊翁,zūn wēng,(honorific) your father -尊老,zūn lǎo,respect the aged -尊老爱幼,zūn lǎo ài yòu,respect the old and cherish the young -尊者,zūn zhě,"honored sir (a person of higher status or seniority, or a Buddhist monk)" -尊号,zūn hào,"honorific title; form of address reserved for a queen, ancestor, emperor etc" -尊亲,zūn qīn,(honorific) your parent -尊贵,zūn guì,respected; respectable; honorable -尊贤使能,zūn xián shǐ néng,to respect talent and make use of ability (Mencius) -尊贤爱物,zūn xián ài wù,to honor the wise and love the people; respecting noble talent while protecting the common people -尊重,zūn zhòng,to esteem; to respect; to honor; to value; eminent; serious; proper -尊长,zūn zhǎng,one's superior; one's elders and betters -尊驾,zūn jià,lit. your honored carriage; your highness; honored Sir (also sarcastic); you -尊鱼,zūn yú,trout -寻,xún,to search; to look for; to seek -寻事生非,xún shì shēng fēi,to look for trouble -寻仇,xún chóu,to carry out a vendetta against sb -寻来范畴,xún lái fàn chóu,(math.) derived category -寻出,xún chū,to find out; to search out; to uncover; to discover -寻味,xún wèi,to think sth over -寻呼机,xún hū jī,pager; beeper -寻问,xún wèn,to inquire -寻回犬,xún huí quǎn,retriever -寻址,xún zhǐ,to address; to search for address; to input data into memory -寻宝,xún bǎo,treasure hunt -寻常,xún cháng,usual; common; ordinary -寻思,xún sī,to consider; to ponder -寻找,xún zhǎo,to seek; to look for -寻摸,xún mo,to look for; to explore; to probe -寻根,xún gēn,to seek one's roots; to get to the bottom of a matter -寻根问底,xún gēn wèn dǐ,lit. to examine roots and inquire at the base (idiom); to get to the bottom of sth -寻根溯源,xún gēn sù yuán,see 追根溯源[zhui1 gen1 su4 yuan2] -寻机,xún jī,to look for an opportunity -寻欢,xún huān,to seek pleasure (esp. sexual) -寻欢作乐,xún huān zuò lè,pleasure seeking (idiom); life of dissipation -寻死,xún sǐ,to attempt suicide; to court death -寻水术,xún shuǐ shù,dowsing -寻求,xún qiú,to seek; to look for -寻乌,xún wū,"Xunwu county in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -寻乌县,xún wū xiàn,"Xunwu county in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -寻获,xún huò,to find; to track down; to recover (sth lost) -寻甸回族彝族自治县,xún diàn huí zú yí zú zì zhì xiàn,"Xundian Hui and Yi autonomous county in Kunming 昆明[Kun1 ming2], Yunnan" -寻甸县,xún diàn xiàn,"Xundian Hui and Yi autonomous county in Kunming 昆明[Kun1 ming2], Yunnan" -寻的,xún dì,homing; target-seeking (military) -寻短见,xún duǎn jiàn,to commit suicide -寻租,xún zū,rent seeking (economics) -寻花,xún huā,flower-viewing; to visit a prostitute -寻花问柳,xún huā wèn liǔ,lit. to enjoy the beautiful spring scenery (idiom); fig. to frequent brothels; to sow one's wild oats -寻觅,xún mì,to look for -寻访,xún fǎng,to inquire after; to look for (sb) -寻衅,xún xìn,to pick a quarrel; to start a fight -寻衅滋事罪,xún xìn zī shì zuì,disorderly behavior (PRC law) -寻开心,xún kāi xīn,to make fun of; to seek diversion -尌,shù,standing up; to stand (something) up -对,duì,right; correct; towards; at; for; concerning; regarding; to treat (sb a certain way); to face; (bound form) opposite; facing; matching; to match together; to adjust; to fit; to suit; to answer; to reply; to add; to pour in (a fluid); to check; to compare; classifier: couple; pair -对上,duì shàng,to fit one into the other; to bring two things into contact -对不上,duì bù shàng,to disagree; I can't agree with that. -对不住,duì bu zhù,to let sb down; to be unfair; I'm sorry; pardon me (formal) -对不对,duì bù duì,"right or wrong?; Is it right?; OK, yes? (colloquial)" -对不起,duì bu qǐ,I'm sorry; excuse me; I beg your pardon; to let (sb) down; to disappoint -对世权,duì shì quán,(law) absolute rights; erga omnes rights -对幺,duì yāo,pair of aces (in dominoes); double one -对乙酰氨基酚,duì yǐ xiān ān jī fēn,paracetamol; acetaminophen -对了,duì le,"Correct!; Oh, that's right, ... (when one suddenly remembers sth one wanted to mention); Oh, by the way, ..." -对事不对人,duì shì bù duì rén,it's nothing personal (idiom) -对仗,duì zhàng,antithesis (two lines of poetry matching in sense and sound); to fight; to wage war -对付,duì fu,to handle; to deal with; to tackle; to get by with; to make do; (dialect) (usu. used in the negative) to get along with (sb) -对位,duì wèi,counterpoint (in music etc); to align; alignment -对偶,duì ǒu,dual; duality; antithesis; coupled phrases (as rhetorical device); spouse -对偶多面体,duì ǒu duō miàn tǐ,dual polyhedron -对偶性,duì ǒu xìng,(math.) duality -对价,duì jià,consideration (in exchange for shares); a quid pro quo -对内,duì nèi,internal; national; domestic (policy) -对刺,duì cì,bayonet practice in pairs -对劲,duì jìn,suitable; to one's liking; to get along together -对劲儿,duì jìn er,erhua variant of 對勁|对劲[dui4 jin4] -对半,duì bàn,half-and-half; 50-50; to double -对口,duì kǒu,(of two performers) to speak or sing alternately; to be fit for the purposes of a job or task; (of food) to suit sb's taste -对口型,duì kǒu xíng,lip synching -对口径,duì kǒu jìng,to arrange to give the same story -对口相声,duì kǒu xiàng shēng,comic crosstalk; formalized comic dialogue between two stand-up comics: funny man 逗哏[dou4 gen2] and straight man 捧哏[peng3 gen2] -对口词,duì kǒu cí,dialogue (for stage performance) -对句,duì jù,couplet -对合,duì hé,a profit equal to the amount one invested; (math.) involution -对味儿,duì wèi er,tasty; to one's liking -对唱,duì chàng,in duet; answering phrase; antiphonal answer -对嘴,duì zuǐ,to lip-sync -对地,duì dì,targeted (e.g. attacks) -对坐,duì zuò,to sit facing each other -对垒,duì lěi,"to face off against one's adversary (military, sports etc)" -对外,duì wài,external; foreign; pertaining to external or foreign (affairs) -对外政策,duì wài zhèng cè,foreign policy -对外经济贸易大学,duì wài jīng jì mào yì dà xué,University of International Business and Economics -对外联络部,duì wài lián luò bù,CCP central committee's external affairs department (i.e. Chinese communist party's foreign office) -对外贸易,duì wài mào yì,foreign trade -对外贸易经济合作部,duì wài mào yì jīng jì hé zuò bù,Ministry of Foreign Trade and Economic Cooperation (MOFTEC) -对外关系,duì wài guān xì,foreign relations -对子,duì zi,pair of antithetical phrases; antithetical couplet -对家,duì jiā,partner (in four person game); family of proposed marriage partner -对对子,duì duì zi,to supply the answering phrase -对对碰,duì duì pèng,concentration (a pair-matching game) -对局,duì jú,opposing sides (in chess etc); position (of opposing forces) -对岸,duì àn,opposite bank (of a body of water) -对峙,duì zhì,(of mountains etc) to stand facing each other; (fig.) to confront each other -对工,duì gōng,proper -对工儿,duì gōng er,proper -对帐,duì zhàng,to verify accounting records; also written 對賬|对账[dui4 zhang4] -对弈,duì yì,"to play go, chess etc" -对待,duì dài,to treat; treatment -对得起,duì de qǐ,not to let sb down; to treat sb fairly; be worthy of -对心,duì xīn,congenial; to one's liking -对心儿,duì xīn er,erhua variant of 對心|对心[dui4 xin1] -对应,duì yìng,to correspond (to); to be equivalent to; to be a counterpart to -对应词,duì yìng cí,(linguistics) an equivalent; a translation of a term into the target language -对我来说,duì wǒ lái shuō,as far as I'm concerned -对战,duì zhàn,to do battle (with sb) -对手,duì shǒu,opponent; rival; competitor; (well-matched) adversary; match -对打,duì dǎ,to fight (one against one) -对抗,duì kàng,to withstand; to resist; to stand off; antagonism; confrontation -对抗性,duì kàng xìng,antagonistic -对抗煸动,duì kàng biān dòng,anti-inflammatory (medicine) -对抗者,duì kàng zhě,adversary; opponent -对抗赛,duì kàng sài,duel; match; competition between paired opponents (e.g. sporting) -对接,duì jiē,to join up; to dock; a joint (between components) -对换,duì huàn,to exchange; to swap -对折,duì zhé,to sell at a 50% discount; to fold in two -对撞,duì zhuàng,to collide head-on -对撞机,duì zhuàng jī,a particle collider -对攻,duì gōng,to attack (one another) -对敌,duì dí,to confront; to face the enemy -对敌者,duì dí zhě,rival -对数,duì shù,logarithm -对数函数,duì shù hán shù,logarithmic function -对方,duì fāng,the other person; the other side; the other party -对方付款电话,duì fāng fù kuǎn diàn huà,collect call -对方付费电话,duì fāng fù fèi diàn huà,collect call -对于,duì yú,regarding; as far as (sth) is concerned; with regard to -对日,duì rì,(policy etc) towards Japan -对映,duì yìng,to be the mirror image of sth; enantiomorphic; antipodal; enantiomeric (chemistry) -对映异构,duì yìng yì gòu,enantiomeric isomerism (chemistry) -对映异构体,duì yìng yì gòu tǐ,enantiomeric isomer (chemistry) -对映体,duì yìng tǐ,enantiomer (chemistry) -对望,duì wàng,to look at each other -对本,duì běn,(a return) equal to the capital; 100 percent profit -对杯,duì bēi,to raise glasses together; to toast one another -对案,duì àn,counterproposal -对标,duì biāo,to compare a product with (a rival product); to benchmark against (another product) -对歌,duì gē,answering phrase of duet; to sing antiphonal answer -对比,duì bǐ,to contrast; contrast; ratio; CL:個|个[ge4] -对比度,duì bǐ dù,contrast (balance of black and white in TV screen setup); degree of contrast -对比温度,duì bǐ wēn dù,temperature contrast; difference in temperature (of body to its surroundings) -对比联想,duì bǐ lián xiǎng,word association; association of ideas -对比色,duì bǐ sè,color contrast -对氨基苯丙酮,duì ān jī běn bǐng tóng,p-aminopropiophenone -对决,duì jué,confrontation; contest; showdown -对冲,duì chōng,hedging (finance) -对冲基金,duì chōng jī jīn,hedge fund -对流,duì liú,convection -对流层,duì liú céng,troposphere; lower atmosphere -对流层顶,duì liú céng dǐng,tropopause; top of troposphere -对消,duì xiāo,in equilibrium; to cancel out (of opposite forces) (physics) -对准,duì zhǔn,to aim at; to target; to point at; to be directed at; registration; alignment (mechanical engineering) -对火,duì huǒ,to use the tip of another person’s lit cigarette to light one's own -对焦,duì jiāo,to focus (a camera) -对照,duì zhào,to contrast; to compare; to place side by side for comparison (as parallel texts); to check -对照组,duì zhào zǔ,control group -对照表,duì zhào biǎo,comparison table -对牛弹琴,duì niú tán qín,lit. to play the lute to a cow (idiom); fig. offering a treat to an unappreciative audience; to cast pearls before swine; caviar to the general; to preach to deaf ears; to talk over sb's head -对生,duì shēng,(botany) opposite leaf arrangement; paired leaf arrangement -对症,duì zhèng,correct diagnosis; to prescribe the right cure for an illness; to suit the medicine to the illness -对症下药,duì zhèng xià yào,lit. to prescribe the right medicine for an illness (idiom); fig. to study a problem to find the right way to solve it; to take appropriate steps -对症发药,duì zhèng fā yào,lit. to prescribe the right medicine for an illness (idiom); fig. to study a problem to find the right way to solve it; to take appropriate steps -对白,duì bái,dialogue (in a movie or a play) -对眼,duì yǎn,to squint; to one's liking -对称,duì chèn,symmetry; symmetrical -对称性,duì chèn xìng,symmetry -对称破缺,duì chèn pò quē,symmetry breaking (physics) -对称空间,duì chèn kōng jiān,symmetric space (math.) -对称美,duì chèn měi,symmetry (as an aesthetic quality) -对称轴,duì chèn zhóu,axis of symmetry; central axis (in Chinese architecture) -对空射击,duì kōng shè jī,anti-aircraft fire; to shoot at enemy planes -对空火器,duì kōng huǒ qì,anti-aircraft gun -对立,duì lì,to oppose; to set sth against; to be antagonistic to; antithetical; relative opposite; opposing; diametrical -对立面,duì lì miàn,opposite; antonym; the opposite side (in a conflict) -对等,duì děng,equal status; equal treatment; parity (under the law); equity; reciprocity -对答,duì dá,to reply; to answer; response; reply -对答如流,duì dá rú liú,able to reply quickly and fluently (idiom); having a ready answer -对策,duì cè,countermeasure for dealing with a situation -对簿,duì bù,to confront sb with accusation; written charge in court (in former times); to take sb to court -对簿公堂,duì bù gōng táng,public courtroom accusation (idiom); legal confrontation; to take sb to court; to sue -对骂,duì mà,to hurl abuse; to trade insults; slanging match -对美,duì měi,(policy etc) towards America -对羟基苯甲酸酯,duì qiǎng jī běn jiǎ suān zhǐ,paraben (chemistry) -对联,duì lián,"rhyming couplet; pair of lines of verse written vertically down the sides of a doorway; CL:副[fu4],幅[fu2]" -对胃口,duì wèi kǒu,to one's taste; to one's liking -对苯醌,duì běn kūn,"1,4-benzoquinone (chemistry); para-benzoquinone" -对茬儿,duì chá er,to agree with; of the same opinion; to coincide -对华,duì huá,(policy etc) towards China -对着和尚骂贼秃,duì zhe hé shang mà zéi tū,"lit. in the presence of a monk, insult another monk, calling him a bald-headed bandit (idiom); fig. to insult indirectly; to criticize obliquely" -对着干,duì zhe gàn,to adopt confrontational posture; to meet head-on; to compete -对号,duì hào,"tick; check mark (✓); number for verification (serial number, seat number etc); (fig.) two things match up" -对号入座,duì hào rù zuò,to take one's seat according to the ticket number; (fig.) to put (things or people) in their right place; to take a general comment as a personal attack -对虾,duì xiā,prawn; shrimp -对虾科,duì xiā kē,penaeidae (the prawn or shrimp family) -对襟,duì jīn,buttoned Chinese jacket -对衬,duì chèn,to serve as foil to one another -对视,duì shì,to look face to face -对亲,duì qīn,courting; meeting for purpose of marriage; to settle into a relationship -对角,duì jiǎo,opposite angle -对角线,duì jiǎo xiàn,(geometry) a diagonal -对词,duì cí,(of actors) to practice lines together; to rehearse a dialogue -对话,duì huà,to talk (with sb); dialogue; conversation -对话框,duì huà kuàng,dialog box (computing) -对话课,duì huà kè,conversation class -对课,duì kè,to give answering phrase (school exercise in memory or composition) -对调,duì diào,to swap places; to exchange roles -对谈,duì tán,to talk with sb (face to face); discussion; talk; chat -对讲机,duì jiǎng jī,intercom; walkie-talkie -对讲电话,duì jiǎng diàn huà,intercom -对证,duì zhèng,confrontation -对证命名,duì zhèng mìng míng,confrontation naming -对象,duì xiàng,target; object; partner; boyfriend; girlfriend; CL:個|个[ge4] -对质,duì zhì,to confront (in court etc); confrontation -对账,duì zhàng,to verify accounting records; also written 對帳|对帐[dui4 zhang4] -对赌,duì dǔ,"to place a bet (with sb); to take a risk (with one's time and effort etc, e.g. on a business venture)" -对路,duì lù,suitable; to one's liking -对跖点,duì zhí diǎn,antipode -对过,duì guò,across; opposite; the other side -对酌,duì zhuó,to sit face-to-face and drink -对酒当歌,duì jiǔ dāng gē,"lit. sing to accompany wine (idiom); fig. life is short, make merry while you can" -对表,duì biǎo,to set or synchronize a watch -对门,duì mén,the building or room opposite -对开,duì kāi,"running in opposite direction (buses, trains, ferries etc)" -对阵,duì zhèn,poised for battle; to square up for a fight -对面,duì miàn,(sitting) opposite; across (the street); directly in front; to be face to face -对顶角,duì dǐng jiǎo,angle to the vertical; angle (between two lines or two planes) -对头,duì tóu,correct; normal; to be on good terms with; on the right track; right -对头,duì tou,(longstanding) opponent; enemy; inimical; adversary; opponent -对马,duì mǎ,"Tsushima Island, between Japan and South Korea" -对马岛,duì mǎ dǎo,"Tsushima Island, between Japan and South Korea" -对马海峡,duì mǎ hǎi xiá,"Tsushima Strait, between Japan and South Korea" -对齐,duì qí,to align; (typography) to justify -导,dǎo,to transmit; to lead; to guide; to conduct; to direct -导入,dǎo rù,to introduce into; to channel; to lead; to guide into; to import (data) -导入期,dǎo rù qī,introductory phase or period -导出,dǎo chū,to derive; derived; derivation; to entail; to induce; to export (data) -导出值,dǎo chū zhí,value deduced by calculation; derived value -导函数,dǎo hán shù,derived function; derivative f' of a function f -导向,dǎo xiàng,to be oriented towards; orientation -导报,dǎo bào,guide (used in newspaper names) -导尿,dǎo niào,to insert a urinary catheter -导尿管,dǎo niào guǎn,urinary catheter -导师,dǎo shī,tutor; teacher; academic advisor -导引,dǎo yǐn,"same as 引導|引导[yin3 dao3]; Dao Yin, Daoist exercises involving breathing, stretching and self-massage" -导弹,dǎo dàn,(guided) missile; CL:枚[mei2] -导弹核潜艇,dǎo dàn hé qián tǐng,nuclear-powered missile submarine -导弹武器技术控制制度,dǎo dàn wǔ qì jì shù kòng zhì zhì dù,Missile Technology Control Regime (MTCR) -导弹潜艇,dǎo dàn qián tǐng,(guided) missile submarine -导戏,dǎo xì,to direct a movie or play -导播,dǎo bō,"to direct a television or radio broadcast; director (TV, radio)" -导数,dǎo shù,derivative (math.) -导乐,dǎo lè,(loanword) doula -导正,dǎo zhèng,(Tw) to guide sb in the right direction; to correct (behavior etc) -导流板,dǎo liú bǎn,spoiler (automotive) -导液管,dǎo yè guǎn,(medicine) catheter -导演,dǎo yǎn,to direct; director (film etc) -导火索,dǎo huǒ suǒ,fuse (for explosive) -导火线,dǎo huǒ xiàn,fuse (for explosives); (fig.) proximate cause; the last straw -导热性,dǎo rè xìng,heat conduction -导热膏,dǎo rè gāo,thermal grease -导盲犬,dǎo máng quǎn,guide dog (for the blind); Seeing Eye dog -导盲砖,dǎo máng zhuān,(Tw) tactile paving tile -导盲道,dǎo máng dào,(Tw) path for the visually impaired (made with tactile paving) -导管,dǎo guǎn,duct; pipe; conduit; (botany) vessel; (medicine) catheter -导管组织,dǎo guǎn zǔ zhī,vascular tissue -导线,dǎo xiàn,electrical lead -导致,dǎo zhì,to lead to; to create; to cause; to bring about -导航,dǎo háng,(lit. and fig.) to navigate -导航员,dǎo háng yuán,navigator (on a plane or boat) -导览,dǎo lǎn,"(visitor, tour, audio etc) guide; guided tour; (site) navigator; to guide" -导言,dǎo yán,introduction; preamble -导语,dǎo yǔ,preamble; introduction; (journalism) lede; lead paragraph -导论,dǎo lùn,introduction -导读,dǎo dú,guide (e.g. book or other printed material) -导购,dǎo gòu,shopper's guide; shop assistant; sales staff -导轨,dǎo guǐ,(mechanics) guide rail; slideway -导轮,dǎo lún,guide pulley; foreword; preface -导游,dǎo yóu,tour guide; guidebook; to conduct a tour -导电,dǎo diàn,to conduct electricity -导电性,dǎo diàn xìng,conductivity (elec.) -导体,dǎo tǐ,conductor (of electricity or heat) -小,xiǎo,small; tiny; few; young -小三,xiǎo sān,mistress; the other woman (coll.); grade 3 in elementary school -小三劝退师,xiǎo sān quàn tuì shī,consultant who breaks up sb's extramarital relationship for a fee -小三和弦,xiǎo sān hé xián,minor triad la-do-mi -小三度,xiǎo sān dù,minor third (musical interval) -小不忍则乱大谋,xiǎo bù rěn zé luàn dà móu,(idiom) great plans can be ruined by just a touch of impatience -小不点,xiǎo bu diǎn,tiny; very small; tiny thing; small child; baby -小丑,xiǎo chǒu,clown -小丑鱼,xiǎo chǒu yú,clownfish; anemonefish -小丘,xiǎo qiū,hill; knoll -小乘,xiǎo shèng,"Hinayana, the Lesser Vehicle; Buddhism in India before the Mayahana sutras; also pr. [Xiao3 cheng2]" -小九九,xiǎo jiǔ jiǔ,multiplication tables; (fig.) plan; scheme -小事,xiǎo shì,trifle; trivial matter; CL:點|点[dian3] -小事一桩,xiǎo shì yī zhuāng,trivial matter; a piece of cake -小二,xiǎo èr,waiter -小亚细亚,xiǎo yà xì yà,Asia Minor; Anatolia -小人,xiǎo rén,"person of low social status (old); I, me (used to refer humbly to oneself); nasty person; vile character" -小人得志,xiǎo rén dé zhì,"lit. a vile character flourishes (idiom); fig. an inferior person gets into a position of power, becoming conceited and arrogant" -小人书,xiǎo rén shū,children's picture story book; CL:本[ben3] -小人物,xiǎo rén wù,nonentity; a nobody -小人精,xiǎo rén jīng,exceptionally bright kid; child prodigy -小仙女,xiǎo xiān nǚ,girl fairy; beautiful girl or young woman; (neologism) (slang) irrational and egocentric young woman -小企业,xiǎo qǐ yè,small enterprise -小伙,xiǎo huǒ,young guy; lad; youngster; CL:個|个[ge4] -小伙儿,xiǎo huǒ er,erhua variant of 小伙[xiao3 huo3] -小伙子,xiǎo huǒ zi,young man; young guy; lad; youngster; CL:個|个[ge4] -小便,xiǎo biàn,urine; to urinate; (euphemism) penis or vulva -小便器,xiǎo biàn qì,urinal -小便宜,xiǎo pián yi,petty advantage; small gains -小便斗,xiǎo biàn dǒu,urinal -小便池,xiǎo biàn chí,urinal -小偷,xiǎo tōu,thief -小偷儿,xiǎo tōu er,erhua variant of 小偷|小偷[xiao3 tou1] -小传,xiǎo zhuàn,sketch biography; profile -小儿,xiǎo ér,young child; (humble) my son -小儿,xiǎo er,(coll.) early childhood; baby boy -小儿痲痹,xiǎo ér má bì,variant of 小兒麻痺|小儿麻痹; infantile paralysis; polio (poliomyelitis) -小儿科,xiǎo ér kē,pediatrics; pediatric (department); sth of little importance; trifle; a child's play; (slang) childish; petty; stingy -小儿经,xiǎo ér jīng,"Xiao'erjing, refers to the use of the Arabic alphabet to write Chinese" -小儿软骨病,xiǎo ér ruǎn gǔ bìng,rickets (medicine) -小儿麻痹,xiǎo ér má bì,polio (poliomyelitis) -小儿麻痹病毒,xiǎo ér má bì bìng dú,poliovirus -小儿麻痹症,xiǎo ér má bì zhèng,poliomyelitis; infantile paralysis -小两口,xiǎo liǎng kǒu,(coll.) young married couple -小两口儿,xiǎo liǎng kǒu er,erhua variant of 小兩口|小两口[xiao3 liang3 kou3] -小公主,xiǎo gōng zhǔ,lit. little princess; fig. spoiled girl; female version of 小皇帝[xiao3 huang2 di4] -小公共,xiǎo gōng gòng,mini bus (used for public transportation) -小册子,xiǎo cè zi,booklet; pamphlet; leaflet; information sheet; menu; CL:本[ben3] -小刀,xiǎo dāo,knife; CL:把[ba3] -小刀会,xiǎo dāo huì,"Dagger Society, anti-Qing secret society who mounted an unsuccessful rebellion in 1855" -小别胜新婚,xiǎo bié shèng xīn hūn,reunion after an absence is sweeter than being newlyweds (idiom); absence makes the heart grow fonder -小动作,xiǎo dòng zuò,bad habit (e.g. nose-picking); petty maneuver; dirty trick; gamesmanship -小包,xiǎo bāo,packet -小区,xiǎo qū,housing estate; community; neighborhood; (telecommunications) cell -小升初,xiǎo shēng chū,progression from elementary school to junior high (abbr. for 小學生升入初中生|小学生升入初中生[xiao3 xue2 sheng1 sheng1 ru4 chu1 zhong1 sheng1]) -小半,xiǎo bàn,a portion smaller than a half; the lesser part; the smaller part -小卒,xiǎo zú,foot soldier; minor figure; a nobody; (chess) pawn -小卷,xiǎo juǎn,young squid (Tw) -小叔,xiǎo shū,husband's younger brother; brother-in-law -小受,xiǎo shòu,(slang) bottom (in a homosexual relationship) -小可,xiǎo kě,small; unimportant; (polite) my humble person -小可爱,xiǎo kě ài,cutie; sweetie; (Tw) camisole (women's garment) -小吃,xiǎo chī,snack; refreshments; CL:家[jia1] -小吃店,xiǎo chī diàn,snack bar; lunch room; CL:家[jia1] -小同乡,xiǎo tóng xiāng,person from the same county -小名,xiǎo míng,pet name for a child; childhood name -小吞噬细胞,xiǎo tūn shì xì bāo,microphage (a type of white blood cell) -小品,xiǎo pǐn,"short, simple literary or artistic creation; essay; skit" -小哥哥,xiǎo gē ge,little boy who is older than another young child (e.g. his playmate); (neologism c. 2017) (slang) amiable form of address for a young man of about one's own age or a little older -小商贩,xiǎo shāng fàn,small trader; peddler -小嗓,xiǎo sǎng,falsetto (in Chinese opera) -小嘴乌鸦,xiǎo zuǐ wū yā,(bird species of China) carrion crow (Corvus corone) -小嘴鸻,xiǎo zuǐ héng,(bird species of China) Eurasian dotterel (Charadrius morinellus) -小团体主义,xiǎo tuán tǐ zhǔ yì,cliquism; small-group mentality -小型,xiǎo xíng,small scale; small size -小型企业,xiǎo xíng qǐ yè,small business -小型巴士,xiǎo xíng bā shì,minibus; microbus -小型核武器,xiǎo xíng hé wǔ qì,mini-nuke -小型柜橱,xiǎo xíng guì chú,cabinet -小型汽车,xiǎo xíng qì chē,compact car -小型货车,xiǎo xíng huò chē,light van -小型车,xiǎo xíng chē,compact car -小城,xiǎo chéng,small town -小报,xiǎo bào,tabloid newspaper -小寿星,xiǎo shòu xīng,child whose birthday is being celebrated; birthday boy; birthday girl -小夜曲,xiǎo yè qǔ,serenade -小天鹅,xiǎo tiān é,Little Swan (PRC appliance brand) -小天鹅,xiǎo tiān é,(bird species of China) tundra swan (Cygnus columbianus) -小太太,xiǎo tài tai,concubine; mistress -小太平鸟,xiǎo tài píng niǎo,(bird species of China) Japanese waxwing (Bombycilla japonica) -小女,xiǎo nǚ,my daughter (humble) -小女人,xiǎo nǚ rén,dainty and delicate girl; concubine -小奶狗,xiǎo nǎi gǒu,"(slang) naive, clingy, emotionally dependent, cute young guy (type of boyfriend)" -小妖,xiǎo yāo,small demon -小妖精,xiǎo yāo jīng,goblin; hussy; floozy -小妹,xiǎo mèi,"little sister; girl; (Tw) young female employee working in a low-level role dealing with the public (assistant, waitress, attendant etc)" -小妹妹,xiǎo mèi mei,little sister; little girl; (coll.) vulva -小姐,xiǎo jie,"young lady; miss; (slang) prostitute; CL:個|个[ge4],位[wei4]" -小姐姐,xiǎo jiě jie,little girl who is older than another young child (e.g. her playmate); (neologism c. 2017) (slang) young lady (amiable form of address for a young woman of about one's own age or a little older) -小姑,xiǎo gū,father's youngest sister; husband's younger sister; sister-in-law -小姑子,xiǎo gū zi,(coll.) husband's younger sister; sister-in-law -小姨,xiǎo yí,mother's youngest sister; wife's younger sister; sister-in-law -小姨子,xiǎo yí zi,(coll.) wife's younger sister; sister-in-law (term not used to directly address her) -小娃,xiǎo wá,child -小娃娃,xiǎo wá wa,baby -小婊砸,xiǎo biǎo zá,(slang) little biyatch (variation of 小婊子) -小婿,xiǎo xù,my son-in-law (humble); I (spoken to parents-in-law) -小媳妇,xiǎo xí fu,young married woman; mistress; (fig.) punching bag; (old) child bride -小子,xiǎo zǐ,"(literary) youngster; (old) young fellow (term of address used by the older generation); (old) I, me (used in speaking to one's elders)" -小子,xiǎo zi,(coll.) boy; (derog.) joker; guy; (despicable) fellow -小孩,xiǎo hái,child; CL:個|个[ge4] -小孩儿,xiǎo hái er,erhua variant of 小孩[xiao3 hai2] -小孩堤防,xiǎo hái dí fáng,"Kinderdijk, village in the Netherlands with a large network of windmills attracting many tourists" -小孩子,xiǎo hái zi,child -小学,xiǎo xué,elementary school; primary school -小学生,xiǎo xué shēng,"primary school student; schoolchild; CL:個|个[ge4],名[ming2]; (fig.) beginner" -小学而大遗,xiǎo xué ér dà yí,to concentrate on trivial points while neglecting the main problem (idiom) -小官,xiǎo guān,petty official; minor functionary -小家子气,xiǎo jiā zi qì,petty; small-minded -小家碧玉,xiǎo jiā bì yù,pretty daughter in a humble family -小家鼠,xiǎo jiā shǔ,mouse -小寒,xiǎo hán,"Lesser Cold, 23rd of the 24 solar terms 二十四節氣|二十四节气 6th-19th January" -小寨,xiǎo zhài,Xiaozhai neighborhood of Xi'an -小写,xiǎo xiě,lowercase -小写字母,xiǎo xiě zì mǔ,lowercase (letters) -小将,xiǎo jiàng,"(in classical literature) young military officer of high rank for his age; (during the Cultural Revolution) young militant in the Red Guard; (in modern usage) rising star (in sport, politics etc)" -小小,xiǎo xiǎo,very small; very few; very minor -小小说,xiǎo xiǎo shuō,flash fiction -小屁孩,xiǎo pì hái,kid; youngster; (derog.) brat -小屋,xiǎo wū,cabin; lodge; cottage; chalet; hut; shed -小山包包,xiǎo shān bāo bao,a landscape dotted with low hills and hillocks (idiom) -小岩洞,xiǎo yán dòng,grotto -小岛,xiǎo dǎo,Kojima (Japanese surname and place name) -小岛,xiǎo dǎo,isle -小川,xiǎo chuān,Ogawa (Japanese surname) -小巧,xiǎo qiǎo,small and exquisite; delicate; fine (features); compact; nifty -小巧玲珑,xiǎo qiǎo líng lóng,dainty and delicate; exquisite -小巫见大巫,xiǎo wū jiàn dà wū,lit. minor magician in the presence of a great one (idiom); fig. to pale into insignificance by comparison -小己,xiǎo jǐ,an individual -小巴,xiǎo bā,minibus -小巷,xiǎo xiàng,alley -小幅,xiǎo fú,by a small margin; slightly (increase or decrease); (of a painting or a piece of calligraphy) small -小年人,xiǎo nián rén,younger old person; young retiree -小年夜,xiǎo nián yè,"(coll.) the night before lunisolar New Year's Eve; (Tw) the night before New Year's Eve (either lunisolar or Gregorian); (old) Little New Year's Eve (the 23rd or 24th of the 12th lunisolar month, when people offer sacrifices to the kitchen god)" -小店,xiǎo diàn,small store -小店区,xiǎo diàn qū,"Xiaodian district of Taiyuan city 太原市[Tai4 yuan2 shi4], Shanxi" -小康,xiǎo kāng,"Xiaokang, a Confucian near-ideal state of society, second only to Datong 大同[Da4 tong2]" -小康,xiǎo kāng,moderately affluent; well-off; a period of peace and prosperity -小康社会,xiǎo kāng shè huì,society in which the material needs of most citizens are adequately met -小厮,xiǎo sī,(literary) underage male servant -小广播,xiǎo guǎng bō,grapevine; gossip; to spread rumors -小建,xiǎo jiàn,lunar month of 29 days; same as 小盡|小尽[xiao3 jin4] -小弟,xiǎo dì,"little brother; I, your little brother (humble)" -小弟弟,xiǎo dì di,little brother; little boy; (coll.) penis -小强,xiǎo qiáng,cockroach (slang) -小弹,xiǎo dàn,bomblet (of cluster bomb) -小径,xiǎo jìng,alley -小心,xiǎo xīn,to be careful; to take care -小心地滑,xiǎo xīn dì huá,"(used on signs) caution - wet floor (lit. ""be careful, the floor is slippery"")" -小心眼,xiǎo xīn yǎn,narrow-minded; petty -小心眼儿,xiǎo xīn yǎn er,small-minded; petty; narrow-minded -小心翼翼,xiǎo xīn yì yì,cautious and solemn (idiom); very carefully; prudent; gently and cautiously -小心谨慎,xiǎo xīn jǐn shèn,cautious and timid (idiom); prudent; careful -小恭,xiǎo gōng,(literary) urine -小意思,xiǎo yì si,small token; mere trifle (used of one's gifts) -小憩,xiǎo qì,to rest for a bit; to take a breather -小惩大诫,xiǎo chéng dà jiè,lit. to punish a little to prevent a lot (idiom); to criticize former mistakes firmly to prevent large scale repetition -小我,xiǎo wǒ,the self; the individual -小扁豆,xiǎo biǎn dòu,lentil -小手小脚,xiǎo shǒu xiǎo jiǎo,mean; stingy; to be lacking in boldness; timid -小打小闹,xiǎo dǎ xiǎo nào,small-scale -小技,xiǎo jì,small skills; folk musical theater -小抄,xiǎo chāo,cheat sheet; crib sheet -小抄儿,xiǎo chāo er,erhua variant of 小抄[xiao3 chao1] -小拇指,xiǎo mǔ zhǐ,little finger; pinkie -小拐,xiǎo guǎi,to turn right (Shanghainese) -小括号,xiǎo kuò hào,round brackets; parentheses ( ) -小指,xiǎo zhǐ,little finger -小提琴,xiǎo tí qín,fiddle; violin -小提琴手,xiǎo tí qín shǒu,violinist; fiddler -小插曲,xiǎo chā qǔ,episode; brief interlude -小摊,xiǎo tān,vendor's stall -小摊儿,xiǎo tān er,erhua variant of 小攤|小摊[xiao3 tan1] -小支气管,xiǎo zhī qì guǎn,bronchiole -小改改,xiǎo gǎi gǎi,(Internet slang) young lady (Cantonese-influenced alternative to 小姐姐[xiao3 jie3 jie5]) -小攻,xiǎo gōng,(slang) top (in a homosexual relationship) -小数,xiǎo shù,small figure; small amount; the part of a number to the right of the decimal point (or radix point); fractional part of a number; number between 0 and 1; decimal fraction -小数点,xiǎo shù diǎn,decimal point -小斑啄木鸟,xiǎo bān zhuó mù niǎo,(bird species of China) lesser spotted woodpecker (Dendrocopos minor) -小斑点,xiǎo bān diǎn,speckle -小于,xiǎo yú,"less than, <" -小日子,xiǎo rì zi,simple life -小日本,xiǎo rì běn,(derog.) Japanese person; Jap -小日本儿,xiǎo rì běn er,erhua variant of 小日本[xiao3 Ri4 ben3] -小昊,xiǎo hào,"Xiaohao (c. 2200 BC), leader of the Dongyi 東夷|东夷[Dong1 yi2] or Eastern Barbarians" -小星头啄木鸟,xiǎo xīng tóu zhuó mù niǎo,(bird species of China) Japanese pygmy woodpecker (Dendrocopos kizuki) -小春,xiǎo chūn,10th month of the lunar calendar; Indian summer; crops sown in late autumn -小昭寺,xiǎo zhāo sì,"Ramoche Temple, Lhasa" -小时,xiǎo shí,hour; CL:個|个[ge4] -小时候,xiǎo shí hou,in one's childhood -小时候儿,xiǎo shí hou er,erhua variant of 小時候|小时候[xiao3 shi2 hou5] -小时工,xiǎo shí gōng,hourly worker; hourly job -小暑,xiǎo shǔ,"Xiaoshu or Lesser Heat, 11th of the 24 solar terms 二十四節氣|二十四节气 7th-22nd July" -小曲,xiǎo qǔ,popular song; folk tune; ballad -小书签,xiǎo shū qiān,bookmarklet (computing) -小朋友,xiǎo péng yǒu,child; CL:個|个[ge4] -小本,xiǎo běn,small capital; on a shoestring -小杓鹬,xiǎo sháo yù,(bird species of China) little curlew (Numenius minutus) -小杜鹃,xiǎo dù juān,(bird species of China) lesser cuckoo (Cuculus poliocephalus) -小林,xiǎo lín,Kobayashi (Japanese surname) -小槌,xiǎo chuí,mallet; drumstick -小标题,xiǎo biāo tí,subheading -小样,xiǎo yàng,galley proof (printing); unimpressive; (coll.) little guy (mild insult also used as an affectionate term) -小树,xiǎo shù,shrub; small tree; sapling; CL:棵[ke1] -小树林,xiǎo shù lín,grove -小桥,xiǎo qiáo,"Xiao Qiao, one of the Two Qiaos, according to Romance of the Three Kingdoms 三國演義|三国演义[San1 guo2 Yan3 yi4], the two great beauties of ancient China" -小桥流水,xiǎo qiáo liú shuǐ,a small bridge over a flowing stream -小步舞曲,xiǎo bù wǔ qǔ,minuet -小段子,xiǎo duàn zi,short paragraph; news article -小毛虫,xiǎo máo chóng,slug -小毛头,xiǎo máo tou,(coll.) new-born baby; young boy -小民,xiǎo mín,ordinary people; commoner; civilian -小气,xiǎo qì,stingy; miserly; narrow-minded; petty -小气候,xiǎo qì hòu,microclimate; fig. local situation -小气腔,xiǎo qì qiāng,small air cavity -小气鬼,xiǎo qì guǐ,miser; penny-pincher -小池百合子,xiǎo chí bǎi hé zi,"KOIKE Yuriko (1952-), Japanese LDP politician, minister of defense during 2008" -小汽车,xiǎo qì chē,compact car -小河,xiǎo hé,brook -小河区,xiǎo hé qū,"Xiaohe District of Guiyang City 貴陽市|贵阳市[Gui4 yang2 Shi4], Guizhou" -小泉,xiǎo quán,"Koizumi (name); KOIZUMI Jun'ichirō, Japanese LDP politician, prime minister 2001-2006" -小泉纯一郎,xiǎo quán chún yī láng,"KOIZUMI Jun'ichirō (1942-), Japanese LDP politician, prime minister 2001-2006" -小泡,xiǎo pào,vesicles -小波,xiǎo bō,wavelet (math.) -小洞不补大洞吃苦,xiǎo dòng bù bǔ dà dòng chī kǔ,A small hole not plugged will make you suffer a big hole (idiom); a stitch in time saves nine -小淘气,xiǎo táo qì,"Rogue, Marvel Comics superhero" -小淘气,xiǎo táo qì,rascal -小渊,xiǎo yuān,Obuchi (Japanese surname) -小渊惠三,xiǎo yuān huì sān,"Obuchi Keizo (1937-2000), Japanese politician, prime minister 1998-2000" -小混混,xiǎo hùn hùn,hooligan; rogue; a good-for-nothing -小清新,xiǎo qīng xīn,hipster -小港,xiǎo gǎng,"Xiaogang or Hsiaokang district of Kaohsiung city 高雄市[Gao1 xiong2 shi4], south Taiwan" -小港区,xiǎo gǎng qū,"Xiaogang or Hsiaokang district of Kaohsiung city 高雄市[Gao1 xiong2 shi4], south Taiwan" -小汤山,xiǎo tāng shān,Xiaotangshan town in Beijing municipality -小溪,xiǎo xī,brook; streamlet -小滴,xiǎo dī,a drop -小满,xiǎo mǎn,"Xiaoman or Lesser Full Grain, 8th of the 24 solar terms 二十四節氣|二十四节气 21st May-5th June" -小潮,xiǎo cháo,"neap tide (the smallest tide, when moon is at first or third quarter)" -小滨鹬,xiǎo bīn yù,(bird species of China) little stint (Calidris minuta) -小瀑布,xiǎo pù bù,cascade -小灰山椒鸟,xiǎo huī shān jiāo niǎo,(bird species of China) Swinhoe's minivet (Pericrocotus cantonensis) -小灶,xiǎo zào,mess hall for high-ranking cadres; (fig.) special treatment; cf. 大灶[da4 zao4] -小熊座,xiǎo xióng zuò,Ursa Minor (constellation) -小熊维尼,xiǎo xióng wéi ní,Winnie-the-Pooh (bear character in children's stories by A. A. Milne adapted by Disney) -小熊猫,xiǎo xióng māo,lesser panda (Ailurus fulgens); red panda -小燕尾,xiǎo yàn wěi,(bird species of China) little forktail (Enicurus scouleri) -小营盘镇,xiǎo yíng pán zhèn,"Xiaoyingpan township in Börtala Shehiri or Bole City 博樂市|博乐市, Xinjiang" -小牛,xiǎo niú,calf; (coll.) lower-priced model of Lamborghini -小牛肉,xiǎo niú ròu,veal -小牝牛,xiǎo pìn niú,heifer -小犬,xiǎo quǎn,puppy; my son (humble) -小犬座,xiǎo quǎn zuò,Canis Minor (constellation) -小狗,xiǎo gǒu,pup; puppy -小狮座,xiǎo shī zuò,Leo Minor (constellation) -小玩意,xiǎo wán yì,gadget; widget (small item of software) -小球,xiǎo qiú,sports such as ping-pong and badminton that use small balls; see also 大球[da4 qiu2] -小生产,xiǎo shēng chǎn,small-scale production -小产,xiǎo chǎn,to miscarry; a miscarriage; an abortion -小田鸡,xiǎo tián jī,(bird species of China) Baillon's crake (Porzana pusilla) -小畑健,xiǎo tián jiàn,"OBATA Takeshi, manga artist, illustrator of cult series Death Note 死亡筆記|死亡笔记[si3 wang2 bi3 ji4]" -小病,xiǎo bìng,minor illness; indisposition -小发财,xiǎo fā cái,(coll.) (Tw) mini truck; Kei truck -小白,xiǎo bái,"(slang) novice; greenhorn; (old) (slang) fool; idiot; abbr. for 小白臉|小白脸[xiao3 bai2 lian3], pretty boy" -小白兔,xiǎo bái tù,bunny rabbit -小白腰雨燕,xiǎo bái yāo yǔ yàn,(bird species of China) house swift (Apus nipalensis) -小白脸,xiǎo bái liǎn,attractive young man (usually derog.); pretty boy; gigolo -小白脸儿,xiǎo bái liǎn er,erhua variant of 小白臉|小白脸[xiao3 bai2 lian3] -小白菜,xiǎo bái cài,bok choy; Chinese cabbage; Brassica chinensis; CL:棵[ke1] -小白额雁,xiǎo bái é yàn,(bird species of China) lesser white-fronted goose (Anser erythropus) -小白鼠,xiǎo bái shǔ,white mouse; lab mouse; lab rat; (fig.) human guinea pig -小百科全书,xiǎo bǎi kē quán shū,micropedia -小的,xiǎo de,I (when talking to a superior) -小皇帝,xiǎo huáng dì,child emperor; (fig.) spoiled child; spoiled boy; pampered only child -小尽,xiǎo jìn,lunar month of 29 days -小盘尾,xiǎo pán wěi,(bird species of China) lesser racket-tailed drongo (Dicrurus remifer) -小看,xiǎo kàn,to look down on; to underestimate -小眼角,xiǎo yǎn jiǎo,outer corner of the eye -小众,xiǎo zhòng,"minority of the population; non-mainstream (activity, pursuit etc); niche (market etc)" -小睡,xiǎo shuì,to nap; to doze -小瞧,xiǎo qiáo,(coll.) to look down on; to underestimate -小碟子,xiǎo dié zi,saucer -小确幸,xiǎo què xìng,sth small that one can find pleasure in (e.g. a cold beer after a hard day or a serendipitous find in a second-hand store) -小祖宗,xiǎo zǔ zōng,brat; little devil -小票,xiǎo piào,receipt; banknote of small denomination -小秘,xiǎo mì,"(ironically) ""secretary"" (i.e. boss's mistress)" -小笔电,xiǎo bǐ diàn,"mini laptop or notebook (computer); netbook; CL:臺|台[tai2],部[bu4]" -小算盘,xiǎo suàn pán,lit. small abacus; fig. selfish calculations; bean-counting -小管,xiǎo guǎn,young squid (Tw) -小节,xiǎo jié,a minor matter; trivia; bar (music) -小节线,xiǎo jié xiàn,barline (music) -小范围,xiǎo fàn wéi,small-scale; local; to a limited extent -小篆,xiǎo zhuàn,"the small or lesser seal, the form of Chinese character standardized by the Qin dynasty" -小笼包,xiǎo lóng bāo,steamed dumpling -小笼汤包,xiǎo lóng tāng bāo,steamed soup dumpling -小米,xiǎo mǐ,"Xiaomi, Chinese electronics company founded in 2010" -小米,xiǎo mǐ,millet -小米椒,xiǎo mǐ jiāo,same as 朝天椒[chao2 tian1 jiao1] -小粉,xiǎo fěn,starch -小粉红,xiǎo fěn hóng,young Chinese cyber-nationalists -小精灵,xiǎo jīng líng,elf -小红帽,xiǎo hóng mào,Little Red Riding Hood -小红莓,xiǎo hóng méi,cranberry -小红萝卜,xiǎo hóng luó bo,summer radish (the small red kind) -小组,xiǎo zǔ,group -小组委员会,xiǎo zǔ wěi yuán huì,subcommittee -小结,xiǎo jié,summary; short; brief; wrap-up -小绒鸭,xiǎo róng yā,(bird species of China) Steller's eider (Polysticta stelleri) -小绿人,xiǎo lǜ rén,little green men from Mars -小编,xiǎo biān,"editor or creator of online content (diminutive term, often used to refer to oneself: I, me, this writer)" -小缸缸儿,xiǎo gāng gang er,small mug (baby language) -小羊,xiǎo yáng,lamb -小羊驼,xiǎo yáng tuó,(zoology) vicuña -小羚羊,xiǎo líng yáng,gazelle -小老婆,xiǎo lǎo pó,concubine; mistress; (dialect) woman -小老鼠,xiǎo lǎo shǔ,@; at symbol -小考,xiǎo kǎo,quiz -小聪明,xiǎo cōng ming,clever-clever; clever in trivial matters; sharp but petty-minded -小声,xiǎo shēng,in a low voice; (speak) in whispers -小肚鸡肠,xiǎo dù jī cháng,"lit. small belly, chicken's gut (idiom); narrow-minded; petty" -小胖爪,xiǎo pàng zhuǎ,(coll.) hand -小脑,xiǎo nǎo,cerebellum (part of the brain) -小脚,xiǎo jiǎo,bound feet (traditional) -小肠,xiǎo cháng,small intestine -小腹,xiǎo fù,underbelly; lower abdomen -小腿,xiǎo tuǐ,lower leg (from knee to ankle); shank -小腿肚,xiǎo tuǐ dù,calf (of the leg) -小舅子,xiǎo jiù zi,(coll.) wife's younger brother -小舌,xiǎo shé,uvula -小船,xiǎo chuán,boat -小花远志,xiǎo huā yuǎn zhì,"small-flowered milkwort (Polygala arvensis Willd. or P. telephioides), with roots used in Chinese medicine" -小茴香,xiǎo huí xiāng,fennel; fennel seed -小菜,xiǎo cài,appetizer; small side dish; easy job; piece of cake; see also 小菜一碟[xiao3 cai4 yi1 die2] -小菜一碟,xiǎo cài yī dié,a small appetizer; a piece of cake; very easy (idiom) -小菜儿,xiǎo cài er,erhua variant of 小菜[xiao3 cai4] -小菜碟儿,xiǎo cài dié er,erhua variant of 小菜一碟[xiao3 cai4 yi1 die2] -小葵花凤头鹦鹉,xiǎo kuí huā fèng tóu yīng wǔ,(bird species of China) yellow-crested cockatoo (Cacatua sulphurea) -小葱,xiǎo cōng,shallot; spring onion; CL:把[ba3] -小薰,xiǎo xūn,"Xiao Xun (1989-), Taiwan actress" -小苏打,xiǎo sū dá,baking soda; sodium bicarbonate -小萝卜头,xiǎo luó bo tou,(coll.) little kid -小号,xiǎo hào,trumpet; small size (clothes etc); (coll.) a number one; a piss; (humble) our store; alternate account (for an Internet forum etc) -小蜜,xiǎo mì,(derog.) girlfriend of a married man -小蝗莺,xiǎo huáng yīng,(bird species of China) Pallas's grasshopper warbler (Locustella certhiola) -小虾,xiǎo xiā,shrimp -小虾米,xiǎo xiā mi,shrimp; fig. small fry; minor player -小蠹,xiǎo dù,bark beetle (zoology) -小行星,xiǎo xíng xīng,asteroid; minor planet -小行星带,xiǎo xíng xīng dài,asteroid belt between Mars and Jupiter -小冲突,xiǎo chōng tū,skirmish; clash; dispute; brush -小袋,xiǎo dài,pouch -小袋鼠,xiǎo dài shǔ,wallaby; pademelon -小里小气,xiǎo li xiǎo qì,stingy; petty -小褂,xiǎo guà,close-fitting (Chinese-style) upper garment -小视,xiǎo shì,to belittle; to look down upon; to despise -小觑,xiǎo qù,to despise; to have contempt for -小解,xiǎo jiě,to urinate; to empty one's bladder -小计,xiǎo jì,subtotal -小试牛刀,xiǎo shì niú dāo,to give a small demonstration of one's impressive skills (idiom) -小说,xiǎo shuō,"novel; fiction; CL:本[ben3],部[bu4]" -小说家,xiǎo shuō jiā,"School of Minor-talks, one of the Hundred Schools of Thought 諸子百家|诸子百家[zhu1 zi3 bai3 jia1] during the Warring States Period (475-221 BC)" -小说家,xiǎo shuō jiā,novelist -小调,xiǎo diào,"xiaodiao, a Chinese folk song genre; minor key (in music)" -小谎,xiǎo huǎng,fib -小豆,xiǎo dòu,see 紅豆|红豆[hong2 dou4] -小豆蔻,xiǎo dòu kòu,Indian cardamom (Amomum cardamomum) -小猫,xiǎo māo,kitten -小贝,xiǎo bèi,"""Becks"", nickname of British footballer David Beckham (see 貝克漢姆|贝克汉姆[Bei4 ke4 han4 mu3])" -小货车,xiǎo huò chē,pickup truck -小贩,xiǎo fàn,peddler; hawker -小费,xiǎo fèi,tip; gratuity -小资,xiǎo zī,petit bourgeois; yuppie; abbr. of 小資產階級|小资产阶级 -小资产阶级,xiǎo zī chǎn jiē jí,petty bourgeois -小卖部,xiǎo mài bù,kiosk; snack counter; retail department or section inside a larger business -小赤壁,xiǎo chì bì,"Little Red Cliff, nickname of Bitan 碧潭[Bi4 tan2], Xindian, Taibei county, Taiwan" -小起重机,xiǎo qǐ zhòng jī,jack -小跑,xiǎo pǎo,to trot; to jog -小路,xiǎo lù,minor road; lane; pathway; trail -小车,xiǎo chē,small model car; mini-car; small horse-cart; barrow; wheelbarrow; type of folk dance -小军舰鸟,xiǎo jūn jiàn niǎo,(bird species of China) great frigatebird (Fregata minor) -小辈,xiǎo bèi,the younger generation -小轮车,xiǎo lún chē,BMX (bike); cycling BMX (sport) -小转,xiǎo zhuǎn,to turn right (Shanghainese) -小轿车,xiǎo jiào chē,(automobile) sedan; car -小辫,xiǎo biàn,pigtail -小辫儿,xiǎo biàn er,erhua variant of 小辮|小辫[xiao3 bian4] -小辫子,xiǎo biàn zi,pigtail; (fig.) a shortcoming or evidence of wrongdoing that can be seized upon by others -小游,xiǎo yóu,outing; short trip -小过,xiǎo guò,little mistake; minor offense; slightly too much -小道,xiǎo dào,"bypath; trail; bribery as a means of achieving a goal; minor arts (Confucian reference to agriculture, medicine, divination, and other professions unworthy of a gentleman)" -小道具,xiǎo dào jù,"(theater) hand prop (wine glass, pistol etc)" -小道新闻,xiǎo dào xīn wén,news from the grapevine -小道消息,xiǎo dào xiāo xi,hearsay; gossip -小酌,xiǎo zhuó,to have a few (alcoholic) drinks (often implying a small party) -小野,xiǎo yě,Ono (Japanese surname and place name) -小野不由美,xiǎo yě bù yóu měi,"Ono Fuyumi (1960-), Japanese novelist" -小量,xiǎo liàng,a small quantity -小金,xiǎo jīn,"Xiaojin County (Tibetan: btsan lha rdzong) in Ngawa Tibetan and Qiang Autonomous Prefecture 阿壩藏族羌族自治州|阿坝藏族羌族自治州[A1 ba4 Zang4 zu2 Qiang1 zu2 Zi4 zhi4 zhou1], northwest Sichuan" -小金库,xiǎo jīn kù,supplementary cash reserve; private fund; private hoard; slush fund -小金县,xiǎo jīn xiàn,"Xiaojin County (Tibetan: btsan lha rdzong) in Ngawa Tibetan and Qiang Autonomous Prefecture 阿壩藏族羌族自治州|阿坝藏族羌族自治州[A1 ba4 Zang4 zu2 Qiang1 zu2 Zi4 zhi4 zhou1], northwest Sichuan" -小钢珠,xiǎo gāng zhū,pachinko -小钢球,xiǎo gāng qiú,iron pellet; shrapnel -小钢炮,xiǎo gāng pào,(coll.) piece of light artillery such as a mortar; (fig.) person who speaks boldly and frankly; hot hatch (car); (also used figuratively with various meanings in other contexts) -小钱,xiǎo qián,a small amount of money -小镇,xiǎo zhèn,small town; village -小铲子,xiǎo chǎn zi,trowel -小开,xiǎo kāi,(dialect) boss's son; rich man's son; young master -小阿姨,xiǎo ā yí,"auntie, youngest of sisters in mother's family" -小除夕,xiǎo chú xī,the day before New Year's Eve -小雁塔,xiǎo yàn tǎ,Small Wild Goose Pagoda in Xi'an -小雅,xiǎo yǎ,one of the three main divisions of the Book of Songs 詩經|诗经 -小集团,xiǎo jí tuán,faction; clique -小鸡,xiǎo jī,chick -小鸡鸡,xiǎo jī jī,penis (child's word) -小雨,xiǎo yǔ,light rain; drizzle -小雪,xiǎo xuě,"Xiaoxue or Lesser Snow, 20th of the 24 solar terms 二十四節氣|二十四节气 22nd November-6th December" -小云雀,xiǎo yún què,(bird species of China) oriental skylark (Alauda gulgula) -小电驴,xiǎo diàn lǘ,(coll.) electric scooter; electric moped; (dialect) scooter -小灵通,xiǎo líng tōng,"Personal Handy-phone System (PHS), mobile network system operating in China 1998-2013, branded ""Little Smart""" -小青年,xiǎo qīng nián,young person; youngster -小青脚鹬,xiǎo qīng jiǎo yù,(bird species of China) Nordmann's greenshank (Tringa guttifer) -小韵,xiǎo yùn,"homophone group (group of homophone characters, in a rhyme book)" -小项,xiǎo xiàng,small item; event (of program) -小头,xiǎo tóu,the smaller part or share of sth -小题大作,xiǎo tí dà zuò,variant of 小題大做|小题大做[xiao3 ti2 da4 zuo4] -小题大做,xiǎo tí dà zuò,to make a big fuss over a minor issue (idiom) -小额融资,xiǎo é róng zī,microfinance -小颚,xiǎo è,mandible (lower jaw) -小食中心,xiǎo shí zhōng xīn,Food court -小饭桌,xiǎo fàn zhuō,dining room for young schoolchildren unable to go home for lunch -小饭馆,xiǎo fàn guǎn,tearoom; canteen; cafeteria -小马,xiǎo mǎ,colt; pony -小马座,xiǎo mǎ zuò,Equuleus (constellation) -小脏鬼,xiǎo zāng guǐ,"dirty little devil (affectionate, of child)" -小松糕,xiǎo sōng gāo,muffin -小鬟,xiǎo huán,(historical) chignon worn by a young girl; slave girl (prepubescent household courtesan wearing a distinctive paired chignon hairstyle) -小鬼,xiǎo guǐ,little demon (term of endearment for a child); mischievous child; imp -小鲜肉,xiǎo xiān ròu,(coll.) teen idol (male) -小鳞胸鹪鹛,xiǎo lín xiōng jiāo méi,(bird species of China) pygmy wren-babbler (Pnoepyga pusilla) -小鸟,xiǎo niǎo,"small bird; young bird (hatchling, nestling, fledgling, chick); (fig.) penis (kiddie term); (golf) birdie" -小鸟依人,xiǎo niǎo yī rén,lit. like a little bird relying on people (idiom); fig. cute and helpless-looking -小鸟球,xiǎo niǎo qiú,(golf) birdie -小凤头燕鸥,xiǎo fèng tóu yàn ōu,(bird species of China) lesser crested tern (Thalasseus bengalensis) -小鸨,xiǎo bǎo,(bird species of China) little bustard (Tetrax tetrax) -小鸦鹃,xiǎo yā juān,(bird species of China) lesser coucal (Centropus bengalensis) -小鹃鸠,xiǎo juān jiū,(bird species of China) little cuckoo-dove (Macropygia ruficeps) -小鹅,xiǎo é,gosling -小鸥,xiǎo ōu,(bird species of China) little gull (Hydrocoloeus minutus) -小鹰号,xiǎo yīng hào,Kitty Hawk (US aircraft carrier) -小鹿乱撞,xiǎo lù luàn zhuàng,"fig. restless, because of fear or strong emotions" -小麦,xiǎo mài,wheat; CL:粒[li4] -小麦胚芽,xiǎo mài pēi yá,wheat germ -小面包,xiǎo miàn bāo,bread roll; bun -小黄,xiǎo huáng,(coll.) taxicab (Tw) -小黄瓜,xiǎo huáng guā,gherkin -小黄脚鹬,xiǎo huáng jiǎo yù,(bird species of China) lesser yellowlegs (Tringa flavipes) -小黄车,xiǎo huáng chē,yellow bicycle (provided by Ofo bicycle sharing company 2014-2020) -小黑领噪鹛,xiǎo hēi lǐng zào méi,(bird species of China) lesser necklaced laughingthrush (Garrulax monileger) -小鼓,xiǎo gǔ,snare drum -小鼠,xiǎo shǔ,mouse -小龙,xiǎo lóng,snake (as one of the 12 Chinese zodiac animals 生肖[sheng1 xiao4]) -小龙虾,xiǎo lóng xiā,crayfish; (esp.) red swamp crayfish 克氏原螯蝦|克氏原螯虾[ke4 shi4 yuan2 ao2 xia1] -少,shǎo,few; less; to lack; to be missing; to stop (doing sth); seldom -少,shào,young -少不了,shǎo bu liǎo,cannot do without; to be unavoidable; are bound to be many -少不得,shǎo bu dé,cannot be avoided; cannot do without -少不更事,shào bù gēng shì,young and inexperienced; wet behind the ears -少不经事,shào bù jīng shì,see 少不更事[shao4bu4geng1shi4] -少之又少,shǎo zhī yòu shǎo,very few; very little -少来,shǎo lái,refrain (from doing sth); (coll.) Come on!; Give me a break!; Save it! -少先队,shào xiān duì,"Young Pioneers of China, abbr. for 少年先鋒隊|少年先锋队[Shao4 nian2 Xian1 feng1 dui4]" -少儿,shào ér,child -少儿不宜,shào ér bù yí,not suitable for children -少刻,shǎo kè,a short while; soon -少块肉,shǎo kuài ròu,(coll.) (usually used in the negative) (can't) hurt (to do sth); (won't) hurt (to do sth) -少壮派,shào zhuàng pài,young guard; young and vigorous group with new ideas; new wave -少女,shào nǚ,girl; young lady -少女峰,shào nǚ fēng,"Jungfrau, peak in Switzerland" -少奶奶,shào nǎi nai,young lady of the house; wife of the young master -少妇,shào fù,young married woman -少子化,shǎo zǐ huà,"declining birthrate (orthographic borrowing from Japanese 少子化 ""shoushika"")" -少安毋躁,shǎo ān wú zào,"keep calm, don't get excited; don't be impatient" -少安无躁,shǎo ān wú zào,variant of 少安毋躁[shao3 an1 wu2 zao4] -少将,shào jiàng,major general; rear admiral; air vice marshal -少尉,shào wèi,second lieutenant (army rank) -少年,shào nián,early youth; youngster; (literary) youth; young man -少年之家,shào nián zhī jiā,children's center; children's club -少年先锋队,shào nián xiān fēng duì,"Young Pioneers of China (primary school league, a preparation for Communist Youth League); abbr. to 少先隊|少先队" -少年夫妻老来伴,shào nián fū qī lǎo lái bàn,"husband and wife in youth, companions in old age" -少年宫,shào nián gōng,"Children's Palace, institution where children can take part in various extracurricular activities" -少年犯,shào nián fàn,young criminal; juvenile delinquent -少年老成,shào nián lǎo chéng,accomplished though young; lacking youthful vigor -少府,shào fǔ,"Minor Treasurer in imperial China, one of the Nine Ministers 九卿[jiu3 qing1]" -少放,shǎo fàng,to add less (of a spice etc) -少数,shǎo shù,small number; few; minority -少数族裔,shǎo shù zú yì,ethnic minority -少数民族,shǎo shù mín zú,national minority; ethnic group -少数民族乡,shǎo shù mín zú xiāng,ethnic township (formal village level subdivision of PRC county) -少有,shǎo yǒu,rare; infrequent -少东,shào dōng,boss's son; young master; young boss -少东家,shào dōng jiā,boss's son -少林,shào lín,the Shaolin monastery and martial arts school -少林寺,shào lín sì,"Shaolin Temple, Buddhist monastery famous for its kung fu monks" -少校,shào xiào,junior ranking officer in Chinese army; major; lieutenant commander -少根筋,shǎo gēn jīn,(coll.) dim-witted; foolish; absent-minded -少爷,shào ye,son of the boss; young master of the house; your son (honorific) -少男,shào nán,"young, unmarried male; young guy" -少男少女,shào nán shào nǚ,boys and girls; teenagers -少突胶质,shǎo tū jiāo zhì,"oligodendrocytes (Greek: cells with few branches), a type of cell in central nervous system; oligodendroglia" -少管闲事,shǎo guǎn xián shì,Mind your own business!; Don't interfere! -少艾,shào ài,young and pretty; pretty girl -少见,shǎo jiàn,rare; seldom seen; (formal) it's a rare pleasure to see you -少见多怪,shǎo jiàn duō guài,lit. a person who has seen little of the world will be be astonished by certain things (idiom); fig. to be taken aback by sth because of one's lack of sophistication; naive; unworldy -少许,shǎo xǔ,a little; a few -少说为佳,shǎo shuō wéi jiā,Few words are best.; Brevity is the soul of wit. -少选,shǎo xuǎn,(literary) a little while -少量,shǎo liàng,a smidgen; a little bit; a few -少间,shǎo jiàn,soon; a short while; a narrow gap; slightly better (state of health) -少阳病,shào yáng bìng,name of disease in TCM -少阳经,shào yáng jīng,lesser yang gallbladder meridian of the leg (one of the 12 principal meridians of TCM) -少顷,shǎo qǐng,in a short while; presently -尔,ěr,variant of 爾|尔[er3] -尕,gǎ,little (dialect) -尖,jiān,"pointed; tapering; sharp; (of a sound) shrill; piercing; (of one's hearing, sight etc) sharp; acute; keen; to make (one's voice) shrill; sharp point; tip; the best of sth; the cream of the crop" -尖刀,jiān dāo,dagger -尖利,jiān lì,sharp; keen; cutting; shrill; piercing -尖刻,jiān kè,caustic; biting; piquant; acerbic; vitriolic; acrimonious -尖厉,jiān lì,shrill (voice) -尖叫,jiān jiào,to screech; to shriek -尖吻鲈,jiān wěn lú,barramundi or Asian sea bass (Lates calcarifer) -尖嘴鱼,jiān zuǐ yú,Indo-Pacific wrasse (Gomphosus varius) -尖塔,jiān tǎ,spire; minaret -尖子,jiān zi,best of its kind; cream of the crop -尖子生,jiān zi shēng,top student -尖尖,jiān jiān,sharp; pointed -尖尾滨鹬,jiān wěi bīn yù,(bird species of China) sharp-tailed sandpiper (Calidris acuminata) -尖山,jiān shān,"Jianshan district of Shuangyashan city 雙鴨山|双鸭山[Shuang1 ya1 shan1], Heilongjiang" -尖山区,jiān shān qū,"Jianshan district of Shuangyashan city 雙鴨山|双鸭山[Shuang1 ya1 shan1], Heilongjiang" -尖峰,jiān fēng,sharp peak (landform); (fig.) peak; spike -尖扎,jiān zhā,"Jianzha County in Huangnan Tibetan Autonomous Prefecture 黃南藏族自治州|黄南藏族自治州[Huang2 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -尖扎县,jiān zhā xiàn,"Jianzha County in Huangnan Tibetan Autonomous Prefecture 黃南藏族自治州|黄南藏族自治州[Huang2 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -尖括号,jiān kuò hào,angle brackets < > -尖新,jiān xīn,fresh; new and pointed -尖椒,jiān jiāo,chili pepper -尖沙咀,jiān shā zuǐ,"Tsim Sha Tsui, urbanized area in Hong Kong" -尖牙,jiān yá,canine tooth; fang; tusk -尖石,jiān shí,"Jianshi or Chienshih township in Hsinchu County 新竹縣|新竹县[Xin1 zhu2 Xian4], northwest Taiwan" -尖石乡,jiān shí xiāng,"Jianshi or Chienshih township in Hsinchu County 新竹縣|新竹县[Xin1 zhu2 Xian4], northwest Taiwan" -尖窄,jiān zhǎi,pointy; tapered -尖端,jiān duān,sharp pointed end; the tip; the cusp; tip-top; most advanced and sophisticated; highest peak; the best -尖管面,jiān guǎn miàn,penne pasta -尖细,jiān xì,(of an object) tapered; (of a voice) high-pitched -尖声啼哭,jiān shēng tí kū,squeal -尖草坪,jiān cǎo píng,"Jiancaoping district of Taiyuan city 太原市[Tai4 yuan2 shi4], Shanxi" -尖草坪区,jiān cǎo píng qū,"Jiancaoping district of Taiyuan city 太原市[Tai4 yuan2 shi4], Shanxi" -尖酸,jiān suān,harsh; scathing; acid (remarks) -尖酸刻薄,jiān suān kè bó,sharp and unkind (words) -尖锐,jiān ruì,sharp; intense; penetrating; pointed; acute (illness) -尖锐化,jiān ruì huà,to intensify; to become acute; to come to a head -尖锐批评,jiān ruì pī píng,sharp criticism -尖锐湿疣,jiān ruì shī yóu,genital wart; condyloma acuminatum -尖阁列岛,jiān gé liè dǎo,"Senkaku Islands (Japanese name for the Diaoyu Islands 釣魚島|钓鱼岛[Diao4 yu2 Dao3]), also known as the Pinnacle Islands" -尖顶,jiān dǐng,pointed object; cusp; pinnacle; steeple -尖头,jiān tóu,pointed end; tip; (medicine) oxycephaly -尖头鱥,jiān tóu guì,Chinese minnow (Phoxinus oxycephalus) -尗,shū,archaic variant of 菽[shu1]; archaic variant of 叔[shu1] -尙,shàng,"variant of 尚, still; yet; to value; to esteem" -尚,shàng,surname Shang -尚,shàng,still; yet; to value; to esteem -尚且,shàng qiě,(not) even; yet; still -尚可,shàng kě,not bad; satisfactory -尚存,shàng cún,still remains; still exists; still has -尚志,shàng zhì,"Shangzhi, county-level city in Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1], Heilongjiang" -尚志市,shàng zhì shì,"Shangzhi, county-level city in Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1], Heilongjiang" -尚慕杰,shàng mù jié,"James Sasser (1936-), US Ambassador to China 1995-1999" -尚方剑,shàng fāng jiàn,"imperial sword (giving bearer arbitrary powers); in fiction, Chinese version of 007's license to kill" -尚方宝剑,shàng fāng bǎo jiàn,"variant of 尚方劍|尚方剑[shang4 fang1 jian4]; imperial sword (giving bearer arbitrary powers); in fiction, Chinese version of 007's license to kill" -尚书,shàng shū,same as 書經|书经[Shu1 jing1] Book of History -尚书,shàng shū,high official; government minister -尚书经,shàng shū jīng,"Book of History; a compendium of documents in various styles, making up the oldest extant texts of Chinese history, from legendary times down to the times of Confucius" -尚书郎,shàng shū láng,ancient official title -尚未,shàng wèi,not yet; still not -尚未解决,shàng wèi jiě jué,unsolved; as yet unsettled -尚武,shàng wǔ,to promote a martial spirit; to revere military skills; warlike -尚比亚,shàng bǐ yà,Zambia (Tw) -尚无,shàng wú,not yet; not so far -尚义,shàng yì,"Shangyi county in Zhangjiakou 張家口|张家口[Zhang1 jia1 kou3], Hebei" -尚义县,shàng yì xiàn,"Shangyi county in Zhangjiakou 張家口|张家口[Zhang1 jia1 kou3], Hebei" -尚飨,shàng xiǎng,I beg you to partake of this sacrifice (used at the end of an elegiac address) -尜,gá,toy formed of a spindle with two sharp ends -尜儿,gá er,erhua variant of 尜[ga2] -尜尜,gá ga,toy formed of a spindle with two sharp ends; brochette (such as corncob) -鲜,xiǎn,variant of 鮮|鲜[xian3] -鲜,xiǎn,variant of 尟|鲜[xian3] -尢,wāng,lame -尤,yóu,surname You -尤,yóu,"outstanding; particularly, especially; a fault; to express discontentment against" -尤克里里,yóu kè lǐ lǐ,ukulele (loanword) -尤其,yóu qí,especially; particularly -尤其是,yóu qí shì,especially; most of all; above all; in particular -尤利西斯,yóu lì xī sī,Ulysses (novel) -尤加利,yóu jiā lì,eucalyptus (loanword) -尤卡坦,yóu kǎ tǎn,Yucatan (Mexican province) -尤卡坦半岛,yóu kǎ tǎn bàn dǎo,Yucatan Peninsula (Mexico) -尤坎,yóu kǎn,Rjukan (city in Norway) -尤德,yóu dé,"Sir Edward Youde (1924-1986), British diplomat, ambassador to Beijing 1974-1978, governor of Hong Kong 1982-1986" -尤指,yóu zhǐ,especially; particularly -尤文图斯,yóu wén tú sī,"Juventus, Italian football team" -尤溪,yóu xī,"Youxi, a county in Sanming City 三明市[San1ming2 Shi4], Fujian" -尤溪县,yóu xī xiàn,"Youxi, a county in Sanming City 三明市[San1ming2 Shi4], Fujian" -尤为,yóu wéi,especially -尤尔钦科,yóu ěr qīn kē,"Yurchenko (name); Natalia Yurchenko (1965-), Russian gymnast; Yurchenko, a type of jump-off for vaulting" -尤物,yóu wù,rarity; rare object; rare person; extraordinarily beautiful woman -尤诟,yóu gòu,shame; disgrace -尤金,yóu jīn,Eugene (name) -尥,liào,to give a backward kick (e.g. of a horse) -尥蹶子,liào juě zi,"(of mules, horses etc) to kick backward; to kick with the hind legs; fig. to flare up in anger; to display defiance" -尨,páng,surname Pang -尨,máng,shaggy dog; striped -尨,páng,old variant of 龐|庞[pang2]; huge; enormous -尬,gà,embarrassing; awkward -尬意,gà yì,(Tw) to like; to prefer -尬聊,gà liáo,(slang) awkward conversation; to have a cringeworthy conversation -尬舞,gà wǔ,"(slang) to battle each other in street dancing (derived from Taiwanese 較, which sounds similar to Mandarin 尬[ga4]); (slang) to perform weird dance moves" -尬电,gà diàn,(Internet slang) goddamn (loanword) (Tw) -就,jiù,(after a suppositional clause) in that case; then; (after a clause of action) as soon as; immediately after; (same as 就是[jiu4 shi4]) merely; nothing else but; simply; just; precisely; exactly; only; as little as; as much as; as many as; to approach; to move towards; to undertake; to engage in; (often followed by 著|着[zhe5]) taking advantage of; (of food) to go with; with regard to; concerning; (pattern: 就[jiu4] ... 也[ye3] ...) even if ... still ...; (pattern: 不[bu4] ... 就[jiu4] ...) if not ... then must be ... -就事论事,jiù shì lùn shì,to discuss sth on its own merits; to judge the matter as it stands -就任,jiù rèn,to take office; to assume a post -就伴,jiù bàn,to act as companion -就便,jiù biàn,at one's convenience; while one is at it -就口,jiù kǒu,"(of a bowl, a cup etc) to be brought up to one's mouth" -就口杯盖,jiù kǒu bēi gài,pucker-type lid (cup lid with a spout for sipping) -就地,jiù dì,locally; on the spot -就地取材,jiù dì qǔ cái,to draw on local resources; using materials at hand -就地正法,jiù dì zhèng fǎ,to execute on the spot (idiom); summary execution; to carry out the law on the spot -就学,jiù xué,to attend school -就寝,jiù qǐn,to go to sleep; to go to bed (literary) -就寝时间,jiù qǐn shí jiān,bedtime -就座,jiù zuò,to take a seat -就擒,jiù qín,to be taken prisoner -就是,jiù shì,exactly; precisely; only; simply; just; (used correlatively with 也[ye3]) even; even if -就是说,jiù shì shuō,in other words; that is -就晚了,jiù wǎn le,then it's too late (colloquial) -就服,jiù fú,(Tw) employment service (abbr. for 就業服務|就业服务[jiu4 ye4 fu2 wu4]) -就木,jiù mù,to be placed in a coffin; (fig.) to die -就业,jiù yè,to get a job; employment -就业安定费,jiù yè ān dìng fèi,"Employment Stability Fee (Taiwan), a minimum monthly fee for employing foreign workers" -就业服务,jiù yè fú wù,employment service; job placement service; jobseeker assistance -就业机会,jiù yè jī huì,employment opportunity; job opening -就业率,jiù yè lǜ,employment rate -就正,jiù zhèng,(literary and deferential) to solicit comments (on one's writing) -就此,jiù cǐ,at this point; thus; from then on -就算,jiù suàn,(coll.) even if -就范,jiù fàn,to submit; to give in -就绪,jiù xù,to be ready; to be in order -就义,jiù yì,to be killed for a righteous cause; to die a martyr -就职,jiù zhí,to take office; to assume a post -就职典礼,jiù zhí diǎn lǐ,inauguration -就职演说,jiù zhí yǎn shuō,inaugural speech -就职演讲,jiù zhí yǎn jiǎng,inaugural lecture -就着,jiù zhe,(eat sth) with (sth else); taking advantage of; using -就里,jiù lǐ,inside story -就要,jiù yào,will; shall; to be going to -就诊,jiù zhěn,to see a doctor; to seek medical advice -就读,jiù dú,to go to school -就近,jiù jìn,nearby; in a close neighborhood -就道,jiù dào,to set off; to take to the road -就医,jiù yī,to receive medical treatment -就餐,jiù cān,to dine -尴,gān,used in 尷尬|尴尬[gan1 ga4] -尴尬,gān gà,awkward; embarrassed -尸,shī,(literary) person representing the deceased (during burial ceremonies); (literary) to put a corpse on display (after execution); corpse (variant of 屍|尸[shi1]) -尸位素餐,shī wèi sù cān,to hold a sinecure (idiom) -尸禄,shī lù,to hold a sinecure -尸罗,shī luó,sila (Buddhism) -尹,yǐn,surname Yin -尹,yǐn,(literary) to administer; to govern; (bound form) governor; prefect; magistrate (official title in imperial times) -尹潽善,yǐn pǔ shàn,"Yun Poseon (1897-1990), South Korean Democratic party politician, mayor of Seoul from 1948, president 1960-1962" -尺,chě,"one of the characters used to represent a musical note in gongche notation, 工尺譜|工尺谱[gong1 che3 pu3]" -尺,chǐ,"a Chinese foot; one-third of a meter; a ruler; a tape-measure; one of the three acupoints for measuring pulse in Chinese medicine; CL:支[zhi1],把[ba3]" -尺八,chǐ bā,shakuhachi (Japanese bamboo flute) -尺子,chǐ zi,ruler (measuring instrument); CL:把[ba3] -尺寸,chǐ cun,size; dimensions; measurements (esp. of clothes); (coll.) propriety -尺寸过大,chǐ cun guò dà,"oversize (baggage, cargo etc)" -尺度,chǐ dù,scale; yardstick -尺短寸长,chǐ duǎn cùn cháng,"abbr. for 尺有所短,寸有所長|尺有所短,寸有所长[chi3 you3 suo3 duan3 , cun4 you3 suo3 chang2]" -尺码,chǐ mǎ,size; fitting (of apparel) -尺蠖,chǐ huò,"looper caterpillar, larva of moth in family Geometridae; inch worm" -尺蠖蛾,chǐ huò é,moth in family Geometridae -尺规,chǐ guī,ruler and compass (in geometric constructions) -尺规作图,chǐ guī zuò tú,ruler and compass construction (geometry) -尺骨,chǐ gǔ,ulna (anatomy); bone of the forearm -尻,kāo,(literary) buttocks; rump; coccyx; sacrum -尻门子,kāo mén zi,anus (rural coll.) -尻骨,kāo gǔ,coccyx; tailbone at end of spine -尼,ní,Buddhist nun; (often used in phonetic spellings) -尼亚加拉瀑布,ní yà jiā lā pù bù,Niagara Falls -尼亚美,ní yà měi,"Niamey, capital of Niger" -尼人,ní rén,Neanderthal (abbr. for 尼安德特人[Ni2 an1 de2 te4 ren2]) -尼克,ní kè,Nick (name) -尼克松,ní kè sōng,"Richard Nixon (1913-1994), US president 1969-1974; surname Nixon" -尼克森,ní kè sēn,"Nixon (name); Richard M Nixon (1913-1994), US president 1969-1974" -尼加拉瀑布,ní jiā lā pù bù,Niagara Falls (Tw) -尼加拉瓜,ní jiā lā guā,Nicaragua -尼勒克,ní lè kè,"Nilka County or Nilqa nahiyisi in Ili Kazakh Autonomous Prefecture 伊犁哈薩克自治州|伊犁哈萨克自治州[Yi1 li2 Ha1 sa4 ke4 Zi4 zhi4 zhou1], Xinjiang" -尼勒克县,ní lè kè xiàn,"Nilka County or Nilqa nahiyisi in Ili Kazakh Autonomous Prefecture 伊犁哈薩克自治州|伊犁哈萨克自治州[Yi1 li2 Ha1 sa4 ke4 Zi4 zhi4 zhou1], Xinjiang" -尼厄丽德,ní è lì dé,"Nereids (Greek sea nymphs, fifty daughters of Nereus and Doris); Nereid, moon of Neptune" -尼古丁,ní gǔ dīng,nicotine (loanword) -尼古西亚,ní gǔ xī yà,"Nicosia, capital of Cyprus (Tw)" -尼哥底母,ní gē dǐ mǔ,"Nicodemus, prominent Jew of the time of Christ, mentioned in the Gospel of John" -尼姆,ní mǔ,Nîmes (city in France) -尼姑,ní gū,Buddhist nun -尼安德塔人,ní ān dé tǎ rén,Neanderthal man -尼安德特人,ní ān dé tè rén,Neanderthal man -尼布楚条约,ní bù chǔ tiáo yuē,Treaty of Nerchinsk (1689) between Qing China and Russia -尼布甲尼撒,ní bù jiǎ ní sā,Nebuchadnezzar -尼希米记,ní xī mǐ jì,Book of Nehemiah -尼康,ní kāng,Nikon corporation -尼德兰,ní dé lán,the Netherlands -尼采,ní cǎi,"Friedrich Nietzsche (1846-1900), German philosopher" -尼散月,ní sàn yuè,"Nisan, the first month of the ecclesiastical year in the Jewish calendar" -尼斯,ní sī,Nice (city in France) -尼斯湖水怪,ní sī hú shuǐ guài,Loch Ness Monster -尼日,ní rì,Niger (Tw) -尼日利亚,ní rì lì yà,Nigeria -尼日尔,ní rì ěr,"Niger (African state); Niger River, West Africa" -尼日尔河,ní rì ěr hé,Niger River of West Africa -尼木,ní mù,"Nyêmo county, Tibetan: Snye mo rdzong in Lhasa 拉薩|拉萨[La1 sa4], Tibet" -尼木县,ní mù xiàn,"Nyêmo county, Tibetan: Snye mo rdzong in Lhasa 拉薩|拉萨[La1 sa4], Tibet" -尼格罗,ní gé luó,negro (loanword) -尼桑,ní sāng,"Nissan, Japanese car make" -尼泊尔,ní bó ěr,Nepal -尼泊尔王国,ní bó ěr wáng guó,Kingdom of Nepal -尼泊尔鹪鹛,ní bó ěr jiāo méi,(bird species of China) Nepal wren-babbler (Pnoepyga immaculata) -尼尔森,ní ěr sēn,Nielsen or Nelson (name) -尼尔逊,ní ěr xùn,"Nelson or Nillson (name); Horatio Nelson (1758-1805), British naval hero" -尼特,ní tè,"nit (symbol: nt), unit of luminance (loanword)" -尼特族,ní tè zú,"(Tw) (neologism c. 2007) young person who is not studying, working or being trained for work (loanword from NEET: not in education, employment or training)" -尼玛,ní mǎ,"Nyima county, Tibetan: Nyi ma rdzong in Nagchu prefecture 那曲地區|那曲地区[Na4 qu3 di4 qu1], central Tibet" -尼玛,ní mǎ,(Internet slang) alternative for 你媽|你妈[ni3 ma1]; (transcription from Tibetan) the sun -尼玛县,ní mǎ xiàn,"Nyima county, Tibetan: Nyi ma rdzong in Nagchu prefecture 那曲地區|那曲地区[Na4 qu3 di4 qu1], central Tibet" -尼科西亚,ní kē xī yà,"Nicosia, capital of Cyprus" -尼米兹,ní mǐ zī,"Chester William Nimitz (1885-1966), US admiral" -尼米兹号,ní mǐ zī hào,"Nimitz class, US nuclear-powered aircraft carrier, 8 in commission since 1975" -尼罗,ní luó,the Nile -尼罗河,ní luó hé,Nile (river) -尼苏,ní sū,Nisu (language) -尼赫鲁,ní hè lǔ,"Jawaharlal Nehru (1889-1964), Indian politician, first prime minister 1947-1964" -尼雅,ní yǎ,"Niya, ancient kingdom near Khotan in Xinjiang, 1st century BC-4th century AD" -尼雅河,ní yǎ hé,Niya River in south Xinjiang -尼龙,ní lóng,nylon (loanword) -尼龙搭扣,ní lóng dā kòu,nylon buckle; velcro -尾,wěi,tail; remainder; remnant; extremity; sixth of the 28 constellations; classifier for fish -尾,yǐ,horse's tail; pointed posterior section of a locust etc -尾大不掉,wěi dà bù diào,large tail obstructs action (idiom); bottom heavy; fig. rendered ineffective by subordinates -尾子,wěi zi,tail; end; small change; odd sum remaining after large round number -尾巴,wěi ba,tail; colloquial pr. [yi3 ba5] -尾张国,wěi zhāng guó,"Owari or Owari-no-kuni, Japanese fiefdom during 11th-15th century, current Aichi prefecture around Nagoya" -尾击,wěi jī,attack from the rear -尾数,wěi shù,remainder (after rounding a number); decimal part (of number after the decimal point); mantissa (i.e. fractional part of common logarithm in math.); small change; balance (of an account) -尾期,wěi qī,final period; the end (of a term); the close -尾梢,wěi shāo,the tip; the end; the very end -尾椎,wěi zhuī,coccyx; tailbone -尾欠,wěi qiàn,balance due; small balance still to pay; final remaining debt -尾款,wěi kuǎn,balance (money remaining due) -尾气,wěi qì,exhaust; emissions -尾水,wěi shuǐ,tailwater; outflow (from mill or power plant) -尾水渠道,wěi shuǐ qú dào,outflow channel -尾流,wěi liú,"wake (trailing behind a ship, airplane etc); slipstream" -尾灯,wěi dēng,tail light (on vehicle) -尾牙,wěi yá,a year-end dinner for employees -尾班,wěi bān,"last service (of train, bus, boat etc)" -尾生,wěi shēng,Wei Sheng (legendary character who waited for his love under a bridge until he was drowned in the surging waters); sb who keeps to their word no matter what -尾矿,wěi kuàng,mining waste; waste remaining after processing ore; tailings -尾矿库,wěi kuàng kù,slag heap; dump of mining waste -尾缀,wěi zhuì,(lit.) to follow sb; (linguistics) suffix; ending; (computing) file name extension -尾羽,wěi yǔ,tail feathers -尾羽龙,wěi yǔ lóng,caudipteryx (a feathered dinosaur) -尾翼,wěi yì,"empennage (of an aircraft); fletching (of an arrow); fins (of a missile, rocket etc); rear spoiler (of a car)" -尾声,wěi shēng,coda; epilogue; end -尾号,wěi hào,"last digit (or last few digits) of a phone number, license plate number etc" -尾蚴,wěi yòu,tailed larva; Cercaria (microscopic larva of parasitic Miracidium flatworm) -尾注,wěi zhù,endnote -尾部,wěi bù,back part; rear section; tail section -尾闾骨,wěi lǘ gǔ,coccyx -尾随,wěi suí,to tail behind; to tag along; to follow on the heels of -尾音,wěi yīn,final sound of a syllable; rhyme (e.g. in European languages) -尾韵,wěi yùn,rhyme -尾页,wěi yè,last page -尾骨,wěi gǔ,coccyx; tailbone -尾鳍,wěi qí,tail or caudal fin -尿,niào,to urinate; urine; CL:泡[pao1] -尿,suī,(coll.) urine -尿不湿,niào bù shī,(coll.) disposable diaper -尿嘧啶,niào mì dìng,"uracil nucleotide (U, pairs with adenine A 腺嘌呤 in RNA)" -尿尿,niào niào,to pee -尿布,niào bù,diaper -尿布疹,niào bù zhěn,diaper rash -尿床,niào chuáng,to wet the bed -尿急,niào jí,urinary urgency -尿意,niào yì,an urge to urinate -尿样,niào yàng,urine sample -尿检,niào jiǎn,urine test; urinalysis; to do a urine test -尿毒,niào dú,uremia (medicine) -尿毒症,niào dú zhèng,uremia (medicine) -尿泡,suī pao,(dialect) bladder -尿液,niào yè,urine -尿炕,niào kàng,to wet the bed -尿片,niào piàn,diaper -尿生殖管道,niào shēng zhí guǎn dào,urinogenital tract -尿盆,niào pén,chamber pot -尿盆儿,niào pén er,erhua variant of 尿盆[niao4 pen2] -尿素,niào sù,carbamide; urea (NH2)2CO -尿脬,suī pāo,bladder -尿裤子,niào kù zi,to wet one's pants -尿遁,niào dùn,(slang) pretext of needing to urinate (used to slip away to avoid having to do sth) -尿道,niào dào,urethra; urinary tract -尿点,niào diǎn,"the boring part of something (film, show, etc.) where a bathroom break can be taken" -局,jú,"office; situation; classifier for games: match, set, round etc" -局中人,jú zhōng rén,participant; protagonist; a player (in this affair) -局促,jú cù,variant of 侷促|局促[ju2cu4] -局促一隅,jú cù yī yú,to be cramped in a corner (idiom) -局促不安,jú cù bù ān,ill at ease; uncomfortable -局势,jú shì,situation; state (of affairs) -局地,jú dì,local; locally -局域网,jú yù wǎng,local area network (LAN) -局外,jú wài,outside (a group etc); not connected (with an event etc); external -局外中立,jú wài zhōng lì,neutralism -局子,jú zi,police station -局灶性,jú zào xìng,(medicine) focal -局级,jú jí,(administrative) bureau-level -局部,jú bù,part; local -局部作用域,jú bù zuò yòng yù,(computing) local scope -局部性,jú bù xìng,local -局部语境,jú bù yǔ jìng,local context -局部连结网络,jú bù lián jié wǎng luò,local connectionist network -局部连贯性,jú bù lián guàn xìng,local coherence -局部麻醉,jú bù má zuì,local anesthesia -局部麻醉剂,jú bù má zuì jì,local anesthetic -局长,jú zhǎng,"bureau chief; CL:位[wei4],個|个[ge4]" -局限,jú xiàn,to limit; to confine; to restrict sth within set boundaries -局限性,jú xiàn xìng,limitations; (medicine) localized -局限于,jú xiàn yú,to be limited to -局面,jú miàn,aspect; phase; situation -局麻,jú má,local anesthesia (abbr. for 局部麻醉[ju2 bu4 ma2 zui4]) -局麻药,jú má yào,local anesthetic -屁,pì,fart; flatulence; nonsense; (usu. in the negative) what; (not) a damn thing -屁事,pì shì,(vulgar) trifling matter; mere trifle; goddamn thing; goddamn business -屁墩儿,pì dūn er,(dialect) a fall on the buttocks -屁屁,pì pi,(child's term) buttocks; bottom -屁民,pì mín,(slang) shitizen; commoner; hoi polloi -屁滚尿流,pì gǔn niào liú,to piss one's pants in terror (idiom); scared witless -屁眼,pì yǎn,anus -屁眼儿,pì yǎn er,erhua variant of 屁眼[pi4 yan3] -屁精,pì jīng,(slang) gay; sissy; poof; abbr. for 馬屁精|马屁精[ma3 pi4 jing1] -屁股,pì gu,buttocks; bottom; butt; back part -屁股决定脑袋,pì gu jué dìng nǎo dai,lit. the butt governs the head (idiom); fig. where one stands depends on where one sits; one's views are shaped by one's circumstances -屁股眼,pì gu yǎn,anus -屁股蛋,pì gu dàn,butt cheek; rump -屁股蹲儿,pì gu dūn er,(dialect) a fall on the buttocks; pratfall -屁话,pì huà,bullshit; nonsense -屁轻,pì qīng,very light -屁颠屁颠,pì diān pì diān,lit. jolting buttocks; (colloquial intensifier) groveling; eager; compliant; smug -屄,bī,cunt (vulgar) -屄屄,bī bi,(vulgar) to rattle on; to talk drivel -屄样儿,bī yàng er,"(vulgar, offensive) a person's repulsive appearance" -居,jū,surname Ju -居,jī,(archaic) sentence-final particle expressing a doubting attitude -居,jū,to reside; to be (in a certain position); to store up; to be at a standstill; residence; house; restaurant; classifier for bedrooms -居中,jū zhōng,to be between two parties (as in mediation); to be in the middle; to be in between; (page layout) to be centered -居中对齐,jū zhōng duì qí,centered alignment (typography) -居人,jū rén,inhabitant -居位,jū wèi,to occupy a high position (in administration) -居住,jū zhù,to reside; to dwell; to live in a place; resident in -居住地,jū zhù dì,current address; place of residence -居住于,jū zhù yú,to inhabit -居住者,jū zhù zhě,inhabitant -居住证,jū zhù zhèng,residence permit -居功,jū gōng,to claim credit for oneself -居功自傲,jū gōng zì ào,satisfied with one's accomplishment and arrogant as a result (idiom); resting on one's laurels and despising others -居丧,jū sāng,to observe the ritual mourning -居多,jū duō,to be in the majority -居奇,jū qí,to hoard; to speculate; profiteering -居委会,jū wěi huì,neighbourhood committee -居孀,jū shuāng,to remain widowed (formal) -居宅,jū zhái,dwelling -居安思危,jū ān sī wēi,to think of danger in times of safety; to be vigilant in peacetime (idiom) -居官,jū guān,to secure a position; to take an official appointment -居室,jū shì,room; apartment -居家,jū jiā,to live at home; to stay at home; home (schooling etc); in-home (care etc); household (repairs etc); living (environment etc) -居巢,jū cháo,"Juchao district of Chaohu city 巢湖[Chao2 hu2], Anhui" -居巢区,jū cháo qū,"Juchao district of Chaohu city 巢湖市[Chao2 hu2 shi4], Anhui" -居庸关,jū yōng guān,"Juyongguan, frontier fortress on Great Wall north of Beijing, in Changping district 昌平區|昌平区[Chang1 ping2 qu1]" -居心,jū xīn,to harbor (evil) intentions; to be bent on; a tranquil heart or mind -居心不良,jū xīn bù liáng,to harbor evil intentions (idiom) -居心何在,jū xīn hé zài,What's (he) up to?; What's the motive behind all this? -居心叵测,jū xīn pǒ cè,harboring unfathomable motives (idiom) -居心险恶,jū xīn xiǎn è,to have sinister motives -居所,jū suǒ,residence -居正,jū zhèng,(literary) to follow the right path -居民,jū mín,resident; inhabitant -居民区,jū mín qū,residential area; neighborhood -居民楼,jū mín lóu,apartment building; residential tower -居民消费价格指数,jū mín xiāo fèi jià gé zhǐ shù,consumer price index CPI -居民点,jū mín diǎn,residential area -居民点儿,jū mín diǎn er,variant of 居民點|居民点[ju1 min2 dian3] -居无定所,jū wú dìng suǒ,to be without a fixed residence (idiom) -居然,jū rán,unexpectedly; to one's surprise; go so far as to -居留,jū liú,residence; to reside -居留权,jū liú quán,right of abode (law) -居留证,jū liú zhèng,residence permit -居礼,jū lǐ,see 居里[ju1 li3] -居礼夫人,jū lǐ fū ren,"Maria Skłodowska-Curie or Marie Curie (1867-1934), Nobel laureate in both physics (1903) and chemistry (1911)" -居第,jū dì,housing; high-class residence -居经,jū jīng,menstruation; regular periods -居处,jū chǔ,to live; to reside -居处,jū chù,dwelling place; home -居酒屋,jū jiǔ wū,izakaya (a kind of traditional Japanese pub) -居里,jū lǐ,curie (Ci) (loanword) -居里夫人,jū lǐ fū ren,see 居禮夫人|居礼夫人[Ju1 li3 Fu1 ren5] -居间,jū jiān,positioned between (two parties); to mediate between -居首,jū shǒu,leading; in first place; top of the list -居高不下,jū gāo bù xià,"(of prices, rates etc) to remain high" -居高临下,jū gāo lín xià,"lit. to be in a high location, overlooking the scene below (idiom); fig. to occupy a commanding position; to assume a haughty attitude" -居鲁士,jū lǔ shì,Cyrus (name) -居鲁士大帝,jū lǔ shì dà dì,"Cyrus the Great (ca. 600-530 BC), the founder of the Persian Empire and the conqueror of Babylon" -届,jiè,"to arrive at (place or time); period; to become due; classifier for events, meetings, elections, sporting fixtures, years (of graduation)" -届时,jiè shí,when the time comes; at the scheduled time -届满,jiè mǎn,(of a term of office) to expire -屈,qū,surname Qu -屈,qū,bent; to feel wronged -屈伦博赫,qū lún bó hè,"Culemborg, city in the Netherlands" -屈光度,qū guāng dù,diopter -屈公病,qū gōng bìng,chikungunya fever (Tw) -屈原,qū yuán,"Qu Yuan (340-278 BC), famous Warring States statesman and poet, author of Sorrow at Parting 離騷|离骚 Lisao in Songs of Chu 楚辭|楚辞" -屈原祠,qū yuán cí,"Qu Yuan memorial temple on the Miluo river 汨羅江|汨罗江 at Yueyang 岳陽市|岳阳市, Hunan" -屈原纪念馆,qū yuán jì niàn guǎn,"Qu Yuan Memorial Hall in Zigui county 秭歸縣|秭归县[Zi3 gui1 Xian4], Hubei, built in 1982 and a major tourist attraction since then" -屈尊,qū zūn,to condescend; to deign -屈尊俯就,qū zūn fǔ jiù,to condescend; condescending; patronizing -屈从,qū cóng,to submit; to yield; to bow to sb's will -屈戌儿,qū qu er,staple (used with a hasp) -屈才,qū cái,to waste talent -屈打成招,qū dǎ chéng zhāo,to obtain confessions under torture -屈折语,qū zhé yǔ,to inflect (in grammar); to decline; to conjugate -屈指,qū zhǐ,to count on one's fingers -屈指一算,qū zhǐ yī suàn,to count on one's fingers -屈指可数,qū zhǐ kě shǔ,lit. can be counted on one's fingers (idiom); fig. very few -屈挠,qū náo,to surrender; to yield; to flex -屈曲,qū qū,crooked -屈服,qū fú,to surrender; to succumb; to yield; (as a transitive verb) to defeat; to prevail over -屈肌,qū jī,flexor (anatomy) -屈膝礼,qū xī lǐ,curtsy -屈辱,qū rǔ,to humiliate; humiliating -屈头蛋,qū tóu dàn,see 鴨仔蛋|鸭仔蛋[ya1 zi3 dan4] -屈体,qū tǐ,to bend at the waist; (fig.) to bow to; (diving) pike position -屋,wū,(bound form) house; (bound form) room -屋企,wū qǐ,home; family (Cantonese); Mandarin equivalent: 家[jia1] -屋外,wū wài,outdoors; outside -屋子,wū zi,house; room; CL:間|间[jian1] -屋宇,wū yǔ,(literary) house; building -屋架,wū jià,a building; the frame of a building; roof beam; truss -屋漏偏逢连夜雨,wū lòu piān féng lián yè yǔ,"when it rains, it pours (idiom)" -屋漏更遭连夜雨,wū lòu gèng zāo lián yè yǔ,"when it rains, it pours (idiom)" -屋檐,wū yán,eaves; roof (i.e. home) -屋脊,wū jǐ,roof ridge -屋面,wū miàn,roof -屋面瓦,wū miàn wǎ,room tiles -屋顶,wū dǐng,roof; CL:個|个[ge4] -屌,diǎo,penis; (slang) cool or extraordinary; (Cantonese) to fuck -屌爆,diǎo bào,(slang) awesome -屌丝,diǎo sī,loser (Internet slang) -尸,shī,(bound form) corpse -尸僵,shī jiāng,rigor mortis -尸块,shī kuài,body parts (of a mutilated corpse) -尸山血海,shī shān xuè hǎi,lit. mountains of corpses and oceans of blood (idiom); fig. a scene of wholesale slaughter -尸布,shī bù,pall (casket covering) -尸斑,shī bān,livor mortis -尸检,shī jiǎn,autopsy -尸首,shī shou,corpse; carcass; dead body -尸骨,shī gǔ,skeleton of the dead -尸骸,shī hái,corpse; skeleton -尸体,shī tǐ,dead body; corpse; carcass; CL:具[ju4] -尸体剖检,shī tǐ pōu jiǎn,autopsy -尸体袋,shī tǐ dài,body bag -尸体解剖,shī tǐ jiě pōu,autopsy; postmortem -屎,shǐ,"feces; excrement; a stool; (bound form) secretion (of the ear, eye etc)" -屎意,shǐ yì,an urge to defecate -屎壳郎,shǐ ké làng,see 屎蚵螂[shi3 ke1 lang2] -屎蚵螂,shǐ kē láng,dung beetle -屏,bīng,see 屏營|屏营[bing1 ying2] -屏,bǐng,to get rid of; to put aside; to reject; to keep control; to hold (one's breath) -屏,píng,(standing) screen -屏保,píng bǎo,screensaver; abbr. for 屏幕保護程序|屏幕保护程序[ping2 mu4 bao3 hu4 cheng2 xu4] -屏南,píng nán,"Pingnan county in Ningde 寧德|宁德[Ning2 de2], Fujian" -屏南县,píng nán xiàn,"Pingnan county in Ningde 寧德|宁德[Ning2 de2], Fujian" -屏山,píng shān,"Pingshan county in Yibin 宜賓|宜宾[Yi2 bin1], Sichuan" -屏山县,píng shān xiàn,"Pingshan county in Yibin 宜賓|宜宾[Yi2 bin1], Sichuan" -屏幕,píng mù,"screen (TV, computer or movie)" -屏幕保护程序,píng mù bǎo hù chéng xù,screensaver -屏息,bǐng xī,hold one's breath -屏东,píng dōng,"Pingtung city, county and military airbase in south Taiwan" -屏东市,píng dōng shì,Pingtung City in south Taiwan -屏东县,píng dōng xiàn,Pingtung County in south Taiwan -屏条,píng tiáo,set of (usually four) hanging scrolls -屏气,bǐng qì,to hold one's breath -屏营,bīng yíng,with fear and trepidation -屏蔽,píng bì,to screen; to block (sth or sb); to shield; (protective) shield -屏蔽罐,píng bì guàn,cask -屏退,bǐng tuì,to send away; to dismiss (servants etc); to retire from public life -屏边苗族自治县,píng biān miáo zú zì zhì xiàn,"Pingbian Mianzu autonomous county in Honghe Hani and Yi autonomous prefecture 紅河哈尼族彞族自治州|红河哈尼族彝族自治州[Hong2 he2 Ha1 ni2 zu2 Yi2 zu2 Zi4 zhi4 zhou1], Yunnan" -屏门,píng mén,screen door -屏除,bǐng chú,to get rid of; to dismiss; to brush aside -屏障,píng zhàng,barrier -屏风,píng fēng,(furniture) screen -屐,jī,clogs -屑,xiè,bits; fragments; crumbs; filings; trifling; trivial; to condescend to -屃,xì,variant of 屭|屃[xi4] -展,zhǎn,surname Zhan -展,zhǎn,to spread out; to open up; to exhibit; to put into effect; to postpone; to prolong; exhibition -展位,zhǎn wèi,relative position of exhibition booth; allocated floor space for display stall; allotted exhibit area -展出,zhǎn chū,to put on display; to be on show; to exhibit -展列,zhǎn liè,to lay out one's products; to display -展品,zhǎn pǐn,exhibit; displayed item -展室,zhǎn shì,exhibition room -展宽,zhǎn kuān,to widen -展布,zhǎn bù,to spread; distribution -展帆,zhǎn fān,to unfurl (a sail) -展平,zhǎn píng,"to flatten out (paper, film, metal plates etc)" -展弦比,zhǎn xián bǐ,(wing) aspect ratio (aerodynamics) -展播,zhǎn bō,to exhibit as broadcast; to show (on TV) -展望,zhǎn wàng,outlook; prospect; to look ahead; to look forward to -展期,zhǎn qī,to extend the period; to reschedule (a debt) -展柜,zhǎn guì,display case -展玩,zhǎn wán,to view close up; to examine and admire -展现,zhǎn xiàn,to unfold before one's eyes; to emerge; to reveal; to display -展眉,zhǎn méi,to beam with joy; all smiles -展示,zhǎn shì,to reveal; to display; to show; to exhibit -展缓,zhǎn huǎn,to postpone; to extend -展翅,zhǎn chì,to spread wings -展翅高飞,zhǎn chì gāo fēi,to spread one's wings and soar (idiom); to develop one's abilities freely -展台,zhǎn tái,display counter; stand; booth -展览,zhǎn lǎn,"to put on display; to exhibit; exhibition; show; CL:個|个[ge4],次[ci4]" -展览会,zhǎn lǎn huì,exhibition; show; CL:個|个[ge4] -展览馆,zhǎn lǎn guǎn,exhibition hall -展评,zhǎn píng,to display for evaluation; to exhibit and compare -展转,zhǎn zhuǎn,variant of 輾轉|辗转[zhan3 zhuan3] -展转腾挪,zhǎn zhuǎn téng nuó,see 閃轉騰挪|闪转腾挪[shan3 zhuan3 teng2 nuo2] -展销,zhǎn xiāo,to display and sell (e.g. at a fair); sales exhibition -展销会,zhǎn xiāo huì,trade show; sales exhibition -展开,zhǎn kāi,to unfold; to spread out; to open up; to launch; to carry out -展开图,zhǎn kāi tú,expanded view -展陈,zhǎn chén,to exhibit; to display; exhibition; display -展露,zhǎn lù,to expose; to reveal -展馆,zhǎn guǎn,exhibition hall; (expo) pavilion -屙,ē,(dialect) to excrete (urine or feces) -屙尿,ē niào,to urinate -屙屎,ē shǐ,to defecate -屉,tì,drawer; tier; tray -屉子,tì zi,drawer; stackable cooking vessel; woven mat on a bed frame or chair; woven window screen -屠,tú,surname Tu -屠,tú,to slaughter (animals for food); to massacre -屠伯,tú bó,butcher; fig. brutal killer -屠刀,tú dāo,butcher's knife; abattoir hatchet -屠城,tú chéng,to massacre everyone in a captured city -屠场,tú chǎng,slaughterhouse; abattoir -屠夫,tú fū,butcher; fig. murderous dictator -屠妖节,tú yāo jié,Deepavali (Hindu festival) -屠宰,tú zǎi,to slaughter; to butcher -屠宰场,tú zǎi chǎng,slaughterhouse; abattoir -屠戮,tú lù,slaughter; massacre -屠户,tú hù,butcher -屠格涅夫,tú gé niè fū,"Ivan Sergeevich Turgenev (1818-1883), Russian novelist" -屠杀,tú shā,to massacre; to slaughter -屠毒,tú dú,poison; to murder by poison -屠毒笔墨,tú dú bǐ mò,poisonous writing; disparaging writing; calumny -屡,lǚ,time and again; repeatedly; frequently -屡出狂言,lǚ chū kuáng yán,repeated gaffes -屡加,lǚ jiā,ply -屡劝不听,lǚ quàn bù tīng,(idiom) refusing to listen to advice or remonstrance; incorrigible -屡屡,lǚ lǚ,again and again; repeatedly -屡战屡败,lǚ zhàn lǚ bài,to suffer defeat in every battle (idiom) -屡败屡战,lǚ bài lǚ zhàn,to keep on fighting despite continual setbacks (idiom) -屡教不改,lǚ jiào bù gǎi,"lit. not to change, despite repeated admonition; incorrigible; unrepentant" -屡次,lǚ cì,repeatedly; time and again -屡禁不止,lǚ jìn bù zhǐ,to continue despite repeated prohibition (idiom) -屡禁不绝,lǚ jìn bù jué,to continue despite repeated prohibition (idiom) -屡见不鲜,lǚ jiàn bù xiān,a common occurrence (idiom) -屡试不爽,lǚ shì bù shuǎng,well-tried; time-tested -屡遭,lǚ zāo,to suffer repeatedly -屡遭不测,lǚ zāo bù cè,beset by a series of mishaps (idiom) -屣,xǐ,slippers -层,céng,to pile on top of one another; layer; stratum; floor (of a building); story; (math.) sheaf; classifier for layers -层出不穷,céng chū bù qióng,more and more emerge; innumerable succession; breeding like flies (idiom) -层报,céng bào,to report to higher authorities through layers of hierarchy -层压,céng yā,lamination -层压式推销,céng yā shì tuī xiāo,pyramid scheme -层子,céng zi,stratum -层层,céng céng,layer upon layer -层层传达,céng céng chuán dá,to send down the line -层层加码,céng céng jiā mǎ,to increase bit by bit; repeated increments -层峦,céng luán,range upon range of mountains -层峦叠嶂,céng luán dié zhàng,range upon range of mountains (idiom) -层岩,céng yán,stratified rock; flagstone -层楼,céng lóu,multistoried building; tower; pagoda -层次,céng cì,layer; level; gradation; arrangement of ideas; (a person's) standing -层次分明,céng cì fēn míng,layered; structured; made up of distinct parts -层流,céng liú,laminar flow -层状,céng zhuàng,stratified; bedded (geology) -层理,céng lǐ,stratification -层叠,céng dié,layer upon layer; tiered -层积云,céng jī yún,stratocumulus cloud -层级,céng jí,level; hierarchy -层见迭出,céng jiàn dié chū,to occur frequently; to occur repeatedly -层云,céng yún,stratus (cloud) -层面,céng miàn,"aspect; facet; level (political, psychological, spiritual etc); (geology) bedding plane" -履,lǚ,shoe; to tread on -履带,lǚ dài,caterpillar track (propulsion system used on bulldozers etc); (literary) shoes and belt -履新,lǚ xīn,(of an official) to take up a new post; (literary) to celebrate the New Year -履历,lǚ lì,background (academic and work); curriculum vitae; résumé -履历片,lǚ lì piàn,curriculum vitae (CV) -履历表,lǚ lì biǎo,curriculum vitae (CV); resume -履约,lǚ yuē,to keep a promise; to honor an agreement -履约保证金,lǚ yuē bǎo zhèng jīn,performance bond (international trade) -履舄交错,lǚ xì jiāo cuò,lit. shoes and slippers muddled together (idiom); fig. many guests come and go; a lively party -履行,lǚ xíng,to fulfill (one's obligations); to carry out (a task); to implement (an agreement); to perform -履践,lǚ jiàn,to carry out (a task) -履险如夷,lǚ xiǎn rú yí,lit. to make one's way through a dangerous pass as if walking on level ground (idiom); fig. to handle a crisis effortlessly -屦,jù,sandals -属,shǔ,category; genus (taxonomy); family members; dependents; to belong to; subordinate to; affiliated with; be born in the year of (one of the 12 animals); to be; to prove to be; to constitute -属,zhǔ,to join together; to fix one's attention on; to concentrate on -属下,shǔ xià,subordinate; affiliated to; subsidiary -属世,shǔ shì,of this world -属吏,shǔ lì,(old) subordinate; underling -属国,shǔ guó,vassal state -属地,shǔ dì,dependency; possession; annexed territory -属实,shǔ shí,to turn out to be true; verified; true -属性,shǔ xìng,attribute; property -属意,zhǔ yì,to set one's heart on; to set one's choice on -属文,zhǔ wén,to write prose -属于,shǔ yú,to be classified as; to belong to; to be part of -属格,shǔ gé,genitive case (in grammar) -属相,shǔ xiàng,colloquial term for 生肖[sheng1 xiao4] the animals associated with the years of a 12-year cycle -属象,shǔ xiàng,variant of 屬相|属相[shu3 xiang4] -属灵,shǔ líng,spiritual -属音,shǔ yīn,dominant (music) -屃,xì,see 贔屭|赑屃[Bi4 xi4] -屮,chè,plants sprouting -屯,tún,to station (soldiers); to store up; village -屯,zhūn,used in 屯邅[zhun1zhan1] -屯区,tún qū,Tun District – area of Taichung (in Taiwan) between the coastal (western) part of the city and the mountains to the east -屯垦,tún kěn,to garrison troops to open up land -屯子,tún zi,village -屯戍,tún shù,to garrison; to defend (a frontier); soldier garrisoned at a frontier -屯昌,tún chāng,"Tunchang County, Hainan" -屯昌县,tún chāng xiàn,"Tunchang County, Hainan" -屯溪,tún xī,"Tunxi District of Huangshan 黃山市|黄山市[Huang2shan1 Shi4], Anhui" -屯溪区,tún xī qū,"Tunxi District of Huangshan 黃山市|黄山市[Huang2shan1 Shi4], Anhui" -屯特,tún tè,Twente (region in the Netherlands) -屯特大学,tún tè dà xué,University of Twente -屯留,tún liú,"Tunliu County in Changzhi 長治|长治[Chang2zhi4], Shanxi" -屯留县,tún liú xiàn,"Tunliu County in Changzhi 長治|长治[Chang2zhi4], Shanxi" -屯落,tún luò,village -屯门,tún mén,"Tuen Mun district of New Territories, Hong Kong" -屯驻,tún zhù,to station; to quarter; to garrison -山,shān,surname Shan -山,shān,mountain; hill (CL:座[zuo4]); (coll.) small bundle of straw for silkworms to spin cocoons on -山上,shān shàng,"Shanshang township in Tainan county 台南縣|台南县[Tai2 nan2 xian4], Taiwan" -山下,shān xià,Yamashita (Japanese surname) -山不转水转,shān bù zhuàn shuǐ zhuàn,it's a small world; only mountains never meet -山不转路转,shān bù zhuàn lù zhuàn,see 山不轉水轉|山不转水转[shan1 bu4 zhuan4 shui3 zhuan4] -山丘,shān qiū,hill -山中圣训,shān zhōng shèng xùn,the Sermon on the Mount -山丹,shān dān,"Shandan county in Zhangye 張掖|张掖[Zhang1 ye4], Gansu" -山丹,shān dān,coral lily (Lilium pumilum) -山丹丹,shān dān dān,see 山丹[shan1 dan1] -山丹县,shān dān xiàn,"Shandan county in Zhangye 張掖|张掖[Zhang1 ye4], Gansu" -山亭,shān tíng,"Shanting district of Zaozhuang city 棗莊市|枣庄市[Zao3 zhuang1 shi4], Shandong" -山亭区,shān tíng qū,"Shanting district of Zaozhuang city 棗莊市|枣庄市[Zao3 zhuang1 shi4], Shandong" -山凹,shān āo,col; valley -山势,shān shì,topography of a mountain; features of a mountain -山包,shān bāo,(dialect) hill -山区,shān qū,mountain area; CL:個|个[ge4] -山南,shān nán,"Lhokha prefecture of Tibet, Tibetan: Lho kha" -山口,shān kǒu,Yamaguchi (Japanese surname and place name); Yamaguchi prefecture in the southwest of Japan's main island Honshū 本州[Ben3zhou1] -山口,shān kǒu,mountain pass -山口洋,shān kǒu yáng,"Singkawang city (Kalimantan, Indonesia)" -山口县,shān kǒu xiàn,Yamaguchi prefecture in southwest of Japan's main island Honshū 本州[Ben3 zhou1] -山嘴,shān zuǐ,mountain spur -山噪鹛,shān zào méi,(bird species of China) plain laughingthrush (Garrulax davidi) -山地,shān dì,mountainous region; hilly area; hilly country -山地同胞,shān dì tóng bāo,(dated) Taiwanese indigenous peoples; Taiwanese aborigine -山地自行车,shān dì zì xíng chē,mountain bike -山地车,shān dì chē,mountain bike -山坡,shān pō,hillside -山埃,shān āi,cyanide (loanword); same as 氰化 -山城,shān chéng,"Shancheng district of Hebi city 鶴壁市|鹤壁市[He4 bi4 shi4], Henan" -山城区,shān chéng qū,"Shancheng district of Hebi city 鶴壁市|鹤壁市[He4 bi4 shi4], Henan" -山坞,shān wù,nook; cove (in the hills) -山壑,shān hè,gullies; valleys -山奈,shān nài,(loanword) cyanide; Kaempferia galanga (variant of 山柰[shan1nai4]) -山奈钾,shān nài jiǎ,potassium cyanide KCN -山子,shān zi,rock garden; rockery -山寨,shān zhài,fortified hill village; mountain stronghold (esp. of bandits); (fig.) knockoff (goods); counterfeit; imitation -山寨机,shān zhài jī,knockoff cell phone; counterfeit phone -山寨货,shān zhài huò,a fake; imitation or counterfeit product -山冈,shān gāng,mound; small hill -山峰,shān fēng,(mountain) peak -山峡,shān xiá,gorge; canyon; mountain valley -山崎,shān qí,Yamazaki or Yamasaki (Japanese surname) -山崖,shān yá,cliff -山崩,shān bēng,landslide; landslip -山岚,shān lán,(literary) mountain mist -山嵛菜,shān yú cài,variant of 山萮菜[shan1 yu2 cai4] -山岭,shān lǐng,mountain ridge -山岳,shān yuè,mountain; hill; lofty mountain -山峦,shān luán,mountain range; unbroken chain of peaks -山峦重叠,shān luán chóng dié,overlapping ranges of high mountains (idiom) -山巅,shān diān,summit -山川,shān chuān,mountains and rivers; landscape -山形,shān xíng,Yamagata prefecture in the north of Japan's main island Honshū 本州[Ben3 zhou1] -山形县,shān xíng xiàn,Yamagata prefecture in the north of Japan's main island Honshū 本州[Ben3 zhou1] -山斑鸠,shān bān jiū,(bird species of China) oriental turtle dove (Streptopelia orientalis) -山旮旯,shān gā lá,recess in mountains -山明水秀,shān míng shuǐ xiù,lit. verdant hills and limpid water (idiom); fig. enchanting scenery -山本,shān běn,Yamamoto (Japanese surname) -山本五十六,shān běn wǔ shí liù,"YAMAMOTO Isoroku (1884-1943), Japanese admiral" -山本头,shān běn tóu,"(Tw) ""Yamamoto haircut"", similar to a butch cut, but with even length (no tapering on the sides and back), said to be named after Admiral Yamamoto 山本五十六[Shan1 ben3 Wu3 shi2 liu4]" -山村,shān cūn,mountain village -山东,shān dōng,"Shandong, province in northeast China, short name 魯|鲁[Lu3], capital Jinan 濟南|济南[Ji3 nan2]" -山东半岛,shān dōng bàn dǎo,Shandong Peninsula -山东大学,shān dōng dà xué,Shandong University -山东省,shān dōng shěng,"Shandong, province in northeast China, short name 魯|鲁[Lu3], capital Jinan 濟南|济南[Ji3 nan2]" -山东科技大学,shān dōng kē jì dà xué,Shandong University of Science and Technology -山林,shān lín,wooded mountain; mountain forest -山查,shān zhā,variant of 山楂[shan1 zha1] -山柰,shān nài,"Kaempferia galanga, one of four plants known as galangal" -山核桃,shān hé tao,hickory -山案座,shān àn zuò,Mensa (constellation) -山梁,shān liáng,mountain ridge -山梨,shān lí,rowan or mountain-ash (genus Sorbus) -山梨县,shān lí xiàn,"Yamanashi prefecture, Japan" -山梨酸钾,shān lí suān jiǎ,"potassium sorbate, E202 (a food preservative)" -山梨醇,shān lí chún,sorbitol C6H14O6 (sugar substitute and mild laxative) -山椒鱼,shān jiāo yú,Hynobius formosanus; Taiwan salamander -山楂,shān zhā,Chinese hawthorn (Crataegus pinnatifida) -山楂糕,shān zhā gāo,"haw jelly, a sweet jelly popular in northern China, made from Chinese hawthorn fruit" -山榄科,shān lǎn kē,Sapotaceae (botany) -山歌,shān gē,folk song; mountain song -山毛榉,shān máo jǔ,beech -山水,shān shuǐ,"Sansui, Japanese company" -山水,shān shuǐ,water from a mountain; mountains and rivers; scenery; landscape -山水画,shān shuǐ huà,landscape painting -山水诗,shān shuǐ shī,"shanshui poetry, genre of Classical Chinese poetry" -山河,shān hé,mountains and rivers; the whole country -山河镇,shān hé zhèn,"Shanhe town in Zhengning county 正寧縣|正宁县[Zheng4 ning2 xian4], Qingyang 慶陽|庆阳[Qing4 yang2], Gansu" -山泥倾泻,shān ní qīng xiè,a landslide -山洞,shān dòng,cavern; cave -山洪,shān hóng,deluge caused by torrential water flow off a mountain after heavy rain or snowmelt -山海经,shān hǎi jīng,"Classic of Mountain and Sea, probably compiled c. 500 BC-200 BC, contains wide range of geography, mythology, witchcraft, popular customs etc" -山海关,shān hǎi guān,"Shanhai Pass in Hebei, at the eastern terminus of the Ming dynasty Great Wall; Shanhaiguan district of Qinhuangdao city 秦皇島市|秦皇岛市[Qin2 huang2 dao3 shi4], Hebei" -山海关区,shān hǎi guān qū,"Shanhaiguan district of Qinhuangdao city 秦皇島市|秦皇岛市[Qin2 huang2 dao3 shi4], Hebei" -山清水秀,shān qīng shuǐ xiù,lit. verdant hills and limpid water (idiom); fig. enchanting scenery -山沟,shān gōu,valley; gully; mountain region -山沟沟,shān gōu gōu,(coll.) remote valley; backwoods -山涧,shān jiàn,mountain stream -山泽,shān zé,the countryside; wilderness areas -山火,shān huǒ,wildfire; forest fire -山墙,shān qiáng,gable -山狮,shān shī,mountain lion -山珍海味,shān zhēn hǎi wèi,exotic delicacies; luxury foodstuff from distant locations -山珍海错,shān zhēn hǎi cuò,rarities from the mountain and the sea (idiom); fig. a sumptuous spread of food delicacies -山瑞,shān ruì,wattle-necked soft-shelled turtle (Palea steindachneri) -山瑞鳖,shān ruì biē,wattle-necked soft-shelled turtle (Palea steindachneri) -山田,shān tián,Yamada (Japanese surname) -山皇鸠,shān huáng jiū,(bird species of China) mountain imperial pigeon (Ducula badia) -山盟海誓,shān méng hǎi shì,to pledge undying love (idiom); oath of eternal love; to swear by all the Gods -山神,shān shén,mountain god -山洼,shān wā,mountain hollow; mountain depression -山穷水尽,shān qióng shuǐ jìn,mountain and river exhausted (idiom); at the end of the line; nowhere to go -山竹,shān zhú,mangosteen -山羊,shān yáng,goat; (gymnastics) small-sized vaulting horse -山羊座,shān yáng zuò,Capricorn (constellation and sign of the zodiac); Japanese variant of 魔羯座 -山羊绒,shān yáng róng,cashmere -山羊胡子,shān yáng hú zi,goatee -山羌,shān qiāng,(zoology) Reeves's muntjac (Muntiacus reevesi); Chinese muntjac -山胞,shān bāo,(dated) Taiwanese indigenous peoples; Taiwanese aborigine; abbr. for 山地同胞[shan1 di4 tong2 bao1] -山胡桃木,shān hú táo mù,hickory -山脉,shān mài,mountain range; CL:條|条[tiao2] -山脊,shān jǐ,mountain ridge -山腰,shān yāo,the place halfway up a mountain -山脚,shān jiǎo,foot of a mountain -山芋,shān yù,sweet potato -山茱萸,shān zhū yú,Cornus officinalis; sour mountain date; herb associated with longevity -山茶,shān chá,camellia -山茶花,shān chá huā,camellia -山庄,shān zhuāng,manor house; villa; (used in hotel names) -山莓,shān méi,raspberry -山葵,shān kuí,wasabi -山药,shān yao,Dioscorea polystachya; yam -山药蛋,shān yao dàn,(dialect) potato; rube; yokel -山苏,shān sū,bird's nest fern (Asplenium nidus) -山行,shān xíng,mountain hike -山西,shān xī,"Shanxi Province (Shansi) in north China between Hebei and Shaanxi, abbr. 晉|晋[Jin4] capital Taiyuan 太原[Tai4 yuan2]" -山西大学,shān xī dà xué,Shanxi University -山西兽,shān xī shòu,Shansitherium fuguensis (early giraffe) -山西省,shān xī shěng,"Shanxi Province (Shansi) in north China between Hebei and Shaanxi, abbr. 晉|晋[Jin4] capital Taiyuan 太原[Tai4 yuan2]" -山谷,shān gǔ,valley; ravine -山谷市,shān gǔ shì,"the Valley, capital of Anguilla" -山猫,shān māo,lynx; bobcat; leopard cat -山贼,shān zéi,brigand -山路,shān lù,mountain road -山道年,shān dào nián,santonin (loanword) -山达基,shān dá jī,Scientology -山乡,shān xiāng,mountain area -山野,shān yě,mountain and fields -山长水远,shān cháng shuǐ yuǎn,(idiom) long and arduous journey -山门,shān mén,monastery main gate (Buddhism); monastery -山阿,shān ē,a nook in the mountains -山阴,shān yīn,"Shanyin county in Shuozhou 朔州[Shuo4 zhou1], Shanxi" -山阴县,shān yīn xiàn,"Shanyin county in Shuozhou 朔州[Shuo4 zhou1], Shanxi" -山阳,shān yáng,"Shanyang District of Jiaozuo City 焦作市[Jiao1 zuo4 Shi4], Henan; Shanyang County in Shangluo 商洛[Shang1 luo4], Shaanxi" -山阳区,shān yáng qū,"Shanyang District of Jiaozuo city 焦作市[Jiao1 zuo4 shi4], Henan" -山阳县,shān yáng xiàn,"Shanyang County in Shangluo 商洛[Shang1 luo4], Shaanxi" -山隘,shān ài,mountain pass -山雀,shān què,tit -山雉,shān zhì,pheasant -山鸡,shān jī,Reeves's pheasant (Syrmaticus reevesii); (dialect) pheasant -山难,shān nàn,mountain accident -山青水灵,shān qīng shuǐ líng,lit. green mountains and vivacious waters (idiom); fig. lush and lively scenery -山靛,shān diàn,"(botany) the spurges, the mercuries (plants of genus Mercurialis)" -山响,shān xiǎng,very loud; very noisy -山顶,shān dǐng,hilltop -山头,shān tóu,mountain top -山颓木坏,shān tuí mù huài,lit. the mountains crumble and the trees lie ruined; a great sage has died (idiom) -山体,shān tǐ,form of a mountain -山高水长,shān gāo shuǐ cháng,high as the mountain and long as the river (idiom); fig. noble and far-reaching -山高水险,shān gāo shuǐ xiǎn,lit. the mountains are high and the torrents swift; to undertake an arduous task or journey (idiom) -山高海深,shān gāo hǎi shēn,high as the mountain and deep as the sea (idiom); fig. infinite bounty -山斗,shān dòu,leading light (of a generation etc); (honorific appellation) -山魈,shān xiāo,mandrill (Mandrillus sphinx); legendary mountain spirit -山鹛,shān méi,(bird species of China) Chinese hill warbler (Rhopophilus pekinensis) -山鹡鸰,shān jí líng,(bird species of China) forest wagtail (Dendronanthus indicus) -山鹨,shān liù,(bird species of China) upland pipit (Anthus sylvanus) -山鹪莺,shān jiāo yīng,(bird species of China) striated prinia (Prinia criniger) -山麓,shān lù,foothills -山麻雀,shān má què,(bird species of China) russet sparrow (Passer rutilans) -屹,yì,high and steep -屹立,yì lì,to tower; to stand straight (of person's bearing) -屺,qǐ,(literary) a barren hill -屾,shēn,(literary) two mountains standing next to each other -坂,bǎn,variant of 阪[ban3] -岈,yá,see 嵖岈山[Cha2 ya2 Shan1] -岌,jí,lofty peak; perilous -岌岌可危,jí jí kě wēi,imminent danger (idiom); approaching a crisis -岌嶪,jí yè,high and steep; towering; perilous -岍,qiān,name of a mountain -岐,qí,surname Qi; also used in place names -岐,qí,variant of 歧[qi2] -岐山,qí shān,"Qishan County in Baoji 寶雞|宝鸡[Bao3 ji1], Shaanxi" -岐山县,qí shān xiàn,"Qishan County in Baoji 寶雞|宝鸡[Bao3 ji1], Shaanxi" -岐视,qí shì,discrimination (against sb); also written 歧視|歧视 -岐阜县,qí fù xiàn,"Gifu prefecture, Japan" -岑,cén,surname Cen -岑,cén,small hill -岑彭,cén péng,"Cen Peng (died 35 AD), Chinese general" -岑溪,cén xī,"Cenxi, county-level city in Wuzhou 梧州[Wu2 zhou1], Guangxi" -岑溪市,cén xī shì,"Cenxi, county-level city in Wuzhou 梧州[Wu2 zhou1], Guangxi" -岑巩,cén gǒng,"Cengong county in Qiandongnan Miao and Dong autonomous prefecture 黔東南州|黔东南州[Qian2 dong1 nan2 zhou1], Guizhou" -岑巩县,cén gǒng xiàn,"Cengong county in Qiandongnan Miao and Dong autonomous prefecture 黔東南州|黔东南州[Qian2 dong1 nan2 zhou1], Guizhou" -岔,chà,"fork in road; bifurcation; branch in road, river, mountain range etc; to branch off; to turn off; to diverge; to stray (from the path); to change the subject; to interrupt; to stagger (times)" -岔口,chà kǒu,junction; fork in road -岔子,chà zi,branch road; setback; accident; hiccup -岔流,chà liú,branch stream -岔调,chà diào,(of a voice) husky; hoarse; affected; (music) to go off-key -岔路,chà lù,fork in the road -岔道,chà dào,side road; byway -岔开,chà kāi,to diverge; to branch off the road; to change (the subject) -岜,bā,stony hill; rocky mountain; (used in place names) -冈,gāng,ridge; mound -冈上肌,gāng shàng jī,supraspinatus muscle -冈下肌,gāng xià jī,infraspinatus muscle -冈仁波齐,gāng rén bō qí,Mt Gang Rinpoche in Tibet; also called Mount Kailash -冈仁波齐峰,gāng rén bō qí fēng,"Mount Gang Rinpoche or Mount Kailash (6,638 m) in Tibet" -冈山,gāng shān,"Kangshan town in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan; Okayama prefecture in southwest of Japan's main island Honshū 本州[Ben3 zhou1]" -冈山区,gāng shān qū,"Gangshan District in Kaohsiung, Taiwan" -冈山县,gāng shān xiàn,Okayama prefecture in southwest of Japan's main island Honshū 本州[Ben3 zhou1] -冈山镇,gāng shān zhèn,"Kangshan town in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -冈底斯山,gāng dǐ sī shān,"Mt Gangdisê (6656m) in southwest Tibet, revered by Tibetans as the center of the universe" -冈底斯山脉,gāng dǐ sī shān mài,Gangdisê mountain range in southwest Tibet -冈本,gāng běn,Okamoto (Japanese surname and place name) -冈比亚,gāng bǐ yà,Gambia -冈田,gāng tián,Okada (Japanese surname) -岢,kě,used in 岢嵐|岢岚[Ke3 lan2] -岢岚,kě lán,"Kelan county in Xinzhou 忻州[Xin1 zhou1], Shanxi" -岢岚县,kě lán xiàn,"Kelan county in Xinzhou 忻州[Xin1 zhou1], Shanxi" -岣,gǒu,name of a hill in Hunan -岩,yán,cliff; rock -岩仓,yán cāng,"Iwakura, Japanese name and place-name" -岩仓使节团,yán cāng shǐ jié tuán,the Iwakura mission (Japanese diplomatic and exploratory mission to US and Europe of 1871) -岩土体,yán tǔ tǐ,gneiss -岩壑,yán hè,rocky mountain valley -岩屑,yán xiè,(rock) debris; scree -岩层,yán céng,rock strata -岩崎,yán qí,Iwasaki (Japanese surname) -岩径,yán jìng,mountain path -岩手,yán shǒu,Iwate prefecture in the north of Japan's main island Honshū 本州[Ben3 zhou1] -岩手县,yán shǒu xiàn,Iwate prefecture in the north of Japan's main island Honshū 本州[Ben3 zhou1] -岩沙海葵毒素,yán shā hǎi kuí dú sù,palytoxin -岩流圈,yán liú quān,asthenosphere (geology) -岩溶,yán róng,(geology) karst -岩浆,yán jiāng,(geology) magma -岩浆岩,yán jiāng yán,igneous rock -岩浆流,yán jiāng liú,lava flow -岩滨鹬,yán bīn yù,(bird species of China) rock sandpiper (Calidris ptilocnemis) -岩燕,yán yàn,(bird species of China) Eurasian crag martin (Ptyonoprogne rupestris) -岩石,yán shí,rock -岩石圈,yán shí quān,"lithosphere (in geology, the rigid crust of the earth)" -岩石学,yán shí xué,petrology; lithology; study of rocks -岩石层,yán shí céng,rock stratum -岩穴,yán xué,grotto; cave -岩羊,yán yáng,bharal -岩雷鸟,yán léi niǎo,(bird species of China) rock ptarmigan (Lagopus muta) -岩鸽,yán gē,(bird species of China) hill pigeon (Columba rupestris) -岩鹭,yán lù,(bird species of China) Pacific reef heron (Egretta sacra) -岩盐,yán yán,rock salt -岫,xiù,cave; mountain peak -岫岩满族自治县,xiù yán mǎn zú zì zhì xiàn,"Xiuyan Manzu autonomous county in Anshan 鞍山[An1 shan1], Liaoning" -岫岩县,xiù yán xiàn,"Xiuyan Manzu autonomous county in Anshan 鞍山[An1 shan1], Liaoning" -岬,jiǎ,cape (geography); headland -岬角,jiǎ jiǎo,cape; headland; promontory -岭,líng,used in 岭巆|岭𫶕[ling2ying2] -岱,dài,Mt Tai in Shandong; same as 泰山 -岱宗,dài zōng,another name for Mt Tai 泰山 in Shandong as principal or ancestor of the Five Sacred Mountains 五嶽|五岳[Wu3 yue4]; Mt Tai as resting place for departed souls -岱山,dài shān,"Daishan county in Zhoushan 舟山[Zhou1 shan1], Zhejiang" -岱山县,dài shān xiàn,"Daishan county in Zhoushan 舟山[Zhou1 shan1], Zhejiang" -岱岳区,dài yuè qū,"Daiyue district of Tai'an city 泰安市[Tai4 an1 shi4], Shandong" -岱庙,dài miào,"Dai Temple, a temple in Shandong for the god of Mount Tai" -岳,yuè,surname Yue -岳,yuè,wife's parents and paternal uncles -岳丈,yuè zhàng,father-in-law (wife's father) -岳家,yuè jiā,wife's parents' home -岳普湖,yuè pǔ hú,"Yopurgha nahiyisi (Yopurga county) in Kashgar prefecture 喀什地區|喀什地区[Ka1 shi2 di4 qu1], west Xinjiang" -岳普湖县,yuè pǔ hú xiàn,"Yopurgha nahiyisi (Yopurga county) in Kashgar prefecture 喀什地區|喀什地区[Ka1 shi2 di4 qu1], west Xinjiang" -岳母,yuè mǔ,"wife's mother, mother-in-law" -岳池,yuè chí,"Yuechi county in Guang'an 廣安|广安[Guang3 an1], Sichuan" -岳池县,yuè chí xiàn,"Yuechi county in Guang'an 廣安|广安[Guang3 an1], Sichuan" -岳父,yuè fù,"wife's father, father-in-law" -岳西,yuè xī,"Yuexi, a county in Anqing 安慶|安庆[An1qing4], Anhui" -岳西县,yuè xī xiàn,"Yuexi, a county in Anqing 安慶|安庆[An1qing4], Anhui" -岳阳,yuè yáng,Yueyang prefecture-level city in Hunan -岳阳市,yuè yáng shì,"Yueyang, prefecture-level city in Hunan" -岳阳楼,yuè yáng lóu,"Yueyang Tower, famous beauty spot in Yueyang, north Hunan, overlooking Dongting Lake 洞庭湖[Dong4 ting2 Hu2]; one of three famous pagodas in China along with Yellow Crane Tower 黃鶴樓|黄鹤楼[Huang2 he4 Lou2] in Wuhan, Hubei and Tengwang Tower 滕王閣|滕王阁[Teng2 wang2 Ge2] in Nanchang, Jiangxi" -岳阳楼区,yuè yáng lóu qū,"Yueyang Tower district of Yueyang city 岳陽|岳阳[Yue4 yang2], Hunan" -岳阳楼记,yuè yáng lóu jì,"On Yueyang Tower (1045), essay by Song writer Fan Zhongyan 范仲淹[Fan4 Zhong4 yan1]" -岳阳县,yuè yáng xiàn,"Yueyang county in Yueyang 岳陽|岳阳[Yue4 yang2], Hunan" -岳飞,yuè fēi,"Yue Fei (1103-1142), Song dynasty patriot and general" -岳麓山,yuè lù shān,"Mt Yuelu in Changsha 長沙|长沙[Chang2 sha1], famous for scenery, temples and tombs" -岵,hù,(literary) mountain covered with vegetation -岷,mín,name of a river in Sichuan -岷江,mín jiāng,"Min River, Sichuan" -岷县,mín xiàn,"Min county in Dingxi 定西[Ding4 xi1], Gansu" -岸,àn,bank; shore; beach; coast -岸上,àn shàng,ashore; on the riverbank -岸标,àn biāo,lighthouse; shore beacon -岸然,àn rán,solemn; serious -岸边,àn biān,shore -峁,mǎo,round yellow dirt mount (in the Northwest of China) -峇,bā,(used in transliteration) -峇,kē,cave -峇,kè,cave; cavern; also pr. [ke1] -峇厘,bā lí,"Bali (island province of Indonesia) (Singapore, Malaysia)" -峇峇娘惹,bā bā niáng rě,"Peranakan Chinese (Baba-Nyonya), an ethnic group of Chinese residing in the Malay peninsula (also known as Straits Chinese)" -峇拉煎,bā lā jiān,(loanword) belachan (South-East Asian condiment made from fermented shrimp paste) -峇里,bā lǐ,Bali (island province of Indonesia) (Tw) -峋,xún,ranges of hills -峒,dòng,cave; cavern -峒,tóng,name of a mountain -峒人,dòng rén,variant of 侗人[Dong4 ren2] -峒剧,dòng jù,variant of 侗劇|侗剧[Dong4 ju4] -峒室,dòng shì,underground mine storage room; mine passage -峙,shì,used in 繁峙[Fan2 shi4] -峙,zhì,(literary) to tower aloft -峒,tóng,variant of 峒[tong2] -峨,é,lofty; name of a mountain -峨冠博带,é guān bó dài,official class; intellectual class (idiom) -峨山彝族自治县,é shān yí zú zì zhì xiàn,"Eshan Yizu autonomous county in Yuxi 玉溪[Yu4 xi1], Yunnan" -峨山县,é shān xiàn,"Eshan Yizu autonomous county in Yuxi 玉溪[Yu4 xi1], Yunnan" -峨嵋,é méi,variant of 峨眉[E2 mei2] -峨嵋山,é méi shān,"Mt Emei in Sichuan, one of the Four Sacred Mountains and Bodhimanda of Samantabhadra 普賢|普贤" -峨嵋拳,é méi quán,Emeiquan; O Mei Ch'uan (kungfu style) -峨眉,é méi,"(used in place names, notably 峨眉山[E2 mei2 Shan1] Mount Emei in Sichuan)" -峨眉山,é méi shān,"Mt Emei in Sichuan, one of the Four Sacred Mountains and Bodhimanda of Samantabhadra 普賢|普贤[Pu3 xian2]; Emeishan city" -峨眉山市,é méi shān shì,"Emeishan, county-level city in Leshan 樂山|乐山[Le4 shan1], Sichuan" -峨眉柳莺,é méi liǔ yīng,(bird species of China) Emei leaf warbler (Phylloscopus emeiensis) -峨眉乡,é méi xiāng,"Emei township in Hsinchu County 新竹縣|新竹县[Xin1 zhu2 Xian4], northwest Taiwan" -峨边彝族自治县,é biān yí zú zì zhì xiàn,"Ebian Yizu autonomous county in Leshan 樂山|乐山[Le4 shan1], Sichuan" -峨边县,é biān xiàn,"Ebian Yizu autonomous county in Leshan 樂山|乐山[Le4 shan1], Sichuan" -峨,é,variant of 峨[e2] -峪,yù,valley -峭,qiào,high and steep; precipitous; severe or stern -峭壁,qiào bì,cliff; steep; precipice -峰,fēng,old variant of 峰[feng1] -峰,fēng,(of a mountain) high and tapered peak or summit; mountain-like in appearance; highest level; classifier for camels -峰值,fēng zhí,peak value -峰值输出功能,fēng zhí shū chū gōng néng,peak power output (of an electrical device etc) -峰回路转,fēng huí lù zhuǎn,the mountain road twists around each new peak (idiom); (of a mountain road) twisting and turning; fig. an opportunity has come unexpectedly; things have taken a new turn -峰峰矿,fēng fēng kuàng,"Fengfengkuang district of Handan city 邯鄲市|邯郸市[Han2 dan1 shi4], Hebei" -峰峰矿区,fēng fēng kuàng qū,"Fengfengkuang district of Handan city 邯鄲市|邯郸市[Han2 dan1 shi4], Hebei" -峰峦,fēng luán,peaks and ridges; ragged outline of mountain peaks -峰会,fēng huì,summit meeting -峰火台,fēng huǒ tái,"fire beacon tower (used in frontier regions in former times to relay information about the enemy, using smoke by day and fire at night)" -峰线,fēng xiàn,mountain ridge line -峰顶,fēng dǐng,summit; crest -岘,xiàn,abbr. for 峴首山|岘首山[Xian4 shou3 shan1]; Mt Xianshou in Hubei; steep hill; used in place names -岘港,xiàn gǎng,"Da Nang or Danang, Vietnam" -岘首山,xiàn shǒu shān,Mt Xianshou in Hubei -岛,dǎo,"island; CL:個|个[ge4],座[zuo4]" -岛国,dǎo guó,island nation (sometimes refers specifically to Japan) -岛国动作片,dǎo guó dòng zuò piàn,euphemism for Japanese porn movie -岛屿,dǎo yǔ,island -岛弧,dǎo hú,(geology) island arc -岛民,dǎo mín,islander -岛盖部,dǎo gài bù,pars perculairs -岛鸫,dǎo dōng,(bird species of China) island thrush (Turdus poliocephalus) -峻,jùn,(of mountains) high; harsh or severe -峻厉,jùn lì,pitiless; merciless -峻峭,jùn qiào,high and steep -峻岭,jùn lǐng,lofty mountain range -峡,xiá,gorge -峡江,xiá jiāng,"Xiajiang county in Ji'an 吉安[Ji2 an1], Jiangxi" -峡江县,xiá jiāng xiàn,"Xiajiang county in Ji'an 吉安, Jiangxi" -峡湾,xiá wān,fjord -峡谷,xiá gǔ,canyon; gill; ravine -崆,kōng,name of a mountain -崆峒,kōng tóng,"Kongtong district of Pingliang city 平涼市|平凉市[Ping2 liang2 shi4], Gansu" -崆峒区,kōng tóng qū,"Kongtong district of Pingliang city 平涼市|平凉市[Ping2 liang2 shi4], Gansu" -崇,chóng,surname Chong -崇,chóng,high; sublime; lofty; to esteem; to worship -崇仁,chóng rén,"Chongren county in Fuzhou 撫州|抚州, Jiangxi" -崇仁县,chóng rén xiàn,"Chongren county in Fuzhou 撫州|抚州, Jiangxi" -崇信,chóng xìn,"Chongxin county in Pingliang 平涼|平凉[Ping2 liang2], Gansu" -崇信县,chóng xìn xiàn,"Chongxin county in Pingliang 平涼|平凉[Ping2 liang2], Gansu" -崇奉,chóng fèng,to believe in (a deity or other supernatural being); to worship -崇安,chóng ān,"Chong'an (common place name); Chong'an district of Wuxi city 無錫市|无锡市[Wu2 xi1 shi4], Jiangsu" -崇安区,chóng ān qū,"Chong'an district of Wuxi city 無錫市|无锡市[Wu2 xi1 shi4], Jiangsu" -崇尚,chóng shàng,to hold up (as an model); to hold in esteem; to revere; to advocate -崇山峻岭,chóng shān jùn lǐng,towering mountains and precipitous ridges (idiom) -崇川,chóng chuān,"Chongchuan district of Nantong city 南通市[Nan2 tong1 shi4], Jiangsu" -崇川区,chóng chuān qū,"Chongchuan district of Nantong city 南通市[Nan2 tong1 shi4], Jiangsu" -崇州,chóng zhōu,"Chongzhou, county-level city in Chengdu 成都[Cheng2 du1], Sichuan" -崇州市,chóng zhōu shì,"Chongzhou, county-level city in Chengdu 成都[Cheng2 du1], Sichuan" -崇左,chóng zuǒ,Chongzuo prefecture-level city in Guangxi -崇左市,chóng zuǒ shì,Chongzuo prefecture-level city in Guangxi -崇庆,chóng qìng,variant of 重慶|重庆[Chong2 qing4] -崇拜,chóng bài,to worship; adoration -崇拜仪式,chóng bài yí shì,worship service -崇拜者,chóng bài zhě,worshipper -崇敬,chóng jìng,to revere; to venerate; high esteem -崇文区,chóng wén qū,Chongwen district of central Beijing -崇文门,chóng wén mén,Chongwenmen gate in Beijing -崇明,chóng míng,"Chongming island county, Shanghai" -崇明岛,chóng míng dǎo,Chongming Island -崇明县,chóng míng xiàn,"Chongming island county, Shanghai" -崇洋,chóng yáng,to idolize foreign things -崇洋媚外,chóng yáng mèi wài,to revere everything foreign and pander to overseas powers (idiom); blind worship of foreign goods and ideas -崇祯,chóng zhēn,"Chongzhen, reign name of last Ming emperor (1628-1644)" -崇礼,chóng lǐ,"Chongli county in Zhangjiakou 張家口|张家口[Zhang1 jia1 kou3], Hebei" -崇礼县,chóng lǐ xiàn,"Chongli county in Zhangjiakou 張家口|张家口[Zhang1 jia1 kou3], Hebei" -崇义,chóng yì,"Chongyi county in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -崇义县,chóng yì xiàn,"Chongyi county in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -崇阳,chóng yáng,"Chongyang county in Xianning 咸寧|咸宁[Xian2 ning2], Hubei" -崇阳县,chóng yáng xiàn,"Chongyang county in Xianning 咸寧|咸宁[Xian2 ning2], Hubei" -崇高,chóng gāo,majestic; sublime -崃,lái,name of a mountain in Sichuan -崎,qí,mountainous -崎岖,qí qū,rugged; craggy -昆,kūn,variant of 崑|昆[kun1] -昆,kūn,"used in place names, notably Kunlun Mountains 崑崙|昆仑[Kun1 lun2]; (also used for transliteration)" -昆剧,kūn jù,see 崑曲|昆曲[Kun1 qu3] -昆士兰,kūn shì lán,"Queensland, northeast Australian state" -昆山,kūn shān,"Kunshan, county-level city in Suzhou 蘇州|苏州[Su1zhou1], Jiangsu" -昆山市,kūn shān shì,"Kunshan, county-level city in Suzhou 蘇州|苏州[Su1 zhou1], Jiangsu" -昆仑,kūn lún,Kunlun (Karakorum) mountain range in Xinjiang -昆仑山,kūn lún shān,Kunlun Mountain range -昆仑山脉,kūn lún shān mài,Kunlun Mountain range -昆曲,kūn qǔ,"Kunqu opera, influential musical theater originating in Kunshan, Jiangsu province in Yuan times" -昆腔,kūn qiāng,see 崑曲|昆曲[Kun1 qu3] -崒,cuì,to come together; to bunch up; to concentrate -崒,zú,rocky peaks; lofty and dangerous -崔,cuī,surname Cui -崔,cuī,(literary) (of mountains) lofty -崔健,cuī jiàn,"Cui Jian (1961-), father of Chinese rock music" -崔圭夏,cuī guī xià,"Choe Gyuha (1919-2006), South Korean politician, president 1979-1980" -崔嵬,cuī wéi,"Cui Wei (1912-1979), actor, dramatist and movie director" -崔嵬,cuī wéi,stony mound; rocky mountain; lofty; towering -崔巍,cuī wēi,tall; towering -崔明慧,cuī míng huì,"Christine Choy (1964-), Chinese-American film director" -崔永元,cuī yǒng yuán,"Cui Yongyuan (1963-), TV presenter" -崔琦,cuī qí,"Daniel C. Tsui (1939-), Chinese-born American physicist, winner of 1998 Nobel Prize in Physics" -崔萤,cuī yíng,"Choi Yeong (1316-1388), general of Korean Goryeo dynasty" -崔颢,cuī hào,"Cui Hao (-754), Tang dynasty poet and author of poem Yellow Crane Tower 黃鶴樓|黄鹤楼" -崔鸿,cuī hóng,"Cui Hong, historian at the end of Wei of the Northern Dynasties 北魏" -崖,yá,precipice; cliff; Taiwan pr. [yai2] -崖刻,yá kè,rock carving; cliff engraving; words carved into cliff face -崖壁,yá bì,escarpment; precipice; cliff -崖壑,yá hè,valley; gulley -崖岸,yá àn,cliff; steep slope; fig. arrogant and difficult person -崖州,yá zhōu,ancient name for Hainan Island 海南島|海南岛[Hai3 nan2 Dao3] -崖沙燕,yá shā yàn,(bird species of China) sand martin (Riparia riparia) -崖海鸦,yá hǎi yā,(bird species of China) common murre (Uria aalge) -崖略,yá lüè,(literary) outline; general idea; rough sketch -崖谷,yá gǔ,valley; ravine -崖限,yá xiàn,cliff barring the way; fig. brick wall -岗,gāng,variant of 岡|冈 [gang1] -岗,gǎng,(bound form) hillock; mound; sentry post; policeman's beat; (bound form) job; post -岗亭,gǎng tíng,sentry box; police box -岗仁波齐,gǎng rén bō qí,Mt Gang Rinpoche in Tibet; also written 岡仁波齊|冈仁波齐 -岗位,gǎng wèi,a post; a job -岗位培训,gǎng wèi péi xùn,on-the-job training -岗位工资,gǎng wèi gōng zī,standard salary for a specific job (contrasted with performance pay 績效工資|绩效工资[ji4 xiao4 gong1 zi1] or commission 提成[ti2 cheng2] etc) -岗位津贴,gǎng wèi jīn tiē,post allowance; job-specific subsidy -岗卡,gǎng qiǎ,checkpoint; Taiwan pr. [gang3 ka3] -岗哨,gǎng shào,lookout post; sentry post; sentry -岗地,gǎng dì,non-irrigated farmland on low hills -岗子,gǎng zi,mound; hillock; welt (on the skin); ridge (on the road surface etc) -岗巴,gǎng bā,"Gamba county, Tibetan: Gam pa rdzong, in Shigatse prefecture, Tibet" -岗巴县,gǎng bā xiàn,"Gamba county, Tibetan: Gam pa rdzong, in Shigatse prefecture, Tibet" -岗楼,gǎng lóu,watchtower; guard tower; police booth -仑,lún,variant of 崙|仑[lun2] -仑,lún,used in 崑崙|昆仑[Kun1 lun2] -仑背,lún bèi,"Lunbei or Lunpei township in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -仑背乡,lún bèi xiāng,"Lunbei or Lunpei township in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -崛,jué,towering as a peak -崛地而起,jué dì ér qǐ,lit. arising suddenly above the level ground (idiom); sudden emergence of prominent new feature -崛立,jué lì,to tower over; rising (to a dominant position) -崛起,jué qǐ,to rise abruptly (to a towering position); to tower over; to spring up; to emerge suddenly; the emergence (e.g. of a power) -崞,guō,name of a mountain -峥,zhēng,excel; lofty -峥嵘,zhēng róng,towering; lofty and steep (mountains); extraordinary; outstanding -峥嵘岁月,zhēng róng suì yuè,eventful years (idiom) -崤,xiáo,name of a mountain in Henan; also pr. [Yao2] -崦,yān,name of a mountain in Gansu -崦嵫,yān zī,"(old) name of a mountain in Gansu, where the setting sun was supposed to enter the earth" -崧,sōng,variant of 嵩[song1] -崩,bēng,to collapse; to fall into ruins; death of king or emperor; demise -崩倒,bēng dǎo,to collapse; to crash down; to fall down in a heap -崩坍,bēng tān,landslide; collapse (of mountain side); talus slide -崩塌,bēng tā,talus slide; to crumble (of scree slope); to collapse; landslide -崩坏,bēng huài,crash; breakdown (of social values etc); burst; to crumble; to collapse -崩坏作用,bēng huài zuò yòng,mass wasting (geology); slope movement -崩大碗,bēng dà wǎn,"gotu kola (Centella asiatica), herbaceous plant" -崩摧,bēng cuī,to collapse; to shatter -崩殂,bēng cú,(of an emperor) to die -崩毁,bēng huǐ,to collapse; to cave in -崩决,bēng jué,to burst (of dam); to be breached; to collapse -崩漏,bēng lòu,uterine bleeding -崩溃,bēng kuì,to collapse; to crumble; to fall apart -崩症,bēng zhèng,metrorrhagia (vaginal bleeding outside the expected menstrual period) -崩盘,bēng pán,(finance) to crash; to collapse; crash -崩落,bēng luò,talus slide; to crumble (of scree slope); to collapse; landslide -崩裂,bēng liè,to rupture; to burst open; to break up -崩陷,bēng xiàn,to fall in; to cave in -崩龙族,bēng lóng zú,the Benglong (Penglung) ethnic group of Yunnan -岽,dōng,place name in Guangxi province -崮,gù,steep-sided flat-topped mountain; mesa; (element in mountain names) -崴,wǎi,to sprain (one's ankle); see 崴子[wai3 zi5] -崴,wēi,"high, lofty; precipitous" -崴子,wǎi zi,"bend (in a river, road etc) (used in place names)" -崴脚,wǎi jiǎo,to sprain one's ankle -崽,zǎi,child; young animal -崽子,zǎi zi,offspring of an animal; brat; bastard -崽卖爷田不心疼,zǎi mài yé tián bù xīn téng,lit. the child sells the father's farm without regret (idiom); fig. to sell one's inheritance without a second thought for how hard one's forebears worked for it -崾,yǎo,(name of a mountain) -嵇,jī,surname Ji; name of a mountain -嵊,shèng,name of a district in Zhejiang -嵊州,shèng zhōu,"Shengzhou, county-level city in Shaoxing 紹興|绍兴[Shao4 xing1], Zhejiang" -嵊州市,shèng zhōu shì,"Shengzhou, county-level city in Shaoxing 紹興|绍兴[Shao4 xing1], Zhejiang" -嵊泗,shèng sì,"Shengsi county in Zhoushan 舟山[Zhou1 shan1], Zhejiang" -嵊泗列岛,shèng sì liè dǎo,"Shengsi Islands, making up Shengsi county in Zhoushan 舟山[Zhou1 shan1], Zhejiang" -嵊泗县,shèng sì xiàn,"Shengsi county in Zhoushan 舟山[Zhou1 shan1], Zhejiang" -嵋,méi,used in 峨嵋山[E2 mei2 Shan1] -嵌,kǎn,see 赤嵌樓|赤嵌楼[Chi4 kan3 lou2] -嵌,qiàn,to inlay; to embed; Taiwan pr. [qian1] -嵌入,qiàn rù,to insert; to embed -嵌入式,qiàn rù shì,(electronics) embedded -嵌入式衣柜,qiàn rù shì yī guì,built-in closet -嵌套,qiàn tào,nested; nesting -嵌进,qiàn jìn,embedded; embedding -岚,lán,(bound form) mountain mist -岚山,lán shān,"Lanshan district of Rizhao city 日照市[Ri4 zhao4 shi4], Shandong" -岚山区,lán shān qū,"Lanshan district of Rizhao city 日照市[Ri4 zhao4 shi4], Shandong" -岚皋,lán gāo,"Langao County in Ankang 安康[An1 kang1], Shaanxi" -岚皋县,lán gāo xiàn,"Langao County in Ankang 安康[An1 kang1], Shaanxi" -岚县,lán xiàn,"Lan county in Lüliang 呂梁|吕梁[Lu:3 liang2], Shanxi 山西" -岩,yán,variant of 巖|岩[yan2] -岁,suì,"variant of 歲|岁[sui4], year; years old" -嵛,yú,place name in Shandong -嵞,tú,Mt Tu in Zhejiang; also written 涂 -嵞山,tú shān,Mt Tu in Zhejiang; also written 涂山 -嵩,sōng,lofty; Mt Song in Henan -嵩山,sōng shān,"Mt Song in Henan, central mountain of the Five Sacred Mountains 五嶽|五岳[Wu3 yue4]" -嵩明,sōng míng,"Songming county in Kunming 昆明[Kun1 ming2], Yunnan" -嵩明县,sōng míng xiàn,"Songming county in Kunming 昆明[Kun1 ming2], Yunnan" -嵩县,sōng xiàn,"Song county in Luoyang 洛陽|洛阳, Henan" -嵫,zī,see 崦嵫[Yan1 zi1] -嵬,wéi,rocky -嵯,cuó,lofty (as of mountain) -嵴,jí,ridge; crest; apex -嵝,lǒu,mountain peak -嶂,zhàng,cliff; range of peaks -崭,chán,variant of 嶄|崭[chan2] -崭,zhǎn,variant of 嶄|崭[zhan3] -崭,chán,(literary) precipitous (variant of 巉[chan2]) -崭,zhǎn,towering; prominent; very; extremely; (dialect) marvelous; excellent -崭亮,zhǎn liàng,shining; brilliant -崭劲,zhǎn jìn,very hard-working; assiduous -崭新,zhǎn xīn,brand new -崭晴,zhǎn qíng,clear weather -崭然,zhǎn rán,outstanding; towering -崭露头角,zhǎn lù tóu jiǎo,to reveal outstanding talent (idiom); to stand out as conspicuously brilliant -崭齐,zhǎn qí,orderly; tidy -岖,qū,rugged -崂,láo,name of a mountain in Shandong -崂山,láo shān,"Laoshan district of Qingdao city 青島市|青岛市, Shandong" -崂山区,láo shān qū,"Laoshan district of Qingdao city 青島市|青岛市, Shandong" -嶙,lín,ranges of hills -嶙峋,lín xún,bony (of people); craggy; rugged (of terrain); upright (of people) -嶝,dèng,path leading up a mountain -峤,jiào,highest peak -嶡,guì,precipitous; mountainous -嶡,jué,sacrificial vessel -峄,yì,name of hills in Shandong -峄城,yì chéng,"Yicheng district of Zaozhuang city 棗莊市|枣庄市[Zao3 zhuang1 shi4], Shandong" -峄城区,yì chéng qū,"Yicheng district of Zaozhuang city 棗莊市|枣庄市[Zao3 zhuang1 shi4], Shandong" -嶪,yè,see 岌嶪[ji2 ye4] -岙,ào,"plain in the middle of the mountains; used in place names, esp. in 浙江[Zhe4 jiang1] and 福建[Fu2 jian4]" -嶷,yí,name of a mountain in Hunan -嵘,róng,lofty -岭,lǐng,mountain range; mountain ridge -岭南,lǐng nán,"south of the five ranges; old term for south China, esp. Guangdong and Guangxi" -岭东,lǐng dōng,"Lingdong district of Shuangyashan city 雙鴨山|双鸭山[Shuang1 ya1 shan1], Heilongjiang" -岭东区,lǐng dōng qū,"Lingdong district of Shuangyashan city 雙鴨山|双鸭山[Shuang1 ya1 shan1], Heilongjiang" -屿,yǔ,islet -岳,yuè,surname Yue -岳,yuè,high mountain; highest peak of a mountain ridge -岳塘,yuè táng,"Yuetan district of Xiangtan city 湘潭市[Xiang1 tan2 shi4], Hunan" -岳塘区,yuè táng qū,"Yuetan district of Xiangtan city 湘潭市[Xiang1 tan2 shi4], Hunan" -岳得尔歌,yuè dé ěr gē,to yodel -岳麓,yuè lù,"Yuelu district of Changsha city 長沙市|长沙市[Chang2 sha1 shi4], Hunan" -岳麓区,yuè lù qū,"Yuelu district of Changsha city 長沙市|长沙市[Chang2 sha1 shi4], Hunan" -岳麓书院,yuè lù shū yuàn,"Yuelu Academy in Changsha, Hunan, famous ancient academy" -巂,guī,cuckoo; revolution of a wheel -巂,xī,place name in Sichuan -岿,kuī,high and mighty (of mountain); hilly -巍,wēi,lofty; towering; Taiwan pr. [wei2] -巍山彝族回族自治县,wēi shān yí zú huí zú zì zhì xiàn,"Weishan Yi and Hui autonomous county in Dali Bai autonomous prefecture 大理白族自治州[Da4 li3 Bai2 zu2 zi4 zhi4 zhou1], Yunnan" -巍山县,wēi shān xiàn,"Weishan Yi and Hui autonomous county in Dali Bai autonomous prefecture 大理白族自治州[Da4 li3 Bai2 zu2 zi4 zhi4 zhou1], Yunnan" -巍峨,wēi é,lofty; towering; majestic -巍巍,wēi wēi,towering; imposing -巍然,wēi rán,majestic; towering; imposing -巍然屹立,wēi rán yì lì,to stand tall and rock-solid (idiom); towering majestically; (of a person) to stand up against sb -峦,luán,mountain ranges -巅,diān,summit -巅峰,diān fēng,summit; apex; pinnacle (of one's career etc); peak (of a civilization etc) -岩,yán,variant of 岩[yan2] -岩层,yán céng,variant of 岩層|岩层[yan2 ceng2]; rock strata -岩床,yán chuáng,bedrock -岩画,yán huà,rock painting; picture or writing carved on rocks -岩,yán,variant of 巖|岩[yan2] -巛,chuān,archaic variant of 川[chuan1] -川,chuān,abbr. for Sichuan Province 四川[Si4 chuan1] in southwest China -川,chuān,(bound form) river; creek; plain; an area of level country -川剧,chuān jù,Sichuan opera -川汇,chuān huì,"Chuanhui district of Zhoukou city 周口市[Zhou1 kou3 shi4], Henan" -川汇区,chuān huì qū,"Chuanhui district of Zhoukou city 周口市[Zhou1 kou3 shi4], Henan" -川外,chuān wài,abbr. for 四川外國語大學|四川外国语大学[Si4 chuan1 Wai4 guo2 yu3 Da4 xue2] -川崎,chuān qí,Kawasaki (name) -川建国,chuān jiàn guó,"nickname for US President Trump 川普[Chuan1 pu3], implying that he benefitted China (hence 建國|建国[jian4 guo2]) by doing a poor job of leading the US" -川普,chuān pǔ,Sichuanese pidgin (the mix of Standard Mandarin and Sichuanese dialect); (Tw) surname Trump -川木香,chuān mù xiāng,root of Vladimiria souliei (used in TCM); Dolomiaea souliei -川沙,chuān shā,"Chuansha, name of street and park in Pudong New District 浦東新區|浦东新区[Pu3 dong1 xin1 qu1], Shanghai" -川流不息,chuān liú bù xī,the stream flows without stopping (idiom); unending flow -川滇藏,chuān diān zàng,"Sichuan, Yunnan and Tibet" -川泽,chuān zé,marshes; swamps -川谷,chuān gǔ,same as 薏苡[yi4 yi3] -川端康成,chuān duān kāng chéng,"Kawabata Yasunari, Japanese literature Nobel laureate" -川芎,chuān xiōng,chuanxiong rhizome -川菜,chuān cài,Sichuan or Szechuan cuisine -川藏,chuān zàng,Sichuan and Tibet -川褐头山雀,chuān hè tóu shān què,(bird species of China) Sichuan tit (Poecile weigoldicus) -川西,chuān xī,Western Sichuan -川贝,chuān bèi,"Sichuan fritillary bulb (Bulbus fritillariae cirrhosae, used in TCM)" -川资,chuān zī,travel expenses -川震,chuān zhèn,"Sichuan great earthquake, the magnitude 8 earthquake of May 2008 at Wenchuan 汶川, Sichuan, that killed more than 80,000 people; same as 四川大地震[Si4 chuan1 Da4 di4 zhen4]" -川鲁粤苏浙闽湘徽,chuān lǔ yuè sū zhè mǐn xiāng huī,"the cuisines of Sichuan, Shandong, Guangdong, Jiangsu, Zhejiang, Fujian, Hunan and Anhui (the eight major cuisines of China 八大菜系[ba1 da4 cai4 xi4])" -川党,chuān dǎng,"Sichuan codonopsis (Codonopsis pilosula, root used in TCM)" -川党参,chuān dǎng shēn,"Sichuan codonopsis (Codonopsis pilosula, root used in TCM)" -州,zhōu,prefecture; (old) province; (old) administrative division; state (e.g. of US); oblast (Russia); canton (Switzerland) -州伯,zhōu bó,governor (of a province); provincial chief (old) -州界,zhōu jiè,state border; state line -州立,zhōu lì,state-run -州立大学,zhōu lì dà xué,State University (US) -州长,zhōu zhǎng,governor (of a province or colony); (US) state governor; (Australian) state premier -巠,jīng,underground watercourse; archaic variant of 經|经[jing1] -巡,xún,to patrol; to make one's rounds; classifier for rounds of drinks -巡弋,xún yì,cruise; patrol by a ship -巡捕,xún bǔ,to patrol; policeman (in China's former foreign concessions) -巡捕房,xún bǔ fáng,(old) police station in a foreign concession 租界[zu1 jie4] -巡抚,xún fǔ,inspector-general of province in Ming and Qing times -巡更,xún gēng,"to patrol at night, marking the time by sounding clappers or gongs" -巡查,xún chá,to patrol -巡洋舰,xún yáng jiàn,cruiser (warship); battle cruiser -巡测仪,xún cè yí,survey meter -巡演,xún yǎn,(theater etc) to tour; to be on tour; to give itinerant performances (abbr. for 巡迴演出|巡回演出[xun2hui2 yan3chu1]) -巡礼,xún lǐ,to make a pilgrimage (to visit a holy site); to go on a sightseeing tour -巡航,xún háng,to cruise -巡航导弹,xún háng dǎo dàn,cruise missile -巡行,xún xíng,to patrol; to perambulate; to travel around within an area -巡视,xún shì,to patrol; to make a tour; to inspect; to scan with one's eyes -巡警,xún jǐng,police patrol; patrol officer; (old) police officer -巡回,xún huí,to go around; to roam; to tour -巡回分析端口,xún huí fēn xī duān kǒu,Roving Analysis Port; RAP -巡回法庭,xún huí fǎ tíng,circuit court -巡回演出,xún huí yǎn chū,(theater etc) to tour; to be on tour; to give itinerant performances -巡游,xún yóu,to cruise; to patrol -巡逻,xún luó,"to patrol (police, army or navy)" -巡逻船,xún luó chuán,patrol vessel; cutter -巡逻艇,xún luó tǐng,patrol boat -巡逻车,xún luó chē,patrol car -巡逻队,xún luó duì,"(army, police) patrol" -巢,cháo,surname Chao -巢,cháo,nest -巢湖,cháo hú,"Chao Lake in Hefei 合肥[He2fei2], Anhui" -巢湖,cháo hú,"Chaohu, a county-level city in Hefei 合肥[He2fei2], Anhui" -巢湖市,cháo hú shì,"Chaohu, a county-level city in Hefei 合肥[He2fei2], Anhui" -巢湖市,cháo hú shì,Chaohu prefecture-level city in Anhui -巢穴,cháo xué,lair; nest; den; hideout -巤,liè,old variant of 鬣[lie4] -工,gōng,work; worker; skill; profession; trade; craft; labor -工事,gōng shì,defensive structure; military fortifications; (Tw) construction works; civil engineering works -工人,gōng rén,"worker; CL:個|个[ge4],名[ming2]" -工人日报,gōng rén rì bào,"Workers' Daily, Chinese newspaper founded in 1949" -工人阶级,gōng rén jiē jí,working class -工人党,gōng rén dǎng,Workers' Party (Singapore opposition party) -工件,gōng jiàn,workpiece -工位,gōng wèi,workstation -工作,gōng zuò,"to work; (of a machine) to operate; job; work; task; CL:個|个[ge4],份[fen4],項|项[xiang4]" -工作人员,gōng zuò rén yuán,staff member -工作列,gōng zuò liè,taskbar (computing) (Tw) -工作单位,gōng zuò dān wèi,work unit -工作报告,gōng zuò bào gào,working report; operating report -工作委员会,gōng zuò wěi yuán huì,working committee -工作室,gōng zuò shì,studio; workshop -工作日,gōng zuò rì,workday; working day; weekday -工作时间,gōng zuò shí jiān,working hours -工作服,gōng zuò fú,work clothes -工作台,gōng zuò tái,workbench; work station -工作流,gōng zuò liú,workflow -工作流程,gōng zuò liú chéng,workflow -工作狂,gōng zuò kuáng,workaholic -工作站,gōng zuò zhàn,(computer) workstation -工作管理员,gōng zuò guǎn lǐ yuán,(computing) task manager (Tw) -工作组,gōng zuò zǔ,work team; working group; task force -工作者,gōng zuò zhě,worker -工作表,gōng zuò biǎo,worksheet -工作记忆,gōng zuò jì yì,working memory -工作过度,gōng zuò guò dù,overwork -工作量,gōng zuò liàng,workload; volume of work -工作队,gōng zuò duì,a working group; a task force -工作面,gōng zuò miàn,(mining) face (as in coalface 採煤工作面|采煤工作面[cai3 mei2 gong1 zuo4 mian4]); (machining) working surface (of a workpiece) -工作餐,gōng zuò cān,working meal -工信部,gōng xìn bù,Ministry of Industry and Information Technology (abbr) -工伤,gōng shāng,industrial injury; work-related injury -工伤假,gōng shāng jià,injury leave -工兵,gōng bīng,military engineer -工具,gōng jù,tool; instrument; utensil; means (to achieve a goal etc) -工具人,gōng jù rén,(neologism c. 2010) (slang) a person used by sb as a means to an end -工具书,gōng jù shū,"reference book (such as dictionary, almanac, gazetteer etc)" -工具条,gōng jù tiáo,toolbar (in computer software) -工具机,gōng jù jī,machine tool -工具栏,gōng jù lán,toolbar (in computer software) -工具箱,gōng jù xiāng,toolbox -工具链,gōng jù liàn,(computing) toolchain -工分,gōng fēn,work point (measure of work completed in a rural commune in the PRC during the planned economy era) -工匠,gōng jiàng,artisan; smith -工友,gōng yǒu,"odd-job worker (janitor, groundsman etc) at a school or government office; (old) worker; fellow worker" -工口,ēi luó,"erotic (loanword mimicking the shape of Japanese katakana エロ, pronounced ""ero"")" -工商,gōng shāng,industry and commerce -工商业,gōng shāng yè,business -工商界,gōng shāng jiè,industry; the world of business -工商管理硕士,gōng shāng guǎn lǐ shuò shì,Master of Business Administration (MBA) -工商银行,gōng shāng yín háng,Industrial and Commercial Bank of China -工单,gōng dān,work order -工地,gōng dì,construction site -工地秀,gōng dì xiù,concert held at a real estate development site to attract home buyers (Tw) -工坊,gōng fáng,workshop -工夫,gōng fū,(old) laborer -工夫,gōng fu,"period of time (may be months, or mere seconds); spare time; skill; labor; effort" -工夫茶,gōng fu chá,"very concentrated type of tea consumed in Chaozhou, Fujian and Taiwan; variant of 功夫茶[gong1 fu5 cha2]" -工委,gōng wěi,working committee -工字梁,gōng zì liáng,I-beam -工字钢,gōng zì gāng,I-beam -工学,gōng xué,engineering; industrial science -工学院,gōng xué yuàn,school of engineering; college of engineering -工寮,gōng liáo,(Tw) (on-site) workers' dormitory hut; workers' shed -工尺谱,gōng chě pǔ,traditional Chinese musical notation using Chinese characters to represent musical notes -工布江达,gōng bù jiāng dá,"Gongbo'gyamda county, Tibetan: Kong po rgya mda' rdzong, in Nyingchi prefecture 林芝地區|林芝地区[Lin2 zhi1 di4 qu1], Tibet" -工布江达县,gōng bù jiāng dá xiàn,"Gongbo'gyamda county, Tibetan: Kong po rgya mda' rdzong, in Nyingchi prefecture 林芝地區|林芝地区[Lin2 zhi1 di4 qu1], Tibet" -工序,gōng xù,working procedure; process -工厂,gōng chǎng,"factory; CL:家[jia1],座[zuo4]" -工房,gōng fáng,workshop; temporary housing for workers; workers' living quarters -工整,gōng zhěng,fine work; carefully and neatly done -工于心计,gōng yú xīn jì,scheming; calculating -工时,gōng shí,man-hour -工会,gōng huì,labor union; trade union; CL:個|个[ge4] -工期,gōng qī,time allocated for a project; completion date -工校,gōng xiào,technical school; abbr. for 工業學校|工业学校[gong1 ye4 xue2 xiao4] -工业,gōng yè,industry -工业七国集团,gōng yè qī guó jí tuán,"G7, the group of 7 industrialized countries: US, Japan, Britain, Germany, France, Italy and Canada (now G8, including Russia)" -工业化,gōng yè huà,to industrialize; industrialization -工业化国家,gōng yè huà guó jiā,industrialized country -工业区,gōng yè qū,industrial zone -工业品,gōng yè pǐn,manufactured goods -工业国,gōng yè guó,industrialized countries -工业园区,gōng yè yuán qū,industrial park -工业大学,gōng yè dà xué,technical university; engineering college -工业学校,gōng yè xué xiào,"technical or industrial school; CL:個|个[ge4],所[suo3]" -工业现代化,gōng yè xiàn dài huà,"modernization of industry, one of Deng Xiaoping's Four Modernizations" -工业设计,gōng yè shè jì,industrial design -工业革命,gōng yè gé mìng,"Industrial Revolution, c. 1750-1830" -工况,gōng kuàng,working condition (of equipment) -工矿,gōng kuàng,industry and mining -工矿用地,gōng kuàng yòng dì,industrial and mining area -工科,gōng kē,engineering as an academic subject -工程,gōng chéng,"engineering; an engineering project; project; undertaking; CL:個|个[ge4],項|项[xiang4]" -工程图,gōng chéng tú,engineering graphics; technical drawing -工程图学,gōng chéng tú xué,engineering graphics; technical drawing -工程学,gōng chéng xué,engineering -工程师,gōng chéng shī,"engineer; CL:個|个[ge4],位[wei4],名[ming2]" -工种,gōng zhǒng,"kind of work in production (e.g. benchwork, foundry work etc)" -工笔,gōng bǐ,"gongbi, traditional Chinese painting method characterized by meticulous brush technique and detailed description" -工签,gōng qiān,work visa; work permit (abbr. for 工作簽證|工作签证[gong1 zuo4 qian1 zheng4]) -工薪族,gōng xīn zú,salaried class -工薪阶层,gōng xīn jiē céng,salaried class -工艺,gōng yì,arts and crafts; industrial arts -工艺品,gōng yì pǐn,handicraft article; handiwork; CL:個|个[ge4] -工艺美术,gōng yì měi shù,applied art -工藤,gōng téng,Kudō (Japanese surname) -工号,gōng hào,employee number -工蜂,gōng fēng,worker bee -工行,gōng háng,ICBC (Industrial and Commercial Bank of China); abbr. for 工商銀行|工商银行[Gong1 Shang1 Yin2 hang2] -工装裤,gōng zhuāng kù,overalls (clothing); coveralls -工读,gōng dú,(of a student) to work part-time (while continuing one's studies); (of a delinquent) to be reformed through work and study -工读学校,gōng dú xué xiào,reformatory; reform school -工读生,gōng dú shēng,student who also works part-time; (old) reform-school student -工资,gōng zī,wages; pay; CL:份[fen4] -工农,gōng nóng,"Gongnong district of Hegang city 鶴崗|鹤岗[He4 gang3], Heilongjiang" -工农,gōng nóng,workers and peasants -工农兵,gōng nóng bīng,"workers, peasants, and soldiers; the proletariat" -工农区,gōng nóng qū,"Gongnong district of Hegang city 鶴崗|鹤岗[He4 gang3], Heilongjiang" -工农业,gōng nóng yè,industry and agriculture -工部,gōng bù,Ministry of Works (in imperial China) -工钱,gōng qián,salary; wages -工头,gōng tóu,foreman -工频,gōng pín,utility frequency; power frequency; mains frequency -工体,gōng tǐ,"abbr. for 北京工人體育場|北京工人体育场[Bei3 jing1 Gong1 ren2 Ti3 yu4 chang3], Workers Stadium" -工党,gōng dǎng,worker's party; labor party -工龄,gōng líng,length of service; seniority -左,zuǒ,surname Zuo -左,zuǒ,left; the Left (politics); east; unorthodox; queer; wrong; differing; opposite; variant of 佐[zuo3] -左上,zuǒ shàng,upper left -左下,zuǒ xià,lower left -左不过,zuǒ bu guò,anyhow; in any event; just; only -左丘明,zuǒ qiū míng,"Zuo Qiuming or Zuoqiu Ming (556-451), famous blind historian from Lu 魯國|鲁国[Lu3 guo2] to whom the history Zuo Zhuan 左傳|左传[Zuo3 Zhuan4] is attributed" -左侧,zuǒ cè,left side -左传,zuǒ zhuàn,"Zuo Zhuan or Tsochuan, Mr Zuo's Annals or Mr Zuo's commentary on 春秋[Chun1 qiu1], early history c. 400 BC attributed to famous blind historian Zuo Qiuming 左丘明[Zuo3 Qiu1 ming2]" -左倾,zuǒ qīng,left-leaning; progressive -左倾机会主义,zuǒ qīng jī huì zhǔ yì,leftist opportunism -左券,zuǒ quàn,a sure thing; a certainty; copy of a contract held by a creditor -左券在握,zuǒ quàn zài wò,to be assured of success (idiom) -左前卫,zuǒ qián wèi,left forward (soccer position) -左口鱼,zuǒ kǒu yú,flounder -左右,zuǒ yòu,left and right; nearby; approximately; attendant; to control; to influence -左右两难,zuǒ yòu liǎng nán,(idiom) between a rock and a hard place; in a dilemma -左右共利,zuǒ yòu gòng lì,ambidextrous -左右勾拳,zuǒ yòu gōu quán,left hook and right hook (boxing); the old one-two -左右手,zuǒ yòu shǒu,left and right hands; (fig.) capable assistant; right-hand man -左右为难,zuǒ yòu wéi nán,(idiom) between a rock and a hard place; in a dilemma -左右袒,zuǒ yòu tǎn,to take sides with; to be partial to; to be biased; to favor one side -左右逢源,zuǒ yòu féng yuán,lit. to strike water right and left (idiom); fig. to turn everything into gold; to have everything going one's way; to benefit from both sides -左右开弓,zuǒ yòu kāi gōng,"lit. to shoot from both sides (idiom); fig. to display ambidexterity; to slap with one hand and then the other, in quick succession; to use both feet equally (football)" -左嗓子,zuǒ sǎng zi,off-key singing voice; sb who sings off-key -左字头,zuǒ zì tóu,"""top of 左 character"" component in Chinese characters" -左宗棠,zuǒ zōng táng,"Zuo Zongtang (1812-1885), Chinese administrator and military leader" -左宗棠鸡,zuǒ zōng táng jī,"General Tso's chicken, a deep-fried chicken dish" -左对齐,zuǒ duì qí,to left justify (typography) -左岸,zuǒ àn,Left Bank (in Paris) -左弯右拐,zuǒ wān yòu guǎi,to follow a winding path -左思,zuǒ sī,"Zuo Si (3rd century), Jin dynasty writer and poet" -左思右想,zuǒ sī yòu xiǎng,to turn over in one's mind (idiom); to think through from different angles; to ponder -左手,zuǒ shǒu,left hand; left-hand side -左拉,zuǒ lā,"Zola (name); Émile Zola (1840-1902), French naturalist novelist" -左撇子,zuǒ piě zi,left-hander -左支右绌,zuǒ zhī yòu chù,to be in straitened circumstances -左权,zuǒ quán,"Zuoquan county in Jinzhong 晉中|晋中[Jin4 zhong1], Shanxi" -左权县,zuǒ quán xiàn,"Zuoquan county in Jinzhong 晉中|晋中[Jin4 zhong1], Shanxi" -左氏春秋,zuǒ shì chūn qiū,"Mr Zuo's Spring and Autumn Annals, attributed to famous blind historian Zuo Qiuming 左丘明[Zuo3 Qiu1 ming2]; usually called Zuo Zhuan 左傳|左传[Zuo3 Zhuan4]" -左派,zuǒ pài,(political) left; left wing; leftist -左营,zuǒ yíng,"Zuoying or Tsoying district of Kaohsiung city 高雄市[Gao1 xiong2 shi4], south Taiwan" -左营区,zuǒ yíng qū,"Zuoying or Tsoying district of Kaohsiung city 高雄市[Gao1 xiong2 shi4], south Taiwan" -左箭头,zuǒ jiàn tóu,left-pointing arrow -左箭头键,zuǒ jiàn tóu jiàn,left arrow key (on keyboard) -左翼,zuǒ yì,left-wing (political) -左联,zuǒ lián,"the League of the Left-Wing Writers, an organization of writers formed in China in 1930; abbr. for 中國左翼作家聯盟|中国左翼作家联盟[Zhong1 guo2 Zuo3 yi4 Zuo4 jia1 Lian2 meng2]" -左膀右臂,zuǒ bǎng yòu bì,trusted assistant; key aide -左至右,zuǒ zhì yòu,left-to-right -左舵,zuǒ duò,left rudder -左舷,zuǒ xián,port (side of a ship) -左袒,zuǒ tǎn,to take sides with; to be partial to; to be biased; to favor one side -左贡,zuǒ gòng,"Zogang county, Tibetan: Mdzo sgang rdzong, in Chamdo prefecture 昌都地區|昌都地区[Chang1 du1 di4 qu1], Tibet" -左贡县,zuǒ gòng xiàn,"Zogang county, Tibetan: Mdzo sgang rdzong, in Chamdo prefecture 昌都地區|昌都地区[Chang1 du1 di4 qu1], Tibet" -左轮手枪,zuǒ lún shǒu qiāng,revolver -左转,zuǒ zhuǎn,to turn left -左近,zuǒ jìn,nearby -左道惑众,zuǒ dào huò zhòng,to delude the masses with heretical doctrines (idiom) -左边,zuǒ bian,left; the left side; to the left of -左边儿,zuǒ bian er,erhua variant of 左邊|左边[zuo3 bian5] -左邻右舍,zuǒ lín yòu shè,neighbors; next-door neighbors; related work units; colleagues doing related work -左邻右里,zuǒ lín yòu lǐ,see 左鄰右舍|左邻右舍[zuo3 lin2 you4 she4] -左镇,zuǒ zhèn,"Tsochen township in Tainan county 台南縣|台南县[Tai2 nan2 xian4], Taiwan" -左云,zuǒ yún,"Zuoyun county in Datong 大同[Da4 tong2], Shanxi" -左云县,zuǒ yún xiàn,"Zuoyun county in Datong 大同[Da4 tong2], Shanxi" -左面,zuǒ miàn,left side -左顾右盼,zuǒ gù yòu pàn,glancing to left and right (idiom); to look all around -左首,zuǒ shǒu,left-hand side -巧,qiǎo,opportunely; coincidentally; as it happens; skillful; timely -巧了,qiǎo le,what a coincidence! -巧人,qiǎo rén,"Homo habilis, extinct species of upright East African hominid (Tw)" -巧克力,qiǎo kè lì,chocolate (loanword); CL:塊|块[kuai4] -巧克力脆片,qiǎo kè lì cuì piàn,chocolate chip -巧匠,qiǎo jiàng,skilled workman -巧合,qiǎo hé,coincidence; coincidental; to coincide -巧固球,qiǎo gù qiú,tchoukball (loanword) -巧妙,qiǎo miào,ingenious; clever; ingenuity; artifice -巧妇,qiǎo fù,clever wife; ingenious housewife; Eurasian wren (Troglodytes troglodytes) -巧妇难为无米之炊,qiǎo fù nán wéi wú mǐ zhī chuī,The cleverest housewife cannot cook without rice (idiom); You won't get anywhere without equipment. -巧家,qiǎo jiā,"Qiaojia county in Zhaotong 昭通[Zhao1 tong1], Yunnan" -巧家县,qiǎo jiā xiàn,"Qiaojia county in Zhaotong 昭通[Zhao1 tong1], Yunnan" -巧干,qiǎo gàn,to work resourcefully; to apply intelligence -巧思,qiǎo sī,innovative thinking; ingenuity -巧手,qiǎo shǒu,skillful hands; dexterous; a dab hand -巧立名目,qiǎo lì míng mù,to fabricate excuses (idiom); to concoct various items (e.g. to pad an expense account) -巧舌如簧,qiǎo shé rú huáng,lit. to have a tongue like the reed of a wind instrument (idiom); fig. to have a glib tongue -巧言令色,qiǎo yán lìng sè,to be glib in one's speech and wear an ingratiating expression (idiom) -巧计,qiǎo jì,maneuver; scheme -巧诈,qiǎo zhà,deceitful; crafty; artful -巧诈不如拙诚,qiǎo zhà bù rú zhuō chéng,the unvarnished truth is better than a cunning ruse (idiom); honesty is the best policy -巧辩,qiǎo biàn,to argue skillfully or plausibly; rhetoric -巨,jù,very large; huge; tremendous; gigantic -巨亨,jù hēng,tycoon; mogul -巨人,jù rén,giant -巨匠,jù jiàng,"great master (of literature, music etc)" -巨嘴柳莺,jù zuǐ liǔ yīng,(bird species of China) Radde's warbler (Phylloscopus schwarzi) -巨嘴沙雀,jù zuǐ shā què,(bird species of China) desert finch (Rhodospiza obsoleta) -巨嘴短翅莺,jù zuǐ duǎn chì yīng,(bird species of China) long-billed bush warbler (Locustella major) -巨嘴鸟,jù zuǐ niǎo,toucan -巨噬细胞,jù shì xì bāo,macrophage -巨型,jù xíng,giant; enormous -巨大,jù dà,huge; immense; very large; tremendous; gigantic; enormous -巨大影响,jù dà yǐng xiǎng,huge influence -巨婴,jù yīng,(neologism c. 2017) adult who behaves in a childish manner (e.g. throwing a tantrum) -巨富,jù fù,enormous sum; millionaire; very rich -巨峰,jù fēng,Kyoho (grape type) -巨幅,jù fú,"extremely large (of paintings, photographs etc)" -巨擘,jù bò,thumb; authority (knowledgeable person) -巨星,jù xīng,"(astronomy) giant star; (fig.) superstar (of opera, basketball etc)" -巨款,jù kuǎn,huge sum of money; CL:筆|笔[bi3] -巨流,jù liú,strong current; CL:股[gu3] -巨海扇蛤,jù hǎi shàn gé,great scallop (Pecten maxiumus); king scallop -巨无霸,jù wú bà,Big Mac (McDonald's hamburger) -巨无霸,jù wú bà,giant; leviathan -巨无霸指数,jù wú bà zhǐ shù,"Big Mac Index, a measure of the purchasing power parity (PPP) between currencies" -巨无霸汉堡包指数,jù wú bà hàn bǎo bāo zhǐ shù,"Big Mac Index, a measure of the purchasing power parity (PPP) between currencies" -巨爵座,jù jué zuò,Crater (constellation) -巨牙鲨,jù yá shā,megalodon (Carcharodon megalodon) -巨兽,jù shòu,giant creature; huge animal -巨石,jù shí,huge rock; boulder; monolith -巨石柱群,jù shí zhù qún,Stonehenge -巨石阵,jù shí zhèn,giant stone arrangement; Stonehenge -巨细,jù xì,big and small -巨细胞病毒,jù xì bāo bìng dú,cytomegalovirus (CMV) -巨细胞病毒视网膜炎,jù xì bāo bìng dú shì wǎng mó yán,"cytomegalovirus retinitis (CMV retinitis), a disease of the retina that can lead to blindness" -巨著,jù zhù,monumental (literary) work -巨蛇尾,jù shé wěi,(astronomy) Serpens Cauda -巨蛇座,jù shé zuò,Serpens (constellation) -巨蛋,jù dàn,oval-shaped stadium; dome; arena -巨蜥,jù xī,monitor lizards (family Varanidae) -巨蟒,jù mǎng,python -巨蟹,jù xiè,Cancer (star sign) -巨蟹座,jù xiè zuò,Cancer (constellation and sign of the zodiac) -巨蠹,jù dù,public enemy number one -巨变,jù biàn,great changes -巨资,jù zī,huge investment; vast sum -巨轮,jù lún,large ship; large wheel -巨野,jù yě,"Juye county in Heze 菏澤|菏泽[He2 ze2], Shandong" -巨野县,jù yě xiàn,"Juye county in Heze 菏澤|菏泽[He2 ze2], Shandong" -巨量,jù liàng,huge quantity; massive -巨量转移,jù liàng zhuǎn yí,mass transfer (in LED panel manufacturing) -巨集,jù jí,(computing) macro (primarily Hong Kong and Taiwan) -巨响,jù xiǎng,loud sound -巨头,jù tóu,"tycoon; magnate; big player (including company, country, school etc); big shot" -巨额,jù é,large sum (of money); a huge amount -巨魔,jù mó,(gaming) troll; (Internet) troll -巨鹿,jù lù,"Julu county in Xingtai 邢台[Xing2 tai2], Hebei" -巨鹿县,jù lù xiàn,"Julu county in Xingtai 邢台[Xing2 tai2], Hebei" -巨齿鲨,jù chǐ shā,see 巨牙鯊|巨牙鲨[ju4 ya2 sha1] -巨龙,jù lóng,gigantic dragon (lit. and fig.); titanosaur (abbr. for 泰坦巨龍|泰坦巨龙[tai4 tan3 ju4 long2]); (slang) big dick; schlong -巫,wū,surname Wu; also pr. [Wu2] -巫,wū,witch; wizard; shaman; also pr. [wu2] -巫婆,wū pó,witch; sorceress; female shaman -巫山,wū shān,Mt Wu on the Changjiang River (Yangtze) by the Three Gorges -巫山,wū shān,"Wushan, a county in Chongqing 重慶|重庆[Chong2qing4]" -巫山县,wū shān xiàn,"Wushan, a county in Chongqing 重慶|重庆[Chong2qing4]" -巫峡,wū xiá,"Wuxia Gorge on the Changjiang or Yangtze, the middle of the Three Gorges 三峽|三峡[San1 Xia2]" -巫师,wū shī,wizard; magician -巫毒,wū dú,voodoo (loanword) -巫毒教,wū dú jiào,Voodoo (religious cult) -巫溪,wū xī,"Wushi, a county in Chongqing 重慶|重庆[Chong2qing4]" -巫溪县,wū xī xiàn,"Wushi, a county in Chongqing 重慶|重庆[Chong2qing4]" -巫统,wū tǒng,"UMNO (United Malays National Organisation), Malaysia's largest political party" -巫蛊,wū gǔ,witchcraft -巫蛊之祸,wū gǔ zhī huò,"91 BC attempted coup d'etat against Emperor Wu of Han 漢武帝|汉武帝, beginning with accusations of witchcraft" -巫术,wū shù,witchcraft -巫觋,wū xí,shaman; wizard; witch -巫医,wū yī,witch doctor; medicine man; shaman -差,chā,difference; discrepancy; (math.) difference (amount remaining after a subtraction); (literary) a little; somewhat; slightly -差,chà,different; wrong; mistaken; to fall short; to lack; not up to standard; inferior; Taiwan pr. [cha1] -差,chāi,to send (on an errand); (archaic) person sent on such an errand; job; official post -差,cī,used in 參差|参差[cen1ci1] -差一点,chà yī diǎn,see 差點|差点[cha4 dian3] -差一点儿,chà yī diǎn er,erhua variant of 差一點|差一点[cha4 yi1 dian3] -差不多,chà bu duō,almost; nearly; more or less; about the same; good enough; not bad -差不多的,chà bu duō de,the great majority -差不离,chà bù lí,not much different; similar; ordinary; nearly -差不离儿,chà bù lí er,erhua variant of 差不離|差不离[cha4 bu4 li2] -差事,chà shì,poor; not up to standard -差事,chāi shi,errand; assignment; job; commission; CL:件[jian4]; see also 差使[chai1 shi5] -差使,chāi shǐ,to send; to assign; to appoint; servants of an official; official messenger -差使,chāi shi,official post; billet; commission; CL:件[jian4]; see also 差事[chai1 shi5] -差价,chā jià,difference in price -差分,chā fēn,(math.) increment; difference; (engineering) differential -差分方程,chā fēn fāng chéng,difference equation (math.) -差别,chā bié,difference; distinction; disparity -差劲,chà jìn,bad; no good; below average; disappointing -差动齿轮,chā dòng chǐ lún,differential gear -差商,chā shāng,(math.) difference quotient; (math.) divided difference; (math.) finite difference -差失,chā shī,mistake; slip-up -差强人意,chā qiáng rén yì,(idiom) just passable; barely satisfactory -差役,chāi yì,forced labor of feudal tenant (corvée); bailiff of feudal yamen -差得多,chà dé duō,fall short by a large amount -差数,chā shù,difference (the result of subtraction) -差旅费,chāi lǚ fèi,business travel expenses -差池,chā chí,mistake; error; mishap -差派,chāi pài,to dispatch -差生,chà shēng,weak student -差异,chā yì,difference; discrepancy -差异性,chā yì xìng,difference -差讹,chā é,error; mistake -差评,chà píng,poor evaluation; adverse criticism -差误,chā wù,mistake -差谬,chà miù,error -差距,chā jù,disparity; gap -差速器,chā sù qì,differential (gear) -差远,chà yuǎn,inferior; not up to par; to fall far short; to be mistaken -差遣,chāi qiǎn,to send (on errand) -差迟,chā chí,variant of 差池[cha1 chi2] -差错,chā cuò,mistake; slip-up; fault; error; accident; mishap -差额,chā é,balance (financial); discrepancy (in a sum or quota); difference -差额选举,chā é xuǎn jǔ,competitive election (i.e. with more candidates than seats) -差点,chà diǎn,almost; nearly -差点儿,chà diǎn er,erhua variant of 差點|差点[cha4 dian3] -差点没,chà diǎn méi,almost; nearly; (i.e. same as 差點|差点[cha4 dian3]) -巯,qiú,hydrosulfuryl -己,jǐ,"self; oneself; sixth of the ten Heavenly Stems 十天干[shi2 tian1 gan1]; sixth in order; letter ""F"" or Roman ""VI"" in list ""A, B, C"", or ""I, II, III"" etc; hexa" -己丑,jǐ chǒu,"twenty-sixth year F2 of the 60 year cycle, e.g. 2009 or 2069" -己亥,jǐ hài,"thirty-sixth year F12 of the 60 year cycle, e.g. 1959 or 2019" -己卯,jǐ mǎo,"sixteenth year F4 of the 60 year cycle, e.g. 1999 or 2059" -己型肝炎,jǐ xíng gān yán,hepatitis F -己巳,jǐ sì,"sixth year F6 of the 60 year cycle, e.g. 1989 or 2049" -己方,jǐ fāng,our side; one's own (side etc) -己未,jǐ wèi,"fifty-sixth year F8 of the 60 year cycle, e.g. 1979 or 2039" -己糖,jǐ táng,"hexose (CH2O)6, monosaccharide with six carbon atoms, such as glucose 葡萄糖[pu2 tao5 tang2]" -己见,jǐ jiàn,one's own viewpoint -己酉,jǐ yǒu,"forty-sixth year F10 of the 60 year cycle, e.g. 1969 or 2029" -已,yǐ,already; to stop; then; afterwards -已久,yǐ jiǔ,already a long time -已作故人,yǐ zuò gù rén,to have passed away -已婚,yǐ hūn,married -已婚已育,yǐ hūn yǐ yù,"married, with one or more children" -已往,yǐ wǎng,the past -已成形,yǐ chéng xíng,preformed -已故,yǐ gù,the late; deceased -已灭,yǐ miè,extinct -已然,yǐ rán,already; to be already so; to have long been the case -已知,yǐ zhī,known (to science) -已经,yǐ jīng,already -已见分晓,yǐ jiàn fēn xiǎo,the result becomes apparent; (after) the dust has settled -巳,sì,"6th earthly branch: 9-11 a.m., 4th solar month (5th May-5th June), year of the Snake; ancient Chinese compass point: 150°" -巳时,sì shí,9-11 am (in the system of two-hour subdivisions used in former times) -巳蛇,sì shé,"Year 6, year of the Snake (e.g. 2001)" -巴,bā,Ba state during Zhou dynasty (in east of modern Sichuan); abbr. for east Sichuan or Chongqing; surname Ba; abbr. for Palestine or Palestinian; abbr. for Pakistan -巴,bā,"to long for; to wish; to cling to; to stick to; sth that sticks; close to; next to; spread open; informal abbr. for bus 巴士[ba1 shi4]; bar (unit of pressure); nominalizing suffix on certain nouns, such as 尾巴[wei3 ba5], tail" -巴三览四,bā sān lǎn sì,to talk about this and that (idiom); to ramble incoherently -巴不得,bā bu de,(coll.) to be eager for; to long for; to look forward to -巴不能够,bā bù néng gòu,avid; eager for; longing for; to look forward to -巴中,bā zhōng,"Bazhong prefecture-level city in Panzhihua 攀枝花[Pan1 zhi1 hua1], south Sichuan" -巴中市,bā zhōng shì,"Bazhong prefecture-level city in Panzhihua 攀枝花[Pan1 zhi1 hua1], south Sichuan" -巴仙,bā xiān,percent (loanword) -巴以,bā yǐ,Palestinian-Israeli (relations) -巴伊兰大学,bā yī lán dà xué,"Bar-Ilan University, in Israel" -巴伐利亚,bā fá lì yà,Bavaria -巴伦支海,bā lún zhī hǎi,Barents Sea -巴伦西亚,bā lún xī yà,"Valencia, Spain" -巴先,bā xiān,percent (loanword) -巴克夏猪,bā kè xià zhū,Berkshire pig; Berkshire swine -巴克斯,bā kè sī,"Bacchus, Greek god of wine" -巴克特里亚,bā kè tè lǐ yà,"Bactria, an ancient country of Central Asia" -巴克科斯,bā kè kē sī,"Bacchus, Greek god of wine" -巴克莱,bā kè lái,Barclay or Berkeley (name) -巴克莱银行,bā kè lái yín háng,Barclays Bank -巴儿狗,bā er gǒu,see 哈巴狗[ha3 ba1 gou3] -巴别塔,bā bié tǎ,"Tower of Babel, in Genesis 11:5-foll." -巴利,bā lì,"Pali, language of Theravad Pali canon; Barry (name); Gareth Barry (1981-), English footballer" -巴利文,bā lì wén,"Pali, language of Theravad Pali canon" -巴前算后,bā qián suàn hòu,thinking and pondering (idiom); to turn sth over in one's mind; to consider repeatedly -巴刹,bā shā,bazaar (loanword); Taiwan pr. [ba1 cha4] -巴力,bā lì,"Baal, god worshipped in many ancient Middle Eastern communities" -巴力门,bā lì mén,parliament (loanword) (old) -巴勒斯坦,bā lè sī tǎn,Palestine -巴勒斯坦民族权力机构,bā lè sī tǎn mín zú quán lì jī gòu,Palestinian National Authority -巴勒斯坦解放组织,bā lè sī tǎn jiě fàng zǔ zhī,Palestine Liberation Organization (PLO) -巴勒莫,bā lè mò,"Palermo, Italy" -巴南,bā nán,"Banan, a district of Chongqing 重慶|重庆[Chong2qing4]" -巴南区,bā nán qū,"Banan, a district of Chongqing 重慶|重庆[Chong2qing4]" -巴厘,bā lí,Bali (island province of Indonesia) -巴厘岛,bā lí dǎo,Bali (island in Indonesia) -巴吞鲁日,bā tūn lǔ rì,"Baton Rouge, capital of Louisiana" -巴哈,bā hā,"Johann Sebastian Bach (1685-1750), German composer (Tw)" -巴哈伊,bā hā yī,Baha'i (religion) -巴哈马,bā hā mǎ,The Bahamas -巴哥,bā gē,pug (breed of dog) -巴哥犬,bā gē quǎn,pug (breed of dog) -巴唧,bā ji,variant of 吧唧[ba1 ji5] -巴唧巴唧,bā ji bā ji,variant of 吧唧吧唧[ba1 ji5 ba1 ji5] -巴坦群岛,bā tǎn qún dǎo,Batan Islands in Bashi Channel between Taiwan and the Philippines -巴基斯坦,bā jī sī tǎn,Pakistan -巴塘,bā táng,"Batang county (Tibetan: 'ba' thang rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1], Sichuan (formerly in Kham province of Tibet)" -巴塘县,bā táng xiàn,"Batang county (Tibetan: 'ba' thang rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1], Sichuan (formerly in Kham province of Tibet)" -巴塞尔,bā sāi ěr,"Basel, Switzerland" -巴塞罗那,bā sài luó nà,Barcelona -巴塞隆纳,bā sài lóng nà,Barcelona (Tw) -巴士,bā shì,bus (loanword); motor coach -巴士底,bā shì dǐ,the Bastille (Paris) -巴士拉,bā shì lā,Basra (city in Iraq) -巴士海峡,bā shì hǎi xiá,"Bashi Channel in the northern part of the Luzon Strait, just south of Taiwan" -巴士站,bā shì zhàn,bus stop -巴宰族,bā zǎi zú,"Pazeh, one of the indigenous peoples of Taiwan" -巴宝莉,bā bǎo lì,Burberry (brand) -巴尼亚卢卡,bā ní yà lú kǎ,Banja Luka (city in Bosnia) -巴山,bā shān,Mt Ba in eastern Sichuan -巴山夜雨,bā shān yè yǔ,"rain on Mt Ba (idiom); lonely in a strange land; Evening Rain, 1980 movie about the Cultural Revolution" -巴山蜀水,bā shān shǔ shuǐ,mountains and rivers of Sichuan (idiom) -巴山越岭,bā shān yuè lǐng,to climb hills and pass over mountains (idiom); to cross mountain after mountain; good at climbing mountains -巴州,bā zhōu,East Sichuan and Chongqing; also abbr. for Bayingolin Mongol Autonomous Prefecture in Xinjiang; abbr. for 巴音郭楞蒙古自治州[Ba1 yin1 guo1 leng2 Meng3 gu3 Zi4 zhi4 zhou1] -巴巴,bā bā,(suffix) very; extremely -巴巴多斯,bā bā duō sī,Barbados -巴巴拉,bā bā lā,Barbara (name) -巴巴结结,bā bā jiē jiē,to manage with difficulty; only just getting by; in a difficult position -巴布亚新几内亚,bā bù yà xīn jǐ nèi yà,Papua New Guinea -巴布亚纽几内亚,bā bù yà niǔ jī nèi yà,Papua New Guinea (Tw) -巴布延群岛,bā bù yán qún dǎo,Babuyan Archipelago in Luzon Strait north of the Philippines -巴布拉族,bā bù lā zú,"Papora or Papura, one of the indigenous peoples of Taiwan" -巴布尔,bā bù ěr,"Zaheeruddin Babur (1483-1530), first ruler of Mughal dynasty of India" -巴希尔,bā xī ěr,"Bashir (name); Omar Hassan Ahmad al-Bashir (1944-), Sudanese military man and politician, president of Sudan 1993-2019" -巴库,bā kù,"Baku, capital of Azerbaijan" -巴彦,bā yàn,"Bayan county in Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1], Heilongjiang" -巴彦浩特,bā yàn hào tè,"Bayanhot, capital of Alxa League 阿拉善盟[A1 la1 shan4 Meng2], Inner Mongolia" -巴彦浩特镇,bā yàn hào tè zhèn,"Bayanhot Town, capital of Alxa League 阿拉善盟[A1 la1 shan4 Meng2], Inner Mongolia" -巴彦淖尔,bā yàn nào ěr,Bayan Nur prefecture-level city in Inner Mongolia -巴彦淖尔市,bā yàn nào ěr shì,Bayan Nur prefecture-level city in Inner Mongolia -巴彦县,bā yàn xiàn,"Bayan county in Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1], Heilongjiang" -巴德尔,bā dé ěr,"Baldr or Baldur, god in Norse mythology; Andreas Baader (1943-1977), leader of Red Army Faction, a.k.a. the Baader-Meinhof group" -巴心巴肝,bā xīn bā gān,with all one's heart (dialect) -巴戟,bā jǐ,"morinda root (Morinda officinalis), plant used in Chinese medicine" -巴扎,bā zhā,bazaar (loanword) -巴拉克,bā lā kè,"Barack, Barak, Ballack (name)" -巴拉圭,bā lā guī,Paraguay -巴拉基列夫,bā lā jī liè fū,"M.A. Balakirev, Russian composer" -巴拉巴斯,bā lā bā sī,Barabbas (in the Biblical passion story) -巴拉迪,bā lā dí,"Mohamed ElBaradei (1942-), Director of International Atomic Energy Agency 1997-2009 and Nobel Peace Prize laureate" -巴拉马利波,bā lā mǎ lì bō,"Paramaribo, capital of Suriname (Tw)" -巴拿芬,bā ná fēn,paraffin; variant of 石蠟|石蜡[shi2 la4] -巴拿马,bā ná mǎ,Panama -巴拿马城,bā ná mǎ chéng,Panama City -巴拿马运河,bā ná mǎ yùn hé,Panama Canal -巴掌,bā zhang,palm of the hand; classifier: slap -巴控克什米尔,bā kòng kè shí mǐ ěr,Pakistan administered Kashmir -巴斗,bā dǒu,round-bottomed wicker basket -巴斯,bā sī,Bath city in southwest England -巴斯克,bā sī kè,Basque; the Basque Country -巴斯克语,bā sī kè yǔ,Basque (language) -巴斯德,bā sī dé,"Louis Pasteur (1822-1895), French chemist and microbiologist" -巴斯特尔,bā sī tè ěr,"Basseterre, capital of Saint Kitts and Nevis" -巴斯蒂亚,bā sī dì yà,Bastia (French town on Corsica island) -巴新,bā xīn,abbr. for Papua New Guinea 巴布亞新幾內亞|巴布亚新几内亚[Ba1 bu4 ya4 Xin1 Ji3 nei4 ya4] -巴旦木,bā dàn mù,almond (loanword) -巴旦杏,bā dàn xìng,almond (loanword) -巴望,bā wàng,to look forward to -巴东,bā dōng,"Badong County in Enshi Tujia and Miao Autonomous Prefecture 恩施土家族苗族自治州[En1 shi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1], Hubei" -巴东县,bā dōng xiàn,"Badong County in Enshi Tujia and Miao Autonomous Prefecture 恩施土家族苗族自治州[En1 shi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1], Hubei" -巴松,bā sōng,bassoon (loanword) -巴松管,bā sōng guǎn,bassoon (loanword); also written 巴頌管|巴颂管[ba1 song4 guan3] or 低音管[di1 yin1 guan3] -巴林,bā lín,Bahrain -巴林右,bā lín yòu,"Bairin Right banner or Baarin Baruun khoshuu in Chifeng 赤峰[Chi4 feng1], Inner Mongolia" -巴林右旗,bā lín yòu qí,"Bairin Right banner or Baarin Baruun khoshuu in Chifeng 赤峰[Chi4 feng1], Inner Mongolia" -巴林左,bā lín zuǒ,"Bairin Left banner of Baarin Züün khoshuu in Chifeng 赤峰[Chi4 feng1], Inner Mongolia" -巴林左旗,bā lín zuǒ qí,"Bairin Left banner of Baarin Züün khoshuu in Chifeng 赤峰[Chi4 feng1], Inner Mongolia" -巴枯宁主义,bā kū níng zhǔ yì,"Bakuninism, the political and social theories associated with the Russian revolutionary and anarchist Mikhail Bakunin (1814-1876)" -巴格兰,bā gé lán,Baghlan province of north Afghanistan -巴格兰省,bā gé lán shěng,Baghlan province of north Afghanistan -巴格达,bā gé dá,"Baghdad, capital of Iraq" -巴楚,bā chǔ,"Maralbeshi nahiyisi (Maralbexi county) in Kashgar prefecture 喀什地區|喀什地区[Ka1 shi2 di4 qu1], west Xinjiang" -巴楚县,bā chǔ xiàn,"Maralbeshi nahiyisi (Maralbexi county) in Kashgar prefecture 喀什地區|喀什地区[Ka1 shi2 di4 qu1], west Xinjiang" -巴比伦,bā bǐ lún,Babylon -巴比妥,bā bǐ tuǒ,barbitone; barbital -巴氏,bā shì,Pasteur -巴氏杀菌,bā shì shā jūn,pasteurization -巴氏试验,bā shì shì yàn,Pap test (medicine) -巴沙鱼,bā shā yú,(loanword) basa (Pangasius bocourti) -巴洛克,bā luò kè,baroque (loanword) -巴乌,bā wū,"bawu, a free reed wind instrument shaped like a flute and played transversally, associated particularly with minority cultures of Yunnan" -巴尔克嫩德,bā ěr kè nèn dé,"Jan Pieter Balkenende (1956-), prime minister of the Netherlands 2002-2010" -巴尔喀什湖,bā ěr kā shí hú,Lake Balkhash in southeast Kazakhstan -巴尔多禄茂,bā ěr duō lù mào,Bartholomew -巴尔干,bā ěr gàn,Balkan -巴尔干半岛,bā ěr gàn bàn dǎo,Balkan Peninsula -巴尔扎克,bā ěr zhā kè,"Honoré de Balzac (1799-1850), French novelist, author of series La comédie humaine" -巴尔的摩,bā ěr dì mó,"Baltimore (place name, surname etc)" -巴尔舍夫斯基,bā ěr shě fū sī jī,"(Charlene) Barshefsky, US trade negotiator" -巴特,bā tè,"Barth or Barthes (name); Roland Barthes (1915-1980), French critic and semiotician" -巴特瓦族,bā tè wǎ zú,see 特瓦族[Te4 wa3 zu2] -巴特纳,bā tè nà,"Batna, town in eastern Algeria" -巴生,bā shēng,Klang (city in Malaysia) -巴甫洛夫,bā fǔ luò fū,"Pavlov (name); Ivan Petrovich Pavlov (1849-1936), Russian experimental psychologist" -巴登,bā dēng,Baden (region in Germany) -巴祖卡,bā zǔ kǎ,bazooka (loanword) -巴纽,bā niǔ,(Tw) abbr. for Papua New Guinea 巴布亞紐幾內亞|巴布亚纽几内亚[Ba1 bu4 ya4 Niu3 Ji1 nei4 ya4] -巴结,bā jie,to fawn on; to curry favor with; to make up to -巴县,bā xiàn,"Ba county in Chongqing 重慶市|重庆市, Sichuan" -巴罗佐,bā luó zuǒ,"José Manuel Durão Barroso (1956-), Portuguese politician, prime minister of Portugal 2002-04, president of EU Commission from 2004-2014" -巴罗克,bā luó kè,baroque (period in Western art history) (loanword) -巴耶利巴,bā yē lì bā,"Paya Lebar, a place in Singapore" -巴莫,bā mò,Ba Maw -巴萨,bā sà,"Barca (nickname for FC Barcelona); Baza (town in Grenada, Spain)" -巴蜀,bā shǔ,Sichuan; originally two provinces of Qin and Han -巴西,bā xī,Brazil -巴西利亚,bā xī lì yà,"Brasilia, capital of Brazil" -巴西战舞,bā xī zhàn wǔ,capoeira -巴解,bā jiě,Palestine Liberation Organization (PLO) (abbr. for 巴勒斯坦解放組織|巴勒斯坦解放组织[Ba1le4si1tan3 Jie3fang4 Zu3zhi1]) -巴解组织,bā jiě zǔ zhī,Palestine Liberation Organization (PLO); abbr. for 巴勒斯坦解放組織|巴勒斯坦解放组织[Ba1 le4 si1 tan3 Jie3 fang4 Zu3 zhi1] -巴豆,bā dòu,"croton (Croton tiglium), evergreen bush of Euphorbiaceae family 大戟科[da4 ji3 ke1]; croton seed, a strong purgative" -巴豆属,bā dòu shǔ,"Croton, genus of evergreen bush of Euphorbiaceae family 大戟科[da4 ji3 ke1]" -巴豆树,bā dòu shù,"croton bush (Croton tiglium), evergreen bush of Euphorbiaceae family 大戟科[da4 ji3 ke1], with seed having strong purgative properties" -巴豆壳,bā dòu ké,bark of Croton tiglium used as purgative -巴贝多,bā bèi duō,"Barbados, Caribbean island (Tw)" -巴贝西亚原虫病,bā bèi xī yà yuán chóng bìng,babesiosis -巴赫,bā hè,"Johann Sebastian Bach (1685-1750), German composer" -巴达木,bā dá mù,almond (loanword) -巴里,bā lǐ,"Bari (Puglia, Italy)" -巴里坤,bā lǐ kūn,"Barkol Kazakh Autonomous County in Hami 哈密市[Ha1 mi4 Shi4], Xinjiang" -巴里坤哈萨克自治县,bā lǐ kūn hā sà kè zì zhì xiàn,"Barkol Kazakh Autonomous County in Hami 哈密市[Ha1 mi4 Shi4], Xinjiang" -巴里坤县,bā lǐ kūn xiàn,"Barkol Kazakh Autonomous County in Hami 哈密市[Ha1 mi4 Shi4], Xinjiang" -巴里坤草原,bā lǐ kūn cǎo yuán,Barkol grasslands near Hami in Xinjiang -巴里岛,bā lǐ dǎo,island of Bali -巴金,bā jīn,"Ba Jin (1904-2005), novelist, author of the trilogy 家春秋[Jia1 Chun1 Qiu1]" -巴金森氏症,bā jīn sēn shì zhèng,Parkinson's disease -巴录,bā lù,"Baruch (name); Baruch, disciple of Jeremiah; book of Baruch in the Apocrypha" -巴铁,bā tiě,Transit Elevated Bus (TEB); (coll.) Pakistani brethren; Pakistani comrades; abbr. for 巴基斯坦鐵哥們|巴基斯坦铁哥们[Ba1 ji1 si1 tan3 tie3 ge1 men5] -巴闭,bā bì,"(Cantonese, Jyutping: baa1 bai3); to act high and mighty; to make big fuss over a small matter; impressive" -巴阿,bā ā,Pakistan-Afghan -巴青,bā qīng,"Baqên, a county in Nagchu City, Tibet" -巴青县,bā qīng xiàn,"Baqên, a county in Nagchu City, Tibet" -巴音布克草原,bā yīn bù kè cǎo yuán,Bayanbulak grasslands in Uldus basin of Tianshan mountains -巴音满都呼,bā yīn mǎn dū hū,"Bayan Mandahu, village in Bayan Nur 巴彥淖爾|巴彦淖尔[Ba1 yan4 nao4 er3], Inner Mongolia, noted for Cretaceous dinosaur fossils" -巴音郭楞州,bā yīn guō léng zhōu,abbr. for Bayingolin Mongol Autonomous Prefecture in Xinjiang; abbr. for 巴音郭楞蒙古自治州[Ba1 yin1 guo1 leng2 Meng3 gu3 Zi4 zhi4 zhou1] -巴音郭楞蒙古自治州,bā yīn guō léng měng gǔ zì zhì zhōu,Bayingolin Mongol Autonomous Prefecture in Xinjiang -巴颂管,bā sòng guǎn,bassoon (loanword); also written 低音管[di1 yin1 guan3] or 巴松管[ba1 song1 guan3] -巴头探脑,bā tóu tàn nǎo,to poke one's head in and pry (idiom); to spy; nosy -巴颜喀拉,bā yán kā lā,"Bayankala mountain range in Qinghai-Tibet Plateau, watershed of 黃河|黄河[Huang2 He2] Huang He river" -巴马干酪,bā mǎ gān lào,Parmesan cheese -巴马瑶族自治县,bā mǎ yáo zú zì zhì xiàn,"Bama Yaozu autonomous county in Hezhou 賀州|贺州[He4 zhou1], Guangxi" -巴马科,bā mǎ kē,"Bamako, capital of Mali" -巴马县,bā mǎ xiàn,"Bama Yaozu autonomous county in Hezhou 賀州|贺州[He4 zhou1], Guangxi" -巴高望上,bā gāo wàng shàng,to wish for higher status (idiom); to curry favor in the hope of promotion -巴黎,bā lí,"Paris, capital of France" -巴黎公社,bā lí gōng shè,"Paris Commune 1871, an unsuccessful proletarian uprising against the French Third Republic" -巴黎大学,bā lí dà xué,University of Paris -巴黎绿,bā lí lǜ,Paris green; copper(II) acetoarsenite Cu(C2H3O2)2·3Cu(AsO2)2 -巴黎圣母院,bā lí shèng mǔ yuàn,"Notre-Dame Cathedral (Paris, France)" -卮,zhī,old variant of 卮[zhi1] -巷,xiàng,lane; alley -巷子,xiàng zi,alley -巷弄,xiàng lòng,alley; lane -卺,jǐn,nuptial wine cup -卺饮,jǐn yǐn,to share nuptial cup; fig. to get married -巽,xùn,"to obey; one of the Eight Trigrams 八卦[ba1 gua4], symbolizing wood and wind; ☴; ancient Chinese compass point: 135° (southeast)" -巽他海峡,xùn tā hǎi xiá,Sunda Strait between Sumatra and Java -巽他群岛,xùn tā qún dǎo,Sunda Islands (Malay archipelago) -巽他语,xùn tā yǔ,"Sunda language, used in West Java province in Indonesia" -巾,jīn,towel; general purpose cloth; women's headcovering (old); Kangxi radical 50 -巾帼,jīn guó,woman; woman's headdress (ancient) -巾帼须眉,jīn guó xū méi,woman with a manly spirit -巿,fú,see 韍|韨[fu2] -匝,zā,variant of 匝[za1] -市,shì,market; city; CL:個|个[ge4] -市丈,shì zhàng,zhang (Chinese unit of length equal to 3⅓ meters) -市中区,shì zhōng qū,central city district -市中心,shì zhōng xīn,city center; downtown -市井,shì jǐng,marketplace; town; the street (urban milieu); the haunts of the common people -市井小民,shì jǐng xiǎo mín,ordinary people; the hoi polloi; commoner -市占率,shì zhàn lǜ,market share; abbr. for 市場佔有率|市场占有率 -市值,shì zhí,market capitalization; market value -市价,shì jià,market value -市侩,shì kuài,unscrupulous businessperson; profiteer; philistine -市内,shì nèi,inside the city -市两,shì liǎng,Chinese unit of weight equivalent to 50 grams -市分,shì fēn,fen (Chinese unit of length equal to ⅓ centimeter) -市制,shì zhì,Chinese units of measurement -市北区,shì běi qū,"Shibei district of Qingdao city 青島市|青岛市, Shandong" -市区,shì qū,urban district; downtown; city center -市南区,shì nán qū,"Shinan district of Qingdao city 青島市|青岛市, Shandong" -市厘,shì lí,li (Chinese unit of length equal to ⅓ millimeter) -市场,shì chǎng,marketplace; market (also in abstract) -市场份额,shì chǎng fèn é,market share -市场占有率,shì chǎng zhàn yǒu lǜ,market share -市场价,shì chǎng jià,market price -市场准入,shì chǎng zhǔn rù,access to markets -市场划分,shì chǎng huà fēn,market segmentation -市场化,shì chǎng huà,marketization -市场定位,shì chǎng dìng wèi,positioning (marketing) -市场换技术,shì chǎng huàn jì shù,"market access in return for technology transfer (PRC policy since the 1980s which gives foreign companies access to China's domestic market in exchange for sharing their intellectual property, characterized by the US in the 2019 trade war as ""forced technology transfer"")" -市场营销,shì chǎng yíng xiāo,marketing -市场竞争,shì chǎng jìng zhēng,market competition -市场经济,shì chǎng jīng jì,market economy -市场调查,shì chǎng diào chá,market research -市委,shì wěi,municipal committee -市容,shì róng,appearance of a city -市寸,shì cùn,cun (Chinese unit of length equal to ⅓ decimeter) -市尺,shì chǐ,chi (Chinese unit of length equal to ⅓ meter) -市引,shì yǐn,unit of distance equal to 33⅓ meters -市撮,shì cuō,milliliter (old) -市担,shì dàn,Chinese unit of weight equal to 100 jin (or 50 kg) -市政,shì zhèng,municipal administration -市政府,shì zhèng fǔ,city hall; city government -市政厅,shì zhèng tīng,city hall -市政税,shì zhèng shuì,city council rates; municipal taxes -市斤,shì jīn,Chinese unit of weight equal to 0.5 kg -市曹,shì cáo,market; official in charge of small merchants -市民,shì mín,city resident -市民社会,shì mín shè huì,civil society (law) -市净率,shì jìng lǜ,price-to-book ratio (finance) -市盈率,shì yíng lǜ,PE ratio -市立,shì lì,municipal; city; city-run -市县,shì xiàn,towns and counties -市议员,shì yì yuán,town councilor; city councilor; alderman -市议会,shì yì huì,city council -市辖区,shì xiá qū,city district (county-level administrative unit) -市郊,shì jiāo,outer city; suburb -市里,shì lǐ,li (Chinese unit of length equal to 500 meters) -市钱,shì qián,Chinese unit of weight equivalent to 5 grams -市镇,shì zhèn,small town -市长,shì zhǎng,mayor -市集,shì jí,fair; market (in a public place); small town -市面,shì miàn,the marketplace (i.e. the world of business and commerce) -市面上,shì miàn shàng,on the market -市顷,shì qǐng,unit of area equal to 100 畝|亩[mu3] or 6.67 hectares -布,bù,cloth; to declare; to announce; to spread; to make known -布丁,bù dīng,pudding (loanword) -布下,bù xià,to arrange; to lay out -布什,bù shí,"Bush (name); George H.W. Bush (1924-2018), US president 1988-1992; George W. Bush (1946-), US President 2000-2008" -布什尔,bù shí ěr,"Bushehr Province of southern Iran, bordering on the Persian Gulf; Bushehr, port city, capital of Bushehr Province" -布伍,bù wǔ,to deploy troops -布依,bù yī,Buyei ethnic group -布伦尼,bù lún ní,"Brønnøysund (city in Nordland, Norway)" -布伦轻机枪,bù lún qīng jī qiāng,"Bren gun, British light machine gun first produced in 1937" -布偶,bù ǒu,stuffed toy; rag doll -布偶装,bù ǒu zhuāng,mascot costume -布偶猫,bù ǒu māo,ragdoll (cat breed) -布列斯特,bù liè sī tè,"Brest, town in Belarus" -布加勒斯特,bù jiā lè sī tè,"Bucharest, capital of Romania" -布加综合征,bù jiā zōng hé zhēng,Budd-Chiari syndrome -布加迪,bù jiā dí,Bugatti (name); Bugatti Automobiles S.A.S. (French car company) -布劳恩,bù láo ēn,Browne (person name) -布匹,bù pǐ,cloth (by the yard) -布匿战争,bù nì zhàn zhēng,the three Punic Wars (264-146 BC) between Rome and Carthage -布吉河,bù jí hé,"Buji River, tributary of Shenzhen or Shamchun River 深圳河[Shen1 zhen4 He2], Guangdong" -布吉纳法索,bù jí nà fǎ suǒ,Burkina Faso (Tw) -布哈拉,bù hā lā,Bokhara or Bukhara city in Uzbekistan -布哈林,bù hā lín,"Nikolai Ivanovich Bukharin (1888-1938), Soviet revolutionary theorist, executed after a show trial in 1937" -布囊,bù náng,cloth bag -布坎南,bù kǎn nán,Buchanan (surname) -布城,bù chéng,"Putrajaya, federal administrative territory of Malaysia, south of Kuala Lumpur city 吉隆坡市" -布基纳法索,bù jī nà fǎ suǒ,Burkina Faso -布娃娃,bù wá wa,rag doll -布宜诺斯艾利斯,bù yí nuò sī ài lì sī,"Buenos Aires, capital of Argentina" -布尼亚病毒,bù ní yà bìng dú,Bunyavirus; virus of the family Bunyaviridae -布巾,bù jīn,a cloth -布希,bù xī,Taiwan equivalent of 布什[Bu4 shi2] -布希威克,bù xī wēi kè,"Bushwick, a neighborhood in Brooklyn, in New York City" -布希鞋,bù xī xié,Crocs (sandals) (Tw) -布帛,bù bó,cloth and silk; cotton and silk textiles -布帛菽粟,bù bó shū sù,"cloth, silk, beans and grain; food and clothing; daily necessities" -布幕,bù mù,screen (movie theater etc) -布干维尔,bù gān wéi ěr,"Bougainville, Papua New Guinea" -布干维尔岛,bù gān wéi ěr dǎo,"Bougainville Island, Papua New Guinea" -布托,bù tuō,"Bhutto (name); Zulfikar Ali Bhutto (1928-1979), president of Pakistan 1971-1979 executed by General Muhammad Zia-ul-Haq; Benazzir Bhutto (1953-2007), twice president of Pakistan 1988-1990 and 1993-1996" -布拉吉,bù lā jí,woman's dress (loanword from Russian); gown -布拉德福德,bù lā dé fú dé,"Bradford, city in West Yorkshire, England" -布拉戈维申斯克,bù lā gē wéi shēn sī kè,"Blagoveshchensk, Russian city on the border with China, administrative center of Amur Oblast 阿穆爾州|阿穆尔州[A1 mu4 er3 Zhou1]" -布拉提斯拉瓦,bù lā tí sī lā wǎ,"Bratislava, capital of Slovakia (Tw)" -布拉柴维尔,bù lā chái wéi ěr,"Brazzaville, capital of Congo" -布拉格,bù lā gé,"Prague, capital of Czech Republic" -布拉索夫,bù lā suǒ fū,"Braşov, Romania" -布拉萨市,bù lā sà shì,"Brazzaville, capital of Congo (Tw)" -布拉迪斯拉发,bù lā dí sī lā fā,Bratislava -布拖,bù tuō,"Butuo county in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -布拖县,bù tuō xiàn,"Butuo county in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -布控,bù kòng,to deploy surveillance; to put under surveillance -布斐,bù fěi,(loanword) buffet -布料,bù liào,cloth; material -布施,bù shī,Dana (Buddhist practice of giving) -布朗,bù lǎng,"Brown (name); Gordon Brown (1951-), UK politician, prime minister 2007-2010" -布朗克士,bù lǎng kè shì,"The Bronx, borough of New York City" -布朗克斯,bù lǎng kè sī,"The Bronx, borough of New York City; Bronx County (coextensive with The Bronx); also written 布朗士" -布朗士,bù lǎng shì,"The Bronx, borough of New York City; Bronx County (coextensive with The Bronx); also written 布朗克斯" -布朗大学,bù lǎng dà xué,"Brown University, Providence, Rhode Island" -布朗尼,bù lǎng ní,brownie (pastry) (loanword) -布朗族,bù lǎng zú,"Blang people, one of the 56 ethnic groups officially recognized by the PRC" -布朗运动,bù lǎng yùn dòng,Brownian motion -布松布拉,bù sōng bù lā,"Bujumbura, capital of Burundi (Tw)" -布林,bù lín,Boolean (math.) (Tw) -布林,bù lín,plum (loanword) -布林迪西,bù lín dí xī,"Brindisi, port city on southeast heel of Italy" -布格麦,bù gé mài,bulgur (loanword) -布氏杆菌病,bù shì gǎn jūn bìng,brucellosis (undulant fever or Mediterranean fever) -布氏菌苗,bù shì jūn miáo,Brucella vaccine -布氏苇莺,bù shì wěi yīng,(bird species of China) Blyth's reed warbler (Acrocephalus dumetorum) -布氏非鲫,bù shì fēi jì,zebra tilapia; Tilapia buttikoferi (zoology) -布氏鹨,bù shì liù,(bird species of China) Blyth's pipit (Anthus godlewskii) -布法罗,bù fǎ luó,"Buffalo, New York state" -布洛芬,bù luò fēn,Ibuprofen or Nurofen; also called 異丁苯丙酸|异丁苯丙酸 -布洛陀,bù luò tuó,creator god of the Zhuang minority 壯族|壮族[Zhuang4 zu2] -布满,bù mǎn,to be covered with; to be filled with -布洒器,bù sǎ qì,disperser -布热津斯基,bù rè jīn sī jī,"Brzezinski (name); Zbigniew Brzezinski (1928-2017), Polish-American academic and politician, US National Security Adviser 1977-1981" -布尔,bù ěr,Boole (surname); (math.) Boolean -布尔什维克,bù ěr shí wéi kè,Bolshevik -布尔代数,bù ěr dài shù,Boolean algebra -布尔乔亚,bù ěr qiáo yà,bourgeois (loanword) -布尔津,bù ěr jīn,"Burqin county or Burchin nahiyisi in Altay prefecture 阿勒泰地區|阿勒泰地区[A1 le4 tai4 di4 qu1], Xinjiang" -布尔津县,bù ěr jīn xiàn,"Burqin county or Burchin nahiyisi in Altay prefecture 阿勒泰地區|阿勒泰地区[A1 le4 tai4 di4 qu1], Xinjiang" -布尔诺,bù ěr nuò,"Brno, city in Czech Republic" -布琼布拉,bù qióng bù lā,"Bujumbura, capital of Burundi" -布痕瓦尔德,bù hén wǎ ěr dé,Buchenwald -布谷,bù gǔ,cuckoo -布线,bù xiàn,wiring -布署,bù shǔ,variant of 部署[bu4 shu3] -布莱克史密斯,bù lái kè shǐ mì sī,Blacksmith (name) -布莱克本,bù lái kè běn,Blackburn -布莱尼,bù lái ní,"Bryne (City in Rogaland, Norway)" -布莱德湖,bù lái dé hú,"Lake Bled, glacial lake amid the Julian Alps in Slovenia, adjacent to the town of Bled" -布莱恩,bù lái ēn,Brian (name) -布莱氏鹨,bù lái shì liù,(Tw) (bird species of China) Blyth's pipit (Anthus godlewskii) -布莱尔,bù lái ěr,Blair (name) -布莱叶,bù lái yè,"Braille (name); Louis Braille (1809-1852), French educator who invented braille" -布莱顿,bù lái dùn,"Brighton, town in England" -布衣,bù yī,plain cotton clothing; (literary) the common people -布衣韦带,bù yī wéi dài,in hemp cloth and with a leather belt; poorly dressed -布袋,bù dài,"Budai (the Laughing Buddha); Budai or Putai Town in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -布袋,bù dài,pouch; sack; bag -布袋弹,bù dài dàn,bean bag round -布袋戏,bù dài xì,glove puppetry -布袋戏偶,bù dài xì ǒu,glove puppet (Tw) -布袋镇,bù dài zhèn,"Budai or Putai Town in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -布谷鸟,bù gǔ niǎo,cuckoo (Cercococcyx spp.); same as 杜鵑鳥|杜鹃鸟[du4 juan1 niao3] -布农族,bù nóng zú,"Bunun, one of the indigenous peoples of Taiwan" -布迪亚,bù dí yà,Baudrillard (name) -布道,bù dào,to preach (the Christian gospel) -布达佩斯,bù dá pèi sī,"Budapest, capital of Hungary" -布达拉宫,bù dá lā gōng,"Potala, winter palace of Dalai Lamas in Lhasa, Tibet" -布达拉山,bù dá lā shān,"Mt Potala in Lhasa, with Potala Palace 布達拉宮|布达拉宫" -布里坦尼,bù lǐ tǎn ní,Brittany (France); Bretagne -布里奇顿,bù lǐ qí dùn,"Bridgetown, capital of Barbados" -布里斯托,bù lǐ sī tuō,Bristol -布里斯托尔,bù lǐ sī tuō ěr,Bristol port city in southwest England -布里斯托尔海峡,bù lǐ sī tuō ěr hǎi xiá,Bristol Channel in southwest England -布里斯班,bù lǐ sī bān,"Brisbane, capital of Queensland, Australia" -布里特妮,bù lǐ tè nī,"Britney, Brittney or Brittany (name)" -布防,bù fáng,to lay out a defense -布防迎战,bù fáng yíng zhàn,to prepare to meet the enemy head-on -布隆伯格,bù lōng bó gé,Blumberg or Bloomberg (name) -布隆方丹,bù lóng fāng dān,Bloemfontein -布隆迪,bù lóng dí,Burundi -布雷斯特,bù léi sī tè,"Brest, westernmost town in France" -布鞋,bù xié,"cloth shoes; CL:雙|双[shuang1],隻|只[zhi1]" -布须曼人,bù xū màn rén,bushman (African ethnic group) -布鲁克,bù lǔ kè,"Brook (name); Peter Brook (1925), British theater director" -布鲁克林,bù lǔ kè lín,"Brooklyn, borough of New York City" -布鲁克林大桥,bù lǔ kè lín dà qiáo,Brooklyn Bridge -布鲁克海文国家实验室,bù lǔ kè hǎi wén guó jiā shí yàn shì,Brookhaven National Laboratory -布鲁克海文实验室,bù lǔ kè hǎi wén shí yàn shì,Brookhaven National Laboratory -布鲁图斯,bù lǔ tú sī,Brutus (name) -布鲁塞尔,bù lǔ sài ěr,"Brussels, capital of Belgium" -布鲁姆斯伯里,bù lǔ mǔ sī bó lǐ,"Bloomsbury, London district" -布鲁斯,bù lǔ sī,blues (music) (loanword) -布鲁日,bù lǔ rì,"Bruges (Dutch Brugge), medieval town in Belgium" -布鲁氏菌病,bù lǔ shì jūn bìng,Brucella (infectious disease) -布鲁特斯,bù lǔ tè sī,"Brutus (name); Marcus Junius Brutus (85-42 BC), late Roman Republic politician who conspired against Julius Caesar; Lucius Junius Brutus (6th c. BC), founder of the Roman Republic" -帆,fān,"sail; Taiwan pr. [fan2], except 帆布[fan1 bu4] canvas" -帆伞,fān sǎn,parasail; parasailing -帆布,fān bù,canvas; sailcloth -帆布鞋,fān bù xié,canvas shoes -帆板,fān bǎn,sailboard; windsurfing -帆背潜鸭,fān bèi qián yā,(bird species of China) canvasback (Aythya valisineria) -帆船,fān chuán,sailboat -纸,zhǐ,variant of 紙|纸[zhi3] -希,xī,to hope; to admire; variant of 稀[xi1] -希仁,xī rén,"Xiren, courtesy title of Bao Zheng 包拯[Bao1 Zheng3] (999-1062), Northern Song official renowned for his honesty" -希伯来,xī bó lái,Hebrew -希伯来人,xī bó lái rén,Hebrew person; Israelite; Jew -希伯来书,xī bó lái shū,Epistle of St Paul to the Hebrews -希伯来语,xī bó lái yǔ,Hebrew language -希伯莱,xī bó lái,Hebrew -希伯莱大学,xī bó lái dà xué,"the Hebrew University, Jerusalem" -希伯莱文,xī bó lái wén,Hebrew language -希伯莱语,xī bó lái yǔ,Hebrew language -希冀,xī jì,(literary) to hope -希夏邦马峰,xī xià bāng mǎ fēng,Mt Shishapangma or Xixiabangma in Tibet (8012 m) -希奇,xī qí,rare; strange -希奇古怪,xī qí gǔ guài,crazy; bizarre; weird; fantastic; strange -希律王,xī lǜ wáng,"Herod the Great (73 BC - 4 BC), Roman-appointed king of Judea (37-4 BC)" -希思罗,xī sī luó,Heathrow (a London airport) -希拉克,xī lā kè,"Jacques Chirac (1932-2019), president of France 1995-2007" -希拉蕊,xī lā ruǐ,Taiwan equivalent of 希拉里[Xi1 la1 li3] -希拉里,xī lā lǐ,"Hillary (name); Hillary Rodham Clinton (1947-), US Democratic politician" -希斯,xī sī,Heath (name) -希斯仑,xī sī lún,Hezron (son of Perez) -希斯罗机场,xī sī luó jī chǎng,Heathrow Airport (international airport near London) -希望,xī wàng,to hope; a hope; a wish (CL:個|个[ge4]) -希望落空,xī wàng luò kōng,hopes are dashed -希格斯,xī gé sī,"Higgs (name); Peter Higgs (1929-), British theoretical physicist, one proposer of the Higgs mechanism or Higgs boson to explain the mass of elementary particles" -希格斯机制,xī gé sī jī zhì,"the Higgs mechanism, explaining the mass of elementary particles in the Standard Model" -希格斯玻色子,xī gé sī bō sè zǐ,Higgs boson (particle physics) -希格斯粒子,xī gé sī lì zǐ,Higgs particle (particle physics) -希沃特,xī wò tè,"sievert (Sv), unit of radiation damage used in radiotherapy" -希波克拉底,xī bō kè lā dǐ,"Hippocrates (c. 460 BC - c. 370 BC), Greek physician, father of Western medicine" -希洪,xī hóng,"Gijón (Asturian: Xixón), city in northwest Spain on the bay of Biscay" -希尔,xī ěr,"Hill (name); Christopher Hill, US undersecretary of state of East Asian affairs" -希尔伯特,xī ěr bó tè,"David Hilbert (1862-1943), German mathematician" -希尔内科斯,xī ěr nèi kē sī,"Kirkenes (city in Finnmark, Norway)" -希尔弗瑟姆,xī ěr fú sè mǔ,"Hilversum, city in Netherlands" -希尔顿,xī ěr dùn,Hilton (hotel chain) -希特勒,xī tè lè,Adolf Hitler (1889-1945) -希神,xī shén,Greek mythology; abbr. for 希臘神話|希腊神话[Xi1 la4 shen2 hua4] -希罕,xī han,variant of 稀罕[xi1 han5] -希罗底,xī luó dǐ,Herodium (town in biblical Judea) -希耳伯特,xī ěr bó tè,"David Hilbert (1862-1943), German mathematician" -希腊,xī là,Greece -希腊字母,xī là zì mǔ,Greek alphabet -希腊文,xī là wén,Greek literature -希腊语,xī là yǔ,Greek language -希西家,xī xī jiā,"Hezekiah or Ezekias (740-687 BC), twelfth king of Judah (Judaism)" -帑,tǎng,state treasury; public funds -帑藏,tǎng zàng,state treasury -帔,pèi,cape -帕,pà,to wrap; kerchief; handkerchief; headscarf; pascal (SI unit) -帕内尔,pà nèi ěr,"Parnell (name); Charles Stewart Parnell (1846-1891), Irish nationalist politician" -帕利基尔,pà lì jī ěr,"Palikir, capital of the Federated States of Micronesia" -帕劳,pà láo,Republic of Palau or Belau (Pacific island nation) -帕台农,pà tái nóng,"Parthenon (Temple on the Acropolis, Athens)" -帕台农神庙,pà tái nóng shén miào,"Parthenon Temple on the Acropolis, Athens" -帕塔亚,pà tǎ yà,Pattaya or Phatthaya city in Chon Buri province of east Thailand -帕夏,pà xià,pasha (loanword) -帕子,pà zi,kerchief; handkerchief; headscarf -帕尼尼,pà ní ní,(loanword) panini -帕尼巴特,pà ní bā tè,"Panipat, ancient city in India" -帕德嫩神庙,pà dé nèn shén miào,"Parthenon Temple on the Acropolis, Athens (Tw)" -帕拉塞尔士,pà lā sè ěr shì,"Paracelsius (Auroleus Phillipus Theostratus Bombastus von Hohenheim, 1493-1541), Swiss alchemist and prominent early European scientist" -帕拉马里博,pà lā mǎ lǐ bó,"Paramaribo, capital of Suriname" -帕提亚人,pà tí yà rén,Parthian -帕提侬神庙,pà tí nóng shén miào,"the Parthenon, Athens" -帕斯,pà sī,"Perth, capital of Western Australia" -帕斯卡,pà sī kǎ,"Pascal (name); Blaise Pascal (1623-1662), French mathematician" -帕斯卡三角形,pà sī kǎ sān jiǎo xíng,Pascal's Triangle (math.) -帕斯卡六边形,pà sī kǎ liù biān xíng,Pascal's hexagon -帕斯卡尔,pà sī kǎ ěr,Pascal (name) -帕果帕果,pà guǒ pà guǒ,"Pago Pago, capital of American Samoa" -帕格尼尼,pà gé ní ní,"Niccolò Paganini (1782-1840), Italian violinist and composer" -帕尔瓦蒂,pà ěr wǎ dì,"Parvati (Hindu deity, the consort of Shiva)" -帕特里克,pà tè lǐ kè,Patrick (name) -帕特里夏,pà tè lǐ xià,Patricia -帕特丽夏,pà tè lì xià,Patricia -帕瓦罗蒂,pà wǎ luó dì,"Luciano Pavarotti (1935-2007), Italian operatic tenor" -帕皮提,pà pí tí,"Papeete, capital of French Polynesia" -帕福斯,pà fú sī,"Paphos, Cyprus" -帕米尔,pà mǐ ěr,"the Pamirs, highland region of Central Asia" -帕米尔高原,pà mǐ ěr gāo yuán,"the Pamirs, highland region of Central Asia" -帕累托,pà lèi tuō,"Vilfredo Pareto (1848-1923), Italian economist" -帕累托最优,pà lèi tuō zuì yōu,Pareto efficiency (economics); Pareto optimality -帕累托法则,pà lèi tuō fǎ zé,Pareto principle -帕能,pà néng,"phanaeng (also spelled ""panang"") (type of Thai curry) (loanword)" -帕蒂尔,pà dì ěr,"Patil (name); Pratibha Patil (1934-), female Indian Congress Party politician, president of India 2007-2012" -帕萨特,pà sà tè,Passat (automobile) -帕兰卡,pà lán kǎ,Palanka (a personal name) -帕西,pà xī,Parsi; Farsi; Persian -帕金森,pà jīn sēn,Parkinson (name) -帕金森病,pà jīn sēn bìng,Parkinson's disease -帕金森症,pà jīn sēn zhèng,Parkinson's disease -帕马森,pà mǎ sēn,Parmesan -帖,tiē,fitting snugly; appropriate; suitable; variant of 貼|贴[tie1]; to paste; to obey -帖,tiě,invitation card; notice -帖,tiè,rubbing from incised inscription -帖子,tiě zi,card; invitation; message; (forum) post -帖撒罗尼迦,tiě sā luó ní jiā,Thessalonica -帖撒罗尼迦前书,tiě sā luó ní jiā qián shū,First epistle of St Paul to the Thessalonians -帖撒罗尼迦后书,tiě sā luó ní jiā hòu shū,Second Epistle of St Paul to the Thessalonians -帖服,tiē fú,docile; obedient -帖木儿,tiē mù ér,"Timur or Tamerlane (1336-1405), Mongol emperor and conqueror" -帖木儿大汗,tiē mù ér dà hán,"Timur or Tamerlane (1336-1405), Mongol emperor and conqueror" -帘,lián,flag used as a shop sign; variant of 簾|帘[lian2] -帙,zhì,surname Zhi -帙,zhì,book cover -帚,zhǒu,broom -帛,bó,silk -帛琉,bó liú,(Tw) Palau -帛画,bó huà,painting on silk -帛金,bó jīn,traditional money gift at a funeral -帝,dì,emperor -帝乙,dì yǐ,"Di Yi (died 1076 BC), Shang dynasty king, reigned 1101-1076 BC" -帝京,dì jīng,imperial capital -帝位,dì wèi,imperial throne -帝俄,dì é,Tsarist Russia -帝俊,dì jùn,"Dijun, Shang dynasty protector God, possibly same as legendary Emperor 帝嚳|帝喾[Di4 Ku4]" -帝制,dì zhì,autocratic monarchy; imperial regime -帝力,dì lì,"Dili, capital of East Timor" -帝后,dì hòu,empress; imperial consort -帝喾,dì kù,"Di Ku or Emperor Ku, one of the Five Legendary Emperors 五帝[wu3 di4], great-grandson of the Yellow Emperor 黃帝|黄帝[Huang2 di4]" -帝国,dì guó,empire; imperial -帝国主义,dì guó zhǔ yì,imperialism -帝国大厦,dì guó dà shà,Empire State Building (New York City) -帝国理工学院,dì guó lǐ gōng xué yuàn,"Imperial College of Science, Technology and Medicine, London" -帝汶岛,dì wèn dǎo,Timor island -帝汶海,dì wèn hǎi,Timor Sea -帝王,dì wáng,regent; monarch -帝王企鹅,dì wáng qǐ é,emperor penguin -帝王切开,dì wáng qiē kāi,Cesarean section -帝王谱,dì wáng pǔ,list of emperors and kings; dynastic genealogy -帝辛,dì xīn,"Emperor Xin, last ruler of Shang (11th Century BC), famous as a tyrant" -帝都,dì dū,imperial capital -帅,shuài,surname Shuai -帅,shuài,"(bound form) commander-in-chief; (bound form) to lead; to command; handsome; graceful; dashing; elegant; (coll.) cool!; sweet!; (Chinese chess) general (on the red side, equivalent to a king in Western chess)" -帅呆了,shuài dāi le,awesome; brilliant; magnificent -帅哥,shuài gē,handsome guy; lady-killer; handsome (form of address) -帅气,shuài qi,handsome; smart; dashing; elegant -师,shī,surname Shi -师,shī,teacher; master; expert; model; army division; (old) troops; to dispatch troops -师丈,shī zhàng,teacher's husband -师傅,shī fu,"master; qualified worker; respectful form of address for older men; CL:個|个[ge4],位[wei4],名[ming2]" -师兄,shī xiōng,senior male fellow student or apprentice; son (older than oneself) of one's teacher -师兄弟,shī xiōng dì,fellow apprentices; fellow students (male) -师出有名,shī chū yǒu míng,lit. to have sufficient reason to send troops (idiom); to do something with good reason; to have just cause -师出无名,shī chū wú míng,lit. to go to war without just cause (idiom); to act without justification -师友,shī yǒu,friend from whom you can seek advice -师古,shī gǔ,following the ways of old; in imitation of ancient style -师大,shī dà,"abbr. for 師範大學|师范大学[shi1 fan4 da4 xue2], normal university; teacher training college" -师夷长技以制夷,shī yí cháng jì yǐ zhì yí,"""learn from the foreigners in order to gain command of them"", idea advocated by Wei Yuan 魏源[Wei4 Yuan2]" -师奶,shī nǎi,married woman of mature age -师妹,shī mèi,junior female student or apprentice; daughter (younger than oneself) of one's teacher -师姐,shī jiě,senior female fellow student or apprentice; daughter (older than oneself) of one's teacher -师娘,shī niáng,term of respect for a teacher's wife; sorceress -师宗,shī zōng,"Shizong county in Qujing 曲靖[Qu3 jing4], Yunnan" -师宗县,shī zōng xiàn,"Shizong county in Qujing 曲靖[Qu3 jing4], Yunnan" -师尊,shī zūn,teacher; master -师座,shī zuò,(archaic form of address) his excellency the army commander -师弟,shī dì,young disciple (of the same master); younger or junior male schoolmate -师徒,shī tú,master and disciple -师从,shī cóng,to study under (a teacher) -师母,shī mǔ,term of respect for a teacher's wife -师父,shī fu,used for 師傅|师傅 (in Taiwan); master; qualified worker -师生,shī shēng,teachers and students -师范,shī fàn,"teacher-training; pedagogical; normal (school, e.g. Beijing Normal University)" -师范大学,shī fàn dà xué,normal university; teacher training college -师范学院,shī fàn xué yuàn,teacher's college; normal school -师表,shī biǎo,paragon of virtue and learning; exemplary character -师资,shī zī,qualified teacher -师长,shī zhǎng,military division level commander; teacher -裙,qún,old variant of 裙[qun2] -席,xí,surname Xi -席,xí,"woven mat; seat; banquet; place in a democratic assembly; classifier for banquets, conversations etc" -席位,xí wèi,"a seat (in a theater, stadium etc); parliamentary or congressional seat" -席凡宁根,xí fán níng gēn,"Scheveningen, resort in Den Haag (The Hague), Netherlands" -席勒,xí lè,"Schiller (name); Johann Christoph Friedrich von Schiller or Friedrich Schiller (1759-1805), German poet and dramatist" -席地而坐,xí dì ér zuò,to sit on the ground or the floor (idiom) -席地而睡,xí dì ér shuì,to sleep on the ground (idiom) -席梦思,xí mèng sī,"spring mattress (loanword from ""Simmons"" bedding company name)" -席子,xí zi,woven mat -席德尼,xí dé ní,Sidney or Sydney (name) -席卷,xí juǎn,to engulf; to sweep; to carry away everything -帐,zhàng,(bound form) curtain; tent; canopy; variant of 賬|账[zhang4] -帐单,zhàng dān,bill; check -帐子,zhàng zi,mosquito net; CL:頂|顶[ding3] -帐幔,zhàng màn,curtain -帐幕,zhàng mù,tent -帐户,zhàng hù,"(bank, computer etc) account" -帐棚,zhàng peng,variant of 帳篷|帐篷[zhang4 peng5] -帐目,zhàng mù,account -帐篷,zhàng peng,"tent; CL:頂|顶[ding3],座[zuo4]" -帐帘,zhàng lián,drapery -帐簿,zhàng bù,account book -帐号,zhàng hào,account number; username -带,dài,band; belt; girdle; ribbon; tire; area; zone; region; CL:條|条[tiao2]; to wear; to carry; to take along; to bear (i.e. to have); to lead; to bring; to look after; to raise -带上,dài shàng,to take along with one -带上门,dài shàng mén,to close the door (when going through it) -带来,dài lái,to bring; (fig.) to bring about; to produce -带儿,dài er,erhua variant of 帶|带[dai4] -带兵,dài bīng,to lead troops -带分数,dài fēn shù,"mixed fraction; mixed number (i.e. with an integer part and a fraction part, e.g. four and three quarters); see also: improper fraction 假分數|假分数[jia3 fen1 shu4] and proper fraction 真分數|真分数[zhen1 fen1 shu4]" -带刺,dài cì,thorny; (fig.) barbed; sarcastic -带劲,dài jìn,energetic; exciting; of interest -带动,dài dòng,to spur; to provide impetus; to drive -带原者,dài yuán zhě,(disease) carrier -带去,dài qu,to take along with one -带回,dài huí,to bring back -带坏,dài huài,to lead astray -带娃,dài wá,to look after a baby; to take care of a young child -带子,dài zi,belt; band; ribbon; strap; girdle; (coll.) audio or video tape; Farrer's scallop (Chlamys farreri); comb pen shell (Atrina pectinata) -带孝,dài xiào,variant of 戴孝[dai4 xiao4] -带宽,dài kuān,bandwidth -带岭,dài lǐng,"Dailing district of Yichun city 伊春市[Yi1 chun1 shi4], Heilongjiang" -带岭区,dài lǐng qū,"Dailing district of Yichun city 伊春市[Yi1 chun1 shi4], Heilongjiang" -带感,dài gǎn,"(neologism) (of movies, songs etc) affecting; touching; moving; (of a person, esp. a woman) charming; cool" -带有,dài yǒu,"to have as a feature or characteristic; to have an element of (confidence, sweetness, malevolence etc); to carry (a pathogen, connotation etc)" -带气,dài qì,carbonated (drink); sparkling (mineral water); to display annoyance; to be dissatisfied -带牛佩犊,dài niú pèi dú,to abandon armed struggle and return to raising cattle (idiom) -带状疱疹,dài zhuàng pào zhěn,shingles; herpes zoster (medicine) -带病,dài bìng,"to be suffering from an illness (often implying ""in spite of being sick""); to carry the causative agent of an infectious disease" -带种,dài zhǒng,(coll.) to have character; to have guts; plucky -带红色,dài hóng sè,reddish -带累,dài lěi,to get sb involved in one's trouble; Taiwan pr. [dai4 lei4] -带给,dài gěi,to give to; to provide to; to bring to; to take to -带菌者,dài jūn zhě,asymptomatic carrier -带薪,dài xīn,"to receive one's regular salary (while on vacation, study leave etc); paid (leave); on full pay" -带薪休假,dài xīn xiū jià,paid leave -带调,dài diào,to have a tone mark -带货,dài huò,(coll.) to smuggle -带赛,dài sài,(slang) (Tw) to bring bad luck -带走,dài zǒu,to carry; to take away -带路,dài lù,to lead the way; to guide; to show the way; (fig.) to instruct -带路人,dài lù rén,a guide; fig. instructor -带过,dài guò,to give sth only cursory attention; to treat sth as not very significant -带扣,dài kòu,buckle -带队,dài duì,to lead a team; to lead a group; group leader; (tourism) tour guide -带电,dài diàn,to be electrified; to be charged; to be live -带电粒子,dài diàn lì zǐ,electrically charged particles -带霉,dài méi,musty; moldy -带露,dài lù,dewy -带领,dài lǐng,to guide; to lead -带头,dài tóu,to take the lead; to be the first; to set an example -带头人,dài tóu rén,leader -带鱼,dài yú,ribbonfish; hairtail; beltfish; cutlassfish (family Trichiuridae) -帷,wéi,curtain; screen -帷幔,wéi màn,drapery; curtain -帷幕,wéi mù,heavy curtain -常,cháng,surname Chang -常,cháng,always; ever; often; frequently; common; general; constant -常人,cháng rén,ordinary person -常任,cháng rèn,permanent -常任理事国,cháng rèn lǐ shì guó,permanent member state (of the UN Security Council) -常住,cháng zhù,"long-term resident; permanent residence; eternalism (permanence of soul, Sanskrit Sassatavada)" -常住论,cháng zhù lùn,"eternalism (permanence of soul, Sanskrit śāśvata-vāda)" -常来常往,cháng lái cháng wǎng,to visit frequently; to have frequent dealings (with); to see each other often -常俸,cháng fèng,fixed salary of an official -常务,cháng wù,routine; everyday business; daily operation (of a company) -常务委员会,cháng wù wěi yuán huì,standing committee (e.g. of National People's Congress) -常务理事,cháng wù lǐ shì,permanent member of council -常胜军,cháng shèng jūn,"Ever Victorious Army (1860-1864), Qing dynasty army equipped and trained jointly with Europeans and used esp. against the Taiping rebels" -常问问题,cháng wèn wèn tí,frequently asked questions; FAQ -常委,cháng wěi,standing committee (abbr. for 常務委員會|常务委员会[chang2wu4 wei3yuan2hui4]); member of the standing committee (abbr. for 常務委員|常务委员[chang2wu4 wei3yuan2]) -常委会,cháng wěi huì,standing committee -常客,cháng kè,frequent visitor; fig. sth that crops up frequently -常宁,cháng níng,"Changning, county-level city in Hengyang 衡陽|衡阳[Heng2 yang2], Hunan" -常宁市,cháng níng shì,"Changning, county-level city in Hengyang 衡陽|衡阳[Heng2 yang2], Hunan" -常山,cháng shān,"Changshan county in Quzhou 衢州[Qu2 zhou1], Zhejiang" -常山县,cháng shān xiàn,"Changshan county in Quzhou 衢州[Qu2 zhou1], Zhejiang" -常州,cháng zhōu,Changzhou prefecture-level city in Jiangsu -常州市,cháng zhōu shì,Changzhou prefecture-level city in Jiangsu -常常,cháng cháng,frequently; often -常年,cháng nián,all year round; for years on end; average year -常年累月,cháng nián lěi yuè,variant of 長年累月|长年累月[chang2 nian2 lei3 yue4] -常微分方程,cháng wēi fēn fāng chéng,ordinary differential equation (ODE) -常德,cháng dé,Changde prefecture-level city in Hunan -常德市,cháng dé shì,Changde prefecture-level city in Hunan -常德丝弦,cháng dé sī xián,"Changde sixian, theatrical folk music style with singing in Changde dialect accompanied by traditional string instruments" -常情,cháng qíng,common sense; the way people usually feel about things -常态,cháng tài,normal state -常态分布,cháng tài fēn bù,normal distribution (in statistics) -常态分布,cháng tài fēn bù,normal distribution (in statistics) -常态分班,cháng tài fēn bān,(Tw) grouping of students into classes of mixed ability -常态化,cháng tài huà,(statistics) normalized; to normalize (relations etc); to become the norm -常态编班,cháng tài biān bān,see 常態分班|常态分班[chang2 tai4 fen1 ban1] -常数,cháng shù,a constant (math.) -常春藤,cháng chūn téng,ivy -常春藤学府,cháng chūn téng xué fǔ,Ivy League school -常时,cháng shí,frequently; often; usually; regularly -常染色体,cháng rǎn sè tǐ,autosomal chromosome; autosome; autosomal -常模,cháng mó,norm (typically observed pattern) -常法,cháng fǎ,convention; normal practice; conventional treatment -常温,cháng wēn,room temperature; ordinary temperatures -常熟,cháng shú,"Changshu, county-level city in Suzhou 蘇州|苏州[Su1 zhou1], Jiangsu" -常熟市,cháng shú shì,"Changshu, county-level city in Suzhou 蘇州|苏州[Su1 zhou1], Jiangsu" -常犯,cháng fàn,to commit (an error) often; common (mistake) -常理,cháng lǐ,common sense; conventional reasoning and morals -常用,cháng yòng,in common usage -常用品,cháng yòng pǐn,everyday implement; object of everyday use -常用字,cháng yòng zì,everyday words -常绿,cháng lǜ,evergreen -常绿植物,cháng lǜ zhí wù,evergreen plant -常绿树,cháng lǜ shù,evergreen tree -常衡制,cháng héng zhì,"Avoirdupois Weight, a system of weights based on the 16-ounce pound (or 7,000 grains)" -常见,cháng jiàn,commonly seen; common; to see sth frequently -常见问题,cháng jiàn wèn tí,common problems; FAQ -常规,cháng guī,code of conduct; conventions; common practice; routine (medical procedure etc) -常规武器,cháng guī wǔ qì,conventional weapon -常言,cháng yán,common saying -常言说得好,cháng yán shuō de hǎo,as the saying goes; as they say... -常设,cháng shè,(of an organization etc) standing or permanent -常识,cháng shí,common sense; general knowledge; CL:門|门[men2] -常轨,cháng guǐ,normal practice -常道,cháng dào,normal and proper practice; conventional practice; common occurrence -常量,cháng liàng,"a constant (physics, math.)" -常青,cháng qīng,evergreen -常青藤,cháng qīng téng,ivy -常青藤八校,cháng qīng téng bā xiào,Ivy League -常项,cháng xiàng,constant term (in a math expression) -常驻,cháng zhù,resident; permanent (representative) -帽,mào,hat; cap -帽匠,mào jiàng,milliner -帽天山,mào tiān shān,"Mt Maotian in Chengjiang County 澄江縣|澄江县[Cheng2jiang1 Xian4], Yuxi, east Yunnan" -帽子,mào zi,hat; cap; (fig.) label; bad name; CL:頂|顶[ding3] -帽子戏法,mào zi xì fǎ,hat trick (when one player scores three goals) -帽檐,mào yán,brim (of a hat) -帽沿,mào yán,variant of 帽檐[mao4 yan2] -帽箍儿,mào gū er,the ribbon around a cap -帧,zhēn,frame; classifier for paintings etc; Taiwan pr. [zheng4] -帧中继,zhēn zhōng jì,frame relay -帧格式,zhēn gé shì,frame format -帧检验序列,zhēn jiǎn yàn xù liè,frame check sequence (FCS) -帧率,zhēn lǜ,frame rate -帧频,zhēn pín,frame rate; frame frequency -帧首定界符,zhēn shǒu dìng jiè fú,start frame delimiter (SFD) -帏,wéi,curtain; women's apartment; tent -帏幕,wéi mù,screen; backdrop -幄,wò,tent -幅,fú,width; roll; classifier for textiles or pictures -幅员,fú yuán,"size (i.e. area) of a country, geographical region or school campus etc; (fig.) scope; extent" -幅射,fú shè,variant of 輻射|辐射[fu2 she4] -幅度,fú dù,width; extent; range; scope -帮,bāng,old variant of 幫|帮[bang1] -幌,huǎng,shop sign; (literary) window curtain -幌子,huǎng zi,shop sign; signboard; (fig.) pretense -徽,huī,old variant of 徽[hui1] -幔,màn,curtain -幔子,màn zi,curtain; veil -幕,mù,curtain or screen; canopy or tent; headquarters of a general; act (of a play) -幕僚,mù liáo,aides and advisors of top officials -幕布,mù bù,(theater) curtain -幕府,mù fǔ,"(orig.) tents forming the offices of a commanding officer; administration of a military government; (medieval Japan) ""bakufu"", administration of the shogun" -幕后,mù hòu,behind the scenes -幕后操纵,mù hòu cāo zòng,to manipulate from behind the scenes; to pull the strings -幕后花絮,mù hòu huā xù,news from behind the scenes; stage gossip -幕后黑手,mù hòu hēi shǒu,malign agent who manipulates from behind the scenes; hidden hand -幕斯,mù sī,mousse (loanword) -幕墙,mù qiáng,curtain wall (architecture) -幕间,mù jiān,interval (between acts in theater) -帼,guó,cap worn by women; feminine -帻,zé,turban; head-covering -幕,mù,old variant of 幕[mu4]; curtain; screen -帮,bāng,old variant of 幫|帮[bang1] -幛,zhàng,hanging scroll -幞,fú,used in 幞頭|幞头[fu2tou2]; variant of 袱[fu2]; Taiwan pr. [pu2] -幞头,fú tóu,a kind of headscarf worn by men in ancient China -帜,zhì,flag -幡,fān,banner -幡然,fān rán,"suddenly and completely (realize, change one's strategy etc)" -幡然改图,fān rán gǎi tú,to change one's plan all of a sudden (idiom) -幢,chuáng,banner -幢,zhuàng,classifier for buildings; carriage curtain (old) -幢幢,chuáng chuáng,"(literary) (of light, shadows) flickering; dancing" -币,bì,money; coins; currency; silk -币值,bì zhí,value of a currency -币别,bì bié,specific currency -币制,bì zhì,currency system -币种,bì zhǒng,currency -帮,bāng,"to help; to assist; to support; for sb (i.e. as a help); hired (as worker); side (of pail, boat etc); outer layer; upper (of a shoe); group; gang; clique; party; secret society" -帮倒忙,bāng dào máng,to be more of a hindrance than a help -帮佣,bāng yōng,servant; domestic help -帮凶,bāng xiōng,variant of 幫凶|帮凶[bang1 xiong1] -帮凶,bāng xiōng,accomplice; accessory -帮助,bāng zhù,assistance; aid; to help; to assist -帮同,bāng tóng,to help (sb do sth); to assist (sb in doing sth) -帮子,bāng zi,outer (of cabbage etc); upper (of a shoe); (coll.) group; gang -帮宝适,bāng bǎo shì,(brand) Pampers -帮工,bāng gōng,to help with farm work; casual laborer -帮帮忙,bāng bang máng,to help; to do a favor; (Shanghainese) Come on!; Give me a break! -帮厨,bāng chú,help in the mess kitchen -帮忙,bāng máng,to help; to lend a hand; to do a favor; to do a good turn -帮手,bāng shǒu,helper; assistant -帮扶,bāng fú,to provide assistance to; to support -帮教,bāng jiào,to mentor -帮会,bāng huì,secret society; underworld gang -帮派,bāng pài,gang; faction -帮浦,bāng pǔ,pump (loanword) -帮腔,bāng qiāng,vocal accompaniment in some traditional Chinese operas; to speak in support of; to chime in -帮衬,bāng chèn,to help; to assist financially -帮办,bāng bàn,assist in managing; deputy -帮闲,bāng xián,to hang on to and serve the rich and powerful by literary hack work etc -帱,chóu,canopy; curtain -帱,dào,canopy -干,gān,surname Gan -干,gān,(bound form) to have to do with; to concern oneself with; one of the ten heavenly stems 天干[tian gan1]; (archaic) shield -干休,gān xiū,to let matters rest -干系,gān xì,responsibility -干宝,gān bǎo,"Gan Bao (?-336), Chinese historian and writer, author of In Search of the Supernatural 搜神記|搜神记[Sou1 shen2 Ji4]" -干戈,gān gē,weapons of war; arms -干挠,gān náo,"variant of 干擾|干扰[gan1 rao3], to interfere" -干扰,gān rǎo,to disturb; to interfere; perturbation; interference (physics) -干扰素,gān rǎo sù,interferon -干支,gān zhī,the ten Heavenly Stems 十天干[shi2 tian1 gan1] and twelve earthly branches 十二枝; sexagenary cycle -干涉,gān shè,to interfere; to meddle; interference -干涉仪,gān shè yí,interferometer (physics) -干与,gān yù,variant of 干預|干预[gan1 yu4] -干证,gān zhèng,witness (in a law suit) -干邑,gān yì,Cognac; brandy 白蘭地|白兰地[bai2 lan2 di4] from the Cognac region of southwest France -干预,gān yù,to meddle; to intervene; intervention -平,píng,surname Ping -平,píng,flat; level; equal; to tie (make the same score); to draw (score); calm; peaceful; abbr. for 平聲|平声[ping2 sheng1] -平交道,píng jiāo dào,level crossing -平人,píng rén,ordinary person; common people -平仄,píng zè,level and oblique tones (technical term for Classical Chinese rhythmic poetry) -平伏,píng fú,to pacify; to calm; calm; quiet; to lie on one's belly -平信,píng xìn,ordinary mail (as opposed to air mail etc) -平仓,píng cāng,to close a position (finance) -平假名,píng jiǎ míng,hiragana (Japanese script) -平价,píng jià,reasonably priced; inexpensive; to keep prices down; (currency exchange) parity -平凡,píng fán,commonplace; ordinary; mediocre -平分,píng fēn,to divide evenly; to bisect (geometry); deuce (tennis); tied score -平分秋色,píng fēn qiū sè,to both share the limelight; to both have an equal share of -平利,píng lì,"Pingli County in Ankang 安康[An1 kang1], Shaanxi" -平利县,píng lì xiàn,"Pingli County in Ankang 安康[An1 kang1], Shaanxi" -平南,píng nán,"Pingnang county in Guigang 貴港|贵港[Gui4 gang3], Guangxi" -平南县,píng nán xiàn,"Pingnang county in Guigang 貴港|贵港[Gui4 gang3], Guangxi" -平印,píng yìn,lithography; abbr. for 平版印刷[ping2 ban3 yin4 shua1] -平原,píng yuán,field; plain; CL:個|个[ge4] -平原县,píng yuán xiàn,"Pingyuan county in Dezhou 德州[De2 zhou1], Shandong" -平原鹨,píng yuán liù,(bird species of China) tawny pipit (Anthus campestris) -平反,píng fǎn,to redress (an injustice); to rehabilitate (sb whose reputation was unjustly sullied) -平叛,píng pàn,to put down a revolt; to pacify a rebellion -平台即服务,píng tái jí fú wù,(computing) platform as a service (PaaS) -平和,píng hé,"Pinghe county in Zhangzhou 漳州[Zhang1 zhou1], Fujian" -平和,píng hé,gentle; mild; moderate; placid -平和县,píng hé xiàn,"Pinghe county in Zhangzhou 漳州[Zhang1 zhou1], Fujian" -平地,píng dì,to level the land; level ground; plain -平地木,píng dì mù,(TCM) Japanese ardisia (Ardisia japonica) -平地机,píng dì jī,land grader; road grader -平地起家,píng dì qǐ jiā,to start from scratch (idiom) -平地起风波,píng dì qǐ fēng bō,trouble appearing from nowhere; unforeseen situation -平均,píng jūn,average; on average; evenly; in equal proportions -平均主义,píng jūn zhǔ yì,egalitarianism -平均值,píng jūn zhí,average value -平均值定理,píng jūn zhí dìng lǐ,the mean value theorem (in calculus) -平均剂量,píng jūn jì liàng,average dose -平均寿命,píng jūn shòu mìng,life expectancy -平均差,píng jūn chā,(math.) mean deviation -平均律,píng jūn lǜ,equal temperament (music) -平均成本法,píng jūn chéng běn fǎ,(finance) dollar cost averaging -平均收入,píng jūn shōu rù,average income -平均数,píng jūn shù,mean (statistics) -平坦,píng tǎn,level; even; smooth; flat -平型关,píng xíng guān,"Pingxing Pass, mountain pass in Shanxi Province" -平型关大捷,píng xíng guān dà jié,"Great Victory at Pingxing Pass, ambush of Japanese troops by Communist forces on September 25, 1937 at 平型關|平型关[Ping2 xing2 guan1]" -平城,píng chéng,Pyongsong (city in North Korea) -平埔族,píng pǔ zú,"Pingpu or Pepo aborigines (Taiwan), ""plains tribes""" -平塘,píng táng,"Pingtang county in Qiannan Buyei and Miao autonomous prefecture 黔南州[Qian2 nan2 zhou1], Guizhou" -平塘县,píng táng xiàn,"Pingtang county in Qiannan Buyei and Miao autonomous prefecture 黔南州[Qian2 nan2 zhou1], Guizhou" -平坟,píng fén,to remove graves; tomb removal -平壤,píng rǎng,"Pyongyang, capital of North Korea" -平壤市,píng rǎng shì,"Pyongyang, capital of North Korea" -平坝,píng bà,"Pingba county in Anshun 安順|安顺[An1 shun4], Guizhou" -平坝县,píng bà xiàn,"Pingba county in Anshun 安順|安顺[An1 shun4], Guizhou" -平天下,píng tiān xià,to pacify the country -平安,píng ān,safe and sound; well; without mishap; quiet and safe; at peace -平安北道,píng ān běi dào,"North P'yong'an Province in west of North Korea, adjacent to Liaoning" -平安南道,píng ān nán dào,South P'yong'an Province in west of North Korea -平安夜,píng ān yè,Silent Night (Christmas carol); Christmas Eve -平安时代,píng ān shí dài,"Heian period (794-1185), period of Japanese history" -平安无事,píng ān wú shì,safe and sound (idiom) -平安神宫,píng ān shén gōng,"Heian Jingū or Heian Shrine, in Kyōto, Japan" -平安县,píng ān xiàn,"Ping'an county in Haidong prefecture 海東地區|海东地区[Hai3 dong1 di4 qu1], Qinghai" -平安道,píng ān dào,"P'yong'ando Province of Joseon Korea, now divided into South Pyong'an Province 平安南道[Ping2 an1 nan2 dao4] and North Pyong'an Province 平安北道[Ping2 an1 bei3 dao4] of North Korea" -平安里,píng ān lǐ,Ping'an Li (street name in Beijing) -平定,píng dìng,"Pingding county in Yangquan 陽泉|阳泉[Yang2 quan2], Shanxi" -平定,píng dìng,to pacify -平定县,píng dìng xiàn,"Pingding county in Yangquan 陽泉|阳泉[Yang2 quan2], Shanxi" -平实,píng shí,simple and unadorned; plain; (of land) level; even -平宝盖,píng bǎo gài,"name of ""cover"" radical in Chinese characters (Kangxi radical 14); see also 冖[mi4]" -平局,píng jú,a draw (in competition); a tie -平山,píng shān,"Pingshan, a county in Shijiazhuang 石家莊|石家庄[Shi2jia1zhuang1], Hebei; Pingshan, a district of Benxi 本溪市[Ben3xi1 Shi4], Liaoning" -平山区,píng shān qū,"Pingshan, a district of Benxi 本溪市[Ben3xi1 Shi4], Liaoning" -平山县,píng shān xiàn,"Pingshan county in Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1], Hebei" -平川,píng chuān,"Pingchuan district of Baiyin city 白銀市|白银市[Bai2 yin2 shi4], Gansu" -平川,píng chuān,an expanse of flat land -平川区,píng chuān qū,"Pingchuan district of Baiyin city 白銀市|白银市[Bai2 yin2 shi4], Gansu" -平常,píng cháng,ordinary; common; usually; ordinarily -平常心,píng cháng xīn,levelheadedness; calmness; equanimity -平常日,píng cháng rì,weekday -平平,píng píng,average; mediocre -平平常常,píng píng cháng cháng,nothing out of the ordinary; unglamorous -平年,píng nián,common year -平底,píng dǐ,flat bottomed; low heeled -平底锅,píng dǐ guō,frying pan -平度,píng dù,"Pingdu, county-level city in Qingdao 青島|青岛[Qing1 dao3], Shandong" -平度市,píng dù shì,"Pingdu, county-level city in Qingdao 青島|青岛[Qing1 dao3], Shandong" -平庸,píng yōng,mediocre; indifferent; commonplace -平庸之恶,píng yōng zhī è,(philosophy) banal evil -平庸之辈,píng yōng zhī bèi,a nobody; a nonentity -平复,píng fù,to calm down; to subside; to be cured; to be healed -平心而论,píng xīn ér lùn,(idiom) in all fairness; objectively speaking -平快车,píng kuài chē,local express -平息,píng xī,(of wind etc) to subside; to die down; to quell; to smooth over (a dispute etc); to suppress (a rebellion etc) -平成,píng chéng,"Heisei, Japanese era name, corresponding to the reign (1989-2019) of emperor Akihito 明仁[Ming2 ren2]" -平房,píng fáng,Pingfang district of Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1] in Heilongjiang -平房,píng fáng,bungalow; single-story house -平房区,píng fáng qū,Pingfang district of Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1] in Heilongjiang -平手,píng shǒu,(sports) draw; tie -平抑,píng yì,"to stabilize; to keep (prices, vermin etc) under control" -平抚,píng fǔ,to calm; to appease; to quieten -平摆,píng bǎi,yawing (of a boat) -平摊,píng tān,to spread out; (fig.) to share equally -平整,píng zhěng,smooth; level; to level off; to flatten (remove bumps) -平方,píng fāng,"square (as in square foot, square mile, square root)" -平方公里,píng fāng gōng lǐ,square kilometer -平方千米,píng fāng qiān mǐ,square kilometer -平方反比定律,píng fāng fǎn bǐ dìng lǜ,inverse-square law (physics) -平方反比律,píng fāng fǎn bǐ lǜ,inverse square law (physics) -平方平均数,píng fāng píng jūn shù,root mean square (RMS); quadratic root -平方根,píng fāng gēn,square root -平方米,píng fāng mǐ,square meter -平方英尺,píng fāng yīng chǐ,square foot (unit of area equal to 0.093 m²) -平日,píng rì,ordinary day; everyday; ordinarily; usually -平旦,píng dàn,(literary) daybreak; dawn -平昌,píng chāng,"Pingchang county in Panzhihua 攀枝花[Pan1 zhi1 hua1], south Sichuan" -平昌县,píng chāng xiàn,"Pingchang county in Panzhihua 攀枝花[Pan1 zhi1 hua1], south Sichuan" -平明,píng míng,(literary) dawn; daybreak; impartial and astute -平易,píng yì,amiable (manner); unassuming; written in plain language; easy to take in -平易近人,píng yì jìn rén,amiable and approachable (idiom); easygoing; modest and unassuming; (of writing) plain and simple; easy to understand -平时,píng shí,ordinarily; in normal times; in peacetime -平替,píng tì,(neologism c. 2021) cheaper alternative; affordable alternative -平月,píng yuè,February of a common year -平板,píng bǎn,slab; plate; dull; monotonous; tablet (computer) -平板手机,píng bǎn shǒu jī,phablet (hybrid between a smart phone and a tablet) -平板支撑,píng bǎn zhī chēng,plank (exercise) -平板车,píng bǎn chē,handcart; trolley; flatbed truck -平板电脑,píng bǎn diàn nǎo,"tablet computer (iPad, Android devices etc); CL:臺|台[tai2]" -平果,píng guǒ,"Pingguo county in Baise 百色[Bai3 se4], Guangxi" -平果县,píng guǒ xiàn,"Pingguo county in Baise 百色[Bai3 se4], Guangxi" -平乐,píng lè,"Pingle county in Guilin 桂林[Gui4 lin2], Guangxi" -平乐县,píng lè xiàn,"Pingle county in Guilin 桂林[Gui4 lin2], Guangxi" -平桥,píng qiáo,"Pingqiao District of Xinyang City 信陽市|信阳市[Xin4 yang2 Shi4], Henan" -平桥区,píng qiáo qū,"Pingqiao District of Xinyang city 信陽市|信阳市[Xin4 yang2 Shi4], Henan" -平权,píng quán,equal rights -平权措施,píng quán cuò shī,affirmative action -平步青云,píng bù qīng yún,"to rapidly go up in the world; meteoric rise (of a career, social position etc)" -平武,píng wǔ,"Pingwu county in Mianyang 綿陽|绵阳[Mian2 yang2], north Sichuan" -平武县,píng wǔ xiàn,"Pingwu county in Mianyang 綿陽|绵阳[Mian2 yang2], north Sichuan" -平毁,píng huǐ,to raze to the ground; to demolish -平民,píng mín,ordinary people; commoner (contrasted with the privileged); civilian (contrasted with the military) -平江,píng jiāng,"Pingjiang district of Suzhou city 蘇州市|苏州市[Su1 zhou1 shi4], Jiangsu; Pingjiang county in Yueyang 岳陽|岳阳[Yue4 yang2], Hunan" -平江区,píng jiāng qū,"Pingjiang district of Suzhou city 蘇州市|苏州市[Su1 zhou1 shi4], Jiangsu" -平江县,píng jiāng xiàn,"Pingjiang county in Yueyang 岳陽|岳阳[Yue4 yang2], Hunan" -平泉,píng quán,"Pingquan county in Chengde 承德[Cheng2 de2], Hebei" -平泉县,píng quán xiàn,"Pingquan county in Chengde 承德[Cheng2 de2], Hebei" -平津战役,píng jīn zhàn yì,"Pingjin Campaign (Nov 1948-Jan 1949), one of the three major campaigns by the People's Liberation Army near the end of the Chinese Civil War" -平流层,píng liú céng,stratosphere -平凉,píng liáng,"Pingliang, prefecture-level city in Gansu" -平凉市,píng liáng shì,"Pingliang, prefecture-level city in Gansu" -平淡,píng dàn,flat; dull; ordinary; nothing special -平淡无奇,píng dàn wú qí,ordinary and mediocre (idiom); nothing to write home about -平减,píng jiǎn,"to deflate; to decrease (number, esp. price)" -平湖,píng hú,"Pinghu, county-level city in Jiaxing 嘉興|嘉兴[Jia1 xing1], Zhejiang" -平湖市,píng hú shì,"Pinghu, county-level city in Jiaxing 嘉興|嘉兴[Jia1 xing1], Zhejiang" -平溪,píng xī,"Pingxi or Pinghsi township in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -平溪乡,píng xī xiāng,"Pingxi or Pinghsi township in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -平滑,píng huá,flat and smooth -平滑字,píng huá zì,sans serif (typography) -平滑肌,píng huá jī,smooth muscle (anatomy); non-striated muscle -平潭,píng tán,"Pingtan, a county in Fuzhou 福州[Fu2 zhou1], Fujian" -平潭县,píng tán xiàn,"Pingtan, a county in Fuzhou 福州[Fu2 zhou1], Fujian" -平版,píng bǎn,lithographic plate -平生,píng shēng,all one's life -平畴,píng chóu,level farmland; well-cultivated land -平白,píng bái,for no reason; gratuitously -平白无故,píng bái wú gù,(idiom) for no reason whatever; inexplicably -平直,píng zhí,smooth; level -平移,píng yí,translation (geometry) -平稳,píng wěn,smooth; steady -平空,píng kōng,variant of 憑空|凭空[ping2 kong1] -平等,píng děng,equal; equality -平等主义,píng děng zhǔ yì,egalitarianism -平等互利,píng děng hù lì,mutual benefit; to share profits equitably -平米,píng mǐ,square meter; short for 平方米 -平纹,píng wén,plain weave -平素,píng sù,usually; habitually; ordinarily; normally -平缓,píng huǎn,level; almost flat; not strongly sloping; (fig.) moderate; mild-mannered; gentle -平罗,píng luó,"Pingluo county in Shizuishan 石嘴山[Shi2 zui3 shan1], Ningxia" -平罗县,píng luó xiàn,"Pingluo county in Shizuishan 石嘴山[Shi2 zui3 shan1], Ningxia" -平声,píng shēng,level or even tone; first and second tones in modern Mandarin -平胸,píng xiōng,flat-chested -平台,píng tái,platform; terrace; flat-roofed building -平舌音,píng shé yīn,"alveolar; consonants z, c, s produced with the tip of the tongue on the alveolar ridge" -平菇,píng gū,oyster mushroom -平芜,píng wú,open grassland -平行,píng xíng,parallel; of equal rank; simultaneous -平行公设,píng xíng gōng shè,the parallel postulate (geometry); Euclid's fifth postulate -平行六面体,píng xíng liù miàn tǐ,(math.) parallelepiped -平行四边形,píng xíng sì biān xíng,parallelogram -平行时空,píng xíng shí kōng,parallel universe -平行线,píng xíng xiàn,parallel lines -平行计算,píng xíng jì suàn,(Tw) parallel computing -平衡,píng héng,balance; equilibrium -平衡态,píng héng tài,balance; (state of) equilibrium -平衡木,píng héng mù,beam (gymnastics); balance beam -平衡棒,píng héng bàng,haltere (insect anatomy) -平衡觉,píng héng jué,sense of balance; equilibrioception -平装,píng zhuāng,paperback; paper-cover -平装本,píng zhuāng běn,paperback (book) -平视,píng shì,to look squarely at; to look straight ahead; (instrumentation) heads-up (display) -平角,píng jiǎo,(math.) straight angle -平话,píng huà,"storytelling dramatic art dating back to Song and Yuan periods, single narrator without music, often historical topics with commentary" -平谷,píng gǔ,"Pinggu, a district of Beijing" -平谷区,píng gǔ qū,"Pinggu, a district of Beijing" -平谷县,píng gǔ xiàn,"former Pinggu county, now Pinggu rural district in Beijing" -平账,píng zhàng,(accounting) to balance the books -平起平坐,píng qǐ píng zuò,to be on an equal footing -平身,píng shēn,(old) to stand up (after kowtowing); You may rise. -平辈,píng bèi,of the same generation -平舆,píng yú,"Pingyu county in Zhumadian 駐馬店|驻马店[Zhu4 ma3 dian4], Henan" -平舆县,píng yú xiàn,"Pingyu county in Zhumadian 駐馬店|驻马店[Zhu4 ma3 dian4], Henan" -平遥,píng yáo,"Pingyao county in Jinzhong 晉中|晋中[Jin4 zhong1], Shanxi" -平遥县,píng yáo xiàn,"Pingyao county in Jinzhong 晉中|晋中[Jin4 zhong1], Shanxi" -平远,píng yuǎn,"Pingyuan county in Meizhou 梅州[Mei2 zhou1], Guangdong" -平远县,píng yuǎn xiàn,"Pingyuan county in Meizhou 梅州[Mei2 zhou1], Guangdong" -平邑,píng yì,"Pingyi county in Linyi 臨沂|临沂[Lin2 yi2], Shandong" -平邑县,píng yì xiàn,"Pingyi county in Linyi 臨沂|临沂[Lin2 yi2], Shandong" -平乡,píng xiāng,"Pingxiang county in Xingtai 邢台[Xing2 tai2], Hebei" -平乡县,píng xiāng xiàn,"Pingxiang county in Xingtai 邢台[Xing2 tai2], Hebei" -平野,píng yě,Hirano (Japanese surname) -平锅,píng guō,pan -平镇,píng zhèn,"Pingzhen or Pingchen city in Taoyuan county 桃園縣|桃园县[Tao2 yuan2 xian4], north Taiwan" -平镇市,píng zhèn shì,"Pingzhen or Pingchen city in Taoyuan county 桃園縣|桃园县[Tao2 yuan2 xian4], north Taiwan" -平阴,píng yīn,"Pingyin county in Jinan 濟南|济南[Ji3 nan2], Shandong" -平阴县,píng yīn xiàn,"Pingyin county in Jinan 濟南|济南[Ji3 nan2], Shandong" -平陆,píng lù,"Pinglu county in Yuncheng 運城|运城[Yun4 cheng2], Shanxi" -平陆县,píng lù xiàn,"Pinglu county in Yuncheng 運城|运城[Yun4 cheng2], Shanxi" -平阳,píng yáng,"Pingyang county in Wenzhou 溫州|温州[Wen1 zhou1], Zhejiang" -平阳县,píng yáng xiàn,"Pingyang county in Wenzhou 溫州|温州[Wen1 zhou1], Zhejiang" -平靖,píng jìng,to suppress rebellion and quell unrest; to bring calm and order to; calm and peaceful; tranquil -平静,píng jìng,tranquil; undisturbed; serene -平面,píng miàn,plane (flat surface); print media -平面图,píng miàn tú,a plan; a planar graph; a plane figure -平面几何,píng miàn jǐ hé,plane geometry -平面曲线,píng miàn qū xiàn,(math.) plane curve -平面波,píng miàn bō,a plane wave -平面角,píng miàn jiǎo,plane angle -平顶,píng dǐng,flat roof -平顶山,píng dǐng shān,"Pingdingshan, prefecture-level city in Henan" -平顶山市,píng dǐng shān shì,"Pingdingshan, prefecture-level city in Henan" -平顺,píng shùn,"Pingshun, county in Shanxi" -平顺,píng shùn,smooth; smooth-going; plain sailing -平顺县,píng shùn xiàn,"Pingshun county, Shanxi" -平头,píng tóu,flattop; crew cut; common (people) -平头百姓,píng tóu bǎi xìng,common people -平鲁,píng lǔ,"Pinglu district of Shuozhou city 朔州市[Shuo4 zhou1 shi4], Shanxi" -平鲁区,píng lǔ qū,"Pinglu district of Shuozhou city 朔州市[Shuo4 zhou1 shi4], Shanxi" -年,nián,surname Nian -年,nián,year; CL:個|个[ge4] -年三十,nián sān shí,last day of the lunar year; Chinese New Year's Eve -年下,nián xià,lunar new year -年中,nián zhōng,within the year; in the middle of the year; mid-year -年久失修,nián jiǔ shī xiū,old and in a state of disrepair (idiom); dilapidated -年之久,nián zhī jiǔ,period of ... years -年事,nián shì,years of age; age -年事已高,nián shì yǐ gāo,old in years -年代,nián dài,a decade of a century (e.g. the Sixties); age; era; period; CL:個|个[ge4] -年代初,nián dài chū,beginning of an age; beginning of a decade -年代学,nián dài xué,chronology (the science of determining the dates of past events) -年份,nián fèn,particular year -年来,nián lái,this past year; over the last years -年俸,nián fèng,yearly salary -年假,nián jià,annual leave; New Year holidays -年兄,nián xiōng,lit. older brother; fig. fellow students who are successful in the imperial examinations -年内,nián nèi,during the current year -年初,nián chū,beginning of the year -年前,nián qián,by the end of the year; at the end of the year; shortly before New Year -年功加俸,nián gōng jiā fèng,increase in salary according to one's service record for the year (idiom) -年友,nián yǒu,member of a group who have gone through some experience in the same year -年味,nián wèi,Spring Festival atmosphere; festive ambience of Chinese New Year -年均,nián jūn,annual average (rate) -年均增长率,nián jūn zēng zhǎng lǜ,annual rate of growth -年均日照,nián jūn rì zhào,average annual sunshine -年报,nián bào,annual report -年寿,nián shòu,length of life; life span -年夜,nián yè,lunar New Year's Eve -年夜饭,nián yè fàn,New Year's Eve family dinner -年富力强,nián fù lì qiáng,young and vigorous (idiom) -年尊,nián zūn,aged and respected; senior -年少,nián shào,young; junior -年少无知,nián shào wú zhī,young and inexperienced; unsophisticated -年尾,nián wěi,end of the year -年已蹉跎,nián yǐ cuō tuó,the years have already gone by; to be too old -年年,nián nián,year after year; yearly; every year; annually -年年有余,nián nián yǒu yú,lit. (may you) have abundance year after year; (an auspicious saying for the Lunar New Year) -年幼,nián yòu,young; underage -年底,nián dǐ,the end of the year; year-end -年庚,nián gēng,date and time of a person's birth; age -年度,nián dù,"year (e.g. school year, fiscal year); annual" -年度报告,nián dù bào gào,annual report -年度大会,nián dù dà huì,annual meeting; annual general meeting (AGM) -年度股东大会,nián dù gǔ dōng dà huì,annual shareholders' meeting -年度预算,nián dù yù suàn,annual budget -年复一年,nián fù yī nián,(idiom) over the years; year after year -年息,nián xī,annual interest -年成,nián cheng,the year's harvest -年收入,nián shōu rù,annual income -年历,nián lì,calendar; diary -年会,nián huì,annual meeting -年月,nián yuè,months and year; time; days of one's life -年末,nián mò,end of the year -年楚河,nián chǔ hé,"Nyang qu or Nian chu River in Tibet, a tributary of Yarlung Tsangpo" -年检,nián jiǎn,annual inspection -年岁,nián suì,years of age; age -年满,nián mǎn,to have attained the age of -年产,nián chǎn,annual production -年画,nián huà,New Year (Spring Festival) picture -年画儿,nián huà er,erhua variant of 年畫|年画[nian2 hua4] -年节,nián jié,the New Year festival -年糕,nián gāo,"nian gao, New Year cake, typically a sweet, steamed cake made with glutinous rice flour" -年纪,nián jì,"age; CL:把[ba3],個|个[ge4]" -年级,nián jí,"grade; year (in school, college etc); CL:個|个[ge4]" -年终,nián zhōng,end of the year -年终奖,nián zhōng jiǎng,year-end bonus -年老,nián lǎo,aged -年老力衰,nián lǎo lì shuāi,old and weak (idiom) -年老体弱,nián lǎo tǐ ruò,old and weak (idiom) -年华,nián huá,years; time; age -年薪,nián xīn,annual salary -年号,nián hào,reign title; era name (name for either the entire reign of an emperor or one part of it); year number (such as 2016 or 甲子) -年表,nián biǎo,timeline; chronology; annals; financial year; year -年谊,nián yì,camaraderie between persons who have gone through some experience in the same year -年谱,nián pǔ,chronicle (of sb's life) -年货,nián huò,merchandise sold for Chinese New Year -年费,nián fèi,annual fee -年资,nián zī,age and experience; seniority -年较差,nián jiào chā,"annual range (temperature, humidity etc)" -年载,nián zǎi,years -年轻,nián qīng,young -年轻人,nián qīng rén,young people; youngster -年轻力壮,nián qīng lì zhuàng,young and vigorous (idiom) -年轻化,nián qīng huà,to make more youthful; to promote younger staff -年轻有为,nián qīng yǒu wéi,young and promising -年轻气盛,nián qīng qì shèng,full of youthful vigor (idiom); in the prime of youth -年轮,nián lún,annual ring; growth ring -年轮蛋糕,nián lún dàn gāo,baumkuchen (cake) -年逾古稀,nián yú gǔ xī,over seventy years old -年迈,nián mài,old; aged -年金,nián jīn,annuity; pension; superannuation -年鉴,nián jiàn,annual report; yearbook; almanac -年长,nián zhǎng,senior -年间,nián jiān,in the years of; during those years; period (of dynasty or decade) -年关,nián guān,end of the year -年限,nián xiàn,age limit; fixed number of years -年青,nián qīng,youthful -年头,nián tóu,start of the year; whole year; a particular year; period; days; epoch; a year's harvest -年头儿,nián tóu er,erhua variant of 年頭|年头[nian2 tou2] -年高德劭,nián gāo dé shào,to be advanced in both years and virtue (idiom) -年龄,nián líng,"(a person's) age; CL:把[ba3],個|个[ge4]" -年龄段,nián líng duàn,age group -年龄组,nián líng zǔ,age group -并,bīng,short name for Taiyuan 太原[Tai4 yuan2] -幸,xìng,surname Xing -幸,xìng,fortunate; lucky -幸事,xìng shì,sth fortunate; a lucky chance -幸喜,xìng xǐ,fortunately -幸好,xìng hǎo,fortunately -幸会,xìng huì,nice to meet you -幸灾乐祸,xìng zāi lè huò,lit. to take joy in calamity and delight in disaster (idiom); fig. to rejoice in other people's misfortune; Schadenfreude -幸甚,xìng shèn,(literary) very fortunate -幸甚至哉,xìng shèn zhì zāi,filled with joy (quotation from poems by Cao Cao 曹操[Cao2 Cao1]) -幸福,xìng fú,happiness; happy; blessed -幸福学,xìng fú xué,eudemonics; hedonomics -幸而,xìng ér,by good fortune; luckily -幸亏,xìng kuī,fortunately; luckily -幸进,xìng jìn,to get through by luck; to be promoted by a fluke -幸运,xìng yùn,fortunate; lucky; good fortune; luck -幸运儿,xìng yùn ér,winner; lucky guy; person who always gets good breaks -幸运抽奖,xìng yùn chōu jiǎng,lucky draw; lottery -干,gàn,tree trunk; main part of sth; to manage; to work; to do; capable; cadre; to kill (slang); to fuck (vulgar); (coll.) pissed off; annoyed -干事,gàn shi,administrator; executive secretary -干事长,gàn shi zhǎng,secretary-general -干什么,gàn shén me,what are you doing?; what's he up to? -干仗,gàn zhàng,to quarrel (dialect) -干劲,gàn jìn,enthusiasm for doing sth -干吗,gàn má,see 幹嘛|干嘛[gan4 ma2] -干嘛,gàn má,what are you doing?; whatever for?; why on earth? -干将,gàn jiàng,capable person -干才,gàn cái,ability; capable -干掉,gàn diào,to get rid of -干材,gàn cái,capability; capable person -干架,gàn jià,(dialect) to come to blows; to have a row -干校,gàn xiào,school for cadres; May 7 Cadre School 五七幹校|五七干校[Wu3 Qi1 Gan4 xiao4] -干活,gàn huó,to work; to be employed -干活儿,gàn huó er,erhua variant of 幹活|干活[gan4 huo2] -干流,gàn liú,main stream (of a river) -干渠,gàn qú,trunk canal -干细胞,gàn xì bāo,stem cell -干线,gàn xiàn,main line; trunk line -干练,gàn liàn,capable and experienced -干群,gàn qún,cadres and masses; party officials and ordinary people -干话,gàn huà,(Tw) (slang) remark that sounds like it makes sense but is actually nonsense -干警,gàn jǐng,police; police cadres -干道,gàn dào,arterial road; main road; main watercourse -干部,gàn bù,cadre; official; officer; manager -干饭,gàn fàn,(coll.) to have a meal -干么,gàn má,see 幹嘛|干嘛[gan4 ma2] -幻,huàn,fantasy -幻化,huàn huà,to be transformed; to metamorphose; transformation; metamorphosis -幻境,huàn jìng,land of fantasy; fairyland -幻梦,huàn mèng,fantasy; illusion; dream -幻影,huàn yǐng,phantom; mirage -幻想,huàn xiǎng,to fantasize; to imagine; an illusion; a fantasy -幻景,huàn jǐng,illusion; mirage -幻椅式,huàn yǐ shì,chair (yoga pose) -幻灭,huàn miè,"(of dreams, hopes etc) to vanish; to evaporate; (of a person) to become disillusioned; disillusionment" -幻灯,huàn dēng,lantern slides -幻灯机,huàn dēng jī,slide projector; overhead projector -幻灯片,huàn dēng piàn,"slide (photography, presentation software); filmstrip; transparency" -幻听,huàn tīng,auditory hallucination -幻肢,huàn zhī,(medicine) phantom limb -幻觉,huàn jué,illusion; hallucination; figment of one's imagination -幻觉剂,huàn jué jì,hallucinogen -幻象,huàn xiàng,illusion -幼,yòu,young -幼仔,yòu zǎi,(zoology) the young; immature offspring -幼儿,yòu ér,young child; infant; preschooler -幼儿园,yòu ér yuán,kindergarten; nursery school -幼女,yòu nǚ,young girl -幼妹,yòu mèi,younger sister -幼小,yòu xiǎo,young; immature -幼崽,yòu zǎi,(zoology) the young; immature offspring -幼年,yòu nián,childhood; infancy -幼弟,yòu dì,younger brother -幼教,yòu jiào,preschool education; abbr. for 幼兒教育|幼儿教育[you4 er2 jiao4 yu4] -幼时,yòu shí,childhood -幼兽,yòu shòu,cub -幼发拉底河,yòu fā lā dǐ hé,Euphrates River -幼稚,yòu zhì,young; childish; puerile -幼稚园,yòu zhì yuán,kindergarten (Tw) -幼童,yòu tóng,young child -幼童军,yòu tóng jūn,Cub Scout -幼苗,yòu miáo,young sprout; bud; sapling; seedling -幼虫,yòu chóng,larva -幼雏,yòu chú,young bird; nestling -幼马,yòu mǎ,young horse; colt; filly -幼体,yòu tǐ,the young (unborn or newborn) of an animal; larva -幼齿,yòu chǐ,"(Tw) naive and innocent (girl or boy); underage prostitute (from Taiwanese, Tai-lo pr. [iù-khí])" -幽,yōu,remote; hidden away; secluded; serene; peaceful; to imprison; in superstition indicates the underworld; ancient district spanning Liaonang and Hebei provinces -幽僻,yōu pì,secluded; quiet and remote; obscure and faraway -幽冥,yōu míng,dark; hell; netherworld; hades -幽囹,yōu líng,to keep in confinement; to confine -幽寂,yōu jì,(of a place) isolated and quiet -幽州,yōu zhōu,"Youzhou, ancient province in north Hebei and Liaoning; Fanyang 範陽|范阳 ancient city near modern Beijing" -幽幽,yōu yōu,faint; indistinct -幽径,yōu jìng,secluded path -幽微,yōu wēi,"faint; subtle (of sound, scent etc); profound; mysterious; dim" -幽怨,yōu yuàn,hidden bitterness; secret grudge -幽明,yōu míng,the hidden and the visible; that which can be seen and that which cannot; darkness and light; night and day; wisdom and ignorance; evil and good; the living and the dead; men and ghosts -幽暗,yōu àn,gloom -幽会,yōu huì,lovers' rendezvous; tryst -幽浮,yōu fú,UFO (loanword); unidentified flying object; space ship -幽浮迷,yōu fú mí,(Tw) UFO enthusiast -幽深,yōu shēn,serene and hidden in depth or distance -幽禁,yōu jìn,to place under house arrest; to imprison -幽绿,yōu lǜ,moss green; dark sea green -幽美,yōu měi,(of a location) beautiful and tranquil -幽谷,yōu gǔ,deep valley -幽邃,yōu suì,profound and unfathomable -幽门,yōu mén,pylorus (anatomy) -幽门螺旋杆菌,yōu mén luó xuán gǎn jūn,Helicobacter pylori (stomach bacterium) -幽门螺旋菌,yōu mén luó xuán jūn,Helicobacter pylori (stomach bacterium) -幽门螺杆菌,yōu mén luó gǎn jūn,Helicobacter pylori (stomach bacterium) -幽闭恐惧,yōu bì kǒng jù,claustrophobia -幽闭恐惧症,yōu bì kǒng jù zhèng,claustrophobia -幽雅,yōu yǎ,serene and elegant (of a place); ethereal (of music) -幽灵,yōu líng,specter; apparition; ghost -幽静,yōu jìng,quiet; secluded; isolated; peaceful -幽香,yōu xiāng,delicate fragrance -幽魂,yōu hún,ghost; spirit (of the dead) -幽默,yōu mò,(loanword) humor; humorous -幽默感,yōu mò gǎn,sense of humor -几,jī,almost -几,jǐ,how much; how many; several; a few -几丁,jī dīng,chitin -几丁质,jī dīng zhì,chitin -几乎,jī hū,almost; nearly; practically -几乎不,jī hū bù,hardly; seems not -几乎完全,jī hū wán quán,almost entirely; almost completely -几何,jǐ hé,geometry; (literary) how much -几何光学,jǐ hé guāng xué,geometric optics -几何原本,jǐ hé yuán běn,Euclid's Elements -几何图形,jǐ hé tú xíng,geometric figure -几何学,jǐ hé xué,geometry -几何平均数,jǐ hé píng jūn shù,geometric mean -几何拓扑,jǐ hé tuò pū,(math.) geometric topology -几何拓扑学,jǐ hé tuò pū xué,(math.) geometric topology -几何级数,jǐ hé jí shù,geometric series -几何级数增长,jǐ hé jí shù zēng zhǎng,exponential increase -几何量,jǐ hé liàng,geometric quantity -几个,jǐ ge,a few; several; how many -几倍,jǐ bèi,"several times (bigger); double, treble, quadruple etc" -几内亚,jī nèi yà,Guinea -几内亚比索,jī nèi yà bǐ suǒ,Guinea-Bissau (Tw) -几内亚比绍,jī nèi yà bǐ shào,Guinea-Bissau -几内亚湾,jǐ nèi yà wān,Gulf of Guinea -几分,jǐ fēn,somewhat; a bit -几千,jǐ qiān,several thousand -几可乱真,jī kě luàn zhēn,to seem almost genuine; easily mistaken for the real thing -几多,jǐ duō,(dialect) how much; how many; how (smart etc); such ... -几天,jǐ tiān,several days -几天来,jǐ tiān lái,for the past few days -几希,jī xī,not much; very little (e.g. difference) -几年,jǐ nián,a few years; several years; how many years? -几年来,jǐ nián lái,for the past several years -几微,jī wēi,tiny; infinitesimal -几时,jǐ shí,at what time?; when? -几案,jī àn,table; long table -几样,jǐ yàng,several kinds -几次,jǐ cì,several times -几次三番,jǐ cì sān fān,lit. twice then three times (idiom); fig. repeatedly; over and over again -几欲,jī yù,almost; nearly going to -几岁,jǐ suì,"how old are you? (familiar, or to a child)" -几率,jī lǜ,probability; odds -几米,jī mǐ,"Jimmy Liao (1958-), pen name of 廖福彬[Liao4 Fu2 bin1], Taiwanese illustrator and picture book writer" -几经,jǐ jīng,"to go through numerous (setbacks, revisions etc)" -几维鸟,jī wéi niǎo,kiwi (bird) (loanword) -几至,jī zhì,almost -几号,jǐ hào,(slang) heroin -几许,jǐ xǔ,(literary) how many; quite a few -几谏,jī jiàn,to admonish tactfully -几近,jī jìn,to be on the brink of; to be on the verge of -几进宫,jǐ jìn gōng,(slang) to have served several sentences; recidivist; old lag -几点,jǐ diǎn,what time?; when? -广,yǎn,"""house on a cliff"" radical in Chinese characters (Kangxi radical 53), occurring in 店, 序, 底 etc" -庀,pǐ,to prepare -庄,zhuāng,variant of 莊|庄[zhuang1] -庇,bì,to protect; cover; shelter; hide or harbor -庇佑,bì yòu,to bless; to protect; protection (esp. divine) -庇古,bì gǔ,"Arthur Cecil Pigou (1877-1959), British economist" -庇荫,bì yìn,to give shade (of a tree etc); to shield -庇西特拉图,bì xī tè lā tú,"Pisistratus (-528 BC), tyrant (ruler) of Athens at different times between 561 BC and 528 BC" -庇护,bì hù,asylum; shelter; to shield; to put under protection; to take under one's wing -床,chuáng,bed; couch; classifier for beds; CL:張|张[zhang1] -床上戏,chuáng shàng xì,sex scene (in a movie etc) -床位,chuáng wèi,"bed (in hospital, hotel, train etc); berth; bunk" -床侧,chuáng cè,bedside -床友,chuáng yǒu,(slang) friend with benefits; casual sex partner -床单,chuáng dān,"bed sheet; CL:條|条[tiao2],件[jian4],張|张[zhang1],床[chuang2]" -床垫,chuáng diàn,mattress; CL:張|张[zhang1] -床帐,chuáng zhàng,bed curtain; mosquito net -床戏,chuáng xì,sex scene (in a movie etc) -床技,chuáng jì,skills in bed; sexual prowess -床沿,chuáng yán,bedside -床笠,chuáng lì,fitted bed sheet -床笫,chuáng zǐ,bed and bamboo sleeping mat; (fig.) bed as a place for intimacy -床笫之事,chuáng zǐ zhī shì,bedroom matters; sexual intercourse -床笫之私,chuáng zǐ zhī sī,intimate matters -床罩,chuáng zhào,bedspread -床边,chuáng biān,bedside -床铃,chuáng líng,baby mobile; crib mobile -床铺,chuáng pù,bed -床头,chuáng tóu,bedhead; bedside; headboard -床头柜,chuáng tóu guì,bedside cabinet -庋,guǐ,(literary) shelf; (literary) to store; to keep; to preserve -序,xù,(bound form) order; sequence; (bound form) introductory; initial; preface -序列,xù liè,sequence -序列号,xù liè hào,serial number; product key (software) -序幕,xù mù,prologue -序数,xù shù,ordinal number -序文,xù wén,preface; foreword; preamble; recital (law); also written 敘文|叙文[xu4 wen2] -序曲,xù qǔ,overture -序次,xù cì,sequence; order; (literary) to arrange (books) in serial order -序章,xù zhāng,prologue; preface; preamble -序号,xù hào,ordinal number; serial number; sequence number -序言,xù yán,preface; introductory remarks; preamble; prelude -序跋,xù bá,preface and postscript -底,de,(equivalent to 的 as possessive particle) -底,dǐ,"background; bottom; base; end (of the month, year etc); remnants; (math.) radix; base" -底下,dǐ xia,the location below sth; afterwards -底夸克,dǐ kuā kè,bottom quark (particle physics) -底子,dǐ zi,base; foundation; bottom -底定,dǐ dìng,(literary) to quell an insurgency; (Tw) to settle (a matter) -底层,dǐ céng,ground floor; first floor; lowest level; lowest rung (of society etc) -底座,dǐ zuò,base; pedestal; foundation -底数,dǐ shù,radix; base (math.) -底料,dǐ liào,base ingredient; base (cooking); primer (paint) -底朝天,dǐ cháo tiān,upside down; upturned -底格里斯,dǐ gé lǐ sī,"Tigris River, Iraq" -底格里斯河,dǐ gé lǐ sī hé,"Tigris River, Iraq" -底栖有孔虫,dǐ qī yǒu kǒng chóng,benthic foraminifera -底栖生物,dǐ qī shēng wù,benthos -底止,dǐ zhǐ,(literary) end; limit -底比斯,dǐ bǐ sī,"Thebes, place name in ancient Egypt; Thebes, ancient Greek city state" -底气,dǐ qì,lung capacity; lung power; boldness; confidence; self-assurance; vigor -底汁,dǐ zhī,stock (cooking); base (of sauce or gravy) -底漆,dǐ qī,primer -底片,dǐ piàn,negative; photographic plate -底版,dǐ bǎn,(photography) negative; photographic plate; (printing) plate; block -底牌,dǐ pái,cards in one's hand; (fig.) undisclosed strength or information; hidden trump -底特律,dǐ tè lǜ,"Detroit, Michigan" -底界,dǐ jiè,lower boundary -底盘,dǐ pán,chassis -底端,dǐ duān,bottom; bottom side; end part -底细,dǐ xì,inside information; the ins and outs of the matter; how things stand; what's up -底线,dǐ xiàn,bottom line; the limit of what one is prepared to accept; (sports) baseline; (sewing) under thread; spy; informer; plant -底肥,dǐ féi,base fertilizer -底薪,dǐ xīn,basic salary; base pay; salary floor -底蕴,dǐ yùn,inside information; concrete details -底边,dǐ biān,base (of a triangle); base line; hem line (of skirt) -底部,dǐ bù,bottom -底阀,dǐ fá,bottom valve; foot valve -底限,dǐ xiàn,lowest limit; bottom line -底面,dǐ miàn,bottom; bottom side; bottom surface -庖,páo,kitchen -庖厨,páo chú,kitchen; cook; chef -庖牺氏,páo xī shì,"another name for 伏羲[Fu2 Xi1], consort of 女媧|女娲[Nu:3 wa1]" -店,diàn,inn; old-style hotel (CL:家[jia1]); (bound form) shop; store -店主,diàn zhǔ,shop owner -店伙,diàn huǒ,shop assistant; shop clerk -店员,diàn yuán,shop assistant; salesclerk; salesperson -店堂,diàn táng,customer area of a store; showroom; dining area of a restaurant -店家,diàn jiā,(old) shopkeeper; innkeeper; (dialect) shop; store -店小二,diàn xiǎo èr,(old) (in a tavern or inn etc) waiter; attendant -店铺,diàn pù,store; shop -店钱,diàn qián,room charge in a hotel; accommodation expenses -店长,diàn zhǎng,store manager -店面,diàn miàn,shop front -庚,gēng,"age; seventh of the ten Heavenly Stems 十天干[shi2 tian1 gan1]; seventh in order; letter ""G"" or Roman ""VII"" in list ""A, B, C"", or ""I, II, III"" etc; ancient Chinese compass point: 255°; hepta" -庚午,gēng wǔ,"seventh year G7 of the 60 year cycle, e.g. 1990 or 2050" -庚子,gēng zǐ,"37th year G1 of the 60-year cycle, e.g. 1960 or 2020" -庚子国变,gēng zǐ guó biàn,the crisis year of 1900 involving the Boxer uprising and the eight nation military invasion -庚寅,gēng yín,"twenty-seventh year G3 of the 60 year cycle, e.g. 2010 or 2070" -庚戌,gēng xū,"forty-seventh year G11 of the 60 year cycle, e.g. 1970 or 2030" -庚申,gēng shēn,"fifty-seventh year G9 of the 60 year cycle, e.g. 1980 or 2040" -庚糖,gēng táng,"heptose (CH2O)7, monosaccharide with seven carbon atoms" -庚辰,gēng chén,"seventeenth year G5 of the 60 year cycle, e.g. 2000 or 2060" -府,fǔ,seat of government; government repository (archive); official residence; mansion; presidential palace; (honorific) Your home; prefecture (from Tang to Qing times) -府上,fǔ shàng,(polite) your home; residence -府城,fǔ chéng,capital of 府 prefecture (from Tang to Qing times); prefectural seat -府尹,fǔ yǐn,magistrate; prefect -府幕,fǔ mù,government advisor -府库,fǔ kù,government treasury -府治,fǔ zhì,seat of prefectural government (from Tang to Qing times) -府第,fǔ dì,mansion house; official residence -府绸,fǔ chóu,poplin (cotton cloth used for shirts) -府试,fǔ shì,"prefectural exam, the 2nd of the three entry-level exams in the imperial examination system of Ming and Qing dynasties" -府谷,fǔ gǔ,"Fugu County in Yulin 榆林[Yu2 lin2], Shaanxi" -府谷县,fǔ gǔ xiàn,"Fugu County in Yulin 榆林[Yu2 lin2], Shaanxi" -府邸,fǔ dǐ,mansion house; official residence -庠,xiáng,(archaic) a school -庥,xiū,protection; shade -度,dù,"to pass; to spend (time); measure; limit; extent; degree of intensity; degree (angles, temperature etc); kilowatt-hour; classifier for events and occurrences" -度,duó,to estimate; Taiwan pr. [duo4] -度估,dù gū,"(Tw) to doze off (from Taiwanese 盹龜, Tai-lo pr. [tuh-ku])" -度假,dù jià,to go on holidays; to spend one's vacation -度假区,dù jià qū,(vacation) resort -度外,dù wài,outside the sphere of one's consideration -度姑,dù gū,"(Tw) to doze off (from Taiwanese 盹龜, Tai-lo pr. [tuh-ku])" -度娘,dù niáng,alternative name for Baidu 百度[Bai3 du4] -度数,dù shu,"number of degrees; reading (on a meter); strength (alcohol, lenses etc)" -度日,dù rì,"to pass one's days; to scratch out a difficult, meager existence" -度日如年,dù rì rú nián,a day drags past like a year (idiom); time hangs heavy; time crawls when one is wretched -度烂,dù làn,see 賭爛|赌烂[du3 lan4] -度牒,dù dié,Buddhist or Taoist ordination certificate issued by government -度过,dù guò,to pass; to spend (time); to survive; to get through -度量,dù liàng,measure; tolerance; breadth; magnanimity; (math.) metric -度量衡,dù liàng héng,measurement -座,zuò,"seat; base; stand; (archaic) suffix used in a respectful form of address, e.g. 师座|师座[shi1 zuo4]; CL:個|个[ge4]; classifier for buildings, mountains and similar immovable objects" -座上客,zuò shàng kè,guest of honor -座位,zuò wèi,seat; CL:個|个[ge4] -座儿,zuò er,"rickshaw seat (Beijing dialect); patron (of teahouse, cinema); passenger (in taxi, rickshaw etc)" -座右铭,zuò yòu míng,motto; maxim -座堂,zuò táng,cathedral -座垫,zuò diàn,saddle (of a bicycle); seat (of a car or bike); chair cushion -座子,zuò zi,pedestal; plinth; saddle -座席,zuò xí,seat (at banquet); by ext. guest of honor -座椅,zuò yǐ,seat -座椅套子,zuò yǐ tào zi,seat cover -座标,zuò biāo,see 坐標|坐标[zuo4 biao1] -坐标法,zuò biāo fǎ,method of coordinates (geometry) -坐标空间,zuò biāo kōng jiān,coordinate space -坐标系,zuò biāo xì,coordinate system (geometry) -座标轴,zuò biāo zhóu,coordinate axis -座机,zuò jī,fixed-line phone; landline; private plane -座次,zuò cì,seating arrangement; position in a seating arrangement -座无虚席,zuò wú xū xí,lit. a banquet with no empty seats; full house; capacity crowd; standing room only -座生水母,zuò shēng shuǐ mǔ,sessile medusa; sea anemone -座舱,zuò cāng,cockpit; cabin -座落,zuò luò,to be situated; located at (of building); also written 坐落[zuo4 luo4] -座号,zuò hào,seat number -座谈,zuò tán,"to have an informal discussion; CL:次[ci4],個|个[ge4]" -座谈会,zuò tán huì,conference; symposium; rap session -座车,zuò chē,(railway) carriage -座钟,zuò zhōng,desk clock -座头市,zuò tóu shì,Zatoichi -座头鲸,zuò tóu jīng,humpback whale -座驾,zuò jià,one's own car (or motorbike); vehicle for one's private use -库,kù,warehouse; storehouse; (file) library -库仑,kù lún,"Charles-Augustin de Coulomb (1736-1806), French physicist" -库仑,kù lún,coulomb (unit of electric charge) -库仑计,kù lún jì,voltameter -库伦,kù lún,"Kulun, the former name for modern Ulan Bator, capital of Mongolia (Mongolian: temple)" -库伦,kù lún,enclosed pasture (Mongolian loanword) -库伦旗,kù lún qí,"Hure banner or Xüree khoshuu in Tongliao 通遼|通辽[Tong1 liao2], Inner Mongolia" -库伦镇,kù lún zhèn,"Hure town in Tongliao 通遼|通辽[Tong1 liao2], Inner Mongolia" -库克,kù kè,"Cook (name); Captain James Cook (1728-1779), British navigator and explorer" -库克山,kù kè shān,"Mt Cook on New Zealand South Island, national park and highest peak" -库克群岛,kù kè qún dǎo,Cook Islands -库克船长,kù kè chuán zhǎng,"Captain James Cook (1728-1779), British navigator and explorer" -库姆,kù mǔ,Qom (holy city in Iran) -库姆塔格沙漠,kù mǔ tǎ gé shā mò,"Kumutage (or Kumtag) Desert, northwestern China" -库存,kù cún,property or cash held in reserve; stock -库存现金,kù cún xiàn jīn,cash in hand -库工党,kù gōng dǎng,abbr. for Kurdistan Workers' Party 庫爾德工人黨|库尔德工人党[Ku4 er3 de2 Gong1 ren2 dang3] -库布里克,kù bù lǐ kè,Kubrick -库德,kù dé,Kurd ethnic group -库德斯坦,kù dé sī tǎn,Kurdistan -库房,kù fáng,storeroom; warehouse -库拉索,kù lā suǒ,Curaçao -库木吐拉千佛洞,kù mù tǔ lā qiān fó dòng,"Kumutula thousand-Buddha grotto in Kuqa, Xinjiang" -库模块,kù mó kuài,library module -库尔,kù ěr,Chur (city in Switzerland) -库尔勒,kù ěr lè,"Korla Shehiri, Korla or Ku'erle City, capital of Bayingolin Mongol Autonomous Prefecture, Xinjiang 巴音郭楞蒙古自治州[Ba1 yin1 guo1 leng2 Meng3 gu3 Zi4 zhi4 zhou1], Xinjiang" -库尔勒市,kù ěr lè shì,"Korla Shehiri, Korla or Ku'erle City, capital of Bayingolin Mongol Autonomous Prefecture, Xinjiang 巴音郭楞蒙古自治州[Ba1 yin1 guo1 leng2 Meng3 gu3 Zi4 zhi4 zhou1]" -库尔尼科娃,kù ěr ní kē wá,"Anna Sergeevna Kournikova (1981-), Russian tennis star and glamor model" -库尔德,kù ěr dé,Kurd; Kurdish -库尔德人,kù ěr dé rén,Kurdish person or people -库尔德工人党,kù ěr dé gōng rén dǎng,Kurdistan Worker's Party (PPK) -库尔德斯坦,kù ěr dé sī tǎn,Kurdistan -库尔斯克,kù ěr sī kè,Kursk (city) -库珀带,kù pò dài,the Kuiper belt (in the outer reaches of the Solar system) -库纳,kù nà,kuna (Croatian currency) -库肯霍夫公园,kù kěn huò fū gōng yuán,"Keukenhof, flower garden in Netherlands" -库藏,kù cáng,to store; to have sth in storage -库车,kù chē,"Kuchar Nahiyisi or Kuche county in Aksu 阿克蘇地區|阿克苏地区, Xinjiang" -库车县,kù chē xiàn,"Kuchar Nahiyisi or Kuche county in Aksu 阿克蘇地區|阿克苏地区, Xinjiang" -库里提巴,kù lǐ tí bā,Curitiba (city in Brazil) -库页岛,kù yè dǎo,Sakhalin -库页岛柳莺,kù yè dǎo liǔ yīng,(bird species of China) Sakhalin leaf warbler (Phylloscopus borealoides) -库鲁病,kù lǔ bìng,kuru (medicine) -庭,tíng,main hall; front courtyard; law court -庭园,tíng yuán,flower garden -庭堂,tíng táng,courtyard in front of a palace -庭外,tíng wài,out-of-court (settlement) -庭审,tíng shěn,court hearing -庭训,tíng xùn,tuition within family; education from father -庭长,tíng zhǎng,presiding judge -庭院,tíng yuàn,courtyard -庭除,tíng chú,front court; courtyard -庳,bì,low-built house -庵,ān,hut; small temple; nunnery -庵堂,ān táng,Buddhist nunnery -庵摩勒,ān mó lè,see 餘甘子|余甘子[yu2 gan1 zi3] -庵摩落迦果,ān mó luò jiā guǒ,see 餘甘子|余甘子[yu2 gan1 zi3] -庶,shù,(bound form) ordinary; numerous; (bound form) pertaining to a concubine (contrasted with 嫡[di2]) -庶出,shù chū,born of a concubine (rather than of the wife) -庶吉士,shù jí shì,title of the temporary position in the Hanlin Academy 翰林院[Han4 lin2 yuan4] conferred on meritorious candidates until the next examination -庶妻,shù qī,concubine -庶子,shù zǐ,son born of a concubine -庶室,shù shì,concubine -庶几,shù jī,(literary) similar; almost; (literary) if only; it is to be hoped that; (literary) maybe; perhaps -庶民,shù mín,the multitude of common people (in highbrow literature); plebeian -康,kāng,surname Kang -康,kāng,healthy; peaceful; abundant -康乃狄克,kāng nǎi dí kè,"Connecticut, US state (Tw)" -康乃馨,kāng nǎi xīn,carnation (Dianthus caryophyllus) (loanword) -康乾宗迦峰,kāng qián zōng jiā fēng,Kachenjunga (Himalayan peak) -康乾盛世,kāng qián shèng shì,booming and golden age of Qing dynasty (from Kang Xi to Qian Long emperors) -康佳,kāng jiā,Kongka (brand) -康保,kāng bǎo,"Kangbao county in Zhangjiakou 張家口|张家口[Zhang1 jia1 kou3], Hebei" -康保县,kāng bǎo xiàn,"Kangbao county in Zhangjiakou 張家口|张家口[Zhang1 jia1 kou3], Hebei" -康健,kāng jiàn,healthy; fit -康区,kāng qū,"former Tibetan province of Kham, now split between Tibet and Sichuan" -康奈尔,kāng nài ěr,Cornell (US University) -康奈尔大学,kāng nài ěr dà xué,Cornell University -康定,kāng dìng,"Dartsendo, Dardo or Kangding county (Tibetan: dar mdo rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1], Sichuan (formerly in Kham province of Tibet)" -康定县,kāng dìng xiàn,"Dartsendo, Dardo or Kangding county (Tibetan: dar mdo rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1], Sichuan (formerly in Kham province of Tibet)" -康巴,kāng bā,"Khampa, subdivision of Tibetan ethnic group; former Tibetan province of Kham, now split between Tibet and Sichuan" -康巴地区,kāng bā dì qū,"former Tibetan province of Kham, now split between Tibet and Sichuan" -康巴藏区,kāng bā zàng qū,"former Kham province of Tibet, now split between Tibet and Sichuan" -康平,kāng píng,"Kangping county in Shenyang 瀋陽|沈阳, Liaoning" -康平,kāng píng,peace and prosperity -康平县,kāng píng xiàn,"Kangping county in Shenyang 瀋陽|沈阳, Liaoning" -康康舞,kāng kāng wǔ,cancan (loanword) -康广仁,kāng guǎng rén,"Kang Guangren (1867-1898), younger brother of Kang Youwei 康有為|康有为[Kang1 You3 wei2] and one of the Six Gentlemen Martyrs 戊戌六君子 of the unsuccessful reform movement of 1898" -康强,kāng qiáng,strong and healthy; fit -康复,kāng fù,to recuperate; to recover (health); to convalesce -康德,kāng dé,"Immanuel Kant (1724-1804), German philosopher" -康思维恩格,kāng sī wéi ēn gé,"Kongsvinger (city in Hedemark, Norway)" -康拜因,kāng bài yīn,(loanword) combine (i.e. combine harvester) -康斯坦察,kāng sī tǎn chá,Constanta (city in Romania) -康斯坦茨,kāng sī tǎn cí,Konstanz (Germany) -康有为,kāng yǒu wéi,"Kang Youwei (1858-1927), Confucian intellectual, educator and would-be reformer, main leader of the failed reform movement of 1898" -康乐,kāng lè,"Kangle County in Linxia Hui Autonomous Prefecture 臨夏回族自治州|临夏回族自治州[Lin2 xia4 Hui2 zu2 Zi4 zhi4 zhou1], Gansu" -康乐,kāng lè,peace and happiness (old); healthy and happy; recreation -康乐县,kāng lè xiàn,"Kangle County in Linxia Hui Autonomous Prefecture 臨夏回族自治州|临夏回族自治州[Lin2 xia4 Hui2 zu2 Zi4 zhi4 zhou1], Gansu" -康桥,kāng qiáo,"Cambridge (city), from a poem by Xu Zhimo 徐志摩" -康泰,kāng tài,safe and healthy -康涅狄格,kāng niè dí gé,"Connecticut, US state" -康涅狄格州,kāng niè dí gé zhōu,"Connecticut, US state" -康熙,kāng xī,"Kangxi, title of the reign (1661-1722) of the Kangxi Emperor 聖祖|圣祖[Sheng4 zu3]" -康熙字典,kāng xī zì diǎn,"the Kangxi Dictionary, named after the Kangxi Emperor, who in 1710 ordered its compilation, containing 47,035 single-character entries" -康生,kāng shēng,"Kang Sheng (1896-1975), Chinese communist leader, a politburo member during the Cultural Revolution and posthumously blamed for some of its excesses" -康白度,kāng bái dù,comprador (loanword) -康科德,kāng kē dé,"Concord (place name); Concord, capital of US state New Hampshire" -康县,kāng xiàn,"Kang county in Longnan 隴南|陇南[Long3 nan2], Gansu" -康庄大道,kāng zhuāng dà dào,broad and open road (idiom); fig. brilliant future prospects -康衢,kāng qú,through street; thoroughfare -康托尔,kāng tuō ěr,"Cantor (name); Georg Cantor (1845-1918), German mathematician, founder of set theory 集合論|集合论[ji2 he2 lun4]" -康马,kāng mǎ,"Kangmar county, Tibetan: Khang dmar rdzong, in Shigatse prefecture, Tibet" -康马县,kāng mǎ xiàn,"Kangmar county, Tibetan: Khang dmar rdzong, in Shigatse prefecture, Tibet" -庸,yōng,ordinary; to use -庸人,yōng rén,mediocre person -庸人庸福,yōng rén yōng fú,fools have good fortune (idiom) -庸人自扰,yōng rén zì rǎo,lit. silly people get their panties in a bunch (idiom); fig. to get upset over nothing; to make problems for oneself -庸俗,yōng sú,vulgar; tacky; tawdry -庸俗化,yōng sú huà,debasement; vulgarization -庸庸碌碌,yōng yōng lù lù,ordinary; mediocre -庸才,yōng cái,mediocrity -庸碌,yōng lù,mediocre -庸碌无能,yōng lù wú néng,mediocre and incompetent -庸医,yōng yī,quack; charlatan -庹,tuǒ,length of 2 outstretched arms -庶,shù,old variant of 庶[shu4] -寓,yù,variant of 寓[yu4] -庾,yǔ,surname Yu; name of a mountain -庾信,yǔ xìn,"Yu Xin (513-581), poet from Liang of the Southern dynasties 南朝梁朝 and author of Lament for the South 哀江南賦|哀江南赋" -厕,cè,restroom; toilet; lavatory; (literary) to be mingled with; to be involved in -厕,sì,used in 茅廁|茅厕[mao2 si5] -厕具,cè jù,toilet fittings -厕所,cè suǒ,"toilet; lavatory; CL:間|间[jian1],處|处[chu4]" -厕纸,cè zhǐ,toilet paper -厕身,cè shēn,(humble expression) to participate (in sth); to play a humble role in -厢,xiāng,box (in theater); side room; side -厢型车,xiāng xíng chē,van (Tw) -厢式车,xiāng shì chē,van -厢房,xiāng fáng,wing (of a traditional house); side room -厩,jiù,stable; barn -厦,xià,"abbr. for Xiamen or Amoy 廈門|厦门[Xia4 men2], Fujian" -厦,shà,tall building; mansion; rear annex; lean-to; also pr. [xia4] -厦门,xià mén,"Xiamen (aka Amoy), a sub-provincial city in Fujian" -厦门大学,xià mén dà xué,Xiamen University -厦门市,xià mén shì,"Xiamen (aka Amoy), a sub-provincial city in Fujian" -廉,lián,surname Lian -廉,lián,incorruptible; honest; inexpensive; to investigate (old); side wall of a traditional Chinese house (old) -廉俸,lián fèng,extra allowances paid to government officials in the Qing dynasty -廉价,lián jià,cheaply-priced; low-cost -廉耻,lián chǐ,honor and shame; sense of honor -廉政,lián zhèng,to govern with integrity; clean and honest government -廉政公署,lián zhèng gōng shǔ,"Independent Commission Against Corruption, Hong Kong (ICAC)" -廉正,lián zhèng,upright and honest; integrity -廉江,lián jiāng,"Lianjiang, county-level city in Zhanjiang 湛江[Zhan4 jiang1], Guangdong" -廉江市,lián jiāng shì,"Lianjiang, county-level city in Zhanjiang 湛江[Zhan4 jiang1], Guangdong" -廉洁,lián jié,incorruptible; unbribable; honest -廉直,lián zhí,upright and honest; incorruptible; squeaky clean -廉租房,lián zū fáng,low-rent housing -廉署,lián shǔ,"ICAC Independent Commission Against Corruption, Hong Kong" -廉颇,lián pō,"Lian Po (327-243 BC), famous general of Zhao 趙國|赵国, repeatedly victorious over Qin 秦國|秦国 and Qi 齊國|齐国" -廊,láng,corridor; veranda; porch -廊坊,láng fáng,Langfang prefecture-level city in Hebei -廊坊市,láng fáng shì,Langfang prefecture-level city in Hebei -廊庙,láng miào,imperial court -廊庑,láng wǔ,portico; stoa; colonnade -廊桥,láng qiáo,covered bridge; (aviation) passenger boarding bridge; jet bridge -廊酒,láng jiǔ,Benedictine (liquor) -廌,zhì,unicorn -厩,jiù,variant of 廄|厩[jiu4] -廑,jǐn,careful; hut; variant of 僅|仅[jin3] -廑,qín,variant of 勤[qin2] -廒,áo,granary -廓,kuò,(bound form) extensive; vast; (bound form) outline; general shape; (bound form) to expand; to extend -廓清,kuò qīng,to clear up; to wipe out; to eradicate -荫,yìn,"variant of 蔭|荫[yin4], shade" -廖,liào,surname Liao -廖沫沙,liào mò shā,"Liao Mosha (1907-1990), journalist and communist propagandist, severely criticized and imprisoned for 10 years during the Cultural Revolution" -厨,chú,kitchen -厨具,chú jù,kitchen implements -厨司,chú sī,(dialect) cook; chef -厨娘,chú niáng,female cook -厨子,chú zi,cook -厨工,chú gōng,kitchen helper; assistant cook -厨师,chú shī,cook; chef -厨师长,chú shī zhǎng,executive chef; head chef -厨房,chú fáng,kitchen; CL:間|间[jian1] -厨艺,chú yì,cooking skills; culinary talent -厨卫,chú wèi,kitchens and bathrooms -厨余,chú yú,kitchen waste; food waste (recycling) -廛,chán,market place -厮,sī,(bound form) together; each other; (bound form) male servant; (bound form) dude; so-and-so (used in 那廝|那厮[na4 si1] and 這廝|这厮[zhe4 si1]) -厮守,sī shǒu,to stay together; to rely on one another -厮打,sī dǎ,to come to blows; to tussle -厮搏,sī bó,to come to blows; to fight; to tussle -厮杀,sī shā,to fight at close quarters; to fight tooth and nail -厮混,sī hùn,(derog.) to hang out (with sb); to mix (things) together -厮熟,sī shú,familiar with one another -厮缠,sī chán,to pester -厮锣,sī luó,small gong -庙,miào,temple; ancestral shrine; CL:座[zuo4]; temple fair; great imperial hall; imperial -庙主,miào zhǔ,head priest of a temple -庙口,miào kǒu,"Miaokou, market district in Keelung, Taiwan" -庙堂,miào táng,imperial ancestral temple; imperial court; temple -庙塔,miào tǎ,temples and pagodas -庙宇,miào yǔ,temple -庙会,miào huì,temple fair -庙祝,miào zhù,acolyte in charge of incense in a temple -庙号,miào hào,temple name of a deceased Chinese emperor -厂,chǎng,factory; yard; depot; workhouse; works; (industrial) plant -厂主,chǎng zhǔ,factory owner -厂史,chǎng shǐ,factory history -厂商,chǎng shāng,manufacturer; producer -厂址,chǎng zhǐ,factory site; location -厂子,chǎng zi,(coll.) factory; mill; yard; depot -厂家,chǎng jiā,factory; manufacturer; (coll.) a factory owner; the factory management -厂工,chǎng gōng,factory; factory worker -厂房,chǎng fáng,"a building used as a factory; factory (building); CL:座[zuo4],棟|栋[dong4]" -厂牌,chǎng pái,brand (of a product) -厂矿,chǎng kuàng,factories and mines -厂礼拜,chǎng lǐ bài,day off (work) -厂丝,chǎng sī,filature silk -厂规,chǎng guī,factory regulations -厂长,chǎng zhǎng,factory director -庑,wú,variant of 蕪|芜[wu2] -庑,wǔ,small rooms facing or to the side of the main hall or veranda -废,fèi,to abolish; to abandon; to abrogate; to discard; to depose; to oust; crippled; abandoned; waste -废人,fèi rén,handicapped person; useless person -废品,fèi pǐn,production rejects; seconds; scrap; discarded material -废品收购站,fèi pǐn shōu gòu zhàn,salvage station; recycling center -废土,fèi tǔ,"waste soil (excavation waste, contaminated soil etc); (post-apocalyptic) wasteland" -废墟,fèi xū,ruins -废寝忘食,fèi qǐn wàng shí,(idiom) to skip one's sleep and meals; to be completely wrapped up in one's work -废寝忘餐,fèi qǐn wàng cān,see 廢寢忘食|废寝忘食[fei4 qin3 wang4 shi2] -废寝食,fèi qǐn shí,to neglect sleep and food -废弛,fèi chí,"to fall into disuse (of laws, customs etc); to neglect" -废掉,fèi diào,to depose (a king) -废料,fèi liào,waste products; refuse; garbage; good-for-nothing (derog.) -废时,fèi shí,to waste time -废柴,fèi chái,(Cantonese) (coll.) good-for-nothing; loser -废弃,fèi qì,to discard; to abandon (old ways); to invalidate -废止,fèi zhǐ,to repeal (a law); to put an end to; abolition; annulled -废气,fèi qì,exhaust gas; industrial waste gas -废水,fèi shuǐ,waste water; drain water; effluent -废液,fèi yè,waste liquids -废渣,fèi zhā,industrial waste product; slag -废然,fèi rán,depressed; dejected -废物,fèi wù,rubbish; waste material; useless person -废物箱,fèi wù xiāng,ash-bin; litter-bin -废物点心,fèi wù diǎn xin,(coll.) a good-for-nothing; a loser -废纸,fèi zhǐ,waste paper -废统,fèi tǒng,"""abandonment of reunification"", abolition of the cross-straits reunification committee" -废置,fèi zhì,to discard; to shelve as useless -废旧,fèi jiù,worn out; old-fashioned and dilapidated -废藩置县,fèi fān zhì xiàn,to abolish the feudal Han and introduce modern prefectures (refers to reorganization during Meiji Japan) -废话,fèi huà,nonsense; rubbish; superfluous words; You don't say!; No kidding! (gently sarcastic) -废话连篇,fèi huà lián piān,a bunch of nonsense; verbose and rambling -废铜烂铁,fèi tóng làn tiě,scrap metal; a pile of junk -废钢,fèi gāng,scrap metal; steel scrap -废铁,fèi tiě,scrap iron -废除,fèi chú,to abolish; to abrogate; to repeal -废除军备,fèi chú jūn bèi,to disarm -废黜,fèi chù,to depose (a king) -广,guǎng,surname Guang -广,guǎng,wide; numerous; to spread -广九,guǎng jiǔ,Guangdong and Kowloon (e.g. railway) -广九铁路,guǎng jiǔ tiě lù,Guangdong and Kowloon railway -广交会,guǎng jiāo huì,China Export Commodities Fair also known as the Canton Fair -广传,guǎng chuán,to propagate -广元,guǎng yuán,Guangyuan prefecture-level city in Sichuan -广元市,guǎng yuán shì,Guangyuan prefecture-level city in Sichuan -广南,guǎng nán,"Guangnan county in Wenshan Zhuang and Miao autonomous prefecture 文山壯族苗族自治州|文山壮族苗族自治州[Wen2 shan1 Zhuang4 zu2 Miao2 zu2 zi4 zhi4 zhou1], Yunnan" -广南县,guǎng nán xiàn,"Guangnan county in Wenshan Zhuang and Miao autonomous prefecture 文山壯族苗族自治州|文山壮族苗族自治州[Wen2 shan1 Zhuang4 zu2 Miao2 zu2 zi4 zhi4 zhou1], Yunnan" -广博,guǎng bó,extensive -广告,guǎng gào,to advertise; a commercial; advertisement; CL:項|项[xiang4] -广告主,guǎng gào zhǔ,advertiser -广告位,guǎng gào wèi,ad space; ad slot -广告商,guǎng gào shāng,advertising company -广告宣传,guǎng gào xuān chuán,advertising; publicity; promotion -广告宣传画,guǎng gào xuān chuán huà,placard; poster -广告宣传车,guǎng gào xuān chuán chē,mobile billboard -广告拦截器,guǎng gào lán jié qì,ad-blocker -广告条幅,guǎng gào tiáo fú,banner advertisement -广告栏,guǎng gào lán,advertising column (in a newspaper); bulletin board -广告片,guǎng gào piàn,advertising film; TV commercial -广告牌,guǎng gào pái,billboard -广告衫,guǎng gào shān,promotional T-shirt; CL:件[jian4] -广域市,guǎng yù shì,"metropolitan city, South Korean analog of PRC municipality 直轄市|直辖市[zhi2 xia2 shi4]" -广域网,guǎng yù wǎng,wide area network; WAN -广域网路,guǎng yù wǎng lù,wide area network; WAN -广场,guǎng chǎng,public square; plaza -广场恐怖症,guǎng chǎng kǒng bù zhèng,agoraphobia -广场恐惧,guǎng chǎng kǒng jù,agoraphobia -广场恐惧症,guǎng chǎng kǒng jù zhèng,agoraphobia -广场舞,guǎng chǎng wǔ,"square dancing, an exercise routine performed to music in public squares, parks and plazas, popular esp. among middle-aged and retired women in China" -广外,guǎng wài,abbr. for 廣東外語外貿大學|广东外语外贸大学[Guang3 dong1 Wai4 yu3 Wai4 mao4 Da4 xue2] -广大,guǎng dà,(of an area) vast or extensive; large-scale; widespread; (of people) numerous -广安,guǎng ān,Guang'an prefecture-level city in Sichuan -广安市,guǎng ān shì,Guang'an prefecture-level city in Sichuan -广安门,guǎng ān mén,Guanganmen in Xuanwu 宣武區|宣武区 district of southwest Beijing -广宗,guǎng zōng,"Guangzong county in Xingtai 邢台[Xing2 tai2], Hebei" -广宗县,guǎng zōng xiàn,"Guangzong county in Xingtai 邢台[Xing2 tai2], Hebei" -广宁,guǎng níng,"Guangning county in Zhaoqing 肇慶|肇庆[Zhao4 qing4], Guangdong" -广宁县,guǎng níng xiàn,"Guangning county in Zhaoqing 肇慶|肇庆[Zhao4 qing4], Guangdong" -广岛,guǎng dǎo,"Hiroshima, Japan" -广岛县,guǎng dǎo xiàn,"Hiroshima prefecture, Japan" -广州,guǎng zhōu,Guangzhou subprovincial city and capital of Guangdong; Canton -广州中医药大学,guǎng zhōu zhōng yī yào dà xué,Guangzhou University of Chinese Medicine -广州市,guǎng zhōu shì,"Guangzhou, aka Canton, subprovincial city and capital of Guangdong" -广州日报,guǎng zhōu rì bào,Guangzhou Daily -广州美术学院,guǎng zhōu měi shù xué yuàn,Guangzhou Academy of Fine Arts -广平,guǎng píng,"Guangping county in Handan 邯鄲|邯郸[Han2 dan1], Hebei" -广平县,guǎng píng xiàn,"Guangping county in Handan 邯鄲|邯郸[Han2 dan1], Hebei" -广度,guǎng dù,breadth -广德,guǎng dé,"Guangde, a county-level city in Xuancheng 宣城[Xuan1cheng2], Anhui" -广德县,guǎng dé shì,"Guangde, a county-level city in Xuancheng 宣城[Xuan1cheng2], Anhui" -广播,guǎng bō,broadcast; CL:個|个[ge4]; broadcasting; to broadcast; (formal) to propagate; to publicize -广播剧,guǎng bō jù,radio drama -广播和未知服务器,guǎng bō hé wèi zhī fú wù qì,Broadcast and Unknown Server; BUS -广播员,guǎng bō yuán,(radio) broadcaster -广播地址,guǎng bō dì zhǐ,broadcast address -广播室,guǎng bō shì,broadcasting room -广播节目,guǎng bō jié mù,radio program; broadcast program -广播网,guǎng bō wǎng,network -广播网路,guǎng bō wǎng lù,broadcast network -广播电台,guǎng bō diàn tái,radio station -广播电台,guǎng bō diàn tái,"radio station; broadcasting station; CL:個|个[ge4],家[jia1]" -广昌,guǎng chāng,"Guangchang county in Fuzhou 撫州|抚州, Jiangxi" -广昌县,guǎng chāng xiàn,"Guangchang county in Fuzhou 撫州|抚州, Jiangxi" -广普,guǎng pǔ,Guangdong pidgin (a mix of Standard Mandarin and Cantonese) -广东,guǎng dōng,"Guangdong province (Kwangtung) in south China, short name 粵|粤[Yue4], capital Guangzhou 廣州|广州" -广东人,guǎng dōng rén,Cantonese (people) -广东外语外贸大学,guǎng dōng wài yǔ wài mào dà xué,Guangdong University of Foreign Studies -广东海洋大学,guǎng dōng hǎi yáng dà xué,Guangdong Ocean University -广东省,guǎng dōng shěng,"Guangdong Province (Kwangtung) in south China, short name 粵|粤[Yue4], capital Guangzhou 廣州|广州[Guang3 zhou1]" -广东科学技术职业学院,guǎng dōng kē xué jì shù zhí yè xué yuàn,Guangdong Institute of Science and Technology -广东药学院,guǎng dōng yào xué yuàn,Guangdong Pharmaceutical University -广东话,guǎng dōng huà,Cantonese language -广东医学院,guǎng dōng yī xué yuàn,Guangdong Medical College -广柑,guǎng gān,"a variety of orange grown in Guangdong, Sichuan, Taiwan etc" -广水,guǎng shuǐ,"Guangshui, county-level city in Suizhou 隨州|随州[Sui2 zhou1], Hubei" -广水市,guǎng shuǐ shì,"Guangshui, county-level city in Suizhou 隨州|随州[Sui2 zhou1], Hubei" -广河,guǎng hé,"Guanghe County in Linxia Hui Autonomous Prefecture 臨夏回族自治州|临夏回族自治州[Lin2 xia4 Hui2 zu2 Zi4 zhi4 zhou1], Gansu" -广河县,guǎng hé xiàn,"Guanghe County in Linxia Hui Autonomous Prefecture 臨夏回族自治州|临夏回族自治州[Lin2 xia4 Hui2 zu2 Zi4 zhi4 zhou1], Gansu" -广泛,guǎng fàn,wide; broad; extensive; widespread -广泛影响,guǎng fàn yǐng xiǎng,wide ranging influence -广泛性焦虑症,guǎng fàn xìng jiāo lǜ zhèng,generalized anxiety disorder (GAD) -广漠,guǎng mò,vast and empty -广汉,guǎng hàn,"Guanghan, county-level city in Deyang 德陽|德阳[De2 yang2], Sichuan" -广汉市,guǎng hàn shì,"Guanghan, county-level city in Deyang 德陽|德阳[De2 yang2], Sichuan" -广为,guǎng wéi,widely -广目天,guǎng mù tiān,Virupaksa (on of the Four Heavenly Kings) -广砚,guǎng yàn,Guangnan and Yanshan (in Yunnan) -广结良缘,guǎng jié liáng yuán,to earn people's praise through one's good deeds (idiom) -广义,guǎng yì,broad sense; general sense -广义相对论,guǎng yì xiāng duì lùn,general relativity; Einstein's theory of gravity -广而告之广告公司,guǎng ér gào zhī guǎng gào gōng sī,China Mass Media International Advertising Corp -广藿香,guǎng huò xiāng,(botany) patchouli (Pogostemon cablin) -广袤,guǎng mào,vast -广西,guǎng xī,"Guangxi Zhuang Autonomous Region 廣西壯族自治區|广西壮族自治区 in South Central China, on the border with Vietnam, abbr. 桂, capital Nanning 南寧|南宁; until 1959, Guangxi province" -广西壮族自治区,guǎng xī zhuàng zú zì zhì qū,"Guangxi Zhuang Autonomous Region in South Central China, on the border with Vietnam, abbr. 桂[Gui4], capital Nanning 南寧|南宁[Nan2 ning2]; until 1959, Guangxi province" -广西省,guǎng xī shěng,"Guangxi Province, which in 1958 became Guangxi Zhuang Autonomous Region 廣西壯族自治區|广西壮族自治区[Guang3xi1 Zhuang4zu2 Zi4zhi4qu1], capital Nanning 南寧|南宁[Nan2ning2]" -广角,guǎng jiǎo,wide-angle; panoramic; fig. wide perspective; panorama -广角镜,guǎng jiǎo jìng,wide-angle lens -广角镜头,guǎng jiǎo jìng tóu,wide angle camera shot -广记不如淡墨,guǎng jì bù rú dàn mò,see 好記性不如爛筆頭|好记性不如烂笔头[hao3 ji4 xing4 bu4 ru2 lan4 bi3 tou2] -广谱,guǎng pǔ,broad spectrum -广丰,guǎng fēng,"Guangfeng county in Shangrao 上饒|上饶, Jiangxi" -广丰县,guǎng fēng xiàn,"Guangfeng county in Shangrao 上饒|上饶, Jiangxi" -广游,guǎng yóu,to travel widely (esp. as Daoist priest or Buddhist monk) -广开言路,guǎng kāi yán lù,to encourage the free airing of views (idiom) -广阔,guǎng kuò,wide; vast -广陵,guǎng líng,"Guangling district of Yangzhou city 揚州市|扬州市[Yang2 zhou1 shi4], Jiangsu" -广陵区,guǎng líng qū,"Guangling district of Yangzhou city 揚州市|扬州市[Yang2 zhou1 shi4], Jiangsu" -广阳,guǎng yáng,"Guangyang district of Langfang city 廊坊市[Lang2 fang2 shi4], Hebei" -广阳区,guǎng yáng qū,"Guangyang district of Langfang city 廊坊市[Lang2 fang2 shi4], Hebei" -广雅,guǎng yǎ,"earliest extant Chinese encyclopedia from Wei of the Three Kingdoms, 3rd century, modeled on Erya 爾雅|尔雅[Er3 ya3], 18150 entries" -广电,guǎng diàn,radio and television; broadcasting -广电总局,guǎng diàn zǒng jú,"National Radio and Television Administration (NRTA) (abbr. for 國家廣播電視總局|国家广播电视总局[Guo2 jia1 Guang3 bo1 Dian4 shi4 Zong3 ju2]); formerly SAPPRFT, the State Administration of Press, Publication, Radio, Film and Television (2013-2018) and SARFT, the State Administration of Radio, Film, and Television (prior to 2013)" -广灵,guǎng líng,"Guangling county in Datong 大同[Da4 tong2], Shanxi" -广灵县,guǎng líng xiàn,"Guangling county in Datong 大同[Da4 tong2], Shanxi" -广韵,guǎng yùn,"Guangyun, Chinese rime dictionary 韻書|韵书[yun4 shu1] from 11th century, containing 26,194 single-character entries" -广饶,guǎng ráo,"Guangrao County in Dongying 東營|东营[Dong1 ying2], Shandong" -广饶县,guǎng ráo xiàn,"Guangrao County in Dongying 東營|东营[Dong1 ying2], Shandong" -廥,kuài,barn; granary -廥仓,kuài cāng,granary -廨,xiè,office -廪,lǐn,government granary -庐,lú,hut -庐山,lú shān,"Lushan district of Jiujiang city 九江市, Jiangxi; Mt Lushan in Jiujiang, famous as summer holiday spot" -庐山区,lú shān qū,"Lushan district of Jiujiang city 九江市, Jiangxi" -庐江,lú jiāng,"Lujiang, a county in Hefei 合肥[He2fei2], Anhui" -庐江县,lú jiāng xiàn,"Lujiang, a county in Hefei 合肥[He2fei2], Anhui" -庐阳,lú yáng,"Luyang, a district of Hefei City 合肥市[He2fei2 Shi4], Anhui" -庐阳区,lú yáng qū,"Luyang, a district of Hefei City 合肥市[He2fei2 Shi4], Anhui" -厅,tīng,(reception) hall; living room; office; provincial government department -厅堂,tīng táng,hall -厅长,tīng zhǎng,head of provincial PRC government department -廴,yǐn,"""long stride"" radical in Chinese characters (Kangxi radical 54), occurring in 建, 延, 廷 etc" -巡,xún,variant of 巡[xun2] -延,yán,surname Yan -延,yán,to prolong; to extend; to delay -延伸,yán shēn,to extend; to spread -延吉,yán jí,"Yanji, county-level city, capital of Yanbian Korean Autonomous Prefecture 延邊朝鮮族自治州|延边朝鲜族自治州[Yan2 bian1 Chao2 xian3 zu2 Zi4 zhi4 zhou1], Jilin" -延吉市,yán jí shì,"Yanji, county-level city, capital of Yanbian Korean Autonomous Prefecture 延邊朝鮮族自治州|延边朝鲜族自治州[Yan2 bian1 Chao2 xian3 zu2 Zi4 zhi4 zhou1], Jilin" -延坪岛,yán píng dǎo,Yeonpyeong island on Yellow Sea coast of Korea -延寿,yán shòu,"Yanshou county in Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1], Heilongjiang; to extend life" -延寿县,yán shòu xiàn,"Yanshou county in Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1], Heilongjiang" -延安,yán ān,"Yan'an, prefecture-level city in Shaanxi, wartime stronghold of the communists from the mid-1930s until 1949" -延安市,yán ān shì,"Yan'an, prefecture-level city in Shaanxi 陝西|陕西, communist headquarters during the war" -延宕,yán dàng,to postpone; to keep putting sth off -延展,yán zhǎn,to extend; to stretch out -延展性,yán zhǎn xìng,ductability -延川,yán chuān,"Yanchuan county in Yan'an 延安[Yan2 an1], Shaanxi" -延川县,yán chuān xiàn,"Yanchuan county in Yan'an 延安[Yan2 an1], Shaanxi" -延平,yán píng,"Yanping district of Nanping city 南平市[Nan2 ping2 shi4] Fujian; Yanping township in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan" -延平区,yán píng qū,Yanping district of Nanping city 南平市[Nan2 ping2 shi4] Fujian -延平乡,yán píng xiāng,"Yanping township in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan" -延年,yán nián,to prolong life -延年益寿,yán nián yì shòu,to make life longer; to promise longevity; (this product will) extend your life -延后,yán hòu,to postpone; to defer; to delay -延性,yán xìng,ductility -延庆,yán qìng,"Yanqing, a district of Beijing" -延庆区,yán qìng qū,"Yanqing, a district of Beijing" -延庆县,yán qìng xiàn,Yanqing county in Beijing -延接,yán jiē,to receive sb -延搁,yán gē,to delay; to procrastinate -延揽,yán lǎn,to recruit talent; to round up; to enlist the services of sb -延时摄影,yán shí shè yǐng,time-lapse photography -延会,yán huì,to postpone a meeting -延期,yán qī,to delay; to extend; to postpone; to defer -延期付款,yán qī fù kuǎn,to defer payment; to pay back over long term -延津,yán jīn,"Yanjin county in Xinxiang 新鄉|新乡[Xin1 xiang1], Henan" -延津县,yán jīn xiàn,"Yanjin county in Xinxiang 新鄉|新乡[Xin1 xiang1], Henan" -延毕,yán bì,to postpone one's graduation (e.g. by undertaking additional studies) (abbr. for 延後畢業|延后毕业[yan2 hou4 bi4 ye4]) -延发,yán fā,delayed action -延禧攻略,yán xǐ gōng lüè,Story of Yanxi Palace (2018 TV series) -延绵,yán mián,to extend continuously -延缓,yán huǎn,to defer; to postpone; to put off; to retard; to slow sth down -延续,yán xù,to continue; to go on; to last -延聘,yán pìn,to hire; to employ; to engage -延聘招揽,yán pìn zhāo lǎn,to enlist the services of sb -延见,yán jiàn,to introduce; to receive sb -延误,yán wù,to postpone (with unfortunate consequences); to take too long (to do sth); to miss (a deadline or window of opportunity) -延误费,yán wu fèi,demurrage (shipping) -延请,yán qǐng,to employ; to send for sb promising employment -延迟,yán chí,to delay; to postpone; to keep putting sth off; to procrastinate; (computing) to lag -延边,yán biān,"Yanbian Korean Autonomous Prefecture 延邊朝鮮族自治州|延边朝鲜族自治州[Yan2bian1 Chao2xian3zu2 Zi4zhi4zhou1] in Jilin province 吉林省[Ji2lin2 Sheng3] in northeast China, capital Yanji city 延吉市[Yan2ji2 Shi4]" -延边大学,yán biān dà xué,Yanbian University (Jilin province) -延边州,yán biān zhōu,"Yanbian Korean Autonomous Prefecture 延邊朝鮮族自治州|延边朝鲜族自治州[Yan2 bian1 Chao2 xian3 zu2 Zi4 zhi4 zhou1] in Jilin province 吉林省[Ji2 lin2 Sheng3] in northeast China, capital Yanji city 延吉市[Yan2 ji2 Shi4]" -延边朝鲜族自治州,yán biān cháo xiǎn zú zì zhì zhōu,"Yanbian Korean Autonomous Prefecture in Jilin province 吉林省[Ji2lin2 Sheng3] in northeast China, capital Yanji City 延吉市[Yan2ji2 Shi4]" -延长,yán cháng,"Yanchang county in Yan'an 延安[Yan2 an1], Shaanxi" -延长,yán cháng,to prolong; to extend; to delay -延长线,yán cháng xiàn,extension cord; extended line; powerstrip -延长县,yán cháng xiàn,"Yanchang county in Yan'an 延安[Yan2 an1], Shaanxi" -延音线,yán yīn xiàn,tie (music) -延颈企踵,yán jǐng qǐ zhǒng,to stand on tiptoe and crane one's neck (idiom); fig. to yearn for sth -延髓,yán suǐ,(anatomy) medulla oblongata -廷,tíng,palace courtyard -廷尉,tíng wèi,"Commandant of Justice in imperial China, one of the Nine Ministers 九卿[jiu3 qing1]" -廷巴克图,tíng bā kè tú,"Timbuktoo (town and historical cultural center in Mali, a World Heritage site)" -廷布,tíng bù,"Thimphu, capital of Bhutan" -廷试,tíng shì,"court examination, the top grade imperial exam" -迫,pò,variant of 迫[po4]; to persecute; to oppress; embarrassed -建,jiàn,to establish; to found; to set up; to build; to construct -建三江,jiàn sān jiāng,"Jiansanjiang, large-scale agricultural development in Sanjiang river plain in Heilongjiang" -建交,jiàn jiāo,to establish diplomatic relations -建制,jiàn zhì,organizational structure -建功立业,jiàn gōng lì yè,to achieve or accomplish goals -建商,jiàn shāng,construction company; housebuilder -建国,jiàn guó,to found a country; nation-building; the foundation of PRC by Mao Zedong in 1949 -建基,jiàn jī,to lay foundations -建塘镇,jiàn táng zhèn,"Jiantang, capital of Dêqên or Diqing Tibetan Autonomous Prefecture 迪慶藏族自治州|迪庆藏族自治州[Di2 qing4 Zang4 zu2 Zi4 zhi4 zhou1], northwest Yunnan" -建始,jiàn shǐ,"Jianshi County in Enshi Tujia and Miao Autonomous Prefecture 恩施土家族苗族自治州[En1 shi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1], Hubei" -建始县,jiàn shǐ xiàn,"Jianshi County in Enshi Tujia and Miao Autonomous Prefecture 恩施土家族苗族自治州[En1 shi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1], Hubei" -建安,jiàn ān,reign name (196-219) at the end of the Han dynasty -建宁,jiàn níng,"Jianning, a county in Sanming City 三明市[San1ming2 Shi4], Fujian" -建宁县,jiàn níng xiàn,"Jianning, a county in Sanming City 三明市[San1ming2 Shi4], Fujian" -建屋互助会,jiàn wū hù zhù huì,building society (finance) -建平,jiàn píng,"Jianping county in Chaoyang 朝陽|朝阳[Chao2 yang2], Liaoning" -建平县,jiàn píng xiàn,"Jianping county in Chaoyang 朝陽|朝阳[Chao2 yang2], Liaoning" -建康,jiàn kāng,"old name for Nanjing 南京, esp. during Southern dynasties" -建德,jiàn dé,"Jiande, county-level city in Hangzhou 杭州[Hang2 zhou1], Zhejiang" -建德市,jiàn dé shì,"Jiande, county-level city in Hangzhou 杭州[Hang2 zhou1], Zhejiang" -建成,jiàn chéng,to establish; to build -建成区,jiàn chéng qū,built-up area; urban area -建政,jiàn zhèng,to establish a government; esp. refers to communist takeover of 1949 -建教合作,jiàn jiào hé zuò,cooperative education (Tw) -建文,jiàn wén,"Jianwen Emperor, reign name of second Ming Emperor Zhu Yunwen 朱允炆[Zhu1 Yun3 wen2] (1377-1402), reigned 1398-1402" -建文帝,jiàn wén dì,"reign name of second Ming emperor, reigned 1398-1402, deposed in 1402" -建昌,jiàn chāng,"Jianchang county in Huludao 葫蘆島|葫芦岛, Liaoning" -建昌县,jiàn chāng xiàn,"Jianchang county in Huludao 葫蘆島|葫芦岛, Liaoning" -建材,jiàn cái,building materials -建业,jiàn yè,"an old name for Nanjing, called Jiankang 建康 or Jianye during the Eastern Jin (317-420)" -建构,jiàn gòu,"to construct (often sth abstract, such as good relations); to set up; to develop; construction (abstract); architecture" -建构正义理论,jiàn gòu zhèng yì lǐ lùn,constructivist theory -建树,jiàn shù,to make a contribution; to establish; to found; contribution -建水,jiàn shuǐ,"Jianshui county in Honghe Hani and Yi autonomous prefecture, Yunnan" -建水县,jiàn shuǐ xiàn,"Jianshui county in Honghe Hani and Yi autonomous prefecture, Yunnan" -建湖,jiàn hú,"Jianhu county in Yancheng 鹽城|盐城[Yan2 cheng2], Jiangsu" -建湖县,jiàn hú xiàn,"Jianhu county in Yancheng 鹽城|盐城[Yan2 cheng2], Jiangsu" -建物,jiàn wù,(Tw) building; structure -建瓯,jiàn ōu,"Jian'ou, county-level city in Nanping 南平[Nan2 ping2] Fujian" -建瓯市,jiàn ōu shì,"Jian'ou, county-level city in Nanping 南平[Nan2 ping2] Fujian" -建白,jiàn bái,to propose; to suggest; to state a view -建立,jiàn lì,to establish; to set up; to found -建立时间,jiàn lì shí jiān,(electronics) setup time; (electronics) settling time -建立正式外交关系,jiàn lì zhèng shì wài jiāo guān xì,formally establish diplomatic relations -建立者,jiàn lì zhě,founder -建筑,jiàn zhù,to construct; building; CL:個|个[ge4] -建筑学,jiàn zhù xué,architectural; architecture -建筑工人,jiàn zhù gōng rén,construction worker; builder -建筑师,jiàn zhù shī,architect -建筑业,jiàn zhù yè,building industry -建筑物,jiàn zhù wù,building; structure; edifice -建筑群,jiàn zhù qún,building complex -建置,jiàn zhì,to set up; to establish; facilities; (government) agency; authority -建华,jiàn huá,"Jianhua district of Qiqihar city 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -建华区,jiàn huá qū,"Jianhua district of Qiqihar city 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -建行,jiàn háng,China Construction Bank (abbr.) -建言,jiàn yán,"to make a suggestion; to state (one's views, ideas etc); suggestion; advice; idea" -建设,jiàn shè,to build; to construct; to establish; to develop; to institute -建设性,jiàn shè xìng,constructive; constructiveness -建议,jiàn yì,"to propose; to suggest; to recommend; proposal; suggestion; recommendation; CL:個|个[ge4],點|点[dian3]" -建议售价,jiàn yì shòu jià,recommended retail price (RRP) -建军节,jiàn jūn jié,Army Day (August 1) -建造,jiàn zào,to construct; to build -建都,jiàn dū,to establish a capital -建邺,jiàn yè,Jianye district of Nanjing City 南京市 in Jiangsu 江蘇|江苏 -建邺区,jiàn yè qū,Jianye district of Nanjing City 南京市 in Jiangsu 江蘇|江苏 -建阳,jiàn yáng,"Jianyang, county-level city in Nanping 南平[Nan2 ping2] Fujian" -建阳市,jiàn yáng shì,"Jianyang, county-level city in Nanping 南平[Nan2 ping2] Fujian" -建党,jiàn dǎng,party-founding -建党节,jiàn dǎng jié,CCP Founding Day (July 1st) -乃,nǎi,variant of 乃[nai3] -廾,gǒng,hands joined -廿,niàn,twenty -廿八躔,niàn bā chán,the twenty-eight constellations; also written 二十八宿[er4 shi2 ba1 xiu4] -廿四史,niàn sì shǐ,twenty four dynastic histories (or 25 or 26 in modern editions); same as 二十四史[Er4 shi2 si4 Shi3] -弁,biàn,(old) cap (garment); military officer of low rank (in former times); preceding -弄,lòng,lane; alley -弄,nòng,to do; to manage; to handle; to play with; to fool with; to mess with; to fix; to toy with -弄不懂,nòng bu dǒng,unable to make sense of (sth) -弄不清,nòng bu qīng,unable to figure out -弄丢,nòng diū,to lose -弄乱,nòng luàn,to mess up; to put into disorder; to meddle with; to confuse -弄假成真,nòng jiǎ chéng zhēn,"pretense that turns into reality (idiom); to play at make-believe, but accidentally make it true" -弄伤,nòng shāng,to bruise; to hurt (something) -弄僵,nòng jiāng,to bring to deadlock; to result in a stalemate -弄到,nòng dào,to get hold of; to obtain; to secure; to come by -弄到手,nòng dào shǒu,to get in hand; to get (one's) hands on; to get hold of (in the sense of to acquire) -弄嘴弄舌,nòng zuǐ nòng shé,to cause a dispute through boastful gossip (idiom) -弄堂,lòng táng,(dialect) alley; lane -弄坏,nòng huài,to ruin; to spoil; to break -弄岗穗鹛,nòng gǎng suì méi,(bird species of China) Nonggang babbler (Stachyris nonggangensis) -弄巧反拙,nòng qiǎo fǎn zhuō,see 弄巧成拙[nong4 qiao3 cheng2 zhuo1] -弄巧成拙,nòng qiǎo chéng zhuō,to overreach oneself; to try to be clever and end up with egg on one's face -弄平,nòng píng,to flatten -弄懂,nòng dǒng,to make sense of; to grasp the meaning of; to figure out -弄懂弄通,nòng dǒng nòng tōng,to get a thorough understanding of sth (idiom) -弄明白,nòng míng bai,to figure out how to do something -弄歪,nòng wāi,to distort -弄死,nòng sǐ,to kill; to put to death -弄混,nòng hún,to confuse (fail to differentiate) -弄清,nòng qīng,to clarify; to fully understand -弄璋,nòng zhāng,(literary) to have a baby boy; to celebrate the birth of a son -弄瓦,nòng wǎ,(literary) to have a baby girl; to celebrate the birth of a daughter -弄皱,nòng zhòu,to crumple -弄直,nòng zhí,to straighten -弄短,nòng duǎn,to shorten; shortening -弄碎,nòng suì,to crumble -弄糟,nòng zāo,to spoil; to mess up -弄臣,nòng chén,emperor's favorite courtier -弄虚作假,nòng xū zuò jiǎ,to practice fraud (idiom); by trickery -弄走,nòng zǒu,(coll.) to take (sth) away; to get rid of -弄通,nòng tōng,to get a good grasp of -弄醒,nòng xǐng,to wake sb up -弄错,nòng cuò,to err; to get sth wrong; to miscalculate; to misunderstand -弄脏,nòng zāng,to make dirty; to defile; to smear -弇,yǎn,to cover; trap -弈,yì,ancient name for go (Chinese board game) -弊,bì,detriment; fraud; harm; defeat -弊案,bì àn,scandal -弊病,bì bìng,malady; evil; malpractice; drawback; disadvantage -弊端,bì duān,systemic problem (sometimes refers specifically to corrupt practices) -弋,yì,to shoot -弋江,yì jiāng,"Yijiang, a district of Wuhu City 蕪湖市|芜湖市[Wu2hu2 Shi4], Anhui" -弋江区,yì jiāng qū,"Yijiang, a district of Wuhu City 蕪湖市|芜湖市[Wu2hu2 Shi4], Anhui" -弋阳,yì yáng,"Yiyang county in Shangrao 上饒|上饶, Jiangxi" -弋阳县,yì yáng xiàn,"Yiyang county in Shangrao 上饒|上饶, Jiangxi" -式,shì,type; form; pattern; style -式子,shì zi,posture; (math.) expression; formula -式微,shì wēi,(literary) to decline; to wane; title of a section in the Book of Songs 詩經|诗经[Shi1 jing1] -式样,shì yàng,style -弑,shì,to murder a superior; to murder one's parent -弑君,shì jūn,regicide; to commit regicide -弑母,shì mǔ,matricide; to commit matricide -弑父,shì fù,patricide; to kill one's own father -弓,gōng,surname Gong -弓,gōng,a bow (weapon); CL:張|张[zhang1]; to bend; to arch (one's back etc) -弓弦,gōng xián,bowstring -弓弦儿,gōng xián er,bowstring -弓弩,gōng nǔ,bow and crossbow -弓弩手,gōng nǔ shǒu,crossbow shooter -弓形,gōng xíng,circular segment -弓形虫,gōng xíng chóng,Toxoplasma gondii -弓浆虫,gōng jiāng chóng,Toxoplasma gondii -弓状,gōng zhuàng,bowed; curved like a bow -弓箭,gōng jiàn,bow and arrow -弓箭手,gōng jiàn shǒu,archer -弓箭步,gōng jiàn bù,bow-and-arrow step (dance step) -弓背,gōng bèi,to hunch over; to stoop; to arch one's back (upward) -弓腰,gōng yāo,to bow; to bend at the waist -弓臂,gōng bì,(archery) bow limb -弓虫,gōng chóng,Toxoplasma gondii -弓足,gōng zú,bound feet -弓身,gōng shēn,to bend the body at the waist; to bow -弓长岭,gōng cháng lǐng,"Gongchangling district of Liaoyang city 遼陽市|辽阳市[Liao2 yang2 shi4], Liaoning" -弓长岭区,gōng cháng lǐng qū,"Gongchangling district of Liaoyang city 遼陽市|辽阳市[Liao2 yang2 shi4], Liaoning" -吊,diào,a string of 100 cash (arch.); to lament; to condole with; variant of 吊[diao4] -吊伐,diào fá,to console the people by punishing the tyrants (abbr. for 弔民伐罪|吊民伐罪[diao4 min2 fa2 zui4]) -吊古,diào gǔ,to revisit the past; to commemorate -吊唁,diào yàn,variant of 吊唁[diao4 yan4] -吊丧,diào sāng,to visit the bereaved to offer one's condolences -吊孝,diào xiào,a condolence visit -吊客,diào kè,a visitor offering condolences -吊慰,diào wèi,to offer condolences; to console the bereaved -吊文,diào wén,paper prayers for the dead burnt at funerals -吊死问疾,diào sǐ wèn jí,to grieve for the sick and the dying; to show great concern for people's suffering -吊民伐罪,diào mín fá zuì,to console the people by punishing the tyrants (idiom) -吊祭,diào jì,a worship ceremony for the dead; to offer sacrifice (to ancestors); a libation -吊诡,diào guǐ,bizarre; paradoxical; a paradox (from Daoist classic Zhuangzi 莊子|庄子[Zhuang1 zi3]) -吊诡矜奇,diào guǐ jīn qí,strange and paradoxical -引,yǐn,"to draw (e.g. a bow); to pull; to stretch sth; to extend; to lengthen; to involve or implicate in; to attract; to lead; to guide; to leave; to provide evidence or justification for; old unit of distance equal to 10 丈[zhang4], one-thirtieth of a km or 33.33 meters" -引人入胜,yǐn rén rù shèng,to enchant; fascinating -引人注意,yǐn rén zhù yì,to attract attention; eye-catching; conspicuous -引人注目,yǐn rén zhù mù,to attract attention; eye-catching; conspicuous -引以为傲,yǐn yǐ wéi ào,to be intensely proud of sth (idiom) -引以为憾,yǐn yǐ wéi hàn,to consider sth regrettable (idiom) -引以为戒,yǐn yǐ wéi jiè,to take sth as a warning (idiom); to draw a lesson from a case where things turned out badly -引以为荣,yǐn yǐ wéi róng,to regard it as an honor (idiom) -引信,yǐn xìn,a detonator -引信系统,yǐn xìn xì tǒng,fuzing system -引入,yǐn rù,to draw into; to pull into; to introduce -引入迷途,yǐn rù mí tú,to mislead; to lead astray -引出,yǐn chū,to extract; to draw out -引别,yǐn bié,to leave; to say goodbye -引力,yǐn lì,gravitation (force); attraction -引力场,yǐn lì chǎng,gravitational field -引力波,yǐn lì bō,gravitational wave -引向,yǐn xiàng,to lead to; to draw to; to steer towards -引吭高歌,yǐn háng gāo gē,to sing at the top of one's voice (idiom) -引咎,yǐn jiù,to take the blame; to accept responsibility (for a mistake) -引咎辞职,yǐn jiù cí zhí,to admit responsibility and resign -引嫌,yǐn xián,to avoid arousing suspicions -引子,yǐn zi,introduction; primer; opening words -引导,yǐn dǎo,to guide; to lead (around); to conduct; to boot; introduction; primer -引导员,yǐn dǎo yuán,usher; guide -引导扇区,yǐn dǎo shàn qū,boot sector -引得,yǐn dé,index (loanword) -引征,yǐn zhēng,quotation; citing; to cite; to reference -引擎,yǐn qíng,engine (loanword); CL:臺|台[tai2] -引擎盖,yǐn qíng gài,(car) hood; bonnet -引叙,yǐn xù,reported speech (in grammar) -引文,yǐn wén,quotation; citation -引柴,yǐn chái,kindling (to light a fire) -引桥,yǐn qiáo,bridge approach -引水,yǐn shuǐ,to pilot a ship; to channel water; to draw water (for irrigation) -引水入墙,yǐn shuǐ rù qiáng,lit. to lead the water through the wall; to ask for trouble (idiom) -引水工程,yǐn shuǐ gōng chéng,water-induction engineering; irrigation engineering -引决,yǐn jué,to commit suicide -引河,yǐn hé,irrigation channel -引流,yǐn liú,to draw off (liquid); (medicine) to perform a drainage procedure; to attract traffic online -引渡,yǐn dù,to extradite -引火,yǐn huǒ,to kindle; to light a fire -引火柴,yǐn huǒ chái,kindling -引火烧身,yǐn huǒ shāo shēn,to invite trouble -引火线,yǐn huǒ xiàn,fuse (for explosives); (fig.) proximate cause; the last straw -引燃,yǐn rán,"to ignite; to start (a fire); (fig.) to spark (debate, conflict etc)" -引爆,yǐn bào,to ignite; to detonate -引爆装置,yǐn bào zhuāng zhì,detonator -引爆点,yǐn bào diǎn,tipping point -引狗入寨,yǐn gǒu rù zhài,lit. to lead the dog into the village (idiom); fig. to introduce a potential source of trouble -引狼入室,yǐn láng rù shì,lit. to show the wolf into the house (idiom); fig. to introduce a potential source of trouble -引玉之砖,yǐn yù zhī zhuān,lit. a brick thrown to prompt others to produce a jade (idiom); fig. a modest suggestion intended to prompt others to come forward with better ideas -引理,yǐn lǐ,lemma (math.) -引产,yǐn chǎn,to induce labor (childbirth) -引用,yǐn yòng,to quote; to cite; to recommend; to appoint; (computing) reference -引用句,yǐn yòng jù,quotation -引申,yǐn shēn,"to extend (the meaning of a word, an analogy etc); derivation" -引申义,yǐn shēn yì,extended meaning (of an expression); derived sense -引发,yǐn fā,to lead to; to trigger; to initiate; to cause; to evoke (emotions) -引种,yǐn zhǒng,(agriculture) to introduce a new plant variety -引种,yǐn zhòng,(agriculture) to plant an introduced variety -引经据典,yǐn jīng jù diǎn,lit. to quote the classics; to quote chapter and verse (idiom) -引线,yǐn xiàn,fuse (for an explosive device); electrical lead; intermediary; catalyst; (dialect) sewing needle -引线框架,yǐn xiàn kuàng jià,(electronics) lead frame -引线穿针,yǐn xiàn chuān zhēn,to thread a needle; (fig.) to act as a go-between -引而不发,yǐn ér bù fā,to pull the bow without shooting (idiom from Mencius); ready and waiting for action; to go through the motions; to practice; a trial run -引脚,yǐn jiǎo,lead; pin (computer hardware) -引着,yǐn zháo,to ignite; to kindle -引荐,yǐn jiàn,to recommend sb; to give a referral -引号,yǐn hào,quotation mark (punct.) -引号完,yǐn hào wán,unquote; end of quote -引号完毕,yǐn hào wán bì,unquote; end of quote -引蛇出洞,yǐn shé chū dòng,lit. to pull a snake from its hole; to expose a malefactor (idiom) -引见,yǐn jiàn,to introduce (sb); (esp.) to present to the emperor -引言,yǐn yán,foreword; introduction -引诱,yǐn yòu,to coerce (sb into doing sth bad); to lure (into a trap); to seduce -引语,yǐn yǔ,quotation -引证,yǐn zhèng,to cite; to quote; to cite as evidence -引起,yǐn qǐ,to give rise to; to lead to; to cause; to arouse -引路,yǐn lù,to guide; to show the way -引述,yǐn shù,to quote -引退,yǐn tuì,to retire from office; to resign -引逗,yǐn dòu,to tantalize; to lead on; to tease -引进,yǐn jìn,to recommend; to introduce (from outside) -引开,yǐn kāi,to lure away; to divert -引领,yǐn lǐng,to crane one's neck; to await eagerly; to lead; to show the way -引颈,yǐn jǐng,to crane one's neck; (fig.) with one's neck outstretched in expectation -引颈就戮,yǐn jǐng jiù lù,to extend one's neck in preparation for execution (idiom) -引体向上,yǐn tǐ xiàng shàng,chin-up (physical exercise) -引鬼上门,yǐn guǐ shàng mén,lit. to invite the devil to one's house (idiom); fig. to introduce a potential source of trouble -弗,fú,(literary) not; used in transliteration -弗吉尼亚,fú jí ní yà,"variant of 弗吉尼亞州|弗吉尼亚州; Virginia, US state" -弗吉尼亚州,fú jí ní yà zhōu,"Virginia, US state" -弗州,fú zhōu,"Virginia, US state; abbr. for 弗吉尼亞州|弗吉尼亚州[Fu2 ji2 ni2 ya4 zhou1]" -弗爱,fú ài,phi (Greek letter Φφ) -弗拉基米尔,fú lā jī mǐ ěr,Vladimir -弗拉明戈,fú lā míng gē,flamenco (Tw) (loanword) -弗拉芒,fú lā máng,"Flemish, inhabitant of Flanders (Belgium)" -弗拉门戈,fú lā mén gē,flamenco (loanword) -弗格森,fú gé sēn,Ferguson (surname) -弗氏鸥,fú shì ōu,(bird species of China) Franklin's gull (Leucophaeus pipixcan) -弗洛伊德,fú luò yī dé,"Floyd (name); Freud (name); Dr Sigmund Freud (1856-1939), the founder of psychoanalysis" -弗洛勒斯岛,fú luò lēi sī dǎo,"Flores, Indonesia; also written 弗洛里斯島|弗洛里斯岛[Fu2 luo4 li3 si1 dao3]" -弗洛姆,fú luò mǔ,Fromm (psychoanalyst) -弗洛里斯岛,fú luò lǐ sī dǎo,"Flores, Indonesia; also written 弗洛勒斯島|弗洛勒斯岛[Fu2 luo4 lei1 si1 dao3]" -弗罗茨瓦夫,fú luó cí wǎ fū,"Wroclaw, Polish city" -弗罗里达,fú luó lǐ dá,"Florida, US state" -弗罗里达州,fú luó lǐ dá zhōu,"Florida, US state" -弗莱威厄斯,fú lái wēi è sī,Flavius (Roman historian of 1st century AD) -弗莱福兰,fú lái fú lán,"Flevoland, province in Netherlands" -弗兰克,fú lán kè,Frank (name) -弗兰兹,fú lán zī,Franz (name) -弗兰西斯,fú lán xī sī,Francis (name) -弗迪南,fú dí nán,Ferdinand (name) -弗里得里希,fú lǐ dé lǐ xī,Friedrich (name) -弗里德里希,fú lǐ dé lǐ xī,Friedrich (name) -弗里敦,fú lǐ dūn,"Freetown, capital of Sierra Leone" -弗里斯兰,fú lǐ sī lán,"Friesland, province of the Netherlands" -弗里曼,fú lǐ màn,Freeman (surname) -弗雷,fú léi,Freyr (god in Norse mythology) -弗雷德里克,fú léi dé lǐ kè,Frederick (name) -弗雷德里克顿,fú léi dé lǐ kè dùn,"Fredericton, capital of New Brunswick, Canada" -弘,hóng,great; liberal -弘图,hóng tú,variant of 宏圖|宏图[hong2 tu2] -弘扬,hóng yáng,to enhance; to promote; to enrich -弘旨,hóng zhǐ,variant of 宏旨[hong2 zhi3] -弘治,hóng zhì,"Hongzhi Emperor, reign name of ninth Ming emperor 朱祐樘[Zhu1 You4 tang2] (1470-1505), reigned 1487-1505, temple name 明孝宗[Ming2 Xiao4 zong1]" -弘法,hóng fǎ,to propagate Buddhist teachings -弘愿,hóng yuàn,variant of 宏願|宏愿[hong2 yuan4] -弛,chí,to unstring a bow; to slacken; to relax; to loosen -弛张热,chí zhāng rè,remittent fever -弛缓,chí huǎn,to relax; to slacken; relaxation (in nuclear magnetic resonance) -弟,dì,younger brother; junior male; I (modest word in letter) -弟,tì,variant of 悌[ti4] -弟兄,dì xiong,brothers; comrade -弟兄们,dì xiōng men,brothers; comrades; men; brethren -弟妹,dì mèi,younger sibling; younger brother's wife -弟妇,dì fù,younger brother's wife; sister-in-law -弟媳,dì xí,younger brother's wife; sister-in-law -弟子,dì zǐ,disciple; follower -弟弟,dì di,"younger brother; CL:個|个[ge4],位[wei4]" -弦,xián,bow string; string of musical instrument; watchspring; chord (segment of curve); hypotenuse; CL:根[gen1] -弦切角,xián qiē jiǎo,chord angle (i.e. angle a chord of a curve makes to the tangent) -弦外之意,xián wài zhī yì,see 弦外之音[xian2 wai4 zhi1 yin1] -弦外之音,xián wài zhī yīn,overtone (music); (fig.) connotation; implied meaning -弦外之响,xián wài zhī xiǎng,see 弦外之音[xian2 wai4 zhi1 yin1] -弦数,xián shù,number of strings (of an instrument) -弦月,xián yuè,half-moon; the 7th and 8th and 22nd and 23rd of the lunar month -弦月窗,xián yuè chuāng,a narrow slit window; a lunette -弦乐,xián yuè,string music -弦乐器,xián yuè qì,string instrument -弦乐队,xián yuè duì,string orchestra -弦歌,xián gē,to sing to a string accompaniment; education (a reference to teaching the people Confucian values by means of song in ancient times) -弦理论,xián lǐ lùn,string theory (physics) -弦而鼓之,xián ér gǔ zhī,"to put strings on the zither, then play it (line from a Ming dynasty text by 劉伯溫|刘伯温[Liu2 Bo2 wen1]); (fig.) to play music" -弦诵不缀,xián sòng bù chuò,variant of 弦誦不輟|弦诵不辍[xian2 song4 bu4 chuo4] -弦诵不辍,xián sòng bù chuò,incessant playing of instruments and reciting of poems (idiom) -弦论,xián lùn,string theory (in theoretical physics) -弦鸣乐器,xián míng yuè qì,string instrument -弧,hú,arc -弧光,hú guāng,arc light -弧光灯,hú guāng dēng,arc lamp -弧度,hú dù,radian; arc; curve; curvature -弧形,hú xíng,curve; arc -弧线,hú xiàn,arc -弧线长,hú xiàn cháng,arc length; length of a curve segment -弧菌,hú jūn,(biology) vibrio -弧长,hú cháng,arc length (the length of a curve segment) -弧长参数,hú cháng cān shù,parametrization by arc length (of a space curve) -弩,nǔ,crossbow -弩兵,nǔ bīng,archer; infantry armed with crossbow -弩弓,nǔ gōng,crossbow -弩炮,nǔ pào,catapult; ballista (siege catapult firing stone blocks) -弭,mǐ,to stop; repress -弮,juàn,"variant of 卷[juan4], curled up scroll" -弮,quān,crossbow (arch.) -弱,ruò,weak; feeble; young; inferior; not as good as; (following a decimal or fraction) slightly less than -弱不禁风,ruò bù jīn fēng,too weak to stand up to the wind (idiom); extremely delicate; fragile state of health -弱作用,ruò zuò yòng,(physics) weak interaction -弱作用力,ruò zuò yòng lì,the weak force (in particle physics) -弱侧,ruò cè,weak side; off side (sports) -弱势,ruò shì,vulnerable; weak -弱势群体,ruò shì qún tǐ,disadvantaged social groups (e.g. the handicapped); the economically and politically marginalized; the dispossessed -弱化,ruò huà,weaken; make weaker -弱小,ruò xiǎo,small and weak; puny; the small and weak; children; women and children -弱智,ruò zhì,weak-minded; mentally deficient; retarded -弱爆,ruò bào,(slang) weak; pathetic; subpar; sucks -弱相互作用,ruò xiāng hù zuò yòng,weak interaction (in particle physics); weak force -弱听,ruò tīng,hard of hearing; hearing-impaired -弱肉强食,ruò ròu qiáng shí,lit. the weak are prey to the strong (idiom); fig. the law of the jungle -弱脉,ruò mài,weak pulse -弱视,ruò shì,amblyopia -弱酸,ruò suān,weak acid -弱电统一,ruò diàn tǒng yī,electro-weak interaction in fermion particle physics -弱音踏板,ruò yīn tà bǎn,soft pedal (on piano); una corda pedal -弱项,ruò xiàng,one's weak area -弱碱,ruò jiǎn,weak base (alkali) -弱点,ruò diǎn,weak point; failing -弪,jìng,radian (math.); now written 弧度 -弪度,jìng dù,radian (math.); now written 弧度 -张,zhāng,surname Zhang -张,zhāng,"to open up; to spread; sheet of paper; classifier for flat objects, sheet; classifier for votes" -张三,zhāng sān,"Zhang San, name for an unspecified person, first of a series of three: 張三|张三[Zhang1 San1], 李四[Li3 Si4], 王五[Wang2 Wu3] Tom, Dick and Harry; (dialect) wolf" -张三李四,zhāng sān lǐ sì,"(lit.) Zhang Three and Li Four; (fig.) any Tom, Dick or Harry" -张丹,zhāng dān,"Zhang Dan (1985-), Chinese figure skater" -张之洞,zhāng zhī dòng,"Zhang Zhidong (1837-1909), prominent politician in late Qing" -张二鸿,zhāng èr hóng,"Jung Chang 張戎|张戎[Zhang1 Rong2] (1952-), British-Chinese writer, author of Wild Swans 野天鵝|野天鹅[Ye3 Tian1 e2] and Mao: The Unknown Story 毛澤東·鮮為人知的故事|毛泽东·鲜为人知的故事[Mao2 Ze2 dong1 · Xian1 wei2 ren2 zhi1 de5 Gu4 shi5]" -张伯伦,zhāng bó lún,"Chamberlain (name); Wilt Chamberlain (1936-1999), US basketball player" -张作霖,zhāng zuò lín,"Zhang Zuolin (c. 1873-1928), warlord of Manchuria 1916-1928" -张僧繇,zhāng sēng yóu,"Zhang Sengyou (active c. 490-540), one of the Four Great Painters of the Six Dynasties 六朝四大家" -张仪,zhāng yí,"Zhang Yi (-309 BC), political strategist of the School of Diplomacy 縱橫家|纵横家[Zong4 heng2 jia1] during the Warring States Period (475-221 BC)" -张冠李戴,zhāng guān lǐ dài,lit. to put Zhang's hat on Li's head; to attribute sth to the wrong person (idiom); to confuse one thing with another -张力,zhāng lì,tension -张勋,zhāng xūn,"Zhang Xun (1854-1923), Qing loyalist general who attempted to restore the abdicated emperor Puyi 溥儀|溥仪[Pu3 yi2] to the throne in the Manchu Restoration of 1917 張勳復辟|张勋复辟[Zhang1 Xun1 Fu4 bi4]" -张勋复辟,zhāng xūn fù bì,"Manchu Restoration of 1917, an attempt by general 張勳|张勋[Zhang1 Xun1] to reinstate the monarchy in China by restoring the abdicated emperor Puyi 溥儀|溥仪[Pu3 yi2] to the throne" -张北,zhāng běi,"Zhangbei county in Zhangjiakou 張家口|张家口[Zhang1 jia1 kou3], Hebei" -张北县,zhāng běi xiàn,"Zhangbei county in Zhangjiakou 張家口|张家口[Zhang1 jia1 kou3], Hebei" -张口,zhāng kǒu,"to open one's mouth (to eat, speak etc); to gape; to start talking (esp. to make a request)" -张口结舌,zhāng kǒu jié shé,agape and tongue-tied (idiom); at a loss for words; gaping and speechless -张嘴,zhāng zuǐ,"to open one's mouth (to speak, esp. to make a request); to gape" -张国荣,zhāng guó róng,"Leslie Cheung (1956-2003), Hong Kong singer and actor" -张国焘,zhāng guó tāo,"Zhang Guotao (1897-1979), Chinese communist leader in the 1920s and 1930s, defected to Guomindang in 1938" -张大千,zhāng dà qiān,"Chang Dai-chien or Zhang Daqian (1899-1983), one of the greatest Chinese artists of the 20th century" -张天翼,zhāng tiān yì,"Zhang Tianyi (1906-1985), children's writer, author of prize-winning fairy tale Secret of the Magic Gourd 寶葫蘆的秘密|宝葫芦的秘密[Bao3 hu2 lu5 de5 Mi4 mi4]" -张太雷,zhāng tài léi,"Zhang Tailei (1898-1927), founding member of Chinese communist party" -张学友,zhāng xué yǒu,"Jacky Cheung or Hok Yau Jacky (1961-), Cantopop and film star" -张学良,zhāng xué liáng,"Zhang Xueliang (1901-2001) son of Fengtian clique warlord, then senior general for the Nationalists and subsequently for the People's Liberation Army" -张家口,zhāng jiā kǒu,"Zhangjiakou, prefecture-level city in Hebei" -张家口市,zhāng jiā kǒu shì,"Zhangjiakou, prefecture-level city in Hebei" -张家川回族自治县,zhāng jiā chuān huí zú zì zhì xiàn,Zhanjiachuan Huizu autonomous county in Gansu -张家港,zhāng jiā gǎng,"Zhangjiagang, county-level city in Suzhou 蘇州|苏州[Su1 zhou1], Jiangsu" -张家港市,zhāng jiā gǎng shì,"Zhangjiagang, county-level city in Suzhou 蘇州|苏州[Su1 zhou1], Jiangsu" -张家界,zhāng jiā jiè,"Zhangjiajie, prefecture-level city in Hunan, formerly Dayong 大庸[Da4 yong1]" -张家界市,zhāng jiā jiè shì,"Zhangjiajie, prefecture-level city in Hunan" -张宁,zhāng níng,"Zhang Ning (1975-), PRC female badminton player and Olympic gold medalist" -张宝,zhāng bǎo,"Zhang Bao (-184), leader of the Yellow Turban rebels during the late Han 漢朝|汉朝[Han4 chao2]" -张居正,zhāng jū zhèng,"Zhang Juzheng (1525-1582), Grand Secretary during the Ming dynasty, credited with bringing the dynasty to its apogee" -张岱,zhāng dài,"Zhang Dai (1597-c. 1684), late Ming scholar" -张店,zhāng diàn,"Zhangdian District of Zibo city 淄博市[Zi1 bo2 shi4], Shandong" -张店区,zhāng diàn qū,"Zhangdian District of Zibo city 淄博市[Zi1 bo2 shi4], Shandong" -张廷玉,zhāng tíng yù,"Zhang Tingyu (1672-1755), Qing politician, senior minister to three successive emperors, oversaw compilation of History of the Ming Dynasty 明史[Ming2 shi3] and the Kangxi Dictionary 康熙字典[Kang1 xi1 Zi4 dian3]" -张弛,zhāng chí,tension and relaxation -张德江,zhāng dé jiāng,"Zhang Dejiang (1946-), PRC politician" -张心,zhāng xīn,to be troubled; to be concerned -张志新,zhāng zhì xīn,"Zhang Zhixin (1930-1975) female revolutionary and martyr, who followed the true Marxist-Leninist line as a party member, and was arrested in 1969, then executed in 1975 after opposing the counterrevolutionary party-usurping conspiracies of Lin Biao and the Gang of Four, and only rehabilitated posthumously in 1979" -张怡,zhāng yí,"Zhang Yi (1608-1695), prolific author and poet spanning interregnum between Ming and Qing" -张怡宁,zhāng yí níng,"Zhang Yining (1981-), PRC female table tennis player and Olympic gold medalist" -张惠妹,zhāng huì mèi,"A-Mei, aka Gulilai Amit (1972-), aboriginal Taiwanese pop singer" -张惶,zhāng huáng,variant of 張皇|张皇[zhang1 huang2] -张爱玲,zhāng ài líng,"Eileen Chang (1920-1995), famous Chinese-American novelist" -张戎,zhāng róng,"Jung Chang (1952-), British-Chinese writer, name at birth Zhang Erhong 張二鴻|张二鸿[Zhang1 Er4 hong2], author of Wild Swans 野天鵝|野天鹅[Ye3 Tian1 e2] and Mao: The Unknown Story 毛澤東·鮮為人知的故事|毛泽东·鲜为人知的故事[Mao2 Ze2 dong1 · Xian1 wei2 ren2 zhi1 de5 Gu4 shi5]" -张成泽,zhāng chéng zé,"Jang Song-taek (1946-2013), brother-in-law of Kim Jong-il 金正日[Jin1 Zheng4 ri4], uncle and mentor of Kim Jong-un 金正恩[Jin1 Zheng4 en1], in 2013 accused of being a counter-revolutionary and executed" -张掖,zhāng yè,"Zhangye, prefecture-level city in Gansu" -张掖市,zhāng yè shì,"Zhangye, prefecture-level city in Gansu" -张挂,zhāng guà,"to hang up (a picture, banner, mosquito net etc)" -张揖,zhāng yī,"Zhang Yi (c. 3rd century), literary figure from Wei of the Three Kingdoms, other name 稚讓|稚让[Zhi4 rang4], named as compiler of earliest extant Chinese encyclopedia 廣雅|广雅[Guang3 ya3] and several lost works" -张扬,zhāng yáng,"Zhang Yang (1967-), PRC film director and screenwriter" -张扬,zhāng yáng,to display ostentatiously; to bring out into the open; to make public; to spread around; flamboyant; brash -张择端,zhāng zé duān,"Zhang Zeduan (1085-1145), Song dynasty painter" -张敞,zhāng chǎng,"Zhang Chang, official and scholar of the Western Han dynasty" -张斌,zhāng bīn,"Zhang Bin (1979-), CCTV sports presenter" -张旭,zhāng xù,"Zhang Xu (probably early 8th century), Tang dynasty poet and calligrapher, most famous for his grass script 草書|草书" -张易之,zhāng yì zhī,"Zhang Yizhi (-705), Tang dynasty politician and favorite of Empress Wu Zetian 武則天|武则天[Wu3 Ze2 tian1]" -张春帆,zhāng chūn fān,"Zhang Chunfan (-1935), late Qing novelist, author of The Nine-tailed Turtle 九尾龜|九尾龟" -张春桥,zhāng chūn qiáo,"Zhang Chunqiao (1917-2005), one of the Gang of Four" -张曼玉,zhāng màn yù,"Maggie Cheung (1964-), Hong Kong actress" -张望,zhāng wàng,to look around; to peep (through a crack); to peer at; to throw a look at -张柏芝,zhāng bó zhī,"Cecilia Cheung (1980-), Hong Kong actress and pop singer" -张治中,zhāng zhì zhōng,"Zhang Zhizhong (1890-1969), National Revolutionary Army general" -张溥,zhāng pǔ,"Zhang Pu (1602-1641), Ming dynasty scholar and prolific writer, proponent of 複社|复社[fu4 she4] cultural renewal movement, author of Five tombstone inscriptions 五人墓碑記|五人墓碑记[wu3 ren2 mu4 bei1 ji4]" -张湾,zhāng wān,"Zhangwan district of Shiyan city 十堰市[Shi2 yan4 shi4], Hubei" -张湾区,zhāng wān qū,"Zhangwan district of Shiyan city 十堰市[Shi2 yan4 shi4], Hubei" -张灯结彩,zhāng dēng jié cǎi,to be decorated with lanterns and colored banners (idiom) -张牙舞爪,zhāng yá wǔ zhǎo,to bare fangs and brandish claws (idiom); to make threatening gestures -张狂,zhāng kuáng,brash; insolent; frantic -张献忠,zhāng xiàn zhōng,"Zhang Xianzhong (1606-1647), leader of a late-Ming peasant revolt" -张王李赵,zhāng wáng lǐ zhào,"any Tom, Dick or Harry; anyone" -张皇,zhāng huáng,alarmed; flustered -张皇失措,zhāng huáng shī cuò,panic-stricken (idiom); to be in a flustered state; also written 張惶失措|张惶失措[zhang1 huang2 shi1 cuo4] -张目,zhāng mù,to open one's eyes wide -张秋,zhāng qiū,Cho Chang (Harry Potter) -张籍,zhāng jí,"Zhang Ji (767-830), Tang Dynasty poet" -张纯如,zhāng chún rú,"Iris Chang (1968-2004), Chinese American historian and author of ""The Rape of Nanking""" -张罗,zhāng luo,"to take care of; to raise money; to attend to (guests, customers etc)" -张闻天,zhāng wén tiān,"Zhang Wentian (1900-1976), CCP party leader and theorist" -张自忠,zhāng zì zhōng,"Zhang Zizhong (1891-1940), Chinese National Revolutionary Army general during the Second Sino-Japanese War" -张自烈,zhāng zì liè,"Zhang Zilie (1597-1673), Ming dynasty scholar, author of Zhengzitong 正字通[Zheng4 zi4 tong1]" -张若虚,zhāng ruò xū,"Zhang Ruoxu (c. 660-720), Tang dynasty poet, author of yuefu poem River on a spring night 春江花月夜" -张华,zhāng huá,"Zhang Hua (232-300), Western Jin writer, poet and politician; Zhang Hua (1958-1982), student held up as a martyr after he died saving an old peasant from a septic tank; other Zhang Hua's too numerous to mention" -张荫桓,zhāng yìn huán,"Zhang Yinhuan (1837-1900), late Qing politician and senior Chinese diplomat" -张艺谋,zhāng yì móu,"Zhang Yimou (1950-), PRC film director" -张衡,zhāng héng,Zhang Heng (78-139) great Han dynasty astronomer and mathematician -张角,zhāng jué,"Zhang Jue (-184), leader of the Yellow turban rebels during the late Han" -张贴,zhāng tiē,to post (a notice); to advertise -张量,zhāng liàng,tensor (math.) -张开,zhāng kāi,to open up; to spread; to extend -张震,zhāng zhèn,"Chang Chen (1976-), Taiwanese film actor" -张静初,zhāng jìng chū,"Zhang Jingchu (1980-), PRC actress" -张韶涵,zhāng sháo hán,"Angela Chang (1982-), Taiwanese pop singer and actress" -张飞,zhāng fēi,"Zhang Fei (168-221), general of Shu and blood-brother of Liu Bei in Romance of the Three Kingdoms, famous as fearsome fighter and lover of wine" -张飞打岳飞,zhāng fēi dǎ yuè fēi,lit. Zhang Fei fights Yue Fei; fig. an impossible combination; an impossible turn of events (idiom) -张骞,zhāng qiān,"Zhang Qian (-114 BC), Han dynasty explorer of 2nd century BC" -张高丽,zhāng gāo lì,"Zhang Gaoli (1946-), PRC politician" -强,qiáng,surname Qiang -强,jiàng,stubborn; unyielding -强,qiáng,"strong; powerful; better; slightly more than; vigorous; violent; best in their category, e.g. see 百強|百强[bai3 qiang2]" -强,qiǎng,to force; to compel; to strive; to make an effort -强中更有强中手,qiáng zhōng gèng yǒu qiáng zhōng shǒu,see 強中自有強中手|强中自有强中手[qiang2 zhong1 zi4 you3 qiang2 zhong1 shou3] -强中自有强中手,qiáng zhōng zì yǒu qiáng zhōng shǒu,"(idiom) however strong you are, there is always someone stronger" -强人,qiáng rén,"(politics) strongman; (in the workplace, esp. of a woman) a highly capable person; (old) robber" -强人所难,qiǎng rén suǒ nán,to force someone to do something -强令,qiáng lìng,to order by force; peremptory -强似,qiáng sì,to be better than -强占,qiáng zhàn,to occupy by force -强作用,qiáng zuò yòng,strong interaction (governing hadrons in nuclear physics) -强作用力,qiáng zuò yòng lì,the strong force (in nuclear physics) -强使,qiǎng shǐ,to force; to oblige -强健,qiáng jiàn,sturdy -强兵,qiáng bīng,strong soldiers; make the military powerful (political slogan) -强制,qiáng zhì,to force; to compel; to coerce; forced; compulsory; Taiwan pr. [qiang3zhi4] -强力,qiáng lì,powerful -强力胶,qiáng lì jiāo,superglue -强加,qiáng jiā,to impose; to force upon -强劲,qiáng jìng,strong; powerful; robust -强势,qiáng shì,strong; powerful; (linguistics) emphatic; intensive -强化,qiáng huà,to strengthen; to intensify -强吻,qiáng wěn,to forcibly kiss; to kiss without consent -强嘴,jiàng zuǐ,to talk back; to reply defiantly -强国,qiáng guó,(ironically) mainland China (Taiwan & Hong Kong usage) -强国,qiáng guó,powerful country; great power -强壮,qiáng zhuàng,strong; sturdy; robust -强大,qiáng dà,big and strong; formidable; powerful -强如,qiáng rú,to be better than -强奸,qiáng jiān,to rape -强奸犯,qiáng jiān fàn,rapist -强奸罪,qiáng jiān zuì,rape -强子,qiáng zǐ,hadron (particle physics) -强将手下无弱兵,qiáng jiàng shǒu xià wú ruò bīng,there are no poor soldiers under a good general (idiom) -强干,qiáng gàn,competent; capable -强度,qiáng dù,strength; intensity; CL:個|个[ge4] -强弩之末,qiáng nǔ zhī mò,lit. an arrow at the end of its flight (idiom); fig. spent force -强弱,qiáng ruò,strong or weak; intensity; amount of force or pressure -强征,qiǎng zhēng,to press into service; to impress; to commandeer -强心剂,qiáng xīn jì,cardiac stimulant -强心针,qiáng xīn zhēn,heart-strengthening shot; fig. a shot in the arm -强忍,qiǎng rěn,to resist (with great difficulty) -强忍悲痛,qiáng rěn bēi tòng,to try hard to suppress one's grief (idiom) -强悍,qiáng hàn,tough; strong; formidable; fearsome -强打,qiáng dǎ,promotion (for a product); advertisement -强扭的瓜不甜,qiǎng niǔ de guā bù tián,"lit. if you have to use force to break a melon off the vine, it won't taste sweet (because it's only when the melon is ripe that it can be removed with just a slight twist) (idiom); fig. if sth is not meant to be, it's no use trying to force it to happen" -强拉,qiǎng lā,to drag (sb) along (to a place); to yank -强撑,qiǎng chēng,to use all one's willpower (to do sth); to hang in there -强攻,qiáng gōng,(military) to take by storm -强敌,qiáng dí,powerful enemy -强暴,qiáng bào,violent; to rape -强有力,qiáng yǒu lì,strong; forceful -强梁,qiáng liáng,ruffian; bully -强横,qiáng hèng,surly and unreasoning; bullying; tyrannical -强档,qiáng dàng,prime time -强权,qiáng quán,power; might -强求,qiǎng qiú,to insist on; to demand; to impose -强流,qiáng liú,high current (e.g. electric) -强烈,qiáng liè,strong; intense -强烈反对,qiáng liè fǎn duì,to oppose strongly; violently opposed to -强生,qiáng shēng,Johnson (surname); Johnson & Johnson (company) -强生公司,qiáng shēng gōng sī,Johnson & Johnson -强盛,qiáng shèng,rich and powerful -强盗,qiáng dào,to rob (with force); bandit; robber; CL:個|个[ge4] -强直性脊柱炎,qiáng zhí xìng jǐ zhù yán,ankylosing spondylitis; Bechterew’s disease -强相互作用,qiáng xiāng hù zuò yòng,strong interaction (in particle physics); strong force -强硬,qiáng yìng,tough; unyielding; hard-line -强硬态度,qiáng yìng tài dù,unyielding attitude -强硬派,qiáng yìng pài,hardline faction; hawks -强硬立场,qiáng yìng lì chǎng,tough position -强脚树莺,qiáng jiǎo shù yīng,(bird species of China) brown-flanked bush warbler (Horornis fortipes) -强行,qiáng xíng,to do sth by force; Taiwan pr. [qiang3 xing2] -强词夺理,qiǎng cí duó lǐ,to twist words and force logic (idiom); sophistry; loud rhetoric making up for fallacious argument; shoving false arguments down people's throats -强调,qiáng diào,to emphasize (a statement); to stress -强买强卖,qiǎng mǎi qiǎng mài,to force sb to buy or sell; to trade using coercion -强身,qiáng shēn,"to strengthen one's body; to keep fit; to build up one's health (through exercise, nutrition etc)" -强身健体,qiáng shēn jiàn tǐ,to keep fit and healthy -强辐射区,qiáng fú shè qū,radioactive hot spot -强辩,qiǎng biàn,to try to make one's case using false arguments -强辩到底,qiǎng biàn dào dǐ,to argue endlessly; to try to have the last word -强迫,qiǎng pò,to compel; to force -强迫劳动,qiǎng pò láo dòng,forced labor (as punishment in criminal case) -强迫性,qiǎng pò xìng,compulsive; obsessive -强迫性储物症,qiǎng pò xìng chǔ wù zhèng,compulsive hoarding -强迫性性行为,qiǎng pò xìng xìng xíng wéi,sexual obsession -强迫症,qiǎng pò zhèng,obsessive-compulsive disorder (OCD) -强迫观念,qiǎng pò guān niàn,compelling notion; obsession -强逼,qiǎng bī,to compel; to force -强队,qiáng duì,a powerful team (sports) -强震,qiáng zhèn,powerful earthquake; abbr. for 強烈地震|强烈地震 -强韧,qiáng rèn,resilient; tough and strong -强音踏板,qiáng yīn tà bǎn,loud pedal (on piano); sustaining pedal -强项,qiáng xiàng,key strength; strong suit; specialty -强颜欢笑,qiǎng yán huān xiào,to pretend to look happy; to force oneself to smile -强风,qiáng fēng,strong breeze (meteorology) -强碱,qiáng jiǎn,strong alkali -强龙不压地头蛇,qiáng lóng bù yā dì tóu shé,lit. strong dragon cannot repress a snake (idiom); fig. a local gangster who is above the law -弼,bì,to assist -彀,gòu,"to draw a bow to the full; the range of a bow and arrow; old variant of 夠|够[gou4], enough" -彀中,gòu zhōng,within the range of a bow and arrow; (fig.) under sb's control -别,biè,"to make sb change their ways, opinions etc" -别嘴,biè zuǐ,mouthful (awkward speech); tongue-twister -别扭,biè niu,awkward; difficult; uncomfortable; not agreeing; at loggerheads; gauche -弹,dàn,crossball; bullet; shot; shell; ball -弹,tán,to pluck (a string); to play (a string instrument); to spring or leap; to shoot (e.g. with a catapult); (of cotton) to fluff or tease; to flick; to flip; to accuse; to impeach; elastic (of materials) -弹丸,dàn wán,pellet -弹丸之地,dàn wán zhī dì,(idiom) tiny speck of land; small area -弹冠相庆,tán guān xiāng qìng,"lit. to flick dust off sb's cap (idiom); to celebrate an official appointment; to congratulate and celebrate (promotion, graduation etc)" -弹出,tán chū,to eject; to exit from; to pop up -弹力,tán lì,elasticity; elastic force; spring; rebound; bounce -弹劾,tán hé,to impeach (an official) -弹匣,dàn xiá,magazine (for ammunition) -弹唱,tán chàng,to sing and play (plucked string instrument) -弹回,tán huí,to rebound -弹坑,dàn kēng,bomb crater -弹涂鱼,tán tú yú,mudskipper (amphibious fish) -弹压,tán yā,to suppress; to quell (a disturbance); repression -弹夹,dàn jiā,ammunition clip; cartridge clip; magazine (for ammunition) -弹奏,tán zòu,"to play (musical instrument, esp. string)" -弹子,dàn zi,"slingshot pellet; playing marbles; billiards; CL:粒[li4],顆|颗[ke1]" -弹子,tán zi,towrope -弹子锁,dàn zi suǒ,pin tumbler lock; spring lock -弹孔,dàn kǒng,bullet hole -弹射,tán shè,to catapult; to launch; to eject (from a plane); to shoot -弹射出,tán shè chū,to catapult; to shoot -弹射座椅,tán shè zuò yǐ,ejection seat -弹射座舱,tán shè zuò cāng,ejection capsule (cabin) -弹幕,dàn mù,"barrage (military); ""bullet screen"", function which allows viewers to post on-screen comments in videos, movies etc in real time; danmaku (video game subgenre)" -弹弓,dàn gōng,catapult; slingshot -弹性,tán xìng,flexibility; elasticity -弹性形变,tán xìng xíng biàn,elastic deformation -弹性模量,tán xìng mó liàng,modulus of elasticity; coefficient of restitution -弹指,tán zhǐ,to snap one's fingers; (fig.) in a flash; in an instant -弹指一挥间,tán zhǐ yī huī jiān,in a flash (idiom) -弹指之间,tán zhǐ zhī jiān,(idiom) in a flash; instantly -弹拨,tán bō,to pluck (a string) -弹拨乐,tán bō yuè,plucked string music -弹拨乐器,tán bō yuè qì,plucked string instrument; CL:件[jian4] -弹斥,tán chì,accuse and criticize -弹壳,dàn ké,ammunition case -弹片,dàn piàn,shrapnel; shell fragment -弹片,tán piàn,plectrum -弹牙,tán yá,al dente -弹珠,dàn zhū,marbles -弹珠台,dàn zhū tái,pinball -弹球,tán qiú,to play marbles -弹球盘,tán qiú pán,pachinko -弹琴,tán qín,to play or strum a lute or other stringed instrument -弹痕,dàn hén,bullet hole; shell hole -弹痕累累,dàn hén lěi lěi,bullet-riddled -弹尽援绝,dàn jìn yuán jué,out of ammunition and no hope of reinforcements (idiom); in desperate straits -弹尽粮绝,dàn jìn liáng jué,out of ammunition and no food left (idiom); in desperate straits -弹窗,tán chuāng,pop-up window (computing) -弹簧,tán huáng,spring -弹簧刀,tán huáng dāo,flick knife; switchblade; spring-loaded knife -弹簧垫圈,tán huáng diàn quān,spring washer -弹簧秤,tán huáng chèng,spring balance -弹簧锁,tán huáng suǒ,spring lock -弹簧门,tán huáng mén,swing door -弹纠,tán jiū,to accuse; to impeach -弹舌,tán shé,to cluck; to trill -弹花,tán huā,to soften cotton fiber by fluffing -弹药,dàn yào,ammunition -弹药库,dàn yào kù,ammunition dump -弹药补给站,dàn yào bǔ jǐ zhàn,ammunition depot -弹词,tán cí,"ballad tune in southern dialects, usually to sanxian 三弦 or pipa 琵琶 accompaniment" -弹跳,tán tiào,to bounce; to jump; to leap -弹跳板,tán tiào bǎn,springboard -弹道,dàn dào,trajectory (of a projectile); ballistic curve -弹道导弹,dàn dào dǎo dàn,ballistic missile -弹雨,dàn yǔ,hail of bullets -弹头,dàn tóu,warhead -强,jiàng,variant of 強|强[jiang4] -强,qiáng,variant of 強|强[qiang2] -强,qiǎng,variant of 強|强[qiang3] -弥,mí,full; to fill; completely; more -弥勒,mí lè,"Mile county in Honghe Hani and Yi autonomous prefecture, Yunnan; Maitreya, the future Bodhisattva, to come after Shakyamuni Buddha" -弥勒佛,mí lè fó,Maitreya; the Bodhisattva that will be the next to come after Shakyamuni Buddha -弥勒县,mí lè xiàn,"Mile county in Honghe Hani and Yi autonomous prefecture, Yunnan" -弥勒菩萨,mí lè pú sà,Maitreya Bodhisattva -弥合,mí hé,to cause a wound to close up and heal -弥天,mí tiān,"filling the entire sky; covering everything (of fog, crime, disaster etc)" -弥天大谎,mí tiān dà huǎng,a pack of lies (idiom) -弥封,mí fēng,to sign across the seal (as a precaution against fraud) -弥撒,mí sa,(Catholic) Mass -弥散,mí sàn,"to dissipate everywhere (of light, sound, gas etc)" -弥月,mí yuè,full moon; first full moon after birth (i.e. entering the second month) -弥望,mí wàng,a full view -弥渡,mí dù,"Midu county in Dali Bai autonomous prefecture 大理白族自治州[Da4 li3 Bai2 zu2 zi4 zhi4 zhou1], Yunnan" -弥渡县,mí dù xiàn,"Midu county in Dali Bai autonomous prefecture 大理白族自治州[Da4 li3 Bai2 zu2 zi4 zhi4 zhou1], Yunnan" -弥满,mí mǎn,to be full -弥漫,mí màn,"to pervade; to fill the air; diffuse; everywhere present; about to inundate (water); permeated by (smoke); filled with (dust); to saturate (the air with fog, smoke etc)" -弥留,mí liú,seriously ill and about to die -弥留之际,mí liú zhī jì,on one's deathbed; at the point of death -弥缝,mí féng,to cover up mistakes or crimes; to stitch up; to fix -弥蒙,mí méng,impenetrable thick fog or smoke -弥补,mí bǔ,to complement; to make up for a deficiency -弥赛亚,mí sài yà,Messiah -弥足珍贵,mí zú zhēn guì,extremely precious; valuable -弥迦书,mí jiā shū,Book of Micah -弥陀,mí tuó,"Amitabha, the Buddha of the Western Paradise; abbr. for 阿彌陀佛|阿弥陀佛; Mituo or Mito township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -弥陀乡,mí tuó xiāng,"Mituo or Mito township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -弯,wān,to bend; bent; a bend; a turn (in a road etc); CL:道[dao4] -弯嘴滨鹬,wān zuǐ bīn yù,(bird species of China) curlew sandpiper (Calidris ferruginea) -弯子,wān zi,bend; turn; curve -弯弯,wān wān,"Wan Wan (1981-), Taiwanese blogger and cartoonist" -弯弯曲曲,wān wān qū qū,curved; meandering; zigzagging -弯折,wān zhé,to bend -弯曲,wān qū,to bend; to curve around; curved; crooked; to wind; to warp -弯曲度,wān qū dù,curvature; camber -弯曲空间,wān qū kōng jiān,curved space -弯月,wān yuè,crescent moon; crescent shape -弯月形透镜,wān yuè xíng tòu jìng,meniscus lens -弯液面,wān yè miàn,meniscus (physics) -弯男,wān nán,gay guy -弯管面,wān guǎn miàn,elbow pasta -弯腰,wān yāo,to stoop -弯腰驼背,wān yāo tuó bèi,slouch; stoop; poor posture -弯角,wān jiǎo,corner; bend; curve -弯路,wān lù,winding road; roundabout route; detour; (fig.) wrong way (of doing sth) -弯道,wān dào,winding road; road curve -弯道超车,wān dào chāo chē,to overtake on a bend (driving); (fig.) taking opportunity of tight corners to make swift progress (economy etc) -彐,jì,pig snout (Kangxi radical 58) -彑,jì,variant of 彐[ji4] -录,lù,to carve wood -彖,tuàn,to foretell the future using the trigrams of the Book of Changes 易經|易经 -彖辞,tuàn cí,to interpret the divinatory trigrams -彗,huì,broom -彗星,huì xīng,comet -彗核,huì hé,comet nucleus -彘,zhì,swine -汇,huì,class; collection -汇报,huì bào,to report; to give an account of; report -汇整,huì zhěng,to collect and organize (papers etc); to archive (data); to summarize (evidence etc); summary -汇映,huì yìng,variant of 匯映|汇映[hui4 ying4] -汇注,huì zhù,annotated collection -汇算,huì suàn,to collect data and square up; to settle accounts -汇编,huì biān,variant of 匯編|汇编[hui4 bian1] -汇总,huì zǒng,to gather (data etc) -汇总表,huì zǒng biǎo,summary table -汇集,huì jí,to collect; to compile; to converge -彝,yí,ancient wine vessel; ancient sacrificial vessel; Yi ethnic group; normal nature of man; laws and rules -彝伦,yí lún,cardinal human relationships -彝剧,yí jù,Yi opera -彝器,yí qì,ritual objects; sacral vessels -彝宪,yí xiàn,laws; regulations; rules -彝族,yí zú,Yi ethnic group -彝族年,yí zú nián,Yi New Year -彝良,yí liáng,"Yiliang county in Zhaotong 昭通[Zhao1 tong1], Yunnan" -彝良县,yí liáng xiàn,"Yiliang county in Zhaotong 昭通[Zhao1 tong1], Yunnan" -彝训,yí xùn,regular exhortations -彟,huò,see 武士彠|武士彟[Wu3 Shi4 huo4]; old variant of 蒦[huo4] -彡,shān,"""bristle"" radical in Chinese characters (Kangxi radical 59)" -形,xíng,to appear; to look; form; shape -形上,xíng shàng,metaphysics -形似,xíng sì,similar in shape and appearance -形像,xíng xiàng,form; image -形制,xíng zhì,form; shape; structure; design -形胜,xíng shèng,(of a location) strategic; advantageous -形势,xíng shì,circumstances; situation; terrain; CL:個|个[ge4] -形势严峻,xíng shì yán jùn,in grave difficulties; the situation is grim -形同,xíng tóng,tantamount to; to be like -形同虚设,xíng tóng xū shè,to exist in name only; empty shell; useless (idiom) -形同陌路,xíng tóng mò lù,to be estranged -形单影只,xíng dān yǐng zhī,(idiom) lonely soul; solitary -形婚,xíng hūn,"sham marriage, esp. a marriage between a gay man and a lesbian arranged in response to parental expectations of a conventional marriage (abbr. for 形式婚姻[xing2 shi4 hun1 yin1])" -形容,xíng róng,to describe; (literary) countenance; appearance -形容词,xíng róng cí,adjective -形容词短语,xíng róng cí duǎn yǔ,adjectival phrase -形容辞,xíng róng cí,adjective -形式,xíng shì,outer appearance; form; shape; formality; CL:個|个[ge4] -形式主义,xíng shì zhǔ yì,Formalism (art) -形式化,xíng shì huà,formalization; formalized -形式发票,xíng shì fā piào,pro forma invoice -形形色色,xíng xíng sè sè,all kinds of; all sorts of; every (different) kind of -形影不离,xíng yǐng bù lí,inseparable (as form and shadow) -形影相吊,xíng yǐng xiāng diào,with only body and shadow to comfort each other (idiom); extremely sad and lonely -形影相随,xíng yǐng xiāng suí,lit. body and shadow follow each other (idiom); fig. inseparable -形意拳,xíng yì quán,Xingyiquan (Chinese martial art) -形态,xíng tài,shape; form; pattern; morphology -形态学,xíng tài xué,morphology (in biology or linguistics) -形态发生素,xíng tài fā shēng sù,morphogen -形成,xíng chéng,to form; to take shape -形成层,xíng chéng céng,vascular cambium (layer of tissue responsible for growth inside wood) -形于色,xíng yú sè,to show one's feelings; to show it in one's face -形旁,xíng páng,semantic component of a phono-semantic character (e.g. component 刂[dao1] in 刻[ke4]) -形核,xíng hé,nucleation -形状,xíng zhuàng,form; shape; CL:個|个[ge4] -形神,xíng shén,body and soul; physical and spiritual; material form and internal spirit -形符,xíng fú,semantic component of a phono-semantic character (e.g. component 刂[dao1] in 刻[ke4]) -形而上学,xíng ér shàng xué,metaphysics -形声,xíng shēng,"ideogram plus phonetic (one of the Six Methods 六書|六书 of forming Chinese characters); also known as phonogram, phonetic compound or picto-phonetic character" -形声字,xíng shēng zì,phono-semantic compound character -形色,xíng sè,shape and color; appearance; facial expression -形译,xíng yì,"derivation of a Chinese loanword from Japanese by using the same characters (or variants) but applying Chinese pronunciation (e.g. 場合|场合[chang3 he2], derived from Japanese 場合, pronounced ""ba'ai"")" -形变,xíng biàn,deformation; bending -形象,xíng xiàng,image; form; figure; CL:個|个[ge4]; visualization; vivid -形象代言人,xíng xiàng dài yán rén,(brand or organization) ambassador; face (of a brand or company) -形象大使,xíng xiàng dà shǐ,person who represents an organization and enhances its image; an ambassador -形象艺术,xíng xiàng yì shù,visual arts -形貌,xíng mào,appearance -形质,xíng zhì,form; structure; design -形迹,xíng jì,manner; bearing; trace; mark; trail; etiquette -形骸,xíng hái,the human body; skeleton -形体,xíng tǐ,figure; physique; form and structure -彤,tóng,surname Tong -彤,tóng,red -彤管贻,tóng guǎn yí,presents between lovers -彦,yàn,accomplished; elegant -彧,yù,accomplished; elegant -彩,cǎi,(bright) color; variety; applause; applaud; lottery prize -彩鹮,cǎi huán,(bird species of China) glossy ibis (Plegadis falcinellus) -彩信,cǎi xìn,multimedia messaging service (MMS) (telecommunications) -彩券,cǎi quàn,lottery ticket -彩印,cǎi yìn,color printing; abbr. for 彩色印刷[cai3 se4 yin4 shua1] -彩卷,cǎi juǎn,color film; abbr. for 彩色膠卷|彩色胶卷; lottery ticket -彩塑,cǎi sù,painted clay figure -彩妆,cǎi zhuāng,makeup; cosmetics -彩带,cǎi dài,colored ribbon; streamer; CL:條|条[tiao2] -彩弹,cǎi dàn,paintball -彩排,cǎi pái,dress rehearsal; to have a dress rehearsal -彩扩,cǎi kuò,to enlarge color photos; color film processing -彩旗,cǎi qí,colored flag -彩民,cǎi mín,lottery player -彩泥,cǎi ní,playdough -彩画,cǎi huà,color painting -彩票,cǎi piào,lottery ticket -彩礼,cǎi lǐ,betrothal gift; bride price -彩练,cǎi liàn,colored ribbon -彩绘,cǎi huì,painted; colored painted-on designs -彩声,cǎi shēng,applause; cheering -彩色,cǎi sè,color; multicolored -彩色笔,cǎi sè bǐ,colored pencil (or crayon or marker etc); (Tw) color marker -彩虹,cǎi hóng,rainbow; CL:道[dao4] -彩虹屁,cǎi hóng pì,(neologism c. 2017) (slang) over-the-top praise -彩虹族群,cǎi hóng zú qún,the LGBT+ community -彩虹旗,cǎi hóng qí,"rainbow flag, aka LGBT pride flag" -彩虹蜂虎,cǎi hóng fēng hǔ,(bird species of China) rainbow bee-eater (Merops ornatus) -彩虹行动,cǎi hóng xíng dòng,"the two mass scuttling operations carried out by the German navy: the scuttling of the German fleet at Scapa Flow in 1919 and Operation Regenbogen, the scuttling of U-boats in 1945" -彩虹鹦鹉,cǎi hóng yīng wǔ,(bird species of China) rainbow lorikeet (Trichoglossus haematodus) -彩蚌,cǎi bàng,painted shell; painting on shell -彩蛋,cǎi dàn,painted eggshell; Easter egg; (media) Easter egg (hidden feature in software or a movie etc); post-credits scene -彩衣,cǎi yī,colored clothes; motley attire -彩超,cǎi chāo,color Doppler imaging (CDI) (medicine) -彩车,cǎi chē,float (in a parade) -彩铃,cǎi líng,(telephony) ringback tone -彩云,cǎi yún,rosy clouds; CL:朵[duo3] -彩电,cǎi diàn,color TV -彩电视,cǎi diàn shì,color TV -彩霞,cǎi xiá,clouds tinged with sunset hues -彩头,cǎi tóu,"good omen; good luck (in business etc); profits (gained in gambling, lottery etc)" -彩鹬,cǎi yù,(bird species of China) greater painted-snipe (Rostratula benghalensis) -彩鹳,cǎi guàn,(bird species of China) painted stork (Mycteria leucocephala) -彪,biāo,tiger stripes; tiger cub; (old) classifier for troops -彪休,biāo xiū,angry; wrathful -彪个子,biāo gè zi,tall and strong physique -彪壮,biāo zhuàng,tall and husky; hefty -彪子,biāo zi,a frolicsome creature -彪形,biāo xíng,husky; burly -彪形大汉,biāo xíng dà hàn,burly chap; husky fellow -彪悍,biāo hàn,tough as nails; formidable; kick-ass; plucky -彪炳,biāo bǐng,shining; splendid -彪炳千古,biāo bǐng qiān gǔ,to shine through the ages (idiom) -彪焕,biāo huàn,brilliant and shining; outstanding and elegant -彪蒙,biāo méng,to develop the mind -彪马,biāo mǎ,Puma (brand) -雕,diāo,"variant of 雕[diao1], to engrave" -彬,bīn,urbane; well-bred; cultivated -彬彬,bīn bīn,"refined, gentle, and elegant" -彬彬君子,bīn bīn jūn zǐ,refined gentleman -彬彬有礼,bīn bīn yǒu lǐ,refined and courteous; urbane -彬县,bīn xiàn,"Bin County in Xianyang 咸陽|咸阳[Xian2 yang2], Shaanxi" -彬蔚,bīn wèi,erudite and refined -彬马那,bīn mǎ nà,"Pyinmana, town in central Myanmar" -彭,péng,surname Peng -彭亨,péng hēng,Pahang province of Malaysia -彭佳屿,péng jiā yǔ,"Pengjia Island, administered as part of Chilung or Keelung 基隆[Ji1 long2], Taiwan" -彭勃,péng bó,Peng Bo -彭博,péng bó,"Bloomberg (name); Michael Bloomberg (1942-), US billionaire businessman, politician and philanthropist" -彭博新闻社,péng bó xīn wén shè,Bloomberg News -彭博社,péng bó shè,Bloomberg News -彭博通讯社,péng bó tōng xùn shè,"Bloomberg L.P., financial software services, news and data company" -彭定康,péng dìng kāng,"Chris Patten (1944-), last British Governor of Hong Kong 1992-1997" -彭山,péng shān,"Pengshan County in Meishan 眉山市[Mei2 shan1 Shi4], Sichuan" -彭山县,péng shān xiàn,"Pengshan County in Meishan 眉山市[Mei2 shan1 Shi4], Sichuan" -彭州,péng zhōu,"Pengzhou, county-level city in Chengdu 成都[Cheng2 du1], Sichuan" -彭州市,péng zhōu shì,"Pengzhou, county-level city in Chengdu 成都[Cheng2 du1], Sichuan" -彭德怀,péng dé huái,"Peng Dehuai (1898-1974), top communist general, subsequently politician and politburo member, disgraced after attacking Mao's failed policies in 1959, and died after extensive persecution during the Cultural Revolution" -彭斯,péng sī,"Mike Pence (1959-), US Republican politician, US vice president from 2017" -彭水县,péng shuǐ xiàn,Pengshui Miao and Tujia autonomous county in Qianjiang suburbs of Chongqing municipality -彭水苗族土家族自治县,péng shuǐ miáo zú tǔ jiā zú zì zhì xiàn,Pengshui Miao and Tujia Autonomous County in southeastern Chongqing 重慶|重庆[Chong2qing4] -彭湖,péng hú,"Penghu island county of Taiwan, off the coast of Kaohsiung" -彭湖岛,péng hú dǎo,"Penghu island county of Taiwan, off the coast of Kaohsiung" -彭泽,péng zé,"Pengze county in Jiujiang 九江, Jiangxi" -彭泽县,péng zé xiàn,"Pengze county in Jiujiang 九江, Jiangxi" -彭真,péng zhēn,"Peng Zhen (1902-1997), Chinese communist leader" -彭祖,péng zǔ,Peng Zu (legendary figure of Taoism who lived 800 years) -彭县,péng xiàn,Peng county in Sichuan -彭阳,péng yáng,"Pengyang county in Guyuan 固原[Gu4 yuan2], Ningxia" -彭阳县,péng yáng xiàn,"Pengyang county in Guyuan 固原[Gu4 yuan2], Ningxia" -彭养鸥,péng yǎng ōu,"Peng Yangou, late Qing novelist, author of Black register of lost souls 黑籍冤魂" -彭丽媛,péng lì yuán,"Peng Liyuan (1962-), PRC folk music singer, wife of Xi Jinping 習近平|习近平[Xi2 Jin4 ping2]" -彭麻麻,péng má má,"Mommy Peng, nickname for Peng Liyuan 彭麗媛|彭丽媛[Peng2 Li4 yuan2]" -彰,zhāng,clear; conspicuous; manifest -彰化,zhāng huà,Zhanghua or Changhua city and county in west Taiwan -彰化市,zhāng huà shì,"Zhanghua or Changhua city in west Taiwan, capital of Changhua county" -彰化县,zhāng huà xiàn,Zhanghua or Changhua County in west Taiwan -彰善瘅恶,zhāng shàn dàn è,to distinguish good and evil (idiom); to uphold virtue and condemn evil; to praise good and expose vice -彰彰,zhāng zhāng,obvious; manifest; clearly visible -彰明,zhāng míng,to show clearly; to make public; obvious -彰明较著,zhāng míng jiào zhù,obvious; clear for all to see -彰武,zhāng wǔ,"Zhangwu county in Fuxin 阜新, Liaoning" -彰武县,zhāng wǔ xiàn,"Zhangwu county in Fuxin 阜新, Liaoning" -彰显,zhāng xiǎn,to put on display (sth abstract); to draw attention to; conspicuous -影,yǐng,picture; image; film; movie; photograph; reflection; shadow; trace -影像,yǐng xiàng,image -影像会议,yǐng xiàng huì yì,video conference -影像档,yǐng xiàng dàng,image file -影像处理,yǐng xiàng chǔ lǐ,image processing -影儿,yǐng er,shadow -影剧,yǐng jù,film and theater; screen and stage -影剧院,yǐng jù yuàn,cinema; movie theater -影印,yǐng yìn,photographic reproduction; photocopying; photo-offset -影印本,yǐng yìn běn,a photocopy -影印机,yǐng yìn jī,photocopier (Tw) -影后,yǐng hòu,movie queen; best actress award winner -影壁,yǐng bì,spirit wall (screen wall used to shield an entrance in traditional Chinese architecture) -影坛,yǐng tán,moviedom; the world of movies; film circles -影子,yǐng zi,shadow; reflection; (fig.) hint; indication; influence; CL:個|个[ge4] -影子内阁,yǐng zi nèi gé,shadow cabinet -影射,yǐng shè,to refer obliquely to; to insinuate; innuendo -影射小说,yǐng shè xiǎo shuō,roman à clef -影展,yǐng zhǎn,film festival; photography exhibition -影帝,yǐng dì,(male) superstar of the silver screen; best actor award winner -影星,yǐng xīng,film star -影本,yǐng běn,copy (of a document); book with model calligraphy for copying -影业,yǐng yè,film industry -影片,yǐng piàn,a copy of a film; film; motion picture; movie; CL:部[bu4] -影碟,yǐng dié,"DVD; CL:片[pian4],張|张[zhang1]" -影碟机,yǐng dié jī,DVD player -影视,yǐng shì,movies and television -影评,yǐng píng,film review -影象,yǐng xiàng,variant of 影像[ying3 xiang4] -影踪,yǐng zōng,trace; sign -影迷,yǐng mí,film enthusiast; movie fan; CL:個|个[ge4] -影院,yǐng yuàn,cinema; movie theater -影集,yǐng jí,photo album; CL:本[ben3]; (TV) series -影音,yǐng yīn,recorded media (CD and DVD); sound and movies -影响,yǐng xiǎng,influence; effect; to influence; to affect (usually adversely); to disturb; CL:股[gu3] -影响力,yǐng xiǎng lì,influence; impact -影响层面,yǐng xiǎng céng miàn,impact; effect -影响面,yǐng xiǎng miàn,reach of influence; affected area -彳,chì,step with the left foot (Kangxi radical 60); see also 彳亍[chi4 chu4] -彳亍,chì chù,(literary) to walk slowly -仿,fǎng,seemingly -彷,páng,used in 彷徨[pang2huang2] and 彷徉[pang2yang2] -彷似,fǎng sì,variant of 仿似[fang3 si4] -仿佛,fǎng fú,to seem; as if; alike; similar -彷徉,páng yáng,(literary) to roam about; to wander -彷徨,páng huáng,"to pace back and forth, not knowing which way to turn; to hesitate; to waver" -彸,zhōng,"restless, agitated" -役,yì,forced labor; corvée; obligatory task; military service; to use as servant; to enserf; servant (old); war; campaign; battle -役使,yì shǐ,to put to work (servant or animal); to make use of for labor -役使动物,yì shǐ dòng wù,draft animals; beasts of burden -役男,yì nán,males eligible for military service; draftee; abbr. for 役齡男子|役龄男子 -役畜,yì chù,draft animal; beast of burden -役龄,yì líng,enlistment age -彼,bǐ,that; those; (one) another -彼一时此一时,bǐ yī shí cǐ yī shí,"that was one thing, and this is another; times have changed" -彼倡此和,bǐ chàng cǐ hé,to chorus sb else's lead (idiom); to chime in in agreement -彼唱此和,bǐ chàng cǐ hé,to chorus sb else's lead (idiom); to chime in in agreement -彼岸,bǐ àn,the other shore; (Buddhism) paramita -彼岸花,bǐ àn huā,red spider lily (Lycoris radiata); cluster amaryllis -彼得,bǐ dé,Peter (name) -彼得前书,bǐ dé qián shū,First Epistle of Peter (in New Testament) -彼得堡,bǐ dé bǎo,"Petersburg (place name); Saint Petersburg, Russia" -彼得后书,bǐ dé hòu shū,Second Epistle of Peter (in New Testament) -彼得格勒,bǐ dé gé lè,Petrograd (former name of Saint Petersburg 聖彼得堡|圣彼得堡[Sheng4bi3de2bao3]) -彼得潘,bǐ dé pān,"Peter Pan, the novel character" -彼得罗维奇,bǐ dé luó wéi qí,Petrovich (name) -彼得里皿,bǐ dé lǐ mǐn,Petri dish -彼拉多,bǐ lā duō,Pilate (Pontius Pilate in the Biblical passion story) -彼拉提斯,bǐ lā tí sī,Pilates (physical fitness system) (Tw) -彼时,bǐ shí,at that time -彼此,bǐ cǐ,each other; one another -彼此彼此,bǐ cǐ bǐ cǐ,you and me both; that makes two of us -彼尔姆,bǐ ěr mǔ,"Perm, Russian city in the Urals" -佛,fú,seemingly -佛雷泽尔,fú léi zé ěr,Frazer (name) -往,wǎng,to go (in a direction); to; towards; (of a train) bound for; past; previous -往事,wǎng shì,past events; former happenings -往事如风,wǎng shì rú fēng,the past is vanished like the wind; gone beyond recall -往事已矣,wǎng shì yǐ yǐ,the past is dead (idiom) -往来,wǎng lái,dealings; contacts; to go back and forth -往来帐户,wǎng lái zhàng hù,current account (in bank) -往例,wǎng lì,(usual) practice of the past; precedent -往初,wǎng chū,(literary) former times; in olden days -往前,wǎng qián,to move forwards -往古,wǎng gǔ,in former times; in olden days -往外,wǎng wài,out; outbound; departing -往届,wǎng jiè,former sessions; former years -往常,wǎng cháng,usual; customary -往年,wǎng nián,in former years; in previous years -往往,wǎng wǎng,usually; in many cases; more often than not -往后,wǎng hòu,from now on; in the future; time to come -往复,wǎng fù,to go and come back; to make a return trip; backwards and forwards (e.g. of piston or pump action); to reciprocate (of machine part) -往复运动,wǎng fù yùn dòng,backwards and forwards action (e.g. of piston or pump); reciprocating motion -往复锯,wǎng fù jù,reciprocating saw -往心里去,wǎng xīn li qù,to take sth to heart; to take sth seriously -往日,wǎng rì,former days; the past -往昔,wǎng xī,the past -往时,wǎng shí,past events; former times -往岁,wǎng suì,in former years; in olden days -往死里,wǎng sǐ lǐ,(coll.) (to beat etc) to death -往泥里踩,wǎng nì lǐ cǎi,to belittle; to attack sb -往生,wǎng shēng,to be reborn; to live in paradise (Buddhism); to die; (after) one's death -往程,wǎng chéng,outbound leg (of a bus or train journey etc) -往脸上抹黑,wǎng liǎn shàng mǒ hēi,to bring shame to; to smear; to disgrace -往迹,wǎng jì,past events; former times -往返,wǎng fǎn,to go back and forth; to go to and fro; to do a round trip -往还,wǎng huán,contacts; dealings -征,zhēng,journey; trip; expedition; to go on long campaign; to attack -征人,zhēng rén,traveler (on a long journey); participant in an expedition; garrison soldier; new recruit -征伐,zhēng fá,to go on or send a punitive expedition -征剿,zhēng jiǎo,to mount a punitive expedition against bandits -征地,zhēng dì,to requisition land -征尘,zhēng chén,the dust of a long journey -征夫,zhēng fū,traveler; soldier on expedition; soldier taking part in battle -征帆,zhēng fān,expedition ship -征彸,zhēng zhōng,scared; badly frightened -征得,zhēng dé,to obtain (permission etc) -征戍,zhēng shù,garrison -征战,zhēng zhàn,campaign; expedition -征敛,zhēng liǎn,to extort taxes -征敛无度,zhēng liǎn wú dù,to extort taxes excessively -征旆,zhēng pèi,pennant used on expedition; war pennant -征服,zhēng fú,to conquer; to subdue; to vanquish -征服者,zhēng fú zhě,conqueror -征用,zhēng yòng,to expropriate; to commandeer -征程,zhēng chéng,journey; expedition; voyage -征衣,zhēng yī,traveler's clothing; military uniform -征衫,zhēng shān,"traveler's clothing; by extension, traveler" -征讨,zhēng tǎo,to go on a punitive expedition -征途,zhēng tú,long journey; trek; course of an expedition -征马,zhēng mǎ,horse capable of long expedition; army horse -征驾,zhēng jià,horses and wagons for an expedition; vehicles and horses used in battle -徂,cú,to go; to reach -往,wǎng,old variant of 往[wang3] -待,dāi,to stay -待,dài,to wait; to treat; to deal with; to need; going to (do sth); about to; intending to -待乙妥,dài yǐ tuǒ,DEET (insect repellent) (loanword) -待人,dài rén,"to treat people (politely, harshly etc)" -待人接物,dài rén jiē wù,the way one treats people -待价而沽,dài jià ér gū,to sell only for a good price (idiom); to wait for a good offer -待命,dài mìng,to be on call; to be on standby -待字,dài zì,(literary) (of a young lady) to be awaiting betrothal -待定,dài dìng,to await a decision; to be pending -待宵草,dài xiāo cǎo,evening primrose -待岗,dài gǎng,to wait for a job assignment; to be laid off; to be out of a job -待复,dài fù,to be advised; awaiting an answer -待毙,dài bì,to await death; to be a sitting duck -待会,dāi hui,wait a minute; stop a while -待会儿,dāi huì er,in a moment; later; also pr. [dai1 hui3 r5] or [dai1 hui5 r5] -待业,dài yè,to await job assignment (term used only in mainland China) -待机,dài jī,to wait for an opportunity; (electronic devices) standby -待产,dài chǎn,(of an expectant mother) to be in labor -待用餐,dài yòng cān,suspended meal (Tw) -待续,dài xù,to be continued -待考,dài kǎo,under investigation; currently unknown -待要,dài yào,to be about to -待见,dài jian,(coll.) to like -待解,dài jiě,unresolved; awaiting solution -待诏,dài zhào,"expert in a specialized field such as medicine, divination or chess, available on call to the emperor (in the Tang and Song dynasties)" -待办事项列表,dài bàn shì xiàng liè biǎo,to-do list -待遇,dài yù,treatment; pay; salary; status; rank -徇,xùn,to give in to; to be swayed by (personal considerations etc); Taiwan pr. [xun2]; to follow; to expose publicly; variant of 侚[xun4]; variant of 殉[xun4] -徇情,xùn qíng,to act out of personal considerations; to show partiality -徇情枉法,xùn qíng wǎng fǎ,see 徇私枉法[xun4 si1 wang3 fa3] -徇私枉法,xùn sī wǎng fǎ,to bend the law in order to favor one's relatives or associates (idiom) -徇私舞弊,xùn sī wǔ bì,(idiom) to abuse one's position for personal gain -很,hěn,"very; quite; (also, often used before an adjective without intensifying its meaning, i.e. as a meaningless syntactic element)" -徉,yáng,to walk back and forth -徊,huái,used in 徘徊[pai2 huai2] -律,lǜ,surname Lü -律,lǜ,law -律动,lǜ dòng,rhythm; to move rhythmically -律吕,lǜ lǚ,tuning; temperament -律师,lǜ shī,lawyer -律师事务所,lǜ shī shì wù suǒ,law firm -律所,lǜ suǒ,law firm (abbr. for 律師事務所|律师事务所[lu:4 shi1 shi4 wu4 suo3]) -律政司,lǜ zhèng sī,Department of Justice (Hong Kong) -律条,lǜ tiáo,a law -律法,lǜ fǎ,laws and decrees -律诗,lǜ shī,"regular verse; strict poetic form with eight lines of 5, 6 or 7 syllables and even lines rhyming" -后,hòu,back; behind; rear; afterwards; after; later; post- -后世,hòu shì,later generations -后事,hòu shì,future events; and what happened next... (in fiction); funeral arrangements -后人,hòu rén,later generation -后付,hòu fù,payment made afterwards; postpaid -后代,hòu dài,descendant; progeny; posterity; later ages; later generations -后任,hòu rèn,successor; to take up a position subsequently as ...; (attributive) future; subsequent -后来,hòu lái,afterwards; later; newly arrived -后来居上,hòu lái jū shàng,lit. late-comer lives above (idiom); the up-and-coming youngster outstrips the older generation; the pupil surpasses the master -后信号灯,hòu xìn hào dēng,car rear indicator -后备,hòu bèi,reserve; backup -后备箱,hòu bèi xiāng,trunk; boot (of a car) -后备军,hòu bèi jūn,rearguard -后儿,hòu er,the day after tomorrow -后加,hòu jiā,postposition (grammar) -后劲,hòu jìn,energy to continue after the initial phase of an activity; delayed effect -后勤,hòu qín,logistics -后勤学,hòu qín xué,military logistics -后半,hòu bàn,latter half -后半场,hòu bàn chǎng,second half (of sporting competition) -后半生,hòu bàn shēng,latter half of one's life -后半叶,hòu bàn yè,"latter half (of a decade, century etc)" -后台,hòu tái,backstage area; behind-the-scenes supporter; (computing) back-end; background -后台进程,hòu tái jìn chéng,background process (computing) -后周,hòu zhōu,"Later Zhou of the Five Dynasties (951-960), centered on Shandong and Hebei, with capital at Kaifeng 開封|开封[Kai1 feng1]" -后味,hòu wèi,aftertaste -后唐,hòu táng,Later Tang of the Five Dynasties (923-936) -后嗣,hòu sì,heir; descendant; posterity -后坐,hòu zuò,recoil (of a gun); backlash -后坐力,hòu zuò lì,recoil (of a gun); backlash; reactive force -后尘,hòu chén,lit. trailing dust; fig. sb's footsteps; course in life -后壁,hòu bì,"Houbi, a district in Tainan 台南|台南[Tai2 nan2], Taiwan" -后天,hòu tiān,"the day after tomorrow; life after birth (the period in which one develops through experiences, contrasted with 先天[xian1 tian1]); acquired (not innate or congenital); a posteriori" -后天性,hòu tiān xìng,acquired (characteristic etc) -后娘,hòu niáng,stepmother (coll.) -后妈,hòu mā,(coll.) stepmother -后学,hòu xué,junior scholar or pupil in imperial China -后宫,hòu gōng,harem; chambers of imperial concubines -后年,hòu nián,the year after next -后座,hòu zuò,back seat; pillion -后庭,hòu tíng,backyard; imperial harem; (slang) anus -后厨,hòu chú,kitchen (of a restaurant or hotel etc); commercial kitchen -后影,hòu yǐng,rear view; figure seen from behind; view of the back (of a person or object) -后心,hòu xīn,middle of the back -后怕,hòu pà,lingering fear; fear after the event; post-traumatic stress -后悔,hòu huǐ,to regret; to feel remorse -后悔不迭,hòu huǐ bù dié,too late for regrets -后悔莫及,hòu huǐ mò jí,too late for regrets (idiom); It is useless to repent after the event. -后患无穷,hòu huàn wú qióng,(idiom) it will cause no end of trouble -后感,hòu gǎn,afterthought; reflection after an event; a review (of a movie etc) -后感觉,hòu gǎn jué,after-sensation; after-impression -后手,hòu shǒu,defensive position (in chess); room for maneuver; a way of escape -后排,hòu pái,the back row -后掩蔽,hòu yǎn bì,backward masking -后援,hòu yuán,reinforcement; back-up; supporting force -后援会,hòu yuán huì,support group (e.g. for an election candidate); fan club -后摇,hòu yáo,post-rock (music genre) -后摇滚,hòu yáo gǔn,post-rock (music genre) -后撤,hòu chè,to pull back (an army); to retreat -后挡板,hòu dǎng bǎn,backboard -后效,hòu xiào,after-effect -后文,hòu wén,the pages ahead; the following pages -后方,hòu fāng,the rear; far behind the front line -后日,hòu rì,the day after tomorrow; from hence; from now; from now on; henceforth -后晋,hòu jìn,Later Jin of the Five Dynasties (936-946) -后会有期,hòu huì yǒu qī,I'm sure we'll meet again some day. (idiom); Hope to see you again. -后会无期,hòu huì wú qī,to meet again at unspecified date; meeting postponed indefinitely -后期,hòu qī,late stage; later period -后果,hòu guǒ,consequences; aftermath -后果自负,hòu guǒ zì fù,to take responsibility for the consequences of risky behavior; to have only oneself to blame if things go badly -后梁,hòu liáng,Later Liang of the Five Dynasties (907-923) -后梢,hòu shāo,stern (of a boat) -后殖民,hòu zhí mín,postcolonial -后段,hòu duàn,final part; rear; back end; final segment; the following section; last paragraph -后母,hòu mǔ,stepmother -后海,hòu hǎi,"Houhai, a lake and the area surrounding it in central Beijing" -后凉,hòu liáng,Later Liang of the Sixteen Kingdoms (386-403) -后汉,hòu hàn,Later Han or Eastern Han dynasty (25-220); Later Han of the Five Dynasties (947-950) -后汉书,hòu hàn shū,"History of Eastern Han (later Han), third of the 24 dynastic histories 二十四史[Er4 shi2 si4 Shi3], composed by Fan Ye 范曄|范晔[Fan4 Ye4] in 445 during Song of the Southern Dynasties 南朝宋[Nan2 chao2 Song4], 120 scrolls" -后照镜,hòu zhào jìng,rearview mirror (Tw) -后灯,hòu dēng,taillight -后燕,hòu yān,Later Yan of the Sixteen Kingdoms (384-409) -后父,hòu fù,stepfather -后现代主义,hòu xiàn dài zhǔ yì,postmodernism -后生,hòu shēng,young generation; youth; young man -后生动物,hòu shēng dòng wù,metazoa; the animal kingdom -后生可畏,hòu shēng kě wèi,the young will be redoubtable in the years to come (idiom); the younger generations will surpass us in time -后甲板,hòu jiǎ bǎn,afterdeck -后盾,hòu dùn,support; backing -后知后觉,hòu zhī hòu jué,to realize in hindsight; to realize belatedly; to be late to the party -后秦,hòu qín,Later Qin of the Sixteen Kingdoms (384-417) -后空翻,hòu kōng fān,backward somersault; backflip -后端,hòu duān,backend (computing) -后缀,hòu zhuì,suffix (linguistics) -后缘,hòu yuán,trailing edge (of airplane wing) -后继乏人,hòu jì fá rén,see 後繼無人|后继无人[hou4 ji4 wu2 ren2] -后继有人,hòu jì yǒu rén,(idiom) to have qualified successors to carry on one's undertaking -后继无人,hòu jì wú rén,to have no qualified successors to carry on one's undertaking -后续,hòu xù,follow-up; (dialect) to remarry -后置,hòu zhì,to place after (e.g. in grammar); postposition -后置修饰语,hòu zhì xiū shì yǔ,postmodifier (grammar) -后置词,hòu zhì cí,postposition; suffix; word placed after -后翅,hòu chì,back wing (of insect) -后翻筋斗,hòu fān jīn dǒu,backward somersault -后者,hòu zhě,the latter -后肢,hòu zhī,hind legs -后背,hòu bèi,the back (human anatomy); the back part of sth -后脑,hòu nǎo,hindbrain; back of the head -后脑勺,hòu nǎo sháo,back of the head -后腰,hòu yāo,lower back; (sports) defensive midfielder -后脚,hòu jiǎo,"(one moment ...,) the next ...; trailing foot (in walking)" -后盖,hòu gài,back cover; shell (of crab etc) -后藤,hòu téng,Gotō (Japanese surname) -后卫,hòu wèi,rear guard; backfield; fullback -后裔,hòu yì,descendant -后制,hòu zhì,postproduction -后西游记,hòu xī yóu jì,one of three Ming dynasty sequels to Journey to the West 西遊記|西游记 -后见之明,hòu jiàn zhī míng,hindsight -后视镜,hòu shì jìng,rearview mirror -后记,hòu jì,epilogue; afterword -后设,hòu shè,meta- (prefix) (Tw) -后设认知,hòu shè rèn zhī,metacognition (Tw) -后设资料,hòu shè zī liào,metadata (Tw) -后诊,hòu zhěn,postoperative examination -后词汇加工,hòu cí huì jiā gōng,post-lexical access -后话,hòu huà,something to be taken up later in speech or writing -后调,hòu diào,(perfumery) base note -后账,hòu zhàng,undisclosed account; to settle matters later; to blame sb after the event -后起之秀,hòu qǐ zhī xiù,an up-and-coming youngster; new talent; a brilliant younger generation -后赵,hòu zhào,Later Zhao of the Sixteen Kingdoms (319-350) -后跟,hòu gēn,"heel (part of a foot); heel (of a sock); counter (the part of a shoe that cups the back of one's heel); followed by (used in describing a format, such as ""filename followed by file extension"")" -后跟提带,hòu gēn tí dài,backstrap (of a shoe) -后路,hòu lù,escape route; retreat route; communication lines to the rear; alternative course of action; room for maneuver -后车之鉴,hòu chē zhī jiàn,lit. warning to the following cart (idiom); don't follow the track of an overturned cart; fig. draw lesson from the failure of one's predecessor; learn from past mistake; once bitten twice shy -后车架,hòu chē jià,luggage carrier (bicycle) -后车轴,hòu chē zhóu,back axle (of car) -后辈,hòu bèi,younger generation -后轮,hòu lún,rear wheel -后退,hòu tuì,to recoil; to draw back; to fall back; to retreat -后送,hòu sòng,evacuation (military) -后送医院,hòu sòng yī yuàn,evacuation hospital (military) -后进,hòu jìn,less advanced; underdeveloped; lagging behind; the younger generation; the less experienced ones -后进先出,hòu jìn xiān chū,"to come late and leave first; last in, first out (LIFO)" -后遗症,hòu yí zhèng,(medicine) sequelae; residual effects; (fig.) repercussions; aftermath -后边,hòu bian,the back; the rear; the last bit; behind; near the end; at the back; later; afterwards -后边儿,hòu bian er,erhua variant of 後邊|后边[hou4 bian5] -后部,hòu bù,back section -后金,hòu jīn,Later Jin dynasty (from 1616-); Manchu Khanate or kingdom that took over as Qing dynasty in 1644 -后钩,hòu gōu,(dialect) unfinished business; trailing sound -后钩儿,hòu gōu er,erhua variant of 後鉤|后钩[hou4 gou1] -后门,hòu mén,back door; back gate; (fig.) back-door influence; under-the-table dealings; anus; (computing) backdoor -后附,hòu fù,attachment; appendix; addendum -后院,hòu yuàn,rear court; back garden; backyard (also fig.) -后院起火,hòu yuàn qǐ huǒ,a conflict arises close to home (idiom) -后面,hòu mian,the back; the rear; the last bit; behind; near the end; at the back; later; afterwards -后头,hòu tou,behind; the back; the rear; later; afterwards; (in) the future -后颈,hòu jǐng,nape -后顾之忧,hòu gù zhī yōu,"fears of trouble in the rear (idiom); family worries (obstructing freedom of action); worries about the future consequences; often in negative expressions, meaning ""no worries about anything""" -后验概率,hòu yàn gài lǜ,posterior probability (statistics) -后魏,hòu wèi,Wei of the Northern Dynasties 386-534 -后鼻音,hòu bí yīn,velar nasal; consonant ng or ŋ produced in the nose with the back of the tongue against the soft palate -后龙,hòu lóng,"Houlung town in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -后龙镇,hòu lóng zhèn,"Houlung town in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -徐,xú,surname Xu -徐,xú,slowly; gently -徐世昌,xú shì chāng,"Xu Shichang (1855-1939), politician associated with the Northern Warlords, president of China in 1921" -徐俊,xú jùn,"Xu Jun (1962-), Chinese Chinese chess grandmaster" -徐光启,xú guāng qǐ,"Xu Guangqi (1562-1633), agricultural scientist, astronomer, and mathematician in the Ming dynasty" -徐克,xú kè,"Tsui Hark (1951-), Chinese movie director and producer" -徐匡迪,xú kuāng dí,"Xu Kuangdi (1937-), PRC politician and former mayor of Shanghai" -徐汇区,xú huì qū,"Xuhui district, central Shanghai" -徐娘半老,xú niáng bàn lǎo,middle-aged but still attractive woman; lady of a certain age -徐家汇,xú jiā huì,"Xujiahui, an area in 徐匯區|徐汇区[Xu2 hui4 qu1], Xuhui district, central Shanghai" -徐州,xú zhōu,"Xuzhou, prefecture-level city in Jiangsu" -徐州市,xú zhōu shì,"Xuzhou, prefecture-level city in Jiangsu" -徐徐,xú xú,slowly; gently -徐志摩,xú zhì mó,"Xu Zhimo (1897-1931), writer and poet" -徐悲鸿,xú bēi hóng,"Xu Beihong (1895-1953), famous European-trained painter and influential art teacher" -徐星,xú xīng,"Xu Xing (1969-), Chinese palaeontologist; Xu Xing (1956-), Chinese short story writer" -徐步,xú bù,to stroll; to walk slowly -徐水,xú shuǐ,"Xushui county in Baoding 保定[Bao3 ding4], Hebei" -徐水县,xú shuǐ xiàn,"Xushui county in Baoding 保定[Bao3 ding4], Hebei" -徐渭,xú wèi,"Xu Wei (1521-1593), Ming dynasty Chinese painter and author" -徐熙媛,xú xī yuán,"Barbie Hsu (1976-), Taiwanese entertainer, nicknamed 大S" -徐祯卿,xú zhēn qīng,"Xu Zhenqing (1479-1511), Ming writer, one of Four great southern talents of the Ming 江南四大才子" -徐福,xú fú,"Xu Fu (3rd century BC), Qin dynasty court necromancer" -徐缓,xú huǎn,slow; sluggish; lazily; to slow down -徐继畲,xú jì yú,"Xu Jiyu (1795-1873), Chinese geographer" -徐闻,xú wén,"Xuwen county in Zhanjiang 湛江[Zhan4 jiang1], Guangdong" -徐闻县,xú wén xiàn,"Xuwen county in Zhanjiang 湛江[Zhan4 jiang1], Guangdong" -徐行,xú xíng,to walk slowly; to stroll -徐铉,xú xuàn,"Xu Xuan (-991), author of commentaries on Shuowen Jiezi 說文解字註|说文解字注[Shuo1 wen2 Jie3 zi4 Zhu4]" -徐霞客,xú xiá kè,"Xu Xiake (1587-1641), Ming dynasty travel writer and geographer, author of Xu Xiake's Travel Diaries 徐霞客遊記|徐霞客游记[Xu2 Xia2 ke4 You2 ji4]" -徐霞客游记,xú xiá kè yóu jì,"Xu Xiake's Travel Diaries, a book of travel records by 徐霞客[Xu2 Xia2 ke4] on geology, geography, plants etc" -径,jìng,footpath; track; diameter; straight; directly -径向,jìng xiàng,radial (direction) -径庭,jìng tíng,completely different -径情直遂,jìng qíng zhí suì,to achieve one's ambitions (idiom) -径流,jìng liú,runoff -径直,jìng zhí,directly -径自,jìng zì,without leave; without consulting anyone -径赛,jìng sài,track events (athletics competition) -径迹,jìng jì,track; trajectory; path; way; means; diameter; directly -径路,jìng lù,route; path -径道,jìng dào,path; short-cut -徒,tú,surname Tu -徒,tú,disciple; apprentice; believer; on foot; bare; empty; to no avail; only; prison sentence -徒具,tú jù,to only have -徒刑,tú xíng,prison sentence -徒劳,tú láo,futile -徒劳无功,tú láo wú gōng,to work to no avail (idiom) -徒劳无益,tú láo wú yì,futile endeavor (idiom) -徒呼负负,tú hū fù fù,to feel powerless and full of shame (idiom) -徒工,tú gōng,apprentice; trainee worker -徒弟,tú dì,apprentice; disciple -徒手,tú shǒu,with bare hands; unarmed; fighting hand-to-hand; freehand (drawing) -徒手画,tú shǒu huà,freehand drawing -徒拥虚名,tú yōng xū míng,to possess an undeserved reputation (idiom) -徒有其名,tú yǒu qí míng,with an undeserved reputation (idiom); unwarranted fame; nowhere near as good as he's made out to be -徒有虚名,tú yǒu xū míng,with an undeserved reputation (idiom); unwarranted fame; nowhere near as good as he's made out to be -徒步,tú bù,to be on foot -徒步区,tú bù qū,(Tw) car-free zone; pedestrian zone -徒步旅行,tú bù lǚ xíng,hiking -徒步路径,tú bù lù jìng,hiking trail -徒然,tú rán,in vain -徒自惊扰,tú zì jīng rǎo,(idiom) to become alarmed for no good reason -徒裼,tú xī,barefooted and barebreasted -得,dé,to obtain; to get; to gain; to catch (a disease); proper; suitable; proud; contented; to allow; to permit; ready; finished -得,de,"structural particle: used after a verb (or adjective as main verb), linking it to following phrase indicating effect, degree, possibility etc" -得,děi,to have to; must; ought to; to need to -得不偿失,dé bù cháng shī,the gains do not make up for the losses (idiom) -得不到,dé bù dào,cannot get; cannot obtain -得中,dé zhōng,moderate; appropriate; suitable -得中,dé zhòng,(as in an imperial examination) to be a successful candidate; to draw a winning ticket (in a lottery) -得主,dé zhǔ,recipient (of an award); winner (in a competition) -得了,dé le,all right!; that's enough! -得了,dé liǎo,"(emphatically, in rhetorical questions) possible" -得令,dé lìng,to follow your orders; roger!; yessir! -得以,dé yǐ,able to; so that sb can; enabling; in order to; finally in a position to; with sth in view -得来速,dé lái sù,drive-thru (loanword) -得便,dé biàn,at one's convenience; when one has time -得便宜卖乖,dé pián yi mài guāi,"to have benefited from sth but pretend otherwise; to claim to be hard done by, even though one has benefited" -得偿所愿,dé cháng suǒ yuàn,(idiom) to have one's wish fulfilled -得克萨斯,dé kè sà sī,"Texas, US state" -得克萨斯州,dé kè sà sī zhōu,"Texas, US state" -得出,dé chū,to obtain (a result); to arrive at (a conclusion) -得分,dé fēn,to score -得利,dé lì,to benefit (from sth) -得到,dé dào,to get; to obtain; to receive -得力,dé lì,able; capable; competent; efficient -得胜,dé shèng,to triumph over an opponent -得势,dé shì,to win power; to get authority; to become dominant -得可以,de kě yǐ,(coll.) (stative verb suffix) very; awfully -得名,dé míng,to get one's name; named (after sth) -得天独厚,dé tiān dú hòu,blessed by heaven (idiom); enjoying exceptional advantages; favored by nature -得失,dé shī,gains and losses; success and failure; merits and demerits -得宜,dé yí,proper; appropriate; suitable -得宠,dé chǒng,to be a favorite; favor -得寸进尺,dé cùn jìn chǐ,"lit. win an inch, want a foot (idiom); fig. not satisfied with small gains; give him an inch, and he'll want a mile" -得很,de hěn,(after an adjective) very -得心应手,dé xīn yìng shǒu,"lit. what the heart wishes, the hand accomplishes (idiom) skilled at the job; entirely in one's element; going smoothly and easily" -得悉,dé xī,to learn about; to be informed -得意,dé yì,proud of oneself; pleased with oneself; complacent -得意忘形,dé yì wàng xíng,so pleased as to lose one's sense of measure; beside oneself with joy -得意扬扬,dé yì yáng yáng,variant of 得意洋洋[de2 yi4 yang2 yang2] -得意洋洋,dé yì yáng yáng,joyfully satisfied; to be immensely proud of oneself; proudly; an air of complacency -得意门生,dé yì mén shēng,favorite pupil -得所应得,dé suǒ yīng dé,to get what one deserves -得手,dé shǒu,to go smoothly; to come off; to succeed -得救,dé jiù,to be saved -得数,dé shù,(math.) numerical answer; solution -得文,dé wén,Devon (county of southwest England) -得梅因,dé méi yīn,"Des Moines, capital of Iowa" -得荣,dé róng,"Dêrong county (Tibetan: sde rong rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州|甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1], Sichuan (formerly in Kham province of Tibet)" -得荣县,dé róng xiàn,"Dêrong county (Tibetan: sde rong rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1], Sichuan (formerly in Kham province of Tibet)" -得标,dé biāo,to win a bid; to win a trophy in a contest; (jokingly) to get an STD -得气,dé qì,"""to obtain qi"", the sensation of electrical tingling, numbness, soreness etc at the meridian where accupuncture needle is inserted" -得法,dé fǎ,(doing sth) in the right way; suitable; properly -得无,dé wú,(literary) isn't it that...? -得尔塔,děi ěr tǎ,delta (Greek letter Δδ) -得奖,dé jiǎng,to win a prize -得瑟,dè se,(dialect) cocky; smug; to show off -得当,dé dàng,appropriate; suitable -得病,dé bìng,to fall ill; to contract a disease -得益,dé yì,to derive benefit -得益于,dé yì yú,to benefit from; thanks to -得知,dé zhī,to find out; to learn of -得票,dé piào,vote-getting -得票率,dé piào lǜ,percentage of votes obtained -得空,dé kòng,to have leisure time -得罪,dé zuì,to commit an offense; to violate the law; excuse me! (formal); see also 得罪[de2 zui5] -得罪,dé zui,to offend sb; to make a faux pas; a faux pas; see also 得罪[de2 zui4] -得而复失,dé ér fù shī,to lose what one has just obtained (idiom) -得色,dé sè,pleased with oneself -得着,dé zháo,to obtain -得亏,děi kuī,luckily; fortunately -得要,děi yào,to need; must -得志,dé zhì,to accomplish one's ambition; a dream come true; to enjoy success -得证,dé zhèng,to verify; (math.) Q.E.D. -得逞,dé chěng,to prevail; to have one's way; to get away with it -得过且过,dé guò qiě guò,"satisfied just to get through (idiom); to muddle through; without high ambitions, but getting by" -得道,dé dào,to achieve the Dao; to become an immortal -得道多助,dé dào duō zhù,a just cause enjoys abundant support (idiom); those upholding justice will find help all around -得陇望蜀,dé lǒng wàng shǔ,lit. covet Sichuan once Gansu has been seized; fig. endless greed; insatiable desire -得饶人处且饶人,dé ráo rén chù qiě ráo rén,"where it is possible to let people off, one should spare them (idiom); anyone can make mistakes, forgive them when possible" -得体,dé tǐ,appropriate to the occasion; fitting -得鱼忘筌,dé yú wàng quán,"lit. catch fish then forget the trap (idiom, from Zhuangzi 莊子|庄子[Zhuang1 zi3]); fig. to take help for granted" -徘,pái,used in 徘徊[pai2 huai2] -徘徊,pái huái,to pace back and forth; to dither; to hesitate; (of sales figures etc) to fluctuate -徙,xǐ,(literary) to change one's residence -徜,cháng,sit cross-legged; walk back and forth -徜徉,cháng yáng,to wander about unhurriedly; to linger; to loiter -从,cóng,surname Cong -从,cóng,from; through; via; (bound form) to follow; (bound form) to obey; (bound form) to engage in (an activity); (used before a negative) ever; (bound form) (Taiwan pr. [zong4]) retainer; attendant; (bound form) (Taiwan pr. [zong4]) assistant; auxiliary; subordinate; (bound form) (Taiwan pr. [zong4]) related by common paternal grandfather or earlier ancestor -从一而终,cóng yī ér zhōng,faithful unto death (i.e. Confucian ban on widow remarrying) -从不,cóng bù,never -从中,cóng zhōng,from within; therefrom -从事,cóng shì,to go for; to engage in; to undertake; to deal with; to handle; to do -从事研究,cóng shì yán jiū,to do research; to carry out research -从井救人,cóng jǐng jiù rén,to jump into a well to rescue sb else (idiom); fig. to help others at the risk to oneself -从今以后,cóng jīn yǐ hòu,from now on; henceforward -从何,cóng hé,whence?; where from? -从来,cóng lái,always; at all times; never (if used in negative sentence) -从来不,cóng lái bù,never -从来没,cóng lái méi,have never; has never -从来没有,cóng lái méi yǒu,there has never been; has never had; (before a verb) has never -从俭,cóng jiǎn,economical; modest -从优,cóng yōu,preferential treatment; most favored terms -从兄,cóng xiōng,older male second cousin -从先,cóng xiān,(dialect) before; in the past; previously -从前,cóng qián,previously; formerly; once upon a time -从动,cóng dòng,"-driven (of mechanism, driven by a component); slave (wheel, pulley)" -从化,cóng huà,"Conghua, county-level city in Guangzhou 廣州|广州[Guang3 zhou1], Guangdong" -从化市,cóng huà shì,"Conghua, county-level city in Guangzhou 廣州|广州[Guang3 zhou1], Guangdong" -从句,cóng jù,clause -从吏,cóng lì,minor official; to be an official -从命,cóng mìng,to obey an order; to comply; to do sb's bidding; to do as requested -从善如流,cóng shàn rú liú,readily following good advice (idiom); willing to accept other people's views -从严,cóng yán,strict; rigorous; severely -从严惩处,cóng yán chéng chǔ,to deal with sb severely (idiom) -从天而降,cóng tiān ér jiàng,lit. to drop from the sky (idiom); fig. to appear unexpectedly; to arise abruptly; out of the blue; to drop into one's lap -从子,cóng zǐ,paternal uncle's son; nephew -从容,cóng róng,to go easy; unhurried; calm; Taiwan pr. [cong1 rong2] -从容不迫,cóng róng bù pò,calm; unruffled -从实招来,cóng shí zhāo lái,to own up to the facts -从宽,cóng kuān,lenient; leniently -从小,cóng xiǎo,from childhood; from a young age -从属,cóng shǔ,subordinate -从影,cóng yǐng,to make movies; to be a movie actor (or actress) -从从容容,cóng cóng róng róng,unhurried; all in good time -从心所欲,cóng xīn suǒ yù,whatever you like; to do as one pleases -从戎,cóng róng,to enlist; to be in the army -从政,cóng zhèng,to be engaged in politics (esp. as a government official) -从教,cóng jiào,to work as a teacher -从早到晚,cóng zǎo dào wǎn,from morning till night; from dawn to dusk; all day long -从未,cóng wèi,never -从业,cóng yè,to practice (a trade) -从业人员,cóng yè rén yuán,employee; person employed in a trade or profession -从此,cóng cǐ,from now on; since then; henceforth -从此往后,cóng cǐ wǎng hòu,from here on -从母,cóng mǔ,maternal aunt -从江,cóng jiāng,"Congjiang county in Qiandongnan Miao and Dong autonomous prefecture 黔東南州|黔东南州[Qian2 dong1 nan2 zhou1], Guizhou" -从江县,cóng jiāng xiàn,"Congjiang county in Qiandongnan Miao and Dong autonomous prefecture 黔東南州|黔东南州[Qian2 dong1 nan2 zhou1], Guizhou" -从没,cóng méi,never (in the past); never did -从父,cóng fù,paternal uncle -从犯,cóng fàn,accessory to a crime; accomplice -从略,cóng lüè,to omit (less important details etc) -从众,cóng zhòng,to follow the crowd; to conform -从缓,cóng huǎn,not to hurry; to procrastinate; to postpone -从者,cóng zhě,(literary) follower; attendant -从而,cóng ér,thus; thereby -从良,cóng liáng,(of a slave or servant) to be given one's freedom; (of a prostitute) to marry and leave one's trade -从艺,cóng yì,to work as an artist -从里到外,cóng lǐ dào wài,from the inside to the outside; through and through; thoroughly -从谏如流,cóng jiàn rú liú,to follow admonition as natural flow (idiom); to accept criticism or correction (even from one's inferiors) -从军,cóng jūn,to enlist; to serve in the army -从轻,cóng qīng,to be lenient (in sentencing) -从速,cóng sù,(to do sth) with dispatch; as soon as possible -从医,cóng yī,to work as a doctor -从长计议,cóng cháng jì yì,(idiom) to take one's time making a decision; to consider at length -从难从严,cóng nán cóng yán,demanding and strict (idiom); exacting -从零开始,cóng líng kāi shǐ,to start from scratch -从头,cóng tóu,anew; from the start -从头到尾,cóng tóu dào wěi,from start to finish; from head to tail; the whole (thing) -从头到脚,cóng tóu dào jiǎo,from head to foot -徕,lái,used in 招徠|招徕[zhao1 lai2] -御,yù,(bound form) imperial; royal; (literary) to drive (a carriage); (literary) to manage; to govern -御便当,yù biàn dāng,(Tw) bento; lunch box -御史,yù shǐ,imperial censor (formal title of a dynastic official) -御宅族,yù zhái zú,"otaku, a Japanese term for people with obsessive interests such as anime, manga, and video games; see also 宅男[zhai2 nan2]; see also 宅女[zhai2 nu:3]" -御宝,yù bǎo,imperial seal -御厨,yù chú,imperial chef; imperial kitchen -御弟,yù dì,emperor's young brother -御戎,yù róng,(military) chariot driver (old) -御手,yù shǒu,the emperor's hand; variant of 馭手|驭手[yu4 shou3] -御批,yù pī,imperial rescript; emperor's written instructions in response to a report -御用,yù yòng,for use by the emperor; imperial; (derog.) in the pay of the ruler -御用大律师,yù yòng dà lǜ shī,Queen's Counsel -御膳房,yù shàn fáng,imperial kitchen -御赐,yù cì,to be bestowed by the emperor -御酒,yù jiǔ,imperial wine; sacred wine -御医,yù yī,imperial physician -御驾亲征,yù jià qīn zhēng,the emperor leads his troops into battle (idiom); to take part personally in an expedition -遍,biàn,variant of 遍[bian4] -徨,huáng,irresolute -复,fù,to go and return; to return; to resume; to return to a normal or original state; to repeat; again; to recover; to restore; to turn over; to reply; to answer; to reply to a letter; to retaliate; to carry out -复交,fù jiāo,to reopen diplomatic relations -复仇,fù chóu,to avenge; vengeance -复位,fù wèi,"to restore sb or sth to its original position; to regain the throne; to reset (a dislocated joint, an electronic device etc); reset" -复信,fù xìn,to reply to a letter -复修,fù xiū,to restore (an ancient temple) -复健,fù jiàn,rehabilitation; recuperate -复元,fù yuán,variant of 復原|复原[fu4 yuan2] -复出,fù chū,to come back out of retirement; to get involved again after having withdrawn -复分解反应,fù fēn jiě fǎn yìng,metathesis (chemistry) -复刻,fù kè,"to reprint (a work that has been out of print); to reissue (a vinyl album as a CD, etc); to replicate; to recreate; (computing) fork (loanword)" -复原,fù yuán,to restore (sth) to (its) former condition; to recover from illness; recovery -复原乳,fù yuán rǔ,reconstituted milk -复古,fù gǔ,"to return to old ways (a Confucian aspiration); to turn back the clock; neoclassical school during Tang and Song associated with classical writing 古文; retro (fashion style based on nostalgia, esp. for 1960s)" -复古会,fù gǔ huì,anti-Qing revolutionary party set up in 1904 under Cai Yuanpei 蔡元培[Cai4 Yuan2 pei2]; aka 光復會|光复会[Guang1 fu4 hui4] -复合,fù hé,(of people who were estranged) to be reconciled; (of a couple) to get back together -复吸,fù xī,to resume smoking (after giving up); to relapse into smoking or drug abuse -复命,fù mìng,to report on completion of a mission; debriefing -复员,fù yuán,to demobilize; demobilization -复大,fù dà,"Fudan University, Shanghai, abbr. for 復旦大學|复旦大学[Fu4 dan4 Da4 xue2]" -复婚,fù hūn,to remarry (the same person) -复学,fù xué,to return to school (after an interruption); to resume one's studies -复审,fù shěn,to re-examine; to recheck; (law) to conduct a judicial review; to retry (a case) -复岗,fù gǎng,(of an employee) to return to one's job (e.g. after being temporarily stood down) -复工,fù gōng,to return to work (after a stoppage) -复市,fù shì,"(of a shop, market) to resume trading" -复旦,fù dàn,"Fudan University, Shanghai, abbr. for 復旦大學|复旦大学[Fu4 dan4 Da4 xue2]" -复旦大学,fù dàn dà xué,"Fudan University, Shanghai" -复明,fù míng,to restore the Ming dynasty -复明,fù míng,to regain one's eyesight; (astronomy) emersion -复映片,fù yìng piàn,second-run movie -复会,fù huì,to resume a meeting -复查,fù chá,to check again; to re-examine -复核,fù hé,to reconsider; to reexamine; to review (e.g. a report prior to accepting it) -复归,fù guī,to return; to come back -复活,fù huó,to revive; (lit. and fig.) to come back to life; (religion) resurrection -复活的军团,fù huó de jūn tuán,the Resurrected Army (CCTV documentary series about the Terracotta army) -复活节,fù huó jié,Easter -复活节岛,fù huó jié dǎo,Easter Island -复活赛,fù huó sài,repechage (supplementary qualifying round in sports) -复现,fù xiàn,to reappear; to persist (in memory) -复理石,fù lǐ shí,flysch (loanword) -复生,fù shēng,to be reborn; to recover; to come back to life; to regenerate -复苏,fù sū,"to recover (health, economic); to resuscitate; anabiosis" -复发,fù fā,to recur (of a disease); to reappear; to relapse (into a former bad state) -复盘,fù pán,"(after completing a game of chess) to replay the game, analyzing the players' moves; (stock market) to resume trading" -复习,fù xí,to review; revision; CL:次[ci4] -复联,fù lián,Avengers (comics) -复职,fù zhí,to resume a post -复兴,fù xīng,"Fuxing district of Handan city 邯鄲市|邯郸市[Han2 dan1 shi4], Hebei; Fuxing or Fuhsing township in Taoyuan county 桃園縣|桃园县[Tao2 yuan2 xian4], north Taiwan" -复兴,fù xīng,to revive; to rejuvenate -复兴区,fù xīng qū,"Fuxing district of Handan city 邯鄲市|邯郸市[Han2 dan1 shi4], Hebei" -复兴时代,fù xīng shí dài,the Renaissance -复兴乡,fù xīng xiāng,"Fuxing or Fuhsing township in Taoyuan county 桃園縣|桃园县[Tao2 yuan2 xian4], north Taiwan" -复兴门,fù xīng mén,Fuxingmen neighborhood of Beijing -复兴党,fù xīng dǎng,Baath Party -复旧,fù jiù,to restore old way; to return to the past -复萌,fù méng,to germinate again -复苏,fù sū,"variant of 復甦|复苏[fu4 su1]; to recover (health, economic); to resuscitate; anabiosis" -复诊,fù zhěn,another visit to doctor; further diagnosis -复课,fù kè,to resume classes -复议,fù yì,to reconsider -复读,fù dú,"to return to the same school and repeat a course from which one has already graduated, as a result of failing to get good enough results to progress to one's desired higher-level school" -复读生,fù dú shēng,"student who repeats (a course, grade etc) at school" -复转,fù zhuǎn,to demobilize; to transfer to other tasks (of troops) -复辟,fù bì,to recover one's power or authority; restoration (of a past regime) -复返,fù fǎn,to come back; to return -复阳,fù yáng,"to test positive again (for COVID-19) after previously testing positive and then later, negative; to have a rebound positive test result" -复驶,fù shǐ,(of a public transportation route) to resume operating -循,xún,to follow; to adhere to; to abide by -循分,xún fèn,to abide by one's duties -循化,xún huà,"Xunhua Salazu autonomous county in Haidong prefecture 海東地區|海东地区[Hai3 dong1 di4 qu1], Qinghai" -循化撒拉族自治县,xún huà sǎ lā zú zì zhì xiàn,"Xunhua Salazu autonomous county in Haidong prefecture 海東地區|海东地区[Hai3 dong1 di4 qu1], Qinghai" -循化县,xún huà xiàn,"Xunhua Salazu autonomous county in Haidong prefecture 海東地區|海东地区[Hai3 dong1 di4 qu1], Qinghai" -循序,xún xù,in proper sequence -循序渐进,xún xù jiàn jìn,"in sequence, step by step (idiom); to make steady progress incrementally" -循循善诱,xún xún shàn yòu,to guide patiently and systematically (idiom) -循环,xún huán,to cycle; to circulate; circle; loop -循环使用,xún huán shǐ yòng,recycle; to use in cyclic order -循环小数,xún huán xiǎo shù,recurring decimal -循环性,xún huán xìng,cyclical; cyclic; circulatory; recurrent; recursive; cyclicity -循环节,xún huán jié,recurring section of a rational decimal -循环系统,xún huán xì tǒng,circulatory system -循环论证,xún huán lùn zhèng,circular argument; logical error consisting of begging the question; Latin: petitio principii -循环赛,xún huán sài,round-robin tournament -循着,xún zhe,to follow -循规蹈矩,xún guī dǎo jǔ,to follow the compass and go with the set square (idiom); to follow the rules inflexibly; to act according to convention -循道宗,xún dào zōng,Methodism -徭,yáo,compulsory service -徭役,yáo yì,forced labor; corvee -微,wēi,surname Wei; ancient Chinese state near present-day Chongqing; Taiwan pr. [Wei2] -微,wēi,tiny; miniature; slightly; profound; abtruse; to decline; one millionth part of; micro-; Taiwan pr. [wei2] -微不足道,wēi bù zú dào,negligible; insignificant -微中子,wēi zhōng zǐ,neutrino (particle physics); also written 中微子[zhong1 wei1 zi3] -微乎其微,wēi hū qí wēi,a tiny bit; very little; next to nothing (idiom) -微信,wēi xìn,Weixin or WeChat (mobile text and voice messaging service developed by Tencent 騰訊|腾讯[Teng2 xun4]) -微光,wēi guāng,glimmer -微克,wēi kè,microgram (μg) -微凹黄檀,wēi āo huáng tán,cocobolo (Dalbergia retusa) -微分,wēi fēn,(math.) differential (of a function); differential (equation etc); to differentiate; differentiation -微分学,wēi fēn xué,differential calculus -微分几何,wēi fēn jǐ hé,differential geometry -微分几何学,wēi fēn jǐ hé xué,differential geometry -微分方程,wēi fēn fāng chéng,differential equation (math.) -微创手术,wēi chuāng shǒu shù,minimally invasive surgery -微劈恩,wēi pī ēn,VPN (loanword) -微动脉,wēi dòng mài,capillary artery -微升,wēi shēng,microliter; to increase slightly -微博,wēi bó,microblogging; microblog -微博客,wēi bó kè,microblogging; microblog -微商,wēi shāng,derivative (math.); business on WeChat 微信[Wei1 xin4] leveraging one's social network; person who operates such a business -微囊,wēi náng,(pharm.) microcapsule -微型,wēi xíng,miniature; micro-; tiny -微型封装块,wēi xíng fēng zhuāng kuài,microcapsule -微型小说,wēi xíng xiǎo shuō,flash fiction -微尘,wēi chén,dust; (Buddhism) minutest particle of matter -微妙,wēi miào,subtle -微孔膜,wēi kǒng mó,microporous membrane -微安,wēi ān,microampere (one millionth of amp); also written 微安培 -微安培,wēi ān péi,microampere (one millionth of amp) -微小,wēi xiǎo,minute (i.e. extremely small); infinitesimal -微小病毒科,wēi xiǎo bìng dú kē,Picornaviridae (virus family including many human pathogens); small RNA virus -微山,wēi shān,"Weishan County in Jining 濟寧|济宁[Ji3 ning2], Shandong" -微山县,wēi shān xiàn,"Weishan County in Jining 濟寧|济宁[Ji3 ning2], Shandong" -微弱,wēi ruò,weak; faint; feeble -微径,wēi jìng,small path -微微,wēi wēi,slight; faint; humble -微恙,wēi yàng,slight illness; indisposition -微控制器,wēi kòng zhì qì,microcontroller unit (MCU) -微操,wēi cāo,to micromanage; micromanagement -微扰,wēi rǎo,infinitesimal disturbance; perturbation (physics) -微扰展开,wēi rǎo zhǎn kāi,perturbative expansion (physics) -微扰论,wēi rǎo lùn,perturbation theory -微整,wēi zhěng,abbr. for 微整形[wei1 zheng3 xing2] -微整形,wēi zhěng xíng,"non-surgical cosmetic procedure (injection of Botox, hyaluronic acid etc)" -微明,wēi míng,twilight -微星,wēi xīng,"Micro-Star International (MSI), Taiwanese computer hardware company" -微晶,wēi jīng,microcrystal -微晶片,wēi jīng piàn,microchip -微服,wēi fú,(of a high-ranking official) to wear plain clothes in order to go about incognito -微服私访,wēi fú sī fǎng,to mingle with the people incognito -微末,wēi mò,tiny; negligible -微机,wēi jī,micro (computer) -微机化,wēi jī huà,miniaturization; micro-miniaturization -微波,wēi bō,ripple; microwave -微波天线,wēi bō tiān xiàn,microwave antenna -微波炉,wēi bō lú,microwave oven; CL:臺|台[tai2] -微溶,wēi róng,slightly soluble -微漠,wēi mò,faint (almost inaudible or invisible) -微火,wēi huǒ,a low fire (for roasting) -微生物,wēi shēng wù,microorganism -微生物学,wēi shēng wù xué,microbiology -微生物学家,wēi shēng wù xué jiā,microbiologist -微睡眠,wēi shuì mián,microsleep -微秒,wēi miǎo,"microsecond, µs, 10^-6 s" -微积分,wēi jī fēn,calculus; differentiation and integration; calculus of infinitesimals 微 and integrals 積|积 -微积分基本定理,wēi jī fēn jī běn dìng lǐ,fundamental theorem of calculus -微积分学,wēi jī fēn xué,infinitesimal calculus; calculus -微笑,wēi xiào,"smile; CL:個|个[ge4],絲|丝[si1]; to smile" -微管,wēi guǎn,tubule; microtubule -微管蛋白,wēi guǎn dàn bái,tubulin -微米,wēi mǐ,micron (one thousandth of a millimeter or 10^-6 meter) -微粒,wēi lì,speck; particle -微粒体,wēi lì tǐ,microsome -微细,wēi xì,microminiature (technology) -微细加工,wēi xì jiā gōng,microminiature technology -微丝,wēi sī,microfilament -微丝血管,wēi sī xuè guǎn,capillary blood vessels -微缩,wēi suō,compact; micro-; miniature; to miniaturize -微缩胶卷,wēi suō jiāo juǎn,microfilm -微聚焦,wēi jù jiāo,microfocus x-ray computed tomography (microCT) -微胖,wēi pàng,slightly chubby; stoutish -微胶囊技术,wēi jiāo náng jì shù,microencapsulation -微臣,wēi chén,this small official; humble servant -微茫,wēi máng,hazy; blurred -微菌,wēi jūn,microorganism -微薄,wēi bó,scanty; meager -微处理器,wēi chǔ lǐ qì,microprocessor -微处理机,wēi chǔ lǐ jī,microprocessor -微血管,wēi xuè guǎn,capillary -微表情,wēi biǎo qíng,microexpression -微观,wēi guān,micro-; subatomic -微观世界,wēi guān shì jiè,microcosm; the microscopic world -微观经济,wēi guān jīng jì,microeconomic -微言大义,wēi yán dà yì,subtle words with profound meaning (idiom) -微词,wēi cí,veiled criticism -微调,wēi tiáo,fine tuning; trimming -微贱,wēi jiàn,humble; lowly -微软,wēi ruǎn,Microsoft Corporation -微软公司,wēi ruǎn gōng sī,Microsoft Corporation -微辣,wēi là,mildly spicy -微速摄影,wēi sù shè yǐng,time-lapse photography -微醺,wēi xūn,tipsy -微量,wēi liàng,a smidgen; minute; micro-; trace (element) -微量元素,wēi liàng yuán sù,trace element (chemistry) -微量白蛋白,wēi liàng bái dàn bái,microalbumin -微雕,wēi diāo,a miniature (carving) -微电子,wēi diàn zǐ,microelectronics -微电子学,wēi diàn zǐ xué,microelectronics -微电脑,wēi diàn nǎo,microcomputer -微静脉,wēi jìng mài,capillary vein -微风,wēi fēng,breeze; light wind -微驼,wēi tuó,stooping; hunched -徯,xī,footpath; wait for -徯径,xī jìng,path; way (method) -徴,zhēng,Japanese variant of 徵|征 -征,zhēng,to invite; to recruit; to levy (taxes); to draft (troops); phenomenon; symptom; characteristic sign (used as proof); evidence -徵,zhǐ,"4th note in the ancient Chinese pentatonic scale 五音[wu3 yin1], corresponding to sol" -征信,zhēng xìn,to examine the reliability; reliable; credit reporting -征信社,zhēng xìn shè,(Tw) private investigator; credit bureau -征候,zhēng hòu,sign; indication; symptom -征传,zhēng zhuàn,narrative of long journey; campaign record -征兆,zhēng zhào,omen; sign (that sth is about to happen); warning sign -征兵,zhēng bīng,to levy troops; recruitment -征募,zhēng mù,to conscript -征友,zhēng yǒu,"to seek new friends through personal ads, dating apps etc" -征召,zhēng zhào,to enlist; to draft; to conscript; to appoint to an official position -征名责实,zhēng míng zé shí,to seek out the real nature based on the name (idiom); to judge sth at face value -征士,zhēng shì,soldier (in battle) -征婚,zhēng hūn,to look for a partner -征实,zhēng shí,levies in kind; grain tax -征才,zhēng cái,to recruit -征收,zhēng shōu,to levy (a tax); to expropriate -征文,zhēng wén,"to solicit articles, essays or pieces of literature (on a subject or in commemoration of an event)" -征求,zhēng qiú,"to solicit; to seek; to request (opinions, feedback etc); to petition" -征状,zhēng zhuàng,symptom -征发,zhēng fā,a punitive expedition; a requisition -征税,zhēng shuì,to levy taxes -征稿,zhēng gǎo,to solicit contributions (to a publication) -征聘,zhēng pìn,to invite job applications; to recruit -征询,zhēng xún,to consult; to solicit the opinion of -征调,zhēng diào,to conscript; to second (personnel); to requisition (supplies etc) -征象,zhēng xiàng,sign; symptom -征选,zhēng xuǎn,"to call for entries and select the best; to solicit (entries, submissions, applications etc); to select (the best candidate); contest; competition" -征集,zhēng jí,to collect; to recruit -德,dé,Germany; German; abbr. for 德國|德国[De2 guo2] -德,dé,virtue; goodness; morality; ethics; kindness; favor; character; kind -德三,dé sān,Nazi Germany; Third Reich (shorthand for 第三帝國|第三帝国[Di4 san1 Di4 guo2]) -德不配位,dé bù pèi wèi,one's moral standards are not in keeping with one's social status -德仁,dé rén,"Naruhito (1960-), emperor of Japan from 2019" -德令哈,dé lìng hā,"Delingha city in Haixi Mongol and Tibetan autonomous prefecture 海西蒙古族藏族自治州[Hai3 xi1 Meng3 gu3 zu2 Zang4 zu2 zi4 zhi4 zhou1], Qinghai" -德令哈市,dé lìng hā shì,"Delingha city in Haixi Mongol and Tibetan autonomous prefecture 海西蒙古族藏族自治州[Hai3 xi1 Meng3 gu3 zu2 Zang4 zu2 zi4 zhi4 zhou1], Qinghai" -德保,dé bǎo,"Debao county in Baise 百色[Bai3 se4], Guangxi" -德保县,dé bǎo xiàn,"Debao county in Baise 百色[Bai3 se4], Guangxi" -德伦特,dé lún tè,Drenthe (name); Drenthe (province in Netherlands) -德先生,dé xiān sheng,"""Mr Democracy"", phrase used during the May 4th Movement 五四運動|五四运动[Wu3 si4 Yun4 dong4]; abbr. for 德謨克拉西|德谟克拉西[de2 mo2 ke4 la1 xi1]; see also 賽先生|赛先生[Sai4 xian1 sheng5]" -德克萨斯,dé kè sà sī,Texas -德克萨斯州,dé kè sà sī zhōu,state of Texas -德勒巴克,dé lè bā kè,"Drøbak (city in Akershus, Norway)" -德勒兹,dé lè zī,"Gilles Deleuze (1925-1995), French philosopher" -德胜门,dé shèng mén,Deshengmen (Beijing) -德化,dé huà,"Dehua county in Quanzhou 泉州[Quan2 zhou1], Fujian" -德化县,dé huà xiàn,"Dehua county in Quanzhou 泉州[Quan2 zhou1], Fujian" -德古拉,dé gǔ lā,"Dracula, novel by Bram Stoker; Vlad III, Prince of Wallachia (1431-1476), nicknamed Vlad the Impaler or Dracula" -德古西加巴,dé gǔ xī jiā bā,"Tegucigalpa, capital of Honduras (Tw)" -德国,dé guó,Germany; German -德国之声,dé guó zhī shēng,"Deutsche Welle, German publicly-operated international broadcaster" -德国人,dé guó rén,German person or people -德国学术交流总署,dé guó xué shù jiāo liú zǒng shǔ,German Academic Exchange Service (DAAD) (Tw) -德国战车,dé guó zhàn chē,Rammstein (German metal band) -德国标准化学会,dé guó biāo zhǔn huà xué huì,Deutsches Institut für Normung e.V. (DIN); German Institute for Standardization -德国汉莎航空公司,dé guó hàn shā háng kōng gōng sī,Deutsche Lufthansa AG -德国统一社会党,dé guó tǒng yī shè huì dǎng,"Sozialistische Einheitspartei Deutschlands (Socialist Unity Party of Germany 1949-1990), the ruling communist party of the former German Democratic Republic (East Germany)" -德国酸菜,dé guó suān cài,sauerkraut -德国马克,dé guó mǎ kè,German mark -德国麻疹,dé guó má zhěn,German measles; rubella -德城,dé chéng,"Decheng district of Dezhou city 德州市[De2 zhou1 shi4], Shandong" -德城区,dé chéng qū,"Decheng district of Dezhou city 德州市[De2 zhou1 shi4], Shandong" -德士,dé shì,"(Singapore, Malaysia) taxi (loanword)" -德安,dé ān,"De'an county in Jiujiang 九江, Jiangxi" -德安县,dé ān xiàn,"De'an county in Jiujiang 九江, Jiangxi" -德宏,dé hóng,Dehong prefecture in Yunnan (Dai and Jingpo autonomous prefecture) -德宏傣族景颇族自治州,dé hóng dǎi zú jǐng pō zú zì zhì zhōu,"Dehong Dai and Jingpo autonomous prefecture in west Yunnan, surrounded on three sides by Myanmar (Burma), capital Luxi 潞西市" -德宏州,dé hóng zhōu,"abbr. for 德宏傣族景頗族自治州|德宏傣族景颇族自治州, Dehong Dai and Jingpo autonomous prefecture in west Yunnan surrounded on three sides by Myanmar (Burma)" -德川,dé chuān,"Tokugawa, the ruling clan of Japan from 1550-1850" -德州,dé zhōu,"Dezhou prefecture-level city in Shandong; abbr. for 德克薩斯州|德克萨斯州, Texas" -德州仪器,dé zhōu yí qì,Texas Instruments -德州市,dé zhōu shì,Dezhou prefecture-level city in Shandong -德州扑克,dé zhōu pū kè,Texas hold 'em (poker variant) -德布勒森,dé bù lè sēn,"Debrecen, Hungary's second city, capital of Hajdú-Bihar county 豪伊杜·比豪爾州|豪伊杜·比豪尔州[Hao2 yi1 du4 · Bi4 hao2 er3 zhou1] in east Hungary on the border with Romania" -德干,dé gān,Deccan (India) -德式,dé shì,German-style -德彪西,dé biāo xī,"Claude Debussy (1862-1918), French composer" -德律风,dé lǜ fēng,telephone (loanword) -德性,dé xìng,moral integrity -德性,dé xing,(coll.) revolting behavior; CL:副[fu4] -德惠,dé huì,"Dehui, county-level city in Changchun 長春|长春, Jilin" -德惠市,dé huì shì,"Dehui, county-level city in Changchun 長春|长春, Jilin" -德意志,dé yì zhì,Deutschland; Germany -德意志学术交流中心,dé yì zhì xué shù jiāo liú zhōng xīn,German Academic Exchange Service (DAAD) -德意志民主共和国,dé yì zhì mín zhǔ gòng hé guó,"German Democratic Republic (East Germany), 1945-1990" -德意志联邦共和国,dé yì zhì lián bāng gòng hé guó,"Federal Republic of Germany; former West Germany 1945-1990, now simply Germany" -德意志银行,dé yì zhì yín háng,Deutsche Bank -德庆,dé qìng,"Deqing county in Zhaoqing 肇慶|肇庆[Zhao4 qing4], Guangdong" -德庆县,dé qìng xiàn,"Deqing county in Zhaoqing 肇慶|肇庆[Zhao4 qing4], Guangdong" -德才,dé cái,ethics and ability; virtuous and talented -德才兼备,dé cái jiān bèi,having both integrity and talent (idiom) -德拉克罗瓦,dé lā kè luó wǎ,Delacroix (painter) -德拉门,dé lā mén,"Drammen (city in Buskerud, Norway)" -德政,dé zhèng,benevolent government -德文,dé wén,German (language) -德昂,dé áng,De'ang (ethnic group) -德昌,dé chāng,"Dechang county in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -德昌县,dé chāng xiàn,"Dechang county in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -德智体美,dé zhì tǐ měi,"the aims of education: morality, intelligence, physical fitness and aesthetic sense" -德格,dé gé,"Dêgê county (Tibetan: sde dge rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1], Sichuan (formerly in Kham province of Tibet)" -德格县,dé gé xiàn,"Dêgê county (Tibetan: sde dge rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1], Sichuan (formerly in Kham province of Tibet)" -德梅因,dé méi yīn,"Des Moines, capital of Iowa" -德钦,dé qīn,"Dechen County in Diqing Tibetan Autonomous Prefecture 迪慶藏族自治州|迪庆藏族自治州[Di2 qing4 Zang4 zu2 Zi4 zhi4 zhou1], Yunnan (formerly in Kham province of Tibet)" -德钦县,dé qīn xiàn,"Dechen County in Diqing Tibetan Autonomous Prefecture 迪慶藏族自治州|迪庆藏族自治州[Di2 qing4 Zang4 zu2 Zi4 zhi4 zhou1], Yunnan (formerly in Kham province of Tibet)" -德江,dé jiāng,"Dejiang, a county in Tongren 銅仁市|铜仁市[Tong2ren2 Shi4], Guizhou" -德江县,dé jiāng xiàn,"Dejiang, a county in Tongren 銅仁市|铜仁市[Tong2ren2 Shi4], Guizhou" -德沃夏克,dé wò xià kè,"Antonin Dvořák (1841-1904), Bohemian composer, author of nine symphonies including the New World symphony" -德治,dé zhì,rule by virtue; rule by setting virtuous example (Confucian ideal) -德法年鉴,dé fǎ nián jiàn,Deutsch-Französische Jahrbücher (published once in 1844 by Karl Marx and bourgeois radical Arnold Ruge) -德清,dé qīng,"Deqing county in Huzhou 湖州[Hu2 zhou1], Zhejiang" -德清县,dé qīng xiàn,"Deqing county in Huzhou 湖州[Hu2 zhou1], Zhejiang" -德乌帕,dé wū pà,"Sher Bahadur Deuba (1946-), former prime minister of Nepal" -德牧,dé mù,German shepherd -德班,dé bān,Durban (city in South Africa) -德累斯顿,dé lèi sī dùn,"Dresden, capital of Saxony 薩克森州|萨克森州[Sa4 ke4 sen1 zhou1], Germany" -德维尔潘,dé wéi ěr pān,(Dominique) de Villepin (French name) -德育,dé yù,moral education -德兴,dé xīng,"Dexing, county-level city in Shangrao 上饒|上饶, Jiangxi" -德兴市,dé xīng shì,"Dexing, county-level city in Shangrao 上饒|上饶, Jiangxi" -德航,dé háng,Lufthansa (German airline); abbr. for 德國漢莎航空公司|德国汉莎航空公司[De2 guo2 Han4 sha1 Hang2 kong1 Gong1 si1] -德莱塞,dé lái sè,"Dreiser (surname); Theodore Dreiser (1871-1945), American writer" -德薄能鲜,dé bó néng xiǎn,little virtue and meager abilities (idiom); I'm a humble person and not much use at anything (Song writer Ouyang Xiu 歐陽修|欧阳修[Ou1 yang2 Xiu1]) -德行,dé xíng,morality and conduct; Taiwan pr. [de2 xing4] -德行,dé xing,variant of 德性[de2 xing5] -德语,dé yǔ,German (language) -德谟克拉西,dé mó kè lā xī,democracy (loanword) (old) -德贵丽类,dé guì lì lèi,daiquirí -德都,dé dū,"Dejun, former county, merged into Wudalianchi 五大連池|五大连池[Wu3 da4 lian2 chi2] in Heihe, Heilongjiang" -德都县,dé dū xiàn,"Dejun, former county, merged into Wudalianchi 五大連池|五大连池[Wu3 da4 lian2 chi2] in Heihe, Heilongjiang" -德里,dé lǐ,"Delhi; New Delhi, capital of India; same as 新德里[Xin1 De2 li3]" -德里达,dé lǐ dá,"Jacques Derrida (1930-2004), philosopher" -德阳,dé yáng,Deyang prefecture-level city in Sichuan -德阳市,dé yáng shì,Deyang prefecture-level city in Sichuan -德雷斯顿,dé léi sī dùn,"Dresden, Germany" -德雷尔,dé léi ěr,"Dreyer (name); June Teufel Dreyer, China expert at Univ. of Miami and Foreign Policy Research Institute" -德雷福斯,dé léi fú sī,"Dreyfus (name); Alfred Dreyfus (1859-1935), French artillery officer of Alsatian and Jewish background, infamously imprisoned 1894 in miscarriage of justice" -德雷福斯案件,dé léi fú sī àn jiàn,"Dreyfus affair 1894-1906, notorious political scandal in France case involving antisemitism and miscarriage of justice" -德高望重,dé gāo wàng zhòng,(idiom) a person of virtue and prestige; a person of good moral standing and reputation -德黑兰,dé hēi lán,"Tehran, capital of Iran" -彻,chè,thorough; penetrating; to pervade; to pass through -彻夜,chè yè,the whole night -彻夜不眠,chè yè bù mián,to be sleepless all night -彻底,chè dǐ,thorough; thoroughly; complete -彻底失败,chè dǐ shī bài,utter failure -彻悟,chè wù,fully aware; to recognize fully -彻查,chè chá,to investigate thoroughly -彻西,chè xī,"Chelsea, suburb of London; Chelsea football club" -彻头彻尾,chè tóu chè wěi,lit. from head to tail (idiom); thoroughgoing; through and through; out and out; from top to bottom -彻骨,chè gǔ,to the bone; to the marrow; fig. to a very large degree -徼,jiǎo,by mere luck -徼,jiào,boundary; to go around -徼幸,jiǎo xìng,variant of 僥倖|侥幸[jiao3 xing4] -徼幸,jiǎo xìng,variant of 僥倖|侥幸[jiao3 xing4] -徽,huī,badge; emblem; insignia; crest; logo; coat of arms -徽剧,huī jù,Anhui opera -徽墨,huī mò,Anhui ink (known for its quality) -徽州,huī zhōu,"Huizhou, a district of Huangshan City 黃山市|黄山市[Huang2shan1 Shi4], Anhui" -徽州区,huī zhōu qū,"Huizhou, a district of Huangshan City 黃山市|黄山市[Huang2shan1 Shi4], Anhui" -徽帜,huī zhì,banner -徽标,huī biāo,emblem; crest; logo -徽章,huī zhāng,badge; emblem; insignia; crest; logo; coat of arms -徽县,huī xiàn,"Hui county in Longnan 隴南|陇南[Long3 nan2], Gansu" -徽菜,huī cài,Anhui cuisine -徽号,huī hào,title of honor; term of respect -徽记,huī jì,crest; insignia -徽语,huī yǔ,"Huizhou dialect of Gan, spoken in southern parts of Anhui Province" -徽调,huī diào,Anhui opera -心,xīn,"heart; mind; intention; center; core; CL:顆|颗[ke1],個|个[ge4]" -心上人,xīn shàng rén,sweetheart; one's beloved -心下,xīn xià,in mind -心不在焉,xīn bù zài yān,absent-minded; preoccupied; inattentive; with one's thoughts wandering -心中,xīn zhōng,central point; in one's thoughts; in one's heart -心中有数,xīn zhōng yǒu shù,to know what's going on -心中有鬼,xīn zhōng yǒu guǐ,to harbor ulterior motives (idiom) -心中无数,xīn zhōng wú shù,to have no idea; to be unsure -心乱如麻,xīn luàn rú má,one's thoughts in a whirl (idiom); confused; disconcerted; upset -心事,xīn shì,"a load on one's mind; worry; CL:宗[zong1],樁|桩[zhuang1]" -心事重重,xīn shì chóng chóng,to have a lot on one's mind; to be laden with anxiety -心伤,xīn shāng,broken-hearted -心仪,xīn yí,to admire -心切,xīn qiè,eager; impatient; guileless -心力,xīn lì,mental and physical efforts -心力交瘁,xīn lì jiāo cuì,to be both mentally and physically exhausted (idiom) -心力衰竭,xīn lì shuāi jié,heart failure -心劲,xīn jìn,thoughts; what one has in one's heart -心动,xīn dòng,"heartbeat; heart rate; (fig.) emotionally affected; aroused (of desire, emotion, interest etc)" -心动图,xīn dòng tú,cardiogram (medicine) -心动女,xīn dòng nǚ,(coll.) the girl of your dreams -心包,xīn bāo,pericardium -心口,xīn kǒu,pit of the stomach; solar plexus; words and thoughts -心口不一,xīn kǒu bù yī,heart and mouth at variance (idiom); keeping one's real intentions to oneself; saying one thing but meaning sth different -心口如一,xīn kǒu rú yī,lit. heart and mouth as one (idiom); to say what you think; honest and straightforward -心土,xīn tǔ,subsoil -心地,xīn dì,character -心地善良,xīn dì shàn liáng,kindhearted; good-natured -心坎,xīn kǎn,bottom of one's heart -心塞,xīn sāi,(coll.) to feel sick at heart; to feel stifled; to feel crushed -心境,xīn jìng,mood; mental state; frame of mind -心如刀割,xīn rú dāo gē,to feel as if having one's heart cut out (idiom); to be torn with grief -心如刀绞,xīn rú dāo jiǎo,to feel a pain like a knife being twisted in one's heart (idiom) -心如止水,xīn rú zhǐ shuǐ,to be at peace with oneself -心孔,xīn kǒng,see 心竅|心窍[xin1 qiao4] -心存不满,xīn cún bù mǎn,to be discontented; to be dissatisfied -心存怀疑,xīn cún huái yí,to be suspicious -心学,xīn xué,"School of Mind; Neo-Confucian Idealistic School (from Song to mid-Qing times, c. 1000-1750, typified by the teachings of Wang Yangming 王陽明|王阳明[Wang2 Yang2 ming2])" -心安理得,xīn ān lǐ dé,to have a clear conscience; to have no qualms about sth -心安神闲,xīn ān shén xián,with one's heart at ease and one's spirit at rest (idiom) -心室,xīn shì,ventricle (heart) -心室颤动,xīn shì chàn dòng,"ventricular fibrillation (V-fib), abbr. to 室顫|室颤[shi4 chan4]" -心宿二,xīn xiù èr,"Antares, the brightest star in Scorpio 天蠍座|天蝎座[Tian1 xie1 zuo4]" -心寒,xīn hán,bitterly disappointed; frightened -心宽体胖,xīn kuān tǐ pán,big-hearted and serene (idiom); contented and easygoing -心尖,xīn jiān,bottom tip of the heart; fig. innermost feelings; coll. my darling -心平气和,xīn píng qì hé,tranquil and even-tempered (idiom); calmly and without stress -心底,xīn dǐ,bottom of one's heart -心广体胖,xīn guǎng tǐ pán,big-hearted and serene (idiom); contended and easygoing -心弦,xīn xián,heartstrings -心影儿,xīn yǐng ér,"(Taiwan usage) child in need of help (orphaned, abandoned, abused etc)" -心律,xīn lǜ,(medicine) heart rhythm -心律不整,xīn lǜ bù zhěng,arrhythmia -心律不齐,xīn lǜ bù qí,arrhythmia -心律失常,xīn lǜ shī cháng,arrhythmia -心得,xīn dé,"what one has learned (through experience, reading etc); knowledge; insight; understanding; tips; CL:項|项[xiang4],個|个[ge4]" -心得安,xīn dé ān,propranolol (beta-blocker used to treat high blood pressure) -心心相印,xīn xīn xiāng yìn,two hearts beat as one (idiom); a kindred spirit -心志,xīn zhì,will; resolution; aspiration -心思,xīn si,mind; thoughts; inclination; mood -心急,xīn jí,anxious; impatient -心急吃不了热豆腐,xīn jí chī bu liǎo rè dòu fu,hasty men don't get to eat hot tofu (idiom); one just has to be patient; haste will ruin everything -心急如焚,xīn jí rú fén,to burn with impatience; torn with anxiety -心急火燎,xīn jí huǒ liǎo,to burn with anxiety -心怦怦跳,xīn pēng pēng tiào,The heart thumps wildly. (idiom) -心性,xīn xìng,one's nature; temperament -心悦诚服,xīn yuè chéng fú,to submit cheerfully; to accept willingly (idiom) -心悸,xīn jì,palpitation -心情,xīn qíng,mood; frame of mind; CL:個|个[ge4] -心想,xīn xiǎng,to think to oneself; to think -心想事成,xīn xiǎng shì chéng,(idiom) to have one's wishes come true; wish you the best! -心意,xīn yì,intention; regard; kindly feelings -心爱,xīn ài,beloved -心态,xīn tài,attitude (of the heart); state of one's psyche; way of thinking; mentality -心慌,xīn huāng,to be flustered; (dialect) irregular heart-beat -心慌意乱,xīn huāng yì luàn,confused; rattled; flustered -心怀,xīn huái,to harbor (thoughts); to cherish; to entertain (illusions) -心怀叵测,xīn huái pǒ cè,see 居心叵測|居心叵测[ju1 xin1 po3 ce4] -心战,xīn zhàn,psychological warfare; (literary) to be inwardly terrorized -心房,xīn fáng,heart (as the seat of emotions); cardiac atrium -心房颤动,xīn fáng chàn dòng,atrial fibrillation -心扉,xīn fēi,inner heart; soul -心拙口夯,xīn zhuō kǒu bèn,variant of 心拙口笨[xin1 zhuo1 kou3 ben4] -心拙口笨,xīn zhuō kǒu bèn,dull-witted and tongue-tied -心搏,xīn bó,heartbeat; pulse -心折,xīn zhé,convinced; to admire from the heart; enchanted -心智,xīn zhì,wisdom -心智图,xīn zhì tú,mind map -心旷神怡,xīn kuàng shén yí,"lit. heart untroubled, spirit pleased (idiom); carefree and relaxed" -心有灵犀一点通,xīn yǒu líng xī yī diǎn tōng,"hearts linked as one, just as the proverbial rhinoceros communicates emotion telepathically through his single horn (idiom); fig. two hearts beat as one" -心有余悸,xīn yǒu yú jì,to have lingering fears; trepidation remaining after a trauma (idiom) -心有余而力不足,xīn yǒu yú ér lì bù zú,"the will is there, but not the strength (idiom); the spirit is willing but the flesh is weak" -心服,xīn fú,to accept wholeheartedly; to embrace; to be won over -心服口服,xīn fú kǒu fú,(idiom) to accept wholeheartedly; to embrace; to be won over -心材,xīn cái,pith; central core (of tree) -心根,xīn gēn,the innermost depths of one's heart; (Buddhism) manas (the mind) -心梗,xīn gěng,myocardial infarction; heart attack (abbr. for 心肌梗死[xin1 ji1 geng3 si4]) -心机,xīn jī,thinking; scheme -心毒,xīn dú,cruel; vicious -心毒手辣,xīn dú shǒu là,vicious and ruthless -心气,xīn qì,intention; motive; state of mind; ambition; aspiration; heart 氣|气[qi4] (TCM) -心流,xīn liú,"(psychology) flow; being ""in the zone""" -心满意足,xīn mǎn yì zú,perfectly contented (idiom); perfectly satisfied -心潮澎湃,xīn cháo péng pài,to be overwhelmed by emotions -心灰意冷,xīn huī yì lěng,discouraged; downhearted -心灰意懒,xīn huī yì lǎn,discouraged; downhearted -心无二用,xīn wú èr yòng,one cannot concentrate on two things at the same time -心无旁骛,xīn wú páng wù,completely focused; free of distractions -心焦,xīn jiāo,worried; anxious -心照,xīn zhào,to have a tacit understanding -心照不宣,xīn zhào bù xuān,to have a tacit understanding -心烦,xīn fán,to feel agitated; to be troubled; to be annoyed; an upset or distraction -心烦意乱,xīn fán yì luàn,"lit. heart distracted, thoughts in turmoil (idiom); distraught with anxiety" -心烦气躁,xīn fán qì zào,agitated; annoyed (idiom) -心狠手辣,xīn hěn shǒu là,vicious and merciless (idiom) -心猿意马,xīn yuán yì mǎ,"lit. heart like a frisky monkey, mind like a cantering horse (idiom); fig. capricious (derog.); to have ants in one's pants; hyperactive; adventurous and uncontrollable" -心率,xīn lǜ,heart rate -心理,xīn lǐ,psychology; mentality -心理作用,xīn lǐ zuò yòng,a perception that doesn't reflect reality; a notion based on an erroneous belief -心理分析,xīn lǐ fēn xī,psychoanalysis -心理学,xīn lǐ xué,psychology -心理学家,xīn lǐ xué jiā,psychologist -心理战,xīn lǐ zhàn,psychological warfare; psychological operations; psyop -心理统计学,xīn lǐ tǒng jì xué,psychometrics; quantitative psychology -心理词典,xīn lǐ cí diǎn,mental lexicon -心理防线,xīn lǐ fáng xiàn,psychological barrier -心瓣,xīn bàn,heart valve -心甘,xīn gān,to be willing; to be satisfied -心甘情愿,xīn gān qíng yuàn,"delighted to (do sth, idiom); perfectly happy to do; most willing to do" -心田,xīn tián,heart (one's innermost being) -心疑,xīn yí,to suspect -心疼,xīn téng,to love dearly; to feel sorry for sb; to regret; to grudge; to be distressed -心病,xīn bìng,anxiety; sore point; secret worry; mental disorder; heart disease (medicine) -心痛,xīn tòng,to feel distressed about sth; heartache; cardiac pain -心目,xīn mù,mind -心目中,xīn mù zhōng,in one's eyes; in one's estimation -心直口快,xīn zhí kǒu kuài,frank and outspoken (idiom); straight speaking; to say what one thinks -心直嘴快,xīn zhí zuǐ kuài,frank and outspoken; straight speaking; to say what one thinks -心眼,xīn yǎn,heart; intention; conscience; consideration; cleverness; tolerance -心眼儿,xīn yǎn er,one's thoughts; mind; intention; willingness to accept new ideas; baseless suspicions -心眼多,xīn yǎn duō,to have unfounded doubts; overconcerned -心眼大,xīn yǎn dà,magnanimous; considerate; thoughtful; able to think of everything that needs to be thought of -心眼好,xīn yǎn hǎo,well-intentioned; good-natured; kindhearted -心眼小,xīn yǎn xiǎo,see 小心眼[xiao3 xin1 yan3] -心知肚明,xīn zhī dù míng,to be well aware -心砰砰跳,xīn pēng pēng tiào,variant of 心怦怦跳[xin1 peng1 peng1 tiao4] -心硬,xīn yìng,hard-hearted; unfeeling; callous -心碎,xīn suì,heartbroken; extreme depth of sorrow -心神,xīn shén,mind; state of mind; attention; (Chinese medicine) psychic constitution -心神不安,xīn shén bù ān,to feel ill at ease -心神不宁,xīn shén bù níng,to feel ill at ease -心神不属,xīn shén bù zhǔ,see 心不在焉[xin1 bu4 zai4 yan1] -心神专注,xīn shén zhuān zhù,to concentrate one's attention; to be fully focused -心神恍惚,xīn shén huǎng hū,perturbed (idiom) -心秀,xīn xiù,not manifesting one's inner quality -心窄,xīn zhǎi,narrow-minded; intolerant -心窝儿,xīn wō er,one's breast; the pit of one's stomach -心窍,xīn qiào,the mind; capacity for clear thinking -心算,xīn suàn,mental arithmetic; to calculate in one's head; planning; preparation -心累,xīn lèi,emotionally exhausted; drained -心细,xīn xì,careful; scrupulous -心结,xīn jié,a matter that gnaws at one's mind; preoccupation; sore point; rancor -心绞痛,xīn jiǎo tòng,angina -心经,xīn jīng,the Heart Sutra -心绪,xīn xù,state of mind; mood -心绪不佳,xīn xù bù jiā,out of sorts; gloomy -心绪不宁,xīn xù bù níng,unquiet state of mind -心羡,xīn xiàn,to admire -心声,xīn shēng,heartfelt wish; inner voice; aspiration -心肌,xīn jī,myocardium -心肌梗塞,xīn jī gěng sè,myocardial infarction; heart attack -心肌梗死,xīn jī gěng sǐ,myocardial infarction; heart attack -心肌炎,xīn jī yán,myocarditis -心肝,xīn gān,darling; (in negative sentences) heart; humanity -心肝宝贝,xīn gān bǎo bèi,precious darling (often refers to one's child); sweetheart -心肺复苏术,xīn fèi fù sū shù,cardiopulmonary resuscitation (CPR) -心胸,xīn xiōng,heart; mind; ambition; aspiration -心胸狭窄,xīn xiōng xiá zhǎi,(idiom) narrow-minded; petty; ungenerous -心胸狭隘,xīn xiōng xiá ài,narrow; petty-minded -心胸开阔,xīn xiōng kāi kuò,broad-minded; open-minded -心肠,xīn cháng,heart; intention; one's inclination; state of mind; to have the heart for sth; mood -心腹,xīn fù,trusted aide; confidant -心腹之患,xīn fù zhī huàn,lit. calamity within one's bosom (idiom); major trouble hidden within -心胆,xīn dǎn,courage -心胆俱裂,xīn dǎn jù liè,to be scared out of one's wits (idiom) -心脏,xīn zàng,"heart; CL:顆|颗[ke1],個|个[ge4]" -心脏搭桥手术,xīn zàng dā qiáo shǒu shù,coronary bypass operation -心脏收缩压,xīn zàng shōu suō yā,systolic blood pressure -心脏疾患,xīn zàng jí huàn,heart disease -心脏病,xīn zàng bìng,heart disease -心脏病发作,xīn zàng bìng fā zuò,heart attack; to have a heart attack -心脏移殖,xīn zàng yí zhí,heart transplant -心脏舒张压,xīn zàng shū zhāng yā,diastolic blood pressure -心脏杂音,xīn zàng zá yīn,heart murmur -心脏骤停,xīn zàng zhòu tíng,cardiac arrest -心花怒放,xīn huā nù fàng,to burst with joy (idiom); to be over the moon; to be elated -心叶椴,xīn yè duàn,small-leaf linden (Tilia cordata) -心荡神驰,xīn dàng shén chí,to be infatuated with -心虚,xīn xū,lacking in confidence; diffident; to have a guilty conscience -心血,xīn xuè,heart's blood; expenditure (for some project); meticulous care -心血来潮,xīn xuè lái cháo,to be prompted by a sudden impulse; carried away by a whim; to have a brainstorm -心血管,xīn xuè guǎn,cardiovascular -心血管疾病,xīn xuè guǎn jí bìng,cardiovascular disease -心术,xīn shù,designs; schemes; intentions; scheming; calculating (of a person) -心里,xīn li,chest; heart; mind -心里有数,xīn lǐ yǒu shù,to know the score (idiom); to be well aware of the situation -心里有谱,xīn lǐ yǒu pǔ,to have a plan in mind -心里有鬼,xīn li yǒu guǐ,to have secret motives; to have a guilty conscience -心里痒痒,xīn lǐ yǎng yang,(idiom) to feel a strong urge (to do sth) -心里美萝卜,xīn li měi luó bo,"Chinese roseheart radish (shinrimei radish), green on the outside, purple-red on the inside, a favorite Beijing vegetable" -心里话,xīn li huà,(to express one's) true feelings; what is on one's mind; secret mind -心计,xīn jì,scheming; shrewdness -心许,xīn xǔ,to consent tacitly; unspoken approval -心迹,xīn jì,true motive; true feelings -心路,xīn lù,scheme; artifice; tolerance; intention; motive; train of thought; brains; wit; ideas -心跳,xīn tiào,heartbeat; pulse -心跳过缓,xīn tiào guò huǎn,bradycardia -心软,xīn ruǎn,to be softhearted; to be tenderhearted; to be kindhearted -心轴,xīn zhóu,central axis; spindle -心轮,xīn lún,"anāhata or anahata, the heart chakra 查克拉, residing in the chest" -心酸,xīn suān,to feel sad -心醉,xīn zuì,enchanted; fascinated; charmed -心醉神迷,xīn zuì shén mí,ecstatic; enraptured -心重,xīn zhòng,overanxious; neurotic -心杂音,xīn zá yīn,see 心臟雜音|心脏杂音[xin1 zang4 za2 yin1] -心电图,xīn diàn tú,electrocardiogram (ECG) -心电感应,xīn diàn gǎn yìng,telepathy -心灵,xīn líng,bright; smart; quick-witted; heart; thoughts; spirit -心灵上,xīn líng shàng,spiritual -心灵感应,xīn líng gǎn yìng,telepathy -心灵手巧,xīn líng shǒu qiǎo,capable; clever; dexterous -心灵鸡汤,xīn líng jī tāng,"(often used disparagingly) feel-good motivational story or quote (from the Chinese translation of the title of the 1993 self-help bestseller ""Chicken Soup for the Soul"")" -心静,xīn jìng,tranquil; calm -心静自然凉,xīn jìng zì rán liáng,a calm heart keeps you cool (idiom) -心音,xīn yīn,sound of the heart; heartbeat -心领,xīn lǐng,I appreciate your kindness (conventional reply to turn down an offer) -心领神悟,xīn lǐng shén wù,to understand tacitly (idiom); to know intuitively; to understand thoroughly -心领神会,xīn lǐng shén huì,to understand tacitly (idiom); to know intuitively; to understand thoroughly -心头,xīn tóu,heart; thoughts; mind -心头肉,xīn tóu ròu,the person one loves the most; one's most treasured possession -心愿,xīn yuàn,cherished desire; dream; craving; wish; aspiration -心愿单,xīn yuàn dān,wish list -心余力绌,xīn yú lì chù,see 心有餘而力不足|心有余而力不足[xin1 you3 yu2 er2 li4 bu4 zu2] -心驰神往,xīn chí shén wǎng,one's thoughts fly to a longed-for place or person; to long for; infatuated; fascinated -心惊,xīn jīng,fearful; apprehensive -心惊肉跳,xīn jīng ròu tiào,"lit. heart alarmed, body leaping (idiom); fear and trepidation in the face of disaster" -心惊胆战,xīn jīng dǎn zhàn,"lit. heart alarmed, trembling in fear (idiom); prostrate with fear; scared witless" -心惊胆颤,xīn jīng dǎn chàn,see 心驚膽戰|心惊胆战[xin1 jing1 dan3 zhan4] -心高气傲,xīn gāo qì ào,proud and arrogant -忄,xīn,Kangxi radical 61 (心) as a vertical side element -必,bì,certainly; must; will; necessarily -必不可少,bì bù kě shǎo,absolutely necessary; indispensable; essential -必不可缺,bì bù kě quē,see 必不可少[bi4 bu4 ke3 shao3] -必修,bì xiū,(of an academic course) required; compulsory -必修课,bì xiū kè,required course; compulsory course -必备,bì bèi,essential -必胜,bì shèng,to be certain of victory; to be bound to prevail -必胜客,bì shèng kè,Pizza Hut -必和必拓,bì huó bì tuò,BHP Billiton (Anglo-Australian mining corporation) -必定,bì dìng,to be bound to; to be sure to -必将,bì jiāng,inevitably -必得,bì děi,must; have to -必恭必敬,bì gōng bì jìng,variant of 畢恭畢敬|毕恭毕敬[bi4 gong1 bi4 jing4] -必应,bì yìng,Bing (search engine) -必有重谢,bì yǒu zhòng xiè,(we) will be very grateful (if ...) -必死之症,bì sǐ zhī zhèng,terminal illness; incurable condition (also fig.) -必死无疑,bì sǐ wú yí,will die for sure; to be a goner -必杀技,bì shā jì,(gaming or wrestling) finishing move; finisher -必然,bì rán,inevitable; certain; necessity -必然王国,bì rán wáng guó,realm of necessity (philosophy) -必然结果,bì rán jié guǒ,inevitable outcome; inescapable consequence -必由之路,bì yóu zhī lù,see 必經之路|必经之路[bi4 jing1 zhi1 lu4] -必经,bì jīng,"unavoidable; the only (road, entrance etc)" -必经之路,bì jīng zhī lù,(idiom) the road one must follow; the only way -必要,bì yào,necessary; essential; indispensable; required -必要性,bì yào xìng,necessity -必要条件,bì yào tiáo jiàn,requirement; necessary condition (math) -必需,bì xū,to need; to require; essential; indispensable -必需品,bì xū pǐn,necessity; essential (thing) -必须,bì xū,to have to; must; compulsory; necessarily -忉,dāo,grieved -忌,jì,to be jealous of; fear; dread; scruple; to avoid or abstain from; to quit; to give up sth -忌口,jì kǒu,abstain from certain food (as when ill); avoid certain foods; be on a diet -忌妒,jì du,to be jealous of; to envy -忌恨,jì hèn,hate (due to envy etc) -忌惮,jì dàn,to be afraid of the consequences; restraining fear -忌日,jì rì,anniversary of a death; inauspicious day -忌烟,jì yān,to quit smoking -忌羡,jì xiàn,to envy -忌讳,jì huì,taboo; to avoid as taboo; to abstain from -忌辰,jì chén,anniversary of a death -忍,rěn,to bear; to endure; to tolerate; to restrain oneself -忍不住,rěn bu zhù,cannot help; unable to bear -忍俊,rěn jùn,smiling -忍俊不禁,rěn jùn bù jīn,cannot help laughing; unable to restrain a smile -忍冬,rěn dōng,honeysuckle (Lonicera japonica) -忍受,rěn shòu,to bear; to endure -忍垢偷生,rěn gòu tōu shēng,to bear humiliation to save one's skin (idiom) -忍得住,rěn de zhù,to refrain; to be able to endure it -忍心,rěn xīn,to have the heart to do sth; to steel oneself to a task -忍耻,rěn chǐ,to endure humiliation -忍气吞声,rěn qì tūn shēng,to submit to humiliation (idiom); to suffer in silence; to swallow one's anger; to grin and bear it -忍无可忍,rěn wú kě rěn,more than one can bear (idiom); at the end of one's patience; the last straw -忍痛,rěn tòng,to suffer; fig. reluctantly -忍痛割爱,rěn tòng gē ài,to resign oneself to part with what one treasures -忍者,rěn zhě,ninja -忍者神龟,rěn zhě shén guī,"Teenage Mutant Ninja Turtles, US comic book series, first appeared in 1984, also films, video games etc" -忍者龟,rěn zhě guī,Teenage Mutant Ninja Turtles (Tw); see 忍者神龜|忍者神龟[Ren3 zhe3 Shen2 gui1] -忍耐,rěn nài,to endure; to bear with; to exercise patience; to restrain oneself; patience; endurance -忍耐力,rěn nài lì,patience; fortitude -忍让,rěn ràng,to exercise forbearance; patient and accommodating -忍辱偷生,rěn rǔ tōu shēng,to bear humiliation to save one's skin (idiom) -忍辱含垢,rěn rǔ hán gòu,to eat humble pie; to accept humiliation; to turn the other cheek -忍辱求全,rěn rǔ qiú quán,to endure humiliation to preserve unity -忍辱负重,rěn rǔ fù zhòng,to endure humiliation as part of an important mission (idiom); to suffer in silence -忍饥挨饿,rěn jī ái è,starving; famished -忐,tǎn,used in 忐忑[tan3te4] -忐忑,tǎn tè,apprehensive; on edge -忐忑不安,tǎn tè bù ān,anxious; in turmoil -忑,tè,used in 忐忑[tan3te4] -忒,tè,to err; to change -忒,,(dialect) too; very; also pr. [tui1] -忕,shì,accustomed to; habit -忕,tài,extravagant; luxurious -忖,cǔn,to ponder; to speculate; to consider; to guess -忖度,cǔn duó,to speculate; to surmise; to wonder whether; to guess -忖思,cǔn sī,to reckon; to consider; to ponder; to estimate -忖量,cǔn liàng,to turn things over in one's mind; to conjecture; to guess -志,zhì,aspiration; ambition; the will -志不在此,zhì bù zài cǐ,to have one's ambitions elsewhere (idiom) -志丹,zhì dān,"Zhidan county in Yan'an 延安[Yan2 an1], Shaanxi" -志丹县,zhì dān xiàn,"Zhidan county in Yan'an 延安[Yan2 an1], Shaanxi" -志同道合,zhì tóng dào hé,(idiom) to be devoted to a common cause; to be like-minded -志向,zhì xiàng,ambition; goal; ideal; aspiration -志在四方,zhì zài sì fāng,to aspire to travel far and make one's mark (idiom) -志士仁人,zhì shì rén rén,gentleman aspiring to benevolence (idiom); people with lofty ideals -志工,zhì gōng,volunteer -志得意满,zhì dé yì mǎn,fully content with one's achievements (idiom); complacent -志怪,zhì guài,to write about mysterious or supernatural things -志怪小说,zhì guài xiǎo shuō,tales of the supernatural (genre of fiction) -志气,zhì qì,ambition; resolve; backbone; drive; spirit -志留系,zhì liú xì,Silurian system (geology); see 志留紀|志留纪 -志留纪,zhì liú jì,Silurian (geological period 440-417m years ago) -志贺氏菌病,zhì hè shì jūn bìng,shigellosis; bacillary dysentery -志趣,zhì qù,inclination; interest -志愿,zhì yuàn,aspiration; ambition; to volunteer -志愿兵,zhì yuàn bīng,volunteer soldier; CL:名[ming2] -志愿者,zhì yuàn zhě,volunteer -志愿军,zhì yuàn jūn,volunteer army -志高气扬,zhì gāo qì yáng,high-spirited and smug -忘,wàng,to forget; to overlook; to neglect -忘不了,wàng bù liǎo,cannot forget -忘乎所以,wàng hū suǒ yǐ,to get carried away; to forget oneself -忘八,wàng bā,see 王八[wang2 ba1] -忘八旦,wàng bā dàn,turtle's egg (highly offensive when directed at sb) -忘八蛋,wàng bā dàn,turtle's egg (highly offensive when directed at sb) -忘其所以,wàng qí suǒ yǐ,see 忘乎所以[wang4 hu1 suo3 yi3] -忘却,wàng què,to forget -忘年交,wàng nián jiāo,friends despite the difference in age -忘性,wàng xìng,forgetfulness -忘恩,wàng ēn,to be ungrateful -忘恩负义,wàng ēn fù yì,to forget favors and violate justice (idiom); ingratitude to a friend; to kick a benefactor in the teeth -忘情,wàng qíng,unmoved; indifferent; unruffled by sentiment -忘忧草,wàng yōu cǎo,daylily (Hemerocallis fulva) -忘怀,wàng huái,to forget -忘我,wàng wǒ,selflessness; altruism -忘掉,wàng diào,to forget -忘本,wàng běn,to forget one's roots -忘机,wàng jī,free of worldly concerns; above the fray; at peace with the world -忘记,wàng jì,to forget -忘词,wàng cí,"(of a singer, actor etc) to forget one's lines" -忘餐,wàng cān,to forget one's meals -忘餐废寝,wàng cān fèi qǐn,see 廢寢忘食|废寝忘食[fei4 qin3 wang4 shi2] -忙,máng,busy; hurriedly; to hurry; to rush -忙不迭,máng bù dié,hurriedly; in haste -忙不过来,máng bù guò lái,to have more work than one can deal with; to have one's hands full -忙中有失,máng zhōng yǒu shī,rushed work leads to errors (idiom) -忙中有错,máng zhōng yǒu cuò,rushed work leads to errors (idiom) -忙乎,máng hū,to be busy (colloquial) -忙乱,máng luàn,rushed and muddled -忙忙叨叨,máng mang dāo dāo,in a busy and hasty manner -忙于,máng yú,busy with -忙活,máng huo,to be really busy; pressing business -忙碌,máng lù,busy; bustling -忙着,máng zhe,to be occupied with (doing sth) -忙进忙出,máng jìn máng chū,very busy -忙音,máng yīn,busy signal (telephony) -忝,tiǎn,to shame -忞,mín,to encourage oneself -忞,mǐn,ancient variant of 暋[min3] -忞,wěn,disorderly; messy; chaotic -忠,zhōng,loyal; devoted; faithful -忠信,zhōng xìn,faithful and honest; loyal and sincere -忠勇,zhōng yǒng,loyal and brave -忠南大学校,zhōng nán dà xué xiào,"Chungnam National University, Daejeon, South Korea" -忠厚,zhōng hòu,honest and considerate -忠君爱国,zhōng jūn ài guó,(idiom) to be faithful to the ruler and love one's country -忠告,zhōng gào,to give sb a word of advice; advice; counsel; a wise word -忠实,zhōng shí,faithful -忠心,zhōng xīn,good faith; devotion; loyalty; dedication -忠心耿耿,zhōng xīn gěng gěng,loyal and devoted (idiom); faithful and true -忠于,zhōng yú,to be loyal to -忠清,zhōng qīng,"Chungcheong Province of Joseon Korea, now divided into North Chungcheong province 忠清北道[Zhong1 qing1 bei3 dao4] and South Chungcheong province 忠清南道[Zhong1 qing1 nan2 dao4] of South Korea" -忠清北道,zhōng qīng běi dào,"North Chungcheong Province, South Korea, capital Cheongju 清州市" -忠清南道,zhōng qīng nán dào,"South Chungcheong Province, South Korea, capital Daejeon 大田[Da4 tian2]" -忠清道,zhōng qīng dào,"Chungcheong Province of Joseon Korea, now divided into North Chungcheong province 忠清北道[Zhong1 qing1 bei3 dao4] and South Chungcheong province 忠清南道[Zhong1 qing1 nan2 dao4] of South Korea" -忠烈,zhōng liè,sacrifice oneself for one's country; martyr -忠县,zhōng xiàn,"Zhong County or Zhongxian, a county in Chongqing 重慶|重庆[Chong2qing4]" -忠义,zhōng yì,loyal and righteous; fealty; loyalty -忠臣,zhōng chén,faithful official -忠言,zhōng yán,sincere advice; heartfelt exhortation -忠言逆耳,zhōng yán nì ěr,loyal advice jars on the ears (idiom) -忠诚,zhōng chéng,devoted; loyal; fidelity; loyalty -忠贞,zhōng zhēn,loyal and dependable -忠贞不渝,zhōng zhēn bù yú,unswerving in one's loyalty (idiom); faithful and constant -忡,chōng,grieved; distressed; sad; uneasy -忤,wǔ,disobedient; unfilial -忤逆,wǔ nì,disobedient to parents -忪,sōng,used in 惺忪[xing1song1] -忪,zhōng,restless; agitated -快,kuài,rapid; quick; speed; rate; soon; almost; to make haste; clever; sharp (of knives or wits); forthright; plainspoken; gratified; pleased; pleasant -快中子,kuài zhōng zǐ,fast neutrons -快件,kuài jiàn,"an express consignment (of goods, luggage etc); express mail service" -快信,kuài xìn,letter sent by express mail -快充,kuài chōng,fast charging; to fast charge (a device) -快刀斩乱麻,kuài dāo zhǎn luàn má,lit. quick sword cuts through tangled hemp (idiom); decisive action in a complex situation; cutting the Gordian knot -快刀断乱麻,kuài dāo duàn luàn má,lit. quick sword cuts through tangled hemp (idiom); decisive action in a complex situation; cutting the Gordian knot -快取,kuài qǔ,(computing) cache (loanword) (Tw) -快可立,kuài kě lì,"Quickly, tapioca milk tea franchise" -快嘴,kuài zuǐ,unable to keep one's thoughts to oneself; blabbermouth; CL:張|张[zhang1] -快报,kuài bào,bulletin board -快意,kuài yì,pleased; elated -快感,kuài gǎn,pleasure; thrill; delight; joy; pleasurable sensation; a high -快感中心,kuài gǎn zhōng xīn,pleasure center -快慢,kuài màn,speed -快慰,kuài wèi,to feel pleased -快手,kuài shǒu,"Kuaishou, Chinese social video sharing app" -快捷,kuài jié,quick; fast; nimble; agile; (computer) shortcut -快捷方式,kuài jié fāng shì,(computer) shortcut -快捷键,kuài jié jiàn,(computer) shortcut key; hotkey -快攻,kuài gōng,fast break; quick attack (ball sports) -快板,kuài bǎn,allegro -快板儿,kuài bǎn er,clapper talk; patter song (in opera) with clapperboard accompaniment -快乐,kuài lè,happy; joyful -快乐大本营,kuài lè dà běn yíng,Happy Camp (PRC TV series) -快乐幸福,kuài lè xìng fú,cheerful; happy -快步,kuài bù,quick step -快步流星,kuài bù liú xīng,to walk quickly; striding quickly -快步跑,kuài bù pǎo,to trot -快活,kuài huo,happy; cheerful -快测,kuài cè,rapid testing; (esp.) rapid antigen testing -快炒店,kuài chǎo diàn,(Tw) low-budget eatery -快照,kuài zhào,(photography) snapshot; (computing) snapshot; cached copy -快煮壶,kuài zhǔ hú,electric kettle (Tw) -快熟面,kuài shú miàn,instant noodles -快班,kuài bān,"advanced stream (in school); express (train, bus etc)" -快筛,kuài shāi,"rapid diagnostic test (RDT), abbr. for 快速篩檢|快速筛检[kuai4 su4 shai1 jian3]" -快船,kuài chuán,Los Angeles Clippers (NBA team) -快艇,kuài tǐng,speedboat; motor launch -快行道,kuài xíng dào,fast lane; express lane -快要,kuài yào,nearly at the point of (doing sth); about to (do sth) -快讯,kuài xùn,newsflash -快车,kuài chē,"express (train, bus etc)" -快车道,kuài chē dào,fast lane -快转,kuài zhuǎn,fast-forward -快退,kuài tuì,fast-rewind (media player) -快速,kuài sù,fast; high-speed; rapid -快速以太网络,kuài sù yǐ tài wǎng luò,Fast Ethernet -快速动眼期,kuài sù dòng yǎn qī,REM sleep -快速筛检,kuài sù shāi jiǎn,"rapid diagnostic test (RDT), abbr. to 快篩|快筛[kuai4 shai1]" -快速记忆法,kuài sù jì yì fǎ,mnemotechnic method -快速诊断测试,kuài sù zhěn duàn cè shì,rapid diagnostic test (RDT) -快进,kuài jìn,fast-forward (media player) -快递,kuài dì,express delivery -快递员,kuài dì yuán,package delivery person; courier -快钱,kuài qián,quick buck -快锅,kuài guō,pressure cooker (Tw) -快门,kuài mén,shutter -快闪,kuài shǎn,to depart as quick as a flash; flash mob -快闪存储器,kuài shǎn cún chǔ qì,(computing) flash memory -快闪族,kuài shǎn zú,flash mobbers -快闪记忆体,kuài shǎn jì yì tǐ,(computing) flash memory -快闪记忆体盘,kuài shǎn jì yì tǐ pán,(computing) flash drive; thumb drive -快闪党,kuài shǎn dǎng,flash mobbers -快餐,kuài cān,fast food; snack; quick meal -快餐交友,kuài cān jiāo yǒu,speed dating -快餐店,kuài cān diàn,fast food shop -快餐部,kuài cān bù,snack bar; buffet -快马加鞭,kuài mǎ jiā biān,to spur the horse to full speed (idiom); to go as fast as possible -快鱼,kuài yú,variant of 鱠魚|鲙鱼[kuai4 yu2] -快点,kuài diǎn,to do sth more quickly; Hurry up!; Get a move on! -快点儿,kuài diǎn er,erhua variant of 快點|快点[kuai4 dian3] -忭,biàn,delighted; pleased -忮,zhì,(literary) (bound form) jealous -忱,chén,sincerity; honesty -念,niàn,to read; to study (a subject); to attend (a school); to read aloud; to give (sb) a tongue-lashing (CL:頓|顿[dun4]); to miss (sb); idea; remembrance; twenty (banker's anti-fraud numeral corresponding to 廿[nian4]) -念佛,niàn fó,to pray to Buddha; to chant the names of Buddha -念力,niàn lì,psychokinesis; telekinesis -念叨,niàn dao,to talk about often; to reminisce about; to keep repeating; to keep harping on; to discuss -念咒,niàn zhòu,to chant a magic spell; to recite incantations -念学位,niàn xué wèi,to study for a degree; to take a degree course -念念不忘,niàn niàn bù wàng,to keep in mind constantly (idiom) -念念有词,niàn niàn yǒu cí,to mumble; to mutter to oneself -念想,niàn xiǎng,to miss (the presence of); to cherish the memory of; aspiration; desire; sth one keeps thinking about; (coll.) keepsake; memento; (coll.) impression (of sb or sth in one's mind) -念想儿,niàn xiang er,(coll.) keepsake; memento; (coll.) impression (of sb or sth in one's mind) -念日,niàn rì,memorial day; commemoration day -念书,niàn shū,to read; to study -念珠,niàn zhū,prayer beads; rosary; rosary beads; CL:串[chuan4] -念珠菌症,niàn zhū jūn zhèng,(medicine) candidiasis; thrush -念经,niàn jīng,to recite or chant Buddhist scripture -念旧,niàn jiù,to remember old friends; to cherish old friendships; for old time's sake -念兹在兹,niàn zī zài zī,see 念念不忘[nian4 nian4 bu4 wang4] -念诵,niàn sòng,to read out; to recite; to remember sb (while talking about sth else) -念头,niàn tou,thought; idea; intention -忸,niǔ,accustomed to; blush; be shy -忸忸怩怩,niǔ niǔ ní ní,timid; bashful -忸怩,niǔ ní,bashful; blushing -忻,xīn,happy -忻城,xīn chéng,"Xincheng county in Laibin 來賓|来宾[Lai2 bin1], Guangxi" -忻城县,xīn chéng xiàn,"Xincheng county in Laibin 來賓|来宾[Lai2 bin1], Guangxi" -忻州,xīn zhōu,"Xinzhou, prefecture-level city in Shanxi" -忻州市,xīn zhōu shì,"Xinzhou, prefecture-level city in Shanxi 山西" -忻府,xīn fǔ,"Xinfu district of Xinzhou city 忻州市[Xin1 zhou1 shi4], Shanxi" -忻府区,xīn fǔ qū,"Xinfu district of Xinzhou city 忻州市[Xin1 zhou1 shi4], Shanxi" -忽,hū,surname Hu -忽,hū,to neglect; to overlook; to ignore; suddenly -忽上忽下,hū shàng hū xià,to fluctuate sharply -忽冷忽热,hū lěng hū rè,"now hot, now cold; (of one's mood, affection etc) to alternate" -忽哨,hū shào,to whistle (with fingers in one's mouth); nowadays written 呼哨 -忽地,hū de,suddenly -忽布,hū bù,hops -忽微,hū wēi,minuscule quantity; minor matter -忽必烈,hū bì liè,"Khubilai Khan (1215-1294), grandson of Genghis Khan 成吉思汗, first Yuan dynasty emperor, reigned 1260-1294" -忽忽,hū hū,fleeting (of quick passage time); in a flash; distracted manner; vacantly; frustratedly -忽忽不乐,hū hū bù lè,disappointed and unhappy; dispirited -忽忽悠悠,hū hū yōu yōu,indifferent to the passing of time; careless -忽悠,hū you,to rock; to sway; to flicker (e.g. of lights reflected on water); to flutter (e.g. of a flag); to trick sb into doing sth; to dupe; to con -忽然,hū rán,suddenly; all of a sudden -忽略,hū lüè,to neglect; to overlook; to ignore -忽略不计,hū lüè bù jì,to disregard (sth seen as negligible); to neglect (sth seen as insignificant) -忽而,hū ér,"suddenly; now (..., now...)" -忽闻,hū wén,to hear suddenly; to learn of sth unexpectedly -忽视,hū shì,to neglect; to overlook; to disregard; to ignore -忽闪,hū shǎn,to glitter; to gleam; to sparkle; to flash -忽隐忽现,hū yǐn hū xiàn,"intermittent; now you see it, now you don't" -忽高忽低,hū gāo hū dī,alternately soaring and plunging -忽鲁谟斯,hū lǔ mó sī,old Chinese name for Hormuz; now called 霍爾木茲|霍尔木兹 -忿,fèn,anger; indignation; hatred -忿忿,fèn fèn,variant of 憤憤|愤愤[fen4 fen4] -忿忿不平,fèn fèn bù píng,variant of 憤憤不平|愤愤不平[fen4 fen4 bu4 ping2] -忿怒,fèn nù,variant of 憤怒|愤怒[fen4 nu4] -忿恨,fèn hèn,variant of 憤恨|愤恨[fen4 hen4] -忿懑,fèn mèn,indignant; furious -怊,chāo,(literary) sad; sorrowful; disappointed; frustrated -怍,zuò,ashamed -怎,zěn,how -怎一个愁字了得,zěn yī gè chóu zì liǎo dé,"(last line of the poem 聲聲慢|声声慢[Sheng1 sheng1 Man4] by Song poet Li Qingzhao 李清照[Li3 Qing1 zhao4]); how can it be expressed in one word, ""sorrow""?; how can words express such sadness?" -怎样,zěn yàng,how; what kind -怎生,zěn shēng,how; why -怎的,zěn de,what for; why; how -怎能,zěn néng,how can? -怎么,zěn me,how?; what?; why? -怎么了,zěn me le,What's up?; What's going on?; What happened? -怎么回事,zěn me huí shì,what's the matter?; what's going on?; how could that be?; how did that come about?; what's it all about? -怎么得了,zěn me dé liǎo,how can this be?; what's to be done?; what an awful mess! -怎么搞的,zěn me gǎo de,How did it happen?; What's wrong?; What went wrong?; What's up? -怎么样,zěn me yàng,how?; how about?; how was it?; how are things? -怎么着,zěn me zhāo,what?; how?; how about?; whatever; also pr. [zen3 me5 zhe5] -怎么说呢,zěn me shuō ne,Why is that?; How come? -怎么办,zěn me bàn,what's to be done -怎么,zěn me,variant of 怎麼|怎么[zen3 me5] -怎么了,zěn me le,variant of 怎麼了|怎么了[zen3 me5 le5] -怏,yàng,discontented -怒,nù,anger; fury; flourishing; vigorous -怒不可遏,nù bù kě è,unable to restrain one's anger (idiom); in a towering rage -怒吼,nù hǒu,to bellow; to rave; to snarl -怒容,nù róng,angry look -怒容满面,nù róng mǎn miàn,scowling in anger; rage written across one's face -怒形于色,nù xíng yú sè,to betray anger (idiom); fury written across one's face -怒恨,nù hèn,extreme hatred; animosity; spite -怒怼,nù duǐ,(Internet slang) to chastise; to angrily denounce -怒放,nù fàng,in full bloom -怒斥,nù chì,to angrily rebuke; to indignantly denounce -怒族,nù zú,Nu ethnic group -怒气,nù qì,anger -怒气攻心,nù qì gōng xīn,"(TCM) sudden strong emotions attacking the heart, leading to faints etc; (fig.) to fly into a fit of anger" -怒气冲冲,nù qì chōng chōng,(idiom) spitting anger; in a rage -怒江,nù jiāng,"Nujiang river of south Tibet and northwest Yunnan, the upper reaches of Salween river 薩爾溫江|萨尔温江, forming border of Myanmar and Thailand" -怒江傈僳族自治区,nù jiāng lì sù zú zì zhì qū,"Nujiang Lisu autonomous prefecture in northwest Yunnan, capital Liuku or Lutku 六庫鎮|六库镇[Liu4 ku4 zhen4]" -怒江傈僳族自治州,nù jiāng lì sù zú zì zhì zhōu,"Nujiang Lisu autonomous prefecture in northwest Yunnan, capital Liuku or Lutku 六庫鎮|六库镇[Liu4 ku4 zhen4]" -怒江大峡谷,nù jiāng dà xiá gǔ,the Grand Canyon of the Nujiang river in Tibet and Yunnan -怒江州,nù jiāng zhōu,"abbr. for 怒江傈僳族自治州, Nujiang Lisu autonomous prefecture in northwest Yunnan, capital Liuku or Lutku 六庫鎮|六库镇[Liu4 ku4 zhen4]" -怒冲冲,nù chōng chōng,furiously -怒潮,nù cháo,(tidal) bore; raging tide -怒火,nù huǒ,rage; fury; hot anger -怒目,nù mù,with glaring eyes; glowering -怒目切齿,nù mù qiè chǐ,to gnash one's teeth in anger -怒目相向,nù mù xiāng xiàng,to glower at each other (idiom) -怒目而视,nù mù ér shì,to glare at -怒骂,nù mà,to verbally abuse -怒色,nù sè,angry look; glare; scowl -怒视,nù shì,to glower (at sb); to cast an angry look -怒发冲冠,nù fà chōng guān,lit. hair stands up in anger and tips off one's hat (idiom); fig. seething in anger; raise one's hackles -怔,zhēng,(bound form) startled; terrified; panic-stricken -怔,zhèng,(dialect) to stare blankly; to be in a daze; Taiwan pr. [leng4] -怔住,zhèng zhù,dumbfounded; stunned -怔忡,zhēng chōng,(of the heart) palpitating with fear; palpitation (Chinese medicine) -怔忪,zhēng zhōng,frightened; scared; terrified -怔怔,zhèng zhèng,in a daze -怔神儿,zhēng shén er,lost in thought; in a daze -怕,pà,surname Pa -怕,pà,to be afraid; to fear; to dread; to be unable to endure; perhaps -怕事,pà shì,timid; to be afraid of getting involved; to be afraid of getting into trouble -怕死鬼,pà sǐ guǐ,afraid to die (contemptuous term) -怕生,pà shēng,fear of strangers; to be afraid of strangers (of small children) -怕痒,pà yǎng,to be ticklish -怕羞,pà xiū,coy; shy; bashful -怕老婆,pà lǎo pó,henpecked; to be under one's wife's thumb -怖,bù,terror; terrified; afraid; frightened -怙,hù,to rely on; father (formal) -怙恃,hù shì,to rely on; father and mother (classical) -怙恶不悛,hù è bù quān,to keep doing evil without a sense of repentance (idiom) -怛,dá,distressed; alarmed; shocked; grieved -怛罗斯之战,dá luó sī zhī zhàn,"Battle of Talas (751), military engagement in the valley of the Talas River 塔拉斯河[Ta3 la1 si1 He2], in which Arab forces defeated Tang armies, marking the end of Tang westward expansion" -思,sī,to think; to consider -思之心痛,sī zhī xīn tòng,a thought that causes heartache (idiom) -思前想后,sī qián xiǎng hòu,to consider past cause and future effect (idiom); to think over the past and future; to ponder over reasons and connection -思南,sī nán,"Sinan, a county in Tongren 銅仁市|铜仁市[Tong2ren2 Shi4], Guizhou" -思南县,sī nán xiàn,"Sinan, a county in Tongren 銅仁市|铜仁市[Tong2ren2 Shi4], Guizhou" -思嘉丽,sī jiā lì,Scarlett (name); also written 斯嘉麗|斯嘉丽[Si1 jia1 li4] -思密达,sī mì dá,"(slang) (used at the end of a sentence to mimic Korean speech) (loanword from Korean verb ending ""seumnida""); (jocular) a Korean" -思忖,sī cǔn,to ponder; to reckon; to turn sth over in one's mind -思念,sī niàn,to think of; to long for; to miss -思情,sī qíng,to miss; to long for -思惟,sī wéi,variant of 思維|思维[si1 wei2] -思想,sī xiǎng,thought; thinking; idea; ideology; CL:個|个[ge4] -思想交流,sī xiǎng jiāo liú,exchange of ideas -思想包袱,sī xiǎng bāo fu,sth weighing on one's mind -思想史,sī xiǎng shǐ,intellectual history -思想家,sī xiǎng jiā,thinker -思想库,sī xiǎng kù,think tank -思想意识,sī xiǎng yì shí,consciousness -思想顽钝,sī xiǎng wán dùn,blunt thinking; apathy -思想体系,sī xiǎng tǐ xì,system of thought; ideology -思慕,sī mù,to cherish the memory of sb; to think of with respect -思虑,sī lǜ,to think sth through; to consider carefully -思恋,sī liàn,to miss; to long for -思明,sī míng,"Siming, a district of Xiamen 廈門市|厦门市[Xia4men2 Shi4], Fujian" -思明区,sī míng qū,"Siming, a district of Xiamen 廈門市|厦门市[Xia4men2 Shi4], Fujian" -思春,sī chūn,same as 懷春|怀春[huai2 chun1] -思春期,sī chūn qī,age when girls start to develop feelings for the opposite sex; puberty -思乐冰,sī lè bīng,Slurpee (drink) -思潮,sī cháo,tide of thought; way of thinking characteristic of a historical period; Zeitgeist -思潮起伏,sī cháo qǐ fú,thoughts surging in one's mind (idiom); different thoughts coming to mind -思科,sī kē,Cisco Systems Company -思索,sī suǒ,to think deeply; to ponder -思维,sī wéi,(line of) thought; thinking -思维地图,sī wéi dì tú,mind map -思维导图,sī wéi dǎo tú,mind map -思维敏捷,sī wéi mǐn jié,quick-witted; agile of mind -思绪,sī xù,train of thought; emotional state; mood; feeling -思考,sī kǎo,to reflect on; to ponder over -思茅,sī máo,"Simao city in Yunnan, renamed Pu'er city 普洱市 in 2007" -思茅区,sī máo qū,"Simao district of Pu'er city 普洱市[Pu3 er3 shi4], Yunnan" -思茅市,sī máo shì,"Simao city in Yunnan, renamed Pu'er city 普洱市 in 2007" -思亲,sī qīn,to remember one's parents; to feel homesick for one's relatives -思觉失调,sī jué shī tiáo,psychosis -思谋,sī móu,to consider; to turn over in one's mind -思议,sī yì,to imagine; to comprehend -思路,sī lù,line of thought; way of thinking -思路敏捷,sī lù mǐn jié,quick-witted -思辨,sī biàn,to think critically; (philosophy) to reason; to speculate -思过,sī guò,to reflect on one's past errors -思乡,sī xiāng,to be homesick -思乡病,sī xiāng bìng,homesickness -思量,sī liang,to reckon; to consider; to turn over in one's mind -怠,dài,idle; lazy; negligent; careless -怠工,dài gōng,to slacken off in one's work; to go slow (as a form of strike) -怠忽,dài hū,to neglect -怠惰,dài duò,idleness -怠慢,dài màn,to slight; to neglect -怡,yí,harmony; pleased -怡人,yí rén,delightful -怡保,yí bǎo,"Ipoh city in Malaysia, capital of Sultanate of Perak on Malayan peninsula" -怡保市,yí bǎo shì,"Ipoh city in Malaysia, capital of Sultanate of Perak on Malayan peninsula" -怡悦,yí yuè,pleasant; happy -怡然,yí rán,happy; joyful -怡然自得,yí rán zì dé,happy and content (idiom) -怡颜悦色,yí yán yuè sè,happy countenance -急,jí,urgent; pressing; rapid; hurried; worried; to make (sb) anxious -急不可待,jí bù kě dài,impatient; eager to; anxious to -急不可耐,jí bù kě nài,unable to wait -急中生智,jí zhōng shēng zhì,quick witted in an emergency; able to react resourcefully -急事,jí shì,urgent matter -急人之难,jí rén zhī nàn,anxious to help others resolve difficulties (idiom) -急促,jí cù,urgent; hurried and brief; rushing -急先锋,jí xiān fēng,daring vanguard; pioneer; leading figure -急公好义,jí gōng hào yì,public-spirited -急切,jí qiè,eager; impatient -急刹车,jí shā chē,emergency braking -急剧,jí jù,rapid; sudden -急功近利,jí gōng jìn lì,"seeking instant benefit (idiom); shortsighted vision, looking only for fast return" -急务,jí wù,urgent task; pressing matter -急匆匆,jí cōng cōng,hurried; hasty -急吼吼,jí hǒu hǒu,impatient -急嘴急舌,jí zuǐ jí shé,lit. quick mouth and quick tongue; fig. to interrupt sb urgently and say one's piece; to chime in rapidly -急如星火,jí rú xīng huǒ,lit. as hurried as a shooting star (idiom); requiring immediate action; extremely urgent -急婚族,jí hūn zú,(coll.) those who are in a rush to get married -急待,jí dài,to need urgently; to need doing without delay -急忙,jí máng,hastily -急急忙忙,jí jí máng máng,hurriedly -急性,jí xìng,acute -急性人,jí xìng rén,impetuous person; excitable person -急性子,jí xìng zi,impetuous person; excitable person -急性照射,jí xìng zhào shè,acute exposure -急性病,jí xìng bìng,acute illness; fig. impetuous; impatient -急性肠炎,jí xìng cháng yán,acute enteritis -急性阑尾炎,jí xìng lán wěi yán,acute appendicitis (medicine) -急拍拍,jí pāi pāi,hurried; impatient; rushed -急救,jí jiù,to give emergency treatment; first aid -急救站,jí jiù zhàn,emergency desk; first aid office -急救箱,jí jiù xiāng,first-aid kit -急于,jí yú,eager to; in a hurry to -急于星火,jí yú xīng huǒ,see 急如星火[ji2 ru2 xing1 huo3] -急于求成,jí yú qiú chéng,anxious for quick results (idiom); to demand instant success; impatient for result; impetuous -急智,jí zhì,quick witted; able to think fast in an emergency -急板,jí bǎn,(music) presto -急欲,jí yù,to be keen to ...; to be anxious to ... -急派,jí pài,to rush -急流,jí liú,torrent -急火,jí huǒ,brisk heat (cooking); (TCM) internal heat generated by anxiety -急用,jí yòng,to need sth urgently; urgently required -急症,jí zhèng,acute disease; medical emergency -急眼,jí yǎn,to be anxious; to get angry with sb -急着,jí zhe,urgently -急行军,jí xíng jūn,rapid advance; forced march -急袭,jí xí,sudden attack -急要,jí yào,urgent -急诊,jí zhěn,"to give or receive urgent medical treatment; emergency treatment (at a hospital emergency department, or from a doctor on a house call)" -急诊室,jí zhěn shì,emergency room -急赤白脸,jí chì bái liǎn,to worry oneself sick; to fret -急躁,jí zào,irritable; irascible; impetuous -急转,jí zhuǎn,to whirl; to turn around quickly -急转弯,jí zhuǎn wān,to make a sudden turn -急转直下,jí zhuǎn zhí xià,to develop rapidly after abrupt turn (idiom); dramatic change -急迫,jí pò,urgent; pressing; imperative -急速,jí sù,hurried; at a great speed; rapid (development) -急遽,jí jù,rapid; sudden -急难,jí nàn,misfortune; crisis; grave danger; critical situation; disaster; emergency; to be zealous in helping others out of a predicament -急需,jí xū,to urgently need; urgent need -急驰,jí chí,to speed along -急骤,jí zhòu,rapid -怦,pēng,(onom.) the thumping of one's heart -怦怦,pēng pēng,thumping sound (onom.); to be eager and anxious (to do sth); faithful and upright -怦然,pēng rán,"with a sudden shock, bang etc" -怦然心动,pēng rán xīn dòng,(idiom) to feel a rush of excitement -性,xìng,"nature; character; property; quality; attribute; sexuality; sex; gender; suffix forming adjective from verb; suffix forming noun from adjective, corresponding to -ness or -ity; essence; CL:個|个[ge4]" -性事,xìng shì,sex -性交,xìng jiāo,sexual intercourse -性交易,xìng jiāo yì,prostitution; commercial sex; the sex trade -性交高潮,xìng jiāo gāo cháo,orgasm -性伙伴,xìng huǒ bàn,sexual partner -性伴,xìng bàn,sexual partner -性伴侣,xìng bàn lǚ,sex partner -性侵,xìng qīn,to sexually assault -性侵害,xìng qīn hài,sexual assault (law) -性侵犯,xìng qīn fàn,to assault sexually; to molest -性偏好,xìng piān hào,sexual preference -性健康,xìng jiàn kāng,sexual health -性传播,xìng chuán bō,sexually transmitted -性价比,xìng jià bǐ,cost-performance ratio -性冷感,xìng lěng gǎn,frigidity (lack of libido) -性冷淡,xìng lěng dàn,frigidity -性别,xìng bié,gender; sex -性别歧视,xìng bié qí shì,sex discrimination; sexism -性别比,xìng bié bǐ,sex ratio -性别角色,xìng bié jué sè,gender role -性别认同障碍,xìng bié rèn tóng zhàng ài,gender identity disorder (GID); gender dysphoria -性取向,xìng qǔ xiàng,sexual orientation -性同一性障碍,xìng tóng yī xìng zhàng ài,gender identity disorder -性向,xìng xiàng,aptitude; disposition; inclination -性命,xìng mìng,life -性命攸关,xìng mìng yōu guān,vitally important; a matter of life and death -性善,xìng shàn,the theory of Mencius that people are by nature good -性器,xìng qì,sex organ -性器官,xìng qì guān,sexual organ -性器期,xìng qì qī,phallic stage (psychology) -性地,xìng dì,innate quality; natural disposition -性媾,xìng gòu,sexual intercourse -性子,xìng zi,temper -性学,xìng xué,sexology -性工作,xìng gōng zuò,employment as sex worker; prostitution -性工作者,xìng gōng zuò zhě,sex worker -性幻想,xìng huàn xiǎng,sexual fantasy; to fantasize sexually about (sb) -性征,xìng zhēng,sexual characteristic -性快感,xìng kuài gǎn,sexual pleasure -性急,xìng jí,impatient -性情,xìng qíng,nature; temperament -性恶论,xìng è lùn,"""human nature is evil"", theory advocated by Xunzi 荀子[Xun2 zi3]" -性爱,xìng ài,sex; lovemaking -性感,xìng gǎn,sex appeal; eroticism; sexuality; sexy -性欲,xìng yù,sexual desire; lust -性欲高潮,xìng yù gāo cháo,orgasm -性成熟,xìng chéng shú,sexual maturity -性指向,xìng zhǐ xiàng,sexual orientation -性接触,xìng jiē chù,sexual encounter -性教育,xìng jiào yù,sex education -性服务,xìng fú wù,sexual service; prostitution -性服务产业,xìng fú wù chǎn yè,sex service industry -性格,xìng gé,nature; disposition; temperament; character; CL:個|个[ge4] -性格不合,xìng gé bù hé,incompatibility of temperament -性乐,xìng lè,sexual pleasure; orgasm -性满足,xìng mǎn zú,sexual gratification -性激素,xìng jī sù,sex hormone -性熟存,xìng shú cún,sexual intimacy -性物恋,xìng wù liàn,(sexual) fetishism -性状,xìng zhuàng,nature (i.e. properties of sth); character -性玩物,xìng wán wù,sex object; sexual plaything -性生活,xìng shēng huó,sex life -性产业,xìng chǎn yè,the sex industry -性疾病,xìng jí bìng,sexually transmitted disease; venereal disease -性病,xìng bìng,sexually transmitted disease; venereal disease -性癖,xìng pǐ,sexual fetish -性瘾,xìng yǐn,sexual addiction -性短讯,xìng duǎn xùn,sext -性禁忌,xìng jìn jì,sexual taboo -性福,xìng fú,(neologism c. 2008) (slang) (coined as a pun on 幸福[xing4 fu2]) satisfied with one's sex life -性细胞,xìng xì bāo,sexual cell; germline cell; gamete -性能,xìng néng,function; performance; behavior -性腺,xìng xiàn,gonad; sex gland -性蕾期,xìng lěi qī,phallic stage (psychology) -性虐待,xìng nüè dài,sexual abuse -性行,xìng xíng,sexual activity -性行为,xìng xíng wéi,sexual behavior -性冲动,xìng chōng dòng,sex drive -性变态,xìng biàn tài,sexual perversion; sexual pervert -性贿赂,xìng huì lù,to sexually bribe -性质,xìng zhì,nature; characteristic; CL:個|个[ge4] -性质命题,xìng zhì mìng tí,categorical proposition (logic) -性转,xìng zhuǎn,(slang) to be genderswapped (abbr. for 性別轉換|性别转换[xing4bie2 zhuan3huan4]) -性关系,xìng guān xi,sexual relations; sexual contact; intercourse -性骚扰,xìng sāo rǎo,sexual harassment -性高潮,xìng gāo cháo,orgasm; climax -怨,yuàn,to blame; (bound form) resentment; hatred; grudge -怨不得,yuàn bu de,cannot blame; no wonder -怨偶,yuàn ǒu,an unhappy couple (formal writing) -怨命,yuàn mìng,to complain about one's fate; to bemoan one's lot -怨叹,yuàn tàn,to complain; to grumble -怨天尤人,yuàn tiān yóu rén,(idiom) to blame the gods and accuse others -怨天载道,yuàn tiān zài dào,lit. cries of complaint fill the roads (idiom); complaints rise all around; discontent is openly voiced -怨女,yuàn nǚ,senior palace maiden; unmarried woman -怨尤,yuàn yóu,resentment -怨忿,yuàn fèn,resentment -怨恨,yuàn hèn,to resent; to harbor a grudge against; to loathe; resentment; rancor -怨愤,yuàn fèn,resentment and indignation -怨怼,yuàn duì,resentment; grudge -怨敌,yuàn dí,enemy; foe -怨毒,yuàn dú,bitter resentment; rancor -怨气,yuàn qì,grievance; resentment; complaint -怨耦,yuàn ǒu,variant of 怨偶[yuan4 ou3] -怨声,yuàn shēng,wail; lament; voice of complaint -怨声载道,yuàn shēng zài dào,lit. cries of complaint fill the roads (idiom); complaints rise all around; discontent is openly voiced -怨艾,yuàn yì,to resent; to regret; grudge -怨言,yuàn yán,complaint -怩,ní,shy; timid; bashful; to look ashamed -怪,guài,bewildering; odd; strange; uncanny; devil; monster; to wonder at; to blame; quite; rather -怪不得,guài bu de,no wonder!; so that's why! -怪事,guài shì,strange thing; curious occurrence -怪人,guài rén,strange person; eccentric -怪杰,guài jié,monstre sacré (i.e. artist famous for being deliberately preposterous) -怪僻,guài pì,eccentric; peculiar -怪叔叔,guài shū shu,"queer uncle, referring to a young to middle-aged male pedophile (Internet slang)" -怪味,guài wèi,strange odor -怪咖,guài kā,(slang) (Tw) loony; freak -怪圈,guài quān,vicious circle; (abnormal) phenomenon -怪念头,guài niàn tou,eccentric notion; strange whim -怪戾,guài lì,see 乖戾[guai1 li4] -怪手,guài shǒu,(Tw) excavator; backhoe -怪才,guài cái,eccentric genius; quirky genius -怪模怪样,guài mú guài yàng,outlandish; strange-looking; grotesque -怪样,guài yàng,odd expression; funny looks; queer face; to grimace; to give sb funny looks; to pull faces -怪气,guài qì,weird (temperament) -怪物,guài wu,monster; freak; eccentric person -怪兽,guài shòu,rare animal; mythical animal; monster -怪异,guài yì,monstrous; strange; strange phenomenon -怪癖,guài pǐ,eccentricity; peculiarity; strange hobby -怪相,guài xiàng,grotesque visage; grimace -怪秘,guài mì,strange; mystic -怪罪,guài zuì,to blame -怪声怪气,guài shēng guài qì,strange voice; affected manner of speaking -怪胎,guài tāi,freak; abnormal embryo; fetus with deformity -怪腔怪调,guài qiāng guài diào,strange accent; odd manner of speaking or singing -怪蜀黍,guài shǔ shǔ,see 怪叔叔[guai4 shu1 shu5] -怪讶,guài yà,astonished -怪话,guài huà,ridiculous talk; preposterous remark -怪诞,guài dàn,freak; weird -怪诞不经,guài dàn bù jīng,uncanny; unbelievable; ridiculous; outrageous -怪象,guài xiàng,strange phenomenon -怪道,guài dào,no wonder! -怪里怪气,guài lǐ guài qì,eccentric; odd-looking; peculiar -怫,fèi,anger -怫,fú,anxious -怫然,fú rán,angry; enraged; Taiwan pr. [fei4 ran2] -怯,qiè,timid; cowardly; rustic; Taiwan pr. [que4] -怯场,qiè chǎng,to have stage fright -怯子,qiè zi,person with country accent; rustic; country bumpkin -怯弱,qiè ruò,timid; weak -怯懦,qiè nuò,timid; cowardly; chicken-hearted -怯生,qiè shēng,shy -怯生生,qiè shēng shēng,shy -怯羞,qiè xiū,see 羞怯[xiu1 qie4] -怯声怯气,qiè shēng qiè qì,to speak in a frightened voice that lacks courage (idiom) -匆,cōng,variant of 匆[cong1] -恍,huǎng,variant of 恍[huang3] -怵,chù,fearful; timid; to fear -怵惕,chù tì,to be alarmed; to be apprehensive -怵惧,chù jù,fear; dread; panic -怵然,chù rán,fearful -怵目惊心,chù mù jīng xīn,"lit. shocks the eye, astonishes the heart (idiom); shocking; horrible to see; a ghastly sight; also written 觸目驚心|触目惊心" -恁,nèn,to think; this; which?; how? (literary); Taiwan pr. [ren4] -恁,nín,old variant of 您[nin2] -恁般,rèn bān,(old) this way; this much -恁么,rèn me,(old) this way; what? -恂,xún,sincere -恃,shì,(bound form) to rely on; (literary) one's mother -恃强凌弱,shì qiáng líng ruò,see 恃強欺弱|恃强欺弱[shi4 qiang2 qi1 ruo4] -恃强欺弱,shì qiáng qī ruò,to use one's strength to mistreat people (idiom); to bully -恃才傲物,shì cái ào wù,(idiom) to be inordinately proud of one's ability; to be conceited and contemptuous -恒,héng,surname Heng -恒,héng,permanent; constant; fixed; usual; ordinary; rule (old); one of the 64 hexagrams of the Book of Changes (䷟) -恒久,héng jiǔ,constant; persistent; long-lasting; eternal -恒力,héng lì,constant force -恒加速度,héng jiā sù dù,constant acceleration -恒大,héng dà,"China Evergrande Group, or simply Evergrande, Chinese property developer founded in 1996 (abbr. for 恒大集團|恒大集团[Heng2da4 Ji2tuan2]); Hang Seng University of Hong Kong (HSUHK) (abbr. for 香港恒生大學|香港恒生大学[Xiang1gang3 Heng2sheng1 Da4xue2])" -恒定,héng dìng,constant -恒山,héng shān,"Mt Heng in Shanxi, northern mountain of the Five Sacred Mountains 五嶽|五岳[Wu3 yue4]; Hengshan district of Jixi city 雞西|鸡西[Ji1 xi1], Heilongjiang" -恒山区,héng shān qū,"Hengshan District of Jixi city 雞西|鸡西[Ji1 xi1], Heilongjiang" -恒常,héng cháng,constant; constantly -恒心,héng xīn,perseverance -恒星,héng xīng,(fixed) star -恒星年,héng xīng nián,the sidereal year (astronomy); the year defined in terms of the fixed stars -恒星系,héng xīng xì,stellar system; galaxy -恒星际,héng xīng jì,interstellar; between the fixed stars -恒春,héng chūn,"Hengchun town in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -恒春半岛,héng chūn bàn dǎo,"Hengchun Peninsula in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], the southernmost point of Taiwan" -恒春镇,héng chūn zhèn,"Hengchun town in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -恒河,héng hé,Ganges River -恒河沙数,héng hé shā shù,countless as the grains of sand in the Ganges (idiom) -恒河猴,héng hé hóu,rhesus macaque (Macaca mulatta); rhesus monkey; lit. river Ganges monkey of north India -恒温,héng wēn,constant temperature -恒温器,héng wēn qì,thermostat -恒牙,héng yá,permanent tooth (as opposed to deciduous tooth 乳牙); adult tooth -恒生,héng shēng,Hang Seng (the name of a bank in Hong Kong and of the stock market index the bank established) -恒生中资企业指数,héng shēng zhōng zī qǐ yè zhǐ shù,Hang Seng China-Affiliated Corporations Index (HSCCI) -恒等,héng děng,"identity ≡ (math., logic); identical" -恒等式,héng děng shì,identity (math.) -恒速率,héng sù lǜ,constant velocity -恍,huǎng,(bound form) in a hazy state of mind; (bound form) to snap out of that state; used in 恍如[huang3 ru2] and 恍若[huang3 ruo4] -恍如,huǎng rú,to be as if...; to be rather like... -恍如隔世,huǎng rú gé shì,like a thing of the previous generation; as if it were a lifetime ago -恍忽,huǎng hū,variant of 恍惚[huang3 hu1] -恍惚,huǎng hū,absent-minded; distracted; dazzled; vaguely; dimly -恍然,huǎng rán,suddenly (perceive); confused; vague; distracted -恍然大悟,huǎng rán dà wù,to suddenly realize; to suddenly see the light -恍然醒悟,huǎng rán xǐng wù,a sudden realization; to realize sth in a flash -恍神,huǎng shén,to be off in another world; to suffer a lapse in concentration -恍若,huǎng ruò,as if; as though; rather like -恍若隔世,huǎng ruò gé shì,see 恍如隔世[huang3 ru2 ge2 shi4] -恐,kǒng,afraid; frightened; to fear -恐共,kǒng gòng,to fear the Communists -恐同,kǒng tóng,to be homophobic -恐同症,kǒng tóng zhèng,homophobia -恐吓,kǒng hè,to threaten; to menace -恐婚,kǒng hūn,to have an aversion to getting married -恐怕,kǒng pà,fear; to dread; I'm afraid that...; perhaps; maybe -恐怖,kǒng bù,terrible; frightful; frightening; terror; terrorist -恐怖主义,kǒng bù zhǔ yì,terrorism -恐怖主义者,kǒng bù zhǔ yì zhě,terrorist -恐怖分子,kǒng bù fèn zǐ,terrorist -恐怖片,kǒng bù piàn,horror movie; CL:部[bu4] -恐怖片儿,kǒng bù piān er,erhua variant of 恐怖片[kong3 bu4 pian4] -恐怖症,kǒng bù zhèng,phobia -恐怖组织,kǒng bù zǔ zhī,terrorist organization -恐怖袭击,kǒng bù xí jī,terrorist attack -恐怖电影,kǒng bù diàn yǐng,horror movie -恐慌,kǒng huāng,panic; panicky; panic-stricken -恐慌发作,kǒng huāng fā zuò,panic attack -恐惧,kǒng jù,to be frightened; fear; dread -恐惧症,kǒng jù zhèng,phobia -恐旷症,kǒng kuàng zhèng,agoraphobia -恐水病,kǒng shuǐ bìng,rabies -恐水症,kǒng shuǐ zhèng,rabies; hydrophobia -恐法症,kǒng fǎ zhèng,Francophobia -恐狼,kǒng láng,dire wolf (Canis dirus) -恐血症,kǒng xuè zhèng,blood phobia; hemophobia -恐袭,kǒng xí,terrorist attack (abbr. for 恐怖襲擊|恐怖袭击[kong3 bu4 xi2 ji1]) -恐韩症,kǒng hán zhèng,Koreaphobia -恐高症,kǒng gāo zhèng,acrophobia; fear of heights -恐鸟,kǒng niǎo,"monstrous bird; moa (genus Dinornithidae, extinct bird of New Zealand)" -恐龙,kǒng lóng,"dinosaur (CL:頭|头[tou2],隻|只[zhi1]); (old) (slang) ugly person" -恐龙妹,kǒng lóng mèi,ugly girl (slang) -恐龙总目,kǒng lóng zǒng mù,"Dinosauria, superorder within class Sauropsida containing dinosaurs and birds" -恐龙类,kǒng lóng lèi,dinosaurs -恒,héng,variant of 恆|恒[heng2] -恒生指数,héng shēng zhǐ shù,Hang Seng Index (Hong Kong stock market index) -恒生银行,héng shēng yín háng,"Hang Seng Bank, Hong Kong" -恓,xī,troubled; vexed -恓惶,xī huáng,busy and restless; unhappy -恕,shù,to forgive -恕我冒昧,shù wǒ mào mèi,if I may be so bold -恕罪,shù zuì,please forgive me -恙,yàng,sickness -恙虫病,yàng chóng bìng,Scrub typhus; Tsutsugamushi disease; Mite-borne typhus fever -恚,huì,rage -恝,jiá,indifferent -怪,guài,variant of 怪[guai4] -吝,lìn,variant of 吝[lin4] -恢,huī,to restore; to recover; great -恢宏,huī hóng,to develop; vast; broad; generous -恢弘,huī hóng,variant of 恢宏[hui1 hong2] -恢复,huī fù,to reinstate; to resume; to restore; to recover; to regain; to rehabilitate -恢复原状,huī fù yuán zhuàng,to restore sth to its original state -恢复名誉,huī fù míng yù,to rehabilitate; to regain one's good name -恢复常态,huī fù cháng tài,to return to normal -恢复期,huī fù qī,convalescence -恢恢,huī huī,vast; extensive (literary) -恢恢有余,huī huī yǒu yú,lit. to have an abundance of space; room to maneuver (idiom) -恣,zì,to abandon restraint; to do as one pleases; comfortable (dialect) -恣情,zì qíng,to indulge in something to one's heart's content; wanton or willful -恣意,zì yì,without restraint; unbridled; reckless -恣意妄为,zì yì wàng wéi,to behave unscrupulously -恣意行乐,zì yì xíng lè,to abandon restraint and have a fling (idiom) -恣欲,zì yù,to follow lustful desires -恣睢,zì suī,(literary) reckless; unbridled; self-indulgent; conceited; overly pleased with oneself -恣肆,zì sì,unrestrained; unbridled; free and unrestrained (style); bold -恣行无忌,zì xíng wú jì,to behave recklessly -恤,xù,anxiety; sympathy; to sympathize; to give relief; to compensate -恤匮,xù kuì,to relieve the distressed -恤嫠,xù lí,to give relief to widows -恤衫,xù shān,shirt (loanword) -耻,chǐ,(bound form) shame; humiliation; disgrace -耻毛,chǐ máo,pubic hair -耻笑,chǐ xiào,to sneer at sb; to ridicule -耻骂,chǐ mà,to abuse; to mock -耻辱,chǐ rǔ,disgrace; shame; humiliation -耻骨,chǐ gǔ,pubis; pubic bone -恧,nǜ,ashamed -恨,hèn,to hate; to regret -恨不得,hèn bu de,wishing one could do sth; to hate to be unable; itching to do sth -恨不能,hèn bu néng,see 恨不得[hen4 bu5 de5] -恨之入骨,hèn zhī rù gǔ,to hate sb to the bone (idiom) -恨事,hèn shì,a matter for regret or resentment -恨人,hèn rén,provoking; exasperating -恨嫁,hèn jià,(of a woman) to yearn to get married -恨恶,hèn wù,to despise -恨意,hèn yì,rancor; hatred; bitterness; resentfulness -恨海难填,hèn hǎi nán tián,sea of hatred is hard to fill (idiom); irreconcilable division -恨透,hèn tòu,to hate bitterly -恨铁不成钢,hèn tiě bù chéng gāng,lit. disappointed that iron does not turn into steel (idiom); fig. frustrated with sb who has failed to meet one's expectations -恩,ēn,favor; grace; kindness -恩人,ēn rén,a benefactor; a person who has significantly helped sb else -恩仇,ēn chóu,debt of gratitude coupled with duty to avenge -恩俸,ēn fèng,pension granted as a favor -恩公,ēn gōng,benefactor -恩典,ēn diǎn,favor; grace -恩准,ēn zhǔn,approved by His (or Her) Majesty; permission graciously granted (from highly authoritative position); to graciously permit; to condescend to allow -恩同再造,ēn tóng zài zào,your favor amounts to being given a new lease on life (idiom) -恩培多克勒,ēn péi duō kè lēi,"Empedocles (490-430 BC), Greek Sicilian pre-Socratic philosopher" -恩威兼施,ēn wēi jiān shī,to employ both kindness and severity (idiom) -恩宠,ēn chǒng,special favor from a ruler; Emperor's generosity towards a favorite -恩将仇报,ēn jiāng chóu bào,to bite the hand that feeds one (idiom) -恩师,ēn shī,(greatly respected) teacher -恩平,ēn píng,"Enping, county-level city in Jiangmen 江門|江门, Guangdong" -恩平市,ēn píng shì,"Enping, county-level city in Jiangmen 江門|江门, Guangdong" -恩德,ēn dé,benevolence; favor -恩怨,ēn yuàn,gratitude and grudges; resentment; grudges; grievances -恩情,ēn qíng,kindness; affection; grace; favor -恩惠,ēn huì,favor; grace -恩爱,ēn ài,loving affection (in a couple); conjugal love -恩慈,ēn cí,bestowed kindness -恩斯赫德,ēn sī hè dé,"Enschede, city in the Netherlands" -恩断义绝,ēn duàn yì jué,to split up; to break all ties -恩施,ēn shī,"Enshi prefecture-level city in southwest Hubei, capital of Enshi Tujia and Miao Autonomous Prefecture 恩施土家族苗族自治州[En1 shi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1]" -恩施土家族苗族自治州,ēn shī tǔ jiā zú miáo zú zì zhì zhōu,Enshi Tujia and Miao Autonomous Prefecture in Hubei -恩施市,ēn shī shì,"Enshi prefecture-level city in Hubei, capital of Enshi Tujia and Miao Autonomous Prefecture 恩施土家族苗族自治州[En1 shi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1]" -恩施县,ēn shī xiàn,Enshi county in southwest Hubei -恩格斯,ēn gé sī,"Friedrich Engels (1820-1895), socialist philosopher and one of the founder of Marxism" -恩格尔,ēn gé ěr,"Engel (name); Ernst Engel (1821-1896), German statistician" -恩比天大,ēn bǐ tiān dà,to be as kind and benevolent as heaven (idiom) -恩泽,ēn zé,favor from an emperor or high official -恩眄,ēn miǎn,kind patronage -恩义,ēn yì,feelings of gratitude and loyalty -恩膏,ēn gāo,rich favor -恩贾梅纳,ēn jiǎ méi nà,"N'Djamena, capital of Chad" -恩赐,ēn cì,"to bestow (favors, charity etc)" -恪,kè,surname Ke -恪,kè,respectful; scrupulous -恪守,kè shǒu,to scrupulously abide by -恪慎,kè shèn,careful; reverently -恪遵,kè zūn,"to scrupulously observe (rules, traditions etc)" -恫,dòng,frighten -恫吓,dòng hè,to intimidate; to threaten -恬,tián,quiet; calm; tranquil; peaceful -恬不知耻,tián bù zhī chǐ,to have no sense of shame -恬和,tián hé,quiet and gentle -恬噪,tián zào,to caw -恬愉,tián yú,content and at ease -恬愉之安,tián yú zhī ān,comfortably at peace (idiom) -恬畅,tián chàng,comfortable and happy -恬波,tián bō,calm waters -恬淡,tián dàn,quiet and contented; indifferent to fame or gain -恬漠,tián mò,indifferent and undisturbed -恬澹,tián dàn,variant of 恬淡[tian2 dan4] -恬然,tián rán,unperturbed; nonchalant -恬美,tián měi,quiet and nice -恬谧,tián mì,quiet; peaceful -恬退,tián tuì,contented; uninterested in wealth and glory -恬逸,tián yì,free from worry and disturbance -恬适,tián shì,quiet and comfortable -恬雅,tián yǎ,retired and quiet; calm and graceful -恬静,tián jìng,still; peaceful; quiet -恭,gōng,respectful -恭候,gōng hòu,to look forward to sth; to wait respectfully -恭喜,gōng xǐ,to congratulate; (interj.) congratulations! -恭喜发财,gōng xǐ fā cái,May you have a prosperous New Year! (New Year's greeting) -恭城,gōng chéng,"Gongcheng Yao autonomous county in Guilin 桂林[Gui4 lin2], Guangxi" -恭城瑶族自治县,gōng chéng yáo zú zì zhì xiàn,"Gongcheng Yao autonomous county in Guilin 桂林[Gui4 lin2], Guangxi" -恭城县,gōng chéng xiàn,"Gongcheng Yao autonomous county in Guilin 桂林[Gui4 lin2], Guangxi" -恭惟,gōng wei,variant of 恭維|恭维[gong1 wei5] -恭敬,gōng jìng,deferential; respectful -恭敬不如从命,gōng jìng bù rú cóng mìng,"deference is no substitute for obedience (idiom); (said to accept sb's request, invitation etc)" -恭祝,gōng zhù,to congratulate respectfully; to wish good luck and success (esp. to a superior); with best wishes (in writing) -恭维,gōng wei,to praise; to speak highly of; compliment; praise -恭亲王,gōng qīn wáng,Grand Prince (Qing title) -恭谨,gōng jǐn,(literary) respectful; deferential -恭贺,gōng hè,to congratulate respectfully; to express good wishes -恭贺佳节,gōng hè jiā jié,season's greetings (idiom) -恭贺新禧,gōng hè xīn xǐ,Happy New Year -恭顺,gōng shùn,deferential; respectful -息,xī,breath; news; interest (on an investment or loan); to cease; to stop; to rest; Taiwan pr. [xi2] -息事宁人,xī shì níng rén,to keep the peace; to patch up a quarrel (idiom) -息屏,xī píng,to turn off the screen -息屏显示,xī píng xiǎn shì,always-on display (AOD) -息怒,xī nù,to calm down; to quell one's anger -息息相关,xī xī xiāng guān,closely bound up (idiom); intimately related -息烽,xī fēng,"Xifeng county in Guiyang 貴陽|贵阳[Gui4 yang2], Guizhou" -息烽县,xī fēng xiàn,"Xifeng county in Guiyang 貴陽|贵阳[Gui4 yang2], Guizhou" -息争,xī zhēng,to settle a dispute -息率,xī lǜ,interest rate -息票,xī piào,interest coupon; dividend coupon -息县,xī xiàn,"Xi county in Xinyang 信陽|信阳, Henan" -息肉,xī ròu,(medicine) polyp -息肩,xī jiān,(literary) to put down one's burden; to rest; to stay (at an inn etc) -恰,qià,exactly; just -恰亚诺夫,qià yà nuò fū,"Alexander Chayanov (1888-1937), Soviet agrarian economist" -恰似,qià sì,just like; exactly like -恰到好处,qià dào hǎo chù,it's just perfect; it's just right -恰合,qià hé,to be just right for -恰吉,qià jí,"Chucky, murderous villain of the 1988 US horror movie ""Child's Play""" -恰好,qià hǎo,"as it turns out; by lucky coincidence; (of number, time, size etc) just right" -恰如,qià rú,just as if -恰如其分,qià rú qí fèn,(idiom) appropriate; apt; just right -恰巧,qià qiǎo,by chance; as chance would have it -恰帕斯州,qià pà sī zhōu,"Chiapas, state in Mexico" -恰恰,qià qià,exactly; just; precisely -恰恰相反,qià qià xiāng fǎn,just the opposite -恰恰舞,qià qià wǔ,(loanword) cha-cha (dance) -恰当,qià dàng,appropriate; suitable -恰遇,qià yù,to chance upon; to coincide fortuitously with sth -恿,yǒng,to urge; to incite -悃,kǔn,sincere -悄,qiāo,used in 悄悄[qiao1 qiao1] -悄,qiǎo,quiet; sad -悄悄,qiāo qiāo,quiet; making little or no noise; surreptitious; stealthy; anxious; worried; Taiwan pr. [qiao3qiao3] -悄悄话,qiāo qiao huà,whisperings; private words; confidences; sweet nothings -悄无声息,qiǎo wú shēng xī,quietly; noiselessly -悄然,qiǎo rán,quietly; sorrowfully -悄然无声,qiǎo rán wú shēng,absolutely quiet -悄声,qiǎo shēng,quietly; in a low voice -悦,yuè,pleased -悦纳,yuè nà,to find acceptable -悦耳,yuè ěr,sweet-sounding; beautiful (of sound) -悦色,yuè sè,happy; contented -悉,xī,in all cases; know -悉尼,xī ní,"Sydney, capital of New South Wales, Australia" -悉德尼,xī dé ní,Sidney or Sydney (name) -悉心,xī xīn,to put one's heart (and soul) into sth; with great care -悉悉索索,xī xī suǒ suǒ,"(onom.) rustling sound (of clothing, leaves, snow etc); faint noises" -悉数,xī shǔ,to enumerate in detail; to explain clearly -悉数,xī shù,all; every single one; the entire sum -悉听尊便,xī tīng zūn biàn,"(idiom) do as you see fit; do whatever you like; (I, we) leave it in your hands" -悉达多,xī dá duō,"Siddhartha Gautama (563-485 BC), the historical Buddha and founder of Buddhism" -悌,tì,to do one's duty as a younger brother -悌友,tì yǒu,to show brotherly love for friends -悌睦,tì mù,to live at peace as brothers -悍,hàn,heroic; intrepid; valiant; dauntless; fierce; ferocious; violent -悍勇,hàn yǒng,intrepid; valiant; dauntless -悍匪,hàn fěi,brutal bandit; ferocious criminal -悍妇,hàn fù,violent woman; shrew -悍然,hàn rán,outrageous; brazen; flagrant -悍然不顾,hàn rán bù gù,"outrageous and unconventional (idiom); flying in the face of (authority, convention, public opinion etc)" -悍马,hàn mǎ,Hummer (vehicle brand) -悒,yì,anxiety; worry -悔,huǐ,(bound form) to regret; to repent -悔不当初,huǐ bù dāng chū,to regret one's past deeds (idiom) -悔之已晚,huǐ zhī yǐ wǎn,too late to be sorry -悔之无及,huǐ zhī wú jí,too late for regrets (idiom); It is useless to repent after the event. -悔婚,huǐ hūn,to break a promise of marriage -悔恨,huǐ hèn,remorse; repentance -悔恨交加,huǐ hèn jiāo jiā,to feel remorse and shame (idiom) -悔悟,huǐ wù,to repent -悔意,huǐ yì,remorse -悔改,huǐ gǎi,to repent; repentance -悔棋,huǐ qí,to withdraw a move (chess) -悔罪,huǐ zuì,to repent; to be contrite -悔过,huǐ guò,to repent; to be penitent -悔过书,huǐ guò shū,written repentance -悔过自新,huǐ guò zì xīn,to repent and start afresh (idiom); to turn over a new leaf -悖,bèi,to go against; to be contrary to; perverse; rebellious -悖乱,bèi luàn,to rebel; sedition; to delude; confused -悖晦,bèi huì,(coll.) muddleheaded -悖缪,bèi miù,variant of 悖謬|悖谬[bei4 miu4] -悖论,bèi lùn,paradox (logic) -悖谬,bèi miù,absurd; irrational -悖逆,bèi nì,contrary -悚,sǒng,frightened -悚然,sǒng rán,frightened; terrified -悛,quān,to reform -悝,kuī,to laugh at -悝,lǐ,worried; afflicted -悟,wù,to comprehend; to apprehend; to become aware -悟入,wù rù,to understand; to comprehend the ultimate essence of things (Buddhism) -悟性,wù xìng,perception; wits; power of understanding; comprehension -悟净,wù jìng,"Sha Wujing, character from the Journey to the West" -悟空,wù kōng,"Sun Wukong, the Monkey King, character with supernatural powers from the novel Journey to the West 西遊記|西游记[Xi1 You2 Ji4]" -悟能,wù néng,"Zhu Bajie 豬八戒|猪八戒[Zhu1 Ba1 jie4] or Zhu Wuneng, Pigsy or Pig (in Journey to the West)" -悠,yōu,long or drawn out; remote in time or space; leisurely; to swing; pensive; worried -悠久,yōu jiǔ,"long (tradition, history etc)" -悠哉,yōu zāi,see 悠哉悠哉[you1 zai1 you1 zai1] -悠哉悠哉,yōu zāi yōu zāi,free and unconstrained (idiom); leisurely and carefree -悠哉游哉,yōu zāi yóu zāi,see 悠哉悠哉[you1 zai1 you1 zai1] -悠悠,yōu yōu,lasting for ages; long drawn out; remote in time or space; unhurried; a great number (of events); preposterous; pensive -悠悠球,yōu yōu qiú,yo-yo (loanword) -悠扬,yōu yáng,melodious; mellifluous -悠然,yōu rán,unhurried; leisurely -悠然神往,yōu rán shén wǎng,thoughts wandering far away -悠着,yōu zhe,to take it easy -悠游卡,yōu yóu kǎ,EasyCard (smart card used mainly for public transportation in Taiwan) -悠远,yōu yuǎn,long time ago; distant; far away -悠长,yōu cháng,long; drawn-out; prolonged; lingering -悠闲,yōu xián,variant of 悠閒|悠闲; leisurely -悠闲,yōu xián,leisurely; carefree; relaxed -患,huàn,to suffer (from illness); to contract (a disease); misfortune; trouble; danger; worry -患上,huàn shang,to come down with; to be afflicted with (an illness) -患儿,huàn ér,child victim of disaster or disease; afflicted child -患得患失,huàn dé huàn shī,to worry about personal gains and losses -患有,huàn yǒu,to contract (an illness); to be afflicted with; to suffer from -患病,huàn bìng,to fall ill -患病者,huàn bìng zhě,person suffering (from a disease or poisoning); a patient -患者,huàn zhě,patient; sufferer -患处,huàn chù,afflicted part -患难,huàn nàn,trials and tribulations -患难之交,huàn nàn zhī jiāo,a friend in times of tribulations (idiom); a friend in need is a friend indeed -患难见真情,huàn nàn jiàn zhēn qíng,true sentiments are seen in hard times (idiom); you see who your true friends are when you go through tough times together; you see who your true friends are when you are in difficulties -匆,cōng,variant of 匆[cong1] -悧,lì,used in 憐悧|怜悧[lian2li4] -您,nín,"you (courteous, as opposed to informal 你[ni3])" -您好,nín hǎo,hello (polite) -悱,fěi,to want to articulate one's thoughts but be unable to -悲,bēi,sad; sadness; sorrow; grief -悲不自胜,bēi bù zì shèng,unable to control one's grief (idiom); overwrought; overcome with sorrow; heartbroken -悲催,bēi cuī,(Internet slang) miserable; pathetic; the pits -悲伤,bēi shāng,sad; sorrowful -悲切,bēi qiè,mournful -悲剧,bēi jù,tragedy; CL:齣|出[chu1] -悲剧性,bēi jù xìng,tragic -悲剧缺陷,bēi jù quē xiàn,tragic flaw (Aristotle's hamartia) -悲哀,bēi āi,grieved; sorrowful -悲哽,bēi gěng,to choke with grief -悲啼,bēi tí,to wail with grief; plaintive cry -悲喜交集,bēi xǐ jiāo jí,mixed feelings of grief and joy -悲喜剧,bēi xǐ jù,tragicomedy -悲叹,bēi tàn,to bewail; to sigh mournfully; to lament -悲报,bēi bào,sad news; bad news -悲壮,bēi zhuàng,solemn and stirring; moving and tragic -悲天悯人,bēi tiān mǐn rén,to bemoan the state of the universe and pity the fate of mankind -悲悼,bēi dào,to mourn; to grieve over sb's death -悲凄,bēi qī,pitiable; sorrowful -悲恻,bēi cè,grieved; sorrowful -悲愁,bēi chóu,melancholy -悲怆,bēi chuàng,sorrow; tragic -悲惨,bēi cǎn,miserable; tragic -悲惨世界,bēi cǎn shì jiè,Les Misérables (1862) by Victor Hugo 維克多·雨果|维克多·雨果[Wei2 ke4 duo1 · Yu3 guo3] -悲恸,bēi tòng,mournful -悲愤,bēi fèn,grief and indignation -悲悯,bēi mǐn,to take pity on sb; compassionate -悲戚,bēi qī,mournful -悲摧,bēi cuī,grieved; miserable -悲楚,bēi chǔ,sorrowful; grieved -悲歌,bēi gē,"to sing with solemn fervor; sad, stirring song; elegy; dirge; threnody" -悲歌当哭,bēi gē dàng kū,to sing instead of weep (idiom) -悲叹,bēi tàn,to bewail; to sigh mournfully; to lament -悲欢离合,bēi huān lí hé,joys and sorrows; partings and reunions; the vicissitudes of life -悲泣,bēi qì,to weep with grief -悲凉,bēi liáng,sorrowful; dismal -悲痛,bēi tòng,grieved; sorrowful -悲声载道,bēi shēng zài dào,lamentations fill the roads (idiom); severe suffering all around -悲苦,bēi kǔ,forlorn; miserable -悲观,bēi guān,pessimistic -悲酸,bēi suān,bitter and sad -悲鸣,bēi míng,to utter a mournful cry; wail; groan -德,dé,variant of 德[de2] -悴,cuì,haggard; sad; downcast; distressed -怅,chàng,regretful; upset; despairing; depressed -怅怅然,chàng chàng rán,disappointed -怅惘,chàng wǎng,distracted; listless; in low spirits -怅然,chàng rán,disappointed and frustrated -闷,mēn,stuffy; shut indoors; to smother; to cover tightly -闷,mèn,bored; depressed; melancholy; sealed; airtight; tightly closed -闷屁,mēn pì,silent fart -闷闷不乐,mèn mèn bù lè,depressed; sulky; moody; unhappy -闷热,mēn rè,sultry; sultriness; hot and stuffy; stifling hot -闷声不响,mēn shēng bù xiǎng,to keep silent -闷声闷气,mēn shēng mēn qì,muffled -闷声发大财,mēn shēng fā dà cái,to amass wealth while keeping a low profile (idiom) -闷葫芦,mèn hú lu,lit. closed gourd; fig. enigma; complete mystery; taciturn person -闷酒,mèn jiǔ,alcohol drunk to drown one's sorrows -闷雷,mèn léi,muffled thunder; (fig.) sudden shock; blow -闷骚,mēn sāo,(coll.) outwardly cold or retiring but deep and passionate inside -悸,jì,to palpitate -悸动,jì dòng,to pound; to throb -悸栗,jì lì,to tremble with fear -悻,xìng,angry -悻悻,xìng xìng,angry; resentful -悻然,xìng rán,angrily; resentfully; in a huff -悼,dào,to mourn; to lament -悼念,dào niàn,to grieve -悼襄王,dào xiāng wáng,"King Daoxiang of Zhao 趙國|赵国, reigned 245-236 BC" -悼词,dào cí,memorial speech; eulogy -悼辞,dào cí,variant of 悼詞|悼词[dao4 ci2] -凄,qī,variant of 淒|凄[qi1]; sad; mournful -凄哀,qī āi,desolate; mournful -凄恻,qī cè,heartbroken; sorrowful -凄怆,qī chuàng,pitiful; painful; heartrending -凄惨,qī cǎn,plaintive; mournful; miserable -凄楚,qī chǔ,sad; wretched; miserable -凄凉,qī liáng,mournful; miserable -凄然,qī rán,distressed -凄苦,qī kǔ,bleak; miserable -凄迷,qī mí,pained and bewildered -情,qíng,(bound form) feelings; emotion; sentiment; passion; (bound form) situation; condition -情不可却,qíng bù kě què,unable to refuse because of affection -情不自禁,qíng bù zì jīn,(idiom) cannot refrain from; cannot help; cannot but -情事,qíng shì,circumstances; facts (of a case); case; feelings; love affair -情人,qíng rén,lover; sweetheart -情人果,qíng rén guǒ,(Tw) pickled mangoes (burong mangga) -情人眼里出西施,qíng rén yǎn lǐ chū xī shī,lit. in the eyes of a lover appears 西施[Xi1 shi1] (idiom); fig. beauty is in the eye of the beholder -情人眼里有西施,qíng rén yǎn lǐ yǒu xī shī,"In the eyes of the lover, a famous beauty (idiom). Beauty in the eye of the beholder" -情人节,qíng rén jié,Valentine's Day -情何以堪,qíng hé yǐ kān,how can this be endured! (idiom) -情侣,qíng lǚ,sweethearts; lovers -情侣装,qíng lǚ zhuāng,matching outfit for couples -情侣酒店,qíng lǚ jiǔ diàn,love hotel -情侣鹦鹉,qíng lǚ yīng wǔ,lovebirds -情儿,qíng er,(dialect) mistress; secret lover; extramarital lover -情分,qíng fèn,mutual affection; friendship -情势,qíng shì,situation; circumstance -情同手足,qíng tóng shǒu zú,as close as one's hands and feet (idiom); loving one another as brothers; deep friendship; closely attached to one another -情同骨肉,qíng tóng gǔ ròu,as close as flesh and bones (idiom); deep friendship -情味,qíng wèi,feeling; flavor; sense -情商,qíng shāng,emotional intelligence; emotional intelligence quotient (EQ) (abbr. for 情緒商數|情绪商数[qing2 xu4 shang1 shu4]); (Tw) to ask a special favor of (sb) -情报,qíng bào,information; intelligence -情报处,qíng bào chù,intelligence office; intelligence section -情场,qíng chǎng,affairs of the heart; mutual relationship -情境,qíng jìng,situation; context; setting; environment -情境模型,qíng jìng mó xíng,situational model -情夫,qíng fū,married woman's lover -情妇,qíng fù,mistress; paramour (of married man) -情定,qíng dìng,to exchange vows with (sb); to exchange vows at (a time or place) -情定终身,qíng dìng zhōng shēn,(idiom) to pledge eternal love; to exchange marriage vows -情形,qíng xing,circumstances; situation; CL:個|个[ge4] -情志,qíng zhì,emotion; mood -情急,qíng jí,anxious -情急之下,qíng jí zhī xià,in a moment of desperation -情急了,qíng jí liǎo,mythical talking bird; mynah bird -情急智生,qíng jí zhì shēng,inspiration in a moment of desperation (idiom); also written 情急之下 -情意,qíng yì,friendly regard; affection -情爱,qíng ài,affection; friendly feelings towards sb; love -情感,qíng gǎn,feeling; emotion; to move (emotionally) -情感分析,qíng gǎn fēn xī,sentiment analysis -情愫,qíng sù,sentiment; feeling -情态,qíng tài,spirit; mood; (linguistics) modal -情欲,qíng yù,lust; desire; sensual -情怀,qíng huái,feelings; mood -情投意合,qíng tóu yì hé,(idiom) to have an affinity with each other; to find each other congenial -情操,qíng cāo,sentiments; feelings; disposition of mind; moral character -情敌,qíng dí,rival in love -情景,qíng jǐng,scene; spectacle; circumstances; situation -情景喜剧,qíng jǐng xǐ jù,sitcom -情书,qíng shū,love letter -情有可原,qíng yǒu kě yuán,"pardonable (of interruption, misunderstanding etc)" -情有独钟,qíng yǒu dú zhōng,to have a special fondness (for sth) -情歌,qíng gē,love song -情杀,qíng shā,murder as a crime of passion -情比金坚,qíng bǐ jīn jiān,love is more solid than gold (idiom) -情况,qíng kuàng,"circumstances; state of affairs; situation; CL:個|个[ge4],種|种[zhong3]" -情状,qíng zhuàng,situation; circumstances -情理,qíng lǐ,reason; sense -情痴,qíng chī,infatuated; lovesick person -情知,qíng zhī,to know full well; to be fully aware -情种,qíng zhǒng,affectionate; an affectionate person -情窦,qíng dòu,(lit.) love aperture; (fig.) interest in love matters -情窦初开,qíng dòu chū kāi,first awakening of love (usually of a girl) (idiom) -情节,qíng jié,circumstances; plot; storyline -情素,qíng sù,variant of 情愫[qing2 su4] -情结,qíng jié,complex (psychology) -情网,qíng wǎng,snare of love -情绪,qíng xù,mood; state of mind; moodiness; CL:種|种[zhong3] -情绪化,qíng xù huà,emotional; sentimental -情绪商数,qíng xù shāng shù,emotional intelligence quotient (EQ) -情绪智商,qíng xù zhì shāng,emotional intelligence (EQ) -情绪状态,qíng xù zhuàng tài,emotional state -情缘,qíng yuán,predestined love; love affinity -情义,qíng yì,affection; comradeship -情色,qíng sè,erotic (of art etc); facial expression (archaic) -情蒐,qíng sōu,intelligence gathering -情诗,qíng shī,love poem -情话,qíng huà,terms of endearment; words of love -情谊,qíng yì,friendship; camaraderie -情调,qíng diào,ambience; mood; flavor -情变,qíng biàn,loss of love; breakup of a relationship -情资,qíng zī,intelligence; information -情趣,qíng qù,inclinations and interests; delight; fun; interest; appeal -情趣商店,qíng qù shāng diàn,adult shop -情趣玩具,qíng qù wán jù,sex toy -情趣用品,qíng qù yòng pǐn,adult product; sex toy -情逾骨肉,qíng yú gǔ ròu,feelings deeper than for one's own flesh and blood (idiom); deep friendship -情郎,qíng láng,boyfriend; paramour (of a woman) -情随事迁,qíng suí shì qiān,feelings change with circumstances (idiom) -情非得已,qíng fēi dé yǐ,compelled by the circumstances (to do sth); (have) no other choice (but do sth); (used as a pun in romance) can't help but fall in love -情面,qíng miàn,feelings and sensibilities; sentiment and face; sensitivity to other's feelings -情愿,qíng yuàn,willingness; would rather (agree to X than Y) -惆,chóu,forlorn; vexed; disappointed -惆怅,chóu chàng,melancholy; depression -惆怅若失,chóu chàng ruò shī,to feel despondent (idiom) -惋,wǎn,to sigh in regret or pity; Taiwan pr. [wan4] -惋惜,wǎn xī,to regret; to feel that it is a great pity; to feel sorry for sb -婪,lán,old variant of 婪[lan2] -惑,huò,to confuse; to be puzzled -惑星,huò xīng,planet; also written 行星[xing2 xing1] -惓,quán,earnest -惓惓,quán quán,variant of 拳拳[quan2 quan2] -惕,tì,fearful; respectful -惕然,tì rán,"to be afraid, fearful of" -惘,wǎng,disappointed; perplexed -惘然,wǎng rán,frustrated; perplexed; irresolute; dazed -惘然若失,wǎng rán ruò shī,lit. to be frustrated as though having lost sth (idiom); fig. to be at a loss; perplexed; frustrated -惙,chuò,mournful; uncertain -惚,hū,used in 恍惚[huang3hu1] -惛,hūn,confused; forgetful; silly -惛耄,hūn mào,senile; senility -惜,xī,to cherish; to begrudge; to pity; Taiwan pr. [xi2] -惜别,xī bié,reluctant to part -惜寸阴,xī cùn yīn,to cherish every moment; to make good use of one's time -惜福,xī fú,to appreciate one's good fortune -惜香怜玉,xī xiāng lián yù,see 憐香惜玉|怜香惜玉[lian2 xiang1 xi1 yu4] -惝,chǎng,disappointed; listless; frightened; also pr. [tang3] -惝恍,chǎng huǎng,(literary) despondent; upset; (literary) hazy; indistinct -惟,wéi,-ism; only -惟一,wéi yī,variant of 唯一[wei2 yi1] -惟利是图,wéi lì shì tú,variant of 唯利是圖|唯利是图[wei2 li4 shi4 tu2] -惟命是听,wéi mìng shì tīng,see 唯命是從|唯命是从[wei2 ming4 shi4 cong2] -惟妙惟肖,wéi miào wéi xiào,to imitate to perfection; to be remarkably true to life -惟恐,wéi kǒng,for fear that; lest; also written 唯恐 -惟有,wéi yǒu,variant of 唯有[wei2 you3] -惟独,wéi dú,only; solely; this one alone -惠,huì,surname Hui -惠,huì,(bound form) act of kindness (from a superior); (honorific prefix) kind (as in 惠顧|惠顾[hui4 gu4]) -惠来,huì lái,"Huilai county in Jieyang 揭陽|揭阳, Guangdong" -惠来县,huì lái xiàn,"Huilai county in Jieyang 揭陽|揭阳, Guangdong" -惠及,huì jí,(literary) to be of benefit to -惠城,huì chéng,"Huicheng district of Huizhou city 惠州市[Hui4 zhou1 shi4], Guangdong" -惠城区,huì chéng qū,"Huicheng district of Huizhou city 惠州市[Hui4 zhou1 shi4], Guangdong" -惠子,huì zi,"Hui-zi also known as Hui Shi 惠施[Hui4 Shi1] (c. 370-310 BC), politician and philosopher of the School of Logicians 名家[Ming2 jia1] during the Warring States Period (475-220 BC)" -惠安,huì ān,"Hui'an, a county in Quanzhou City 泉州市[Quan2zhou1 Shi4], Fujian" -惠安县,huì ān xiàn,"Hui'an, a county in Quanzhou City 泉州市[Quan2zhou1 Shi4], Fujian" -惠山,huì shān,"Huishan district of Wuxi city 無錫市|无锡市[Wu2 xi1 shi4], Jiangsu" -惠山区,huì shān qū,"Huishan district of Wuxi city 無錫市|无锡市[Wu2 xi1 shi4], Jiangsu" -惠州,huì zhōu,Huizhou prefecture-level city in Guangdong -惠州市,huì zhōu shì,Huizhou prefecture-level city in Guangdong province -惠斯勒,huì sī lè,Whistler (name) -惠斯特,huì sī tè,whist (loanword) -惠施,huì shī,"Hui Shi, also known as Hui-zi 惠子[Hui4 zi5](c. 370-310 BC), politician and philosopher of the School of Logicians 名家[Ming2 jia1] during the Warring States Period (475-220 BC)" -惠普,huì pǔ,Hewlett-Packard -惠普公司,huì pǔ gōng sī,Hewlett-Packard; HP -惠更斯,huì gēng sī,"Huygens (name); Christiaan Huygens (1629-1695), Dutch mathematician and astronomer" -惠书,huì shū,(formal) your letter -惠东,huì dōng,"Huidong county in Huizhou 惠州[Hui4 zhou1], Guangdong" -惠东县,huì dōng xiàn,"Huidong county in Huizhou 惠州[Hui4 zhou1], Guangdong" -惠民,huì mín,"Huimin county in Binzhou 濱州|滨州[Bin1 zhou1], Shandong" -惠民,huì mín,to benefit the people -惠民县,huì mín xiàn,"Huimin county in Binzhou 濱州|滨州[Bin1 zhou1], Shandong" -惠水,huì shuǐ,"Huishui county in Qiannan Buyei and Miao autonomous prefecture 黔南州[Qian2 nan2 zhou1], Guizhou" -惠水县,huì shuǐ xiàn,"Huishui county in Qiannan Buyei and Miao autonomous prefecture 黔南州[Qian2 nan2 zhou1], Guizhou" -惠济,huì jì,"Huiji District of Zhengzhou City 鄭州市|郑州市[Zheng4 zhou1 Shi4], Henan" -惠济区,huì jì qū,"Huiji District of Zhengzhou City 鄭州市|郑州市[Zheng4 zhou1 Shi4], Henan" -惠特曼,huì tè màn,"Whitman (surname); Walt Whitman (1819-1892), American poet and journalist" -惠而不费,huì ér bù fèi,a kind act that costs nothing -惠能,huì néng,variant of 慧能[Hui4 neng2] -惠临,huì lín,(honorific) to visit; to call in -惠誉,huì yù,"Fitch, credit rating agency" -惠农,huì nóng,"Huinong district of Shizuishan city 石嘴山市[Shi2 zui3 shan1 shi4], Ningxia" -惠农区,huì nóng qū,"Huinong district of Shizuishan city 石嘴山市[Shi2 zui3 shan1 shi4], Ningxia" -惠远寺,huì yuǎn sì,"Huiyuan Monastery in Dawu County 道孚縣|道孚县[Dao4 fu2 xian4], Garze Tibetan autonomous prefecture, Sichuan" -惠阳,huì yáng,"Huiyang district of Huizhou city 惠州市[Hui4 zhou1 shi4], Guangdong" -惠阳区,huì yáng qū,"Huiyang district of Huizhou city 惠州市[Hui4 zhou1 shi4], Guangdong" -惠灵顿,huì líng dùn,"Wellington, capital of New Zealand" -惠顾,huì gù,your patronage -恶,ě,used in 惡心|恶心[e3 xin1] -恶,è,evil; fierce; vicious; ugly; coarse; to harm -恶,wù,to hate; to loathe; ashamed; to fear; to slander -恶事,è shì,malicious deed; misdeed; disaster; catastrophe -恶事传千里,è shì chuán qiān lǐ,evil deeds spread a thousand miles (idiom); scandal spreads like wildfire -恶人,è rén,evil person; vile creature; villain; (archaic) ugly person -恶人先告状,è rén xiān gào zhuàng,the guilty party files the suit; the thief cries thief -恶仗,è zhàng,hard fighting; fierce battle -恶作剧,è zuò jù,practical joke; prank; to play a practical joke -恶俗,è sú,bad habit; evil custom; vulgarity -恶凶凶,è xiōng xiōng,fierce -恶创,è chuāng,malign sore (TCM) -恶劣,è liè,vile; nasty; of very poor quality -恶劣影响,è liè yǐng xiǎng,evil influence -恶势力,è shì lì,evil forces; criminal elements -恶化,è huà,to worsen -恶叉白赖,è chā bái lài,evil behavior (idiom); brazen villainy -恶口,è kǒu,bad language; foul mouth -恶名,è míng,bad name; evil reputation -恶名儿,è míng er,erhua variant of 惡名|恶名[e4 ming2] -恶名昭彰,è míng zhāo zhāng,infamous; notorious -恶名昭著,è míng zhāo zhù,notorious (idiom); infamous -恶唑啉,è zuò lín,oxacillin -恶唑啉酮,è zuò lín tóng,oxacillin -恶报,è bào,retribution -恶梦,è mèng,nightmare -恶妇,è fù,vicious wife -恶少,è shào,young thug; malicious young ruffian -恶徒,è tú,hoodlum; bad guy -恶德,è dé,wickedness; evil behavior -恶心,ě xīn,nausea; to feel sick; disgust; nauseating; to embarrass (deliberately) -恶心,è xīn,bad habit; vicious habit; vice -恶性,è xìng,malignant; wicked; vicious (circle); producing evil; rapid (decline); runaway (inflation) -恶性循环,è xìng xún huán,vicious circle -恶性瘤,è xìng liú,malignant tumor -恶性疟原虫,è xìng nüè yuán chóng,plasmodium falciparum (malaria parasite) -恶性肿瘤,è xìng zhǒng liú,malignant tumor -恶性转移,è xìng zhuǎn yí,(medicine) metastasis -恶性通货膨胀,è xìng tōng huò péng zhàng,hyperinflation -恶恨,è hèn,to hate; to abhor -恶恶实实,è è shí shí,very fierce -恶意,è yì,malice; evil intention -恶意中伤,è yì zhòng shāng,to slander maliciously -恶意代码,è yì dài mǎ,malicious code (e.g. virus); malware -恶意软件,è yì ruǎn jiàn,malware (computing) -恶感,è gǎn,malice; ill will -恶战,è zhàn,hard fighting; fierce battle -恶损,è sǔn,to ridicule -恶搞,è gǎo,"spoof (web-based genre in PRC, acquiring cult status from 2005, involving humorous, satirical or fantastical videos, photo collections, texts, poems etc)" -恶搞文化,è gǎo wén huà,"spoofing culture (Web-based genre in PRC acquiring cult status from 2005, involving humorous, satirical or fantastical videos, photo collections, texts, poems etc)" -恶整,è zhěng,to prank -恶有恶报,è yǒu è bào,evil has its retribution (idiom); to suffer the consequences of one's bad deeds; sow the wind and reap the whirlwind (Hosea 8:7) -恶果,è guǒ,evil consequence; retribution (in Buddhism) -恶棍,è gùn,scoundrel; rogue; bully; villain -恶岁,è suì,lean year; year of bad harvest -恶毒,è dú,malicious -恶气,è qì,evil smell; resentment; unpleasant manner -恶水,è shuǐ,dirty water; water that is unfit to drink; slops -恶浪,è làng,violent wave; fierce billow; fig. depraved force -恶汉,è hàn,overbearing fiend -恶浊,è zhuó,filthy; foul -恶煞,è shà,demon; fiend -恶狠,è hěn,fierce and vicious -恶狠狠,è hěn hěn,very fierce -恶疾,è jí,unpleasant ailment; foul disease -恶病质,è bìng zhì,Cachexia (physical wasting associated with long-term illness) -恶癖,è pǐ,bad habit -恶相,è xiàng,sinister look -恶神,è shén,malignant deity; fiend -恶骂,è mà,to curse fiercely -恶习,è xí,bad habit; vice -恶声,è shēng,malicious abuse; lewd song; evil reputation -恶臭,è chòu,stink; stench; to stink; to reek -恶舌,è shé,vicious talk; malicious tongue -恶行,è xíng,evil or wicked conduct -恶补,è bǔ,to overdose on supplementary medicine; to cram too hard -恶言,è yán,evil tongue; malicious talk -恶言伤人,è yán shāng rén,to insult; to direct bad language at sb; to slag off -恶誓,è shì,evil oath -恶语,è yǔ,evil words; malicious talk -恶语中伤,è yǔ zhòng shāng,to slander viciously -恶语伤人,è yǔ shāng rén,to insult; to direct bad language at sb; to slag off -恶贯满盈,è guàn mǎn yíng,lit. strung through and filled with evil (idiom); filled with extreme evil; replete with vice; guilty of monstrous crimes -恶迹,è jì,evil conduct -恶辣,è là,ruthless -恶运,è yùn,variant of 厄運|厄运[e4 yun4] -恶霸,è bà,evil tyrant -恶斗,è dòu,hard fighting; fierce battle -恶鬼,è guǐ,evil spirit; devil -恶魔,è mó,demon; fiend -恶魔城,è mó chéng,Castlevania (video game series) -恿,yǒng,old variant of 恿[yong3] -惦,diàn,to think of; to remember; to miss -惦念,diàn niàn,to constantly have (sb or sth) on one's mind -惦记,diàn jì,to think of; to keep thinking about; to be concerned about -德,dé,variant of 德[de2] -惰,duò,lazy -惰性,duò xìng,inert (chemistry); apathy; inertia; laziness -惰性气体,duò xìng qì tǐ,inert gas; noble gas (chemistry) -恼,nǎo,to get angry -恼人,nǎo rén,annoying; irksome; to irritate -恼怒,nǎo nù,resentful; angry; to enrage sb -恼恨,nǎo hèn,to hate and resent; angry and full of grievances -恼火,nǎo huǒ,annoyed; riled; vexed -恼羞成怒,nǎo xiū chéng nù,to fly into a rage out of humiliation; to be ashamed into anger (idiom) -恽,yùn,surname Yun -想,xiǎng,to think (about); to think of; to devise; to think (that); to believe (that); to desire; to want (to); to miss (feel wistful about the absence of) -想不到,xiǎng bu dào,unexpected; hard to imagine; it had not occurred to me; who could have thought that -想不通,xiǎng bu tōng,unable to understand; unable to get over -想不开,xiǎng bu kāi,cannot figure out; to be unable to take a lighter view; to take things too hard; to be depressed; to fret over trifles -想也没想,xiǎng yě méi xiǎng,without a second thought -想来,xiǎng lái,it may be assumed that -想倒美,xiǎng dǎo měi,see 想得美[xiang3 de2 mei3] -想像,xiǎng xiàng,to imagine; to envision; imagination -想像力,xiǎng xiàng lì,conception; imagination -想入非非,xiǎng rù fēi fēi,to indulge in fantasy (idiom); to let one's imagination run wild -想出,xiǎng chū,to figure out; to work out (a solution etc); to think up; to come up with (an idea etc) -想到,xiǎng dào,to think of; to call to mind; to anticipate -想家,xiǎng jiā,homesick -想得美,xiǎng dé měi,in your dreams!; as if!; You wish!; I wish that were so -想得开,xiǎng de kāi,to not take to heart; to be free of worried thoughts; to adopt a lighthearted perspective; lighthearted -想必,xiǎng bì,presumably; probably; in all likelihood; surely -想念,xiǎng niàn,to miss; to remember with longing; to long to see again -想想看,xiǎng xiǎng kàn,to think about it -想方设法,xiǎng fāng shè fǎ,"to think up every possible method (idiom); to devise ways and means; to try this, that and the other" -想望,xiǎng wàng,to desire; to wish; (literary) to admire -想法,xiǎng fǎ,way of thinking; opinion; notion; to think of a way (to do sth); CL:個|个[ge4] -想当然,xiǎng dāng rán,to take sth as given; to make assumptions -想当然尔,xiǎng dāng rán ěr,to take sth as given; to assume; as one would expect; naturally -想当然耳,xiǎng dāng rán ěr,variant of 想當然爾|想当然尔[xiang3 dang1 ran2 er3] -想睡,xiǎng shuì,drowsy; sleepy -想要,xiǎng yào,to want to; to feel like; to fancy; to care for sb; desirous of -想见,xiǎng jiàn,to infer; to gather -想象,xiǎng xiàng,to imagine; to envision; imagination -想象力,xiǎng xiàng lì,imagination -想起,xiǎng qǐ,to recall; to think of; to call to mind -想起来,xiǎng qi lai,to remember; to recall -想通,xiǎng tōng,to figure out; to realize; to become convinced; to come round (to an idea); to get over it -想开,xiǎng kāi,"to get over (a shock, bereavement etc); to avoid dwelling on unpleasant things; to accept the situation and move on" -想头,xiǎng tou,(coll.) idea; hope -惴,zhuì,anxious; worried -惴惴不安,zhuì zhuì bù ān,to be on tenterhooks (idiom); to be anxious and frightened -惶,huáng,(bound form) fear; dread; anxiety; trepidation -惶恐,huáng kǒng,terrified -惶恐不安,huáng kǒng bù ān,anxious; panicky -惶惑,huáng huò,anxious and perplexed; uneasy and confused; suspicious and fearful -惶惶,huáng huáng,alarmed; anxious -惶遽,huáng jù,frightened; anxious -蠢,chǔn,variant of 蠢[chun3]; stupid -惹,rě,to provoke; to irritate; to vex; to stir up; to anger; to attract (troubles); to cause (problems) -惹不起,rě bu qǐ,can't afford to offend; dare not provoke; difficult to deal with; insufferable -惹乱子,rě luàn zi,to stir up trouble; to get into trouble -惹事,rě shì,to cause trouble -惹事生非,rě shì shēng fēi,variant of 惹是生非[re3 shi4 sheng1 fei1] -惹人,rě rén,"to provoke (esp. annoyance, disgust etc); to offend; to attract (attention)" -惹人厌,rě rén yàn,annoying; disgusting -惹人心烦,rě rén xīn fán,to annoy people; to be a pain in the neck -惹人注意,rě rén zhù yì,to attract attention -惹人注目,rě rén zhù mù,to attract attention; noticeable -惹喽子,rě lóu zi,variant of 惹婁子|惹娄子[re3 lou2 zi5] -惹娄子,rě lóu zi,to stir up trouble; to bring trouble upon oneself -惹怒,rě nù,to provoke anger -惹恼,rě nǎo,to offend -惹是生非,rě shì shēng fēi,to stir up trouble -惹是非,rě shì fēi,to stir up trouble -惹楼子,rě lóu zi,variant of 惹婁子|惹娄子[re3 lou2 zi5] -惹毛,rě máo,(coll.) to irritate; to annoy; to piss sb off -惹火,rě huǒ,to stir up the fire; fig. to provoke and offend people; to ruffle feathers -惹火烧身,rě huǒ shāo shēn,stir up the fire and you get burnt (idiom); to get one's fingers burnt; fig. to suffer on account of one's own meddling -惹祸,rě huò,to stir up trouble; to invite disaster -惹草拈花,rě cǎo niān huā,see 拈花惹草[nian1 hua1 re3 cao3] -惹草沾花,rě cǎo zhān huā,see 沾花惹草[zhan1 hua1 re3 cao3] -惹起,rě qǐ,"provoke, incite; stir up; arouse (attention)" -惹麻烦,rě má fan,to create difficulties; to invite trouble; to be troublesome -惺,xīng,tranquil; understand -惺忪,xīng sōng,drowsy-eyed; (literary) wavering; indecisive; (literary) awake; conscious; clearheaded -惺惺惜惺惺,xīng xīng xī xīng xīng,people of talent appreciate one another (idiom); to sympathize with one another -惺惺相惜,xīng xīng xiāng xī,see 惺惺惜惺惺[xing1 xing1 xi1 xing1 xing1] -惺松,xīng sōng,variant of 惺忪[xing1 song1] -恻,cè,sorrowful -恻怛之心,cè dá zhī xīn,see 惻隱之心|恻隐之心[ce4 yin3 zhi1 xin1] -恻隐,cè yǐn,compassion; empathetic -恻隐之心,cè yǐn zhī xīn,compassion -愀,qiǎo,change countenance; worry -愁,chóu,to worry about -愁闷,chóu mèn,depressed; gloomy -愁眉不展,chóu méi bù zhǎn,with a worried frown -愁眉苦脸,chóu méi kǔ liǎn,to look anxious (idiom); to look miserable -愁绪,chóu xù,melancholy -愁肠,chóu cháng,anxiety; worries -愁肠百结,chóu cháng bǎi jié,hundred knots of worry in one's intestines (idiom); weighed down with anxiety -愁苦,chóu kǔ,anxiety; distress -愆,qiān,fault; transgression -愆尤,qiān yóu,crime; offense; fault -愆期,qiān qī,(formal) to delay; to miss a deadline; to fail to do sth at the appointed time -愈,yù,the more...(the more...); to recover; to heal; better -愈来愈,yù lái yù,more and more -愈加,yù jiā,all the more; even more; further -愈描愈黑,yù miáo yù hēi,see 越描越黑[yue4 miao2 yue4 hei1] -愈演愈烈,yù yǎn yù liè,ever more critical; problems get more and more intense -愈发,yù fā,all the more; increasingly -愈益,yù yì,increasingly; more and more -愉,yú,pleased -愉快,yú kuài,cheerful; cheerily; delightful; pleasant; pleasantly; pleasing; happy; delighted -愉悦,yú yuè,joyful; cheerful; delighted; joy; delight -愍,mǐn,variant of 憫|悯[min3] -愎,bì,perverse; obstinate; willful -意,yì,Italy; Italian (abbr. for 意大利[Yi4 da4 li4]) -意,yì,idea; meaning; thought; to think; wish; desire; intention; to expect; to anticipate -意下如何,yì xià rú hé,how about it?; what do you think? -意中,yì zhōng,according with one's wish or expectation -意中事,yì zhōng shì,sth that is expected or wished for -意中人,yì zhōng rén,sweetheart; one's true love; the person of one's thoughts -意即,yì jí,which means; (this) means (that) -意向,yì xiàng,intention; purpose; intent; inclination; disposition -意向书,yì xiàng shū,letter of intent (LOI) (commerce) -意味,yì wèi,meaning; implication; flavor; overtone; to mean; to imply; (Tw) to get a sense of -意味深长,yì wèi shēn cháng,profound; significant; meaningful -意味着,yì wèi zhe,to signify; to mean; to imply -意图,yì tú,intent; intention; to intend -意境,yì jìng,artistic mood or conception; creative concept -意外,yì wài,unexpected; accident; mishap; CL:個|个[ge4] -意外事故,yì wài shì gù,accident -意大利,yì dà lì,Italy -意大利人,yì dà lì rén,Italian person -意大利直面,yì dà lì zhí miàn,spaghetti -意大利语,yì dà lì yǔ,Italian (language) -意大利青瓜,yì dà lì qīng guā,zucchini -意大利面,yì dà lì miàn,spaghetti; pasta -意式,yì shì,Italian-style -意式奶冻,yì shì nǎi dòng,panna cotta -意志,yì zhì,will; willpower; determination -意志力,yì zhì lì,willpower -意念,yì niàn,idea; thought -意念移物,yì niàn yí wù,telekinesis -意思,yì si,"idea; opinion; meaning; wish; desire; interest; fun; token of appreciation, affection etc; CL:個|个[ge4]; to give as a small token; to do sth as a gesture of goodwill etc" -意思意思,yì sī yì sī,to do a little something as a token of one's appreciation; to express one's gratitude or esteem by treating sb to a meal or presenting a gift -意想不到,yì xiǎng bù dào,unexpected; previously unimagined -意态,yì tài,bearing; attitude -意指,yì zhǐ,to mean; to imply -意料,yì liào,to anticipate; to expect; expectations -意料之中,yì liào zhī zhōng,to come as no surprise; as expected -意料之外,yì liào zhī wài,(idiom) contrary to expectation; unexpected -意旨,yì zhǐ,intent; intention; will -意会,yì huì,to sense; to grasp intuitively -意乐,yì lè,joy; happiness -意欲,yì yù,to intend to; intention; desire -意气用事,yì qì yòng shì,(idiom) to let emotions affect one's decisions -意气相投,yì qì xiāng tóu,congenial -意气风发,yì qì fēng fā,(idiom) high-spirited; full of mettle -意涵,yì hán,(Tw) meaning; significance; import; CL:層|层[ceng2] -意淫,yì yín,to fantasize; (esp.) to have a sexual fantasy about (sb) -意犹未尽,yì yóu wèi jìn,to wish to continue sth; to have not fully expressed oneself -意甲,yì jiǎ,"Serie A, the top division of the Italian football league system" -意符,yì fú,semantic component of a phono-semantic character (e.g. component 刂[dao1] in 刻[ke4]) -意第绪语,yì dì xù yǔ,Yiddish language -意义,yì yì,sense; meaning; significance; importance; CL:個|个[ge4] -意义变化,yì yì biàn huà,change of meaning -意兴,yì xìng,interest; enthusiasm -意兴索然,yì xìng suǒ rán,to have no interest in sth -意蕴,yì yùn,inner meaning; implication; connotation -意见,yì jiàn,"idea; opinion; suggestion; objection; complaint; CL:點|点[dian3],條|条[tiao2]" -意见不合,yì jiàn bù hé,to disagree; dissent -意见箱,yì jiàn xiāng,suggestion box -意谓,yì wèi,to mean; meaning -意识,yì shí,consciousness; awareness; to be aware; to realize -意识型态,yì shí xíng tài,variant of 意識形態|意识形态[yi4 shi2 xing2 tai4] -意识形态,yì shí xíng tài,ideology -意识流,yì shí liú,stream of consciousness (in literature) -意译,yì yì,meaning (of foreign expression); translation of the meaning (as opposed to literal translation 直譯|直译); paraphrase; free translation -意象,yì xiàng,image; imagery -意趣,yì qù,interest; point of particular charm and interest -意愿,yì yuàn,aspiration; wish (for); desire -意面,yì miàn,"pasta (abbr. for 意大利麵|意大利面[Yi4 da4 li4 mian4]); (Tw) yi mein, a variety of Cantonese egg noodle" -愕,è,startled -愕然,è rán,stunned; amazed -恪,kè,variant of 恪[ke4] -愚,yú,to be stupid; to cheat or deceive; me or I (modest) -愚不可及,yú bù kě jí,impossibly stupid -愚人,yú rén,stupid person; ignoramus -愚人节,yú rén jié,April Fools' Day -愚公移山,yú gōng yí shān,"the old man moves mountains (idiom); fig. where there's a will, there's a way" -愚妄,yú wàng,stupid and arrogant -愚孝,yú xiào,unquestioning filial piety -愚弄,yú nòng,to make a fool out of; to fool; to dupe -愚弱,yú ruò,ignorant and feeble -愚意,yú yì,my humble opinion -愚懦,yú nuò,ignorant and timid -愚拙,yú zhuō,clumsy and stupid -愚昧,yú mèi,ignorant; uneducated; ignorance -愚昧无知,yú mèi wú zhī,stupid and ignorant (idiom) -愚民,yú mín,ignorant masses; to keep the people in ignorance -愚氓,yú méng,fool; stupid person -愚蒙,yú méng,ignorant; stupid -愚笨,yú bèn,stupid; clumsy -愚蠢,yú chǔn,silly; stupid -愚见,yú jiàn,my humble opinion -愚钝,yú dùn,stupid; slow-witted -愚陋,yú lòu,ignorant and backward -愚顽,yú wán,ignorant and stubborn -愚鲁,yú lǔ,dull-witted; foolish -爱,ài,to love; to be fond of; to like; affection; to be inclined (to do sth); to tend to (happen) -爱丁堡,ài dīng bǎo,"Edinburgh, capital of Scotland" -爱上,ài shàng,to fall in love with; to be in love with -爱不忍释,ài bù rěn shì,to love sth too much to part with it (idiom) -爱不释手,ài bù shì shǒu,(idiom) to like sth so much that one is reluctant to put it down; to find sth utterly irresistible -爱之如命,ài zhī rú mìng,to love sb (or sth) as one loves life itself -爱人,ài ren,spouse (PRC); lover (non-PRC); CL:個|个[ge4] -爱人如己,ài rén rú jǐ,love others as self -爱侣,ài lǚ,lovers -爱优腾,ài yōu téng,abbr. for iQiyi 愛奇藝|爱奇艺[Ai4 Qi2 yi4] + Youku 優酷|优酷[You1 ku4] + Tencent 騰訊|腾讯[Teng2 xun4] -爱克斯光,ài kè sī guāng,X-ray (loanword); Röntgen or Roentgen ray -爱克斯射线,ài kè sī shè xiàn,X-ray radiation -爱别离苦,ài bié lí kǔ,"(Buddhism) the pain of parting with what (or whom) one loves, one of the eight distresses 八苦[ba1 ku3]" -爱哭鬼,ài kū guǐ,crybaby -爱问,ài wèn,"iAsk.com, the search engine of Sina 新浪" -爱因斯坦,ài yīn sī tǎn,"Albert Einstein (1879-1955), German-born theoretical physicist" -爱国,ài guó,to love one's country; patriotic -爱国主义,ài guó zhǔ yì,patriotism -爱国如家,ài guó rú jiā,to love one's country as one's own family (praise for a virtuous ruler) -爱国者,ài guó zhě,MIM-104 Patriot surface-to-air missile -爱国者,ài guó zhě,patriot -爱国卫生运动委员会,ài guó wèi shēng yùn dòng wěi yuán huì,Patriotic Health Committee -爱奇艺,ài qí yì,"iQiyi, online video platform based in Beijing, launched in 2010" -爱奥尼亚海,ài ào ní yà hǎi,Ionian Sea between Italy and Greece -爱奥华,ài ào huá,"Iowa, US state" -爱奥华州,ài ào huá zhōu,"Iowa, US state" -爱奴,ài nú,see 阿伊努[A1 yi1 nu3] -爱好,ài hào,to like; to be fond of; to take pleasure in; to be keen on; interest; hobby; CL:個|个[ge4] -爱好者,ài hào zhě,"lover (of art, sports etc); amateur; enthusiast; fan" -爱子,ài zǐ,beloved son -爱将,ài jiàng,trusted lieutenant -爱屋及乌,ài wū jí wū,"lit. love the house and its crow (idiom); involvement with sb and everyone connected; Love me, love my dog." -爱屋及鸟,ài wū jí niǎo,see 愛屋及烏|爱屋及乌[ai4 wu1 ji2 wu1] -爱岗敬业,ài gǎng jìng yè,devoted to one's work -爱州,ài zhōu,"Iowa, US state (abbr. for 愛奧華州|爱奥华州[Ai4 ao4 hua2 zhou1])" -爱巢,ài cháo,love nest -爱彼迎,ài bǐ yíng,Airbnb -爱得死去活来,ài de sǐ qù huó lái,to be madly in love -爱德,ài dé,Aide (brand) -爱德斯沃尔,ài dé sī wò ěr,Eidsvoll (city in Norway) -爱德玲,ài dé líng,Adeline (name) -爱德华,ài dé huá,Edward; Édouard (name) -爱德华岛,ài dé huá dǎo,"Prince Edward Island, province of Canada" -爱德华王子岛,ài dé huá wáng zǐ dǎo,Prince Edward Island (province of Canada) -爱德华兹,ài dé huá zī,Edwards (name) -爱心,ài xīn,"compassion; kindness; care for others; love; CL:片[pian4]; charity (bazaar, golf day etc); heart (the symbol ♥)" -爱心伞,ài xīn sǎn,courtesy umbrella (one made available for borrowing) -爱恨交加,ài hèn jiāo jiā,to feel a mixture of love and hate -爱恨交织,ài hèn jiāo zhī,mixture of love and hate -爱情,ài qíng,romance; love (romantic); CL:份[fen4] -爱情喜剧,ài qíng xǐ jù,romantic comedy -爱情片,ài qíng piàn,romance film -爱惜,ài xī,to cherish; to treasure; to use sparingly -爱意,ài yì,love -爱爱,ài ai,(coll.) to make love -爱慕,ài mù,to adore; to admire -爱慕虚荣,ài mù xū róng,vain -爱憎,ài zēng,love and hate -爱憎分明,ài zēng fēn míng,to make a clear difference between what one likes and what one hates; to have well-defined likes and dislikes -爱怜,ài lián,to show tenderness; to coo over; affection -爱恋,ài liàn,in love with; to feel deeply attached to -爱戴,ài dài,to love and respect; love and respect -爱才,ài cái,to value talent; to cherish talented people -爱才若渴,ài cái ruò kě,(idiom) to be eager to surround oneself with talented people -爱抚,ài fǔ,to caress; to fondle; to look after (tenderly); affectionate care -爱斯基摩,ài sī jī mó,Eskimo -爱新觉罗,ài xīn jué luó,"Aisin Gioro, family name of the Manchu emperors of the Qing dynasty" -爱昵,ài nì,intimate; loving -爱晚亭,ài wǎn tíng,"Aiwan Pavilion, on Mt Yuelu 岳麓山 in Hubei, famous beauty spot" -爱普生,ài pǔ shēng,"Epson, Japanese electronics company" -爱乐,ài yuè,music-loving; philharmonic -爱乐乐团,ài yuè yuè tuán,philharmonic orchestra -爱死病,ài sǐ bìng,AIDS (loanword) -爱民,ài mín,"Aimin district of Mudanjiang city 牡丹江市, Heilongjiang" -爱民区,ài mín qū,"Aimin district of Mudanjiang city 牡丹江市, Heilongjiang" -爱民如子,ài mín rú zǐ,(idiom) to love the common people as one's own children (praise for a virtuous ruler) -爱沙尼亚,ài shā ní yà,Estonia -爱河,ài hé,the river of love; a stumbling block on the path to enlightenment (Buddhism) -爱港,ài gǎng,to love Hong Kong (usually implying that one also supports the PRC government) -爱滋,ài zī,AIDS (loanword); see also 愛滋病|爱滋病[ai4 zi1 bing4] -爱滋病,ài zī bìng,variant of 艾滋病[ai4 zi1 bing4] -爱滋病毒,ài zī bìng dú,HIV; the AIDS virus -爱漂亮,ài piào liang,to like looking attractive (usually of girls); aestheticism -爱尔兰,ài ěr lán,Ireland -爱尔兰人,ài ěr lán rén,Irish person -爱尔兰共和国,ài ěr lán gòng hé guó,Republic of Ireland -爱尔兰共和军,ài ěr lán gòng hé jūn,Irish Republican Army -爱尔兰海,ài ěr lán hǎi,Irish Sea between Ireland and north England -爱尔兰语,ài ěr lán yǔ,Irish language -爱犬,ài quǎn,beloved pet dog -爱玉,ài yù,see 愛玉子|爱玉子[ai4 yu4 zi3] -爱玉冰,ài yù bīng,jelly snack made by kneading jelly fig seeds 愛玉子|爱玉子[ai4 yu4 zi3] in water and combining with flavorings (popular in Taiwan and Singapore) -爱玉冻,ài yù dòng,see 愛玉冰|爱玉冰[ai4 yu4 bing1] -爱玉子,ài yù zǐ,jelly fig seed (Ficus pumila var. awkeotsang) -爱现,ài xiàn,(coll.) to enjoy showing off -爱理不理,ài lǐ bù lǐ,(idiom) standoffish; indifferent -爱琴,ài qín,Aegean (sea between Greece and Turkey) -爱琴海,ài qín hǎi,Aegean Sea -爱玛,ài mǎ,Emma (name) -爱留根纳,ài liú gēn nà,"Eriugena, John Scottus (c. 810-880) Irish poet, theologian, and philosopher of Neoplatonism" -爱疯,ài fēng,iPhone (slang) -爱知,ài zhī,Aichi (prefecture in Japan) -爱知县,ài zhī xiàn,"Aichi prefecture, central Japan" -爱神,ài shén,god of love -爱称,ài chēng,term of endearment; pet name; diminutive -爱窝窝,ài wō wo,glutinous rice cake with a sweet filling; also written 艾窩窩|艾窝窝[ai4 wo1 wo5] -爱立信,ài lì xìn,Ericsson (Swedish telecommunications company) -爱经,ài jīng,Kama Sutra -爱维养,ài wéi yǎng,"Evian, mineral water company (Tw)" -爱罗先珂,ài luó xiān kē,"Vasili Eroshenko (1890-1952), Russian writer and poet who wrote in Esperanto and Japanese" -爱美,ài měi,to pay attention to one's appearance; to like to be well-groomed; (literary) on very friendly terms -爱耳日,ài ěr rì,Ear Care Day (March 3) -爱荷华,ài hé huá,"Iowa, US state (Tw)" -爱莉丝,ài lì sī,Iris (name) -爱莫利维尔,ài mò lì wéi ěr,"Emeryville, city on San Fransico Bay, California" -爱莫能助,ài mò néng zhù,"unable to help however much one would like to (idiom); Although we sympathize, there is no way to help you.; My hands are tied." -爱卫会,ài wèi huì,Patriotic Health Committee (abbr. for 愛國衛生運動委員會|爱国卫生运动委员会[Ai4 guo2 Wei4 sheng1 Yun4 dong4 Wei3 yuan2 hui4]) -爱词霸,ài cí bà,"iCIBA, online dictionary by Kingsoft Corporation, at www.iciba.com" -爱谁谁,ài shéi shéi,(coll.) whatever; who cares -爱护,ài hù,to cherish; to treasure; to take care of; to love and protect -爱豆,ài dòu,(loanword) (coll.) idol -爱财,ài cái,avaricious -爱财如命,ài cái rú mìng,lit. to love money as much as one's own life (idiom); fig. avaricious; tightfisted -爱辉,ài huī,"Aihui district of Heihe city 黑河[Hei1 he2], Heilongjiang" -爱辉区,ài huī qū,"Aihui district of Heihe city 黑河[Hei1 he2], Heilongjiang" -爱迪生,ài dí shēng,"Edison (name); Thomas Alva Edison (1847-1931), American inventor and businessman" -爱达荷,ài dá hé,"Idaho, US state" -爱达荷州,ài dá hé zhōu,"Idaho, US state" -爱面子,ài miàn zi,to like to look good in the eyes of others; sensitive about how one is regarded by others; proud -爱马仕,ài mǎ shì,Hermès (brand) -爱丽舍宫,ài lì shě gōng,"Elysée Palace, the residence of the president of the French Republic" -爱丽斯泉,ài lì sī quán,"Alice Springs, town in central Australia (Tw)" -爱丽丝,ài lì sī,Alice (name) -爱丽丝泉,ài lì sī quán,"Alice Springs, town in central Australia" -爱丽丝漫游奇境记,ài lì sī màn yóu qí jìng jì,Alice in Wonderland -爱默生,ài mò shēng,"Ralph Waldo Emerson (1803-1882), American poet, essayist, and philosopher" -惬,qiè,cheerful; satisfied -惬意,qiè yì,satisfied; pleased; contented -感,gǎn,to feel; to move; to touch; to affect; feeling; emotion; (suffix) sense of ~ -感人,gǎn rén,touching; moving -感佩,gǎn pèi,to admire with gratitude -感伤,gǎn shāng,sad; downhearted; sentimental; pathos; melancholy -感光,gǎn guāng,light-sensitive -感光鼓,gǎn guāng gǔ,toner cartridge -感冒,gǎn mào,"to catch cold; (common) cold; CL:場|场[chang2],次[ci4]; (coll.) to be interested in (often used in the negative); (Tw) to detest; can't stand" -感冒药,gǎn mào yào,medicine for colds -感到,gǎn dào,to feel; to sense; to perceive -感动,gǎn dòng,to move (sb); to touch (sb emotionally); moving -感化,gǎn huà,corrective influence; to reform (a criminal); redemption (of a sinner); to influence (a malefactor to a better life); to guide sb back to the right path by repeated word and example -感化院,gǎn huà yuàn,reformatory; reform school -感受,gǎn shòu,to sense; perception; to feel (through the senses); to experience; a feeling; an impression; an experience -感受器,gǎn shòu qì,sensory receptor -感召,gǎn zhào,to move and appeal; to rally to a cause; to impel; to inspire -感召力,gǎn zhào lì,appeal; attraction; charisma -感同身受,gǎn tóng shēn shòu,to feel as if it had happened to oneself; to sympathize; (polite expression of gratitude for a favor received by a friend etc) I take it as a personal favor -感喟,gǎn kuì,sighing with emotion -感叹,gǎn tàn,to sigh (with feeling); to lament -感叹句,gǎn tàn jù,exclamation; exclamatory phrase -感叹号,gǎn tàn hào,exclamation mark ! (punct.) -感叹词,gǎn tàn cí,interjection (part of speech); exclamation -感叹语,gǎn tàn yǔ,exclamation; expletive -感天动地,gǎn tiān dòng dì,(idiom) deeply affecting -感奋,gǎn fèn,moved and inspired; fired with enthusiasm -感官,gǎn guān,sense; sense organ -感念,gǎn niàn,to recall fondly; to remember with emotion -感性,gǎn xìng,perception; perceptual; sensibility; sensitive; emotional; sentimental -感性工学,gǎn xìng gōng xué,"kansei engineering (product design that aims to engender specific subjective responses in the consumer) (orthographic borrowing from Japanese 感性工学 ""kansei kougaku"")" -感性认识,gǎn xìng rèn shi,perceptual awareness -感恩,gǎn ēn,to be grateful -感恩图报,gǎn ēn tú bào,grateful and seeking to repay the kindness (idiom) -感恩戴德,gǎn ēn dài dé,deeply grateful -感恩节,gǎn ēn jié,Thanksgiving Day -感悟,gǎn wù,to come to realize; to appreciate (feelings) -感情,gǎn qíng,emotion; sentiment; affection; feelings between two persons -感情用事,gǎn qíng yòng shì,to act impetuously (idiom); on an impulse -感想,gǎn xiǎng,"impressions; reflections; thoughts; CL:通[tong4],個|个[ge4]" -感愧,gǎn kuì,to feel gratitude mixed with shame -感慨,gǎn kǎi,"to sigh with sorrow, regret etc; rueful; deeply moved" -感愤,gǎn fèn,moved to anger; indignant -感应,gǎn yìng,response; reaction; interaction; irritability (biol.); induction (elec.); inductance -感应器,gǎn yìng qì,inductor (elec.) -感应线圈,gǎn yìng xiàn quān,induction coil; solenoid -感怀,gǎn huái,to recall with emotion; to feel sentiments -感戴,gǎn dài,sincerely grateful -感染,gǎn rǎn,to infect; infection; (fig.) to influence -感染人数,gǎn rǎn rén shù,number of infected persons -感染力,gǎn rǎn lì,"infectiousness (of a disease); appeal; power; impact (of an image, marketing message, performance etc)" -感染性腹泻,gǎn rǎn xìng fù xiè,infective diarrhea -感染率,gǎn rǎn lǜ,rate of infection (usu. of a disease) -感染者,gǎn rǎn zhě,infected person -感测器,gǎn cè qì,sensor (Tw) -感激,gǎn jī,to be grateful; to appreciate; thankful -感激不尽,gǎn jī bù jìn,can't thank sb enough (idiom) -感激涕零,gǎn jī tì líng,to shed tears of gratitude (idiom); moved to tears -感发,gǎn fā,to move and inspire -感知,gǎn zhī,perception (the process of perceiving sth with the senses); to sense; to feel; to detect; to be aware of -感知力,gǎn zhī lì,perceptivity -感兴趣,gǎn xìng qù,to be interested -感觉,gǎn jué,feeling; impression; sensation; to feel; to perceive -感觉到,gǎn jué dào,to feel; to sense; to detect; to perceive; to become aware -感觉器,gǎn jué qì,sense organ -感觉器官,gǎn jué qì guān,sense organs; the five senses -感触,gǎn chù,one's thoughts and feelings; emotional stirring; moved; touched -感谢,gǎn xiè,(express) thanks; gratitude; grateful; thankful; thanks -感质,gǎn zhì,qualia (philosophy) -感遇,gǎn yù,gratitude for good treatment; to sigh; to lament -感遇诗,gǎn yù shī,a lament (poem) -愣,lèng,to look distracted; to stare blankly; distracted; blank; (coll.) unexpectedly; rash; rashly -愣劲儿,lèng jìn er,dash; pep; vigor -愣干,lèng gàn,to do things recklessly; to persist in doing sth in one's own way -愣神儿,lèng shén er,to stare blankly; to be in a daze -愣说,lèng shuō,(coll.) to insist; to allege; to assert -愣头儿青,lèng tóu er qīng,hothead; rash individual -愣头愣脑,lèng tóu lèng nǎo,rash; impetuous; reckless -愧,kuì,ashamed -愧不敢当,kuì bù gǎn dāng,lit. I'm ashamed and dare not (accept the honor); fig. I do not deserve your praise.; You flatter me too much. -愧对,kuì duì,to be ashamed to face (sb); to feel bad about having failed (sb) -愧怍,kuì zuò,ashamed -愧恨,kuì hèn,ashamed and sorry; suffering shame and remorse -愧悔无地,kuì huǐ wú dì,ashamed and unable to show one's face (idiom) -愧汗,kuì hàn,sweating from shame; extremely ashamed -愧疚,kuì jiù,to feel guilty; to feel ashamed of oneself; to be remorseful -愧色,kuì sè,ashamed look -愧赧,kuì nǎn,to blush in shame; red-faced -悫,què,honest -愫,sù,guileless; sincere -诉,sù,variant of 訴|诉[su4] -怆,chuàng,mournful; sad; grieved; sorry -恺,kǎi,joyful; kind -恺弟,kǎi tì,variant of 愷悌|恺悌[kai3 ti4] -恺彻,kǎi chè,"variant of 愷撒|恺撒, Caesar (emperor) used by Yan Fu 嚴復|严复" -恺悌,kǎi tì,happy and easygoing; friendly -恺撒,kǎi sā,"Caesar (name); Gaius Julius Caesar 100-42 BC; by extension, emperor, Kaiser, Tsar" -博,bó,old variant of 博[bo2] -忾,kài,anger -愿,yuàn,honest and prudent; variant of 願|愿[yuan4] -恿,yǒng,old variant of 恿[yong3] -栗,lì,(literary) cold; chilly; (bound form) to tremble with fear -栗然,lì rán,(literary) shivering; shuddering -慈,cí,compassionate; gentle; merciful; kind; humane -慈利,cí lì,"Cili county in Zhangjiajie 張家界|张家界[Zhang1 jia1 jie4], Hunan" -慈利县,cí lì xiàn,"Cili county in Zhangjiajie 張家界|张家界[Zhang1 jia1 jie4], Hunan" -慈和,cí hé,kindly; amiable -慈善,cí shàn,benevolent; charitable -慈善家,cí shàn jiā,philanthropist; humanitarian; charity donor -慈善抽奖,cí shàn chōu jiǎng,a raffle (for charity) -慈善机构,cí shàn jī gòu,charity -慈善组织,cí shàn zǔ zhī,charity organization -慈姑,cí gu,"arrowhead (Sagittaria subulata, a water plant)" -慈安太后,cí ān tài hòu,Empress Dowager Ci'an (1837-1881) of Qing -慈恩宗,cí ēn zōng,see 法相宗[Fa3 xiang4 zong1] -慈悲,cí bēi,mercy -慈悲为本,cí bēi wéi běn,mercy as the guiding principle (idiom); the Buddhist teaching that nothing is valid except compassion -慈爱,cí ài,"love; devotion (to children); affection, esp. towards children" -慈母,cí mǔ,"warm, caring mother" -慈江道,cí jiāng dào,"Chagang province, in the north of North Korea" -慈溪,cí xī,"Cixi, county-level city in Ningbo 寧波|宁波[Ning2 bo1], Zhejiang" -慈溪市,cí xī shì,"Cixi, county-level city in Ningbo 寧波|宁波[Ning2 bo1], Zhejiang" -慈济,cí jì,"Tzu Chi Foundation, an international humanitarian NGO, established in 1966 in Taiwan" -慈照寺,cí zhào sì,"Jishōji in northeast Kyōto 京都, Japan, the official name of Ginkakuji or Silver pavilion 銀閣寺|银阁寺[yin2 ge2 si4]" -慈眉善目,cí méi shàn mù,"kind brows, pleasant eyes (idiom); amiable looking; benign-faced" -慈眉善眼,cí méi shàn yǎn,"lit. kind brows, pleasant eyes (idiom); fig. amiable looking; benign-faced" -慈石,cí shí,magnetite Fe3O4 -慈祥,cí xiáng,kindly; benevolent (often of older person) -慈福行动,cí fú xíng dòng,Operation Blessing (charitable relief organization) -慈禧,cí xǐ,Empress Dowager Cixi or Ts'u Hsi (reigned 1861-1908) -慈禧太后,cí xǐ tài hòu,"Empress Dowager Cixi or Ts'u Hsi (1835-1908), regent 1861-1908" -慈霭,cí ǎi,kindly and amiable -慈颜,cí yán,one's mother's loving face -慊,qiàn,dissatisfied -慊,qiè,contented -态,tài,(bound form); appearance; shape; form; state; attitude; (grammar) voice -态势,tài shì,posture; situation -态子,tài zi,"state of matter (solid, liquid or gas)" -态射,tài shè,(math.) morphism -态度,tài du,manner; bearing; attitude; approach; CL:個|个[ge4] -态样,tài yàng,form; pattern -态叠加,tài dié jiā,superposition of states (quantum mechanics) -慌,huāng,to get panicky; to lose one's head; (coll.) (after 得[de2]) unbearably; terribly -慌乱,huāng luàn,frenetic; hurried -慌张,huāng zhāng,flustered; agitated -慌得,huāng de,hurriedly; in a frenzy -慌忙,huāng máng,in a great rush; in a flurry -慌成一团,huāng chéng yī tuán,(of a group of people) to run about helplessly -慌神,huāng shén,to get agitated; to panic -愠,yùn,indignant; feel hurt -愠怒,yùn nù,inwardly angry; indignant; sulking; sullen -慎,shèn,careful; cautious -慎入,shèn rù,keep away!; proceed with caution! -慎密,shèn mì,cautious; with meticulous care -慎独,shèn dú,to preserve a proper behavior in private life -慎终追远,shèn zhōng zhuī yuǎn,to pay careful attention to one's parents' funerary rites -慎言,shèn yán,to speak cautiously; to guard one's tongue -慎重,shèn zhòng,cautious; careful; prudent -慎重其事,shèn zhòng qí shì,to treat a matter with due consideration (idiom) -慕,mù,to admire -慕名,mù míng,to admire sb's reputation; to seek out famous person or location -慕名而来,mù míng ér lái,to come to a place on account of its reputation (idiom); attracted to visit a famous location -慕士塔格峰,mù shì tǎ gé fēng,"Muztagh Ata, second highest peak of the Pamir Mountains" -慕容,mù róng,a branch of the Xianbei 鮮卑|鲜卑[Xian1bei1] nomadic people; two-character surname Murong -慕尼黑,mù ní hēi,"München or Munich, capital of Bavaria, Germany" -慕斯,mù sī,mousse (loanword) -慕田峪,mù tián yù,"Mutianyu, well-preserved section of the Great Wall 70km from Beijing" -慕丝,mù sī,mousse (loanword) -慕课,mù kè,MOOC (massive open online course) (loanword) -慕道友,mù dào yǒu,religious investigator -惨,cǎn,miserable; wretched; cruel; inhuman; disastrous; tragic; dim; gloomy -惨不忍睹,cǎn bù rěn dǔ,lit. so horrible that one cannot bear to look (idiom); fig. miserable; horrendous; atrocious -惨不忍闻,cǎn bù rěn wén,(idiom) dreadful to hear -惨事,cǎn shì,disaster -惨剧,cǎn jù,tragedy; calamity; atrocity -惨叫,cǎn jiào,to scream; blood-curdling screech; miserable shriek -惨境,cǎn jìng,wretched situation -惨怛,cǎn dá,grieved; distressed -惨戮,cǎn lù,(literary) to massacre; to slaughter; to brutally kill -惨败,cǎn bài,to suffer a crushing defeat -惨景,cǎn jǐng,wretched sight -惨案,cǎn àn,massacre; tragedy; CL:起[qi3] -惨死,cǎn sǐ,to die tragically; to meet with a violent death -惨杀,cǎn shā,to slaughter; to kill mercilessly -惨毒,cǎn dú,cruel; vicious -惨况,cǎn kuàng,tragic situation; dreadful state -惨淡,cǎn dàn,dark; gloomy; dismal; by painstaking effort -惨淡经营,cǎn dàn jīng yíng,to manage by painstaking effort (idiom) -惨澹,cǎn dàn,variant of 慘淡|惨淡[can3 dan4] -惨烈,cǎn liè,bitter; desperate -惨无人道,cǎn wú rén dào,inhuman (idiom); brutal and unfeeling -惨然,cǎn rán,grieved; distressed -惨状,cǎn zhuàng,devastation; miserable condition -惨痛,cǎn tòng,bitter; painful; deeply distressed -惨白,cǎn bái,deathly pale -惨祸,cǎn huò,terrible tragedy; grave mishap -惨笑,cǎn xiào,bitter smile -惨红,cǎn hóng,dark red -惨绝人寰,cǎn jué rén huán,extremely tragic (idiom); with unprecedented brutality -惨变,cǎn biàn,"calamitous turn of events; (of one's complexion) to change markedly due to shock, illness etc; to turn deathly pale" -惨遭,cǎn zāo,"to suffer (defeat, death etc)" -惨遭不幸,cǎn zāo bù xìng,to meet with disaster; to die tragically -惨酷,cǎn kù,(literary) cruel; savage; merciless -惨重,cǎn zhòng,disastrous -惭,cán,variant of 慚|惭[can2] -惭,cán,ashamed -惭愧,cán kuì,ashamed -慝,tè,evil thought -恸,tòng,grief -慢,màn,slow -慢动作,màn dòng zuò,(cinema) slow motion -慢化剂,màn huà jì,moderator -慢半拍,màn bàn pāi,"(music) a half-beat behind; (fig.) rather slow (in performing a task, comprehending etc)" -慢吞吞,màn tūn tūn,very slow; exasperatingly slow -慢城市,màn chéng shì,slow-paced town -慢工出巧匠,màn gōng chū qiǎo jiàng,patient work makes a skilled craftsman -慢工出细货,màn gōng chū xì huò,patient work makes a fine product -慢待,màn dài,to slight (treat badly) -慢性,màn xìng,slow and patient; chronic (disease); slow to take effect (e.g. a slow poison) -慢性子,màn xìng zi,slow-tempered; phlegmatic; a slowcoach -慢性疲劳症候群,màn xìng pí láo zhèng hòu qún,chronic fatigue syndrome (CFS) -慢性疼痛,màn xìng téng tòng,chronic pain -慢性疾病,màn xìng jí bìng,chronic illness; disease that takes effect slowly -慢性病,màn xìng bìng,chronic disease -慢性阻塞性肺病,màn xìng zǔ sè xìng fèi bìng,chronic obstructive pulmonary disease (COPD) -慢悠悠,màn yōu yōu,unhurried -慢慢,màn màn,slowly; gradually -慢慢来,màn màn lái,take your time; take it easy -慢慢吃,màn màn chī,Enjoy your meal!; Bon appetit! -慢慢吞吞,màn man tūn tūn,very slow -慢板,màn bǎn,slow tempo; adagio -慢条斯理,màn tiáo sī lǐ,unhurried; calm; composed; leisurely -慢步,màn bù,at a slow pace -慢火,màn huǒ,low heat (cooking) -慢热,màn rè,slow to heat up; (fig.) (of a person) reserved; introverted; slow to develop relationships; (of a product etc) to take time to become popular; (sports) slow to reach peak performance -慢热型,màn rè xíng,slow to get started -慢班,màn bān,remedial stream (in school) -慢生活,màn shēng huó,slow living -慢用,màn yòng,same as 慢慢吃[man4 man4 chi1] -慢行,màn xíng,to walk slowly -慢行道,màn xíng dào,slow lane -慢说,màn shuō,not to mention ... (i.e. in addition to sth) -慢走,màn zǒu,Stay a bit!; Wait a minute!; (to a departing guest) Take care! -慢跑,màn pǎo,jogging; to jog; to canter; a slow trot -慢车,màn chē,local bus or train; slow train with many stops -慢速,màn sù,slow; low-speed -慢速摄影,màn sù shè yǐng,slow shutter speed photography -慢镜头,màn jìng tóu,(cinema) slow motion -慢长,màn cháng,extremely long; unending -慢腾腾,màn téng téng,leisurely; unhurried; sluggish -惯,guàn,accustomed to; used to; indulge; to spoil (a child) -惯例,guàn lì,convention; usual practice -惯偷,guàn tōu,habitual thief -惯坏,guàn huài,to spoil (a child) -惯家,guàn jia,(usually derog.) an old hand at sth -惯常,guàn cháng,usual; customary -惯性,guàn xìng,(physics) inertia; (fig.) force of habit; tendency to do things in the accustomed way; habitual -惯性系,guàn xìng xì,inertial system; inertial frame (mechanics) -惯有,guàn yǒu,customary; usual -惯犯,guàn fàn,recidivist; habitual criminal -惯用,guàn yòng,to use habitually; habitual; customary -惯用手,guàn yòng shǒu,dominant hand -惯用语,guàn yòng yǔ,commonly used phrase; idiom; colloquial usage -惯窃,guàn qiè,habitual thief -惯贼,guàn zéi,habitual thief -惯量,guàn liàng,inertia (mechanics) -惯养,guàn yǎng,to spoil; to indulge sb (usu. a child) -悫,què,honest -慧,huì,intelligent -慧星,huì xīng,variant of 彗星[hui4xing1] -慧眼,huì yǎn,an all-seeing mind; mental perception; insight; acumen -慧能,huì néng,"Huineng (638-713), the Sixth Patriarch of Chan Buddhism" -慧黠,huì xiá,intelligent; bright; sharp -慨,kǎi,indignant; generous; to sigh (with emotion) -慨叹,kǎi tàn,to sigh with regret; lament -怄,òu,to annoy; to irritate; to be annoyed; to sulk -怄气,òu qì,to sulk; to squabble -怂,sóng,variant of 㞞|𪨊[song2] -怂,sǒng,used in 慫恿|怂恿[song3yong3]; (literary) terrified -怂恿,sǒng yǒng,to instigate; to incite; to urge; to encourage -虑,lǜ,to think over; to consider; anxiety -虑病症,lǜ bìng zhèng,hypochondria -慰,wèi,to comfort; to console; to reassure -慰劳,wèi láo,"to show appreciation (by kind words, small gifts etc); to comfort" -慰唁,wèi yàn,to console -慰问,wèi wèn,"to express sympathy, greetings, consolation etc" -慰安妇,wèi ān fù,"comfort woman (woman or girl forced into sex slavery by the Japanese military 1937-1945) (orthographic borrowing from Japanese 慰安婦 ""ianfu"")" -慰藉,wèi jiè,to console; to comfort -悭,qiān,stingy -悭俭,qiān jiǎn,miserly; stingy -悭吝,qiān lìn,(literary) miserly; stingy -慑,shè,terrified -慵,yōng,lethargic -慵懒,yōng lǎn,languid; indolent -庆,qìng,to celebrate -庆元,qìng yuán,"Qingyuan county in Lishui 麗水|丽水[Li2 shui3], Zhejiang" -庆元县,qìng yuán xiàn,"Qingyuan county in Lishui 麗水|丽水[Li2 shui3], Zhejiang" -庆典,qìng diǎn,celebration -庆功,qìng gōng,to celebrate a heroic deed -庆城,qìng chéng,"Qingcheng county in Qingyang 慶陽|庆阳[Qing4 yang2], Gansu" -庆城县,qìng chéng xiàn,"Qingcheng county in Qingyang 慶陽|庆阳[Qing4 yang2], Gansu" -庆大霉素,qìng dà méi sù,gentamycin (antibiotic) -庆安,qìng ān,"Qing'an county in Suihua 綏化|绥化, Heilongjiang" -庆安县,qìng ān xiàn,"Qing'an county in Suihua 綏化|绥化, Heilongjiang" -庆尚北道,qìng shàng běi dào,"North Gyeongsang Province, in east South Korea, capital Daegu 大邱[Da4 qiu1]" -庆尚南道,qìng shàng nán dào,"South Gyeongsang Province, in southeast South Korea, capital Changwon 昌原[Chang1 yuan2]" -庆尚道,qìng shàng dào,"Gyeongsang Province of Joseon Korea, now divided into North Gyeongsang Province 慶尚北道|庆尚北道[Qing4 shang4 bei3 dao4] and South Gyeongsang Province 慶尚南道|庆尚南道[Qing4 shang4 nan2 dao4]" -庆州,qìng zhōu,"Qingzhou, ancient northern province; Gyeongju City, South Korea" -庆幸,qìng xìng,to rejoice; to be glad -庆历新政,qìng lì xīn zhèng,failed reform of Northern Song government in 1043 -庆生,qìng shēng,to celebrate a birthday -庆祝,qìng zhù,to celebrate -庆祝会,qìng zhù huì,celebration -庆贺,qìng hè,to congratulate; to celebrate -庆阳,qìng yáng,"Qingyang, prefecture-level city in Gansu" -庆阳市,qìng yáng shì,"Qingyang, prefecture-level city in Gansu" -庆云,qìng yún,"Qingyun county in Dezhou 德州[De2 zhou1], Shandong" -庆云县,qìng yún xiàn,"Qingyun county in Dezhou 德州[De2 zhou1], Shandong" -慷,kāng,used in 慷慨|慷慨[kang1 kai3] -慷慨,kāng kǎi,vehement; fervent; generous; magnanimous -慷慨捐生,kāng kǎi juān shēng,sacrificing one's life generously (idiom); to sacrifice oneself fervently to the cause -慷慨激昂,kāng kǎi jī áng,impassioned; vehement -慷慨解囊,kāng kǎi jiě náng,to contribute generously (idiom); help sb generously with money; to give generously to charity -慷慨赴义,kāng kǎi fù yì,heroically sacrificing one's life (idiom); to sacrifice oneself fervently to the cause -慷慨输将,kāng kǎi shū jiāng,to donate generously (idiom) -戚,qī,variant of 戚[qi1]; grief; sorrow -戚戚,qī qī,sorrowful; distressed -戚,qī,variant of 慼|戚[qi1] -欲,yù,desire; appetite; passion; lust; greed -欲仙欲死,yù xiān yù sǐ,to wish one were dead (idiom); (fig.) to be in seventh heaven -欲壑难填,yù hè nán tián,(idiom) insatiably greedy -欲望,yù wàng,desire; longing; appetite; craving -欲火,yù huǒ,lust -欲火焚身,yù huǒ fén shēn,burning with desire -忧,yōu,to worry; to concern oneself with; worried; anxiety; sorrow; (literary) to observe mourning -忧伤,yōu shāng,distressed; laden with grief -忧容,yōu róng,(literary) worried facial expression -忧心,yōu xīn,concerned; worried; disturbed; anxious -忧心忡忡,yōu xīn chōng chōng,deeply worried and sick at heart (idiom) -忧思,yōu sī,to be anxious and worried; agitated; pensive -忧悒,yōu yì,anxious; distressed; burdened with care -忧患,yōu huàn,suffering; misery; hardship -忧闷,yōu mèn,depressed; full of worries; feeling down -忧愁,yōu chóu,to be worried -忧虑,yōu lǜ,to worry; anxiety (about) -忧惧,yōu jù,apprehension; apprehensive -忧灼,yōu zhuó,worrying -忧苦以终,yōu kǔ yǐ zhōng,worried to death (idiom) -忧郁,yōu yù,sullen; depressed; melancholy; dejected -忧郁症,yōu yù zhèng,(psychology) depression -憩,qì,variant of 憩[qi4] -惫,bèi,exhausted -惫倦,bèi juàn,tired and sleepy; tipsy -惫懒,bèi lǎn,naughty; mischievous person -惫赖,bèi lài,naughty; cheeky -憋,biē,to choke; to stifle; to restrain; to hold back; to hold in (urine); to hold (one's breath) -憋不住,biē bu zhù,to be unable to repress sth; to be unable to contain oneself -憋尿,biē niào,to hold in one's pee; to hold back from urinating -憋屈,biē qū,sullen -憋闷,biē men,to feel oppressed; to be depressed; to feel dejected -憋气,biē qì,to hold one's breath; to feel suffocated (for lack of air); choked with bottled-up resentment -憋笑,biē xiào,to stifle a guffaw -憎,zēng,to detest -憎厌,zēng yàn,to loathe -憎恨,zēng hèn,to detest; hatred -憎恶,zēng è,to hate evil -憎恶,zēng wù,to loathe; to detest; to abhor -怜,lián,to pity -怜恤,lián xù,to take pity; to show compassion -怜悧,lián lì,see 伶俐[ling2li4] -怜惜,lián xī,to take pity on; to feel tenderness toward -怜爱,lián ài,to have tender affection for; to love tenderly; to pamper sb -怜悯,lián mǐn,to take pity on; pity; mercy -怜香惜玉,lián xiāng xī yù,"to have tender, protective feelings for the fairer sex (idiom)" -凭,píng,"to lean against; to rely on; on the basis of; no matter (how, what etc); proof" -凭什么,píng shén me,(spoken) why?; for which reason? -凭仗,píng zhàng,to rely on; to depend on -凭依,píng yī,to rely on; to base oneself on -凭信,píng xìn,to trust -凭倚,píng yǐ,to rely on -凭借,píng jiè,to rely on; to depend on; by means of; thanks to; sth that one relies on -凭单,píng dān,"bill of warrant (certificate, allowing one to collect money or valuables)" -凭吊,píng diào,to visit a place for the memories; to pay homage to (the deceased) -凭恃,píng shì,to depend on; to rely on -凭据,píng jù,evidence -凭本能做事,píng běn néng zuò shì,to follow one's nose -凭条,píng tiáo,paper docket confirming a transaction -凭栏,píng lán,to lean on a parapet -凭准,píng zhǔn,evidence (that one can rely on); grounds (for believing sth) -凭照,píng zhào,certificate; license -凭白无故,píng bái wú gù,variant of 平白無故|平白无故[ping2 bai2 wu2 gu4] -凭眺,píng tiào,to lean on sth and gaze into the distance -凭祥,píng xiáng,"Pingxiang, county-level city in Chongzuo 崇左[Chong2 zuo3], Guangxi" -凭祥市,píng xiáng shì,"Pingxiang, county-level city in Chongzuo 崇左[Chong2 zuo3], Guangxi" -凭票入场,píng piào rù chǎng,admission by ticket only -凭空,píng kōng,baseless (lie); without foundation -凭空捏造,píng kōng niē zào,fabrication relying on nothing (idiom); frame-up -凭着,píng zhe,relying on; on the basis of -凭藉,píng jiè,to rely on; to depend on; by means of; thanks to; sth that one relies on; also written 憑借|凭借[ping2 jie4] -凭证,píng zhèng,proof; certificate; receipt; voucher -凭轼结辙,píng shì jié zhé,to drive non-stop as fast as one can (idiom) -凭陵,píng líng,to ride roughshod over; to encroach -凭险,píng xiǎn,(to resist the enemy) relying on inaccessible territory -凭靠,píng kào,to use; to rely on; by means of -愦,kuì,confused; troubled -憔,qiáo,haggard -憔悴,qiáo cuì,wan and sallow; thin and pallid; haggard; (of plants) withered -惮,dàn,dread; fear; dislike -憝,duì,dislike; hate -愤,fèn,indignant; anger; resentment -愤世嫉俗,fèn shì jí sú,to be cynical; to be embittered -愤富,fèn fù,to hate the rich -愤怒,fèn nù,angry; indignant; wrath; ire -愤恨,fèn hèn,to hate; hatred; to resent; embittered -愤慨,fèn kǎi,to resent; resentment -愤愤,fèn fèn,extremely angry -愤愤不平,fèn fèn bù píng,to feel indignant; to feel aggrieved -愤懑,fèn mèn,depressed; resentful; discontented; indignant; perturbed -愤激,fèn jī,indignant; outraged -愤然,fèn rán,(literary) angry; irate -愤青,fèn qīng,angry youth – highly nationalistic young Chinese people (abbr. for 憤怒青年|愤怒青年[feng4 nu4 qing1 nian2]) (neologism c. 1970s) -憧,chōng,used in 憧憬[chong1jing3]; used in 憧憧[chong1chong1] -憧憧,chōng chōng,"(of light, shadows) swaying; moving about; dancing" -憧憬,chōng jǐng,to long for; to look forward to -憨,hān,silly; simple-minded; foolish; naive; sturdy; tough; heavy (of rope) -憨厚,hān hou,simple and honest; straightforward -憨子,hān zi,(dialect) simpleton; idiot; fool -憨实,hān shí,simple and honest -憨态,hān tài,naive and innocent look -憨态可掬,hān tài kě jū,"(of pandas, ducklings etc) adorable; cute" -憨直,hān zhí,honest and straightforward -憨豆先生,hān dòu xiān sheng,Mr. Bean (TV) -憩,qì,to rest -憩室炎,qì shì yán,diverticulitis -憩息处,qì xī chù,rest area -悯,mǐn,to sympathize; to pity; to feel compassion for; (literary) to feel sorrow; to be grieved -悯惜,mǐn xī,to feel compassion for -憬,jǐng,awaken -憬然,jǐng rán,to be aware; to be knowing -怃,wǔ,(literary) to have tender affection for; (literary) discouraged; disappointed; (literary) startled -宪,xiàn,statute; constitution -宪兵,xiàn bīng,military police -宪兵队,xiàn bīng duì,military police corps -宪制,xiàn zhì,system of constitutional government; (attributive) constitutional -宪政,xiàn zhèng,constitutional government -宪政主义,xiàn zhèng zhǔ yì,constitutionalism -宪法,xiàn fǎ,constitution (of a country); CL:部[bu4] -宪法法院,xiàn fǎ fǎ yuàn,Constitutional Court -宪法监护委员会,xiàn fǎ jiān hù wěi yuán huì,"Guardian Council, body of 12 appointed clerics which governs Iran" -宪章,xiàn zhāng,charter -宪章派,xiàn zhāng pài,the Chartist movement (in the 1840s in England) -忆,yì,to recollect; to remember; memory -忆苦思甜,yì kǔ sī tián,to view one's past as miserable and one's present as happy (idiom) -忆苦饭,yì kǔ fàn,unsavory meal taken in remembrance of past hardships; fig. poor-tasting meal -忆述,yì shù,to talk (or write) about one's recollections of past events -憷,chù,to be afraid -憷场,chù chǎng,to get stage fright -憷头,chù tóu,to be afraid to stick out -憾,hàn,regret (sense of loss or dissatisfaction) -憾事,hàn shì,a matter for regret; sth that is a (great) pity -憾恨,hàn hèn,resentful; hateful -懂,dǒng,to understand; to comprehend -懂事,dǒng shì,to grow beyond the naivete of childhood; to be aware of what is going on in the world; (esp. of a child) sensible; thoughtful; intelligent -懂局,dǒng jú,to know the business; to know the ropes; in the know; to know one's onions; professional; au fait -懂得,dǒng de,to understand; to know; to comprehend -懂眼,dǒng yǎn,(coll.) to know the ropes; an expert -懂行,dǒng háng,to know the ropes -懂门儿,dǒng mén er,one who knows his business; professional; expert; au fait -勤,qín,variant of 勤[qin2]; industrious; solicitous -恳,kěn,earnest -恳切,kěn qiè,earnest; sincere -恳求,kěn qiú,to beg; to beseech; to entreat; entreaty -恳请,kěn qǐng,to request earnestly -恳辞,kěn cí,to decline with sincere thanks -懈,xiè,lax; negligent -懈弛,xiè chí,slack (discipline) -懈怠,xiè dài,slack; lazy; remiss -懈惰,xiè duò,slack; idle -懈气,xiè qì,to slacken off; to take it easy -应,yīng,surname Ying; Taiwan pr. [Ying4] -应,yīng,to agree (to do sth); should; ought to; must; (legal) shall -应,yìng,to answer; to respond; to comply with; to deal or cope with -应仁之乱,yīng rén zhī luàn,Ōnin war 1467-1477 between factions of Ashikaga shogunate -应付,yìng fu,to deal with; to cope -应付自如,yìng fu zì rú,to handle matters with ease (idiom); to hold one's own -应付裕如,yìng fu yù rú,handling any occasion smoothly (idiom); equal to any situation -应付账款,yīng fù zhàng kuǎn,accounts payable -应允,yīng yǔn,to give one's assent; to consent; Taiwan pr. [ying4 yun3] -应分,yīng fèn,should be divided; part of the job; one's duty under the circumstances -应制,yìng zhì,to write a poem on the order of the Emperor -应力,yìng lì,stress (physics) -应力场,yìng lì chǎng,stress field -应卯,yìng mǎo,"to answer the roll call at 卯時|卯时[mao3 shi2], i.e. between 5 and 7 am; fig. to put in a conventional appearance" -应召,yìng zhào,to respond to a call -应召女郎,yìng zhào nǚ láng,call girl -应召站,yìng zhào zhàn,call girl center -应名,yīng míng,nominally; in name only -应名儿,yīng míng er,erhua variant of 應名|应名[ying1 ming2] -应和,yìng hè,to echo one another; to respond (in agreement) -应城,yìng chéng,"Yingcheng, county-level city in Xiaogan 孝感市[Xiao4 gan3 shi4], Hubei" -应城市,yìng chéng shì,"Yingcheng, county-level city in Xiaogan 孝感[Xiao4 gan3], Hubei" -应报,yìng bào,see 報應|报应[bao4 ying4] -应天承运,yìng tiān chéng yùn,lit. to respond to heaven and suit the times (idiom); to rule according to the will of heaven; the Divine Right of kings -应天顺时,yìng tiān shùn shí,lit. to respond to heaven and suit the times (idiom); to rule according to the will of heaven; the Divine Right of kings -应对,yìng duì,to answer; to reply; to handle; to deal with; response -应对如流,yìng duì rú liú,to respond fluently; to answer smartly -应届,yīng jiè,this year's; the current year's -应届毕业生,yīng jiè bì yè shēng,student graduating in the current year; recent graduate -应市,yìng shì,to respond to the market; to buy or sell according to market conditions -应得,yīng dé,to deserve -应从,yìng cóng,to assent; to comply with -应征,yìng zhēng,to apply (for a job); to reply to a job advertisement -应急,yìng jí,to respond to an emergency; to meet a contingency; (attributive) emergency -应急待命,yìng jí dài mìng,emergency standby; to be on standby -应急措施,yìng jí cuò shī,emergency measure -应急照射,yìng jí zhào shè,emergency exposure (nuclear energy) -应战,yìng zhàn,to take up a challenge; to face an attack and meet it -应手,yìng shǒu,to handle; convenient -应承,yìng chéng,to agree (to do sth); to promise -应采儿,yīng cǎi ér,"Cherrie Ying Choi-Yi (1983-), actress" -应接,yìng jiē,to attend to; to deal with -应接不暇,yìng jiē bù xiá,more than one can attend to (idiom); deluged (with inquiries etc); overwhelmed (by the beauty of the scenery) -应援,yìng yuán,(originally) to provide assistance; (more recently) to show one's support (for a singing idol etc) -应收,yīng shōu,(of a sum of money etc) receivable -应收账款,yīng shōu zhàng kuǎn,accounts receivable -应敌,yìng dí,to face the enemy; to meet an attack -应时,yìng shí,timely; occasional -应景,yìng jǐng,according with the times; seasonal -应景儿,yìng jǐng er,according with the times; seasonal -应有,yīng yǒu,"to deserve (attention, respect etc); should have (freedoms, rights etc)" -应有尽有,yīng yǒu jìn yǒu,everything that should be here is here (idiom); all one can think of is on hand; to have all one needs -应机立断,yìng jī lì duàn,to act on an opportunity (idiom); to take prompt advantage of a situation -应激,yìng jī,stress (abbr. for 應激反應|应激反应[ying4ji1 fan3ying4]) -应激反应,yìng jī fǎn yìng,(physiological etc) stress -应激性,yìng jī xìng,irritable; sensitive; excitable -应激源,yìng jī yuán,stressor -应用,yìng yòng,"to put to use; to apply; practical; applied (science, linguistics etc); application; practical use; (computing) app" -应用层,yìng yòng céng,application layer (computing) -应用平台,yìng yòng píng tái,application platform (computing) -应用数学,yìng yòng shù xué,applied mathematics -应用文,yìng yòng wén,"applied writing; writing for practical purposes (business letters, advertising etc)" -应用物理,yìng yòng wù lǐ,applied physics -应用科学,yìng yòng kē xué,applied science -应用程序,yìng yòng chéng xù,(computing) program; application -应用程序接口,yìng yòng chéng xù jiē kǒu,application programming interface (API) -应用程序编程接口,yìng yòng chéng xù biān chéng jiē kǒu,application programming interface (API) -应用程式,yìng yòng chéng shì,(Tw) (computing) program; application -应用程式介面,yìng yòng chéng shì jiè miàn,application programming interface (API) (Tw) -应用软件,yìng yòng ruǎn jiàn,application software -应用软体,yìng yòng ruǎn tǐ,application software -应当,yīng dāng,should; ought to -应答,yìng dá,to reply -应县,yìng xiàn,"Ying County in Shuozhou 朔州[Shuo4 zhou1], Shanxi" -应县木塔,yìng xiàn mù tǎ,"the timber pagoda of the Fogong Temple in Ying County, Shanxi, built in 1056 (Song dynasty)" -应考,yìng kǎo,to take an exam -应聘,yìng pìn,to accept a job offer; to apply for an advertised position -应聘者,yìng pìn zhě,person taking a job; job applicant; CL:位[wei4] -应声,yìng shēng,an answering voice; to answer a voice; to respond; to copy a voice; to parrot -应声虫,yìng shēng chóng,yes-man; opinionless person -应举,yìng jǔ,to sit for imperial examinations -应计,yīng jì,accrual (accounting) -应计基础,yīng jì jī chǔ,accruals basis (accounting) -应许,yīng xǔ,to promise; to allow -应许之地,yīng xǔ zhī dì,Promised Land -应诉,yìng sù,(of a defendant) to respond to a charge; to defend oneself -应诊,yìng zhěn,to see patients (of doctor); to hold a surgery -应诏,yìng zhào,to respond to an imperial decree -应试,yìng shì,to take an exam -应试教育,yìng shì jiào yù,exam-oriented education; teaching to the test -应该,yīng gāi,ought to; should; must -应该的,yīng gāi de,you're most welcome; sure thing!; I did what I was supposed to do -应诺,yìng nuò,to promise; to agree to do sth -应变,yìng biàn,to meet a contingency; to adapt oneself to changes -应变力,yìng biàn lì,adaptability; resourcefulness -应变数,yìng biàn shù,(math.) dependent variable -应变管理,yìng biàn guǎn lǐ,change management (business) -应运,yìng yùn,to conform with destiny; as the occasion demands -应运而生,yìng yùn ér shēng,to emerge to meet a historic destiny (idiom); to arise at an opportune time; able to take advantage of an opportunity; to rise to the occasion -应邀,yìng yāo,at sb's invitation; on invitation -应酬,yìng chou,to engage in social activities; to socialize; dinner party; banquet; social engagement -应门,yìng mén,to answer the door -应验,yìng yàn,to come true; to come about as predicted; to be fulfilled -应点,yìng diǎn,to act on one's word -懊,ào,to regret -懊丧,ào sàng,dejected; despondent; depressed -懊悔,ào huǐ,to feel remorse; to repent; to regret -懊恼,ào nǎo,annoyed; vexed; upset -懋,mào,to be hardworking; luxuriant; splendid -怿,yì,pleased; rejoice -懔,lǐn,fear -懞,méng,variant of 蒙[meng2] -怼,duǐ,(Internet slang) to attack verbally; to publicly criticize; to call out -怼,duì,dislike; hate -懑,mèn,melancholy -懑然,mèn rán,dejectedly -懦,nuò,(bound form) cowardly; faint-hearted -懦夫,nuò fū,coward -懦弱,nuò ruò,cowardly; weak -恹,yān,used in 懨懨|恹恹[yan1 yan1] -恹恹,yān yān,weak; worried; sickly; wan -懮,yǒu,grievous; relaxed -懮虑,yōu lǜ,(feel) anxiety; concern -惩,chéng,to punish; to reprimand; to warn -惩一儆百,chéng yī jǐng bǎi,lit. punish one to warn one hundred (idiom); fig. to make an example of sb -惩一警百,chéng yī jǐng bǎi,"lit. punish one, warn one hundred (idiom); fig. to make an example of sb; also written 懲一儆百|惩一儆百[cheng2 yi1 jing3 bai3]" -惩前毖后,chéng qián bì hòu,lit. to punish those before to prevent those after (idiom); to criticize former mistakes firmly to prevent them happening again -惩恶劝善,chéng è quàn shàn,see 懲惡揚善|惩恶扬善[cheng2 e4 yang2 shan4] -惩恶扬善,chéng è yáng shàn,to uphold virtue and condemn evil (idiom) -惩戒,chéng jiè,to discipline; reprimand -惩治,chéng zhì,to punish -惩罚,chéng fá,penalty; punishment; to punish -惩罚性,chéng fá xìng,punitive -惩处,chéng chǔ,to punish; to administer justice -惩办,chéng bàn,to punish (someone); to take disciplinary action against (someone) -懵,měng,stupid -懵懂,měng dǒng,confused; ignorant -懵懵懂懂,měng měng dǒng dǒng,confused; ignorant -懵逼,měng bī,(dialect) stupefied; dumbfounded -懒,lǎn,lazy -懒人,lǎn rén,lazy person -懒人包,lǎn rén bāo,"(Tw) (neologism c. 2007) information presented in easily assimilable form (digest, summary, infographic etc)" -懒人沙发,lǎn rén shā fā,beanbag -懒得,lǎn de,not to feel like (doing sth); disinclined to -懒得搭理,lǎn de dā lǐ,not wishing to acknowledge sb; unwilling to respond -懒怠,lǎn dài,lazy -懒惰,lǎn duò,idle; lazy -懒散,lǎn sǎn,indolent; negligent; slack -懒洋洋,lǎn yāng yāng,lazily -懒汉,lǎn hàn,idle fellow; lazybones -懒腰,lǎn yāo,a stretch (of one's body) -懒蛋,lǎn dàn,idler; sluggard -懒虫,lǎn chóng,(coll.) lazybones -懒猫,lǎn māo,drowsy or slow-moving cat; (fig.) a lazybones -懒办法,lǎn bàn fǎ,to loaf about; lazy; to hang around (and cause trouble to everyone) -懒驴上磨屎尿多,lǎn lǘ shàng mò shǐ niào duō,"(proverb) A lazy person will find many excuses to delay working; lit. When a lazy donkey is turning a grindstone, it takes a lot of time off for peeing and pooing" -懒骨头,lǎn gǔ tou,lazybones; beanbag -懒鬼,lǎn guǐ,lazybones; idle bum -怀,huái,surname Huai -怀,huái,bosom; heart; mind; to think of; to harbor in one's mind; to conceive (a child) -怀仁,huái rén,"Huairen county in Shuozhou 朔州[Shuo4 zhou1], Shanxi" -怀仁堂,huái rén táng,"Huairen Hall or Huairentang, a building inside Zhongnanhai 中南海[Zhong1 nan2 hai3], used as the main meeting place of the Politburo of the CCP" -怀仁县,huái rén xiàn,"Huairen county in Shuozhou 朔州[Shuo4 zhou1], Shanxi" -怀来,huái lái,"Huailai county in Zhangjiakou 張家口|张家口[Zhang1 jia1 kou3], Hebei" -怀来县,huái lái xiàn,"Huailai county in Zhangjiakou 張家口|张家口[Zhang1 jia1 kou3], Hebei" -怀俄明,huái é míng,"Wyoming, US state" -怀俄明州,huái é míng zhōu,"Wyoming, US state" -怀化,huái huà,Huaihua prefecture-level city in Hunan -怀化市,huái huà shì,Huaihua prefecture-level city in Hunan -怀化县,huái huà xiàn,"Huaihua county, Hunan" -怀古,huái gǔ,to recall the past; to cherish the memory of past events; to reminisce; nostalgic -怀妊,huái rèn,gestation; pregnancy -怀孕,huái yùn,pregnant; to have conceived; gestation; pregnancy -怀安,huái ān,"Huai'an county in Zhangjiakou 張家口|张家口[Zhang1 jia1 kou3], Hebei" -怀安县,huái ān xiàn,"Huai'an county in Zhangjiakou 張家口|张家口[Zhang1 jia1 kou3], Hebei" -怀宁,huái níng,"Huaining, a county in Anqing 安慶|安庆[An1qing4], Anhui" -怀宁县,huái níng xiàn,"Huaining, a county in Anqing 安慶|安庆[An1qing4], Anhui" -怀念,huái niàn,to cherish the memory of; to think of; to reminisce -怀恨,huái hèn,to feel hatred; to harbor a grudge -怀恨在心,huái hèn zài xīn,to harbor hard feelings -怀才不遇,huái cái bù yù,to have talent but no opportunity (idiom); to be an unrecognized talent -怀抱,huái bào,"to hug; to cherish; within the bosom (of the family); to embrace (also fig. an ideal, aspiration etc)" -怀春,huái chūn,(of girls) to yearn for love -怀有,huái yǒu,"to have in one's person (feelings, talent etc)" -怀柔,huái róu,"Huairou, a district of Beijing" -怀柔,huái róu,to conciliate; to appease -怀柔区,huái róu qū,"Huairou, a district of Beijing" -怀柔县,huái róu xiàn,"former Huairou county, now Huairou rural district of Beijing" -怀氏虎鸫,huái shì hǔ dōng,(bird species of China) White's thrush (Zoothera aurea) -怀炉,huái lú,hand warmer (fuel based) -怀特,huái tè,White (name) -怀特岛,huái tè dǎo,"Isle of Wight, island off the south coast of England" -怀璧其罪,huái bì qí zuì,lit. treasuring a jade ring becomes a crime (idiom); to get into trouble on account of a cherished item; fig. A person's talent will arouse the envy of others. -怀疑,huái yí,to doubt (sth); to be skeptical of; to have one's doubts; to harbor suspicions; to suspect that -怀疑派,huái yí pài,skeptical -怀疑者,huái yí zhě,skeptic; suspecter -怀禄,huái lù,to yearn for a high official position -怀胎,huái tāi,to become pregnant; to carry a child in the womb -怀旧,huái jiù,to feel nostalgic; nostalgia -怀旧感,huái jiù gǎn,feeling of nostalgia -怀里,huái lǐ,embrace; bosom -怀远,huái yuǎn,"Huaiyuan, a county in Bengbu 蚌埠[Beng4bu4], Anhui" -怀远县,huái yuǎn xiàn,"Huaiyuan, a county in Bengbu 蚌埠[Beng4bu4], Anhui" -怀乡,huái xiāng,homesick -怀表,huái biǎo,pocket watch -怀集,huái jí,"Huaiji county in Zhaoqing 肇慶|肇庆[Zhao4 qing4], Guangdong" -怀集县,huái jí xiàn,"Huaiji county in Zhaoqing 肇慶|肇庆[Zhao4 qing4], Guangdong" -悬,xuán,to hang or suspend; to worry; public announcement; unresolved; baseless; without foundation -悬停,xuán tíng,"to hover (helicopter, computer mouse etc)" -悬垂,xuán chuí,to hang down; to dangle; to be suspended -悬壶,xuán hú,(literary) to practice medicine; to work as a pharmacist -悬壶济世,xuán hú jì shì,practice medicine or pharmacy to help the people or public -悬岩,xuán yán,cliff -悬崖,xuán yá,precipice; overhanging cliff -悬崖勒马,xuán yá lè mǎ,lit. to rein in the horse at the edge of the precipice (idiom); fig. to act in the nick of time -悬崖峭壁,xuán yá qiào bì,sheer cliffs and precipitous rock faces (idiom) -悬崖绝壁,xuán yá jué bì,sheer cliffs and precipitous rock faces (idiom) -悬带,xuán dài,sling (for immobilizing an injured limb etc) -悬念,xuán niàn,"suspense in a movie, play etc; concern for sb's welfare" -悬挂,xuán guà,to suspend; to hang; (vehicle) suspension -悬挂式滑翔,xuán guà shì huá xiáng,hang-gliding -悬挂式滑翔机,xuán guà shì huá xiáng jī,hang-glider -悬揣,xuán chuǎi,to speculate; to conjecture -悬案,xuán àn,unresolved question; unresolved case -悬梁刺股,xuán liáng cì gǔ,"to study assiduously and tirelessly (idiom); see also 頭懸梁,錐刺股|头悬梁,锥刺股[tou2 xuan2 liang2 , zhui1 ci4 gu3]" -悬殊,xuán shū,vastly different; poles apart -悬河,xuán hé,"""hanging"" river (an embanked one whose riverbed is higher than the surrounding floodplain); (literary) waterfall; cataract; (fig.) torrent of words" -悬浮,xuán fú,to float (in the air etc); suspension -悬浮微粒,xuán fú wēi lì,particulates; particulate matter -悬浮物,xuán fú wù,suspended matter -悬疑,xuán yí,suspense -悬荡,xuán dàng,to hang suspended; to dangle; (fig.) to be in limbo; to be in a state of uncertainty -悬空,xuán kōng,to hang in the air; suspended in midair; (fig.) uncertain -悬空寺,xuán kōng sì,Xuankong Temple or Suspended Temple near Yanyuan in Shanxi -悬索桥,xuán suǒ qiáo,suspension bridge -悬羊头卖狗肉,xuán yáng tóu mài gǒu ròu,see 掛羊頭賣狗肉|挂羊头卖狗肉[gua4 yang2 tou2 mai4 gou3 rou4] -悬而未决,xuán ér wèi jué,pending a decision; hanging in the balance -悬臂,xuán bì,cantilever -悬赏,xuán shǎng,to offer a reward; bounty -悬赏令,xuán shǎng lìng,an order to post a reward (for the capture of a criminal) -悬雍垂,xuán yōng chuí,uvula (biology) -忏,chàn,"(bound form) to feel remorse; (bound form) scripture read to atone for sb's sins (from Sanskrit ""ksama"")" -忏悔,chàn huǐ,to repent; (religion) to confess -惧,jù,to fear -惧内,jù nèi,henpecked -惧怕,jù pà,to be afraid -惧高症,jù gāo zhèng,acrophobia -欢,huān,variant of 歡|欢[huan1] -慑,shè,afraid; be feared; to fear; to frighten; to intimidate -慑服,shè fú,to overawe; to be scared into submission -懿,yì,(literary) exemplary; virtuous -懿旨,yì zhǐ,an imperial decree -懿亲,yì qīn,(formal) close kin; closest relative -恋,liàn,to feel attached to; to long for; to love -恋人,liàn rén,lover; sweetheart -恋家,liàn jiā,home-loving; to feel a strong attachment to home life; to begrudge being away from home -恋尸癖,liàn shī pǐ,necrophilia -恋念,liàn niàn,to have a sentimental attachment to (a place); to miss (one's ancestral home etc); to be nostalgic about -恋情,liàn qíng,romantic love -恋爱,liàn ài,"(romantic) love; CL:個|个[ge4],場|场[chang3]; in love; to have an affair" -恋慕,liàn mù,to be enamored of; to have tender feelings for; to be sentimentally attached to (a person or place) -恋恋,liàn liàn,"reluctant (to leave, to let go etc)" -恋恋不舍,liàn liàn bù shě,reluctant to part -恋战,liàn zhàn,to zealously continue fighting -恋栈,liàn zhàn,to be reluctant to give up a post -恋歌,liàn gē,love song -恋母情结,liàn mǔ qíng jié,Oedipus complex -恋父情结,liàn fù qíng jié,Electra complex -恋物,liàn wù,(sexual) fetishism -恋物狂,liàn wù kuáng,(sexual) fetishism -恋物癖,liàn wù pǐ,(sexual) fetishism -恋童犯,liàn tóng fàn,pedophile -恋童癖,liàn tóng pǐ,pedophilia -恋综,liàn zōng,dating reality show (abbr. for 戀愛綜藝節目|恋爱综艺节目[lian4 ai4 zong1 yi4 jie2 mu4]) -恋脚癖,liàn jiǎo pǐ,foot fetish -恋脚癖者,liàn jiǎo pǐ zhě,foot fetishist -恋旧,liàn jiù,see 懷舊|怀旧[huai2 jiu4] -恋旧情结,liàn jiù qíng jié,dwelling on the past; difficulty in adapting to changes -恋足癖,liàn zú pǐ,foot fetish -戆,gàng,stupid (Wu dialect) -戆,zhuàng,simple; honest -戆督,gàng dū,"stupid, ignorant (Wu dialect)" -戆头戆脑,gàng tóu gàng nǎo,stupid (Wu dialect) -戈,gē,surname Ge -戈,gē,dagger-axe; abbr. for 戈瑞[ge1 rui4]; (Tw) abbr. for 戈雷[ge1 lei2] -戈培尔,gē péi ěr,"Joseph Goebbels (1897-1945), German Nazi leader and politician" -戈壁,gē bì,Gobi (desert) -戈壁沙漠,gē bì shā mò,Gobi Desert -戈壁滩,gē bì tān,Gobi desert -戈壁荒滩,gē bì huāng tān,barren sands of the Gobi desert -戈德斯通,gē dé sī tōng,Goldstone (name) -戈斯拉尔,gē sī lā ěr,"Goslar, Germany" -戈比,gē bǐ,"kopeck (unit of money, one hundredth of ruble) (loanword)" -戈氏金丝燕,gē shì jīn sī yàn,(bird species of China) Germain's swiftlet (Aerodramus germani) -戈尔,gē ěr,"Gore (name); Al Gore (1948-), US vice-president 1993-2001 under Bill Clinton, subsequently environmental campaigner and Nobel Peace laureate" -戈尔巴乔夫,gē ěr bā qiáo fū,"Gorbachev; Mikhail Sergeyevich Gorbachev (1931-2022), last president of the Soviet Union 1991-1995" -戈瑞,gē ruì,gray (unit of absorbed dose of ionizing radiation) (loanword) -戈船,gē chuán,armed vessel (of ancient times) -戈兰高地,gē lán gāo dì,Golan Heights -戈雷,gē léi,gray (unit of absorbed dose of ionizing radiation) (loanword) (Tw) -戉,yuè,variant of 鉞|钺[yue4] -戊,wù,"fifth of the ten Heavenly Stems 十天干[shi2 tian1 gan1]; fifth in order; letter ""E"" or Roman ""V"" in list ""A, B, C"", or ""I, II, III"" etc; penta" -戊五醇,wù wǔ chún,xylitol; also written 木糖醇[mu4 tang2 chun2] -戊午,wù wǔ,"fifty-fifth year E7 of the 60 year cycle, e.g. 1978 or 2038" -戊唑醇,wù zuò chún,tebuconazole (antifungal agent) -戊型肝炎,wù xíng gān yán,hepatitis E -戊子,wù zǐ,"twenty-fifth year E1 of the 60 year cycle, e.g. 2008 or 2068" -戊寅,wù yín,"fifteenth year E3 of the 60 year cycle, e.g. 1998 or 2058" -戊巴比妥钠,wù bā bǐ tuǒ nà,pentasorbital sodium (a sedative) -戊戌,wù xū,"thirty-fifth year E11 of the 60 year cycle, e.g. 1958 or 2018" -戊戌六君子,wù xū liù jūn zǐ,"the Six Gentlemen Martyrs of the failed reform movement of 1898, executed in its aftermath, namely: Tan Sitong 譚嗣同|谭嗣同[Tan2 Si4 tong2], Lin Xu 林旭[Lin2 Xu4], Yang Shenxiu 楊深秀|杨深秀[Yang2 Shen1 xiu4], Liu Guangdi 劉光第|刘光第[Liu2 Guang1 di4], Kang Guangren 康廣仁|康广仁[Kang1 Guang3 ren2] and Yang Rui 楊銳|杨锐[Yang2 Rui4]" -戊戌政变,wù xū zhèng biàn,coup by Dowager Empress Cixi 慈禧太后[Ci2 xi3 tai4 hou4] ending the 1898 attempt to reform the Qing dynasty -戊戌维新,wù xū wéi xīn,"Hundred Days Reform (1898), failed attempt to reform the Qing dynasty" -戊戌变法,wù xū biàn fǎ,"Hundred Days Reform (1898), failed attempt to reform the Qing dynasty" -戊申,wù shēn,"forty-fifth year E9 of the 60 year cycle, e.g. 1968 or 2028" -戊糖,wù táng,"pentose (CH2O)5, monosaccharide with five carbon atoms, such as ribose 核糖[he2 tang2]" -戊辰,wù chén,"fifth year E5 of the 60 year cycle, e.g. 1988 or 2048" -戊醇,wù chún,amyl alcohol -戌,qu,used in 屈戌兒|屈戌儿[qu1 qu5 r5] -戌,xū,"11th earthly branch: 7-9 p.m., 9th solar month (8th October-6th November), year of the Dog; ancient Chinese compass point: 300°" -戌时,xū shí,7-9 pm -戌狗,xū gǒu,"Year 11, year of the Dog (e.g. 2006)" -戍,shù,garrison -戍卒,shù zú,garrison soldier -戍守,shù shǒu,to guard -戍角,shù jiǎo,garrison trumpet call -戍边,shù biān,to garrison the border; to guard the frontier; exile to a border garrison post -戎,róng,surname Rong -戎,róng,generic term for weapons (old); army (matters); military affairs -戎事,róng shì,military affairs -戎事倥偬,róng shì kǒng zǒng,a time of military urgency; war crisis -戎机,róng jī,opportunity for a fight; war -戎甲,róng jiǎ,weapons and armor -戎羯,róng jié,ancient ethnic groups in northwestern China -戎行,róng háng,troops; military affairs -戎衣,róng yī,military uniform -戎装,róng zhuāng,martial attire -戎车,róng chē,military vehicle -戎马,róng mǎ,warhorse; armed forces; troops; (fig.) war; warfare -戎马生涯,róng mǎ shēng yá,army life (idiom); the experience of war -成,chéng,surname Cheng -成,chéng,to succeed; to finish; to complete; to accomplish; to become; to turn into; to be all right; OK!; one tenth -成丁,chéng dīng,(of a male) to come of age; an adult male -成不了气候,chéng bu liǎo qì hòu,won't get far; unlikely to be successful -成串,chéng chuàn,"to be lined up (like a chain of islands, a string of pearls etc); to form a cluster (like a bunch of grapes); to come one after the other (like a series of sighs)" -成了,chéng le,to be done; to be ready; that's enough!; that will do! -成事,chéng shì,to accomplish the objective; to succeed -成交,chéng jiāo,to complete a contract; to reach a deal -成交价,chéng jiāo jià,sale price; negotiated price; price reached at auction -成人,chéng rén,to reach adulthood; an adult -成人向,chéng rén xiàng,suitable for adults -成人礼,chéng rén lǐ,coming of age ceremony -成仁,chéng rén,to die for a good cause -成仙,chéng xiān,(Taoism) to become an immortal -成份,chéng fèn,composition; make-up; ingredient; element; component; one's social status; same as 成分 -成份股,chéng fèn gǔ,share included in composite index -成何体统,chéng hé tǐ tǒng,What a scandal!; Whatever next? -成佛,chéng fó,to become a Buddha; to attain enlightenment -成例,chéng lì,an established precedent; a convention -成倍,chéng bèi,twofold; manyfold; exponentially -成像,chéng xiàng,to form an image; imaging -成全,chéng quán,to help sb accomplish his aim; to help sb succeed; to complete; to make whole; to round off -成分,chéng fèn,composition; ingredient; element; component; one's social status -成功,chéng gōng,"Chenggong or Chengkung town in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan" -成功,chéng gōng,to succeed; success; successful; fruitful -成功感,chéng gōng gǎn,sense of accomplishment -成功镇,chéng gōng zhèn,"Chenggong or Chengkung town in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan" -成化,chéng huà,"Chenghua, reign title of the eighth Ming emperor (reigned 1465-1487)" -成千,chéng qiān,thousands -成千上万,chéng qiān shàng wàn,lit. by the thousands and tens of thousands (idiom); untold numbers; innumerable; thousands upon thousands -成千成万,chéng qiān chéng wàn,lit. by the thousands and tens of thousands (idiom); untold numbers; innumerable; thousands upon thousands -成千累万,chéng qiān lěi wàn,lit. by the thousands and tens of thousands (idiom); untold numbers; innumerable; thousands upon thousands -成反比,chéng fǎn bǐ,to vary inversely; inversely proportional to -成吉思汗,chéng jí sī hán,"Genghis Khan (1162-1227), founder and ruler of the Mongol Empire" -成名,chéng míng,to make one's name; to become famous -成名作,chéng míng zuò,"seminal work that propels a writer (or artist, composer etc) to fame" -成品,chéng pǐn,finished goods; a finished product -成品油,chéng pǐn yóu,refined oil -成员,chéng yuán,member -成员国,chéng yuán guó,member country -成问题,chéng wèn tí,to be a problem; problematic; questionable -成器,chéng qì,to make sth of oneself; to become a person who is worthy of respect -成因,chéng yīn,cause; factor; cause of formation -成圈,chéng quān,"to form a circle, ring or loop" -成均馆,chéng jūn guǎn,"Koryo Seonggyungwan, university dating back to Korean Goryeo dynasty, in Gaesong, North Korea; Sungkyun kwan university, Seoul" -成型,chéng xíng,to become shaped; to become formed -成报,chéng bào,Sing Pao Daily News -成夜,chéng yè,all night long -成天,chéng tiān,(coll.) all day long; all the time -成套,chéng tào,forming a complete set; complementing one another -成婚,chéng hūn,to get married -成安,chéng ān,"Chang'an county in Handan 邯鄲|邯郸[Han2 dan1], Hebei" -成安县,chéng ān xiàn,"Chang'an county in Handan 邯鄲|邯郸[Han2 dan1], Hebei" -成家,chéng jiā,to settle down and get married (of a man); to become a recognized expert -成家立室,chéng jiā lì shì,to get married (idiom) -成家立业,chéng jiā lì yè,to get married and start a career (idiom); to settle down; to establish oneself -成实宗,chéng shí zōng,Satyasiddhi school of Buddhism -成对,chéng duì,to form a pair -成就,chéng jiù,accomplishment; success; achievement; CL:個|个[ge4]; to achieve (a result); to create; to bring about -成就感,chéng jiù gǎn,sense of achievement -成层,chéng céng,layered; stratified -成年,chéng nián,to grow to adulthood; fully grown; adult; the whole year -成年人,chéng nián rén,adult person -成年累月,chéng nián lěi yuè,"year in, year out (idiom)" -成年者,chéng nián zhě,adult -成形,chéng xíng,to take shape; shaping; forming -成心,chéng xīn,intentionally; deliberately; on purpose -成性,chéng xìng,to become second nature; by nature -成才,chéng cái,to make sth of oneself; to become a person who is worthy of respect -成批,chéng pī,in batches; in bulk -成效,chéng xiào,effect; result -成败,chéng bài,success or failure -成败利钝,chéng bài lì dùn,"succeed or fail, sharp or blunt (idiom); advantages and disadvantages; success and failure; You win some, you lose some." -成败在此一举,chéng bài zài cǐ yī jǔ,"win or lose, it all ends here; this is the moment to shine" -成败得失,chéng bài dé shī,"lit. success and failure, the gains and losses (idiom); fig. to weigh up various factors" -成败论人,chéng bài lùn rén,to judge people based on their success or failure (idiom) -成教,chéng jiào,"adult education, abbr. for 成人教育[cheng2 ren2 jiao4 yu4]" -成文,chéng wén,written; statutory -成文法,chéng wén fǎ,statute -成方儿,chéng fāng er,set prescription (i.e. medicine specifically prescribed for a definite condition) -成日,chéng rì,all day long; the whole day; the whole time -成书,chéng shū,to finish (writing a book); to appear in book form; a book already in circulation -成本,chéng běn,"(manufacturing, production etc) costs" -成材,chéng cái,to make sth of oneself; to become a person who is worthy of respect; (of a tree) to grow to full size; to become useful for timber -成果,chéng guǒ,result; achievement; gain; profit; CL:個|个[ge4] -成核,chéng hé,nucleation -成样,chéng yàng,seemly; presentable -成样子,chéng yàng zi,seemly; presentable -成武,chéng wǔ,"Chengwu county in Heze 菏澤|菏泽[He2 ze2], Shandong" -成武县,chéng wǔ xiàn,"Chengwu county in Heze 菏澤|菏泽[He2 ze2], Shandong" -成活,chéng huó,to survive -成活率,chéng huó lǜ,survival rate; rate of success -成渝,chéng yú,Chengdu 成都 and Chongqing 重慶|重庆 -成汉,chéng hàn,Cheng Han of the Sixteen Kingdoms (304-347) -成灾,chéng zāi,disastrous; to turn into a disaster -成为,chéng wéi,to become; to turn into -成熟,chéng shú,mature; ripe; to mature; to ripen; Taiwan pr. [cheng2shou2] -成熟分裂,chéng shú fēn liè,meiosis (in sexual reproduction) -成片,chéng piàn,(of a large number of things) to form an expanse; to cover an area -成王败寇,chéng wáng bài kòu,"see 成則為王,敗則為寇|成则为王,败则为寇[cheng2 ze2 wei2 wang2 , bai4 ze2 wei2 kou4]" -成田,chéng tián,Narita (Japanese surname and place name) -成田机场,chéng tián jī chǎng,Narita Airport (Tokyo) -成瘾,chéng yǐn,to be addicted; addiction -成瘾性,chéng yǐn xìng,addictiveness -成百上千,chéng bǎi shàng qiān,hundreds; a large number; lit. by the hundreds and thousands -成真,chéng zhēn,to come true -成立,chéng lì,to establish; to set up; to be tenable; to hold water -成章,chéng zhāng,to form a coherent composition -成竹在胸,chéng zhú zài xiōng,see 胸有成竹[xiong1you3cheng2zhu2] -成精,chéng jīng,"(of an animal or tree etc) to become a spirit or goblin; (fig.) to be amazingly skillful, smart or evil etc" -成组,chéng zǔ,to make up (out of components) -成县,chéng xiàn,"Cheng county in Longnan 隴南|陇南[Long3 nan2], Gansu" -成绩,chéng jì,"achievement; performance records; grades; CL:項|项[xiang4],個|个[ge4]" -成绩卓然,chéng jì zhuó rán,to achieve astounding results (idiom) -成绩单,chéng jì dān,school report or transcript -成群,chéng qún,in groups; large numbers of; grouping -成群结队,chéng qún jié duì,"making up a group, forming a troupe (idiom); in large numbers; as a large crowd" -成考移民,chéng kǎo yí mín,mandatory college exam for immigrants -成圣,chéng shèng,(Christianity) to be sanctified; to become holy -成色,chéng sè,relative purity of silver or gold; purity in carat weight; quality; fineness -成华,chéng huá,"Chenghua district of Chengdu city 成都市[Cheng2 du1 shi4], Sichuan" -成华区,chéng huá qū,"Chenghua district of Chengdu city 成都市[Cheng2 du1 shi4], Sichuan" -成药,chéng yào,patent medicine; medicine already made up -成蛹,chéng yǒng,to pupate; to become a chrysalis -成虫,chéng chóng,"imago (adult, sexually mature insect, the final stage of its development)" -成行,chéng xíng,to embark on a journey -成衣,chéng yī,ready-made clothes -成见,chéng jiàn,preconceived idea; bias; prejudice -成规,chéng guī,established rules; the beaten track -成亲,chéng qīn,to get married -成话,chéng huà,to make sense -成语,chéng yǔ,"Chinese set expression, typically of 4 characters, often alluding to a story or historical quotation; idiom; proverb; saying; adage; CL:條|条[tiao2],本[ben3],句[ju4]" -成语典故,chéng yǔ diǎn gù,historical or literary anecdote that gives rise to a saying -成语接龙,chéng yǔ jiē lóng,game where the last word of one idiom 成語|成语[cheng2 yu3] is the first of the next -成说,chéng shuō,accepted theory or formulation -成象,chéng xiàng,to form an image; to call to mind -成军,chéng jūn,"lit. to form an army; to set up (team, group, band, organization etc); to found; opening (ceremony); to commission (arms system, naval vessel); to graduate from an apprenticeship" -成道,chéng dào,to reach illumination (Buddhism) -成都,chéng dū,Chengdu subprovincial city and capital of Sichuan province 四川 in southwest China -成都市,chéng dū shì,Chengdu subprovincial city and capital of Sichuan province 四川 in southwest China -成都体育大学,chéng dū tǐ yù dà xué,Chengdu Sports University -成长,chéng zhǎng,to mature; to grow; growth -成长型思维,chéng zhǎng xíng sī wéi,growth mindset -成长率,chéng zhǎng lǜ,growth rate -成双作对,chéng shuāng zuò duì,see 成雙成對|成双成对[cheng2 shuang1 cheng2 dui4] -成双成对,chéng shuāng chéng duì,to form pairs; to be in couples -成风,chéng fēng,to become a common practice; to become a trend -成骨,chéng gǔ,bone formation; osteogenesis -成骨不全症,chéng gǔ bù quán zhèng,osteogenesis imperfecta (OI); brittle bone disease -成体,chéng tǐ,adult; fully formed; developed -成龙,chéng lóng,"Jackie Chan (1954-), kungfu film and Cantopop star" -成龙,chéng lóng,to succeed in life; to become somebody -我,wǒ,I; me; my -我也是醉了,wǒ yě shì zuì le,(Internet slang) I can't even...; Are you kidding me!; OMG! -我人,wǒ rén,we -我们,wǒ men,we; us; ourselves; our -我勒个去,wǒ lè ge qù,(slang) shoot!; crap! -我去,wǒ qù,(slang) what the ...!; oh my god!; that's insane! -我司,wǒ sī,"our company (used in business correspondence, contracts etc) (abbr. for 我方公司[wo3 fang1 gong1 si1])" -我国,wǒ guó,our country; China -我操,wǒ cào,(substitute for 我肏[wo3 cao4]) fuck; WTF -我方,wǒ fāng,our side; we -我曹,wǒ cáo,(archaic) we; us; (Internet slang) (substitute for 我肏[wo3 cao4]) fuck; WTF -我的世界,wǒ de shì jiè,Minecraft (video game) -我等,wǒ děng,we; us (archaic) -我行我素,wǒ xíng wǒ sù,to continue in one's own way (idiom) -我辈,wǒ bèi,(literary) we; us -我这个人,wǒ zhè ge rén,me personally; the sort of person I am -我这儿,wǒ zhe er,where I am; my place -我醉欲眠,wǒ zuì yù mián,lit. I'm drunk and would like to sleep (idiom); (used to indicate one's sincere and straightforward nature) -我靠,wǒ kào,bosh!; crap!; see also 哇靠[wa1 kao4] -戒,jiè,to guard against; to exhort; to admonish or warn; to give up or stop doing sth; Buddhist monastic discipline; ring (for a finger) -戒备,jiè bèi,to take precautions; to guard against (emergency) -戒备森严,jiè bèi sēn yán,heavily-guarded -戒刀,jiè dāo,Buddhist monk's knife (not used for killing) -戒命,jiè mìng,prohibition -戒严,jiè yán,to impose martial law; to impose emergency measures -戒严令,jiè yán lìng,martial law -戒严区,jiè yán qū,restricted area; zone of application of the martial law -戒坛,jiè tán,ordination platform in a Buddhist temple -戒奢崇俭,jiè shē chóng jiǎn,(idiom) to refrain from extravagance and cherish frugality -戒子,jiè zi,(finger) ring -戒律,jiè lǜ,monastic discipline; commandment -戒心,jiè xīn,vigilance; wariness -戒忌,jiè jì,a taboo; to avoid sth (as taboo) -戒慎,jiè shèn,vigilant; cautious -戒惧,jiè jù,wary -戒指,jiè zhi,(finger) ring -戒断,jiè duàn,"to quit (taking drugs, alcohol etc); withdrawal" -戒条,jiè tiáo,commandment; precept -戒毒,jiè dú,to kick a drug habit; to abstain from drugs -戒毒所,jiè dú suǒ,drug rehabilitation center -戒治所,jiè zhì suǒ,drug rehabilitation center -戒烟,jiè yān,to give up smoking -戒牒,jiè dié,Buddhist or Taoist ordination certificate issued by monastic authorities -戒绝,jiè jué,abstinence; to give up (a bad habit) -戒行,jiè xíng,(Buddhism) to adhere strictly to the ethical precepts; asceticism -戒规,jiè guī,religious precept; taboo; rule -戒酒,jiè jiǔ,to give up drinking; to abstain from drinking -戒除,jiè chú,to quit; to give up (a bad habit) -戒骄戒躁,jiè jiāo jiè zào,to guard against pride and impatience (idiom); to remain modest and keep cool -戋,jiān,narrow; small -戋戋,jiān jiān,small; tiny -戕,qiāng,to kill; to injure; Taiwan pr. [qiang2] -戕害,qiāng hài,to injure -或,huò,maybe; perhaps; might; possibly; or -或多或少,huò duō huò shǎo,more or less -或将,huò jiāng,will perhaps; may (in the future) -或是,huò shì,or; either one or the other -或然,huò rán,probable -或然率,huò rán lǜ,probability (math.) -或称,huò chēng,also called; also known as; a.k.a. -或缺,huò quē,to lack; to do without -或者,huò zhě,or; possibly; maybe; perhaps -或许,huò xǔ,perhaps; maybe -或门,huò mén,OR gate (electronics) -或体,huò tǐ,variant Chinese character; alternative form of a Chinese character -戚,qī,surname Qi -戚,qī,relatives; kin; grief; sorrow; battle-axe -戚友,qī yǒu,relatives and friends -戚属,qī shǔ,relative; family member; dependent -戚戚,qī qī,intimate; closely related; sorrowful; distressed -戚族,qī zú,family members; fellow clansman -戚继光,qī jì guāng,"Qi Jiguang (1528-1588), military leader" -戚谊,qī yì,relation; close friendship -戛,jiá,lance; to tap; to scrape; to chirp; custom -戛戛,jiá jiá,difficult; challenging; original -戛戛独造,jiá jiá dú zào,creative; original -戛然,jiá rán,(literary) to stop abruptly (of a sound); to be loud and clear -戛然而止,jiá rán ér zhǐ,with a grunting sound it stops (idiom); to come to an end spontaneously (esp. of sound) -戛纳,gā nà,Cannes (France) -戛,jiá,variant of 戛[jia2] -戟,jǐ,halberd; long-handled weapon with pointed tip and crescent blade; combined spear and battle-ax -戠,zhí,to gather; old variant of 埴[zhi2] -戡,kān,kill; suppress -戢,jí,surname Ji -戢,jí,to restrain oneself; to collect; to hoard; to store up; to cease -戤,gài,infringe upon a trade mark -戥,děng,small steelyard for weighing money -戗,qiāng,contrary; pushing against; bump; knock; used as equivalent for 搶|抢[qiang1] -戗风,qiāng fēng,a headwind; a contrary wind -戬,jiǎn,carry to the utmost; to cut -截,jié,to cut off (a length); to stop; to intercept; section; chunk; length -截停,jié tíng,to intercept (a vehicle etc) -截取,jié qǔ,to cut off a section of sth -截图,jié tú,(computing) screenshot; to take a screenshot -截塔,jié tǎ,zeta (Greek letter Ζζ) -截夺,jié duó,intercept -截尾,jié wěi,to dock; to trim (esp. the tail of an animal) -截屏,jié píng,(computing) screenshot; to take a screenshot -截拳道,jié quán dào,"Jeet Kun Do or Way of the Intercepting Fist, a fusion of Eastern and Western martial arts led by Bruce Lee 李小龍|李小龙[Li3 Xiao3 long2]" -截击,jié jī,to intercept (military) -截断,jié duàn,"to break or cut in two; to sever; to cut off; (fig.) to cut off (a conversation, a flow etc); to interrupt; (math.) to truncate" -截止,jié zhǐ,to end; to close; (electricity) cut-off -截止到,jié zhǐ dào,(before an expression indicating a point of time) up to (that point); as of (that time) -截止日,jié zhǐ rì,deadline; cut-off date -截止期限,jié zhǐ qī xiàn,deadline -截止至,jié zhǐ zhì,(before an expression indicating a point of time) up to (that point); as of (that time) -截然,jié rán,sharply; distinctly; radically -截然不同,jié rán bù tóng,entirely different; different as black and white -截获,jié huò,to intercept; to cut off and capture -截瘫,jié tān,paraplegia; paralysis -截稿,jié gǎo,(of a newspaper) to stop accepting incoming articles -截线,jié xiàn,intersecting line -截肢,jié zhī,amputation (medicine); to amputate -截至,jié zhì,up to (a time); by (a time) -截距,jié jù,intercept (the point at which a line crosses the x- or y-axis) -截长补短,jié cháng bǔ duǎn,take from the long to supplement the short (idiom); to offset each other's deficiencies; to complement each other -截面,jié miàn,section; cross-section -戮,lù,to kill -戮力同心,lù lì tóng xīn,concerted efforts in a common cause (idiom); united and working together -戏,xì,variant of 戲|戏[xi4] -战,zhàn,to fight; fight; war; battle -战乱,zhàn luàn,chaos of war -战事,zhàn shì,war; hostilities; fighting -战俘,zhàn fú,prisoner of war -战备,zhàn bèi,war preparation -战兢,zhàn jīng,to tremble; to be on guard -战兢兢,zhàn jīng jīng,shaking with fear -战列舰,zhàn liè jiàn,battleship -战利品,zhàn lì pǐn,spoils of war -战力,zhàn lì,military strength; military power; military capability -战功,zhàn gōng,outstanding military service -战胜,zhàn shèng,to prevail over; to defeat; to surmount -战区,zhàn qū,war zone; combat zone; (military) theater of operations -战友,zhàn yǒu,comrade-in-arms; battle companion -战国,zhàn guó,the Warring States period (475-221 BC) -战国七雄,zhàn guó qī xióng,"Seven Powerful States of the Warring States, namely: 齊|齐[Qi2], 楚[Chu3], 燕[Yan1], 韓|韩[Han2], 趙|赵[Zhao4], 魏[Wei4] and 秦[Qin2]" -战国时代,zhàn guó shí dài,the Warring States period (475-221 BC); Japanese Warring States period (15th-17th century) -战国末,zhàn guó mò,"late Warring States period, c. 250-221 BC before the First Emperor's Qin Dynasty" -战国末年,zhàn guó mò nián,"late Warring States period, c. 250-221 BC before the First Emperor's Qin Dynasty" -战国策,zhàn guó cè,"""Strategies of the Warring States"", chronicle of the Warring States Period (475-220 BC), possibly written by Su Qin 蘇秦|苏秦[Su1 Qin2]" -战团,zhàn tuán,"fighting group; by extension, a fight; a fray" -战地,zhàn dì,battlefield -战场,zhàn chǎng,battlefield; CL:個|个[ge4] -战壕,zhàn háo,trench; entrenchment -战壕热,zhàn háo rè,trench fever -战士,zhàn shì,fighter; soldier; warrior; CL:個|个[ge4] -战局,zhàn jú,war situation -战役,zhàn yì,military campaign -战后,zhàn hòu,after the war; postwar -战栗,zhàn lì,to tremble; shudder -战战兢兢,zhàn zhàn jīng jīng,trembling with fear; with fear and trepidation -战战栗栗,zhàn zhàn lì lì,to tremble with fear -战抖,zhàn dǒu,to shudder; to tremble -战败,zhàn bài,to lose a war -战斗部,zhàn dòu bù,warhead -战斧,zhàn fǔ,battle-ax -战旗,zhàn qí,a war flag; an army banner -战时,zhàn shí,wartime -战书,zhàn shū,written war challenge -战机,zhàn jī,opportunity in a battle; fighter aircraft; war secret -战死沙场,zhàn sǐ shā chǎng,to die in battle (idiom) -战况,zhàn kuàng,battlefield situation; battle progress -战法,zhàn fǎ,military strategy -战火,zhàn huǒ,the flames of war -战火纷飞,zhàn huǒ fēn fēi,fire of war everywhere (idiom); enveloped in the flames of war -战无不胜,zhàn wú bù shèng,(idiom) all-conquering; invincible -战争,zhàn zhēng,"war; conflict; CL:場|场[chang2],次[ci4]" -战争罪,zhàn zhēng zuì,war crime -战争与和平,zhàn zhēng yǔ hé píng,War and Peace by Tolstoy 托爾斯泰|托尔斯泰 -战犯,zhàn fàn,war criminal -战略,zhàn lüè,strategy -战略伙伴,zhàn lüè huǒ bàn,strategic partner -战略夥伴,zhàn lüè huǒ bàn,variant of 戰略伙伴|战略伙伴[zhan4 lu:e4 huo3 ban4] -战略家,zhàn lüè jiā,a strategist -战略性,zhàn lüè xìng,strategic -战略核力量,zhàn lüè hé lì liang,strategic nuclear force -战略核武器,zhàn lüè hé wǔ qì,strategic nuclear weapon -战略要点,zhàn lüè yào diǎn,strategic point -战略轰炸机,zhàn lüè hōng zhà jī,strategic bomber -战略防御倡议,zhàn lüè fáng yù chàng yì,strategic defense initiative (SDI) -战祸,zhàn huò,disastrous conflict; bloody warfare -战线,zhàn xiàn,battle line; battlefront; front -战绩,zhàn jì,military successes; (fig.) successes in a competition -战船,zhàn chuán,warship -战舰,zhàn jiàn,battleship; warship -战术,zhàn shù,tactics -战术导弹,zhàn shù dǎo dàn,tactical missile -战术核武器,zhàn shù hé wǔ qì,tactical nuclear weapons -战袍,zhàn páo,(old) combat robe; soldier's uniform; (sports) team jersey; team shirt -战车,zhàn chē,war chariot; tank -战酣,zhàn hān,(literary) at the height of the battle -战马,zhàn mǎ,warhorse -战斗,zhàn dòu,"to fight; to engage in combat; struggle; battle; CL:場|场[chang2],次[ci4]" -战斗力,zhàn dòu lì,fighting strength -战斗机,zhàn dòu jī,fighter (aircraft) -战斗营,zhàn dòu yíng,boot camp -战斗群,zhàn dòu qún,battle group; naval formation headed by an aircraft carrier -战斗者,zhàn dòu zhě,fighter -战斗舰,zhàn dòu jiàn,battleship -戏,xì,"trick; drama; play; show; CL:齣|出[chu1],場|场[chang3],臺|台[tai2]" -戏份,xì fèn,scene (in a movie etc); one's part in a movie or play; (archaic) actor's payment -戏仿,xì fǎng,a parody; to parody -戏侮,xì wǔ,to insult -戏偶,xì ǒu,glove puppet; CL:尊[zun1] -戏剧,xì jù,a drama; a play; theater; script of a play -戏剧化,xì jù huà,theatrical -戏剧化人格违常,xì jù huà rén gé wéi cháng,histrionic personality disorder (HPD) -戏剧家,xì jù jiā,dramatist; playwright -戏剧性,xì jù xìng,dramatic -戏子,xì zi,(derog.) opera singer; actor -戏弄,xì nòng,to play tricks on; to make fun of; to tease -戏曲,xì qǔ,Chinese opera -戏法,xì fǎ,magic trick -戏眼,xì yǎn,the best part (of a play etc) -戏码,xì mǎ,item (on a program) -戏票,xì piào,(theater etc) ticket -戏称,xì chēng,to jokingly call; jocular appellation -戏精,xì jīng,(neologism c. 2017) melodramatic person; drama queen -戏耍,xì shuǎ,to amuse oneself; to play with; to tease -戏台,xì tái,stage -戏言,xì yán,joking matter; to go back on one's words -戏词,xì cí,actor's lines (in theater) -戏说,xì shuō,dramatic form consisting of historical narration; history as jocular narrative; to stretch history for a joking story; amusing story with strained interpretations of history; to make an unreasonable comparison in jest -戏说剧,xì shuō jù,period costume drama (on TV) -戏谑,xì xuè,to banter; to crack jokes; to ridicule -戏院,xì yuàn,theater -戳,chuō,to jab; to poke; to stab; (coll.) to sprain; to blunt; to fuck (vulgar); to stand; to stand (sth) upright; stamp; seal -戳不住,chuō bu zhù,not up to it; cannot stand the test -戳份儿,chuō fèn er,to flaunt -戳个儿,chuō gè er,physique -戳儿,chuō er,stamp; seal -戳刺感,chuō cì gǎn,pins and needles (in muscle); paresthesia -戳力,chuō lì,to work toward; to endeavor; an attempt -戳咕,chuō gū,to stir up behind sb's back; to incite secretly -戳壁脚,chuō bì jiǎo,to criticize behind sb's back; back-biting -戳子,chuō zi,stamp; seal -戳得住,chuō de zhù,up to it; can stand the test -戳心灌髓,chuō xīn guàn suǐ,sarcasm -戳搭,chuō dā,to knock; to jab -戳痛点,chuō tòng diǎn,to touch a nerve -戳破,chuō pò,to puncture; to pierce; (fig.) to destroy (the facade concealing an unpleasant reality) -戳祸,chuō huò,to stir up trouble -戳穿,chuō chuān,to puncture; to lay bear or expose (lies etc) -戳穿试验,chuō chuān shì yàn,puncture test -戳脊梁,chuō jǐ liang,to criticize behind sb's back; back-biting -戳脊梁骨,chuō jǐ liang gǔ,to criticize behind sb's back; back-biting -戳记,chuō jì,stamp; seal -戴,dài,surname Dai -戴,dài,"to put on or wear (glasses, hat, gloves etc); to respect; to bear; to support" -戴上,dài shang,to put on (hat etc) -戴克里先,dài kè lǐ xiān,"Diocletian (c. 245-311), Roman emperor" -戴胜,dài shèng,(bird species of China) Eurasian hoopoe (Upupa epops) -戴名世,dài míng shì,"Dai Mingshi (1653-1713), early Qing writer" -戴套,dài tào,to wear a condom -戴奥辛,dài ào xīn,"dioxin, carcinogenic heterocyclic hydrocarbon (esp. Taiwan usage)" -戴孝,dài xiào,to wear mourning garb; to be in mourning -戴安娜,dài ān nà,Diana (name) -戴安娜王妃,dài ān nà wáng fēi,"Diana, Princess of Wales (1961-1997)" -戴帽子,dài mào zi,to wear a hat; (fig.) to stigmatize; to be branded as -戴月披星,dài yuè pī xīng,see 披星戴月[pi1 xing1 dai4 yue4] -戴有色眼镜,dài yǒu sè yǎn jìng,to wear colored glasses; to have a prejudiced viewpoint -戴尔,dài ěr,Dell -戴盆望天,dài pén wàng tiān,lit. viewing the sky with a basin on one's head; it is hard to get a clear view of the sky while carrying a platter on one's head; fig. it is hard to get on in one's career while encumbered by family obligations; one can't perform a major task while bothered by other duties -戴秉国,dài bǐng guó,"Dai Bingguo (1941-), a Chinese politician and professional diplomat" -戴绿帽子,dài lǜ mào zi,"to have been cheated on by one's partner (formerly meant ""to be a cuckold"", i.e. applied to men only)" -戴绿头巾,dài lǜ tóu jīn,see 戴綠帽子|戴绿帽子[dai4 lu:4 mao4 zi5] -戴维,dài wéi,Davy; Davey; Davie; David -戴维斯,dài wéi sī,Davis or Davies (name) -戴维斯杯,dài wéi sī bēi,Davis Cup (international tennis team competition) -戴维营,dài wéi yíng,Camp David -戴菊,dài jú,(bird species of China) goldcrest (Regulus regulus) -戴菊鸟,dài jú niǎo,kinglet; bird of Regulus genus -戴表,dài biǎo,to wear a watch; homophone for 代表[dai4 biao3] used to avoid Internet censorship in the PRC -戴高帽子,dài gāo mào zi,(coll.) to be the object of flattery; to be placed on a pedestal -戴高乐,dài gāo lè,"Charles De Gaulle (1890-1970), French general and politician, leader of the Free French during World War II and president of the Republic 1959-1969" -户,hù,a household; door; family -户主,hù zhǔ,head of the household -户内,hù nèi,indoors; within the home -户口,hù kǒu,population (counted as number of households for census or taxation); registered residence; residence permit; (in Hong Kong and Macau) bank account -户口制,hù kǒu zhì,PRC system of compulsory registration of households -户口制度,hù kǒu zhì dù,PRC system of compulsory registration -户口名簿,hù kǒu míng bù,(Tw) household registration certificate (identity document) -户口本,hù kǒu běn,household register; household registration booklet; residence certificate -户口簿,hù kǒu bù,household register -户告人晓,hù gào rén xiǎo,to make known to every household (idiom); to disseminate widely; to shout from the rooftops -户均,hù jūn,household average -户型,hù xíng,configuration of rooms in a residence (e.g. 3BR 2 Bath) -户外,hù wài,outdoor -户枢不蠹,hù shū bù dù,lit. a door hinge never becomes worm-eaten; constant activity prevents decay (idiom) -户牖,hù yǒu,door and window; the home -户籍,hù jí,census register; household register -户县,hù xiàn,"Hu county in Xi'an 西安[Xi1 an1], Shaanxi" -户部,hù bù,Ministry of Revenue in imperial China -户部尚书,hù bù shàng shū,Minister of Revenue (from the Han dynasty onwards) -户限,hù xiàn,threshold -户限为穿,hù xiàn wéi chuān,to have an endless stream of visitors (idiom) -户头,hù tóu,bank account; CL:個|个[ge4] -厄,è,variant of 厄[e4] -卯,mǎo,old variant of 卯[mao3] -戽,hù,water bucket for irrigation -戽斗,hù dǒu,bailing bucket (tool for irrigating fields); protruding lower jaw -戽水,hù shuǐ,to draw water for irrigation (manually or with a water wheel) -戾,lì,to bend; to violate; to go against; ruthless and tyrannical -戾气,lì qì,evil tendencies; vicious currents; antisocial behavior -戾龙,lì lóng,"mythical evil serpent; evil dragon in Western mythology, cf Revelations 14:12" -房,fáng,surname Fang -房,fáng,house; room; CL:間|间[jian1]; branch of an extended family; classifier for family members (or concubines) -房下,fáng xià,(old) one's wife -房中房,fáng zhōng fáng,room constructed within an existing room; self-contained living area within a house or apartment -房主,fáng zhǔ,landlord; house owner -房事,fáng shì,sexual intercourse; to make love -房仲,fáng zhòng,real estate agent (Tw) -房价,fáng jià,house price; cost of housing -房劳,fáng láo,deficiency of kidney essence due to sexual excess (TCM) -房卡,fáng kǎ,room card (in a hotel) -房地产,fáng dì chǎn,real estate -房地美,fáng dì měi,"Freddie Mac, US mortgage company; formerly Federal Home Loan Mortgage Corp." -房型,fáng xíng,see 戶型|户型[hu4 xing2] -房契,fáng qì,"deed (for a house); CL:張|张[zhang1],份[fen4]" -房奴,fáng nú,a slave to one's mortgage -房子,fáng zi,"house; building (single- or two-story); apartment; room; CL:棟|栋[dong4],幢[zhuang4],座[zuo4],套[tao4],間|间[jian1]" -房客,fáng kè,tenant -房室,fáng shì,room -房屋,fáng wū,"house; building; CL:所[suo3],套[tao4]" -房屋中介,fáng wū zhōng jiè,housing agent; real estate agent -房山,fáng shān,"Fangshan, a district of Beijing" -房山区,fáng shān qū,"Fangshan, a district of Beijing" -房市,fáng shì,real estate market -房东,fáng dōng,landlord -房檐,fáng yán,eaves -房牙,fáng yá,real estate agent (old) -房牙子,fáng yá zi,real estate agent (old) -房玄龄,fáng xuán líng,"Fang Xuanling (579-648), Tang dynasty historian, compiler of History of Jin dynasty 晉書|晋书[Jin4 shu1]" -房产,fáng chǎn,real estate; the property market (e.g. houses) -房产中介,fáng chǎn zhōng jiè,real estate agent -房产证,fáng chǎn zhèng,title deeds; certificate of property ownership -房租,fáng zū,rent for a room or house -房县,fáng xiàn,"Fang county in Shiyan 十堰[Shi2 yan4], Hubei" -房舍,fáng shè,house; building -房舱,fáng cāng,(ship's) cabin -房贷,fáng dài,home loan -房费,fáng fèi,room charge -房车,fáng chē,recreational vehicle -房钱,fáng qián,charges for a room; house rental -房门,fáng mén,door of a room -房间,fáng jiān,"room; CL:間|间[jian1],個|个[ge4]" -房顶,fáng dǐng,housetop; roof -房颤,fáng chàn,atrial fibrillation (abbr. for 心房顫動|心房颤动[xin1 fang2 chan4 dong4]) -房魔,fáng mó,"""housing devil"", real estate developer or realtor accused of manipulating the property market in their favor" -所,suǒ,"actually; place; classifier for houses, small buildings, institutions etc; that which; particle introducing a relative clause or passive; CL:個|个[ge4]" -所以,suǒ yǐ,therefore; as a result; so; the reason why -所以然,suǒ yǐ rán,the reason why -所作所为,suǒ zuò suǒ wéi,one's conduct and deeds -所到之处,suǒ dào zhī chù,wherever one goes -所剩无几,suǒ shèng wú jǐ,there is not much left -所向披靡,suǒ xiàng pī mǐ,(idiom) to sweep everything before one; to be invincible -所向无敌,suǒ xiàng wú dí,to be invincible; unrivalled -所在,suǒ zài,place; location; (after a noun) place where it is located -所在地,suǒ zài dì,location; site -所多,suǒ duō,Soto -所多玛,suǒ duō mǎ,Sodom -所多玛与蛾摩拉,suǒ duō mǎ yǔ é mó lā,Sodom and Gomorrah -所居,suǒ jū,residence; dwelling; dwelling place -所属,suǒ shǔ,one's affiliation (i.e. the organization one is affiliated with); subordinate (i.e. those subordinate to oneself); belonging to; affiliated; under one's command -所属单位,suǒ shǔ dān wèi,affiliated unit; subsidiary -所幸,suǒ xìng,fortunately (formal writing) -所得,suǒ dé,what one acquires; one's gains -所得税,suǒ dé shuì,income tax -所思,suǒ sī,what one thinks; person or thing that is on one's mind -所指,suǒ zhǐ,the objects indicated; as pointed out -所料,suǒ liào,one's expectation; what one anticipates -所有,suǒ yǒu,all; to have; to possess; to own -所有主,suǒ yǒu zhǔ,owner; proprietor -所有制,suǒ yǒu zhì,ownership of the means of production (in Marxism); system of ownership -所有格,suǒ yǒu gé,possessive case (grammar) -所有权,suǒ yǒu quán,ownership; possession; property rights; title (to property) -所有物,suǒ yǒu wù,a possession; belongings -所有者,suǒ yǒu zhě,proprietor; owner -所为,suǒ wéi,what one does; doings -所生,suǒ shēng,parents (father and mother) -所知,suǒ zhī,known; what one knows -所罗巴伯,suǒ luó bā bó,Zerubbabel (son of Shealtiel) -所罗门,suǒ luó mén,Solomon (name) -所罗门群岛,suǒ luó mén qún dǎo,Solomon Islands in southwest Pacific -所闻,suǒ wén,heard; what one hears -所能,suǒ néng,according to one's capabilities; what sb is capable of -所致,suǒ zhì,to be caused by -所见,suǒ jiàn,(literary) what one sees; (literary) opinion; view -所见即所得,suǒ jiàn jí suǒ dé,What you see is what you get (WYSIWYG) -所见所闻,suǒ jiàn suǒ wén,what one hears and sees (idiom) -所言不虚,suǒ yán bù xū,see 所言非虛|所言非虚[suo3 yan2 fei1 xu1] -所言非虚,suǒ yán fēi xū,"(after a pronoun or name) what (you, they etc) say is true" -所谓,suǒ wèi,so-called; what is called -所部,suǒ bù,troops under one's command -所长,suǒ cháng,what one is good at -所长,suǒ zhǎng,head of an institute etc -所需,suǒ xū,necessary (for); required -所愿,suǒ yuàn,wished-for; desired -扁,piān,surname Pian -扁,biǎn,flat; (coll.) to beat (sb) up; old variant of 匾[bian3] -扁,piān,(bound form) small -扁嘴海雀,biǎn zuǐ hǎi què,(bird species of China) ancient murrelet (Synthliboramphus antiquus) -扁圆,biǎn yuán,oblate -扁坯,biǎn pī,slab -扁平,biǎn píng,flat; planar -扁平足,biǎn píng zú,flat feet -扁形动物,biǎn xíng dòng wù,flatworm; phylum of Platyhelminthes -扁担,biǎn dan,carrying pole; shoulder pole; CL:根[gen1] -扁担星,biǎn dan xīng,Altair and its two adjacent stars -扁桃,biǎn táo,almond tree; almond; flat peach -扁桃腺,biǎn táo xiàn,tonsil -扁桃腺炎,biǎn táo xiàn yán,tonsillitis -扁桃体,biǎn táo tǐ,tonsil -扁桃体炎,biǎn táo tǐ yán,tonsillitis -扁穴,biǎn xué,tonsil; now written 扁桃體|扁桃体[bian3 tao2 ti3] -扁舟,piān zhōu,(literary) small boat; skiff -扁虱,biǎn shī,tick (zoology) -扁虫,biǎn chóng,flatworm -扁豆,biǎn dòu,hyacinth bean; haricot -扁锹形虫,biǎn qiāo xíng chóng,giant stag beetle (Dorcus titanus) -扁额,biǎn é,variant of 匾額|匾额[bian3 e2] -扁食,biǎn shi,"(dialect) Chinese-style dumpling (such as wonton, jiaozi etc)" -扁骨,biǎn gǔ,flat bone -扁鹊,biǎn què,"秦越人[Qin2 Yue4 ren2] (407-310 BC), Warring States physician known for his medical skills, nicknamed Bian Que after the earliest known Chinese physician allegedly from the 黃帝|黄帝[Huang2 di4] era" -扂,diàn,door latch -扂楔,diàn xiē,door latch -扃,jiōng,(literary) to shut or bolt a door; door -扆,yǐ,surname Yi -扆,yǐ,screen -扇,shān,to fan; to slap sb on the face -扇,shàn,"fan; sliding, hinged or detachable flat part of sth; classifier for doors, windows etc" -扇动,shān dòng,to fan; to flap; to incite; to instigate (a strike etc) -扇区,shàn qū,disk sector (computing) -扇子,shàn zi,fan; CL:把[ba3] -扇尾沙锥,shān wěi shā zhuī,(bird species of China) common snipe (Gallinago gallinago) -扇形,shàn xíng,circular sector -扇贝,shàn bèi,scallop (genus Pecten) -扇面琴,shān miàn qín,"same as yangqin 揚琴|扬琴, dulcimer" -扇风,shān fēng,to fan oneself; to fan (sb) -扇风耳朵,shān fēng ěr duo,protruding ears -扈,hù,surname Hu -扈,hù,retinue -扉,fēi,door with only one leaf -扉画,fēi huà,frontpage picture -扉页,fēi yè,title page; flyleaf; end paper -手,shǒu,"hand; (formal) to hold; person engaged in certain types of work; person skilled in certain types of work; personal(ly); convenient; classifier for skill; CL:雙|双[shuang1],隻|只[zhi1]" -手下,shǒu xià,under one's control or administration; subordinates; (money etc) on hand; sb's financial means; when taking action -手下留情,shǒu xià liú qíng,lit. start off leniently (idiom); please do not be too strict with me; Do not judge me too harshly.; Look favorably on my humble efforts. -手不释卷,shǒu bù shì juàn,lit. always with a book in hand (idiom); fig. (of a student or scholar) diligent and hardworking -手交,shǒu jiāo,handjob; manual stimulation -手倒立,shǒu dào lì,handstand -手册,shǒu cè,manual; handbook -手刀,shǒu dāo,"hand formed into a flat shape, as for a karate chop" -手刃,shǒu rèn,to kill with one's own hand -手到拈来,shǒu dào niān lái,lit. to stretch a hand and grab it (idiom); fig. easy to do -手到擒来,shǒu dào qín lái,stretch a hand and grab it (idiom); very easy -手刹,shǒu shā,handbrake -手刹车,shǒu shā chē,handbrake -手劲,shǒu jìn,grip strength; hand strength -手动,shǒu dòng,manual; manually operated; manual gear-change -手动挡,shǒu dòng dǎng,manual gear change; shift stick -手动变速器,shǒu dòng biàn sù qì,manual gearbox; manual transmission -手势,shǒu shì,gesture; sign; signal -手包,shǒu bāo,handbag -手印,shǒu yìn,handprint; fingerprint; thumbprint -手卷,shǒu juǎn,temaki (a nori cone filled with sushi) -手卷,shǒu juàn,hand scroll -手套,shǒu tào,"glove; mitten; CL:雙|双[shuang1],隻|只[zhi1]" -手套箱,shǒu tào xiāng,glove compartment (of a car); glovebox (sealed compartment with attached gloves for handling hazardous materials etc) -手定,shǒu dìng,to set down (rules); to institute -手写,shǒu xiě,to write by hand -手写识别,shǒu xiě shí bié,handwriting recognition -手写体,shǒu xiě tǐ,handwritten form; cursive -手工,shǒu gōng,handwork; manual -手工业,shǒu gōng yè,handicraft -手工台,shǒu gōng tái,workbench -手工艺,shǒu gōng yì,handicraft; arts and crafts -手巧,shǒu qiǎo,to be skillful with one's hands; to be manually adroit -手巾,shǒu jīn,hand towel; handkerchief -手帕,shǒu pà,handkerchief; CL:方[fang1] -手帐,shǒu zhàng,notebook; pocket diary -手式,shǒu shì,gesture; sign; signal -手影,shǒu yǐng,hand shadow drama -手心,shǒu xīn,palm (of one's hand); control (extended meaning from having something in the palm of one's hand) -手心手背都是肉,shǒu xīn shǒu bèi dōu shì ròu,lit. both the palm and the back of the hand are made of flesh (idiom); fig. to both be of equal importance; to value both equally -手忙脚乱,shǒu máng jiǎo luàn,to act with confusion; to be in a flurry; to be flustered -手性,shǒu xìng,chiral; chirality (chemistry) -手感,shǒu gǎn,the feel (of sth touched with the hand); (textiles) handle -手扳葫芦,shǒu bān hú lu,lever hoist pulley -手抄本,shǒu chāo běn,manuscript copy of a book (before the printing press) -手把,shǒu bà,handle -手抓羊肉,shǒu zhuā yáng ròu,"hand-held mutton (mutton pieces on the bone, eaten with the fingers)" -手抓饭,shǒu zhuā fàn,"pilaf (rice dish popular in many parts of the world, including Xinjiang); pilau" -手抓饼,shǒu zhuā bǐng,"fluffy, flaky pancake (made with dough, not batter)" -手拉手,shǒu lā shǒu,to join hands; hand in hand -手拉葫芦,shǒu lā hú lu,hand chain pulley block -手拉车,shǒu lā chē,cart -手拿,shǒu ná,to hold in one's hand -手拿包,shǒu ná bāo,clutch bag -手指,shǒu zhǐ,"finger; CL:個|个[ge4],隻|只[zhi1]" -手指头,shǒu zhǐ tou,fingertip; finger -手卷,shǒu juǎn,variant of 手卷[shou3juan3] -手掌,shǒu zhǎng,palm -手掌心,shǒu zhǎng xīn,see 手心[shou3 xin1] -手排,shǒu pái,manual transmission -手掣,shǒu chè,handbrake; game controller (Cantonese) -手控,shǒu kòng,manual control -手推车,shǒu tuī chē,trolley; cart; barrow; handcart; wheelbarrow; baby buggy -手提,shǒu tí,portable -手提包,shǒu tí bāo,(hand)bag; hold-all -手提箱,shǒu tí xiāng,suitcase -手提电脑,shǒu tí diàn nǎo,portable computer -手摇,shǒu yáo,hand-cranked -手摇柄,shǒu yáo bǐng,hand crank -手摇风琴,shǒu yáo fēng qín,hand organ; hurdy-gurdy -手摇饮料,shǒu yáo yǐn liào,hand-mixed drink (of the kind sold at a bubble tea shop) -手搭凉棚,shǒu dā liáng péng,to shade one's eyes with one's hand -手书,shǒu shū,to write personally; personal letter -手札,shǒu zhá,(literary) personal letter -手杖,shǒu zhàng,cane; CL:把[ba3] -手板葫芦,shǒu bǎn hú lu,lever pulley block -手柄,shǒu bǐng,handle; video game controller -手榴弹,shǒu liú dàn,hand grenade -手枪,shǒu qiāng,pistol; CL:把[ba3] -手机,shǒu jī,"cell phone; mobile phone; CL:部[bu4],支[zhi1]" -手机条码,shǒu jī tiáo mǎ,"(Tw) a barcode presented at checkout, used to electronically save the receipt 統一發票|统一发票[tong3 yi1 fa1 piao4] to the customer’s cloud account" -手机壳,shǒu jī ké,cell phone case -手欠,shǒu qiàn,(coll.) prone to touch things one should keep one's hands off of -手残,shǒu cán,(coll.) klutz -手段,shǒu duàn,method; way; means (of doing sth); skill; ability; trick; wile -手气,shǒu qì,luck (in gambling) -手法,shǒu fǎ,technique; trick; skill -手活,shǒu huó,manipulation (e.g. ball handling in sport); hand job -手淫,shǒu yín,to masturbate; masturbation -手滑,shǒu huá,to do sth by mistake (with one's hand); to make a slip of the hand (e.g. click the wrong button) -手无寸铁,shǒu wú cùn tiě,lit. not an inch of steel (idiom); unarmed and defenseless -手无缚鸡之力,shǒu wú fù jī zhī lì,lit. lacking the strength even to truss a chicken (idiom); fig. weak; unaccustomed to physical work -手牵手,shǒu qiān shǒu,hand in hand -手球,shǒu qiú,team handball -手环,shǒu huán,wristband; bracelet -手用,shǒu yòng,hand-used; hand (tool) -手痒,shǒu yǎng,(fig.) to itch (to do sth) -手相,shǒu xiàng,palmistry; features of a palm (in palmistry) -手眼协调,shǒu yǎn xié tiáo,hand-eye coordination -手稿,shǒu gǎo,manuscript; script -手章,shǒu zhāng,private seal; stamp inked on the back of one's hand (used to prove that one has paid to enter a venue etc) -手笔,shǒu bǐ,"sth written or painted in one's own hand; (of a writer, calligrapher or painter) skill; style; hand; (fig.) style shown in spending money, handling business etc; scale" -手筋,shǒu jīn,"flexor tendon (coll.); tesuji (a skillful move in the game of Go) (orthographic borrowing from Japanese 手筋 ""tesuji"")" -手纸,shǒu zhǐ,toilet paper -手绢,shǒu juàn,"handkerchief; CL:張|张[zhang1],塊|块[kuai4]" -手紧,shǒu jǐn,tightfisted; stingy; short of money; hard up -手缝,shǒu féng,to sew by hand; hand-sewn -手绘,shǒu huì,to paint by hand; to draw by hand; hand-painted; hand-drawn -手续,shǒu xù,"procedure; CL:道[dao4],個|个[ge4]; formalities" -手续费,shǒu xù fèi,service charge; processing fee; commission -手肘,shǒu zhǒu,elbow -手背,shǒu bèi,back of the hand -手脖子,shǒu bó zi,wrist (dialect) -手腕,shǒu wàn,wrist; trickery; finesse; ability; skill -手腕子,shǒu wàn zi,wrist -手腕式,shǒu wàn shì,"wrist- (watch, compass)" -手脚,shǒu jiǎo,hand and foot; movement of limbs; action; trick; step in a procedure (CL:道[dao4]) -手脚不干净,shǒu jiǎo bù gān jìng,thieving; light-fingered; prone to stealing -手臂,shǒu bì,arm; helper -手自一体,shǒu zì yī tǐ,manumatic -手举,shǒu jǔ,a salute; hands raised -手舞足蹈,shǒu wǔ zú dǎo,lit. to move one's hands and feet about (idiom); fig. to dance about; to express one's feelings in body language; to gesture animatedly; (TCM) involuntary movements of the limbs -手艺,shǒu yì,craftmanship; workmanship; handicraft; trade -手术,shǒu shù,(surgical) operation; surgery; CL:個|个[ge4] -手术室,shǒu shù shì,operating room -手术台,shǒu shù tái,operating table -手里,shǒu lǐ,in hand; (a situation is) in sb's hands -手里剑,shǒu lǐ jiàn,straight or circular throwing-knife used by ninja and samurai (loanword from Japanese 手裏剣 shuriken) -手制,shǒu zhì,to make by hand; handmade -手记,shǒu jì,to take notes; one's notes -手语,shǒu yǔ,sign language -手贱,shǒu jiàn,(coll.) prone to touch things one should keep one's hands off of -手足,shǒu zú,"hands and feet; (fig.) brothers; retinue, henchmen, accomplices" -手足之情,shǒu zú zhī qíng,brotherly affection -手足口病,shǒu zú kǒu bìng,"hand foot and mouth disease, HFMD, caused by a number of intestinal viruses, usually affecting young children" -手足口症,shǒu zú kǒu zhèng,"human hand foot and mouth disease, a viral infection" -手足无措,shǒu zú wú cuò,at a loss to know what to do (idiom); bewildered -手足亲情,shǒu zú qīn qíng,brotherly kindness -手迹,shǒu jì,sb's original handwriting or painting -手软,shǒu ruǎn,to be lenient; to relent; to be reluctant to make a hard decision; to think twice -手办,shǒu bàn,garage kit; action figure; model figure -手游,shǒu yóu,mobile game; abbr. for 手機遊戲|手机游戏 -手边,shǒu biān,on hand; at hand -手铐,shǒu kào,manacles; handcuffs -手锯,shǒu jù,handsaw -手锤,shǒu chuí,mallet; drumstick -手表,shǒu biǎo,"wristwatch; CL:塊|块[kuai4],隻|只[zhi1],個|个[ge4]" -手链,shǒu liàn,chain bracelet; CL:條|条[tiao2] -手镯,shǒu zhuó,bracelet -手钻,shǒu zuàn,gimlet; hand drill -手闸,shǒu zhá,handbrake -手雷,shǒu léi,grenade -手电,shǒu diàn,flashlight; torch -手电筒,shǒu diàn tǒng,flashlight; electric hand torch -手头,shǒu tóu,on hand; at hand; one's financial situation -手头现金,shǒu tóu xiàn jīn,cash in hand -手头紧,shǒu tóu jǐn,short of money; hard up -手颈,shǒu jǐng,(dialect) wrist -手风琴,shǒu fēng qín,accordion -手松,shǒu sōng,liberal with one's money; free-spending -扌,shǒu,"""hand"" radical in Chinese characters (Kangxi radical 64), occurring in 提, 把, 打 etc" -才,cái,ability; talent; sb of a certain type; a capable individual; then and only then; just now; (before an expression of quantity) only -才不,cái bù,by no means; definitely not; as if!; yeah right! -才兼文武,cái jiān wén wǔ,talent in both military and civil field (idiom) -才分,cái fèn,ability; talent; gift -才女,cái nǚ,talented girl -才子,cái zǐ,gifted scholar -才子佳人,cái zǐ jiā rén,"lit. gifted scholar, beautiful lady (idiom); fig. pair of ideal lovers" -才学,cái xué,talent and learning; scholarship -才干,cái gàn,ability; competence -才德,cái dé,talent and virtue -才思,cái sī,imaginative power; creativeness -才怪,cái guài,it'd be a wonder if... (following a verb phrase that is usually negative) -才智,cái zhì,ability and wisdom -才气,cái qì,talent (usually literary or artistic) -才气过人,cái qì guò rén,an outstanding talent (idiom); surpassing insight and acumen -才略,cái lüè,ability and sagacity -才疏学浅,cái shū xué qiǎn,"(humble expr.) of humble talent and shallow learning (idiom); Pray forgive my ignorance,..." -才能,cái néng,talent; ability; capacity -才华,cái huá,talent; CL:份[fen4] -才华出众,cái huá chū zhòng,outstanding talent (idiom); incomparable artistic merit -才华横溢,cái huá héng yì,brimming over with talent (esp. literary); brilliant -才华盖世,cái huá gài shì,peerless talent (idiom); incomparable artistic merit -才艺,cái yì,talent -才艺技能,cái yì jì néng,talent -才艺秀,cái yì xiù,talent show -才识,cái shí,ability and insight -才识过人,cái shí guò rén,an outstanding talent (idiom); surpassing insight and acumen -才貌双全,cái mào shuāng quán,talented and good-looking (idiom) -才高八斗,cái gāo bā dǒu,of great talent (idiom) -扎,zhā,"to prick; to run or stick (a needle etc) into; mug or jug used for serving beer (loanword from ""jar"")" -扎,zhá,used in 掙扎|挣扎[zheng1 zha2] -扎伊尔,zhā yī ěr,Zaire -扎住,zhā zhù,to stop; Taiwan pr. [zha3 zhu4] -扎克伯格,zhā kè bó gé,"Mark Zuckerberg (1984-), American computer programer, co-founder and CEO of Facebook" -扎啤,zhā pí,draft beer -扎囊,zā náng,"Zhanang county, Tibetan: Gra nang rdzong, in Lhokha prefecture 山南地區|山南地区[Shan1 nan2 di4 qu1], Tibet" -扎囊县,zā náng xiàn,"Zhanang county, Tibetan: Gra nang rdzong, in Lhokha prefecture 山南地區|山南地区[Shan1 nan2 di4 qu1], Tibet" -扎堆,zhā duī,to gather together -扎实,zhā shi,strong; solid; sturdy; firm; practical -扎实推进,zhā shi tuī jìn,solid progress -扎带,zā dài,cable tie -扎心,zhā xīn,heartrending; deeply distressing -扎扎,zhā zhā,(onom.) crunch (of marching feet etc) -扎扎实实,zhā zha shí shí,firm; solid; reliable; real; practical -扎根,zhā gēn,to take root -扎格罗斯,zā gé luó sī,Zagros mountains of southwest Iran -扎格罗斯山脉,zā gé luó sī shān mài,Zagros mountains of southwest Iran -扎款,zhā kuǎn,to obtain money; to earn money (slang) -扎尔达里,zā ěr dá lǐ,"Asif Ali Zardari (1956-), Pakistani People's Party politician, widower of murdered Benazir Bhutto, president of Pakistan from 2008-2013" -扎猛子,zhā měng zi,to swim with head submerged -扎眼,zhā yǎn,garish; dazzling; offensively conspicuous -扎穿,zhā chuān,to prick; to puncture -扎兰屯,zhā lán tún,"Zhalantun, county-level city in Hulunbuir 呼倫貝爾|呼伦贝尔[Hu1lun2bei4er3], Inner Mongolia" -扎兰屯市,zhā lán tún shì,"Zhalantun, county-level city in Hulunbuir 呼倫貝爾|呼伦贝尔[Hu1lun2bei4er3], Inner Mongolia" -扎赉特,zhā lài tè,"Jalaid or Zhalaid (name); Jalaid banner, Mongolian Zhalaid khoshuu, in Hinggan league 興安盟|兴安盟[Xing1 an1 meng2], east Inner Mongolia" -扎赉特旗,zhā lài tè qí,"Jalaid banner, Mongolian Zhalaid khoshuu, in Hinggan league 興安盟|兴安盟[Xing1 an1 meng2], east Inner Mongolia" -扎针,zhā zhēn,to give or have an acupuncture treatment -扎鲁特,zā lǔ tè,"Jarud banner or Jarud khoshuu in Tongliao 通遼|通辽[Tong1 liao2], Inner Mongolia" -扎鲁特旗,zā lǔ tè qí,"Jarud banner or Jarud khoshuu in Tongliao 通遼|通辽[Tong1 liao2], Inner Mongolia" -扒,bā,to peel; to skin; to tear; to pull down; to cling to (sth on which one is climbing); to dig -扒,pá,to rake up; to steal; to braise; to crawl -扒屋牵牛,bā wū qiān niú,to sack the home and lead off the cattle (proverb); to strip of everything -扒手,pá shǒu,pickpocket -扒拉,bā la,(coll.) to push lightly; to flick to one side; to get rid of -扒拉,pá la,(coll.) to push food from one's bowl into one's mouth with chopsticks (usu. hurriedly) -扒搂,pá lou,to gather together as with a rake; to shovel food into one's mouth; to eat fast -扒灰,pá huī,incest between father-in-law and daughter-in-law -扒犁,pá lí,sledge; also written 爬犁 -扒皮,bā pí,to flay; to skin; (fig.) to exploit; to take advantage of -扒窃,pá qiè,to steal; to pick pockets; to frisk -扒糕,pá gāo,buckwheat pudding (snack of buckwheat noodles with sauce) -扒粪,pá fèn,muckraking; to stir up scandal; to expose (corruption) -扒车,bā chē,to pull oneself up onto a moving vehicle -扒钉,bā dīng,cramp -扒开,bā kāi,to pry open or apart; to spread (sth) open with both hands -扒头儿,bā tou er,handhold (to pull oneself up) -扒饭,pá fàn,to push food into one's mouth using chopsticks while holding one's bowl up to one's mouth -扒高踩低,pá gāo cǎi dī,"crawl high, step low (idiom); unprincipled crawling, flattering one's superiors and trampling on one's juniors; toadying and bullying" -打,dá,dozen (loanword) -打,dǎ,to beat; to strike; to hit; to break; to type; to mix up; to build; to fight; to fetch; to make; to tie up; to issue; to shoot; to calculate; to play (a game); since; from -打下,dǎ xià,to lay (a foundation); to conquer (a city etc); to shoot down (a bird etc) -打下手,dǎ xià shǒu,to act in a supporting role; fig. to play second fiddle -打不通,dǎ bu tōng,cannot get through (on phone) -打不过,dǎ bu guò,to be unable to defeat; to be no match for (sb) -打中,dǎ zhòng,to hit (a target) -打井,dǎ jǐng,to dig a well -打交道,dǎ jiāo dào,to come into contact with; to have dealings -打仗,dǎ zhàng,to fight a battle; to go to war -打住,dǎ zhù,to stop; to halt -打来回,dǎ lái huí,to make a round trip; a return journey -打保票,dǎ bǎo piào,to vouch for; to guarantee -打倒,dǎ dǎo,to overthrow; to knock down; Down with ... ! -打假,dǎ jiǎ,to fight counterfeiting; to expose as false; to denounce sb's lies -打假球,dǎ jiǎ qiú,game-fixing; to fix games -打伞,dǎ sǎn,to hold up an umbrella -打伤,dǎ shāng,to injure; to wound; to damage -打光棍,dǎ guāng gùn,to live as bachelor -打兑,dǎ duì,to arrange (colloquial); to transfer creditor's rights (in a debt case) -打入冷宫,dǎ rù lěng gōng,to snub; to consign to the trash heap of history -打冷战,dǎ lěng zhan,to shiver; to shudder -打出手,dǎ chū shǒu,to fling back weapons hurled at one by attackers (acrobatic performance in Chinese opera); to come to blows; to start a fight -打分,dǎ fēn,to grade; to give a mark -打分数,dǎ fēn shù,to grade (a student's work); to rate (sb's performance); to give a score -打前站,dǎ qián zhàn,"to set out in advance to make arrangements (board, lodging etc); (military) to dispatch an advance party" -打劫,dǎ jié,to loot; to rob; to plunder; to ransack -打动,dǎ dòng,to move (to pity); arousing (sympathy); touching -打勾,dǎ gōu,to check; to tick; (old) to buy -打勾勾,dǎ gōu gōu,see 拉鉤|拉钩[la1 gou1] -打包,dǎ bāo,to wrap; to pack; to put leftovers in a doggy bag for take-out; (computing) to package (i.e. create an archive file) -打包票,dǎ bāo piào,to vouch for; to guarantee -打千,dǎ qiān,"genuflection, a form of salutation in Qing times performed by men, going down on the right knee and reaching down with the right hand" -打卡,dǎ kǎ,(of an employee) to clock on (or off); to punch in (or out); (on social media) to check in to a location -打卦,dǎ guà,to tell sb's fortune using divinatory trigrams -打印,dǎ yìn,to affix a seal; to stamp; to print out (with a printer) -打印服务器,dǎ yìn fú wù qì,print server -打印机,dǎ yìn jī,printer -打印稿,dǎ yìn gǎo,printout; hard copy -打印头,dǎ yìn tóu,print head -打口,dǎ kǒu,"(of CDs, videos etc) surplus (or ""cut-out"") stock from Western countries, sometimes marked with a notch in the disc or its case, sold cheaply in China (beginning in the 1990s), as well as Eastern Europe etc" -打吊瓶,dǎ diào píng,to put sb on an intravenous drip -打吊针,dǎ diào zhēn,to put sb on an intravenous drip -打呃,dǎ è,to hiccup -打呵欠,dǎ hē qiàn,to yawn -打呼,dǎ hū,to snore -打呼噜,dǎ hū lu,to snore -打哄,dǎ hǒng,to fool around; to kid around -打哆嗦,dǎ duō suo,to tremble; to shiver (of cold); to shudder -打哈哈,dǎ hā ha,to joke; to laugh insincerely; to make merry; to talk irrelevantly -打哈哈儿,dǎ hā ha er,erhua variant of 打哈哈[da3 ha1 ha5] -打哈欠,dǎ hā qian,to yawn -打问,dǎ wèn,to inquire about; to give sb the third degree -打哑语,dǎ yǎ yǔ,to use sign language -打哑谜,dǎ yǎ mí,to talk in riddles -打啵,dǎ bō,(dialect) to kiss -打嗝,dǎ gé,to hiccup; to belch; to burp -打嗝儿,dǎ gé er,erhua variant of 打嗝[da3 ge2] -打嘴,dǎ zuǐ,to slap sb's face; to slap one's own face; fig. to fail to live up to a boast -打嘴巴,dǎ zuǐ ba,to slap -打喷嚏,dǎ pēn tì,to sneeze -打嚏喷,dǎ tì pen,to sneeze -打圆场,dǎ yuán chǎng,to help to resolve a dispute; to smooth things over -打地铺,dǎ dì pù,to make one's bed on the floor -打坐,dǎ zuò,to sit in meditation; to meditate -打坐坡,dǎ zuò pō,"(of a horse, dog etc) to sit back on one's haunches and refuse to be coaxed forward; (of a person) to brace oneself to resist being made to go forward; (fig.) to dig one's heels in" -打垮,dǎ kuǎ,to defeat; to strike down; to destroy -打埋伏,dǎ mái fu,to lie in wait; to ambush; to conceal sth -打场,dǎ cháng,to thresh grain (on the floor) -打压,dǎ yā,to suppress; to beat down -打天下,dǎ tiān xià,to seize power; to conquer the world; to establish and expand a business; to carve out a career for oneself -打太极,dǎ tài jí,to practice tai chi; (fig.) to avoid responsibility; to pass the buck -打夯,dǎ hāng,to ram; to tamp -打奶,dǎ nǎi,lit. to beat milk; to churn (to make butter); milk foamer (for cappuccino) -打孔,dǎ kǒng,to punch a hole -打孔卡,dǎ kǒng kǎ,(computing) punch card -打孔器,dǎ kǒng qì,hole puncher -打孔钻,dǎ kǒng zuàn,auger; drill -打字,dǎ zì,to type -打字员,dǎ zì yuán,typist -打字机,dǎ zì jī,typewriter -打官司,dǎ guān si,to file a lawsuit; to sue; to dispute -打官腔,dǎ guān qiāng,to talk officiously; to assume the air of a functionary; to talk in official jargon -打官话,dǎ guān huà,to talk officiously; to assume the air of a functionary; to talk in official jargon -打定主意,dǎ dìng zhǔ yi,to make up one's mind -打家劫舍,dǎ jiā jié shè,to break into a house for robbery (idiom) -打富济贫,dǎ fù jì pín,to rob the rich to help the poor (idiom) -打对仗,dǎ duì zhàng,to compete -打对台,dǎ duì tái,to compete; to rival -打小,dǎ xiǎo,(dialect) from childhood; from a young age -打小报告,dǎ xiǎo bào gào,(coll.) to tattletale; to rat on sb -打小算盘,dǎ xiǎo suàn pán,lit. to count on a narrow abacus (idiom); petty and scheming selfishly; concerned with petty interests; selfish and uncaring of the interests of others; bean counter -打尖,dǎ jiān,to stop for a snack while traveling -打屁,dǎ pì,to chat idly -打屁股,dǎ pì gu,to spank sb's bottom -打层次,dǎ céng cì,to get one's hair layered -打岔,dǎ chà,interruption; to interrupt (esp. talk); to change the subject -打工,dǎ gōng,"to work a temporary or casual job; (of students) to have a job outside of class time, or during vacation" -打工人,dǎ gōng rén,worker -打工仔,dǎ gōng zǎi,young worker; employee; young male worker -打工妹,dǎ gōng mèi,young female worker -打席,dǎ xí,(baseball) plate appearance (PA) -打底,dǎ dǐ,to lay a foundation (also fig.); to make a first sketch; to eat sth before drinking; to apply an undercoat -打底子,dǎ dǐ zi,to sketch; to draft; to lay the foundation -打底裤,dǎ dǐ kù,leggings -打得火热,dǎ de huǒ rè,"(idiom) to be on very good terms with each other; to hit it off with sb; to be passionately in love with each other; to carry on intimately with; (of trading, conflict etc) to be in full swing" -打从,dǎ cóng,from; (ever) since -打心眼里,dǎ xīn yǎn li,from the bottom of one's heart; heartily; sincerely -打怵,dǎ chù,to fear; to feel terrified -打闷雷,dǎ mèn léi,(coll.) to wonder secretly; to make wild conjectures -打情骂俏,dǎ qíng mà qiào,to banter flirtatiously (idiom) -打憷,dǎ chù,variant of 打怵[da3 chu4] -打成一片,dǎ chéng yī piàn,to merge; to integrate; to become as one; to unify together -打成平手,dǎ chéng píng shǒu,to draw (a competition); to fight to a standstill -打手,dǎ shou,hired thug -打手枪,dǎ shǒu qiāng,to masturbate -打手语,dǎ shǒu yǔ,to use sign language -打扮,dǎ ban,to decorate; to dress; to make up; to adorn; manner of dressing; style of dress -打把势,dǎ bǎ shi,drill (in sword play); to thrash around; to demonstrate gymnastic skills; to solicit financial help (in an indirect way); to show off -打把式,dǎ bǎ shi,variant of 打把勢|打把势[da3 ba3 shi5] -打折,dǎ zhé,to give a discount -打折扣,dǎ zhé kòu,to give a discount; to be of less value than anticipated -打抱不平,dǎ bào bù píng,to come to the aid of sb suffering an injustice; to fight for justice; also written 抱打不平[bao4 da3 bu4 ping2] -打拍,dǎ pāi,to beat time; to mark rhythm on drum or clapper boards -打拍子,dǎ pāi zi,to beat time -打招呼,dǎ zhāo hu,to greet sb by word or action; to give prior notice -打拱,dǎ gǒng,to bow with clasped hands -打拱作揖,dǎ gǒng zuò yī,to bow respectfully with clasped hands; to beg humbly -打拳,dǎ quán,to do shadowboxing -打拼,dǎ pīn,to work hard; to try to make a living -打挺儿,dǎ tǐng er,to arch one's body and fling one's head back -打扫,dǎ sǎo,to clean; to sweep -打掉,dǎ diào,to tear down; to destroy; to dismantle (a gang); to abort (a fetus) -打探,dǎ tàn,to make discreet inquiries; to scout out -打捞,dǎ lāo,to salvage; to dredge; to fish out (person or object from the sea) -打扑克,dǎ pū kè,to play cards; to play poker -打擂台,dǎ lèi tái,(old) to fight on the leitai; (fig.) to enter a contest -打击,dǎ jī,to hit; to strike; to attack; to crack down on sth; blow; (psychological) shock; percussion (music) -打击报复,dǎ jī bào fù,to retaliate -打击乐器,dǎ jī yuè qì,percussion instrument -打击率,dǎ jī lǜ,batting average (baseball etc) -打擦边球,dǎ cā biān qiú,to bend the rules; to skirt around the issue -打扰,dǎ rǎo,to disturb; to bother; to trouble -打扰了,dǎ rǎo le,"sorry to interrupt you, but ...; sorry to have bothered you; sorry, I have to go; (slang) (coined c. 2017) used facetiously to terminate a conversation (esp. online) when the other person is being insufferable" -打搅,dǎ jiǎo,to disturb; to trouble; to bother -打败,dǎ bài,to defeat; to overpower; to beat; to be defeated -打散,dǎ sàn,to scatter; to break sth up; to beat (an egg) -打新,dǎ xīn,(finance) to participate in an IPO (initial public offering) -打断,dǎ duàn,to interrupt; to break off; to break (a bone) -打旋,dǎ xuán,to revolve -打旋儿,dǎ xuán er,erhua variant of 打旋[da3 xuan2] -打早,dǎ zǎo,earlier; long ago; as soon as possible -打春,dǎ chūn,see 立春[Li4 chun1] -打更,dǎ gēng,"to sound the night watches (on clappers or gongs, in former times)" -打杈,dǎ chà,to prune (branches) -打架,dǎ jià,to fight; to scuffle; to come to blows; CL:場|场[chang2] -打柴,dǎ chái,to chop firewood; to gather firewood -打格子,dǎ gé zi,to draw a rectangular grid (e.g. of farmland); to checker -打棍子,dǎ gùn zi,to bludgeon; to hit with a big stick -打棚,dǎ péng,(dialect) to joke -打枪,dǎ qiāng,to fire a gun; to substitute for sb in sitting an examination -打桩,dǎ zhuāng,to drive piles into -打桩机,dǎ zhuāng jī,pile driver (machinery) -打横炮,dǎ héng pào,to butt in; to interfere; to make things difficult -打档,dǎ dǎng,(Tw) to change gears -打档车,dǎ dǎng chē,"(Tw) manual transmission motorcycle (usually denotes a traditional-style motorcycle, as opposed to a scooter)" -打死,dǎ sǐ,to kill; to beat to death -打杀,dǎ shā,to kill -打气,dǎ qì,to inflate; to pump up; (fig.) to encourage; to boost morale -打气筒,dǎ qì tǒng,bicycle pump -打水,dǎ shuǐ,to draw water; to splash water -打水漂,dǎ shuǐ piāo,to skip stones (on water); (coll.) to squander one's money on a bad investment -打油诗,dǎ yóu shī,humorous poem; limerick -打法,dǎ fǎ,to play (a card); to make a move in a game -打洞,dǎ dòng,to punch a hole; to drill a hole; to dig a hole; to burrow -打消,dǎ xiāo,"to dispel (doubts, misgivings etc); to give up on" -打混,dǎ hùn,to muddle things up; to goof off; to hang around -打游击,dǎ yóu jī,to fight as a guerilla; (fig.) to live or eat at no fixed place -打滑,dǎ huá,to skid; to slip; to slide -打滚,dǎ gǔn,to roll about -打火机,dǎ huǒ jī,lighter; cigarette lighter -打火石,dǎ huǒ shí,flint -打炮,dǎ pào,to open fire with artillery; to set off firecrackers; to make one's stage debut; (slang) to have sex; to masturbate -打烊,dǎ yàng,to close shop in the evening; also pr. [da3 yang2] -打爆,dǎ bào,to blow out; to blow off; (computer games) to zap; (phone) to ring off the hook; to be jammed; to max out (credit card etc) -打牌,dǎ pái,to play mahjong or cards -打牙祭,dǎ yá jì,to have a large and sumptuous meal (traditionally on the 1st and 15th of each month) -打狗,dǎ gǒu,"Takow, Takao or Takau, old name for Kaohsiung 高雄[Gao1 xiong2] in the southwest of Taiwan" -打狗欺主,dǎ gǒu qī zhǔ,to beat a dog and bully its owner; fig. to humiliate sb indirectly by bullying a subordinate -打狗还得看主人,dǎ gǒu hái děi kàn zhǔ rén,"lit. when one beats a dog, one must answer to its master (idiom); fig. before punishing sb, one should consider how that would affect others associated with him" -打猎,dǎ liè,to go hunting -打球,dǎ qiú,to play ball; to play with a ball -打理,dǎ lǐ,to take care of; to sort out; to manage; to put in order -打瓜,dǎ guā,"a smaller variety of watermelon, with big, edible seeds" -打发,dǎ fa,to dispatch sb to do sth; to make sb leave; to pass (the time); (old) to make arrangements; (old) to bestow (alms etc) -打发时间,dǎ fā shí jiān,to pass the time -打白条,dǎ bái tiáo,to write an IOU or promissory note -打的,dǎ dī,(coll.) to take a taxi; to go by taxi -打盹,dǎ dǔn,to doze off -打盹儿,dǎ dǔn er,erhua variant of 打盹[da3 dun3] -打眼,dǎ yǎn,to drill or bore a hole; to attract attention; conspicuous -打瞌睡,dǎ kē shuì,to doze off -打短儿,dǎ duǎn er,casual labor; to work for a bit -打破,dǎ pò,to break; to smash -打破砂锅问到底,dǎ pò shā guō wèn dào dǐ,to go to the bottom of things (idiom) -打砸,dǎ zá,to smash up; to vandalize -打碎,dǎ suì,to shatter; to smash; to break into pieces -打码,dǎ mǎ,to pixelate an image; to key in captcha authentication codes -打磨,dǎ mó,to polish; to burnish; to shine -打禅,dǎ chán,to meditate (of Buddhist) -打稿子,dǎ gǎo zi,to produce a draft manuscript -打谷,dǎ gǔ,to thresh -打谷场,dǎ gǔ cháng,threshing floor -打谷机,dǎ gǔ jī,threshing machine -打窝,dǎ wō,(angling) to throw groundbait into an area of water -打箍,dǎ gū,to hoop; to put a hoop around sth -打算,dǎ suàn,to plan; to intend; to calculate; plan; intention; calculation; CL:個|个[ge4] -打算盘,dǎ suàn pán,to compute on the abacus; (fig.) to calculate; to plan; to scheme -打结,dǎ jié,to tie a knot; to tie -打网,dǎ wǎng,to net sth; to catch sth with a net -打紧,dǎ jǐn,important -打骂,dǎ mà,to beat and scold -打翻,dǎ fān,to overturn; to overthrow; to strike down (an enemy) -打翻身仗,dǎ fān shēn zhàng,to work hard towards a turnaround; to fight to reverse sth -打耳光,dǎ ěr guāng,to slap on the face; to box sb's ears -打听,dǎ ting,to ask about; to make some inquiries; to ask around -打胎,dǎ tāi,to have an abortion -打肿脸充胖子,dǎ zhǒng liǎn chōng pàng zi,lit. to swell one's face up by slapping it to look imposing (idiom); to seek to impress by feigning more than one's abilities -打胶枪,dǎ jiāo qiāng,sealant gun; glue gun -打脸,dǎ liǎn,to put on theatrical makeup; (neologism c. 2014) to debunk sb's claim; to put egg on sb's face -打草,dǎ cǎo,to mow grass; haymaking; to write a rough draft (of an essay etc) -打草惊蛇,dǎ cǎo jīng shé,lit. beat the grass to scare the snake (idiom); fig. to inadvertently alert an enemy; to punish sb as a warning to others -打落水狗,dǎ luò shuǐ gǒu,lit. to beat a drowning dog (idiom); fig. to pulverize an (already defeated) enemy; to hit sb when he's down -打薄剪刀,dǎ báo jiǎn dāo,thinning scissors -打兰,dǎ lán,dram (1⁄16 ounce) (loanword) -打蛋器,dǎ dàn qì,egg beater -打虫,dǎ chóng,to swat an insect; to get rid of intestinal parasite with drugs -打蜡,dǎ là,"to wax (a car, floor etc)" -打冲锋,dǎ chōng fēng,to lead the charge -打制,dǎ zhì,"to make (by hammering, chipping etc); to forge (silverware, metal implements etc)" -打制石器,dǎ zhì shí qì,(archaeology) chipped stone implement -打诨,dǎ hùn,to intersperse comic remarks (in a performance); (fig.) to quip; to banter -打赏,dǎ shǎng,to reward; to tip; to give a gratuity -打赌,dǎ dǔ,to bet; to make a bet; a wager -打赖,dǎ lài,to deny; to disclaim; to disavow -打赢,dǎ yíng,to win; to beat (one's opponent) -打赤脚,dǎ chì jiǎo,to bare the feet -打赤膊,dǎ chì bó,to bare one's chest; bare-chested -打趔趄,dǎ liè qie,to trip; to miss a step; to slip -打趣,dǎ qù,to make fun of -打跑,dǎ pǎo,to run off rebuffed; to fend off; (to fight off and make sb) run off -打跟头,dǎ gēn tou,to turn a somersault; to turn head over heels -打趸儿,dǎ dǔn er,to buy wholesale -打躬作揖,dǎ gōng zuò yī,to bow respectfully with clasped hands; to beg humbly -打车,dǎ chē,to take a taxi (in town); to hitch a lift -打转,dǎ zhuàn,to spin; to rotate; to revolve -打退,dǎ tuì,to beat back; to repel; to repulse -打退堂鼓,dǎ tuì táng gǔ,lit. to beat the return drum (idiom); fig. to give up; to turn tail -打通,dǎ tōng,to open access; to establish contact; to remove a block; to put through (a phone connection) -打通宵,dǎ tōng xiāo,to spend the whole night -打造,dǎ zào,to create; to build; to develop; to forge (of metal) -打进,dǎ jìn,to breach; to invade -打道回府,dǎ dào huí fǔ,to go home (in a ceremonial procession); to return home -打边炉,dǎ biān lú,(Cantonese) to eat hot pot; hot pot -打边鼓,dǎ biān gǔ,to echo what sb said; to back sb up from the sidelines (in an argument) -打酒,dǎ jiǔ,to have a drink -打酱油,dǎ jiàng yóu,"to buy soy sauce; it's none of my business (""I’m just here to buy some soy sauce"")" -打野战,dǎ yě zhàn,see 打野炮[da3 ye3 pao4] -打野炮,dǎ yě pào,(slang) to have sex outdoors or in a public place -打量,dǎ liang,to size sb up; to look sb up and down; to take the measure of; to suppose; to reckon -打针,dǎ zhēn,to give or have an injection -打铃,dǎ líng,to ring a bell -打钩,dǎ gōu,to tick; to check; tick mark; check mark -打钱,dǎ qián,to collect money from sb; to give money to sb -打错,dǎ cuò,to err; to dial a wrong number; to make a typo -打表,dǎ biǎo,to run the meter (in a taxi) -打铁,dǎ tiě,to forge ironware -打铁趁热,dǎ tiě chèn rè,strike the iron while it's hot (idiom) -打镲,dǎ chǎ,(dialect) to joke; to make fun of (sb) -打长工,dǎ cháng gōng,to work as long-term hired hand -打长途,dǎ cháng tú,to make a long distance call -打门,dǎ mén,to knock on the door; to take a shot on goal (sports) -打开,dǎ kāi,to open; to show (a ticket); to turn on; to switch on -打开天窗说亮话,dǎ kāi tiān chuāng shuō liàng huà,(let's) not mince words; (let's) not beat about the bush -打开话匣子,dǎ kāi huà xiá zi,to start talking -打杂,dǎ zá,to do odd jobs; to do unskilled work -打鸡血,dǎ jī xuè,lit. to inject chicken blood; (coll.) extremely excited or energetic (often used mockingly) -打雪仗,dǎ xuě zhàng,to have a snowball fight -打雷,dǎ léi,to rumble with thunder; clap of thunder -打电话,dǎ diàn huà,to make a telephone call -打靶,dǎ bǎ,target shooting -打响,dǎ xiǎng,to start shooting or firing; to win an initial success; to succeed (of a plan) -打响名号,dǎ xiǎng míng hào,to become well-known -打响鼻儿,dǎ xiǎng bí er,(of a horse etc) to snort -打顿,dǎ dùn,to pause -打顿儿,dǎ dùn er,erhua variant of 打頓|打顿[da3 dun4] -打颤,dǎ zhàn,to shiver; to tremble -打飞机,dǎ fēi jī,(slang) (of a male) to masturbate; to jerk off -打食,dǎ shí,to go in search of food (of animals); to take medicine for indigestion or gastro-intestinal upsets -打饭,dǎ fàn,to get food at a canteen -打马虎眼,dǎ mǎ hu yǎn,to play dumb; to slack off (idiom) -打马赛克,dǎ mǎ sài kè,to censor an image; to pixelate -打高尔夫,dǎ gāo ěr fū,to play golf -打高尔夫球,dǎ gāo ěr fū qiú,to play golf -打斗,dǎ dòu,to fight -打闹,dǎ nào,to quarrel; to squabble; to be rowdy; to play boisterously; to engage in horseplay -打鱼,dǎ yú,to fish -打鸟,dǎ niǎo,"to shoot a bird (with a gun, slingshot etc); to photograph birds" -打麻雀运动,dǎ má què yùn dòng,"the Great Sparrow Campaign or the Four Pests Campaign, one of the actions during the Great Leap Forward 大躍進|大跃进[Da4 yue4 jin4] aiming to eliminate four pests: rats, flies, mosquitoes, and sparrows" -打黑,dǎ hēi,to crack down on illegal activities; to fight organized crime -打点,dǎ dian,to bribe; to get (luggage) ready; to put in order; to organize things; (baseball) RBI (run batted in) -打点滴,dǎ diǎn dī,to put sb on an intravenous drip -打鼓,dǎ gǔ,to beat a drum; to play a drum; (fig.) to feel nervous -打鼾,dǎ hān,to snore -打斋,dǎ zhāi,to beg for (vegetarian) food -扔,rēng,to throw; to throw away -扔下,rēng xià,to throw down; to drop (bomb) -扔掉,rēng diào,to throw away; to throw out -扔弃,rēng qì,to abandon; to discard; to throw away -払,fǎn,to take; to fetch -払,fú,Japanese variant of 拂[fu2] -托,tuō,"to hold up in one's hand; to support with one's palm; sth serving as a support: a prop, a rest (e.g. arm rest); (bound form) a shill; to ask; to beg; to entrust (variant of 託|托[tuo1]); torr (unit of pressure)" -托付,tuō fù,to entrust -托克劳,tuō kè láo,Tokelau (territory of New Zealand) -托克托,tuō kè tuō,"Togtoh county, Mongolian Togtox khoshuu, in Hohhot 呼和浩特[Hu1 he2 hao4 te4], Inner Mongolia; alternative spelling of 脫脫|脱脱[Tuo1 tuo1], Yuan dynasty politician Toktoghan (1314-1355)" -托克托县,tuō kè tuō xiàn,"Togtoh county, Mongolian Togtox khoshuu, in Hohhot 呼和浩特[Hu1 he2 hao4 te4], Inner Mongolia" -托克逊,tuō kè xùn,"Toksun county or Toqsun nahiyisi in Turpan prefecture 吐魯番地區|吐鲁番地区[Tu3 lu3 fan1 di4 qu1], Xinjiang" -托克逊县,tuō kè xùn xiàn,"Toksun county or Toqsun nahiyisi in Turpan prefecture 吐魯番地區|吐鲁番地区[Tu3 lu3 fan1 di4 qu1], Xinjiang" -托儿,tuō ér,childcare -托儿,tuō er,(coll.) shill; tout; phony customer who pretends to buys things so as to lure real customers -托儿所,tuō ér suǒ,nursery -托利党,tuō lì dǎng,Tory Party -托勒密,tuō lè mì,"Ptolemy, kings of Egypt after the partition of Alexander the Great's Empire in 305 BC; Ptolemy or Claudius Ptolemaeus (c. 90-c. 168), Alexandrian Greek astronomer, mathematician and geographer, author of the Almagest 天文學大成|天文学大成; see also 托勒玫[Tuo1 le4 mei2]" -托勒密王,tuō lè mì wáng,"Ptolemy, kings of Egypt after the partition of Alexander the Great's Empire in 305 BC" -托勒玫,tuō lè méi,"Ptolemy or Claudius Ptolemaeus (c. 90-c. 168), Alexandrian Greek astronomer, mathematician and geographer, author of the Almagest 天文學大成|天文学大成; see also 托勒密[Tuo1 le4 mi4]" -托卡塔,tuō kǎ tǎ,toccata (music) (loanword) -托塔天王,tuō tǎ tiān wáng,the pagoda bearing god -托尼,tuō ní,Tony (name) -托尼老师,tuō ní lǎo shī,(neologism) (slang) barber; hairdresser -托庇,tuō bì,to rely on sb for protection -托拉斯,tuō lā sī,trust (commerce) (loanword) -托拉尔,tuō lā ěr,"(loanword) tolar, currency of Slovenia 1991-2007; tolar, silver coin that served as the main currency of Bohemia 1520-1750" -托木尔,tuō mù ěr,"Mt Tomur (Russian: Pik Pobeda), the highest peak of Tianshan mountains on the border between Xinjiang and Kyrgyzstan" -托木尔峰,tuō mù ěr fēng,"Victory Peak or Jengish Chokusu (7,439 m), the highest peak of Tianshan mountains on the border between Xinjiang and Kyrgyzstan" -托架,tuō jià,bracket -托业,tuō yè,TOEIC (Test of English for International Communication) -托尔斯泰,tuō ěr sī tài,"Tolstoy (name); Count Lev Nikolayevich Tolstoy (1828-1910), great Russian novelist, author of War and Peace 戰爭與和平|战争与和平" -托尔斯港,tuō ěr sī gǎng,"Tórshavn, capital of Faroe Islands" -托尔金,tuō ěr jīn,"J.R.R. Tolkien (1892-1973), British philologist and author of fantasy fiction such as Lord of the Rings 魔戒" -托特,tuō tè,Thoth (ancient Egyptian deity) -托特,tuō tè,(loanword) tote (bag) -托班,tuō bān,after-school program -托皮卡,tuō pí kǎ,"Topeka, capital of Kansas" -托盘,tuō pán,tray; salver; pallet -托盘车,tuō pán chē,pallet jack -托福,tuō fú,TOEFL; Test of English as a Foreign Language -托福,tuō fú,(old) thanks to your lucky influence (polite reply to health inquiries) -托管,tuō guǎn,trusteeship; to trust -托管班,tuō guǎn bān,after-school program -托钵修会,tuō bō xiū huì,mendicant religious order in Catholicism; Franciscan order -托罗斯山,tuō luó sī shān,Taurus mountains of south Turkey -托老所,tuō lǎo suǒ,senior center -托育,tuō yù,childcare; daycare -托腮,tuō sāi,to rest one's chin in one's hand -托莱多,tuō lái duō,"Toledo, Spain" -托足无门,tuō zú wú mén,to be unable to find a place to stay (idiom) -托辞,tuō cí,see 託詞|托词[tuo1 ci2] -托运,tuō yùn,to consign (goods); to check through (baggage) -托运行李,tuō yùn xíng li,luggage that has been checked in (on flight) -托里,tuō lǐ,"Toli county in Tacheng prefecture 塔城地區|塔城地区[Ta3 cheng2 di4 qu1], Xinjiang" -托里拆利,tuō lǐ chāi lì,"Evangelista Torricelli (1608-1647), Italian physicist, colleague of Galileo" -托里县,tuō lǐ xiàn,"Toli county in Tacheng prefecture 塔城地區|塔城地区[Ta3 cheng2 di4 qu1], Xinjiang" -托马斯,tuō mǎ sī,Thomas (male name) -扛,gāng,to raise aloft with both hands; (of two or more people) to carry sth together -扛,káng,"to carry on one's shoulder; (fig.) to take on (a burden, duty etc)" -扛把子,káng bǎ zi,(argot) gang leader -捍,hàn,variant of 捍[han4] -扢,gǔ,clean; to rub -扢,xì,sprightful -扣,kòu,"to fasten; to button; button; buckle; knot; to arrest; to confiscate; to deduct (money); discount; to knock; to smash, spike or dunk (a ball); to cover (with a bowl etc); (fig.) to tag a label on sb; (Tw) (loanword) code" -扣上,kòu shàng,to buckle up; to fasten -扣人心弦,kòu rén xīn xián,to excite; to thrill; exciting; thrilling; cliff-hanging -扣住,kòu zhù,to detain; to hold back by force; to buckle; to hook -扣分,kòu fēn,to deduct marks (when grading school work); to have marks deducted; penalty points; to lose points for a penalty or error -扣动,kòu dòng,to pull (a trigger) -扣去,kòu qù,to deduct (points etc) -扣问,kòu wèn,(literary) to inquire; to ask; question -扣压,kòu yā,to withhold; to hold sth back (and prevent it being known) -扣女,kòu nǚ,(slang) to pick up girls; to chase after girls -扣屎盆子,kòu shǐ pén zi,to make a scapegoat of sb; to defame; to slander -扣屎盔子,kòu shǐ kuī zi,(northern dialect) lit. to cap in excrement; fig. to discredit with absurd unfounded accusations; to vilify -扣带回,kòu dài huí,cingulum (anatomy) -扣帽子,kòu mào zi,to tag sb with unfair label; power word -扣式电池,kòu shì diàn chí,button cell; watch battery -扣应,kòu yìng,to call in (to a broadcast program) (loanword) (Tw) -扣扣,kòu kòu,(Internet slang) QQ instant messenger -扣押,kòu yā,to detain; to hold in custody; to distrain; to seize property -扣击,kòu jī,to smash a ball -扣查,kòu chá,to detain and question -扣杀,kòu shā,to smash a ball; to spike -扣球,kòu qiú,to smash a ball; to spike -扣留,kòu liú,to detain; to arrest; to hold; to confiscate -扣发,kòu fā,to deprive; to withhold; to hold sth back (and prevent it being known) -扣篮,kòu lán,slam dunk -扣缴,kòu jiǎo,to withhold; to garnish (wages etc) -扣肉,kòu ròu,steamed pork -扣关,kòu guān,variant of 叩關|叩关[kou4 guan1] -扣除,kòu chú,to deduct -扣题,kòu tí,to stick to the topic -扦,qiān,"short slender pointed piece of metal, bamboo etc; skewer; prod used to extract samples from sacks of grain etc; (dialect) to stick in; to bolt (a door); to arrange (flowers in a vase); to graft (tree); to pedicure; to peel (an apple etc)" -扦脚,qiān jiǎo,(dialect) pedicure; to trim one's toenails -扭,niǔ,to turn; to twist; to wring; to sprain; to swing one's hips -扭伤,niǔ shāng,a sprain; a crick; to sprain -扭力,niǔ lì,torque; turning force; torsion -扭打,niǔ dǎ,to wrestle; to grapple; to scuffle -扭扭捏捏,niǔ niǔ niē niē,"affecting shyness or embarrassment; coy; mincing (walk, manner of speech); mannered" -扭扭乐,niǔ niǔ lè,Twister (game) -扭捏,niǔ nie,"affecting shyness or embarrassment; coy; mincing (walk, manner of speech); mannered" -扭摆,niǔ bǎi,to twist and sway (one's body) -扭曲,niǔ qū,to twist; to warp; to distort -扭矩,niǔ jǔ,torque; turning force -扭结,niǔ jié,to tangle up; to twist together; to wind -扭腰,niǔ yāo,to sway one's hips; to twist one's waist -扭亏,niǔ kuī,to make good a deficit; to reverse a loss -扭亏为盈,niǔ kuī wéi yíng,to get into the black; to become profitable -扭蛋,niǔ dàn,toy in a capsule (dispensed from a vending machine) -扭角羚,niǔ jiǎo líng,takin (Budorcas taxicolor); goat-antelope -扭转,niǔ zhuǎn,to reverse; to turn around (an undesirable situation); (mechanics) torsion -扭转乾坤,niǔ zhuǎn qián kūn,lit. to upend heaven and earth (idiom); fig. to change the course of events; to turn things around -扭头,niǔ tóu,to turn one's head; to turn around -扮,bàn,to disguise oneself as; to dress up; to play (a role); to put on (an expression) -扮家家酒,bàn jiā jiā jiǔ,to play house (Tw) -扮演,bàn yǎn,to play the role of; to act -扮相,bàn xiàng,stage costume -扮装,bàn zhuāng,to dress up and make up (like an actor) -扮装皇后,bàn zhuāng huáng hòu,drag queen; female impersonator -扮猪吃老虎,bàn zhū chī lǎo hǔ,to play the wolf in sheep's clothing; to disguise oneself as sth harmless in order to lull one's target into letting their guard down -扮酷,bàn kù,to act cool -扯,chě,"to pull; to tear; (of cloth, thread etc) to buy; to chat; to gossip; (coll.) (Tw) ridiculous; hokey" -扯住,chě zhù,to grasp firmly -扯嗓子,chě sǎng zi,to raise one's voice; to speak at the top of one's voice -扯家常,chě jiā cháng,to engage in small talk; to chit chat -扯平,chě píng,to make even; to balance; (fig.) to be even; to call it quits -扯后腿,chě hòu tuǐ,to be a drag or hindrance on sb -扯淡,chě dàn,to talk nonsense -扯犊子,chě dú zi,(dialect) to talk nonsense; to chat idly -扯皮,chě pí,to wrangle; wrangling -扯皮条,chě pí tiáo,see 拉皮條|拉皮条[la1 pi2 tiao2] -扯直,chě zhí,to straighten (by pulling or stretching); to be even (neither side losing out) -扯破,chě pò,tear apart -扯蛋,chě dàn,variant of 扯淡[che3 dan4] -扯裂,chě liè,rip -扯谈,chě tán,to talk nonsense (dialect) -扯谎,chě huǎng,to tell a lie -扯远,chě yuǎn,to digress; to get sidetracked; to go off on a tangent -扯铃,chě líng,diabolo; Chinese yo-yo -扯鸡巴蛋,chě jī ba dàn,to talk shit; to drivel; bullshit -扳,bān,to pull; to turn (sth) around; to turn around (a situation); to recoup -扳,pān,variant of 攀[pan1] -扳不倒儿,bān bù dǎo er,(dialect) roly-poly toy -扳价,bān jià,to demand a high price -扳动,bān dòng,to pull out; to pull a lever -扳回,bān huí,to pull back; to regain (one's dignity etc); to recover from (an adverse situation); to turn the tables -扳回一城,bān huí yī chéng,to recover some lost ground (in a competition) -扳子,bān zi,spanner; wrench; CL:把[ba3] -扳平,bān píng,to equalize; to level the score; to pull back the advantage -扳手,bān shǒu,spanner; wrench; lever (on a machine) -扳指,bān zhǐ,"ornamental thumb ring (originally a ring, often made from jade, worn by archers in ancient times to protect the right thumb when drawing a bowstring)" -扳指儿,bān zhǐ er,erhua variant of 扳指[ban1 zhi3] -扳本,bān běn,to recoup losses (in gambling) -扳本儿,bān běn er,to recoup losses (in gambling) -扳机,bān jī,(gun) trigger -扳罾,bān zēng,to lift the fishnet -扳道,bān dào,railroad switch -扳道员,bān dào yuán,pointsman; switchman -扳道岔,bān dào chà,railroad switch -扳钳,bān qián,wrench; spanner -扳龙附凤,bān lóng fù fèng,hitching a ride to the sky on the dragon and phoenix (idiom); fig. currying favor with the rich and powerful in the hope of advancement -扶,fú,to support with the hand; to help sb up; to support oneself by holding onto something; to help -扶不起的阿斗,fú bù qǐ de ā dǒu,weak and inept person; hopeless case -扶乩,fú jī,planchette writing; to do planchette writing -扶他林,fú tā lín,"voltaren, a trade name for diclofenac sodium, a non-steroidal anti-inflammatory drug used to reduce swelling and as painkiller" -扶余县,fú yú xiàn,"Fuyu county in Songyuan 松原, Jilin" -扶助,fú zhù,to assist -扶南,fú nán,"Funan, ancient state in Southeast Asia (1st - 6th century)" -扶危,fú wēi,to help those in distress -扶危济困,fú wēi jì kùn,to help those in distress (idiom) -扶困济危,fú kùn jì wēi,see 濟危扶困|济危扶困[ji4 wei1 fu2 kun4] -扶弟魔,fú dì mó,"(coll.) (neologism c. 2017, a play on 伏地魔[Fu2 di4 mo2]) woman who devotes herself to supporting her little brother (assisting him with his studies, giving money to help him buy a house etc)" -扶弱抑强,fú ruò yì qiáng,to support the weak and restrain the strong (idiom); robbing the rich to help the poor -扶手,fú shǒu,handrail; armrest -扶手椅,fú shǒu yǐ,armchair -扶持,fú chí,to help; to assist -扶掖,fú yè,to support; to help -扶揄,fú yú,to raise high; to uphold -扶摇直上,fú yáo zhí shàng,to skyrocket; to get quick promotion in one's career -扶桑,fú sāng,"Fusang, mythical island of ancient literature, often interpreted as Japan" -扶梯,fú tī,ladder; staircase; escalator -扶植,fú zhí,to foster; to support -扶栏,fú lán,handrail -扶正,fú zhèng,to set sth upright or straight; to promote an employee from part-time to full-time (or from deputy to principal); (old) to raise from concubine to wife status -扶正压邪,fú zhèng yā xié,to uphold good and suppress evil (idiom) -扶清灭洋,fú qīng miè yáng,"Support the Qing, annihilate the West! (Boxer rebellion slogan)" -扶沟,fú gōu,"Fugou county in Zhoukou 周口[Zhou1 kou3], Henan" -扶沟县,fú gōu xiàn,"Fugou county in Zhoukou 周口[Zhou1 kou3], Henan" -扶犁,fú lí,to put one's hand to the plow -扶箕,fú jī,planchette writing (for taking dictation from beyond the grave); Ouija board -扶绥,fú suí,"Fusui county in Chongzuo 崇左[Chong2 zuo3], Guangxi" -扶绥县,fú suí xiàn,"Fusui county in Chongzuo 崇左[Chong2 zuo3], Guangxi" -扶老携幼,fú lǎo xié yòu,"taking everyone along, young and old; to look after the elderly and the young" -扶贫,fú pín,assistance to the poor; poverty alleviation -扶贫济困,fú pín jì kùn,to help the poor; almsgiving for the needy; to assist poor households or poor regions -扶轮社,fú lún shè,Rotary Club -扶风,fú fēng,"Fufeng County in Baoji 寶雞|宝鸡[Bao3 ji1], Shaanxi" -扶风县,fú fēng xiàn,"Fufeng County in Baoji 寶雞|宝鸡[Bao3 ji1], Shaanxi" -扶养,fú yǎng,to foster; to bring up; to raise -扶余,fú yú,"Fuyu county in Songyuan 松原, Jilin; Pu'yo, Korean Buyeo (c. 200 BC-494 AD), ancient kingdom in northeast frontier region of China" -扶馀,fú yú,"variant of 扶餘|扶余 Korean: Buyeo (c. 200 BC-494 AD), ancient kingdom in northeast frontier region of China" -批,pī,"to ascertain; to act on; to criticize; to pass on; classifier for batches, lots, military flights; tier (for the ranking of universities and colleges)" -批件,pī jiàn,approved document; document with written instructions -批假,pī jià,to approve vacation -批价,pī jià,wholesale price; to settle an account; to pay a bill -批八字,pī bā zì,"to have one's fortune read; system of fortune telling based on a person's date and time of birth, according to 干支 (sexagenary cycle)" -批准,pī zhǔn,to approve; to ratify -批准文号,pī zhǔn wén hào,(drug etc) approval number -批判,pī pàn,to criticize; critique; CL:個|个[ge4] -批汇,pī huì,to approve use of foreign currency -批卷,pī juàn,to correct student papers; to grade exam papers -批命,pī mìng,to tell sb's fortune -批哩啪啦,pī li pā lā,variant of 噼裡啪啦|噼里啪啦[pi1 li5 pa1 la1] -批复,pī fù,to reply officially to a subordinate -批捕,pī bǔ,to authorize an arrest -批改,pī gǎi,"to mark (homework, exam scripts etc); to correct and criticize (an article); to check; to correct; a correction (to a piece of writing)" -批文,pī wén,official written ruling in response to a submission; official approval in writing -批流年,pī liú nián,to cast sb's yearly horoscope -批发,pī fā,wholesale; bulk trade; distribution -批发价,pī fā jià,wholesale price -批发商,pī fā shāng,a wholesale business; distributor -批发业,pī fā yè,wholesale business; bulk trade -批示,pī shì,to write comments on a report submitted by a subordinate; written comments from a superior -批荡,pī dàng,to render (a wall) -批萨,pī sà,pizza (loanword) -批处理,pī chǔ lǐ,(computing) batch processing -批号,pī hào,lot number; batch number -批覆,pī fù,to give an official response -批注,pī zhù,to annotate; to add marginal comments on; criticism; marginalia -批评,pī píng,"to criticize; criticism; CL:次[ci4],番[fan1]" -批评家,pī píng jiā,critic -批评者,pī píng zhě,critic; detractor -批语,pī yǔ,criticism; commentary -批踢踢,pī tī tī,"PTT, the largest terminal-based bulletin board system in Taiwan; full name: 批踢踢實業坊|批踢踢实业坊[Pi1 ti1 ti1 Shi2 ye4 Fang1]" -批踢踢实业坊,pī tī tī shí yè fāng,PTT Bulletin Board System (Tw) -批转,pī zhuǎn,"to approve and forward; to endorse; stamp ""approved for distribution""" -批办,pī bàn,to approve and carry out; to issue approval -批郤导窾,pī xì dǎo kuǎn,to get right to the heart of the matter (idiom) -批量,pī liàng,batch; lot -批量生产,pī liàng shēng chǎn,to mass produce -批量购买,pī liàng gòu mǎi,to buy in bulk; bulk buying -批阅,pī yuè,to read through to evaluate; to referee -批头,pī tóu,screwdriving bits -批颊,pī jiá,to slap sb's cheeks -批驳,pī bó,to criticize; to refute -批斗,pī dòu,"to drag sb before a public meeting to denounce, humiliate and physically abuse them (esp. during the Cultural Revolution)" -批斗大会,pī dòu dà huì,struggle session -批点,pī diǎn,to add critical marks or notes to a text; (fig.) to criticize -扼,è,to grip forcefully; to clutch at; to guard; to control; to hold -扼制,è zhì,to control; to restrain -扼喉抚背,è hóu fǔ bèi,lit. to strangle the front and press the back (idiom); fig. to occupy all key points (military) -扼守,è shǒu,to hold a pass; to guard (a strategic location) -扼死,è sǐ,to strangle; to throttle; to stifle (opinions) -扼杀,è shā,to strangle; to throttle -扼腕,è wàn,to wring one's hands (literally wring one's wrists) -扼襟控咽,è jīn kòng yān,to secure a stranglehold (idiom); fig. to hold a strategic pass -扼要,è yào,to the point; concise -扼颈,è jǐng,to strangle; to throttle -找,zhǎo,to try to find; to look for; to call on sb; to find; to seek; to return; to give change -找上门,zhǎo shàng mén,to come to sb's door; to call on sb -找不到,zhǎo bu dào,can't find -找不自在,zhǎo bù zì zai,to ask for trouble; to bring misfortune on oneself -找不着,zhǎo bu zháo,to be unable to find -找不着北,zhǎo bu zháo běi,to be confused and disoriented -找事,zhǎo shì,to look for employment; to pick a quarrel -找借口,zhǎo jiè kǒu,to look for a pretext -找出,zhǎo chū,to find; to search out -找到,zhǎo dào,to find -找刺儿,zhǎo cì er,to find fault -找台阶儿,zhǎo tái jiē er,to find an excuse; to look for a pretext -找回,zhǎo huí,to retrieve -找寻,zhǎo xún,to look for; to seek; to find fault -找对象,zhǎo duì xiàng,to seek a marriage partner; looking for a mate -找岔子,zhǎo chà zi,to look for blemishes; to find fault; nitpicking -找平,zhǎo píng,to level (ground); to make level -找抽,zhǎo chōu,(coll.) to look for trouble -找机会,zhǎo jī huì,to look for an opportunity -找死,zhǎo sǐ,to court death; to take a big risk -找碴,zhǎo chá,variant of 找茬[zhao3 cha2] -找碴儿,zhǎo chá er,to pick a quarrel; to find fault; nitpicking -找茬,zhǎo chá,to pick fault with; to spot the differences; to nitpick; to pick a quarrel; to find complaint with -找着,zhǎo zháo,to find -找补,zhǎo bu,to compensate; to make up; to complement; to add -找见,zhǎo jiàn,to find (sth one has been looking for) -找赎,zhǎo shú,(dialect) to give change -找辙,zhǎo zhé,to look for a pretext -找遍,zhǎo biàn,to search everywhere; to search high and low; to comb -找钱,zhǎo qián,to give change -找门路,zhǎo mén lù,to seek help from social connections -找零,zhǎo líng,to give change; change money -找头,zhǎo tou,change (from money paid) -找饭碗,zhǎo fàn wǎn,to look for a job -找麻烦,zhǎo má fan,to look for trouble -找齐,zhǎo qí,to make uniform; to even up; to make good a deficiency -承,chéng,"surname Cheng; Cheng (c. 2000 BC), third of the legendary Flame Emperors 炎帝[Yan2 di4] descended from Shennong 神農|神农[Shen2 nong2] Farmer God" -承,chéng,to bear; to carry; to hold; to continue; to undertake; to take charge; owing to; due to; to receive -承上起下,chéng shàng qǐ xià,to follow the past and herald the future (idiom); part of a historical transition; forming a bridge between earlier and later stages -承乏,chéng fá,"to accept a position on a provisional basis, in the absence of better qualified candidates (humble expr.)" -承付,chéng fù,to promise to pay -承做,chéng zuò,to undertake; to take on (i.e. to accept a task) -承先启后,chéng xiān qǐ hòu,see 承前啟後|承前启后[cheng2 qian2 qi3 hou4] -承兑,chéng duì,"(commerce) to accept (i.e. acknowledge as calling for payment); to honor (a check, a promise)" -承前启后,chéng qián qǐ hòu,to follow the past and herald the future (idiom); part of a historical transition; forming a bridge between earlier and later stages -承包,chéng bāo,to contract; to undertake (a job) -承包人,chéng bāo rén,contractor -承包商,chéng bāo shāng,contractor -承受,chéng shòu,to bear; to support; to inherit -承受力,chéng shòu lì,tolerance; capability of adapting oneself -承审法官,chéng shěn fǎ guān,trial judge -承平,chéng píng,(successive periods of) peace and prosperity; peaceful -承建,chéng jiàn,to construct under contract -承德,chéng dé,Chengde prefecture-level city in Hebei; also Chengde county -承德市,chéng dé shì,Chengde prefecture-level city in Hebei -承德县,chéng dé xiàn,"Chengde county in Chengde 承德[Cheng2 de2], Hebei" -承应,chéng yìng,to agree; to promise -承托,chéng tuō,to support; to bear (a weight); to prop up -承接,chéng jiē,to receive; to accept; to carry on -承担,chéng dān,to undertake; to assume (responsibility etc) -承揽,chéng lǎn,to contract for an entire project -承望,chéng wàng,"to expect (often in negative combination, I never expected...); to look forward to" -承欢,chéng huān,to cater to sb to make them happy (esp. of one's parents) -承当,chéng dāng,to bear (responsibility); to take on; to assume -承租,chéng zū,to rent; to lease -承租人,chéng zū rén,leaser; tenant -承租方,chéng zū fāng,borrower; leaser; the hiring side of a contract -承籍,chéng jí,to inherit a rank (from a predecessor) -承继,chéng jì,adoption (e.g. of a nephew as a son); to inherit -承蒙,chéng méng,to be indebted (to sb) -承蒙关照,chéng méng guān zhào,to be indebted to sb for care; thank you for looking after me -承袭,chéng xí,to inherit; to follow; to adopt -承认,chéng rèn,"to admit; to concede; to recognize; recognition (diplomatic, artistic etc); to acknowledge" -承认控罪,chéng rèn kòng zuì,guilty plea (law) -承诺,chéng nuò,to promise; to undertake to do something; commitment -承让,chéng ràng,you let me win (said politely after winning a game) -承让人,chéng ràng rén,grantee (law) -承载,chéng zài,to bear the weight; to sustain -承载力,chéng zài lì,carrying capacity -承载量,chéng zài liàng,carrying capacity -承转,chéng zhuǎn,to transmit a document (up or down a chain of bureaucracy) -承办,chéng bàn,to undertake; to accept a contract -承运,chéng yùn,to provide transport; to accept the Mandate of Heaven; to acknowledge one's calling to be emperor -承运人,chéng yùn rén,carrier (of goods etc) -承重,chéng zhòng,"(usu. of a structural component of a building) to bear a load; load-bearing (wall, pillar etc)" -承重孙,chéng zhòng sūn,eldest grandson (to sustain upper storeys of ancestor worship) -承销,chéng xiāo,to underwrite (i.e. guarantee financing); underwriting; to sell as agent; consignee -承销人,chéng xiāo rén,sales agent; salesman; consignee; underwriter -承销价差,chéng xiāo jià chā,underwriting spread -承销利差,chéng xiāo lì chā,underwriting spread -承销品,chéng xiāo pǐn,goods on consignment -承销商,chéng xiāo shāng,underwriting company; dealership; sales agency -承销团,chéng xiāo tuán,underwriting group -承销店,chéng xiāo diàn,dealership -承销货物,chéng xiāo huò wù,goods on consignment -承顺,chéng shùn,to comply with; to submit to -承头,chéng tóu,to take responsibility -技,jì,skill -技俩,jì liǎng,variant of 伎倆|伎俩[ji4 liang3] -技嘉,jì jiā,"GIGABYTE Technology Co., Ltd." -技工,jì gōng,skilled worker -技工学校,jì gōng xué xiào,vocational high school (abbr. to 技校[ji4xiao4]) -技巧,jì qiǎo,skill; technique -技师,jì shī,senior technician; technical expert -技校,jì xiào,vocational high school (abbr. for 技工學校|技工学校[ji4gong1 xue2xiao4] or abbr. for 技術學校|技术学校[ji4shu4 xue2xiao4]) -技法,jì fǎ,technique; method -技痒,jì yǎng,to itch to demonstrate one's skill -技职,jì zhí,technical and vocational (education) -技能,jì néng,technical ability; skill -技艺,jì yì,skill; art -技术,jì shù,"technology; technique; skill; CL:門|门[men2],種|种[zhong3],項|项[xiang4]" -技术人员,jì shù rén yuán,technical staff -技术员,jì shù yuán,technician; CL:個|个[ge4] -技术学校,jì shù xué xiào,vocational high school (abbr. to 技校[ji4xiao4]) -技术官僚,jì shù guān liáo,technocrat -技术性,jì shù xìng,technical; technological -技术所限,jì shù suǒ xiàn,technical limitations -技术指导,jì shù zhǐ dǎo,technical instructor; coach -技术援助,jì shù yuán zhù,technical assistance -技术故障,jì shù gù zhàng,technical breakdown; malfunction -技术方案,jì shù fāng àn,technology program; technical solution -技术标准,jì shù biāo zhǔn,technology standard -技术潜水,jì shù qián shuǐ,technical diving -技术发展,jì shù fā zhǎn,technological development -技术知识,jì shù zhī shi,technical knowledge -技术规范,jì shù guī fàn,technical specification -抃,biàn,to applaud -抃悦,biàn yuè,to clap one's hands in joy -抃掌,biàn zhǎng,to clap; to applaud -抄,chāo,to make a copy; to plagiarize; to search and seize; to raid; to grab; to go off with; to take a shortcut; to make a turning move; to fold one's arms -抄件,chāo jiàn,duplicate (copy) -抄家,chāo jiā,to search a house and confiscate possessions -抄写,chāo xiě,to copy; to transcribe -抄小路,chāo xiǎo lù,to take the back roads; to take the side streets; to take the small paths -抄底,chāo dǐ,(finance) to snap up undervalued stocks; bargain-hunting; bottom-fishing -抄后路,chāo hòu lù,to outflank and attack from the rear -抄手,chāo shǒu,to fold one's arms; copyist; (dialect) wonton -抄本,chāo běn,handwritten copy -抄查,chāo chá,to search and confiscate -抄获,chāo huò,to search and seize -抄经士,chāo jīng shì,copyist; scribe -抄网,chāo wǎng,dip net -抄袭,chāo xí,to plagiarize; to copy; to attack the flank or rear of an enemy -抄身,chāo shēn,to search (a person); to frisk -抄近,chāo jìn,to take a shortcut -抄近儿,chāo jìn er,erhua variant of 抄近[chao1 jin4] -抄近路,chāo jìn lù,to take a shortcut -抄送,chāo sòng,to make a copy (and send it to someone); Cc (for email); Carbon Copy (for email) -抄道,chāo dào,to take a shortcut -抄录,chāo lù,to make a copy of -抄靶子,chāo bǎ zi,(dialect) to do a body search; to frisk -抉,jué,to pick out; to single out -抉搞,jué gǎo,to choose; to expose and censure -抉择,jué zé,to choose (literary) -把,bǎ,"to hold; to grasp; to hold a baby in position to help it urinate or defecate; handlebar; classifier: handful, bundle, bunch; classifier for things with handles; (used to put the object before the verb: 把[ba3] + {noun} + {verb})" -把,bà,handle -把兄弟,bǎ xiōng dì,sworn brothers -把儿,bà er,a handle -把妹,bǎ mèi,to pick up a girl; to get a girl -把子,bà zi,handle -把守,bǎ shǒu,to guard -把尿,bǎ niào,to support a child (or invalid etc) while he or she urinates -把屎,bǎ shǐ,to support a child (or invalid etc) while he or she defecates -把弄,bǎ nòng,to play with; to fiddle with -把式,bǎ shì,person skilled in a trade; skill -把心放在肚子里,bǎ xīn fàng zài dù zi lǐ,(coll.) to be completely at ease -把戏,bǎ xì,acrobatics; jugglery; trick; ploy -把手,bǎ shǒu,to shake hands -把手,bǎ shou,handle; grip; knob -把拔,bǎ bá,daddy -把持,bǎ chí,to control; to dominate; to monopolize -把持不定,bǎ chí bù dìng,indecisive (idiom) -把控,bǎ kòng,to control; to be in charge of -把握,bǎ wò,to grasp (also fig.); to seize; to hold; assurance; certainty; sure (of the outcome) -把方便当随便,bǎ fāng biàn dàng suí biàn,to act unappreciatively in response to a kindness -把柄,bǎ bǐng,handle; (fig.) information that can be used against sb -把玩,bǎ wán,to turn around in one's hands; to play with; to fiddle with -把稳,bǎ wěn,trustworthy; dependable -把立,bǎ lì,stem (bicycle component) -把总,bǎ zǒng,low-level officer of the army from the Ming to the mid Qing Dynasty -把脉,bǎ mài,to feel the pulse; to take sb's pulse -把舵,bǎ duò,"to hold the rudder; to hold (to take, to be at) the helm; to steer" -把袂,bǎ mèi,to have an intimate friendship -把酒,bǎ jiǔ,to raise one's wine cup -把酒言欢,bǎ jiǔ yán huān,to drink and chat merrily (idiom) -把门,bǎ mén,to stand as a goalkeeper; to keep guard on a gate -把关,bǎ guān,to guard a pass; to check on sth -把头,bǎ tóu,labor contractor; gangmaster -把风,bǎ fēng,to keep watch (during a clandestine activity); to be on the lookout -把马子,bǎ mǎ zi,to pick up a girl; to get a girl -抑,yì,to restrain; to restrict; to keep down; or -抑且,yì qiě,(literary) moreover; in addition -抑制,yì zhì,to inhibit; to keep down; to suppress -抑制作用,yì zhì zuò yòng,inhibition -抑制剂,yì zhì jì,suppressant; inhibitor -抑制酶,yì zhì méi,inhibiting enzyme -抑塞,yì sè,to repress; gloomy -抑或,yì huò,or; could it be that...? -抑扬,yì yáng,modulation (rising and falling pitch); intonation; a cadence; to rise and fall (of a body floating in water) -抑扬格,yì yáng gé,iambic -抑扬顿挫,yì yáng dùn cuò,see 頓挫抑揚|顿挫抑扬[dun4 cuo4 yi4 yang2] -抑止,yì zhǐ,to supress; to restrain -抑素,yì sù,chalone (protein inhibiting cell proliferation) -抑郁,yì yù,depressed; despondent; gloomy -抑郁不平,yì yù bù píng,in a state of depression (idiom) -抑郁症,yì yù zhèng,clinical depression -抒,shū,to express; to give expression to; variant of 紓|纾[shu1]; to relieve -抒写,shū xiě,to express (emotions in prose); a written description (of emotions) -抒情,shū qíng,to express emotion; lyric -抒情诗,shū qíng shī,lyric poetry -抒怀,shū huái,to express emotion -抒发,shū fā,to express (an emotion); to give vent -抓,zhuā,to grab; to catch; to arrest; to snatch; to scratch -抓住,zhuā zhù,to grab hold of; to capture -抓伤,zhuā shāng,to injure by scratching or clawing -抓力,zhuā lì,grip -抓功夫,zhuā gōng fu,to maximize one's time; to catch some time out; to find enough time; (also 抓工夫) -抓包,zhuā bāo,to catch sb in the act; (computing) to capture data packets -抓去,zhuā qù,to arrest and take away -抓取,zhuā qǔ,to seize -抓取程序,zhuā qǔ chéng xù,spider or crawler bot (Internet) -抓周,zhuā zhōu,"custom of placing a variety of articles (writing brush, abacus etc) before an infant on its first birthday to see which one he or she picks up (The article chosen is supposed to be an indication of the child's inclinations, future career etc.)" -抓哏,zhuā gén,(of a comedian) to seize on something sb has just said or done to make an ad lib joke -抓地,zhuā dì,grip on the road; roadholding -抓地力,zhuā dì lì,traction -抓大放小,zhuā dà fàng xiǎo,"(PRC, mid-1990s) to restructure the large state-owned enterprises (SOEs) controlled by the central government and privatize smaller SOEs at the local level" -抓奸,zhuā jiān,"to catch a couple in the act (adultery, illicit sexual relations)" -抓嫖,zhuā piáo,(of the police) to hunt prostitutes and their clients -抓子儿,zhuā zǐ er,kids' game involving throwing and grabbing -抓小辫子,zhuā xiǎo biàn zi,to catch sb out -抓工夫,zhuā gōng fu,to maximize one's time; to catch some time out; to find enough time; (also 抓功夫) -抓手,zhuā shǒu,starting point; mechanical hand; gripper -抓拍,zhuā pāi,to capture (an image); to snap (a photo) -抓捕,zhuā bǔ,to seize; to capture -抓搔,zhuā sāo,to scratch an itch -抓挠,zhuā nao,to scratch; to mess about with; to quarrel; to scramble to do; sb or sth that one can rely on -抓狂,zhuā kuáng,to blow one's top; to be driven mad; to become frantic -抓猴,zhuā hóu,"(Tw) to catch an adulterous man in the act (from Taiwanese 掠猴, Tai-lo pr. [lia̍h-kâu])" -抓获,zhuā huò,to arrest -抓痒,zhuā yǎng,to scratch an itch -抓瞎,zhuā xiā,to be caught unprepared -抓紧,zhuā jǐn,to keep a firm grip on; to pay close attention to; to lose no time in (doing sth) -抓紧学习,zhuā jǐn xué xí,to concentrate on studying hard -抓紧时间,zhuā jǐn shí jiān,to waste no time in (doing sth); to hurry up -抓耳挠腮,zhuā ěr náo sāi,"to tweak one's ears and scratch one's cheeks (as an expression of anxiety, delight, frustration etc) (idiom)" -抓举,zhuā jǔ,snatch (weightlifting technique) -抓药,zhuā yào,to make up a prescription (of herbal medicine) -抓贼,zhuā zéi,to catch a thief -抓走,zhuā zǒu,to arrest -抓辫子,zhuā biàn zi,to grab sb by the pigtail; to seize on weak points; to exploit the opponent's shortcomings -抓饭,zhuā fàn,"pilaf (rice dish popular in many parts of the world, including Xinjiang)" -抓饼,zhuā bǐng,"fluffy, flaky pancake (made with dough, not batter)" -抓马,zhuā mǎ,(coll.) (loanword) drama; dramatic -抓阄,zhuā jiū,to draw straws -投,tóu,"to throw (sth in a specific direction: ball, javelin, grenade etc); to cast (a ballot); to cast (a glance, a shadow etc); to put in (money for investment, a coin to operate a slot machine); to send (a letter, a manuscript etc); to throw oneself into (a river, a well etc to commit suicide); to go to; to seek refuge; to place oneself into the hands of; (coll.) to rinse (clothes) in water" -投中,tóu zhòng,to hit the target with one's throw; (basketball) to score -投井下石,tóu jǐng xià shí,to throw stones at sb who has fallen down a well (idiom); to hit a person when he's down -投保,tóu bǎo,to take out insurance; to insure -投保人,tóu bǎo rén,policy holder; insured person -投保方,tóu bǎo fāng,policyholder (insurance) -投光灯,tóu guāng dēng,floodlight -投入,tóu rù,to throw into; to put into; to throw oneself into; to participate in; to invest in; absorbed; engrossed -投其所好,tóu qí suǒ hào,to adapt to sb's taste; to fit sb's fancy -投合,tóu hé,to go well together; to be compatible; to cater to; to please -投壶,tóu hú,"ancient banquet game of throwing arrows into a pot, the winner determined by the number of arrows thrown in, and the loser required to drink as punishment" -投契,tóu qì,to get along well (with sb); congenial; to speculate (on financial markets) -投奔,tóu bèn,to seek shelter; to seek asylum -投宿,tóu sù,to lodge; to stay (for the night) -投寄,tóu jì,to send by post -投射,tóu shè,to throw (a projectile); to cast (light) -投屏,tóu píng,(computing) to mirror one's screen (to another device); screen sharing; screen mirroring -投师,tóu shī,to join a guru for instruction -投币,tóu bì,coin-operated; to insert coins -投币口,tóu bì kǒu,coin slot -投店,tóu diàn,to stop at a hostel -投弹,tóu dàn,to throw an explosive charge; to bomb -投影,tóu yǐng,to project; a projection -投影中心,tóu yǐng zhōng xīn,center of projection -投影仪,tóu yǐng yí,projector -投影图,tóu yǐng tú,perspective drawing -投影几何,tóu yǐng jǐ hé,projective geometry; same as 射影幾何|射影几何 -投影几何学,tóu yǐng jǐ hé xué,projective geometry; same as 射影幾何學|射影几何学 -投影机,tóu yǐng jī,projector -投影片,tóu yǐng piàn,slide used in a presentation (Tw) -投影线,tóu yǐng xiàn,line of project; projection line -投影面,tóu yǐng miàn,plane of projection (in perspective drawing) -投怀送抱,tóu huái sòng bào,to throw oneself in sb's arms; to throw oneself at sb -投手,tóu shǒu,thrower; pitcher; bowler -投拍,tóu pāi,to start shooting (a film); to invest in (a movie); to put (sth) up for auction -投掷,tóu zhì,to throw sth a long distance; to hurl; to throw at; to throw (dice etc); to flip (a coin) -投放,tóu fàng,to input; to throw in; to unload; to put into circulation -投放市场,tóu fàng shì chǎng,to put sth on the market -投敌,tóu dí,to go over to the enemy; to defect -投映,tóu yìng,(of a light source) to cast one's light on; to project (an image) -投书,tóu shū,"to deliver; to send a letter; a letter (of complaint, opinion etc)" -投桃报李,tóu táo bào lǐ,"toss a peach, get back a plum (idiom); to return a favor; to exchange gifts; Scratch my back, and I'll scratch yours." -投案,tóu àn,to surrender to the authorities; to turn oneself in (for a crime) -投标,tóu biāo,to bid; to make a tender -投机,tóu jī,congenial; agreeable; to speculate; to profiteer -投机倒把,tóu jī dǎo bǎ,to engage in speculation and profiteering -投机取巧,tóu jī qǔ qiǎo,"to gain advantage by any means, fair or foul; to be opportunistic; to be full of tricks" -投机者,tóu jī zhě,speculator -投机买卖,tóu jī mǎi mài,to engage in speculative trading -投杀,tóu shā,(sports) (cricket) to bowl a batsman out -投毒,tóu dú,to poison -投注,tóu zhù,to throw one's energies (into an activity); to invest one's emotions (in sth); to bet; betting -投环,tóu huán,variant of 投繯|投缳[tou2 huan2] -投生,tóu shēng,reborn (of departed spirit); to be reincarnated; to leave home for a new life -投产,tóu chǎn,to put into production; to put into operation -投石问路,tóu shí wèn lù,lit. to toss a stone to find out what's ahead (idiom); fig. to test the waters -投硬币,tóu yìng bì,coin-operated; to insert a coin -投票,tóu piào,to vote; vote -投票匦,tóu piào guǐ,ballot box (Tw) -投票地点,tóu piào dì diǎn,voting place -投票机器,tóu piào jī qì,voting machine -投票权,tóu piào quán,suffrage; right to vote -投票率,tóu piào lǜ,proportion of vote; turnout in election -投票站,tóu piào zhàn,polling station (for a vote) -投票箱,tóu piào xiāng,ballot box -投票者,tóu piào zhě,voter -投稿,tóu gǎo,to submit articles for publication; to contribute (writing) -投笔从戎,tóu bǐ cóng róng,to lay down the pen and take up the sword (idiom); to join the military (esp. of educated person) -投篮,tóu lán,to shoot for the basket (basketball) -投篮机,tóu lán jī,arcade basketball machine; miniature hoops -投缘,tóu yuán,to be kindred spirits; to hit it off -投缳,tóu huán,to hang oneself; to commit suicide by hanging -投缳自缢,tóu huán zì yì,to hang oneself (idiom) -投考,tóu kǎo,to sign up for an examination; to apply for admission (to a university etc); to apply (for a position) -投胎,tóu tāi,to be reincarnated -投袂而起,tóu mèi ér qǐ,lit. to shake one's sleeves and rise (idiom); fig. to get excited and move to action -投诉,tóu sù,complaint; to complain; to register a complaint (esp. as a customer) -投诚,tóu chéng,to defect; to surrender; to capitulate -投资,tóu zī,investment; to invest -投资人,tóu zī rén,investor -投资回报率,tóu zī huí bào lǜ,return on investment (ROI) -投资报酬率,tóu zī bào chóu lǜ,return on investment; rate of return -投资家,tóu zī jiā,investor -投资移民,tóu zī yí mín,investment immigration; immigrant investor -投资组合,tóu zī zǔ hé,investment portfolio -投资者,tóu zī zhě,investor -投资风险,tóu zī fēng xiǎn,investment risk -投身,tóu shēn,to throw oneself into sth -投军,tóu jūn,to join up; to enlist (e.g. in the military) -投递,tóu dì,to deliver -投递员,tóu dì yuán,courier; mailman -投错胎,tóu cuò tāi,"to be reincarnated in the wrong womb; (fig.) to be born into unfortunate circumstances (impoverished family, domestic violence etc)" -投开票所,tóu kāi piào suǒ,polling station; CL:處|处[chu4] -投降,tóu xiáng,to surrender -投靠,tóu kào,to rely on help from sb -投鞭断流,tóu biān duàn liú,arms enough to stem the stream (idiom); formidable army -投喂,tóu wèi,to feed (an animal) -投鼠忌器,tóu shǔ jì qì,lit. to refrain from shooting at the rat for fear of breaking the vases (idiom); to not act against an evil so as to prevent harm to innocents -抖,dǒu,to tremble; to shake out; to reveal; to make it in the world -抖内,dǒu nèi,variant of 抖内[dou3 nei4] -抖动,dǒu dòng,to quiver; to vibrate; to shake (sth) -抖搂,dǒu lou,to shake out; to bring to light; to squander -抖擞,dǒu sǒu,to rouse; to invigorate; to enliven; to put sb into high spirits; con brio -抖擞精神,dǒu sǒu jīng shén,to gather one's spirits; to pull oneself together -抖瑟,dǒu sè,to quiver; to shiver; to tremble -抖缩,dǒu suō,to cower; to tremble -抖落,dǒu luò,to shake out -抖音,dǒu yīn,"Douyin, Chinese app for creating and sharing short videos, released in its international version as TikTok" -抗,kàng,to resist; to fight; to defy; anti- -抗倾覆,kàng qīng fù,anticapsizing -抗凝血剂,kàng níng xuè jì,anticoagulant -抗利尿激素,kàng lì niào jī sù,vasopressin (biochemistry) -抗原,kàng yuán,antigen -抗原决定簇,kàng yuán jué dìng cù,antigen determinant (causing immunological response); epitope -抗命,kàng mìng,against orders; to disobey; to refuse to accept orders -抗压,kàng yā,to resist pressure or stress; pressure-resistant -抗坏血酸,kàng huài xuè suān,vitamin C; ascorbic acid -抗性,kàng xìng,resistance; capability of resisting -抗忧郁药,kàng yōu yù yào,antidepressant -抗战,kàng zhàn,"war of resistance, especially the war against Japan (1937-1945)" -抗抑郁药,kàng yì yù yào,antidepressant -抗抗生素,kàng kàng shēng sù,antibiotic resistance -抗拒,kàng jù,to resist; to defy; to oppose -抗捐,kàng juān,to refuse to pay taxes; to boycott a levy -抗击,kàng jī,to resist (an aggressor); to oppose (a menace) -抗敌,kàng dí,to resist the enemy -抗日,kàng rì,to resist Japan (esp. during WW2); anti-Japanese (esp. wartime activities) -抗日战争,kàng rì zhàn zhēng,(China's) War of Resistance against Japan (1937-1945) -抗日救亡团体,kàng rì jiù wáng tuán tǐ,Save the Nation anti-Japanese organization -抗日救亡运动,kàng rì jiù wáng yùn dòng,the Save the Nation Anti-Japanese Protest Movement stemming from the Manchurian railway incident of 18th July 1931 九一八事變|九一八事变 -抗旱,kàng hàn,drought-resistant; to weather a drought -抗核加固,kàng hé jiā gù,nuclear hardening -抗母,kàng mǔ,"(loanword) com (as in ""dot-com"")" -抗毒素,kàng dú sù,antitoxins -抗氧化剂,kàng yǎng huà jì,antioxidant -抗水,kàng shuǐ,waterproof; water resistant -抗洪,kàng hóng,to fight a flood -抗涝,kàng lào,defenses against floods -抗灾,kàng zāi,defense against natural disasters -抗炎性,kàng yán xìng,anti-inflammatory (medicine) -抗争,kàng zhēng,to resist; to make a stand and fight (against) -抗生素,kàng shēng sù,antibiotic -抗病,kàng bìng,disease resistant -抗病毒,kàng bìng dú,antiviral -抗病毒药,kàng bìng dú yào,antivirals -抗癌,kàng ái,anti-cancer -抗直,kàng zhí,unyielding -抗礼,kàng lǐ,to behave informally as equals; not to stand on ceremony -抗税,kàng shuì,to refuse to pay taxes; to boycott taxes -抗精神病,kàng jīng shén bìng,antipsychotic (drug) -抗组织胺,kàng zǔ zhī àn,antihistamine -抗组胺,kàng zǔ àn,antihistamine -抗组胺剂,kàng zǔ àn jì,antihistamine (medicine) -抗组胺药,kàng zǔ àn yào,antihistamine -抗美援朝,kàng měi yuán cháo,"Resist US, help North Korea (1950s slogan)" -抗耐甲氧西林金葡菌,kàng nài jiǎ yǎng xī lín jīn pú jūn,methicillin-resistant Staphylococcus aureus (MRSA) -抗菌,kàng jūn,antibacterial -抗菌素,kàng jūn sù,antibiotic -抗菌药,kàng jūn yào,antibacterial -抗药,kàng yào,drug-resistance (of a pathogen) -抗药性,kàng yào xìng,drug resistance (medicine) -抗药能力,kàng yào néng lì,drug-resistance (of a pathogen) -抗血清,kàng xuè qīng,antiserum -抗衡,kàng héng,to compete with; to vie with; to counter -抗诉,kàng sù,to protest against a verdict; to lodge an appeal -抗议,kàng yì,to protest; protest -抗议者,kàng yì zhě,protester -抗辩,kàng biàn,to counter accusations; to protest; to remonstrate; to retort; to plead; to demur; a plea (of not guilty); a defense (against an allegation); to enter a plea to a charge (in a law court) -抗锯齿,kàng jù chǐ,anti-aliasing -抗震,kàng zhèn,anti-seismic measures; seismic defenses; earthquake resistant -抗震救灾指挥部,kàng zhèn jiù zāi zhǐ huī bù,State Council Earthquake Relief Headquarters -抗震结构,kàng zhèn jié gòu,earthquake-resistant construction -抗体,kàng tǐ,antibody -折,shé,"to snap; to break (a stick, a bone etc); (bound form) to sustain a loss (in business)" -折,zhē,to turn sth over; to turn upside down; to tip sth out (of a container) -折,zhé,to break; to fracture; to snap; to suffer loss; to bend; to twist; to turn; to change direction; convinced; to convert into (currency); discount; rebate; tenth (in price); classifier for theatrical scenes; to fold; accounts book -折中,zhé zhōng,to compromise; to take the middle road; a trade-off; eclectic -折光,zhé guāng,refraction -折兑,zhé duì,to cash; to change gold or silver into money -折刀,zhé dāo,clasp knife; folding knife -折刀儿,zhé dāo er,a clasp knife; a folding knife -折半,zhé bàn,to reduce by fifty percent; half-price -折合,zhé hé,to convert into; to amount to; to be equivalent to -折回,zhé huí,to turn back; to retrace one's steps -折寿,zhé shòu,to have one's life shortened (by excesses etc) -折子戏,zhé zi xì,opera highlights performed as independent pieces -折射,zhé shè,to refract; refraction; to reflect (in the figurative sense: to show the nature of) -折射率,zhé shè lǜ,index of refraction -折戟沉沙,zhé jǐ chén shā,lit. broken halberds embedded in the sand (idiom); fig. reminder of a fierce battle; remnants of a disastrous defeat -折扇,zhé shàn,folding fan -折扣,zhé kòu,discount -折抵,zhé dǐ,to offset -折挫,zhé cuò,to frustrate; to inhibit; to make things difficult -折损,zhé sǔn,"to suffer losses; to lose (some of one's reputation, one's fleet, one's staff etc)" -折断,zhé duàn,to snap sth off; to break -折服,zhé fú,to convince; to subdue; to be convinced; to be bowled over -折本,shé běn,a loss; to lose money -折枝,zhé zhī,massage; snapped-off branch; sprig; to snap a twig (i.e. sth that requires very little effort) -折桂,zhé guì,to win the laurels; to pass an imperial examination; to win a championship -折杀,zhé shā,to not deserve (one's good fortune etc) -折煞,zhé shā,variant of 折殺|折杀[zhe2 sha1] -折现,zhé xiàn,to discount -折现率,zhé xiàn lǜ,discount rate -折叠,zhé dié,"to fold; collapsible; folding (bicycle, antenna, bed etc)" -折叠式,zhé dié shì,folding (i.e. portable) -折叠椅,zhé dié yǐ,folding chair; deck chair -折痕,zhé hén,crease; fold -折皱,zhé zhòu,fold; crease; wrinkle -折磨,zhé mó,to torment; to torture -折秤,shé chèng,discrepancy in weight -折笔,zhé bǐ,against the bristles (brush movement in painting) -折算,zhé suàn,to convert (between currencies) -折节读书,zhé jié dú shū,"to start reading furiously, contrary to previous habit (idiom)" -折箩,zhē luó,mixed dish of the food left over from a banquet -折线,zhé xiàn,broken line (continuous figure made up of straight line segments); polygonal line; dog leg -折线图,zhé xiàn tú,line chart -折缝,zhé féng,welt seam (doubled over and sewed again from topside) -折罪,zhé zuì,to atone for a crime -折耗,shé hào,loss of goods; damage to goods; shrinkage -折耳根,zhé ěr gēn,"chameleon plant; fish mint (Houttuynia cordata), esp. its edible rhizome" -折腰,zhé yāo,to bend at the waist; to bow; (fig.) to bow to; to submit -折旧,zhé jiù,depreciation -折旧率,zhé jiù lǜ,rate of deprecation -折冲樽俎,zhé chōng zūn zǔ,lit. to stop the enemy at the banquet table; fig. to get the better of an enemy during diplomatic functions -折衷,zhé zhōng,variant of 折中[zhe2 zhong1] -折衷主义,zhé zhōng zhǔ yì,eclecticism -折衷鹦鹉,zhé zhōng yīng wǔ,Eclectus roratus (red-green parrot of Papua-New Guinea) -折角,zhé jiǎo,to fold the corner of a page; to dog-ear -折变,zhé biàn,to sell off sth -折跟头,zhē gēn tou,to do a somersault; to turn head over heels -折转,zhé zhuǎn,reflex (angle); to turn back -折返,zhé fǎn,to turn back -折过儿,zhē guò er,to turn over -折钱,shé qián,a loss; to lose money -折头,zhé tou,discount -折腾,zhē teng,"to toss from side to side (e.g. sleeplessly); to repeat sth over and over again; to torment sb; to play crazy; to squander (time, money)" -拗,ào,variant of 拗[ao4] -抨,pēng,attack; impeach -抨击,pēng jī,to attack (verbally or in writing) -披,pī,to drape over one's shoulders; to open; to unroll; to split open; to spread out -披垂,pī chuí,"(of clothes, hair etc) to hang down and cover; to flow down" -披巾,pī jīn,shawl -披挂,pī guà,to put on a suit of armor; to put on dress; to wear -披星带月,pī xīng dài yuè,variant of 披星戴月[pi1 xing1 dai4 yue4] -披星戴月,pī xīng dài yuè,to travel or work through night and day; to toil away for long hours -披甲,pī jiǎ,to don armor -披红,pī hóng,to drape sb in red silk as a sign of honor -披索,pī suǒ,peso (currency in Latin America) (loanword); also written 比索[bi3 suo3] -披肝沥胆,pī gān lì dǎn,lit. to open one's liver and drip gall (idiom); wholehearted loyalty -披肩,pī jiān,cape; shawl; (of long hair) to trail over one's shoulders -披荆斩棘,pī jīng zhǎn jí,lit. to cut one's way through thistles and thorns (idiom); fig. to overcome all obstacles on the way; to break through hardships; to blaze a new trail -披萨,pī sà,pizza (loanword) -披览,pī lǎn,to pore over a book; to look and admire -披阅,pī yuè,to peruse; to browse -披露,pī lù,to reveal; to publish; to make public; to announce -披靡,pī mǐ,to be swept by the wind; to be blown about by the wind; to be routed (in battle etc) -披头四乐团,pī tóu sì yuè tuán,the Beatles -披头士,pī tóu shì,the Beatles (music band) -披头散发,pī tóu sàn fà,with dishevelled hair (idiom); with one's hair down -披风,pī fēng,cloak; cape -披麻带孝,pī má dài xiào,to wear mourning clothes; to be in mourning; also written 披麻戴孝 -披麻戴孝,pī má dài xiào,to wear mourning clothes; to be in mourning; also written 披麻帶孝|披麻带孝 -抬,tái,to lift; to raise; (of two or more persons) to carry -抬杠,tái gàng,to bicker; to argue for the sake of arguing; to carry on poles (together with sb else); to carry a coffin on poles -抬秤,tái chèng,"large steelyard usu. operated by three people – two to lift it using a pole, and one to adjust the counterweight" -抬举,tái ju,"to lift sth up; to elevate sb; to honor sb (with compliments, gifts, promotions etc); to show great regard; to speak highly; Taiwan pr. [tai2 ju3]" -抬起,tái qǐ,to lift up -抬轿子,tái jiào zi,to carry sb in a sedan chair; flatter; sing praises -抬头,tái tóu,"to raise one's head; to gain ground; account name, or space for writing the name on checks, bills etc" -抬头不见低头见,tái tóu bù jiàn dī tóu jiàn,(idiom) (of people in a small town etc) to cross paths regularly -抬高,tái gāo,to raise (price etc) -抱,bào,to hold; to carry (in one's arms); to hug; to embrace; to surround; to cherish; (coll.) (of clothes) to fit nicely -抱不平,bào bù píng,to be outraged by an injustice -抱佛脚,bào fó jiǎo,lit. to clasp the Buddha's feet (without ever having burned incense) (idiom); fig. to profess devotion only when in trouble; panic measures in place of timely preparation -抱团,bào tuán,to band together; to team up -抱大腿,bào dà tuǐ,(coll.) to cling to sb influential or famous -抱定,bào dìng,to hold on firmly; to cling (to a belief); stubbornly -抱屈,bào qū,feel wronged -抱怨,bào yuàn,to complain; to grumble; to harbor a complaint; to feel dissatisfied -抱恨,bào hèn,to have a gnawing regret -抱愧,bào kuì,feel ashamed -抱成一团,bào chéng yī tuán,to band together; to gang up; to stick together -抱打不平,bào dǎ bù píng,see 打抱不平[da3 bao4 bu4 ping2] -抱抱,bào bào,to hug; to give a cuddle -抱抱团,bào bào tuán,Free Hugs Campaign -抱抱装,bào bào zhuāng,"""hug shirt"" worn by members of the Free Hugs Campaign (see 抱抱團|抱抱团[bao4 bao4 tuan2])" -抱拳,bào quán,to cup one's fist in the other hand (as a sign of respect) -抱持,bào chí,"to hold (expectations, hopes etc); to maintain (an attitude etc); to harbor (doubts etc); to clinch (boxing)" -抱摔,bào shuāi,body slam (wrestling move) -抱有,bào yǒu,"to have (aspirations, suspicions etc)" -抱朴子,bào pǔ zǐ,"Baopuzi, collection of essays by Ge Hong 葛洪[Ge3 Hong2] on alchemy, immortality, legalism, society etc" -抱枕,bào zhěn,bolster; a long pillow or cushion -抱歉,bào qiàn,to be sorry; to feel apologetic; sorry! -抱残守缺,bào cán shǒu quē,to cherish the outmoded and preserve the outworn (idiom); conservative; stickler for tradition -抱犊崮,bào dú gù,"Mt Baodugu in Lanling County 蘭陵縣|兰陵县[Lan2 ling2 Xian4] in Linyi 臨沂|临沂[Lin2 yi2], south Shandong" -抱病,bào bìng,to be ill; to be in bad health -抱睡,bào shuì,to hold a baby or child while they sleep; to spoon with one's partner -抱石,bào shí,(sports) bouldering -抱窝,bào wō,(coll.) to incubate; to brood -抱粗腿,bào cū tuǐ,to latch on to the rich and powerful -抱臂,bào bì,to cross one's arms -抱薪救火,bào xīn jiù huǒ,lit. to carry firewood to put out a fire (idiom); fig. to make a problem worse by inappropriate action -抱负,bào fù,aspiration; ambition -抱头,bào tóu,"to put one's hands behind one's head, fingers interlaced; to hold one's head in one's hands (in dismay, fright etc); to cover one's head with one's hands (for protection)" -抱头痛哭,bào tóu tòng kū,to weep disconsolately; to cry on each other's shoulder -抱头鼠窜,bào tóu shǔ cuàn,to cover one's head and sneak away like a rat (idiom); to flee ignominiously -抱头鼠蹿,bào tóu shǔ cuān,to cover one's head and sneak away like a rat (idiom); to flee ignominiously; also written 抱頭鼠竄|抱头鼠窜 -抱养,bào yǎng,to adopt (a child) -抵,dǐ,to press against; to support; to prop up; to resist; to equal; to balance; to make up for; to mortgage; to arrive at; to clap (one's hands) lightly (expressing delight) (Taiwan pr. [zhi3] for this sense) -抵住,dǐ zhù,to resist; to press against; to brace -抵债,dǐ zhài,to repay a debt in kind or by labor -抵偿,dǐ cháng,to compensate; to make good (a financial loss) -抵充,dǐ chōng,to use in payment; to compensate -抵制,dǐ zhì,to resist; to boycott; to refuse (to cooperate); to reject; resistance; refusal -抵岸,dǐ àn,to come ashore -抵扣,dǐ kòu,to deduct (money due) -抵抗,dǐ kàng,to resist; resistance -抵抗力,dǐ kàng lì,resistance; immunity -抵押,dǐ yā,to provide (an asset) as security for a loan; to put up collateral -抵押品,dǐ yā pǐn,security (property held against a loan); mortgaged property -抵押物,dǐ yā wù,collateral (finance) -抵押贷款,dǐ yā dài kuǎn,mortgage loan -抵押贷款危机,dǐ yā dài kuǎn wēi jī,mortgage crisis -抵拒,dǐ jù,to resist; to stand up to -抵挡,dǐ dǎng,to resist; to hold back; to stop; to ward off; to withstand -抵消,dǐ xiāo,to counteract; to cancel out; to offset -抵减,dǐ jiǎn,to claim a credit against; tax reduction -抵牾,dǐ wǔ,to conflict with; to contradict; contradiction -抵用,dǐ yòng,to exchange for (sth of equal value or utility); to use in lieu; to redeem (a coupon etc); to use to offset (an amount owed etc) -抵用券,dǐ yòng quàn,coupon; voucher -抵用金,dǐ yòng jīn,store credit (credit to be spent at a specified retailer) -抵御,dǐ yù,to resist; to withstand -抵罪,dǐ zuì,to be punished for a crime -抵华,dǐ huá,to arrive in China -抵补,dǐ bǔ,to compensate for; to make good -抵触,dǐ chù,to conflict; to contradict -抵账,dǐ zhàng,to repay a debt in kind or by labor -抵赖,dǐ lài,to refuse to admit (what one has done); to disavow; to renege -抵足而眠,dǐ zú ér mián,lit. to live and sleep together (idiom); fig. a close friendship -抵足而卧,dǐ zú ér wò,lit. to live and sleep together (idiom); fig. a close friendship -抵达,dǐ dá,to arrive; to reach (a destination) -抵销,dǐ xiāo,variant of 抵消[di3 xiao1] -抹,mā,to wipe -抹,mǒ,"to smear; to wipe; to erase; classifier for wisps of cloud, light-beams etc" -抹,mò,to plaster; to go around; to skirt -抹一鼻子灰,mǒ yī bí zi huī,lit. to rub one's nose with dust; to suffer a snub; to meet with a rebuff -抹不下脸,mǒ bù xià liǎn,to be unable to keep a straight face (idiom) -抹刀,mǒ dāo,scraper; trowel; putty knife -抹去,mǒ qù,to erase -抹布,mā bù,cleaning rag; also pr. [mo3 bu4] -抹平,mǒ píng,to flatten; to level; to smooth out -抹杀,mǒ shā,to erase; to cover traces; to obliterate evidence; to expunge; to blot out; to suppress -抹油,mǒ yóu,to anoint -抹消,mǒ xiāo,to erase; to wipe -抹灰,mǒ huī,to plaster; to render (a wall); (fig.) to bring shame on; also pr. [mo4 hui1] -抹煞,mǒ shā,variant of 抹殺|抹杀[mo3 sha1] -抹片,mǒ piàn,smear (used for medical test) (Tw) -抹稀泥,mǒ xī ní,see 和稀泥[huo4 xi1 ni2] -抹胸,mò xiōng,"old feminine garment, covering chest and abdomen" -抹脖子,mǒ bó zi,to slit one's own throat; to commit suicide -抹茶,mǒ chá,green tea powder (Japanese: matcha) -抹酱,mǒ jiàng,spread (food) -抹零,mǒ líng,(of a seller) to round down the fractional part of a bill -抹香鲸,mǒ xiāng jīng,sperm whale; cachalot (Physeter macrocephalus) -抹黑,mǒ hēi,to discredit; to defame; to smear sb's name; to bring shame upon (oneself or one's family etc); to blacken (e.g. commando's face for camouflage); to black out or obliterate (e.g. censored words) -抻,chēn,to pull; to stretch; to draw sth out -抻面,chēn miàn,to make noodles by pulling out dough; hand-pulled noodles -押,yā,to mortgage; to pawn; to detain in custody; to escort and protect; (literary) to sign -押宝,yā bǎo,to play yabao (a gambling game); (fig.) to gamble on; to take one's chance; to try one's luck -押平声韵,yā píng shēng yùn,to restrict to even tone (i.e. final rhyming syllable must be classical first or second tone 平聲|平声) -押后,yā hòu,to adjourn; to defer -押沙龙,yā shā lóng,"Absalom, third son of David, king of Israel (Old Testament)" -押注,yā zhù,to bet; to wager -押租,yā zū,rent deposit -押解,yā jiè,"to send away under escort (criminals, goods etc)" -押车,yā chē,"to escort (goods) during transportation; to delay unloading (a truck, train etc)" -押送,yā sòng,to send under escort; to transport a detainee -押运,yā yùn,to escort (goods or funds); to convey under guard -押运员,yā yùn yuán,supercargo (in maritime law); agent responsible for goods; an escort -押金,yā jīn,deposit; down payment -押韵,yā yùn,to rhyme; sometimes written 壓韻|压韵 -押题,yā tí,(in one's study) to focus on the topics one speculates will appear on the exam -抽,chōu,to draw out; to pull out from in between; to remove part of the whole; (of certain plants) to sprout or bud; to whip or thrash -抽中,chōu zhòng,to win (a prize in a lottery) -抽冷子,chōu lěng zi,(coll.) unexpectedly -抽出,chōu chū,to take out; to extract -抽动,chōu dòng,to twitch; to throb; a spasm; to divert (money) to other uses -抽动症,chōu dòng zhèng,Tourette syndrome -抽取,chōu qǔ,"to extract; to remove; to draw (a sales commission, venom from a snake etc)" -抽咽,chōu yè,to sob -抽嘴巴,chōu zuǐ ba,to slap -抽噎,chōu yē,to sob -抽屉,chōu ti,drawer -抽打,chōu dǎ,to whip; to flog; to thrash -抽抽噎噎,chōu chou yē yē,to sob and sniffle -抽插,chōu chā,to slide in and out; thrusting -抽搐,chōu chù,to twitch -抽搭,chōu da,to sob -抽斗,chōu dǒu,drawer -抽时间,chōu shí jiān,to (try to) find the time to -抽查,chōu chá,random inspection; to do a spot check -抽样,chōu yàng,sample; sampling -抽检,chōu jiǎn,sampling; spot check; random test -抽气,chōu qì,to draw air out -抽水,chōu shuǐ,to pump water; (coll.) to shrink in the wash -抽水机,chōu shuǐ jī,water pump -抽水泵,chōu shuǐ bèng,water pump -抽水站,chōu shuǐ zhàn,water pumping station -抽水马桶,chōu shuǐ mǎ tǒng,flush toilet -抽油烟机,chōu yóu yān jī,range hood; kitchen exhaust hood -抽泣,chōu qì,to sob spasmodically -抽烟,chōu yān,to smoke (tobacco) (variant of 抽菸|抽烟[chou1yan1]) -抽奖,chōu jiǎng,to draw a prize; a lottery; a raffle -抽痛,chōu tòng,to throb with pain; throbbing pain; twang; pang; CL:陣|阵[zhen4] -抽税,chōu shuì,to tax; to levy a tax -抽空,chōu kòng,to find the time to do sth -抽筋,chōu jīn,cramp; charley horse; to pull a tendon -抽签,chōu qiān,to perform divination with sticks; to draw lots; a ballot (in share dealing) -抽纸,chōu zhǐ,paper tissue (in a box) -抽丝,chōu sī,to spin silk -抽丝剥茧,chōu sī bō jiǎn,lit. to unwind the silk thread from the cocoon (idiom); fig. to unravel a mystery; to painstakingly follow the clues to eventually get to the bottom of the matter -抽脂,chōu zhī,liposuction -抽烟,chōu yān,to smoke (tobacco) -抽号,chōu hào,to randomly select (as for a lottery); to take a number (for queuing) -抽血,chōu xuè,to take blood; to draw blood (e.g. for a test) -抽认卡,chōu rèn kǎ,flashcard -抽调,chōu diào,to transfer (personnel or material) -抽象,chōu xiàng,abstract; abstraction; CL:種|种[zhong3] -抽象代数,chōu xiàng dài shù,abstract algebra -抽象域,chōu xiàng yù,abstract field (math.) -抽象思维,chōu xiàng sī wéi,abstract thought; logical thinking -抽象词,chōu xiàng cí,abstract word -抽贷,chōu dài,to call in a loan -抽身,chōu shēn,to get away from; to withdraw; to free oneself -抽离,chōu lí,to remove; to step back from involvement; to disengage -抽头,chōu tóu,to take a percentage of the winnings (in gambling); tap (in an electromagnetic coil); drawer (of a desk etc) -抽风,chōu fēng,to ventilate; to induce a draft; spasm; convulsion -抽风机,chōu fēng jī,exhaust fan -抽验,chōu yàn,to test a random sample; to spot-check -抿,mǐn,"to smooth hair with a wet brush; (of a mouth, wing etc) to close lightly; to sip" -抿子,mǐn zi,small hairbrush -拂,bì,old variant of 弼[bi4] -拂,fú,to flick; to brush off; (of a breeze) to brush lightly over; (literary) to run counter to -拂动,fú dòng,"(of a breeze) to make (hair, leaves, clothing etc) sway gently; to ruffle" -拂尘,fú chén,horsetail whisk; duster -拂士,bì shì,attendant to the emperor; wise counselor -拂拭,fú shì,to wipe -拂扫,fú sǎo,whisk -拂晓,fú xiǎo,daybreak; approach of dawn -拂袖而去,fú xiù ér qù,to storm off in a huff (idiom) -拂逆,fú nì,to go against; to do sth contrary to (sb's wishes) -拄,zhǔ,to lean on; to prop on -拆,chāi,to tear open; to tear down; to tear apart; to open -拆下,chāi xià,to dismantle; to take apart -拆借,chāi jiè,to make (or take out) a short-term loan -拆分,chāi fēn,to break up into parts -拆卸,chāi xiè,to dismantle; to take apart -拆字,chāi zì,fortune telling by unpicking Chinese characters -拆家,chāi jiā,"(slang) low-level drug dealer; (slang) (of a pet) to wreck the house (scattering trash, chewing on furniture etc)" -拆封,chāi fēng,to open (sth that has been sealed) -拆息,chāi xī,daily interest on a loan -拆放款,chāi fàng kuǎn,funds on call; invested sum that can be cashed -拆散,chāi sàn,"to break up (a marriage, family etc)" -拆东墙补西墙,chāi dōng qiáng bǔ xī qiáng,lit. pull down the east wall to repair the west wall (idiom); fig. to borrow from Peter to pay Paul -拆东补西,chāi dōng bǔ xī,lit. pull down the east wall to repair the west (idiom); fig. temporary expedient; Rob Peter to pay Paul -拆机,chāi jī,to dismantle a machine; to terminate a telephone service -拆毁,chāi huǐ,to demolish; to tear down -拆洗,chāi xǐ,to unpick and wash (e.g. padded garment) -拆用,chāi yòng,to tear down and reuse; to cannibalize -拆穿,chāi chuān,to expose; to unmask; to see through (a lie etc) -拆线,chāi xiàn,to remove stitches (from a wound) -拆台,chāi tái,(theater) to dismantle the stage; (fig.) to pull the rug out from under sb's feet; to undermine sb's plans -拆解,chāi jiě,to disassemble -拆账,chāi zhàng,to work in an enterprise for a share of the profits -拆迁,chāi qiān,to demolish a building and relocate the inhabitants -拆开,chāi kāi,to dismantle; to disassemble; to open up (sth sealed); to unpick -拆除,chāi chú,to tear down; to demolish; to dismantle; to remove -拆鱼羹,chāi yú gēng,"hand-shredded fish soup, a speciality of Shunde 順德|顺德[Shun4de2]" -拇,mǔ,thumb; big toe -拇囊炎,mǔ náng yán,bunion; hallux valgus -拇外翻,mǔ wài fān,bunion; hallux valgus -拇战,mǔ zhàn,finger-guessing game -拇指,mǔ zhǐ,thumb; big toe -拇指甲,mǔ zhǐ jia,thumbnail -拇趾,mǔ zhǐ,big toe -拇趾外翻,mǔ zhǐ wài fān,bunion; hallux valgus -拈,niān,to nip; to grasp with the fingers; to fiddle with; Taiwan pr. [nian2] -拈指,niān zhǐ,a snap of the fingers; a short moment; in a flash; in the twinkling of an eye -拈花惹草,niān huā rě cǎo,lit. to pick the flowers and trample the grass (idiom); fig. to womanize; to frequent brothels; to sow one's wild oats -拈酸,niān suān,(old) to be jealous -拈香,niān xiāng,burn incense -拉,lā,to pull; to play (a bowed instrument); to drag; to draw; to chat; (coll.) to empty one's bowels -拉丁,lā dīng,Latin; (in former times) to press-gang; to kidnap and force people into service -拉丁化,lā dīng huà,romanization -拉丁字母,lā dīng zì mǔ,Latin alphabet -拉丁文,lā dīng wén,Latin (language) -拉丁文字,lā dīng wén zì,the alphabet; latin letters -拉丁方块,lā dīng fāng kuài,Latin square (math. puzzle) -拉丁美洲,lā dīng měi zhōu,Latin America -拉丁舞,lā dīng wǔ,Latin dance -拉丁语,lā dīng yǔ,Latin (language) -拉下脸,lā xià liǎn,to look displeased; to not be afraid of hurting sb's feelings; to put aside one's pride -拉不出屎来怨茅房,lā bù chū shǐ lái yuàn máo fáng,lit. to blame the toilet because one is having difficulty completing a bowel movement (idiom); fig. to blame others for problems caused by one's own shortcomings -拉交情,lā jiāo qing,to try to form friendly ties with sb for one's own benefit; to suck up to sb -拉什卡尔加,lā shí kǎ ěr jiā,"Lashkar Gah, capital of Helmand province in south Afghanistan" -拉什莫尔山,lā shí mò ěr shān,"Mt Rushmore National Memorial, South Dakota" -拉伸,lā shēn,to draw; to stretch -拉伸强度,lā shēn qiáng dù,tensile strength -拉个手,lā ge shǒu,to hold hands -拉倒,lā dǎo,to pull down; (coll.) to let it go; to drop it -拉伤,lā shāng,to pull; to injure by straining -拉克替醇,lā kè tì chún,"lactitol, a sugar alcohol" -拉入,lā rù,to pull into; to draw in -拉力,lā lì,pulling force; (fig.) allure; (materials testing) tensile strength; (loanword) rally -拉力器,lā lì qì,chest expander (exercise equipment) -拉力赛,lā lì sài,rally (car race) (loanword) -拉动,lā dòng,to pull; (fig.) to stimulate (economic activity); to motivate (people to do sth) -拉勾儿,lā gòu er,to cross little fingers (between children) as a promise -拉包尔,lā bāo ěr,"Rabaul, port city and capital of New Britain, island of northeast Papua New Guinea" -拉匝禄,lā zā lù,Lazarus (Catholic transliteration) -拉卜楞寺,lā bǔ léng sì,"Labrang Monastery, Tibetan: bLa-brang bkra-shis-'khyil, in Xiahe county 夏河縣|夏河县[Xia4 he2 Xian4], Gannan Tibetan Autonomous Prefecture, Gansu, formerly Amdo province of Tibet" -拉取,lā qǔ,(computing) client pull -拉各斯,lā gè sī,Lagos (Nigerian city) -拉合尔,lā hé ěr,Lahore (city in Pakistan) -拉呱,lā gua,(dialect) to chat; to gossip -拉圾,lā jī,variant of 垃圾; trash; refuse; garbage; Taiwan pr. [le4 se4] -拉坯,lā pī,to make ceramics (on a potter's wheel) -拉场子,lā chǎng zi,"(of a performer) to put on a show at an outdoor venue (temple fair, marketplace etc); (fig.) to enhance sb's reputation; to make a name for oneself" -拉大便,lā dà biàn,to poop; to defecate -拉大旗作虎皮,lā dà qí zuò hǔ pí,lit. to wave a banner as if it were a tiger skin (idiom); fig. to borrow sb's prestige; to take the name of a great cause as a shield -拉大条,lā dà tiáo,to defecate (slang) -拉夫,lā fū,to force into service; press-gang -拉夫堡,lā fū bǎo,"Loughborough, English city" -拉夫堡大学,lā fū bǎo dà xué,Loughborough University -拉夫桑贾尼,lā fū sāng jiǎ ní,Akbar Hashemi Rafsanjani -拉夫罗夫,lā fū luó fū,"Lavrov (name); Sergey Viktorovich Lavrov (1950-), Russian diplomat and politician, Foreign minister from 2004" -拉奎拉,lā kuí lā,"L'Aquila, Italy" -拉姆安拉,lā mǔ ān lā,Ramallah -拉姆斯菲尔德,lā mǔ sī fēi ěr dé,"Donald Rumsfeld (1932-), former US Secretary of Defense" -拉孜,lā zī,"Lhazê county, Tibetan: Lha rtse rdzong, in Shigatse prefecture, Tibet" -拉孜县,lā zī xiàn,"Lhazê county, Tibetan: Lha rtse rdzong, in Shigatse prefecture, Tibet" -拉客,lā kè,"to solicit (guests, clients, passengers etc); to importune" -拉家带口,lā jiā dài kǒu,to bear the burden of a household (idiom); encumbered by a family; tied down by family obligations -拉家常,lā jiā cháng,to talk or chat about ordinary daily life -拉尼娜,lā ní nà,"La Niña, equatorial climatic variation over the Eastern Pacific, as opposed to El Niño 厄爾尼諾|厄尔尼诺" -拉尼娅,lā ní yà,Rania (name) -拉屎,lā shǐ,to defecate; to shit; to crap -拉山头,lā shān tóu,to start a clique; to form a faction -拉冈,lā gāng,Lacan (psychoanalyst) -拉巴斯,lā bā sī,"La Paz, administrative capital of Bolivia" -拉巴特,lā bā tè,"Rabat, capital of Morocco" -拉布,lā bù,(Hong Kong) to filibuster -拉布拉多,lā bù lā duō,"Labrador, Canada; Labrador (a breed of dog)" -拉帕斯,lā pà sī,"La Paz, administrative capital of Bolivia, usually written as 拉巴斯" -拉平,lā píng,to bring to the same level; to even up; to flare out; to flatten out -拉后钩儿,lā hòu gōu er,(dialect) to leave unfinished business -拉德,lā dé,rad (unit of absorbed dose of ionizing radiation) (loanword) -拉手,lā shǒu,to hold hands; to shake hands -拉手,lā shou,a handle; to pull on a handle -拉扯,lā che,to drag; to pull; to raise a child (through difficulties); to help; to support; to drag in; to chat -拉扯大,lā che dà,(coll.) to bring up; to rear; to raise -拉抬,lā tái,(Tw) to pull sth up; (fig.) to give a boost to; to support -拉拉,lā lā,"Lala, Philippines" -拉拉,lā lā,lesbian (Internet slang); Labrador retriever -拉拉扯扯,lā lā chě chě,to tug at; to pull at sb aggressively; to take sb's hand or arm in a too familiar way; (derog.) to hobnob; to consort -拉拉蛄,là là gǔ,mole cricket -拉拉队,lā lā duì,cheerleading squad; also written 啦啦隊|啦啦队 -拉撒路,lā sā lù,Lazarus (Protestant transliteration) -拉拢,lā lǒng,to rope in; fig. to involve sb; to entice -拉文克劳,lā wén kè láo,Ravenclaw (Harry Potter) -拉文纳,lā wén nà,Ravenna on the Adriatic coast of Italy -拉斐尔,lā fěi ěr,Raphael -拉斐特,lā fěi tè,Lafayette -拉斯帕尔马斯,lā sī pà ěr mǎ sī,"Las Palmas, Spain" -拉斯穆森,lā sī mù sēn,Rasmussen (name) -拉斯维加斯,lā sī wéi jiā sī,"Las Vegas, Nevada" -拉普拉斯,lā pǔ lā sī,"Pierre Simon Laplace (1749-1827), French mathematician" -拉普兰,lā pǔ lán,Lapland (northern Europe) -拉杆,lā gān,tension bar -拉架,lā jià,to try to stop a fight; to intervene in a fight -拉格朗日,lā gé lǎng rì,"Lagrange (name); Joseph-Louis Lagrange (1735-1813), French mathematician and physicist" -拉格比,lā gé bǐ,Rugby (game); Rugby school in England -拉杆箱,lā gǎn xiāng,rolling suitcase -拉森,lā sēn,"(name) Larson, Larsen, Larsson or Lassen etc" -拉比,lā bǐ,rabbi (loanword) -拉沙病毒,lā shā bìng dú,Lassa virus -拉法格,lā fǎ gé,"Lafargue (name); Paul Lafargue (1842-1911), French socialist and revolutionary activist, son-in-law of Karl Marx" -拉法兰,lā fǎ lán,"Raffarin, prime minister of France under Jacques Chirac" -拉法赫,lā fǎ hè,"Rafah, city in Palestine" -拉活,lā huó,(northern dialect) to pick up a fare (as a taxi driver); to pick up a piece of work (as a courier) -拉尔夫,lā ěr fū,Ralph (name) -拉尔维克,lā ěr wéi kè,"Larvik (city in Vestfold, Norway)" -拉狄克,lā dí kè,"Karl Berngardovich Radek (1885-1939), Bolshevik and Comintern leader, first president of Moscow Sun Yat-sen University, died in prison during Stalin's purges" -拉环,lā huán,pull tab (on a drink can); strap handle (on a bus or train); ring-shaped door handle -拉瓦尔,lā wǎ ěr,Laval (name) -拉瓦锡,lā wǎ xī,"Antoine Lavoisier (1743-1794), French nobleman and scientist, considered the father of modern chemistry" -拉生意,lā shēng yì,to tout; to solicit customers -拉登,lā dēng,"(Osama) bin Laden (1957-2011), leader of Al Qaeda" -拉白布条,lā bái bù tiáo,to hold up a white banner (i.e. to protest) -拉皮,lā pí,to have a facelift; facelift -拉皮条,lā pí tiáo,to procure; to act as pimp -拉碴,lā chā,(of beard etc) stubbly; scraggly; unkempt -拉祜族,lā hù zú,Lahu ethnic group of Yunnan -拉票,lā piào,to campaign for votes; to ask voters for support -拉科鲁尼亚,lā kē lǔ ní yà,"La Coruña or A Coruña (city in Galicia, Spain)" -拉稀,lā xī,(coll.) to have diarrhea; to shrink back; to cower -拉筋,lā jīn,stretching (exercise) -拉管,lā guǎn,trombone -拉米夫定,lā mǐ fū dìng,"Lamivudine, reverse transcriptase inhibitor marketed by GlaxoSmithKline and widely used in the treatment of hepatitis B and AIDS; brand names include Zeffix, Heptovir, Epivir and Epivir-HBV" -拉纳卡,lā nà kǎ,Larnaca (city in Cyprus); Larnaka -拉丝模,lā sī mó,die (i.e. tool for cutting wire to a given diameter) -拉紧,lā jǐn,to pull tight; tensioning -拉练,lā liàn,"(military) to undergo field training (camping, bivouacking, route marching, live fire practice etc); (sports) to get into peak condition by competing overseas" -拉美,lā měi,Latin America; abbr. for 拉丁美洲 -拉美西斯,lā měi xī sī,Rameses (name of pharaoh) -拉肚子,lā dù zi,(coll.) to have diarrhea -拉脱维亚,lā tuō wéi yà,Latvia -拉兹莫夫斯基,lā zī mò fū sī jī,"Razumovsky (name); Prince Andrey Kirillovich Razumovsky (1752-1836), Russian diplomat" -拉茶,lā chá,"teh tarik, an Indian-style tea with milk" -拉莫斯,lā mò sī,(Philippine President Fidel) Ramos -拉菲草,lā fēi cǎo,raffia (loanword) -拉盖尔,lā gài ěr,"Laguerre (name); Edmond Laguerre (1834-1886), French mathematician" -拉萨,lā sà,"Lhasa, capital city of Tibet Autonomous Region 西藏自治區|西藏自治区[Xi1 zang4 Zi4 zhi4 qu1]" -拉萨市,lā sà shì,"Lhasa, Tibetan: Lha sa grong khyer, capital of Tibet Autonomous Region 西藏自治區|西藏自治区[Xi1 zang4 Zi4 zhi4 qu1]" -拉萨条约,lā sà tiáo yuē,Treaty of Lhasa (1904) between British empire and Tibet -拉制,lā zhì,drawing (manufacturing process in which hot metal or glass is stretched) -拉话,lā huà,(dialect) to chat -拉贾斯坦邦,lā jiǎ sī tǎn bāng,Rajasthan (state in India) -拉赫曼尼诺夫,lā hè màn ní nuò fū,"Rachmaninoff or Rachmaninov (name); Sergei Rachmaninoff (1873-1943), Russian composer and pianist" -拉辛,lā xīn,"Jean Racine (1639-1699), French dramatist" -拉近,lā jìn,to pull sb close to oneself; (fig.) (typically followed by 距離|距离[ju4 li2]) to bridge (the distance between people) (i.e. to build a closer relationship) -拉近距离,lā jìn jù lí,to bring (people) closer together -拉达克,lā dá kè,"Ladakh, the eastern part of Jammu and Kashmir in northwest India, adjacent to Kashmir and Tibet, know as ""Little Tibet""" -拉那烈,lā nà liè,"Prince Norodom Ranariddh (1944-), Cambodian politician and son of former King Sihanouk of Cambodia" -拉里,lā lǐ,lari (currency of Georgia) (loanword) -拉铆枪,lā mǎo qiāng,see 鉚釘槍|铆钉枪[mao3 ding1 qiang1] -拉钩,lā gōu,pinky swear -拉锯,lā jù,a two-man saw; fig. to-and-fro between two sides -拉锯战,lā jù zhàn,to-and-fro tussle; closely-fought contest -拉锁,lā suǒ,zipper -拉链,lā liàn,zipper -拉长,lā cháng,to lengthen; to pull sth out longer -拉长脸,lā cháng liǎn,to pull a long face; to scowl -拉开,lā kāi,to pull open; to pull apart; to space out; to increase -拉开序幕,lā kāi xù mù,(fig.) to raise the curtain; to lift the curtain; to be a curtain raiser for -拉开架势,lā kāi jià shi,to assume a fighting stance; (fig.) to take the offensive -拉关系,lā guān xì,to seek contact with sb for one's own benefit; to suck up to sb -拉杂,lā zá,disorganized; rambling; incoherent -拉青格,lā qīng gé,Ratzinger (German surname of Pope Benedict XVI) -拉顿,lā dùn,"Rodan (Japanese ラドン Radon), Japanese movie monster" -拉风,lā fēng,trendy; eye-catching; flashy -拉马丹,lā mǎ dān,Ramadan (loanword) -拉马特甘,lā mǎ tè gān,"Ramat Gan, city in Israel, location of Bar-Ilan University" -拉高,lā gāo,to pull up -拉鲁,lā lǔ,"Lhalu, Tibetan name and place name; Lhalu Tsewang Dorje (1915-2011), Tibetan pro-Chinese politician; Lhalu suburb of Lhasa" -拉鲁湿地国家自然保护区,lā lǔ shī dì guó jiā zì rán bǎo hù qū,Lhalu Wetland National Nature Reserve in Lhasa -拉面,lā miàn,pulled noodles; ramen -拉黑,lā hēi,"to add sb to one's blacklist (on a cellphone, or in instant messaging software etc); abbr. for 拉到黑名單|拉到黑名单" -拉齐奥,lā qí ào,Lazio (region in Italy) -拊,fǔ,pat -拊掌,fǔ zhǎng,to clap hands -拊髀,fǔ bì,to slap one's own buttocks in excitement or despair -抛,pāo,to throw; to toss; to fling; to cast; to abandon -抛下,pāo xià,to throw down; to dump; to abandon; thrown down -抛下锚,pāo xià máo,to drop anchor -抛光,pāo guāng,to polish; to burnish -抛出,pāo chū,to toss; to throw out -抛却,pāo què,to discard -抛售,pāo shòu,to dump (selling abroad more cheaply than cost price at home) -抛媚眼,pāo mèi yǎn,to throw amorous or flirtatious glances at sb (esp. of a woman) -抛射,pāo shè,to throw; to shoot -抛射物,pāo shè wù,projectile -抛射体,pāo shè tǐ,projectile -抛撒,pāo sǎ,to sprinkle -抛掷,pāo zhì,to throw; to toss -抛散,pāo sàn,to scatter; to disperse -抛弃,pāo qì,to abandon; to discard; to renounce; to dump (sb) -抛洒,pāo sǎ,to drip; to flow out; to sprinkle -抛物线,pāo wù xiàn,parabola -抛物面,pāo wù miàn,(geometry) paraboloid -抛生耦,pāo shēng ǒu,to entice an inexperienced man -抛砖,pāo zhuān,to get the ball rolling (abbr. for 拋磚引玉|抛砖引玉[pao1 zhuan1 yin3 yu4]) -抛砖引玉,pāo zhuān yǐn yù,lit. throw out a brick and get jade thrown back (idiom); fig. to attract others' interest or suggestions by putting forward one's own modest ideas to get the ball rolling -抛空,pāo kōng,to short-sell (finance) -抛绣球,pāo xiù qiú,throwing the embroidered ball (traditional Zhuang flirting game at festivals); (fig.) to make overtures; to court -抛脸,pāo liǎn,to lose face; humiliation -抛荒,pāo huāng,to lie idle (of arable land); fig. rusty because of lack of practice -抛补,pāo bǔ,cover (i.e. insurance against loss in financial deals) -抛补套利,pāo bǔ tào lì,covered arbitrage -抛费,pāo fèi,to waste; to squander -抛锚,pāo máo,to drop anchor; (fig.) (of a car etc) to break down -抛开,pāo kāi,to throw out; to get rid of -抛离,pāo lí,to desert; to leave; to forsake -抛头露面,pāo tóu lù miàn,to put oneself out in the public eye (said of sb for whom doing so is deemed unseemly) -抛体,pāo tǐ,projectile -拌,bàn,to mix; to mix in; to toss (a salad) -拌和,bàn huò,to mix and stir; to blend -拌嘴,bàn zuǐ,to bicker; to squabble; to quarrel -拌嘴斗舌,bàn zuǐ dòu shé,to quarrel -拌炒,bàn chǎo,to stir-fry -拌种,bàn zhǒng,seed dressing -拌蒜,bàn suàn,to stagger (walk unsteadily) -拌饭,bàn fàn,bibimbap (Korean cuisine) -拌面,bàn miàn,"noodles served with soy sauce, sesame butter etc" -拍,pāi,to pat; to clap; to slap; to swat; to take (a photo); to shoot (a film); racket (sports); beat (music) -拍出,pāi chū,to sell at auction; to reach a given price at auction -拍婆子,pāi pó zi,to chase girls; to hang around with girls -拍子,pāi zi,beat (music); paddle-shaped object (flyswatter etc); racket (sports) -拍客,pāi kè,"citizen journalist (typically posting short, self-produced documentary videos on the Web)" -拍岸,pāi àn,to beat against the shore (of waves) -拍戏,pāi xì,to shoot a movie -拍手,pāi shǒu,to clap one's hands -拍打,pāi da,to pat; to slap; (of a bird) to flap (one's wings) -拍拍屁股走人,pāi pāi pì gu zǒu rén,to make oneself scarce; to slip away; to take French leave -拍拖,pāi tuō,(dialect) to date sb -拍击,pāi jī,to smack; to beat -拍摄,pāi shè,to take (a picture); to shoot (a film) -拍板,pāi bǎn,clapper-board; auctioneer's hammer; to beat time with clappers -拍案,pāi àn,"lit. to slap the table (in amazement, praise, anger, resentment etc); fig. astonishing!, wonderful!, dreadful! etc" -拍案叫绝,pāi àn jiào jué,lit. slap the table and shout with praise (idiom); fig. wonderful!; amazing!; great! -拍案而起,pāi àn ér qǐ,lit. to slap the table and stand up (idiom); fig. at the end of one's tether; unable to take it any more -拍案惊奇,pāi àn jīng qí,to slap the table in amazement (idiom); wonderful!; amazing! -拍档,pāi dàng,partner -拍演,pāi yǎn,(dialect) to perform; to act (in a play etc) -拍照,pāi zhào,to take a picture -拍片,pāi piàn,to shoot a film; to have a medical imaging procedure -拍发,pāi fā,to send; to cable (a telegram) -拍砖,pāi zhuān,(slang) to throw brickbats; to criticize harshly -拍立得,pāi lì dé,Polaroid (Tw) -拍纸簿,pāi zhǐ bù,writing pad -拍胸脯,pāi xiōng pú,to vouch for -拍号,pāi hào,time signature (music) -拍卖,pāi mài,to auction; auction sale; to sell at a reduced price -拍卖商,pāi mài shāng,auctioneer; auction house -拍卖会,pāi mài huì,auction; CL:場|场[chang3] -拍电,pāi diàn,to send a telegram -拍电影,pāi diàn yǐng,to make a movie -拍马,pāi mǎ,"to urge on a horse by patting its bottom; fig. to encourage; same as 拍馬屁|拍马屁, to flatter or toady" -拍马屁,pāi mǎ pì,to flatter; to fawn on; to butter sb up; toadying; bootlicking -拍马者,pāi mǎ zhě,flatterer; toady -拍黄瓜,pāi huáng guā,smashed cucumber salad -拍点,pāi diǎn,(music) beat -拎,līn,to lift up; to carry in one's hand; Taiwan pr. [ling1] -拎包,līn bāo,handbag or shopping bag (dialect) -拎包党,līn bāo dǎng,(coll.) purse snatcher -拎起,līn qǐ,to pick up (from the ground with one's hands) -拿,ná,variant of 拿[na2] -拐,guǎi,to turn (a corner etc); to kidnap; to swindle; to misappropriate; seven (used as a substitute for 七[qi1]); variant of 枴|拐[guai3] -拐子,guǎi zi,crutch; (derog.) lame person; kidnapper -拐弯,guǎi wān,to go round a curve; to turn a corner; fig. a new direction -拐弯儿,guǎi wān er,erhua variant of 拐彎|拐弯[guai3 wan1] -拐弯抹角,guǎi wān mò jiǎo,lit. going round the curves and skirting the corners (idiom); fig. to speak in a roundabout way; to equivocate; to beat about the bush -拐弯处,guǎi wān chù,corner; bend -拐杖,guǎi zhàng,crutches; crutch; walking stick -拐棍,guǎi gùn,cane; walking stick -拐角,guǎi jiǎo,to turn a corner; corner -拐角处,guǎi jiǎo chù,street corner -拐卖,guǎi mài,human trafficking; to abduct and sell; to kidnap and sell -拐骗,guǎi piàn,swindle; abduct -拐点,guǎi diǎn,"turning point; breaking point; inflexion point (math., a point of a curve at which the curvature changes sign)" -拑,qián,pliers; pincers; to clamp -拒,jù,to resist; to repel; to refuse -拒不接受,jù bù jiē shòu,refusing to accept -拒之门外,jù zhī mén wài,to lock one's door and refuse to see sb -拒付,jù fù,to refuse to accept a payment; to refuse to pay; to stop (a check or payment) -拒保,jù bǎo,to refuse to insure; to exclude from insurance coverage -拒捕,jù bǔ,to resist arrest -拒接,jù jiē,to reject; to refuse to take a call -拒收,jù shōu,to reject; to refuse to accept -拒斥,jù chì,to reject -拒签,jù qiān,to refuse (a visa application etc) -拒绝,jù jué,to refuse; to decline; to reject -拒腐防变,jù fǔ fáng biàn,to fight corruption and forestall moral degeneration -拒载,jù zài,to refuse to take a passenger (of taxi) -拒马,jù mǎ,cheval de frise (a type of barrier) -拓,tuò,surname Tuo -拓,tà,to make a rubbing (e.g. of an inscription) -拓,tuò,to expand; to push sth with the hand; to develop; to open up -拓印,tà yìn,stone rubbing (to copy an inscription) -拓宽,tuò kuān,to broaden -拓展,tuò zhǎn,"to expand (one's client base, outlook etc)" -拓展坞,tuò zhǎn wù,(computing) hub; dock -拓展视野,tuò zhǎn shì yě,to broaden one's horizons -拓展训练,tuò zhǎn xùn liàn,outdoor education program -拓拔,tuò bá,"branch of the Xianbei 鮮卑|鲜卑 nomadic people, founders of Wei 北魏 of the Northern Dynasties (386-534); also written 拓跋" -拓扑,tuò pū,(math.) (loanword) topology -拓扑学,tuò pū xué,(math.) topology -拓扑空间,tuò pū kōng jiān,(math.) topological space -拓扑结构,tuò pū jié gòu,topological structure -拓本,tà běn,rubbing of inscription -拓片,tà piàn,rubbings from a tablet -拓荒,tuò huāng,to open up land (for agriculture) -拓荒者,tuò huāng zhě,pioneer; groundbreaker -拓跋,tuò bá,"branch of the Xianbei 鮮卑|鲜卑 nomadic people, founders of Wei 北魏 of the Northern Dynasties (386-534); also written 拓拔" -拓跋魏,tuò bá wèi,Wei of the Northern Dynasties (386-534) -拔,bá,to pull up; to pull out; to draw out by suction; to select; to pick; to stand out (above level); to surpass; to seize -拔出萝卜带出泥,bá chū luó bo dài chū ní,"lit. when you pull a radish out of the ground, some dirt comes up with it (idiom); fig. to uncover, during the investigation of a crime, evidence of other crimes; to cause further problems while working on a problem" -拔刀相助,bá dāo xiāng zhù,"see 路見不平,拔刀相助|路见不平,拔刀相助[lu4 jian4 bu4 ping2 , ba2 dao1 xiang1 zhu4]" -拔取,bá qǔ,to pick out; to select and recruit; to pluck; to pull -拔地,bá dì,to rise steeply from level ground -拔尖,bá jiān,top-notch (colloquial); to push oneself to the front -拔尖儿,bá jiān er,erhua variant of 拔尖[ba2 jian1] -拔掉,bá diào,to pluck; to pull off; to pull out; to unplug -拔擢,bá zhuó,select the best people for promotion -拔染,bá rǎn,discharge -拔根,bá gēn,(lit. and fig.) to uproot -拔根汗毛比腰粗,bá gēn hàn máo bǐ yāo cū,lit. a hair plucked from (person A) would be thicker than (person B)'s waist (idiom); fig. A is far richer (or more powerful) than B; (used in a pattern such as A拔根汗毛比B的腰粗[A ba2 gen1 han4 mao2 bi3 B de5 yao1 cu1]) -拔毒,bá dú,draw out pus by applying a plaster to the affected area -拔毛,bá máo,to pull out hair; to pluck; epilation -拔毛连茹,bá máo lián rú,lit. pull up a plant and the roots follow (idiom); fig. also involving others; inextricably tangled together; Invite one and he'll tell all his friends. -拔河,bá hé,tug-of-war; to take part in a tug-of-war -拔海,bá hǎi,elevation (above sea level) -拔凉拔凉,bá liáng bá liáng,(dialect) very cold; chilled -拔火罐,bá huǒ guàn,(TCM) to cup; to give a cupping treatment; short detachable stove chimney used to help draw fire -拔火罐儿,bá huǒ guàn er,erhua variant of 拔火罐[ba2 huo3 guan4] -拔营,bá yíng,to strike camp -拔牙,bá yá,to extract a tooth -拔示巴,bá shì bā,"Bathsheba, wife of Uriah the Hittite and later of David (according to the Hebrew Bible)" -拔秧,bá yāng,to pull up seedlings (for transplanting) -拔节,bá jié,jointing (agriculture) -拔节期,bá jié qī,elongation stage; jointing stage (agriculture) -拔丝,bá sī,wire drawing; candied floss (cooking); spun sugar or toffee (coating) -拔罐,bá guàn,"cupping glass; fire cupping (acupressure technique of Chinese medicine, with fired vacuum cup applied to the skin); ventouse (vacuum method used in obstetrics)" -拔罐子,bá guàn zi,cupping technique used in TCM -拔罐法,bá guàn fǎ,"fire cupping (acupressure technique of Chinese medicine, with fired vacuum cup applied to the skin); ventouse (vacuum method used in obstetrics)" -拔群,bá qún,outstanding; exceptionally good -拔腿,bá tuǐ,to break into a run -拔苗助长,bá miáo zhù zhǎng,to spoil things through excessive enthusiasm (idiom) -拔茅茹,bá máo rú,lit. pull up a plant and the roots follow; fig. also involving others; inextricably tangled together; Invite one and he'll tell all his friends. -拔茅连茹,bá máo lián rú,lit. pull up a plant and the roots follow (idiom); fig. also involving others; inextricably tangled together; Invite one and he'll tell all his friends. -拔萃,bá cuì,to distinguish oneself; to be of outstanding talent -拔钉锤,bá dīng chuí,claw hammer -拔锚,bá máo,to weigh anchor -拔除,bá chú,to pull out; to remove -拔顶,bá dǐng,topping (mining) -拔高,bá gāo,to raise (one's voice); to overrate; to build up; to stand out; outstanding -拖,tuō,variant of 拖[tuo1] -拖,tuō,to drag; to tow; to trail; to hang down; to mop (the floor); to delay; to drag on -拖下水,tuō xià shuǐ,lit. to pull sb into the water; to involve sb in a messy business; to get sb into trouble -拖人下水,tuō rén xià shuǐ,lit. to pull sb into the water; fig. to involve sb in a messy business; to get sb into trouble -拖住,tuō zhù,to hold up; to hinder; to stall -拖债,tuō zhài,to default on a debt -拖儿带女,tuō ér dài nǚ,supporting a wife and children; dragged down by having a family to feed -拖动,tuō dòng,to drag; to tow; (computing) to drag (mouse operation) -拖动力,tuō dòng lì,motive force; traction -拖吊,tuō diào,to tow (a car) -拖吊车,tuō diào chē,tow truck -拖地,tuō dì,to mop the floor; (of a gown etc) to trail on the ground; full-length -拖地板,tuō dì bǎn,to mop the floor -拖垮,tuō kuǎ,to drag down; to bring down -拖堂,tuō táng,to drag out a lesson; to insist on extending class after the bell -拖字诀,tuō zì jué,delaying tactics -拖宕,tuō dàng,to delay; to postpone -拖家带口,tuō jiā dài kǒu,dragged down by having a family to feed -拖尾巴,tuō wěi ba,to obstruct; to be a drag on sb; to delay finishing off a job -拖布,tuō bù,mop -拖带,tuō dài,traction; towing; pulling -拖延,tuō yán,to delay; to put off; to procrastinate -拖延战术,tuō yán zhàn shù,delaying tactics; deliberate procrastination -拖延时间,tuō yán shí jiān,to procrastinate; to stall for time; to filibuster -拖延症,tuō yán zhèng,procrastination -拖后腿,tuō hòu tuǐ,to impede; to obstruct; to hold back -拖慢,tuō màn,to retard; to slow sth down -拖把,tuō bǎ,mop -拖拉,tuō lā,"to drag along; to haul; (fig.) to procrastinate; shilly-shallying; sluggish; (computing) drag and drop; (loanword) tola, unit of weight, approx. 11.664 grams" -拖拉机,tuō lā jī,tractor; CL:臺|台[tai2] -拖拖拉拉,tuō tuō lā lā,to procrastinate -拖拖沓沓,tuō tuō tà tà,dragging one's feet -拖拽,tuō yè,to pull; to drag; to haul -拖挂,tuō guà,to pull; to tow -拖挂车,tuō guà chē,18-wheeler; big rig; semi-trailer -拖放,tuō fàng,drag-and-drop (computing) -拖斗,tuō dǒu,small open trailer -拖曳,tuō yè,to pull; to drag; to haul -拖曳伞,tuō yè sǎn,parasail -拖曳机,tuō yè jī,tractor -拖欠,tuō qiàn,in arrears; behind in payments; to default on one's debts -拖欧,tuō ōu,"to go through a difficult and protracted process in withdrawing from the EU, as in the case of Brexit (a play on 脫歐|脱欧[tuo1 Ou1])" -拖沓,tuō tà,dilatory; sluggish; muddled; roundabout -拖油瓶,tuō yóu píng,(derog.) (of a woman) to bring one's children into a second marriage; children by a previous marriage -拖泥带水,tuō ní dài shuǐ,lit. wading in mud and water; a slovenly job; sloppy -拖牵索道,tuō qiān suǒ dào,anchor lift (ski-lift) -拖磨,tuō mó,dawdling; to waste time -拖移,tuō yí,to tow; (computing) to drag -拖累,tuō lěi,to encumber; to be a burden on; to implicate -拖累症,tuō lěi zhèng,codependency (psychology) -拖网,tuō wǎng,dragnet; trawl; trawlnet -拖船,tuō chuán,tugboat; boat towed by a tugboat; to tow a boat -拖行,tuō xíng,to drag; to tow -拖走,tuō zǒu,to drag away -拖车,tuō chē,to tow; towed vehicle; towing vehicle -拖车头,tuō chē tóu,trailer truck -拖轮,tuō lún,tugboat -拖进,tuō jìn,to drag in -拖链,tuō liàn,cable carrier (used to protect cables and hoses attached to a machine); tow chain -拖长,tuō cháng,to lengthen; to drag out -拖雷,tuō léi,"Tolui (1193-1232), fourth son of Genghis Khan" -拖鞋,tuō xié,"slippers; sandals; flip-flops; CL:雙|双[shuang1],隻|只[zhi1]" -拖鞋面包,tuō xié miàn bāo,ciabatta (Tw) -拖驳,tuō bó,barge; lighter (pulled by a tugboat) -拗,ào,to bend in two so as to break; to defy; to disobey; also pr. [ao3] -拗,niù,stubborn; obstinate -拗不过,niù bu guò,can't persuade; unable to make (sb) change their mind; unable to resist (sb) -拗口,ào kǒu,hard to pronounce; awkward-sounding -拗口令,ào kǒu lìng,tongue twister -拗断,ǎo duàn,to break by twisting -拘,jū,to capture; to restrain; to constrain; to adhere rigidly to; inflexible -拘传,jū chuán,subpoena; to summon (for questioning) -拘囚,jū qiú,to imprison; prisoner -拘执,jū zhí,rigid; inflexible -拘守,jū shǒu,to hold tight; to cling to; to adhere; stubborn; to detain sb as prisoner -拘役,jū yì,detention -拘忌,jū jì,to have scruples; to have misgivings -拘押,jū yā,to arrest; to take into custody -拘押营,jū yā yíng,detention center; prison camp -拘拿,jū ná,to arrest -拘捕,jū bǔ,to arrest -拘挛,jū luán,cramps; muscular spasm; fig. constrained; ill at ease -拘挛儿,jū luán er,erhua variant of 拘攣|拘挛[ju1 luan2] -拘束,jū shù,to restrict; to restrain; constrained; awkward; ill at ease; uncomfortable; reticent -拘束衣,jū shù yī,straightjacket -拘检,jū jiǎn,restrained and cautious -拘泥,jū nì,to be a stickler for formalities; to rigidly adhere to; to cling to; constrained; ill at ease -拘牵,jū qiān,restrained; confined -拘留,jū liú,to detain (a prisoner); to keep sb in custody -拘留所,jū liú suǒ,detention center; prison -拘票,jū piào,warrant (for arrest) -拘禁,jū jìn,constraint; to detain; to take into custody -拘礼,jū lǐ,to stand on ceremony; punctilious -拘谨,jū jǐn,reserved; overcautious -拘迂,jū yū,inflexible; stubborn -拙,zhuō,awkward; clumsy; dull; inelegant; (polite) my; Taiwan pr. [zhuo2] -拙作,zhuō zuò,my unworthy manuscript (humble expr.); my humble writing -拙劣,zhuō liè,clumsy; botched -拙嘴笨舌,zhuō zuǐ bèn shé,lit. clumsy mouth and broken tongue (idiom); awkward speaker -拙政园,zhuō zhèng yuán,"Humble Administrator's Garden in Suzhou, Jiangsu" -拙于言词,zhuō yú yán cí,to be unable to express oneself clearly (idiom) -拙朴,zhuō pǔ,austere; humble -拙涩,zhuō sè,clumsy and incomprehensible; botched writing -拙直,zhuō zhí,simple and frank -拙稿,zhuō gǎo,my unworthy manuscript (humble expr.); my humble writing -拙笨,zhuō bèn,clumsy; awkward; lacking skill -拙笔,zhuō bǐ,my clumsy writing (humble expr.); my humble pen -拙荆,zhuō jīng,my wife (humble) -拙著,zhuō zhù,my unworthy writing (humble expr.); my worthless manuscript -拙见,zhuō jiàn,my unworthy opinion (humble expr.) -拚,pàn,to strive for; to struggle; to disregard; to reject -拚,pīn,variant of 拼[pin1] -拚去,pàn qù,to reject; to abandon -拚命,pàn mìng,see 拼命[pin1 ming4] -拚弃,pàn qì,to abandon; to discard; to throw away -拚死,pàn sǐ,to risk one's life -拚财,pàn cái,to make rash speculations -拚贴,pīn tiē,pastiche; collage; also written 拼貼|拼贴 -拚除,pàn chú,to reject; to abandon -招,zhāo,to recruit; to provoke; to beckon; to incur; to infect; contagious; a move (chess); a maneuver; device; trick; to confess -招人,zhāo rén,to be infectious; to recruit -招人喜欢,zhāo rén xǐ huan,charming; attractive; delightful -招来,zhāo lái,to attract; to incur -招供,zhāo gòng,to confess -招兵,zhāo bīng,to recruit soldiers -招兵买马,zhāo bīng mǎi mǎ,lit. to recruit soldiers and buy horses (idiom); fig. to raise an army; to recruit new staff -招募,zhāo mù,to recruit; to enlist -招呼,zhāo hu,to call out to; to greet; to say hello to; to inform; to take care of; to take care that one does not -招呼站,zhāo hu zhàn,request bus stop -招商,zhāo shāng,to seek investment or funding; investment promotion -招商引资,zhāo shāng yǐn zī,investment promotion -招唤,zhāo huàn,to call; to summon -招嫖,zhāo piáo,(of a sex worker) to solicit customers -招安,zhāo ān,to enlist enemy or rebel soldiers by offering amnesty -招展,zhāo zhǎn,to flutter; to sway -招工,zhāo gōng,to recruit employees -招式,zhāo shì,style; manner -招引,zhāo yǐn,to attract -招待,zhāo dài,to hold a reception; to offer hospitality; to entertain (guests); to serve (customers) -招待员,zhāo dài yuán,"service personnel: usher, waiter, receptionist, hostess etc" -招待所,zhāo dài suǒ,guesthouse; hostel -招待会,zhāo dài huì,"a reception; CL:個|个[ge4],次[ci4]" -招徕,zhāo lái,to canvass (for customers); to solicit; to recruit -招怨,zhāo yuàn,to arouse animosity -招惹,zhāo rě,to court (trouble); to attract (attention); to provoke (sb) -招手,zhāo shǒu,to wave; to beckon -招打,zhāo dǎ,to ask for a beating -招投标,zhāo tóu biāo,bid inviting and bid offering; bidding; auction -招接,zhāo jiē,"to receive (guests, clients); to interact socially with" -招摇,zhāo yáo,to rock back and forth; (fig.) to act ostentatiously; to brag; to show off -招摇撞骗,zhāo yáo zhuàng piàn,(idiom) to dupe people by passing oneself off as a well-connected individual or a figure of authority -招摇过市,zhāo yáo guò shì,to parade oneself ostentatiously about town (idiom) -招抚,zhāo fǔ,to enlist enemy or rebel soldiers by offering amnesty; to bring to negotiated surrender -招揽,zhāo lǎn,to attract (customers); to drum up (trade) -招揽生意,zhāo lǎn shēng yi,to advertise; to solicit business -招收,zhāo shōu,to hire; to recruit -招数,zhāo shù,"move (in chess, on stage, in martial arts); gambit; trick; scheme; movement; same as 著數|着数[zhao1 shu4]" -招架,zhāo jià,to resist; to ward off; to hold one's own -招标,zhāo biāo,to invite bids -招法,zhāo fǎ,move (in chess or martial arts) -招潮蟹,zhāo cháo xiè,fiddler crab (genus Uca) -招灾惹祸,zhāo zāi rě huò,to invite disaster -招牌,zhāo pai,signboard; shop sign; reputation of a business -招牌动作,zhāo pái dòng zuò,signature move -招牌纸,zhāo pái zhǐ,label; sticker -招牌菜,zhāo pái cài,signature dish; a restaurant’s most famous dish -招生,zhāo shēng,to enroll new students; to get students -招租,zhāo zū,(of a house or room) to be for rent -招考,zhāo kǎo,to advertise an entrance examination for an academic institution (old) -招聘,zhāo pìn,to invite applications for a job; to recruit -招聘协调人,zhāo pìn xié tiáo rén,recruiting coordinator -招聘会,zhāo pìn huì,recruitment meeting; job fair -招聘机构,zhāo pìn jī gòu,recruiting agency -招聘者,zhāo pìn zhě,prospective employer; job advertiser; recruiter -招股,zhāo gǔ,share offer -招股书,zhāo gǔ shū,prospectus (setting out a share offer) -招股说明书,zhāo gǔ shuō míng shū,prospectus -招致,zhāo zhì,to recruit (followers); to scout for (talent etc); to incur; to lead to -招蜂引蝶,zhāo fēng yǐn dié,(of a flower) to attract bees and butterflies; (fig.) to flirt -招亲,zhāo qīn,to invite the groom (who will live with the bride's family); to take a wife by one's own choice -招认,zhāo rèn,to confess -招诱,zhāo yòu,to invite; to recruit; to attract; to entice -招请,zhāo qǐng,to recruit; to take on (an employee) -招财,zhāo cái,lit. inviting wealth; We wish you success and riches (cf idiom 招財進寶|招财进宝[zhao1 cai2 jin4 bao3]) -招财猫,zhāo cái māo,"maneki-neko or ""lucky cat"", Japanese figurine cat usually found at the entrance of shops, restaurants etc, believed to bring good fortune" -招财进宝,zhāo cái jìn bǎo,"ushering in wealth and prosperity (idiom and traditional greeting, esp. at New Year); We wish you wealth and success!" -招贴,zhāo tiē,poster; placard; bill -招贴画,zhāo tiē huà,picture poster (for advertising or propaganda) -招贤纳士,zhāo xián nà shì,invite the talented and call the valorous (idiom); to recruit talent -招赘,zhāo zhuì,to have the groom move into the bride's house after marriage -招远,zhāo yuǎn,"Zhaoyuan, county-level city in Yantai 煙台|烟台[Yan1 tai2], Shandong" -招远市,zhāo yuǎn shì,"Zhaoyuan, county-level city in Yantai 煙台|烟台[Yan1 tai2], Shandong" -招录,zhāo lù,to recruit -招降,zhāo xiáng,to ask for sb's surrender -招降纳叛,zhāo xiáng nà pàn,to recruit surrendered enemy and deserters (idiom); to gather together a gang of villains -招集,zhāo jí,to call on (people) to gather; to convene -招领,zhāo lǐng,to advertise for the owner of lost property -招风,zhāo fēng,to catch the wind; (fig.) to attract criticism because of one's prominence -招风惹草,zhāo fēng rě cǎo,(idiom) to bring trouble on oneself -招风惹雨,zhāo fēng rě yǔ,see 招風惹草|招风惹草[zhao1 feng1 re3 cao3] -招风揽火,zhāo fēng lǎn huǒ,see 招風惹草|招风惹草[zhao1 feng1 re3 cao3] -招风耳,zhāo fēng ěr,jug ears -招魂,zhāo hún,to call back the soul of sb who has died or is seriously ill; (fig.) to resurrect (an old system etc) -招魂幡,zhāo hún fān,flag to attract departed spirits -拜,bài,"to bow to; to pay one's respects; (bound form) to extend greetings (on a specific occasion); to make a courtesy call; (bound form) (of a monarch) to appoint sb to (a position) by performing a ceremony; to acknowledge sb as one's (master, godfather etc); (used before some verbs to indicate politeness)" -拜人为师,bài rén wéi shī,to acknowledge as one's teacher -拜佛,bài fó,to worship Buddha -拜你所赐,bài nǐ suǒ cì,"(derog.) this is all thanks to you!; well, thanks a lot!" -拜倒,bài dǎo,to prostrate oneself; to fall on one's knees; to grovel -拜伦,bài lún,"George Byron (1788-1824), English poet" -拜别,bài bié,(formal) to take leave of sb; to bid farewell -拜占庭,bài zhàn tíng,Byzantium; Byzantine or Eastern Roman empire (395-1453) -拜城,bài chéng,"Bay nahiyisi (Baicheng county) in Aksu 阿克蘇地區|阿克苏地区[A1 ke4 su1 di4 qu1], west Xinjiang" -拜城县,bài chéng xiàn,"Bay nahiyisi (Baicheng county) in Aksu 阿克蘇地區|阿克苏地区[A1 ke4 su1 di4 qu1], west Xinjiang" -拜堂,bài táng,ritual kneeling to heaven and earth by bride and groom in a old-fashioned wedding ceremony; same as 拜天地 -拜寿,bài shòu,congratulate an elderly person on his birthday; offer birthday felicitations -拜天地,bài tiān dì,to worship heaven and earth; ritual kneeling by bride and groom in a old-fashioned wedding ceremony; also called 拜堂 -拜师,bài shī,to formally become an apprentice to a master -拜年,bài nián,to pay a New Year call; to wish sb a Happy New Year -拜忏,bài chàn,to hold a daytime Buddhist mass; (of a monk or nun) to read scripture to atone for sb's sins -拜把子,bài bǎ zi,to become sworn brothers -拜拜,bái bái,(loanword) bye-bye; also pr. [bai1 bai1] etc; (coll.) to part ways (with sb); (fig.) to have nothing further to do (with sb or sth) -拜拜,bài bai,"to pay one's respects by bowing with hands in front of one's chest clasping joss sticks, or with palms pressed together; (Tw) religious ceremony in which offerings are made to a deity" -拜会,bài huì,(often used in the context of diplomacy) to meet with; to pay a visit to; to call on -拜望,bài wàng,to call to pay one's respect; to call on -拜泉,bài quán,"Baiquan county in Qiqihar 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -拜泉县,bài quán xiàn,"Baiquan county in Qiqihar 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -拜火教,bài huǒ jiào,sun worship; Zoroastrianism; see also 祆教[Xian1 jiao4] -拜物教,bài wù jiào,fetishism -拜登,bài dēng,"Biden (name); Joe Biden (1942-), US president (2021-), vice-president 2009-2017" -拜票,bài piào,to canvass for votes (Tw) -拜祭,bài jì,to worship; to observe religious rites; to pay one's respects (to one's ancestors etc) -拜科努尔,bài kē nǔ ěr,Baikonur (Russian space launch site in Kazakhstan) -拜科努尔航天发射基地,bài kē nǔ ěr háng tiān fā shè jī dì,Baikonur Cosmodrome -拜节,bài jié,to pay respects during a festival -拜见,bài jiàn,to pay a formal visit; to call to pay respects; to meet one's senior or superior -拜托,bài tuō,to request sb to do sth; please! -拜访,bài fǎng,to pay a visit; to call on -拜认,bài rèn,"to formally accept sb as (one's adoptive mother, one's master etc)" -拜谒,bài yè,"to pay a formal visit; to call to pay respects; to pay homage (at a monument, mausoleum etc)" -拜读,bài dú,(polite) to read (sth) -拜金,bài jīn,to worship money; to be mad about money -拜金主义,bài jīn zhǔ yì,money worship -拜金女,bài jīn nǚ,materialistic woman; (slang) gold-digger -拜魔,bài mó,to worship the devil -括,kuò,(bound form) to tie up; to tighten up; (bound form) to include; to comprise; to put (text) in brackets; Taiwan pr. [gua1] -括弧,kuò hú,parentheses; brackets -括毒,kuò dú,(literary) malicious; spiteful -括约肌,kuò yuē jī,sphincter -括线,kuò xiàn,(math.) vinculum -括号,kuò hào,parentheses; brackets -拭,shì,to wipe -拭子,shì zi,swab; cotton pad; smear (for medical test) -拭抹,shì mǒ,to swab; to wipe up with a mop -拭目,shì mù,to wipe one's eyes; fig. to remain vigilant -拭目以待,shì mù yǐ dài,lit. to wipe one's eyes and wait (idiom); to wait and see -拭目倾耳,shì mù qīng ěr,to watch and listen attentively -拭除,shì chú,to wipe off -拮,jié,antagonistic; laboring hard; pressed -拮据,jié jū,hard pressed for money; in financial straits -拯,zhěng,to raise; to aid; to support; to save; to rescue -拯救,zhěng jiù,to save; to rescue -拯救大兵瑞恩,zhěng jiù dà bīng ruì ēn,Saving Private Ryan (1998 movie) -拱,gǒng,to cup one's hands in salute; to surround; to arch; to dig earth with the snout; arched -拱墅,gǒng shù,"Gongshu district of Hangzhou city 杭州市[Hang2 zhou1 shi4], Zhejiang" -拱墅区,gǒng shù qū,"Gongshu district of Hangzhou city 杭州市[Hang2 zhou1 shi4], Zhejiang" -拱墩,gǒng dūn,pillar of a vault -拱坝,gǒng bà,an arch dam -拱度,gǒng dù,camber -拱廊,gǒng láng,triforium (gallery of arches above side-aisle vaulting in the nave of a church) -拱形,gǒng xíng,arch -拱手,gǒng shǒu,to cup one's hands in obeisance or greeting; (fig.) submissive -拱手旁观,gǒng shǒu páng guān,to watch from the sidelines and do nothing (idiom) -拱手相让,gǒng shǒu xiāng ràng,lit. to bow and give way (idiom); fig. to surrender sth readily -拱抱,gǒng bào,to enfold; to encircle -拱柱,gǒng zhù,pillar of a vault -拱桥,gǒng qiáo,arch bridge -拱状,gǒng zhuàng,arch; vault; arched -拱璧,gǒng bì,a flat round jade ornament with a hole at the center; fig. a treasure -拱肩,gǒng jiān,a spandrel (wall filling the shoulder between two neighboring arches) -拱卫,gǒng wèi,to surround and protect -拱道,gǒng dào,archway -拱门,gǒng mén,arched door -拱顶,gǒng dǐng,an arched roof; a dome; a vault -拱点,gǒng diǎn,(astronomy) apsis; apse -拳,quán,fist; boxing -拳交,quán jiāo,fisting (sex act) -拳师,quán shī,boxing coach; pugilist master -拳手,quán shǒu,boxer -拳打,quán dǎ,to punch -拳打脚踢,quán dǎ jiǎo tī,lit. to punch and kick (idiom); to beat up; fig. determined to sort out a problem -拳拳,quán quán,earnest; sincere -拳击,quán jī,boxing -拳击手,quán jī shǒu,boxer -拳击比赛,quán jī bǐ sài,boxing match -拳击台,quán jī tái,boxing ring -拳击选手,quán jī xuǎn shǒu,boxer -拳曲,quán qū,to curl up; to bend -拳棒,quán bàng,martial arts; lit. fist and staff -拳法,quán fǎ,boxing; fighting technique -拳王,quán wáng,boxing champion -拳脚,quán jiǎo,Chinese boxing; fist and feet; punching and kicking -拳脚相向,quán jiǎo xiāng xiàng,to square off; to exchange blows; to rain blows on sb -拳术,quán shù,Chinese boxing; fisticuffs -拳头,quán tou,fist; clenched fist; CL:個|个[ge4]; competitive (product) -拳头产品,quán tou chǎn pǐn,competitive product; superior goods; with real punch -拴,shuān,to tie up -拴住,shuān zhù,to tether; to tie up; (fig.) to restrict; to keep a hold on -拶,zā,(literary) to force; to coerce -拶,zǎn,to press or squeeze hard -拶刑,zǎn xíng,squeezing the fingers between sticks (old form of torture) -拶子,zǎn zi,sticks used for squeezing the fingers (old form of torture) -拶指,zǎn zhǐ,to squeeze the fingers (old form of torture) -拶榨,zā zhà,to exploit (a worker) -拷,kǎo,to beat; to flog; to examine under torture; (computing) to copy (abbr. for 拷貝|拷贝[kao3 bei4]) -拷问,kǎo wèn,to question via torture -拷打,kǎo dǎ,to beat a prisoner (to obtain confessions); to give sb the third degree; to torture -拷掠,kǎo lüè,to torture -拷花,kǎo huā,to emboss -拷贝,kǎo bèi,copy; to copy (loanword) -拼,pīn,to piece together; to join together; to stake all; adventurous; at the risk of one's life; to spell -拼到底,pīn dào dǐ,to brave it out; to the bitter end -拼刺,pīn cì,bayonet charge -拼刺刀,pīn cì dāo,bayonet charge -拼力,pīn lì,to spare no efforts -拼卡,pīn kǎ,to share a card with sb (e.g. share a loyalty card to accumulate points and split the benefits) -拼合,pīn hé,to fit together; to put together -拼命,pīn mìng,to do one's utmost; with all one's might; at all costs; (to work or fight) as if one's life depends on it -拼命三郎,pīn mìng sān láng,"brave man, willing to risk his life" -拼命讨好,pīn mìng tǎo hǎo,to throw oneself at sb or sth; to bend over backwards to help -拼图,pīn tú,jigsaw puzzle; to do a jigsaw puzzle -拼图玩具,pīn tú wán jù,jigsaw puzzle -拼多多,pīn duō duō,"Pinduoduo, social e-commerce company founded in 2015" -拼婚,pīn hūn,"to save money on wedding expenses by getting together with another couple (or couples) in arranging restaurant reservations, wedding photo shoots etc" -拼字,pīn zì,to spell; spelling -拼客,pīn kè,"person who joins with others to reduce costs (carpooling, group buying, sharing an apartment etc)" -拼写,pīn xiě,to spell -拼写错误,pīn xiě cuò wù,spelling mistake; written error -拼成,pīn chéng,to put sth together from component parts -拼房,pīn fáng,to rent a place with sb else to share the costs -拼接,pīn jiē,to put together; to join -拼搏,pīn bó,to struggle; to wrestle -拼抢,pīn qiǎng,to fight desperately (at the risk of one's life) -拼拢,pīn lǒng,to put together -拼攒,pīn cuán,to assemble -拼板,pīn bǎn,to edge-join boards with glue to form a panel (woodworking) -拼板玩具,pīn bǎn wán jù,jigsaw puzzle; wood block puzzle -拼板游戏,pīn bǎn yóu xì,jigsaw puzzle; wood block puzzle -拼桌,pīn zhuō,to sit at a table with others with whom one is unacquainted -拼死,pīn sǐ,to go all out for sth at risk of one's life -拼死拼活,pīn sǐ pīn huó,one's utmost; (to fight or work) desperately hard; to put up a life or death struggle; at all costs -拼杀,pīn shā,to grapple (with the enemy); to fight at the risk of one's life -拼法,pīn fǎ,spelling; orthography -拼凑,pīn còu,to assemble; to put together -拼火,pīn huǒ,to exchange fire -拼争,pīn zhēng,to fight desperately -拼爹,pīn diē,(slang) to rely on one's father's wealth or prestige to get ahead -拼版,pīn bǎn,to typeset; to make up (printers' plates) -拼盘,pīn pán,sampler platter; appetizer platter -拼缀,pīn zhuì,to join together -拼花地板,pīn huā dì bǎn,floor with tiled design -拼装,pīn zhuāng,to assemble -拼读,pīn dú,to pronounce a word after mentally processing its spelling; (phonics) blending -拼贴,pīn tiē,pastiche; collage -拼起来,pīn qi lai,to put together -拼车,pīn chē,to carpool -拼错,pīn cuò,to misspell; to piece together incorrectly -拼音,pīn yīn,phonetic writing; pinyin (Chinese romanization) -拼音字母,pīn yīn zì mǔ,phonetic letters -拼音文字,pīn yīn wén zì,phonetic alphabet; alphabetic writing system -拼音阶段,pīn yīn jiē duàn,alphabetic stage -拼餐,pīn cān,(of people with tight budget) to enjoy various dishes at the restaurant by ordering the food together and then sharing the costs -拼斗,pīn dòu,to engage (in a fight) -拽,yè,to drag; to haul -拽,zhuāi,to throw; to fling -拽,zhuǎi,alternate writing of 跩[zhuai3] -拽,zhuài,to pull; to tug at (sth) -拽步,zhuài bù,to take long strides; to hurry (while walking) -拾,shè,to ascend in light steps -拾,shí,to pick up; to collate or arrange; ten (banker's anti-fraud numeral) -拾人涕唾,shí rén tì tuò,to plagiarize (idiom) -拾人牙慧,shí rén yá huì,to pick up what others say (idiom); to pass off other people's opinions as one's own; to parrot -拾取,shí qǔ,to pick up; to collect -拾得,shí dé,"Shide, Tang Buddhist poet who lived at the Guoqing Temple on Mt Tiantai 天台山[Tian1 tai1 Shan1]" -拾得,shí dé,to find; to pick up; to collect -拾掇,shí duo,to clear up; to tidy up; to pick up; to repair -拾物,shí wù,picked up items (i.e. lost property) -拾获,shí huò,to find; to pick up; to obtain -拾级,shè jí,to go up or down stairs step by step -拾级而上,shè jí ér shàng,to walk slowly up a flight of steps (idiom) -拾芥,shí jiè,to pick up cress; fig. sth easy to do; a piece of cake -拾荒,shí huāng,to glean; to collect scraps; to eke out a meager living -拾遗,shí yí,to pocket a lost article; (fig.) to correct others' errors; to remedy omissions (in a text etc) -拾遗补缺,shí yí bǔ quē,to remedy omissions and correct errors (idiom) -拾金不昧,shí jīn bù mèi,to pick up money and not hide it (idiom); to return property to its owner -拾零,shí líng,to pick up bits; to collect scrap material; tidbits; gleanings (used as gossip) -拾音器,shí yīn qì,pickup (electro-acoustic transducer) -拿,ná,to hold; to seize; to catch; to apprehend; to take; (used in the same way as 把[ba3]: to mark the following noun as a direct object) -拿一血,ná yī xuè,(gaming) to get first blood; (slang) to take (sb's) virginity -拿下,ná xià,"to arrest; to capture; to seize; to win (a set, a game etc)" -拿不准,ná bù zhǔn,in doubt; unsure of sth; unable to decide; indecisive -拿不出手,ná bù chū shǒu,not presentable; shoddy and too embarrassing to show -拿不动,ná bu dòng,to be unable to lift (sth); to find (sth) too heavy -拿主意,ná zhǔ yi,to make a decision; to make up one's mind -拿人,ná rén,making things awkward; to cause difficulties; to exert influence; to attract -拿你没辙,ná nǐ méi zhé,see 拿你沒辦法|拿你没办法[na2 ni3 mei2 ban4 fa3] -拿你没办法,ná nǐ méi bàn fǎ,don't know what to do with you (used to express mild exasperation) -拿来,ná lái,to bring; to fetch; to get -拿来主义,ná lái zhǔ yì,the attitude of mechanically borrowing (ideas etc) -拿俄米,ná é mǐ,Naomi (name) -拿出,ná chū,to take out; to put out; to provide; to put forward (a proposal); to come up with (evidence) -拿到,ná dào,to get; to obtain -拿乔,ná qiáo,pretentious; striking a pose -拿大,ná dà,to put on airs; self-important; high and mighty -拿大顶,ná dà dǐng,to do a handstand -拿得起放得下,ná de qǐ fàng de xià,lit. can pick it up or put it down (idiom); fig. to take what comes; to meet gains or losses with equanimity -拿手,ná shǒu,expert in; good at -拿手好戏,ná shǒu hǎo xì,the role an actor plays best (idiom); (fig.) one's specialty; one's forte -拿手菜,ná shǒu cài,specialty (dish) -拿捏,ná niē,to grasp; (dialect) affecting shyness; coy; to create difficulties -拿捕,ná bǔ,to detain; to apprehend; to capture -拿摩温,ná mó wēn,see 那摩溫|那摩温[na4 mo2 wen1] -拿撒勒,ná sǎ lè,Nazareth (in Biblical Palestine) -拿架子,ná jià zi,to throw one's weight around; to put on airs -拿权,ná quán,to hold power; to be in control -拿获,ná huò,to capture; to apprehend -拿破仑,ná pò lún,variant of 拿破崙|拿破仑[Na2 po4 lun2] -拿破仑,ná pò lún,"Napoleon (name); Napoleon Bonaparte (1769-1821), Emperor of France 1804-1815" -拿索,ná suǒ,"Nassau, capital of The Bahamas (Tw)" -拿着鸡毛当令箭,ná zhe jī máo dàng lìng jiàn,to wave a chicken feather as a token of authority (idiom); to assume unwarranted authority on the basis of some pretext -拿走,ná zǒu,to take away -拿起,ná qǐ,to pick up -拿办,ná bàn,to arrest for punishment -拿铁,ná tiě,latte (loanword) -拿铁咖啡,ná tiě kā fēi,caffe latte -拿顶,ná dǐng,to do a handstand -拿顺,ná shùn,Nashon (son of Amminadab) -拿骚,ná sāo,"Nassau, capital of The Bahamas" -持,chí,to hold; to grasp; to support; to maintain; to persevere; to manage; to run (i.e. administer); to control -持不同政见,chí bù tóng zhèng jiàn,(politically) dissenting; dissident -持不同政见者,chí bù tóng zhèng jiàn zhě,(political) dissident -持久,chí jiǔ,lasting; enduring; persistent; permanent; protracted; endurance; persistence; to last long -持久性毒剂,chí jiǔ xìng dú jì,persistent agent -持久战,chí jiǔ zhàn,prolonged war; war of attrition -持之以恒,chí zhī yǐ héng,to pursue unremittingly (idiom); to persevere -持份者,chí fèn zhě,stakeholder -持仓,chí cāng,to hold a portfolio of shares -持仓量,chí cāng liàng,position (finance) -持刀,chí dāo,to hold a knife; knife-wielding -持卡人,chí kǎ rén,cardholder -持国天,chí guó tiān,Dhritarashtra (one of the Four Heavenly Kings) -持守,chí shǒu,to maintain; to adhere to; to observe (an injunction etc) -持家,chí jiā,to housekeep; to run one's household -持平,chí píng,"to stay level (of exchange rate, market share etc); fair; unbiased" -持平之论,chí píng zhī lùn,fair argument; unbiased view -持方,chí fāng,side (in a formal debate) -持有,chí yǒu,"to hold (passport, views etc)" -持有人,chí yǒu rén,holder -持械,chí xiè,armed (robbery etc) -持枪,chí qiāng,to carry a gun -持枪抢劫,chí qiāng qiǎng jié,armed robbery -持橐簪笔,chí tuó zān bǐ,to serve as a counselor (idiom) -持用,chí yòng,to have in one's possession and use when required -持续,chí xù,to continue; to persist; to last; sustainable; preservation -持续性植物人状态,chí xù xìng zhí wù rén zhuàng tài,persistent vegetative state -持续性植物状态,chí xù xìng zhí wù zhuàng tài,persistent vegetative state (medicine) -持续时间,chí xù shí jiān,duration -持股,chí gǔ,to hold shares -持重,chí zhòng,prudent; cautious; to be in charge of ritual ceremonies; to hold an important office -指,zhǐ,finger; to point at or to; to indicate or refer to; to depend on; to count on; (of hair) to stand on end -指事,zhǐ shì,"ideogram (one of the Six Methods 六書|六书 of forming Chinese characters); Chinese character indicating an idea, such as up and down; also known as self-explanatory character" -指事字,zhǐ shì zì,"ideogram (one of the Six Methods 六書|六书 of forming Chinese characters); Chinese character indicating an idea, such as up and down; also known as self-explanatory character" -指交,zhǐ jiāo,fingering (sexual act) -指代,zhǐ dài,to refer to; to be used in place of -指令,zhǐ lìng,order; command; instruction -指令名字,zhǐ lìng míng zì,command name -指令集,zhǐ lìng jí,(computing) instruction set -指使,zhǐ shǐ,to incite; to prompt (sb to do sth) -指出,zhǐ chū,to indicate; to point out -指到,zhǐ dào,to point at; to indicate -指北针,zhǐ běi zhēn,compass -指南,zhǐ nán,to guide; guidebook -指南宫,zhǐ nán gōng,"Zhinan Temple, Taoist temple in the hills of Muzha 木柵|木栅[Mu4 zha4], Taipei" -指南车,zhǐ nán chē,a mechanical compass invented by Zu Chongzhi 祖沖之|祖冲之 -指南针,zhǐ nán zhēn,compass -指印,zhǐ yìn,fingerprint; finger mark; thumbprint -指名,zhǐ míng,to mention by name; to designate; designated -指向,zhǐ xiàng,to point towards; aimed at; facing; the direction indicated -指向装置,zhǐ xiàng zhuāng zhì,pointing device (computing) -指压,zhǐ yā,acupressure; shiatsu -指定,zhǐ dìng,to appoint; to assign; to indicate clearly and with certainty; designated -指导,zhǐ dǎo,to guide; to give directions; to direct; to coach; guidance; tuition; CL:個|个[ge4] -指导员,zhǐ dǎo yuán,instructor; coach; political instructor (in the PLA) -指导教授,zhǐ dǎo jiào shòu,adviser; advising professor -指导者,zhǐ dǎo zhě,coach; mentor; counselor; instructor; director; guide; conductor -指导课,zhǐ dǎo kè,tutorial; period of tuition for one or two students -指尖,zhǐ jiān,fingertips -指引,zhǐ yǐn,to guide; to show; to point (the way); directions; guidance; guidelines -指征,zhǐ zhēng,(medicine) indicator; indication -指战员,zhǐ zhàn yuán,PLA commanders and fighters -指手划脚,zhǐ shǒu huà jiǎo,to gesticulate while talking (idiom); to explain by waving one's hands; to criticize or give orders summarily; also written 指手畫腳|指手画脚 -指手画脚,zhǐ shǒu huà jiǎo,to gesticulate while talking (idiom); to explain by waving one's hands; to criticize or give orders summarily -指指点点,zhǐ zhǐ diǎn diǎn,to gesticulate; to point out; to point the finger of blame -指授,zhǐ shòu,to instruct; to direct -指控,zhǐ kòng,accusation; a (criminal) charge; to accuse -指挥,zhǐ huī,to conduct; to command; to direct; conductor (of an orchestra); CL:個|个[ge4] -指挥中心,zhǐ huī zhōng xīn,command center -指挥官,zhǐ huī guān,commander -指挥家,zhǐ huī jiā,conductor (music) -指挥棒,zhǐ huī bàng,baton -指挥者,zhǐ huī zhě,conductor; director -指挥部,zhǐ huī bù,headquarters; command post -指摘,zhǐ zhāi,to criticize -指摹,zhǐ mó,fingerprint; thumbprint; also written 指模[zhi3 mo2] -指教,zhǐ jiào,to give advice or comments -指数,zhǐ shù,"(numerical, statistical) index; (math.) exponent; index; exponential (function, growth)" -指数函数,zhǐ shù hán shù,exponential function -指数基金,zhǐ shù jī jīn,index fund -指数套利,zhǐ shù tào lì,index arbitrage -指数期权,zhǐ shù qī quán,index options -指斥,zhǐ chì,to denounce; to censure; to rebuke -指日可待,zhǐ rì kě dài,imminent; just around the corner (idiom) -指明,zhǐ míng,to show clearly; to designate; to indicate -指望,zhǐ wàng,to count on; to hope for; prospect; hope -指板,zhǐ bǎn,fingerboard (of a guitar or violin etc) -指桑骂槐,zhǐ sāng mà huái,lit. to point at the mulberry tree and curse the locust tree; fig. to scold sb indirectly; to make oblique accusations (idiom) -指标,zhǐ biāo,(production) target; quota; index; indicator; sign; signpost; (computing) pointer -指模,zhǐ mó,fingerprint; thumbprint; also written 指摹[zhi3 mo2] -指检,zhǐ jiǎn,"(medicine) digital examination (of a patient's rectum, vagina etc)" -指正,zhǐ zhèng,to point out mistakes or weak points for correction; to comment; criticism -指法,zhǐ fǎ,(music) fingering; (TCM) manipulation of acupuncture needles; (keyboard) typing technique; (dance) hand movements; (painting) finger method -指派,zhǐ pài,to assign; to appoint; assignment -指环,zhǐ huán,(finger) ring -指甲,zhǐ jia,fingernail -指甲刀,zhǐ jia dāo,nail clipper -指甲剪,zhǐ jia jiǎn,nail clipper -指甲油,zhǐ jia yóu,nail polish -指甲盖,zhǐ jia gài,fingernail -指甲钳,zhǐ jia qián,nail clipper -指界,zhǐ jiè,determination of cadastral parcel boundaries -指疔,zhǐ dīng,whitlow; felon -指示,zhǐ shì,to point out; to indicate; to instruct; directives; instructions; CL:個|个[ge4] -指示代词,zhǐ shì dài cí,demonstrative pronoun -指示剂,zhǐ shì jì,indicator -指示器,zhǐ shì qì,indicator -指示符,zhǐ shì fú,indicator -指称,zhǐ chēng,designation; reference; to refer to -指纹,zhǐ wén,"fingerprint; the arches, loops and whorls on the fingers" -指考,zhǐ kǎo,"Advanced Subjects Test, university entrance exam that assesses candidates’ higher level knowledge of specific subjects and their readiness to study in their selected academic discipline (Tw); abbr. for 大學入學指定科目考試|大学入学指定科目考试[Da4 xue2 Ru4 xue2 Zhi3 ding4 Ke1 mu4 Kao3 shi4]" -指腹为婚,zhǐ fù wéi hūn,"to propose the future marriage of two unborn babies on condition that one turns out to be a boy, and the other, a girl (idiom)" -指着和尚骂秃子,zhǐ zhe hé shang mà tū zi,lit. to insult a bald man while pointing at a monk (idiom); fig. to insult indirectly; to criticize obliquely -指认,zhǐ rèn,to identify -指谪,zhǐ zhé,to criticize -指证,zhǐ zhèng,to testify; to give evidence -指责,zhǐ zé,to criticize; to find fault with; to denounce -指路,zhǐ lù,to give directions -指针,zhǐ zhēn,pointer on a gauge; clock hand; cursor; (computing) pointer -指关节,zhǐ guān jié,knuckle -指鸡骂狗,zhǐ jī mà gǒu,lit. to point at the chicken while scolding the dog (idiom); fig. to make indirect criticisms -指头,zhǐ tou,finger; toe; CL:個|个[ge4] -指鹿作马,zhǐ lù zuò mǎ,to take a deer and call it a horse (idiom); deliberate inversion of the truth -指鹿为马,zhǐ lù wéi mǎ,making a deer out to be a horse (idiom); deliberate misrepresentation -指点,zhǐ diǎn,to point out; to indicate; to give directions; to show how (to do sth); to censure; to pick at -指点江山,zhǐ diǎn jiāng shān,to talk idly about important matters (idiom); to set the world to rights; to pass judgment on everything -指点迷津,zhǐ diǎn mí jīn,to show sb how to get to the right path -挈,qiè,to raise; to lift; to take along (e.g. one's family) -挈带,qiè dài,to take along -挈挈,qiè qiè,alone; solitary -按,àn,to press; to push; to leave aside or shelve; to control; to restrain; to keep one's hand on; to check or refer to; according to; in the light of; (of an editor or author) to make a comment -按下,àn xià,to press down; to press a button -按下葫芦浮起瓢,àn xià hú lú fú qǐ piáo,solve one problem only to find another cropping up -按兵不动,àn bīng bù dòng,to hold back one's troops without moving (idiom); to bide one's time -按劳分配,àn láo fēn pèi,distribution according to work -按图索骥,àn tú suǒ jì,"lit. looking for a fine horse using only a picture (idiom); fig. to do things along rigid, conventional lines; to try and find sth with the help of a clue" -按压,àn yā,to press; to push (a button) -按天,àn tiān,daily (law); per diem -按季,àn jì,according to season; quarterly -按察,àn chá,to investigate (old) -按手礼,àn shǒu lǐ,ordination -按扣,àn kòu,snap fastener -按捺,àn nà,to restrain; to control -按捺不住,àn nà bu zhù,to be unable to hold back -按揭,àn jiē,a mortgage (loanword via Cantonese); to buy property on a mortgage -按摩,àn mó,massage; to massage -按摩师,àn mó shī,masseur; massage therapist -按摩棒,àn mó bàng,vibrator; dildo -按日,àn rì,daily (law); per diem -按时,àn shí,on time; before deadline; on schedule -按时间先后,àn shí jiān xiān hòu,chronological -按月,àn yuè,monthly; per mensem -按期,àn qī,on schedule; on time -按步就班,àn bù jiù bān,variant of 按部就班[an4 bu4 jiu4 ban1] -按照,àn zhào,according to; in accordance with; in the light of; on the basis of -按照法律,àn zhào fǎ lǜ,according to the law -按照计划,àn zhào jì huà,according to (the) plan ... -按理,àn lǐ,according to reason; in the ordinary course of events; normally -按理说,àn lǐ shuō,it is reasonable to say that... -按立,àn lì,ordination -按纳,àn nà,variant of 按捺[an4 na4] -按脉,àn mài,to feel (take) the pulse -按蚊,àn wén,anopheles; malarial mosquito -按规定,àn guī dìng,according to regulation -按诊,àn zhěn,palpation (as a method of examination) -按语,àn yǔ,note; comment -按说,àn shuō,in the ordinary course of events; ordinarily; normally -按赞,àn zàn,to give sb a thumbs-up (on social media) -按质定价,àn zhì dìng jià,to fix a price based on quality (idiom) -按跷,àn qiāo,(old) massage -按部就班,àn bù jiù bān,(idiom) to follow the prescribed order; to keep to the working routine -按钮,àn niǔ,push button -按键,àn jiàn,button or key (on a device); keystroke; CL:個|个[ge4]; to press a button -按键音,àn jiàn yīn,keypad tone; key tone -按需,àn xū,on demand; according to demand -按需出版,àn xū chū bǎn,publishing on demand -按需分配,àn xū fēn pèi,distribution according to need -挎,kuà,"to carry (esp. slung over the arm, shoulder or side)" -挎兜,kuà dōu,satchel; backpack -挎兜儿,kuà dōu er,erhua variant of 挎兜[kua4 dou1] -挎包,kuà bāo,satchel; bag -挎斗,kuà dǒu,sidecar -挑,tiāo,to carry on a shoulder pole; to choose; to pick; to nitpick -挑,tiǎo,to raise; to dig up; to poke; to prick; to incite; to stir up -挑三拣四,tiāo sān jiǎn sì,to be picky; to be choosy -挑三窝四,tiǎo sān wō sì,to sow discord everywhere -挑刺,tiāo cì,to carp; nitpicking; petty criticism -挑剔,tiāo ti,picky; fussy -挑动,tiǎo dòng,to entice; to arouse; to provoke -挑口板,tiāo kǒu bǎn,fascia; eaves board -挑唆,tiǎo suō,to incite; to stir up; to instigate -挑嘴,tiāo zuǐ,picky about food -挑嘴,tiǎo zuǐ,to sow discord -挑大梁,tiǎo dà liáng,to play a leading role; to bear a heavy responsibility -挑夫,tiāo fū,porter -挑子,tiāo zi,carrying pole and its load -挑山工,tiāo shān gōng,laborers who carry cargo up and down the mountains on shoulder poles -挑弄,tiǎo nòng,to incite; to provoke; to tease -挑战,tiǎo zhàn,to challenge; challenge -挑战者,tiǎo zhàn zhě,challenger -挑战者号,tiǎo zhàn zhě hào,Space Shuttle Challenger -挑拣,tiāo jiǎn,to pick and choose; to select -挑拨,tiǎo bō,to incite disharmony; to instigate -挑拨是非,tiǎo bō shì fēi,to incite a quarrel (idiom); to sow discord between people; to tell tales; to make mischief -挑拨离间,tiǎo bō lí jiàn,to sow dissension (idiom); to drive a wedge between -挑明,tiǎo míng,to illuminate; to open up (a topic) -挑染,tiāo rǎn,highlight (hair); partial hair dye -挑毛剔刺,tiāo máo tī cì,to find fault; to carp; nitpicking -挑毛剔刺儿,tiāo máo tī cì er,erhua variant of 挑毛剔刺[tiao1 mao2 ti1 ci4] -挑毛病,tiāo máo bìng,to nitpick; petty criticism; to nag -挑灯,tiǎo dēng,to light a lamp; to raise a lantern -挑灯夜战,tiǎo dēng yè zhàn,to raise a lantern and fight at night (idiom); fig. to work into the night; to burn the midnight oil -挑灯拨火,tiǎo dēng bō huǒ,to sow discord; to provoke -挑檐,tiǎo yán,eaves -挑肥嫌瘦,tiāo féi xián shòu,to choose sth over another to suit one's own convenience -挑花,tiǎo huā,cross-stitch (embroidery) -挑花眼,tiǎo huā yǎn,(fig.) to get cross-eyed; to be bewildered -挑起,tiǎo qǐ,to provoke; to stir up; to incite -挑逗,tiǎo dòu,to provoke; to entice; to lure; to tantalize; to tease; to titillate -挑逗性,tiǎo dòu xìng,provocative; tantalizing; titillating -挑选,tiāo xuǎn,to choose; to select -挑衅,tiǎo xìn,to provoke; provocation -挑头,tiǎo tóu,to take the lead; to be first to (do sth); to pioneer -挑头儿,tiǎo tóu er,erhua variant of 挑頭|挑头[tiao3 tou2] -挑食,tiāo shí,to be picky about food -挑高,tiāo gāo,(architecture) high-ceilinged; to raise (a ceiling) to a height of; ceiling height -挖,wā,to dig; to excavate; to scoop out -挖土机,wā tǔ jī,excavator; backhoe -挖坑,wā kēng,to dig a hole; (fig.) to make things difficult for sb; (neologism) (slang) (of a writer) to start work on a new project -挖掉,wā diào,to dig out; to eradicate -挖掘,wā jué,to excavate; (lit and fig.) to unearth; to dig into -挖掘机,wā jué jī,excavator -挖掘机械,wā jué jī xiè,excavator; bulldozer -挖机,wā jī,excavator; excavating machine -挖洞,wā dòng,to dig a hole -挖浚,wā jùn,to dredge -挖墙脚,wā qiáng jiǎo,to undermine; to let someone down; to seduce someone away from something -挖矿,wā kuàng,to mine ore or minerals; (computing) to mine cryptocurrency -挖穴,wā xué,to excavate; to dig out a cave -挖空,wā kōng,to excavate; to hollow -挖空心思,wā kōng xīn si,to dig for thoughts (idiom); to search everything for an answer; to rack one's brains -挖肉补疮,wā ròu bǔ chuāng,"to cut one's flesh to cover a sore (idiom); faced with a current crisis, to make it worse by a temporary expedient" -挖苦,wā kǔ,to speak sarcastically; to make cutting remarks; also pr. [wa1 ku5] -挖角,wā jué,"to poach (talent, personnel from competitors); to raid (a competitor for its talent); Taiwan pr. [wa1 jiao3]" -挖开,wā kāi,to dig into; to cut a mine into -挖鼻子,wā bí zi,to pick one's nose -挨,āi,in order; in sequence; close to; adjacent to -挨,ái,to suffer; to endure; to pull through (hard times); to delay; to stall; to play for time; to dawdle -挨不上,āi bù shàng,to be irrelevant; to be superfluous -挨个,āi gè,one by one; in turn -挨个儿,āi gè er,erhua variant of 挨個|挨个[ai1 ge4] -挨剋,ái,to be rebuked; to suffer blows -挨呲儿,ái cī er,to suffer a rebuke; criticized -挨宰,ái zǎi,to get ripped off -挨家,āi jiā,"from house to house, one by one" -挨家挨户,āi jiā āi hù,to go from house to house -挨户,āi hù,"from house to house, one by one" -挨户挨家,āi hù āi jiā,see 挨家挨戶|挨家挨户[ai1 jia1 ai1 hu4] -挨打,ái dǎ,to take a beating; to get thrashed; to come under attack -挨打受气,ái dǎ shòu qì,to suffer bullying and beating (idiom) -挨打受骂,ái dǎ shòu mà,to suffer beatings and receive abuse (idiom) -挨批,ái pī,to be criticized; to suffer blame -挨揍,ái zòu,to be beaten; to take a drubbing; buffeted; knocked about -挨挤,ái jǐ,to crowd together; to jostle; squeezed -挨擦,āi cā,to press against; to nuzzle up to -挨整,ái zhěng,to be the target of an attack -挨时间,ái shí jiān,to stall; to play for time -挨板子,ái bǎn zi,to suffer beating; fig. to be severely criticized; to take a hammering -挨次,āi cì,in sequence; in the proper order; one by one; in turn -挨罚,ái fá,to be punished; to be fined -挨骂,ái mà,to receive a scolding -挨肩儿,āi jiān er,"in rapid succession (of children, close in age); shoulder-to-shoulder" -挨肩擦背,āi jiān cā bèi,(idiom) to be crowded together -挨着,āi zhe,near -挨说,ái shuō,to get scolded -挨踢,āi tī,information technology (IT) (loanword) -挨近,āi jìn,to approach; to get close to; to sneak up on; near to -挨边,āi biān,to keep close to the edge; near the mark; close to (the true figure); relevant (used with negative to mean totally irrelevant) -挨边儿,āi biān er,erhua variant of 挨邊|挨边[ai1 bian1] -挨门,āi mén,"from door to door, one by one" -挨门挨户,āi mén āi hù,see 挨家挨戶|挨家挨户[ai1 jia1 ai1 hu4] -挨头子,ái tóu zi,to be criticized; to suffer blame -挨饥抵饿,ái jī dǐ è,to suffer from hunger -挨饿,ái è,to go hungry; to endure starvation; famished -挨斗,ái dòu,to suffer censure; denounced -挪,nuó,to shift; to move -挪亚,nuó yà,Noah -挪借,nuó jiè,to borrow money for a short time -挪动,nuó dòng,to move; to shift -挪威,nuó wēi,Norway -挪用,nuó yòng,to shift (funds); to (legitimately) take funds set aside for one purpose in order to use them for another; to embezzle; to misappropriate -挪窝儿,nuó wō er,(dialect) to move (after being some time in the same place); to move (house) -挪开,nuó kāi,to move (sth) aside; to step aside; to move over (when sitting on a bench); to shift (one's gaze) -挫,cuò,obstructed; to fail; to oppress; to repress; to lower the tone; to bend back; to dampen -挫折,cuò zhé,setback; reverse; check; defeat; frustration; disappointment; to frustrate; to discourage; to set sb back; to blunt; to subdue -挫折感,cuò zhé gǎn,frustration -挫败,cuò bài,to thwart; to foil (sb's plans); a setback; a failure; a defeat -挫疮,cuò chuāng,acne; pustule -振,zhèn,to shake; to flap; to vibrate; to resonate; to rise up with spirit; to rouse oneself -振作,zhèn zuò,to bestir oneself; to pull oneself together; to cheer up; to uplift; to stimulate -振动,zhèn dòng,to vibrate; to shake; vibration -振奋,zhèn fèn,to stir oneself up; to raise one's spirits; to inspire -振安,zhèn ān,"Zhen'an district of Dandong city 丹東市|丹东市[Dan1 dong1 shi4], Liaoning" -振安区,zhèn ān qū,"Zhen'an district of Dandong city 丹東市|丹东市[Dan1 dong1 shi4], Liaoning" -振幅,zhèn fú,amplitude -振振有词,zhèn zhèn yǒu cí,to speak forcefully and with justice (idiom); to argue with the courage of one's convictions -振振有辞,zhèn zhèn yǒu cí,to speak forcefully and with justice (idiom); to argue with the courage of one's convictions; also written 振振有詞|振振有词 -振聋发聩,zhèn lóng fā kuì,lit. so loud that even the deaf can hear (idiom); rousing even the apathetic -振臂一呼,zhèn bì yī hū,(idiom) to issue a call for action; to raise one's hand and issue a rousing call -振兴,zhèn xīng,"Zhengxing district of Dandong city 丹東市|丹东市[Dan1 dong1 shi4], Liaoning" -振兴,zhèn xīng,to revive; to revitalize; to invigorate; to re-energize -振兴区,zhèn xīng qū,"Zhengxing district of Dandong city 丹東市|丹东市[Dan1 dong1 shi4], Liaoning" -振荡,zhèn dàng,vibration; oscillation -振荡器,zhèn dàng qì,oscillator -振频,zhèn pín,frequency of vibration -挲,suō,variant of 挲[suo1] -挲,suō,feel; to fondle -弄,nòng,old variant of 弄[nong4] -挹,yì,(literary) to scoop up; to ladle out; (literary) to draw toward oneself -挹取,yì qǔ,to ladle out; to scoop up -挹掬,yì jū,to scoop up water with the hands -挹注,yì zhù,to shift resources into areas of need; to inject funds; to balance resources -挹酌,yì zhuó,to pour out wine -挺,tǐng,straight; erect; to stick out (a part of the body); to (physically) straighten up; to support; to withstand; outstanding; (coll.) quite; very; classifier for machine guns -挺住,tǐng zhù,to stand firm; to stand one's ground (in the face of adversity or pain) -挺好,tǐng hǎo,very good -挺尸,tǐng shī,(lit.) to lie stiff like a corpse; (coll.) to sleep -挺拔,tǐng bá,tall and straight -挺杆,tǐng gǎn,tappet (machine part) -挺直,tǐng zhí,upright; erect; to straighten up (one's back etc); to hold erect -挺立,tǐng lì,to stand erect; to stand upright -挺而走险,tǐng ér zǒu xiǎn,variant of 鋌而走險|铤而走险[ting3 er2 zou3 xian3] -挺腰,tǐng yāo,to straighten one's back; to arch one's back -挺举,tǐng jǔ,clean and jerk (weightlifting technique) -挺身,tǐng shēn,to straighten one's back -挺身而出,tǐng shēn ér chū,to step forward bravely -挺进,tǐng jìn,progress; to advance -挽,wǎn,to pull; to draw (a cart or a bow); to roll up; to coil; to carry on the arm; to lament the dead; (fig.) to pull against; to recover -挽具,wǎn jù,harness -挽力,wǎn lì,pulling power (of draft animals) -挽回,wǎn huí,to retrieve; to redeem -挽幛,wǎn zhàng,large elegiac scroll -挽救,wǎn jiù,to save; to remedy; to rescue -挽救儿童,wǎn jiù ér tóng,"to rescue a child; Save the Children, a British charity" -挽歌,wǎn gē,a dirge; an elegy -挽留,wǎn liú,to urge to stay; to detain -挽词,wǎn cí,an elegy; elegiac words -挽辞,wǎn cí,an elegy; elegiac words -挽额,wǎn é,elegiac tablet -挟,jiā,old variant of 夾|夹[jia1] -挟,xié,(bound form) to clasp under the arm; (bound form) to coerce; (bound form) to harbor (resentment etc); Taiwan pr. [xia2] -挟制,xié zhì,to exploit sb's point of weakness to force them to do one's bidding -挟天子以令天下,xié tiān zǐ yǐ lìng tiān xià,(expr.) hold the feudal overlord and you control the whole country -挟天子以令诸侯,xié tiān zǐ yǐ lìng zhū hóu,(expr.) hold the feudal overlord and you control his vassals -挟带,xié dài,to carry along; to carry on one's person; to carry secretly -挟怨,xié yuàn,to hold a grudge -挟持,xié chí,to seize (sb) by the arms; to hold under duress; to abduct -挟持雇主,xié chí gù zhǔ,"gherao (from Hindi, SE Asian method of protest)" -挟细拿粗,xié xì ná cū,to provoke -捂,wǔ,"to enclose; to cover with the hand (one's eyes, nose or ears); to cover up (an affair); contrary; to contradict" -捂脸,wǔ liǎn,facepalm; to do a facepalm -捃,jùn,gather; to sort -救,jiù,variant of 救[jiu4] -捅,tǒng,to poke; to jab; to give (sb) a nudge; to prod; to disclose; to reveal -捅喽子,tǒng lóu zi,variant of 捅婁子|捅娄子[tong3 lou2 zi5] -捅娄子,tǒng lóu zi,to make a mess of sth -捅楼子,tǒng lóu zi,variant of 捅婁子|捅娄子[tong3 lou2 zi5] -捅破,tǒng pò,to pierce; to poke through -捅马蜂窝,tǒng mǎ fēng wō,(fig.) to stir up a hornet's nest -捆,kǔn,a bunch; to tie together; bundle -捆扎,kǔn zā,to bundle up with rope (e.g. firewood); to secure with rope (e.g. suitcases on the roof of a car); to strap down -捆绑,kǔn bǎng,to bind -捆缚,kǔn fù,bondage -捉,zhuō,to clutch; to grab; to capture -捉住,zhuō zhù,to catch; to grapple with; to hold onto -捉取,zhuō qǔ,to capture -捉奸,zhuō jiān,"to catch a couple in the act (adultery, illicit sexual relations)" -捉弄,zhuō nòng,to tease -捉急,zhuō jí,humorous pronunciation of 著急|着急[zhao2 ji2] -捉拿,zhuō ná,to arrest; to catch a criminal -捉拿归案,zhuō ná guī àn,to bring to justice -捉捕,zhuō bǔ,to arrest; to seize; to capture -捉捕器,zhuō bǔ qì,trap (for animals etc) -捉摸,zhuō mō,to fathom; to make sense of; to grasp -捉摸不定,zhuō mō bù dìng,unpredictable; elusive; hard to pin down -捉获,zhuō huò,to capture -捉襟见肘,zhuō jīn jiàn zhǒu,lit. pulling on the lapels exposes the elbows (idiom); strapped for cash; unable to make ends meet -捉迷藏,zhuō mí cáng,to play hide-and-seek -捋,lǚ,to smooth or arrange sth using one's fingers; to stroke -捋,luō,to hold sth long and run one's hand along it -捋胳膊,luō gē bo,to push up one's sleeves -捋臂揎拳,luō bì xuān quán,lit. to push up one's sleeves and bare one's fists; to be eager to get started -捋虎须,luō hǔ xū,lit. to stroke the tiger's whiskers; to do sth very daring -捋袖子,luō xiù zi,to push up one's sleeves -捌,bā,eight (banker's anti-fraud numeral); split -捍,hàn,to ward off (a blow); to withstand; to defend -捍卫,hàn wèi,to defend; to uphold; to safeguard -捍卫者,hàn wèi zhě,proponent; supporter; upholder -捎,shāo,to bring sth to sb; to deliver -捎来,shāo lái,to bring sth to sb (news etc) -捎信,shāo xìn,to take a letter; to send word -捏,niē,"to hold between the thumb and fingers; to pinch; to mold (using the fingers); to hold (lit. in one's hand and fig.); to join together; to fabricate (a story, a report, etc)" -捏一把冷汗,niē yī bǎ lěng hàn,to break out into a cold sweat (idiom) -捏一把汗,niē yī bǎ hàn,to break out into a cold sweat (idiom) -捏估,niē gu,to act as a go-between -捏合,niē hé,to act as a go between -捏碎,niē suì,to crush (sth) in one's hand -捏积,niē jī,see 捏脊[nie1 ji3] -捏脊,niē jǐ,"form of therapeutic massage, mainly for children, in which a roll of skin is squeezed, working from the base of the spine to the neck (TCM)" -捏脊治疗,niē jǐ zhì liáo,chiropractic (medicine) -捏造,niē zào,to make up; to fabricate -捐,juān,to relinquish; to abandon; to contribute; to donate; (bound form) tax; levy -捐助,juān zhù,to donate; to offer (aid); contribution; donation -捐募,juān mù,to solicit contributions; to collect donations -捐卵,juān luǎn,to donate eggs (from one's ovaries) -捐命,juān mìng,to lay down one's life -捐弃,juān qì,to relinquish; to abandon -捐款,juān kuǎn,to donate money; to contribute funds; donation; contribution (of money) -捐款者,juān kuǎn zhě,donor; benefactor; contributor (to charity) -捐物,juān wù,to donate goods (to a relief effort); to contribute material -捐献,juān xiàn,to donate; to contribute; donation; contribution -捐班,juān bān,to contribute -捐生,juān shēng,to sacrifice one's life -捐益表,juān yì biǎo,tax benefits table -捐税,juān shuì,tax; levy; duty; impost -捐精,juān jīng,to donate sperm -捐给,juān gěi,to donate -捐背,juān bèi,to die -捐血,juān xuè,to donate blood -捐血者,juān xuè zhě,blood donor; also called 供血者 -捐赀,juān zī,variant of 捐資|捐资[juan1 zi1] -捐资,juān zī,to contribute funds -捐赠,juān zèng,to contribute (as a gift); to donate; benefaction -捐赠盈余,juān zèng yíng yú,surplus from donation (accountancy) -捐赠者,juān zèng zhě,donor; contributor -捐躯,juān qū,to sacrifice one's life -捐选,juān xuǎn,to select -捕,bǔ,to catch; to seize; to capture -捕俘,bǔ fú,to capture enemy personnel (for intelligence purposes) -捕快,bǔ kuài,bailiff responsible for catching criminals (in imperial China) -捕手,bǔ shǒu,catcher -捕拿,bǔ ná,to arrest; to capture; to catch -捕捉,bǔ zhuō,to catch; to seize; to capture -捕捞,bǔ lāo,to fish for (aquatic animals and plants); to catch -捕杀,bǔ shā,to hunt and kill (an animal or fish) -捕获,bǔ huò,to catch; to capture; to seize -捕猎,bǔ liè,to catch (wild animals); to hunt -捕禽人,bǔ qín rén,bird-catcher; fowler -捕虏岩,bǔ lǔ yán,xenolith (geology) -捕虫叶,bǔ chóng yè,insect-catching leaf -捕蝇草,bǔ yíng cǎo,Venus flytrap (Dionaea muscipula) -捕头,bǔ tóu,constable -捕风捉影,bǔ fēng zhuō yǐng,lit. chasing the wind and clutching at shadows (idiom); fig. groundless accusations; to act on hearsay evidence -捕食,bǔ shí,to prey on; to catch and feed on; to hunt for food -捕食者,bǔ shí zhě,predator -捕鱼,bǔ yú,to catch fish; to fish -捕鲸,bǔ jīng,whaling -捕鲸船,bǔ jīng chuán,whaler; whale catcher -捕鸟蛛,bǔ niǎo zhū,tarantula -捕鼠器,bǔ shǔ qì,mousetrap -捧,pěng,to hold or offer with both hands; to sing the praises of; classifier for what can be held in both hands -捧上天,pěng shàng tiān,to praise to the skies; to shower with excessive praise -捧到天上,pěng dào tiān shàng,to praise lavishly -捧哏,pěng gén,straight man (supporting role in comic dialogue 對口相聲|对口相声[dui4kou3 xiang4sheng1]); (of a straight man) to react with exasperation to the silliness of the funny man 逗哏[dou4gen2] -捧场,pěng chǎng,to show one's support for a performer or theatrical troupe etc by attending their show; to attend an event to cheer on the participants; to patronize a restaurant or store; to sing the praises of -捧托,pěng tuō,to hold up with both hands -捧杯,pěng bēi,to hold the winner's trophy; to win the championship -捧杀,pěng shā,to praise sb in a way that does them harm (e.g. by causing them to become complacent) -捧红,pěng hóng,to make popular; to make famous -捧腹,pěng fù,to split one's sides laughing; to roar with laughter; (lit.) to hold one's belly with both hands -捧腹大笑,pěng fù dà xiào,to split one's sides laughing -捧腹绝倒,pěng fù jué dǎo,to laugh until it hurts; to laugh heartily -捧臭脚,pěng chòu jiǎo,(coll.) to bootlick -捧花,pěng huā,(wedding) bouquet -捧角,pěng jué,to applaud and praise a favorite actor -捧角儿,pěng jué er,erhua variant of 捧角[peng3jue2] -捧读,pěng dú,(courteous) to read respectfully -舍,shě,to give up; to abandon; to give alms -舍下,shě xià,to abandon; to lay down -舍不得,shě bu de,to hate to do sth; to hate to part with; to begrudge -舍不得孩子套不住狼,shě bù de hái zi tào bù zhù láng,one who is not prepared to risk his child will never catch the wolf (proverb); (fig.) one who is unwilling to take risks will not achieve great things -舍命,shě mìng,to risk one's life -舍己,shě jǐ,selfless; self-sacrifice (to help others); self-renunciation; altruism -舍己救人,shě jǐ jiù rén,to abandon self for others (idiom); to sacrifice oneself to help the people; altruism -舍己为人,shě jǐ wèi rén,"to abandon self for others (idiom, from Analects); to sacrifice one's own interest for other people; altruism" -舍己为公,shě jǐ wèi gōng,to give up one's private interests for the public good (idiom); to behave altruistically; selfless and public spirited -舍得,shě de,to be willing to part with sth -舍本逐末,shě běn zhú mò,to neglect the root and pursue the tip (idiom); to neglect fundamentals and concentrate on details -舍弃,shě qì,to give up; to abandon; to abort -舍正从邪,shě zhèng cóng xié,to be corrupted by evil influences (idiom) -舍生取义,shě shēng qǔ yì,"to give up life for righteousness (idiom, from Mencius); to choose honor over life; would rather sacrifice one's life than one's principles" -舍生忘死,shě shēng wàng sǐ,bravery with no thought of personal safety (idiom); risking life and limb; undaunted by perils -舍身,shě shēn,to give one's life -舍身求法,shě shēn qiú fǎ,to abandon one's body in the search for Buddha's truth (idiom) -舍车保帅,shě jū bǎo shuài,rook sacrifice to save the king (in Chinese chess); fig. to protect a senior figure by blaming an underling; to pass the buck -捩,liè,tear; twist -扪,mén,lay hands on; to cover -扪心无愧,mén xīn wú kuì,"lit. look into one's heart, no shame (idiom); with a clear conscience" -扪心自问,mén xīn zì wèn,to ask oneself honestly; to search in one's heart -捭,bǎi,to spread out; to open -捭,bò,variant of 擘[bo4]; to separate; to split -据,jū,used in 拮据[jie2 ju1] -据,jù,variant of 據|据[ju4] -捱,ái,variant of 挨[ai2] -挨延,ái yán,to delay; to stretch out; to play for time -卷,juǎn,"to roll up; to sweep up; to carry along; a roll; classifier for rolls, spools etc" -卷入,juǎn rù,to be drawn into; to be involved in -卷层云,juǎn céng yún,cirrostratus (cloud); also written 卷層雲|卷层云[juan3 ceng2 yun2] -卷帘门,juǎn lián mén,roll-up door -卷带,juǎn dài,tape -卷心菜,juǎn xīn cài,variant of 卷心菜[juan3 xin1 cai4] -卷扬,juǎn yáng,a whirlwind -卷扬机,juǎn yáng jī,a capstan -卷曲,juǎn qū,to curl (hair); to crimp; to roll up; curly -卷积云,juǎn jī yún,cirrocumulus (cloud) -卷帘,juǎn lián,roller shutter; a blind -卷线器,juǎn xiàn qì,fishing reel -卷腹,juǎn fù,crunch (physical exercise) -卷舌元音,juǎn shé yuán yīn,retroflex vowel (e.g. the final r of putonghua) -卷起,juǎn qǐ,to roll up; to curl up; (of dust etc) to swirl up -卷逃,juǎn táo,to bundle up valuables and abscond -卷边,juǎn biān,to hem; hem; to curl (at the edge) -卷铺盖,juǎn pū gài,to pack and quit; to get the sack; to get fired -卷铺盖走人,juǎn pū gài zǒu rén,to pack one's things and leave -卷风,juǎn fēng,see 龍捲風|龙卷风[long2 juan3 feng1] -卷饼,juǎn bǐng,rolled-up pastry; roll; turnover (patisserie) -卷发,juǎn fà,curly hair; to curl hair -卷发器,juǎn fà qì,hair curler -卷发棒,juǎn fà bàng,curling iron -卷发筒,juǎn fà tǒng,hair roller -卷须,juǎn xū,tendril -捶,chuí,to beat (with a stick or one's fist); to thump; to pound -捶子,chuí zi,drum stick; bass drum mallet; CL:把[ba3] -捶打,chuí dǎ,to beat; to pound; to thump -捶击,chuí jī,to beat; to thump -捶背,chuí bèi,to massage sb's back by pounding it lightly with one's fists -捶胸,chuí xiōng,to beat one's chest -捶胸顿足,chuí xiōng dùn zú,"(idiom) to beat one's chest and stamp one's feet (in sorrow, anguish etc)" -捷,jié,Czech; Czech Republic; abbr. for 捷克[Jie2 ke4] -捷,jié,victory; triumph; quick; nimble; prompt -捷克,jié kè,Czech; Czech Republic (from 1993); Czechia -捷克人,jié kè rén,Czech person -捷克共和国,jié kè gòng hé guó,Czech Republic -捷克斯洛伐克,jié kè sī luò fá kè,Republic of Czechoslovakia (1918-1992) -捷克语,jié kè yǔ,Czech (language) -捷兔,jié tù,Hash House Harriers (international running club) -捷报,jié bào,report of success; report of a victory -捷报频传,jié bào pín chuán,victory reports pour in (idiom); news of success in an endless stream -捷安特,jié ān tè,"Giant Manufacturing, Taiwanese bicycle manufacturer" -捷径,jié jìng,shortcut -捷尔任斯克,jié ěr rèn sī kè,"Dzerzhinsk, Russian city" -捷尔梅兹,jié ěr méi zī,Termez city in southeast Uzbekistan -捷语,jié yǔ,Czech language -捷豹,jié bào,Jaguar (car brand) -捷足先登,jié zú xiān dēng,"the quick-footed climb up first (idiom); the early bird catches the worm; first come, first served" -捷运,jié yùn,(Tw) mass rapid transit (MRT); subway -捷达,jié dá,Jetta (car produced by Volkswagen) -捷达航空货运,jié dá háng kōng huò yùn,Jett8 Airlines Cargo (based in Singapore) -捺,nà,to press down firmly; to suppress; right-falling stroke in Chinese characters (e.g. the last stroke of 大[da4]) -捻,niǎn,to twirl (in the fingers) -捻军,niǎn jūn,"Nian Army, leading a peasant rebellion against the Qing dynasty in Shandong, Henan, Jiangsu and Anhui 1851-1868, at the same time as the Taiping Rebellion further south" -掀,xiān,to lift (a lid); to rock; to convulse -掀动,xiān dòng,to stir; to lift; to set sth in motion -掀天揭地,xiān tiān jiē dì,earth-shattering -掀掉,xiān diào,to remove; to tear off -掀涌,xiān yǒng,to seethe; to bubble up -掀翻,xiān fān,to turn sth over; to overturn -掀背车,xiān bèi chē,hatchback -掀起,xiān qǐ,"to lift; to raise (a lid etc); (of a storm) to surge; to stir up (waves etc); (fig.) to trigger; set off (a wave of popularity, a controversy etc)" -掀开,xiān kāi,to lift open; to tear open -掀风鼓浪,xiān fēng gǔ làng,to raise a storm; to stir up trouble; to instigate -掀腾,xiān téng,to surge up; raging (billows) -掂,diān,to weigh in the hand; to estimate -掂量,diān liang,to weigh in the hand; to consider; to weigh up; Taiwan pr. [dian1liang2] -扫,sǎo,to sweep (with a brush or broom); to sweep away; to wipe out; to get rid of; to sweep (one's eyes etc) over; to scan -扫,sào,(bound form) a (large) broom -扫地,sǎo dì,to sweep the floor; (fig.) (of one's reputation etc) to reach rock bottom; to be at an all-time low -扫地僧,sǎo dì sēng,"Sweeper Monk, nameless monk who maintains the library of Shaolin (from Jin Yong's novel ""Demigods and Semidevils"" 天龍八部|天龙八部[Tian1 long2 Ba1 Bu4]); (fig.) person whose remarkable talents are not well known" -扫地机器人,sǎo dì jī qì rén,robot vacuum -扫堂腿,sǎo táng tuǐ,(martial arts) floor-sweeping kick (to trip one's opponent) -扫墓,sǎo mù,to sweep a grave (and pay one's respects to the dead person) -扫射,sǎo shè,to rake with machine gunfire; to strafe; to machine-gun down -扫尾,sǎo wěi,to complete the last stage of work; to round off -扫帚,sào zhou,broom -扫帚星,sào zhou xīng,comet; person who brings bad luck; jinx -扫把,sào bǎ,broom -扫把星,sào bǎ xīng,comet; person who brings bad luck; jinx -扫描,sǎo miáo,to scan -扫描仪,sǎo miáo yí,scanner (device) -扫描器,sǎo miáo qì,scanner -扫盲,sǎo máng,to wipe out illiteracy -扫眉,sǎo méi,to paint the eyebrows -扫码,sǎo mǎ,to scan a QR code or barcode -扫罗,sǎo luó,Saul (name); biblical king around 1000 BC -扫腿,sǎo tuǐ,see 掃堂腿|扫堂腿[sao3tang2tui3] -扫兴,sǎo xìng,to spoil things; to dampen spirits; to feel deflated; to be dispirited -扫荡,sǎo dàng,(military) to mop up; to crack down on; to eradicate -扫荡腿,sǎo dàng tuǐ,see 掃堂腿|扫堂腿[sao3tang2tui3] -扫街,sǎo jiē,"to sweep the streets; to canvas (for votes, sales etc)" -扫视,sǎo shì,to run one's eyes over; to sweep one's eyes over -扫货,sǎo huò,to go on a shopping spree; to buy in bulk -扫除,sǎo chú,to clean; to clean up; to eliminate; to wipe out -扫除天下,sǎo chú tiān xià,to re-establish order throughout the empire -扫除机,sǎo chú jī,mechanical sweeper -扫雪车,sǎo xuě chē,snowplow -扫雷,sǎo léi,minesweeper (computer game) -扫雷艇,sǎo léi tǐng,minesweeper -扫雷舰,sǎo léi jiàn,minesweeper -扫黄,sǎo huáng,campaign against pornography -扫黄打非,sǎo huáng dǎ fēi,to eradicate pornography and illegal publications -扫黄运动,sǎo huáng yùn dòng,campaign against pornography -扫黑,sǎo hēi,to crack down on illegal activities; to fight organized crime -抡,lūn,"to swing (one's arms, a heavy object); to wave (a sword, one's fists); to fling (money)" -抡,lún,to select -抡元,lún yuán,to win the top award; to come first in the examination rankings -掇,duō,to pick up; to collect; to gather up -掇刀,duō dāo,"Duodao district of Jingmen city 荊門市|荆门市[Jing1 men2 shi4], Hubei" -掇刀区,duō dāo qū,"Duodao district of Jingmen city 荊門市|荆门市[Jing1 men2 shi4], Hubei" -掇臀捧屁,duō tún pěng pì,to hold up buttocks and praise a fart (idiom); to use flatter to get what one wants; to toady; boot-licking -授,shòu,(bound form) to confer; to give; (bound form) to teach; to instruct; (literary) to appoint -授之以鱼不如授之以渔,shòu zhī yǐ yú bù rú shòu zhī yǐ yú,give a man a fish and you feed him for a day; teach a man to fish and you feed him for a lifetime (idiom) -授乳,shòu rǔ,lactation; breast-feeding -授予,shòu yǔ,to award; to confer -授人以柄,shòu rén yǐ bǐng,to hand someone the swordhilt (idiom); to give someone a hold on oneself -授人以鱼不如授人以渔,shòu rén yǐ yú bù rú shòu rén yǐ yú,give a man a fish and you feed him for a day; teach a man to fish and you feed him for a lifetime; knowledge is the best charity -授任,shòu rèn,to appoint -授信,shòu xìn,to extend credit (finance); credit -授勋,shòu xūn,to award an honor -授受,shòu shòu,to give and accept -授命,shòu mìng,to give orders -授意,shòu yì,to inspire; to incite -授时,shòu shí,to broadcast a time signal -授业,shòu yè,to teach; to bequeath -授权,shòu quán,to authorize -授权令,shòu quán lìng,warrant (law) -授权范围,shòu quán fàn wéi,scope of authority; mandate -授奖,shòu jiǎng,to award a prize -授粉,shòu fěn,to pollinate -授精,shòu jīng,insemination -授与,shòu yǔ,variant of 授予[shou4 yu3] -授计,shòu jì,to confide a plan to sb -授课,shòu kè,to teach; to give lessons -授证,shòu zhèng,"to deliver (a diploma, license etc); to qualify" -授衔,shòu xián,rank of professor; academic title -掉,diào,"to fall; to drop; to lag behind; to lose; to go missing; to reduce; fall (in prices); to lose (value, weight etc); to wag; to swing; to turn; to change; to exchange; to swap; to show off; to shed (hair); (used after certain verbs to express completion, fulfillment, removal etc)" -掉下,diào xià,to drop down; to fall -掉以轻心,diào yǐ qīng xīn,to treat sth lightly; to lower one's guard -掉价,diào jià,drop in price; devalued; to have one's status lowered -掉价儿,diào jià er,erhua variant of 掉價|掉价[diao4 jia4] -掉包,diào bāo,variant of 調包|调包[diao4bao1] -掉向,diào xiàng,to turn; to adjust one's direction; to lose one's bearings -掉换,diào huàn,to swap; to replace; to exchange; to change -掉举,diào jǔ,restlessness (Buddhism) -掉书袋,diào shū dài,lit. to wave around one's bookbag (idiom); fig. to show off one's erudition; a person who does so -掉期,diào qī,swap (finance) -掉泪,diào lèi,to shed tears -掉漆,diào qī,to peel off (paint); (fig.) to be exposed; to lose face (Tw) -掉球,diào qiú,(sports) to fumble the ball -掉秤,diào chèng,to lose weight (of cattle) -掉粉,diào fěn,to lose fans -掉线,diào xiàn,to get disconnected (from the Internet) -掉膘,diào biāo,to lose weight (of cattle) -掉色,diào sè,to lose color; to fade; also pr. [diao4 shai3] -掉落,diào luò,to fall down -掉转,diào zhuǎn,to turn around -掉过,diào guò,to swap places -掉过儿,diào guò er,erhua variant of 掉過|掉过[diao4 guo4] -掉链子,diào liàn zi,to have one's bicycle chain come off; (fig.) to let sb down; to drop the ball; to screw up -掉队,diào duì,to fall behind; to drop out -掉头,diào tóu,to turn one's head; to turn round; to turn about -掉头就走,diào tóu jiù zǒu,to turn on one's heels; to walk away abruptly -掉点儿,diào diǎn er,drip of rain -掊,póu,take up in both hands -掊,pǒu,break up; hit -掌,zhǎng,palm of the hand; sole of the foot; paw; horseshoe; to slap; to hold in one's hand; to wield -掌上压,zhǎng shàng yā,"(HK, Malaysia) push-up; press-up (exercise)" -掌上明珠,zhǎng shàng míng zhū,lit. a pearl in the palm (idiom); fig. beloved person (esp. daughter) -掌上电脑,zhǎng shàng diàn nǎo,handheld computer; PDA (personal digital assistant); Pocket PC -掌中戏,zhǎng zhōng xì,see 布袋戲|布袋戏[bu4 dai4 xi4] -掌勺,zhǎng sháo,to be in charge of the cooking; to be the chef; head cook; chef -掌嘴,zhǎng zuǐ,to slap -掌子面,zhǎng zi miàn,face (mining) -掌厨,zhǎng chú,to prepare meals; chef -掌心,zhǎng xīn,hollow of the palm -掌控,zhǎng kòng,to control; in control of -掌握,zhǎng wò,"to grasp (often fig.); to control; to seize (initiative, opportunity, destiny); to master; to know well; to understand sth well and know how to use it; fluency" -掌握电脑,zhǎng wò diàn nǎo,PDA; Personal Digital Assistant -掌掴,zhǎng guāi,to slap -掌击,zhǎng jī,to slap -掌故,zhǎng gù,anecdote; tales (esp. about a historical figure) -掌机,zhǎng jī,handheld game console -掌柜,zhǎng guì,shopkeeper -掌权,zhǎng quán,to wield (political etc) power; be in power -掌灯,zhǎng dēng,to hold a lamp; to light a lamp -掌玺大臣,zhǎng xǐ dà chén,chancellor (rank in various European states); grand chancellor -掌玺官,zhǎng xǐ guān,chancellor (rank in various European states) -掌相,zhǎng xiàng,palmistry; features of a palm (in palmistry) -掌管,zhǎng guǎn,in charge of; to control -掌声,zhǎng shēng,applause; CL:陣|阵[zhen4] -掌声雷动,zhǎng shēng léi dòng,thunderous applause (idiom) -掌舵,zhǎng duò,to steer (a ship) -掌骨,zhǎng gǔ,metacarpal bone (long bones in the hand and feet) -掎,jǐ,drag -掏,tāo,to fish out (from pocket); to scoop -掏出,tāo chū,"to fish out; to take out (from a pocket, bag etc)" -掏包,tāo bāo,to pick pockets -掏心掏肺,tāo xīn tāo fèi,to be totally devoted (to a person) -掏空,tāo kōng,to hollow out; to empty out; to use up; (finance) tunneling -掏耳,tāo ěr,to remove earwax with an ear pick -掏腰包,tāo yāo bāo,to dip into one's pocket; to pay out of pocket; to foot the bill -掏钱,tāo qián,to pay; to spend money; to fork out -掐,qiā,to pick (flowers); to pinch; to nip; to pinch off; to clutch; (slang) to fight -掐断,qiā duàn,to nip off (with fingernails etc); (fig.) to cut off (supply etc); to disconnect -掐架,qiā jià,"(of dogs, roosters etc) to fight; to tussle; (of people) to have an altercation with sb (physical or verbal)" -掐死,qiā sǐ,to throttle; to choke to death -掐算,qiā suàn,to count with one's fingers; on the spot calculation -掐脖子,qiā bó zi,to seize by the throat -掐表,qiā biǎo,to use a stopwatch -排,pái,"a row; a line; to set in order; to arrange; to line up; to eliminate; to drain; to push open; platoon; raft; classifier for lines, rows etc" -排他,pái tā,exclusive; excluding -排便,pái biàn,to defecate -排偶,pái ǒu,parallel and antithesis (paired sentences as rhetoric device) -排入,pái rù,to discharge into -排出,pái chū,to discharge -排列,pái liè,to arrange in order; (math.) permutation -排列次序,pái liè cì xù,ranking; ordering in list -排印,pái yìn,typesetting and printing -排卵,pái luǎn,to ovulate -排名,pái míng,"to rank (1st, 2nd etc); ranking" -排名榜,pái míng bǎng,ranking; ordered list; top 20; roll of honor; to come nth out of 100 -排名表,pái míng biǎo,league table; roll of honor -排场,pái chang,ostentation; a show of extravagance; grand style; red tape -排外,pái wài,xenophobic; anti-foreigner -排定,pái dìng,to schedule -排客,pái kè,paid queuer; person paid to stand in line for another -排射,pái shè,a barrage of fire; a salvo -排尿,pái niào,to urinate -排屋,pái wū,row house; townhouse; terrace house -排山倒海,pái shān dǎo hǎi,lit. to topple the mountains and overturn the seas (idiom); earth-shattering; fig. gigantic; of spectacular significance -排序,pái xù,to sort; to arrange in order -排律,pái lǜ,long poem in lüshi form 律詩|律诗 -排闷,pái mèn,to divert oneself from melancholy -排忧解难,pái yōu jiě nàn,to resolve a difficult situation and leave worries behind (idiom) -排插,pái chā,power strip -排挡,pái dǎng,gear (of car etc) -排挡速率,pái dǎng sù lǜ,gear; gear speed -排挤,pái jǐ,to crowd out; to push aside; to supplant -排放,pái fàng,"to arrange in order; to emit; to discharge (exhaust gas, waste water etc); (of animals) to ovulate; to discharge semen" -排斥,pái chì,to reject; to exclude; to eliminate; to remove; to repel -排查,pái chá,to inspect; to run through a checklist; to take stock; to audit -排查故障,pái chá gù zhàng,to troubleshoot; to check components individually for problems; troubleshooting -排枪,pái qiāng,volley of rifle fire; salvo -排档,pái dàng,stall (of market etc) -排检,pái jiǎn,to arrange for ease of search; to catalogue for retrieval -排毒,pái dú,to expel poison (from the system); to detox -排比,pái bǐ,parallelism (rhetoric); to arrange things alongside each other -排气,pái qì,to ventilate -排气孔,pái qì kǒng,an air vent; a ventilation shaft -排气扇,pái qì shàn,exhaust fan -排气管,pái qì guǎn,exhaust pipe -排水,pái shuǐ,to drain -排水口,pái shuǐ kǒu,plughole; drainage hole -排水孔,pái shuǐ kǒng,plughole; drainage hole -排水渠,pái shuǐ qú,drainage -排水沟,pái shuǐ gōu,gutter -排水管,pái shuǐ guǎn,drainpipe; waste pipe -排水量,pái shuǐ liàng,displacement -排污,pái wū,to drain sewage -排污地下主管网,pái wū dì xià zhǔ guǎn wǎng,underground sewage network -排污管,pái wū guǎn,sewer -排泄,pái xiè,"to drain (factory waste etc); to excrete (urine, sweat etc)" -排泄物,pái xiè wù,"excreta; waste matter (feces, urine etc)" -排泄系统,pái xiè xì tǒng,drainage system; excretory system -排洪,pái hóng,to drain flood-water -排海,pái hǎi,to drain (wastewater) into the sea -排满,pái mǎn,to line (a street); to fill up (a space); to be packed full; to fill up (one's schedule); to be fully booked; (old) to overthrow the Manchu regime -排演,pái yǎn,to rehearse (a performance) -排涝,pái lào,to drain flooded fields -排泻,pái xiè,"variant of 排泄[pai2 xie4]; to excrete (urine, sweat etc)" -排泻物,pái xiè wù,variant of 排泄物[pai2 xie4 wu4] -排湾族,pái wān zú,"Paiwan, one of the indigenous peoples of Taiwan" -排炮,pái pào,to fire a salvo; broadside; cannonade -排烟,pái yān,to discharge smoke -排灯节,pái dēng jié,Diwali (Hindu festival) -排版,pái bǎn,typesetting -排犹,pái yóu,to eliminate Jews; antisemitism -排犹主义,pái yóu zhǔ yì,antisemitism -排班,pái bān,"to arrange (shifts, runs, classes etc) in order" -排球,pái qiú,volleyball; CL:個|个[ge4] -排空,pái kōng,to drain out; to empty; to discharge (waste gas) into the air; to soar up into the sky -排笙,pái shēng,reed-pipe wind instrument with a keyboard -排箫,pái xiāo,see 簫|箫[xiao1] -排练,pái liàn,to rehearse; rehearsal -排翅,pái chì,whole-piece shark's fin -排舞,pái wǔ,a dance in formation; choreographed dance; line dance -排华,pái huá,"to discriminate against Chinese people; anti-Chinese (policy, sentiment etc); Sinophobia" -排华法案,pái huá fǎ àn,"Chinese Exclusion Act, a US law restricting Chinese immigration from 1882-1943" -排萧,pái xiāo,panpipe -排行,pái háng,to rank; ranking; seniority (among siblings) -排行榜,pái háng bǎng,the charts (of best-sellers); table of ranking -排解,pái jiě,to mediate; to reconcile; to make peace; to intervene -排走,pái zǒu,to drain away; to vent out -排起长队,pái qǐ cháng duì,to form a long line (i.e. of people waiting) -排遣,pái qiǎn,"to divert oneself from (loneliness, grief etc); to dispel (negative thoughts etc)" -排遗,pái yí,feces; excrement; scat; droppings; to egest; to get (one's feelings) out; to rid oneself (of a thought) -排量,pái liàng,discharge volume; engine capacity; engine displacement (volume of air fuel mixture drawn in during one cycle) -排错,pái cuò,troubleshooting; debugging; to debug; erratum; to arrange in incorrect sequence -排长,pái zhǎng,platoon leader; sergeant -排除,pái chú,to eliminate; to remove; to exclude; to rule out -排除万难,pái chú wàn nán,to overcome all obstacles; to overcome countless difficulties -排队,pái duì,to line up -排难解纷,pái nàn jiě fēn,to remove perils and solve disputes (idiom); to reconcile differences -排雷,pái léi,(military) to clear mines; mine clearance -排面,pái miàn,a row of things facing oneself (esp. a row of products on a shelf facing customers in a store); (neologism c. 2019) (coll.) ostentation; showiness; impressiveness -排头兵,pái tóu bīng,lit. frontline troops; leader; trailblazer; pacesetter -排风口,pái fēng kǒu,exhaust vent -排骨,pái gǔ,pork chop; pork cutlet; spare ribs; (coll.) skinny person -排骨精,pái gǔ jīng,(jocular) anorexic girl; a bag of bones -掖,yē,to tuck (into a pocket); to hide; to conceal -掖,yè,to support by the arm; to help; to promote; at the side; also pr. [yi4] -掖咕,yē gu,to toss aside; to misplace -掖垣,yè yuán,sidewalls of a palace -掖庭,yè tíng,Lateral Courts in the imperial palace (housing concubines and administrative offices) -掖掖盖盖,yē yē gài gài,stealthily; clandestinely -掖门,yè mén,small side door of a palace -掘,jué,to dig -掘出,jué chū,to exhume; to unearth; to dig out -掘土机,jué tǔ jī,excavator -掘墓工人,jué mù gōng rén,grave digger -掘墓鞭尸,jué mù biān shī,to exhume a body for public flogging (idiom) -掘客,jué kè,Digg (social news website) -挣,zhēng,used in 掙扎|挣扎[zheng1 zha2] -挣,zhèng,to struggle to get free; to strive to acquire; to make (money) -挣得,zhèng dé,to earn (income); to make (money) -挣扎,zhēng zhá,to struggle -挣脱,zhèng tuō,to throw off; to struggle free of; Taiwan pr. [zheng1 tuo1] -挣钱,zhèng qián,to make money -挂,guà,to hang; to suspend (from a hook etc); to hang up (the phone); (of a line) to be dead; to be worried; to be concerned; (dialect) to make a phone call; to register (at a hospital); to make an appointment (with a doctor); (slang) to kill; to die; to be finished; to fail (an exam); classifier for sets or clusters of objects -挂一漏万,guà yī lòu wàn,to mention some but omit many others (idiom); to leave out much more than one includes -挂住,guà zhù,to get caught (entangled); to catch (on sth) -挂名,guà míng,to attach sb's name to (a role); to go by the title of; nominal; in name only -挂单,guà dān,see 掛褡|挂褡[gua4 da1] -挂图,guà tú,wall chart -挂在嘴上,guà zai zuǐ shang,to pay lip service to; to keep mentioning (without doing anything); to blather on about sth -挂在嘴边,guà zài zuǐ biān,to keep saying (sth) over and over -挂坠盒,guà zhuì hé,locket -挂失,guà shī,to report the loss of something -挂好,guà hǎo,"to hang up properly (telephone, picture, clothes etc)" -挂帅,guà shuài,to be in command; (fig.) to dominate over other considerations; to be over-emphasized -挂彩,guà cǎi,to decorate for festive occasions; to be wounded in action -挂心,guà xīn,to worry; to be on one's mind -挂念,guà niàn,to feel anxious about; to have (sth) weighing on one's mind -挂急诊,guà jí zhěn,to register as an emergency case at a hospital -挂虑,guà lǜ,to worry about -挂怀,guà huái,concerned; troubled; having sth on one's mind -挂搭,guà dā,variant of 掛褡|挂褡[gua4 da1] -挂挡,guà dǎng,to put into gear; to engage the gear; gear change -挂断,guà duàn,to hang up (a phone) -挂旗,guà qí,"vertical banner (for display at exhibitions, advertising hung from poles in the street etc)" -挂历,guà lì,wall calendar -挂果,guà guǒ,(of a tree) to bear fruit -挂机,guà jī,"to hang up (a phone); to leave a computer etc running (idling, downloading, or playing a game in one's stead etc)" -挂毯,guà tǎn,tapestry -挂水,guà shuǐ,to put sb on an intravenous drip -挂牌,guà pái,lit. to hang up a plate; to open up for business; listed (on stock market) -挂碍,guà ài,worry -挂科,guà kē,to fail (a course) -挂空挡,guà kōng dǎng,see 放空擋|放空挡[fang4 kong1 dang3] -挂线,guà xiàn,to hang up the phone -挂羊头卖狗肉,guà yáng tóu mài gǒu ròu,lit. to hang a sheep's head while selling dog meat (idiom); fig. to cheat; dishonest advertising; wicked deeds carried out under banner of virtue -挂职,guà zhí,temporary assignment to a Chinese government or CCP post -挂花,guà huā,to be wounded; (of plants) to bloom -挂兰,guà lán,spider plant (Chlorophytum comosum) -挂号,guà hào,to register (at a hospital etc); to send by registered mail -挂号信,guà hào xìn,registered letter -挂号证,guà hào zhèng,register card -挂褡,guà dā,(of a monk) to take residence at a temple -挂起,guà qǐ,to hang up (a picture etc); to hoist up (a flag); (computing) to suspend (a process); (of a system) to hang; pending (operation) -挂车,guà chē,trailer -挂轴,guà zhóu,hanging scroll (calligraphy or painting) -挂载,guà zài,(computing) to mount -挂钩,guà gōu,to couple; to link; to hook together; (fig.) (preceded by 與|与[yu3] + {entity}) to establish contact (with {entity}); (Tw) to collude (with {entity}); (fig.) to link (marketing efforts with production etc); to peg (welfare payments to inflation etc); to tie (remuneration to performance etc); hook (on which to hang sth); latch hook; coupling -挂钩儿,guà gōu er,erhua variant of 掛鉤|挂钩[gua4 gou1] -挂锁,guà suǒ,padlock -挂钟,guà zhōng,wall clock -挂镰,guà lián,to complete the year's harvest -挂靠,guà kào,to be affiliated with; to operate under the wing of; affiliation -挂马,guà mǎ,"Trojan horse, to add malware to a website or program (computing)" -挂面,guà miàn,pasta; noodles -挂齿,guà chǐ,"to mention (e.g. ""don't mention it"")" -掠,lüè,to take over by force; to rob; to plunder; to brush over; to skim; to sweep -掠取,lüè qǔ,to plunder; to pillage; to loot -掠夺,lüè duó,to plunder; to rob -掠夺者,lüè duó zhě,robber; plunderer; predator -掠美,lüè měi,to claim credit due to others -掠卖,lüè mài,to press-gang sb and sell into slavery -掠卖华工,lüè mài huá gōng,Chinese people press-ganged and sold into slavery during Western colonialism -掠过,lüè guò,to flit across; to sweep past; to glance (strike at an angle) -掠食,lüè shí,to prey on; predation; predatory -采,cǎi,to pick; to pluck; to collect; to select; to choose; to gather -采伐,cǎi fá,to fell; to cut -采光,cǎi guāng,to get natural light (e.g. through a window) -采出,cǎi chū,to extract; to mine -采取,cǎi qǔ,"to adopt or carry out (measures, policies, course of action); to take" -采取措施,cǎi qǔ cuò shī,to adopt measures; to take steps -采取行动,cǎi qǔ xíng dòng,to take action; to adopt policies; to move on some issue -采场,cǎi chǎng,slope -采掘,cǎi jué,to excavate; to extract (ore) -采摘,cǎi zhāi,to pluck; to pick -采择,cǎi zé,to choose and use; to adopt (a decision) -采收率,cǎi shōu lǜ,recovery ratio -采景,cǎi jǐng,"to choose a location; to frame a shot (for filming, photography etc)" -采暖,cǎi nuǎn,heating -采果,cǎi guǒ,fruit picking -采棉机,cǎi mián jī,cotton picker -采样,cǎi yàng,sampling -采样率,cǎi yàng lǜ,sampling rate -采油,cǎi yóu,oil extraction; oil recovery -采煤,cǎi méi,coal mining; coal extraction; coal cutting -采煤工作面,cǎi méi gōng zuò miàn,(mining) coalface -采珠,cǎi zhū,to dive for pearls -采珠人,cǎi zhū rén,"The Pearl Fishers, 1863 opera by Georges Bizet 比才[Bi4 cai2]" -采用,cǎi yòng,to adopt; to employ; to use -采石场,cǎi shí chǎng,stone pit; quarry -采砂场,cǎi shā chǎng,sandpit; sand quarry -采矿,cǎi kuàng,mining -采矿业,cǎi kuàng yè,mining -采种,cǎi zhǒng,seed collecting -采纳,cǎi nà,to accept; to adopt -采耳,cǎi ěr,to remove earwax with an ear pick -采脂,cǎi zhī,tree tapping -采花,cǎi huā,to pick flowers; to enter houses at night in order to rape women -采花大盗,cǎi huā dà dào,lit. flower thief; fig. rapist -采花贼,cǎi huā zéi,lit. flower thief; fig. rapist -采兰赠芍,cǎi lán zèng sháo,lit. pick orchids and present peonies (idiom); fig. presents between lovers -采行,cǎi xíng,"to adopt (a system, policy, strategy etc)" -采制,cǎi zhì,to gather and process (herbs etc); (of a reporter) to gather material and put together (a recorded news item) -采访,cǎi fǎng,to interview; to gather news; to hunt for and collect; to cover -采访记者,cǎi fǎng jì zhě,investigative reporter -采证,cǎi zhèng,to collect evidence -采买,cǎi mǎi,to purchase; to buy; to do one's shopping; purchasing agent; buyer -采购,cǎi gòu,to procure (for an enterprise etc); to purchase -采购员,cǎi gòu yuán,buyer; purchasing agent -采购商,cǎi gòu shāng,buyer -采办,cǎi bàn,to buy on a considerable scale; to purchase; to procure; to stock up -采邑,cài yì,fief -采录,cǎi lù,collect and record -采集,cǎi jí,to gather; to collect; to harvest -采风,cǎi fēng,"to collect local cultural material (recording folk songs, taking photos etc)" -采食,cǎi shí,to forage; to gather for eating; to pick and eat -探,tàn,to explore; to search out; to scout; to visit; to stretch forward -探井,tàn jǐng,(mining) test pit; exploratory shaft; test well -探伤,tàn shāng,to inspect metal for flaws (using X-ray or ultrasound etc) -探勘,tàn kān,to explore; to survey; to prospect (for oil etc); prospecting -探口气,tàn kǒu qì,to sound out opinions; to get sb's views by polite or indirect questioning; also written 探口風|探口风[tan4 kou3 feng1] -探口风,tàn kǒu fēng,to sound out opinions; to get sb's views by polite or indirect questioning -探员,tàn yuán,detective; investigator; agent -探问,tàn wèn,to inquire into; to ask after -探囊取物,tàn náng qǔ wù,to feel in one's pocket and take sth (idiom); as easy as pie; in the bag -探奇,tàn qí,to seek unusual scenery or places -探子,tàn zi,intelligence gatherer; spy; detective; scout; sound (medical instrument); long and narrow probing and sampling utensil -探家,tàn jiā,to make a trip home -探察,tàn chá,to investigate; to observe; to scout; to seek out and examine; to explore -探寻,tàn xún,to search; to seek; to explore -探尺,tàn chǐ,dipstick; measuring rod -探幽发微,tàn yōu fā wēi,to probe deeply and uncover minute details -探底,tàn dǐ,"(of stock prices, etc) to slump; to dip" -探店,tàn diàn,to try out a restaurant and film a video to share on the Internet -探戈,tàn gē,tango (dance) (loanword) -探摸,tàn mō,to feel for sth; to grope -探明,tàn míng,to ascertain; to verify -探月,tàn yuè,lunar exploration -探望,tàn wàng,to visit; to call on sb; to look around -探查,tàn chá,to examine; to probe; to scout out; to nose around -探求,tàn qiú,to seek; to pursue; to investigate -探测,tàn cè,to probe; to survey -探测器,tàn cè qì,detector; probe -探测字,tàn cè zì,(cognitive psychology) probe letter -探照灯,tàn zhào dēng,searchlight -探班,tàn bān,to check on sb at his workplace; to come to a movie set to visit one of the actors -探病,tàn bìng,to visit a sick person or patient -探监,tàn jiān,to visit a prisoner (usu. a relative or friend) -探看,tàn kàn,to visit; to go to see what's going on -探知,tàn zhī,to find out; to ascertain; to get an idea of -探矿,tàn kuàng,to prospect; to dig for coal or minerals -探矿者,tàn kuàng zhě,prospector; person exploring for minerals -探秘,tàn mì,to explore a mystery; to probe the unknown -探究,tàn jiū,to investigate; to delve; to probe; to enquire into; to look into -探究式,tàn jiū shì,exploratory -探索,tàn suǒ,to explore; to probe -探索性,tàn suǒ xìng,exploratory -探听,tàn tīng,to make inquiries; to try to find out; to pry -探花,tàn huā,candidate who came third in the Hanlin examination (cf. 狀元|状元[zhuang4yuan2]); (slang) to secretly film sex with a prostitute to share on the Internet -探视,tàn shì,"to visit (a patient, prisoner etc); to look inquiringly" -探视权,tàn shì quán,visitation rights (law) -探亲,tàn qīn,to go home to visit one's family -探讨,tàn tǎo,to investigate; to probe -探访,tàn fǎng,to seek by inquiry or search; to call on; to visit -探询,tàn xún,to inquire into; to ask after -探路,tàn lù,to find a path -探路者,tàn lù zhě,"Pathfinder, NASA spacecraft sent to Mars in 1977" -探身,tàn shēn,"to lean forward; to lean out (of a window, door etc)" -探身子,tàn shēn zi,to bend forward; to lean out -探针,tàn zhēn,probe -探长,tàn zhǎng,(police) detective -探险,tàn xiǎn,to explore; to go on an expedition; adventure -探险家,tàn xiǎn jiā,explorer -探险者,tàn xiǎn zhě,explorer -探雷,tàn léi,to detect mines; mine detection -探雷人员,tàn léi rén yuán,mine detector (employee) -探头,tàn tóu,to extend one's head (out or into); a probe; detector; search unit -探头探脑,tàn tóu tàn nǎo,to stick one's head out and look around (idiom) -探头探脑儿,tàn tóu tàn nǎo er,erhua variant of 探頭探腦|探头探脑[tan4 tou2 tan4 nao3] -探风,tàn fēng,to make inquiries about sb or sth; to fish for information -探马,tàn mǎ,mounted scout (arch.) -探骊得珠,tàn lí dé zhū,"to pluck a pearl from the black dragon (idiom, from Zhuangzi); fig. to pick out the salient points (from a tangled situation); to see through to the nub" -掣,chè,to pull; to draw; to pull back; to withdraw; to flash past -掣肘,chè zhǒu,to hold sb back by the elbow; to impede; to hinder -掣电,chè diàn,to flash; a flash (literary) -接,jiē,to receive; to answer (the phone); to meet or welcome sb; to connect; to catch; to join; to extend; to take one's turn on duty; to take over for sb -接上,jiē shàng,to connect (a cable etc); to hook up (a device); to resume (a conversation); to set (a bone) -接下,jiē xià,to take on (a responsibility) -接下来,jiē xià lái,to accept; to take; next; following -接二连三,jiē èr lián sān,one after another (idiom); in quick succession -接人,jiē rén,to meet a person -接任,jiē rèn,"to take over (as minister, manager etc)" -接住,jiē zhù,to catch (sth thrown etc); to receive (sth given); to accept -接入,jiē rù,to access (a network); to insert (a plug) into (a socket) -接入点,jiē rù diǎn,(computer networking) access point -接到,jiē dào,to receive (letter etc) -接力,jiē lì,relay -接力棒,jiē lì bàng,relay baton; (fig.) responsibilities (passed over to one's successor) -接力赛,jiē lì sài,relay race; CL:場|场[chang3] -接力赛跑,jiē lì sài pǎo,relay race -接受,jiē shòu,"to accept (a suggestion, punishment, bribe etc); to acquiesce" -接受审问,jiē shòu shěn wèn,under interrogation (for a crime); on trial -接受者,jiē shòu zhě,recipient; person receiving sth -接口,jiē kǒu,interface; port; connector -接口模块,jiē kǒu mó kuài,interface module -接合,jiē hé,to connect; to join; to assemble -接合菌纲,jiē hé jūn gāng,Zygomycetes -接吻,jiē wěn,to kiss -接单,jiē dān,to take a customer's order; (of a taxi driver) to accept a booking; (of a delivery rider) to accept a delivery job -接地,jiē dì,earth (electric connection); to earth -接地气,jiē dì qì,in touch with the common people; down-to-earth -接壤,jiē rǎng,to border on -接客,jiē kè,to receive guests; to receive patrons (of prostitutes) -接尾词,jiē wěi cí,suffix (in Japanese and Korean grammar) -接引,jiē yǐn,"to greet and usher in (guests, newcomers etc); (Buddhism) to receive into the Pure Land" -接待,jiē dài,"to receive; to entertain; to host (guests, visitors or clients)" -接待员,jiē dài yuán,receptionist -接待室,jiē dài shì,reception room -接应,jiē yìng,to provide support; to come to the rescue -接战,jiē zhàn,to engage in battle -接戏,jiē xì,to accept an acting role -接手,jiē shǒu,to take over (duties etc); catcher (baseball etc) -接掌,jiē zhǎng,to take over; to take control -接收,jiē shōu,reception (of transmitted signal); to receive; to accept; to admit; to take over (e.g. a factory); to expropriate -接收器,jiē shōu qì,receiver -接收器灵敏度,jiē shōu qì líng mǐn dù,receiver sensitivity -接收机,jiē shōu jī,receiver; TV or radio receiver -接替,jiē tì,to replace; to take over (a position or post) -接枝,jiē zhī,(tree) graft -接案,jiē àn,to be informed of a case; to take a case; to contract for a job (as a freelancer) -接棒人,jiē bàng rén,successor -接机,jiē jī,to meet (or pick up) sb arriving by plane; (of airport staff) to deal with the arrival of a plane -接泊车,jiē bó chē,shuttle bus -接活,jiē huó,to take on a piece of work; to pick up some freelance work; (of a taxi driver) to pick up a fare -接洽,jiē qià,to discuss a matter with sb; to get in touch with; to arrange -接济,jiē jì,to give material assistance to -接获,jiē huò,"to receive (a call, report etc)" -接班,jiē bān,to take over (from those working the previous shift); to take over (in a leadership role etc); to succeed sb -接班人,jiē bān rén,successor -接球,jiē qiú,"to receive a served ball (volleyball, tennis etc); to catch a ball thrown by sb" -接生,jiē shēng,to deliver (a newborn child) -接生婆,jiē shēng pó,midwife -接盘,jiē pán,(of an entrepreneur) to buy up a struggling business; (finance) to snap up shares sold off by others; (neologism) (slang) to take as a girlfriend a woman who was dumped by her ex for sleeping around -接碴,jiē chá,variant of 接茬[jie1cha2] -接种,jiē zhòng,to be vaccinated; to be inoculated -接穗,jiē suì,scion (branch or bud that is grafted onto rootstock) -接管,jiē guǎn,to take over; to assume control -接纳,jiē nà,to admit (to membership) -接线,jiē xiàn,wiring; to connect a wire -接线员,jiē xiàn yuán,switchboard operator -接线板,jiē xiàn bǎn,power strip -接线生,jiē xiàn shēng,switchboard operator; phone operator -接线盒,jiē xiàn hé,junction box (elec.) -接缝,jiē fèng,seam; join; juncture -接续,jiē xù,to follow; to continue -接听,jiē tīng,to answer the phone -接茬,jiē chá,(coll.) to respond; to offer a comment; to jump into the conversation -接着,jiē zhe,to catch and hold on; to continue; to go on to do sth; to follow; to carry on; then; after that; subsequently; to proceed; to ensue; in turn; in one's turn -接见,jiē jiàn,to receive sb; to grant an interview -接触,jiē chù,to touch; to contact; access; in touch with -接触不良,jiē chù bù liáng,loose or defective contact (elec.) -接触器,jiē chù qì,contactor -接警,jiē jǐng,"(of police, fire brigade etc) to receive a report of an incident" -接踵,jiē zhǒng,to follow on sb's heels -接踵而来,jiē zhǒng ér lái,to come one after the other -接轨,jiē guǐ,railtrack connection; to integrate into sth; to dock; to connect; to be in step with; to bring into line with; to align -接近,jiē jìn,to approach; to get close to -接送,jiē sòng,to pick up and drop off; to ferry back and forth -接通,jiē tōng,to connect; to put through -接通费,jiē tōng fèi,connection charge -接连,jiē lián,on end; in a row; in succession -接连不断,jiē lián bù duàn,in unbroken succession (idiom) -接过,jiē guò,to take (sth proffered) -接头,jiē tóu,connector; joint; coupling; (coll.) to contact; to get in touch with; to have knowledge of; to be familiar with -接风,jiē fēng,to hold a welcoming dinner or reception -接驳,jiē bó,to access; to transfer passengers between two railway lines -接驳车,jiē bó chē,shuttle bus ferrying passengers between train stations on two different rail lines -接骨木,jiē gǔ mù,elder or elderberry (genus Sambucus) -接发,jiē fà,hair extensions -接点,jiē diǎn,(electrical) contact -接龙,jiē lóng,"to build up a sequence; a succession of things, each linked to the previous one" -控,kòng,to control; to accuse; to charge; to sue; to invert a container to empty it; (suffix) (slang) buff; enthusiast; devotee; -phile or -philia -控件,kòng jiàn,"(computing) a control (e.g. button, text box etc)" -控制,kòng zhì,to control -控制室,kòng zhì shì,control room -控制杆,kòng zhì gǎn,control lever; joystick -控制棒,kòng zhì bàng,control rods -控制权,kòng zhì quán,"control (as in ""to win control"")" -控制狂,kòng zhì kuáng,control freak -控制台,kòng zhì tái,control desk; console -控制论,kòng zhì lùn,control theory (math.); cybernetics -控告,kòng gào,to accuse; to charge; to indict -控管,kòng guǎn,to control (quality etc); to manage (resources etc) -控罪,kòng zuì,criminal charge; accusation -控股,kòng gǔ,to own a controlling number of shares in a company -控股公司,kòng gǔ gōng sī,holding company -控规,kòng guī,regulatory plan -控诉,kòng sù,to accuse; to denounce; to make a complaint against; denunciation -控评,kòng píng,to manipulate the comments section on social media -控辩,kòng biàn,the prosecution and the defense (law) -控辩交易,kòng biàn jiāo yì,plea bargaining; plea agreement -控辩协议,kòng biàn xié yì,plea bargain (law) -推,tuī,to push; to cut; to refuse; to reject; to decline; to shirk (responsibility); to put off; to delay; to push forward; to nominate; to elect; massage -推三阻四,tuī sān zǔ sì,to use all sorts of excuses -推介,tuī jiè,promotion; to promote; to introduce and recommend -推介会,tuī jiè huì,promotional seminar; promotional event -推估,tuī gū,to estimate -推来推去,tuī lái tuī qù,(idiom) to rudely push and pull others; (idiom) to evade responsibility and push it to others -推倒,tuī dǎo,to push over; to overthrow -推出,tuī chū,to push out; to release; to launch; to publish; to recommend -推力,tuī lì,driving force; impetus; thrust (of a boat or airplane engine); repelling force -推助,tuī zhù,to bolster; to give a boost to (the economy etc) -推动,tuī dòng,to push (e.g. for acceptance of a plan); to promote; to give impetus to -推动力,tuī dòng lì,driving force -推升,tuī shēng,to cause (prices etc) to rise -推卸,tuī xiè,to avoid (esp. responsibility); to shift (the blame); to pass the buck -推却,tuī què,to repel; to decline -推及,tuī jí,to spread; to extend -推友,tuī yǒu,Twitter user -推问,tuī wèn,to interrogate -推土机,tuī tǔ jī,bulldozer -推委,tuī wěi,variant of 推諉|推诿[tui1 wei3] -推子,tuī zi,hair clippers -推宕,tuī dàng,to postpone; to delay; to put sth off -推官,tuī guān,prefectural judge (in imperial China) -推定,tuī dìng,to infer; to consider and come to a judgment; to elect -推尊,tuī zūn,to esteem; to revere; to think highly of sb -推寻,tuī xún,to examine; to investigate -推导,tuī dǎo,derivation; to deduce -推展,tuī zhǎn,to propagate; to popularize -推崇,tuī chóng,to esteem; to think highly of; to accord importance to; to revere -推度,tuī duó,to infer; to guess -推广,tuī guǎng,to extend; to spread; to popularize; generalization; promotion (of a product etc) -推延,tuī yán,to procrastinate -推后,tuī hòu,"to push back (progress, the times etc)" -推心,tuī xīn,to treat sincerely; to confide in -推心置腹,tuī xīn zhì fù,to give one's bare heart into sb else's keeping (idiom); sb has one's absolute confidence; to trust completely; to confide in sb with entire sincerity -推恩,tuī ēn,to extend kindness -推想,tuī xiǎng,to reckon; to infer; to imagine -推戴,tuī dài,to endorse (sb for leader) -推手,tuī shǒu,promoter; advocate; driving force; pushing hands (two-person training routine esp. in t'ai chi) -推托,tuī tuō,to make excuses; to give an excuse (for not doing something) -推拉门,tuī lā mén,sliding door -推拿,tuī ná,tui na (form of Chinese manual therapy) -推挽,tuī wǎn,to push and pull; to move sth forward by shoving and pulling -推推搡搡,tuī tuī sǎng sǎng,to push and shove -推搡,tuī sǎng,to shove; to jostle -推搪,tuī táng,to offer excuses (colloquial); to stall -推故,tuī gù,to find a pretext for refusing -推敲,tuī qiāo,to think over -推文,tuī wén,"tweet (on Twitter); (HK, Tw) to ""bump"" a forum thread to raise its profile; to reply to original poster (or recommend a post) on PTT bulletin board" -推斥,tuī chì,(physics) to repulse; repulsion -推斥力,tuī chì lì,(physics) repulsive force -推断,tuī duàn,to infer; to deduce; to predict; to extrapolate -推服,tuī fú,to esteem; to admire -推本溯源,tuī běn sù yuán,to go back to the source -推杯换盏,tuī bēi huàn zhǎn,(idiom) to drink together in a convivial atmosphere -推杆,tuī gān,push rod or tappet (mechanics); putter (golf); to putt (golf) -推求,tuī qiú,to inquire; to ascertain -推油,tuī yóu,oil massage -推波助澜,tuī bō zhù lán,to push the wave and add to the billows (idiom); to add momentum; to encourage sth to get bigger; to add fuel to the fire -推测,tuī cè,speculation; to conjecture; to surmise; to speculate -推溯,tuī sù,to trace back to -推演,tuī yǎn,to deduce; to infer; to derive; an implication -推特,tuī tè,Twitter (microblogging service) -推理,tuī lǐ,reasoning; inference; to infer; to deduce -推理小说,tuī lǐ xiǎo shuō,murder mystery (novel); whodunit -推甄,tuī zhēn,to recommend a student for admission to a higher-level school; to put a student on the recommendation track (one of several ways of gaining admission to a higher-level school in Taiwan); abbr. for 推薦甄選|推荐甄选 -推知,tuī zhī,to infer -推移,tuī yí,(of time) to elapse or pass; (of a situation) to develop or evolve -推究,tuī jiū,to study; to examine; to probe; to study the underlying principles -推算,tuī suàn,to calculate; to reckon; to extrapolate (in calculation) -推索,tuī suǒ,to inquire into; to ascertain -推翻,tuī fān,to overthrow -推而广之,tuī ér guǎng zhī,"to apply sth more broadly; by logical extension; and, by extension," -推脱,tuī tuō,to evade; to shirk -推举,tuī jǔ,to nominate as a worthy candidate; to recommend; to elect; to choose; (weightlifting) to (clean and) press -推荐,tuī jiàn,to recommend; recommendation -推荐信,tuī jiàn xìn,recommendation letter -推荐书,tuī jiàn shū,recommendation letter -推行,tuī xíng,to put into effect; to carry out -推衍,tuī yǎn,to deduce; to infer; an implication; same as 推演 -推计,tuī jì,to estimate; to deduce (by calculation) -推许,tuī xǔ,to esteem; to commend -推详,tuī xiáng,to study in detail -推说,tuī shuō,to plead; to claim as an excuse -推诿,tuī wěi,to shirk responsibility; to blame others; to pass the buck -推论,tuī lùn,to infer; inference; corollary; reasoned conclusion -推贤让能,tuī xián ràng néng,to cede to the virtuous and yield to the talented (idiom) -推车,tuī chē,cart; trolley; to push a cart -推车发动,tuī chē fā dòng,to push-start (a car) -推辞,tuī cí,"to decline (an appointment, invitation etc)" -推送,tuī sòng,(computing) server push -推进,tuī jìn,to impel; to carry forward; to push on; to advance; to drive forward -推进剂,tuī jìn jì,propellant; rocket fuel -推进器,tuī jìn qì,propeller; propulsion unit; thruster -推进机,tuī jìn jī,see 推進器|推进器[tui1 jin4 qi4] -推进舱,tuī jìn cāng,propulsion module; (astronautics) service module -推迟,tuī chí,to postpone; to put off; to defer -推选,tuī xuǎn,to elect; to choose -推重,tuī zhòng,to esteem; to think highly of; to accord importance to; to revere -推销,tuī xiāo,to market; to sell -推销员,tuī xiāo yuán,sales representative; salesperson -推开,tuī kāi,to push open (a gate etc); to push away; to reject; to decline -推阐,tuī chǎn,to elucidate; to study and expound -推陈布新,tuī chén bù xīn,to push out the old and bring in the new (idiom); to innovate; to go beyond old ideas; advancing all the time -推陈出新,tuī chén chū xīn,to push out the old and bring in the new (idiom); to innovate -推陈致新,tuī chén zhì xīn,see 推陳出新|推陈出新[tui1 chen2 chu1 xin1] -推头,tuī tóu,to clip hair; to have a haircut -掩,yǎn,"to cover up; to conceal; to close (a door, book etc); (coll.) to get (one's fingers etc) caught when closing a door or lid; (literary) to launch a surprise attack" -掩人耳目,yǎn rén ěr mù,to fool people (idiom); to pull the wool over people's eyes -掩埋,yǎn mái,to bury -掩映,yǎn yìng,hidden from view; alternately hidden and visible; setting off each other -掩样法,yǎn yàng fǎ,illusion -掩杀,yǎn shā,to make a surprise attack; to pounce on (an enemy) -掩码,yǎn mǎ,(computing) mask -掩耳,yǎn ěr,to refuse to listen -掩耳盗铃,yǎn ěr dào líng,lit. to cover one's ears whilst stealing a bell; to deceive oneself; to bury one's head in the sand (idiom) -掩盖,yǎn gài,to conceal; to hide behind; to cover up -掩蔽,yǎn bì,shelter; screen; cover; protection -掩藏,yǎn cáng,hidden; covered; concealed -掩护,yǎn hù,to screen; to shield; to cover; protection; cover; CL:面[mian4] -掩面而泣,yǎn miàn ér qì,to bury one's head in one's hands and weep (idiom) -掩饰,yǎn shì,to cover up; to conceal; to mask; to gloss over -掩体,yǎn tǐ,bunker (military) -措,cuò,to handle; to manage; to put in order; to arrange; to administer; to execute; to take action on; to plan -措勤,cuò qín,"Coqen county in Ngari prefecture, Tibet, Tibetan: Mtsho chen rdzong" -措勤县,cuò qín xiàn,"Coqen county in Ngari prefecture, Tibet, Tibetan: Mtsho chen rdzong" -措大,cuò dà,worthless scholar; useless wretch -措意,cuò yì,to pay attention to -措手,cuò shǒu,to deal with; to manage; to proceed -措手不及,cuò shǒu bù jí,no time to deal with it (idiom); caught unprepared -措施,cuò shī,measure; step; CL:個|个[ge4] -措置,cuò zhì,to handle; to arrange -措置裕如,cuò zhì yù rú,to handle easily (idiom); effortless -措美,cuò měi,"Comai county, Tibetan: Mtsho smad rdzong, in Lhokha prefecture 山南地區|山南地区[Shan1 nan2 di4 qu1], Tibet" -措美县,cuò měi xiàn,"Comai county, Tibetan: Mtsho smad rdzong, in Lhokha prefecture 山南地區|山南地区[Shan1 nan2 di4 qu1], Tibet" -措举,cuò jǔ,move; measure; step (to some end) -措词,cuò cí,wording; way of expressing something; turn of phrase; diction -措办,cuò bàn,to plan; to administer -措辞,cuò cí,wording; way of expressing something; turn of phrase; diction -措辞强硬,cuò cí qiáng yìng,strongly-worded -掬,jū,to hold in one's hands; classifier for a double handful; Taiwan pr. [ju2] -掬水,jū shuǐ,to scoop up water -掬诚,jū chéng,wholeheartedly; sincerely -掬饮,jū yǐn,to drink water by scooping it up with both hands -掭,tiàn,to smooth (a brush) against the inkstone (after dipping it in ink) -掮,qián,to carry on the shoulder -掮客,qián kè,broker; agent -掰,bāi,to break off or break open sth with one's hands; (fig.) to break off (a relationship) -掰弯,bāi wān,to bend; (slang) to turn a straight person gay -掰手腕,bāi shǒu wàn,arm wrestling -掰扯,bāi che,to debate; to dispute; to wrangle (dialect) -掰掰,bāi bāi,bye-bye (loanword) (Tw) -掰直,bāi zhí,to straighten; (slang) to turn a gay person straight -掰腕子,bāi wàn zi,arm wrestling -掰开,bāi kāi,to pull apart; to pry open with the hands -掰开揉碎,bāi kāi róu suì,lit. to pull apart and knead to a pulp; fig. to analyze minutely from every angle; to chew sth over -掱,pá,variant of 扒[pa2] in 扒手[pa2 shou3] -掱,shǒu,variant of 手[shou3] in 扒手[pa2 shou3] -碰,pèng,variant of 碰[peng4] -掾,yuàn,official -拣,jiǎn,to choose; to pick; to sort out; to pick up -拣佛烧香,jiǎn fó shāo xiāng,to choose which Buddha to burn incense to (idiom); fig. to curry favor from the right person -拣信室,jiǎn xìn shì,mail sorting office -拣择,jiǎn zé,(literary) to select; to choose -拣起,jiǎn qǐ,to pick up -拣选,jiǎn xuǎn,to select; to sort out -拣饮择食,jiǎn yǐn zé shí,to choose one's food carefully; to be picky -揄,yú,to draw out; to let hanging -揄扬,yú yáng,to praise; to extol; to publicize; to advocate -揄袂,yú mèi,to walk with the hands in one's sleeves -揆,kuí,consider; estimate -揉,róu,to knead; to massage; to rub -揉制,róu zhì,to knead (leather) -揉合,róu hé,to blend; to merge; to mix together -揉和,róu hé,to knead (clay) -揉搓,róu cuo,to rub; to torment; to torture -揉碎,róu suì,to crush; to crumble into pieces -揉磨,róu mo,to torment; to torture -揍,zòu,to hit; to beat (sb); (coll.) to smash (sth) -揍扁,zòu biǎn,to beat (sb) up; to hit -揍死,zòu sǐ,to beat to death -揎,xuān,to roll up one's sleeves; to slap with the palm -描,miáo,to depict; to trace (a drawing); to copy; to touch up -描图,miáo tú,to trace -描写,miáo xiě,to describe; to depict; to portray; description -描摹,miáo mó,"to trace over; to take a copy (of a calligraphy, a painting etc); (fig.) to describe; to portray" -描画,miáo huà,to draw; to describe -描红,miáo hóng,to trace over red characters (as a method of learning to write); paper printed with red characters to trace over -描绘,miáo huì,to describe; to depict; to portray -描述,miáo shù,to describe; description -描金,miáo jīn,to outline in gold -提,dī,used in 提防[di1 fang5] and 提溜[di1 liu5] -提,tí,to carry (hanging down from the hand); to lift; to put forward; to mention; to raise (an issue); upwards character stroke; lifting brush stroke (in painting); scoop for measuring liquid -提交,tí jiāo,to submit (a report etc); to refer (a problem) to sb -提任,tí rèn,to promote and appoint -提供,tí gōng,to offer; to supply; to provide; to furnish -提供商,tí gōng shāng,provider (company) -提供者,tí gōng zhě,supplier; provider -提倡,tí chàng,to promote; to advocate -提倡者,tí chàng zhě,proponent; advocate; pioneer -提价,tí jià,to raise the price -提克里特,tí kè lǐ tè,Tikrit -提出,tí chū,to raise (an issue); to propose; to put forward; to suggest; to post (on a website); to withdraw (cash) -提出建议,tí chū jiàn yì,to propose; to raise a suggestion -提出抗辩,tí chū kàng biàn,to plead (not guilty); to enter a plea -提列,tí liè,to make provision (against a loss); a bookkeeping entry -提到,tí dào,to mention; to raise (a subject); to refer to -提前,tí qián,to shift to an earlier date; to do sth ahead of time; in advance -提前投票,tí qián tóu piào,early vote -提前起爆,tí qián qǐ bào,"""fizzle"" (atomic bomb misfire); preinitiation" -提包,tí bāo,handbag; bag; valise -提升,tí shēng,to promote (to a higher-ranking position); to lift; to hoist; (fig.) to elevate; to raise; to improve -提及,tí jí,to mention; to raise (a subject); to bring to sb's attention -提取,tí qǔ,to withdraw (money); to collect (left luggage); to extract; to refine -提名,tí míng,to nominate -提告,tí gào,(law) to sue -提告人,tí gào rén,plaintiff -提味,tí wèi,to improve taste; to make sth palatable -提问,tí wèn,to question; to quiz; to grill -提单,tí dān,bill of lading -提喻法,tí yù fǎ,synecdoche -提壶,tí hú,see 提壺蘆|提壶芦[ti2 hu2 lu2] -提壶芦,tí hú lú,unidentified type of bird referred to in ancient Chinese poems -提多,tí duō,"Titus (1st century AD), Christian missionary, disciple of St. Paul" -提多书,tí duō shū,Epistle of St Paul to Titus -提婚,tí hūn,to propose marriage -提子,tí zǐ,to capture stones (in Go) -提子,tí zi,grape; raisin -提字器,tí zì qì,teleprompter -提学御史,tí xué yù shǐ,superintendent of education (formal title) -提审,tí shěn,to commit sb for trial; to bring sb for interrogation -提布卢斯,tí bù lú sī,"Tibullus (55 BC-19 BC), Latin poet" -提干,tí gàn,to rise through the ranks (as a party cadre) -提心,tí xīn,worry -提心吊胆,tí xīn diào dǎn,(saying) to be very scared and on edge -提成,tí chéng,to take a percentage (from a sum of money); a commission; a cut -提手,tí shǒu,a handle -提拉米苏,tí lā mǐ sū,tiramisu (loanword) -提拔,tí bá,to promote to a higher job; to select for promotion -提挈,tí qiè,to hold by the hand; fig. to nurture; to foster; to bring up; to support -提振,tí zhèn,to boost; to stimulate -提掖,tí yè,to recommend sb for a promotion; to guide and support sb -提提,tí tí,calm; poised -提摩太,tí mó tài,Timothy -提摩太前书,tí mó tài qián shū,First epistle of St Paul to Timothy -提摩太后书,tí mó tài hòu shū,Second Epistle of St Paul to Timothy -提携,tí xié,to lead by the hand; to guide; to support -提早,tí zǎo,ahead of schedule; sooner than planned; to bring forward (to an earlier time) -提案,tí àn,proposal; draft resolution; motion (to be debated); to propose a bill; to make a proposal -提案人,tí àn rén,proposer -提梁,tí liáng,handle in the shape of a hoop -提权,tí quán,(computing) to escalate privileges -提款,tí kuǎn,to withdraw money; to take money out of the bank -提款卡,tí kuǎn kǎ,debit card; ATM card -提款机,tí kuǎn jī,bank autoteller; ATM -提水工程,tí shuǐ gōng chéng,project to raise low-lying water for irrigation purposes -提法,tí fǎ,wording (of a proposal); formulation; viewpoint (on an issue); (one of eight methods of bonesetting in TCM) restoring the part displaced by a fracture to its correct position by lifting -提溜,dī liu,(coll.) to carry; Taiwan pr. [ti2 liu5] -提炼,tí liàn,"to extract (ore, minerals etc); to refine; to purify; to process" -提灯,tí dēng,a portable lamp -提尔,tí ěr,Tyre (Lebanon) -提尔市,tí ěr shì,Tyre (Lebanon) -提现,tí xiàn,to withdraw funds -提琴,tí qín,"instrument of the violin family (violin, viola, cello or double bass); CL:把[ba3]" -提留,tí liú,to withdraw (money) and retain it -提盒,tí hé,box with tiered compartments and a handle; lunch box -提督,tí dū,the local commander; provincial governor (in Qing and Ming times) -提示,tí shì,to point out; to remind (sb of sth); to suggest; suggestion; tip; reminder; notice -提示付款,tí shì fù kuǎn,to present (a bill of exchange etc) for payment -提示承兑,tí shì chéng duì,to present (a draft) for acceptance (commerce) -提示音,tí shì yīn,beep -提神,tí shén,to freshen up; to be cautious or vigilant; to watch out; stimulant to enhance mental performance; stay-awake drug; agrypnotic -提神剂,tí shén jì,stimulant; psychostimulant; agrypnotic -提神醒脑,tí shén xǐng nǎo,to refresh and clear the mind (idiom); invigorating; bracing -提称语,tí chēng yǔ,epistolary formula used at the head of a letter -提笔,tí bǐ,to take up one's pen; to start to write -提笔忘字,tí bǐ wàng zì,to have difficulty remembering how to write Chinese characters -提箱,tí xiāng,a suitcase; a traveling-bag -提篮,tí lán,a basket -提篮儿,tí lán er,a basket -提纯,tí chún,to purify -提级,tí jí,a step up; to rise to the next level -提纲,tí gāng,outline; synopsis; notes -提纲挈领,tí gāng qiè lǐng,to concentrate on the main points (idiom); to bring out the essentials -提线木偶,tí xiàn mù ǒu,marionette -提花,tí huā,Jacquard weave (machine weaving leaving protruding pattern) -提葫芦,tí hú lú,variant of 提壺蘆|提壶芦[ti2 hu2 lu2] -提薪,tí xīn,to receive a raise in salary -提制,tí zhì,to refine; to extract -提要,tí yào,summary; abstract -提亲,tí qīn,to propose marriage -提亲事,tí qīn shì,to propose marriage -提讯,tí xùn,to bring sb to trial -提词,tí cí,to prompt (an actor or reciter) -提词器,tí cí qì,teleprompter -提调,tí diào,to supervise (troops); to appoint (officers); to select and assign -提请,tí qǐng,to propose -提议,tí yì,proposal; suggestion; to propose; to suggest -提货,tí huò,to accept delivery of goods; to pick up goods -提货单,tí huò dān,bill of lading -提赔,tí péi,to make a claim (for damages etc) -提起,tí qǐ,"to mention; to speak of; to lift; to pick up; to arouse; to raise (a topic, a heavy weight, one's fist, one's spirits etc)" -提起公诉,tí qǐ gōng sù,to prosecute sb -提起精神,tí qǐ jīng shen,to raise one's spirits; to take courage -提车,tí chē,"to pick up a car (newly purchased car from a dealership, repaired vehicle from a repair shop, rental car at the airport etc)" -提述,tí shù,to refer to -提速,tí sù,to increase the specified cruising speed; to pick up speed; to speed up -提醒,tí xǐng,to remind; to call attention to; to warn of -提醒物,tí xǐng wù,reminder -提防,dī fang,to guard against; to be vigilant; watch you don't (slip); Taiwan pr. [ti2 fang2] -提领,tí lǐng,to withdraw (cash from an ATM) -提头儿,tí tóu er,to give a lead -提高,tí gāo,to raise; to increase; to improve -捏,niē,variant of 捏[nie1] -插,chā,to insert; stick in; pierce; to take part in; to interfere; to interpose -插上,chā shang,to plug into; to insert; to stick in -插不上手,chā bu shàng shǒu,to be unable to intervene -插件,chā jiàn,plug-in (software or hardware); to plug in a component -插值,chā zhí,interpolation (math.) -插入,chā rù,to insert; to stick in; to plug in -插入因子,chā rù yīn zǐ,(genetics) insertion element -插入语,chā rù yǔ,interjection -插卡式,chā kǎ shì,"(of a device, e.g. public telephone, ticket inspection machine) designed to have a card or ticket inserted" -插口,chā kǒu,socket (for an electric plug); to interrupt (sb speaking); to butt in -插喉,chā hóu,(coll.) to intubate -插嘴,chā zuǐ,to interrupt (sb talking); to butt in; to cut into a conversation -插图,chā tú,illustration -插孔,chā kǒng,jack; socket -插座,chā zuò,socket; outlet -插座板,chā zuò bǎn,power strip -插手,chā shǒu,to get involved in; to meddle; interference -插排,chā pái,power strip -插播,chā bō,"to interrupt (a radio or TV program) with a commercial insert, breaking news etc; to put a call on hold" -插播广告,chā bō guǎng gào,slot advertisement; interstitial ad; splash ad -插曲,chā qǔ,"music played during a movie, play etc; incidental music; music played in a theatrical interlude; (fig.) incident; episode" -插槽,chā cáo,slot -插班,chā bān,to join a class partway through the course -插画,chā huà,illustration -插科打诨,chā kē dǎ hùn,to include impromptu comic material in opera performance (idiom); to jest; buffoonery -插秧,chā yāng,to transplant rice seedlings -插管,chā guǎn,(medicine) to intubate; intubation; (endotracheal) tube -插线板,chā xiàn bǎn,power strip; powerboard (with multiple electrical sockets) -插翅难飞,chā chì nán fēi,"lit. even given wings, you couldn't fly (idiom); fig. impossible to escape" -插腰,chā yāo,variant of 叉腰[cha1 yao1] -插脚,chā jiǎo,to shove in; to edge in; fig. to poke one's nose into people's business; prong -插花,chā huā,flower arranging; ikebana -插补,chā bǔ,interpolation (math.) -插话,chā huà,to interrupt (sb speaking); interruption; digression -插足,chā zú,to squeeze in; to step in; to take part; to step between (two persons in a relationship) -插进,chā jìn,to insert; to stick in; to plug in (an electronic device) -插销,chā xiāo,"bolt (for locking a window, cabinet etc); (electrical) plug" -插锁,chā suǒ,mortise lock -插队,chā duì,to cut in line; to jump a queue; to live on a rural community (during the Cultural Revolution) -插头,chā tóu,plug -揖,yī,to greet by raising clasped hands -扬,yáng,abbr. for Yangzhou 揚州|扬州[Yang2zhou1] in Jiangsu; surname Yang -扬,yáng,to raise; to hoist; the action of tossing or winnowing; scattering (in the wind); to flutter; to propagate -扬中,yáng zhōng,"Yangzhong, county-level city in Zhenjiang 鎮江|镇江[Zhen4 jiang1], Jiangsu" -扬中市,yáng zhōng shì,"Yangzhong, county-level city in Zhenjiang 鎮江|镇江[Zhen4 jiang1], Jiangsu" -扬召,yáng zhào,to flag down (a cab) on the street; to hail (a taxicab) -扬名,yáng míng,to become famous; to become notorious -扬名四海,yáng míng sì hǎi,known throughout the country (idiom); world-famous -扬子江,yáng zǐ jiāng,"Changjiang 長江|长江 or Yangtze River; old name for Changjiang, especially lower reaches around Yangzhou 揚州|扬州" -扬子鳄,yáng zǐ è,Chinese alligator (Alligator sinensis) -扬州,yáng zhōu,"Yangzhou, prefecture-level city in Jiangsu" -扬州市,yáng zhōu shì,"Yangzhou, prefecture-level city in Jiangsu" -扬帆,yáng fān,to set sail -扬帆远航,yáng fān yuǎn háng,to set sail on a voyage to a distant place; (fig.) to undertake a great mission -扬幡招魂,yáng fān zhāo hún,lit. to raise a banner to summon the soul of a dying person (idiom); fig. to try to revive what is obsolete or dead -扬抑格,yáng yì gé,trochaic -扬清激浊,yáng qīng jī zhuó,lit. drain away filth and bring in fresh water (idiom); fig. dispel evil and usher in good; eliminate vice and exalt virtue -扬琴,yáng qín,yangqin; dulcimer (hammered string musical instrument) -扬眉,yáng méi,to raise eyebrows -扬科维奇,yáng kē wéi qí,"Jankovic; Yankovic; Yankovich; Jelena Jankovic (1985-), Serbian tennis player" -扬谷,yáng gǔ,to winnow -扬声器,yáng shēng qì,speaker -扬菜,yáng cài,Jiangsu cuisine -扬言,yáng yán,"to put about (a story, plan, threat etc); to let it be known (esp. of threat or malicious story); to threaten" -扬起,yáng qǐ,to raise one's head; to perk up -扬长,yáng cháng,with swagger; ostentatiously; to make the best use of one's strengths -扬长而去,yáng cháng ér qù,to swagger off; to walk off (or drive off etc) without a second thought for those left behind -扬长避短,yáng cháng bì duǎn,to foster strengths and avoid weaknesses (idiom); to play to one's strengths -扬雄,yáng xióng,"Yang Xiong (53 BC-18 AD), scholar, poet and lexicographer, author of the first Chinese dialect dictionary 方言[Fang1 yan2]" -扬鞭,yáng biān,to whip on; to raise a whip; by ext. to swagger -换,huàn,to exchange; to change (clothes etc); to substitute; to switch; to convert (currency) -换乘,huàn chéng,"to change train (plane, bus etc); transfer between modes of transport" -换人,huàn rén,"to replace sb (personnel, sports team player etc); substitution" -换代,huàn dài,"to transition to a new dynasty or regime; to replace an older product with an upgraded, new-generation one" -换位,huàn wèi,to swap places; (logic) conversion; (car maintenance) to rotate (tires) -换位思考,huàn wèi sī kǎo,to put oneself in sb else’s shoes -换来换,huàn lái huàn,to repeatedly exchange -换个儿,huàn gè er,to change places; to swap places -换刀,huàn dāo,tool change (mechanics) -换取,huàn qǔ,to obtain (sth) in exchange; to exchange (sth) for (sth else) -换句话说,huàn jù huà shuō,in other words -换向,huàn xiàng,commutation (electricity) -换单,huàn dān,bill of exchange (international trade) -换喻,huàn yù,metonymy -换妻,huàn qī,wife swapping -换届,huàn jiè,to change personnel upon expiry of a term of office -换岗,huàn gǎng,to relieve a sentry; to change the guard -换工,huàn gōng,to change workshifts -换帖,huàn tiě,to exchange cards containing personal details (when taking an oath of fraternity) -换成,huàn chéng,to exchange (sth) for (sth else); to replace with; to convert into -换房旅游,huàn fáng lǚ yóu,house-swap vacation -换挡,huàn dǎng,to change gear -换挡杆,huàn dǎng gǎn,gear lever -换新,huàn xīn,to replace with sth new; to upgrade -换毛,huàn máo,to molt (of birds); to change feathers -换气,huàn qì,to take a breath (in swimming); to ventilate -换汤不换药,huàn tāng bù huàn yào,different broth but the same old medicine (idiom); a change in name only; a change in form but not in substance -换热器,huàn rè qì,heat exchanger -换牙,huàn yá,to grow replacement teeth (zoology); to grow permanent teeth in place of milk teeth -换班,huàn bān,to change shift; the next work shift; to relieve (a workman on the previous shift); to take over the job -换算,huàn suàn,"to convert; conversion; (in accounting, referring to currency conversion) translation" -换置,huàn zhì,to swap; to exchange; to transpose; to replace -换羽,huàn yǔ,to molt; to change feathers -换而言之,huàn ér yán zhī,in other words -换茬,huàn chá,rotation of crops -换行,huàn háng,to wrap (text); line feed (computing) -换言之,huàn yán zhī,in other words -换证,huàn zhèng,to renew a certificate (ID card etc); to leave an ID at the desk to gain entrance -换钱,huàn qián,to change money; to sell -换防,huàn fáng,to relieve a garrison; to change guard complement -揞,ǎn,to apply (medicinal powder to a wound); to cover up; to conceal -揠,yà,to eradicate; to pull up -揠苗助长,yà miáo zhù zhǎng,see 拔苗助長|拔苗助长[ba2 miao2 zhu4 zhang3] -握,wò,to hold; to grasp; to clench (one's fist); (bound form) to have in one's control; classifier: a handful -握住,wò zhù,to grip; to hold -握别,wò bié,to shake hands -握力,wò lì,(strength of one's) grip -握手,wò shǒu,to shake hands -握拳,wò quán,to make a fist -握持,wò chí,to hold in one's hand; to grip -握有,wò yǒu,"to have; to hold (usu. sth abstract: power, distribution rights, a bargaining chip etc)" -揣,chuāi,"to put into (one's pockets, clothes); Taiwan pr. [chuai3]" -揣,chuǎi,to estimate; to guess; to figure; to surmise -揣在怀里,chuāi zài huái lǐ,to tuck into one's bosom -揣度,chuǎi duó,to estimate; to surmise; to appraise -揣想,chuǎi xiǎng,to conjecture -揣摩,chuǎi mó,to analyze; to try to figure out; to try to fathom -揣测,chuǎi cè,to guess; to conjecture -揣着明白装糊涂,chuāi zhe míng bai zhuāng hú tu,to pretend to not know; to play dumb -揩,kāi,to wipe -揩拭,kāi shì,to wipe off; to wipe clean -揩擦,kāi cā,to wipe -揩油,kāi yóu,to take advantage of sb; to freeload -揪,jiū,to seize; to clutch; to grab firmly and pull -揪住,jiū zhù,to grab -揪出,jiū chū,to uncover; to ferret out (the culprit) -揪心,jiū xīn,lit. grips the heart; worried; anxious -揪心扒肝,jiū xīn bā gān,(idiom) extremely anxious; anguished -揪心揪肺,jiū xīn jiū fèi,heart-wrenching -揪揪,jiū jiu,creased; wrinkled; depressed; worried; upset -揪痧,jiū shā,"folk remedy involving repeatedly pinching the neck, throat, back etc to increase blood flow to the area and relieve inflammation" -揪辫子,jiū biàn zi,to grab sb by the queue (i.e. hair); to seize on weak points; to exploit the opponent's shortcomings -揪送,jiū sòng,"to seize and send (to court, to face punishment)" -揪斗,jiū dòu,to seize and subject to public criticism (form of persecution during the Cultural Revolution) -揭,jiē,surname Jie -揭,jiē,to take the lid off; to expose; to unmask -揭不开锅,jiē bù kāi guō,to be unable to afford food -揭幕,jiē mù,opening; unveiling -揭幕式,jiē mù shì,opening ceremony; unveiling -揭底,jiē dǐ,to reveal the inside story; to expose sb's secrets -揭批,jiē pī,to expose and criticize -揭晓,jiē xiǎo,to announce publicly; to publish; to make known; to disclose -揭东,jiē dōng,"Jiedong county in Jieyang 揭陽|揭阳, Guangdong" -揭东县,jiē dōng xiàn,"Jiedong county in Jieyang 揭陽|揭阳, Guangdong" -揭橥,jiē zhū,to disclose; to announce -揭发,jiē fā,to expose; to bring to light; to disclose; revelation -揭短,jiē duǎn,to expose sb's faults or shortcomings -揭破,jiē pò,to uncover -揭示,jiē shì,to show; to make known -揭秘,jiē mì,to unmask; to uncover the secret -揭穿,jiē chuān,to expose; to uncover -揭举,jiē jǔ,to lift up; (fig.) to put on display; to set forth; to expound -揭西,jiē xī,"Jiexi county in Jieyang 揭陽|揭阳, Guangdong" -揭西县,jiē xī xiàn,"Jiexi county in Jieyang 揭陽|揭阳, Guangdong" -揭谛,jiē dì,revealer (protective god) -揭载,jiē zǎi,to publish -揭开,jiē kāi,to uncover; to open -揭阳,jiē yáng,Jieyang prefecture-level city in Guangdong -揭阳市,jiē yáng shì,Jieyang prefecture-level city in Guangdong province -揭露,jiē lù,to expose; to unmask; to ferret out; to disclose; disclosure -揭黑,jiē hēi,"to uncover (mistakes, corruption etc); whistle-blowing" -挥,huī,to wave; to brandish; to command; to conduct; to scatter; to disperse -挥之不去,huī zhī bù qù,impossible to get rid of -挥别,huī bié,to wave goodbye; (fig.) to say goodbye to; to bid farewell to -挥动,huī dòng,to wave sth; to brandish -挥师,huī shī,in command of the army -挥戈,huī gē,to brandish a spear -挥手,huī shǒu,to wave (one's hand) -挥斥,huī chì,to chide; to berate; energetic -挥斥方遒,huī chì fāng qiú,full of vim -挥杆,huī gān,swing (golf) -挥毫,huī háo,to write or draw with a brush; to put pen to paper; to write -挥毫洒墨,huī háo sǎ mò,to wield a writing brush (idiom) -挥汗,huī hàn,to sweat profusely -挥汗如雨,huī hàn rú yǔ,to drip with sweat; sweat poured off (him) -挥汗成雨,huī hàn chéng yǔ,to drip with sweat; sweat poured off (him) -挥泪,huī lèi,to shed tears; to be all in tears -挥洒,huī sǎ,"to sprinkle; to shed (tears, blood etc); fig. free, unconstrained; to write in a free style" -挥洒自如,huī sǎ zì rú,(idiom) to do (sth) with great aplomb -挥发,huī fā,to volatilize; to vaporize; to evaporate (esp. at ordinary temperatures); (in compound words) volatile -挥发性,huī fā xìng,volatility; volatile -挥发性存储器,huī fā xìng cún chǔ qì,volatile memory -挥发油,huī fā yóu,volatile oil (in general); gasoline -挥翰,huī hàn,(literary) to wield a writing brush -挥舞,huī wǔ,to brandish; to wave sth -挥金如土,huī jīn rú tǔ,lit. to squander money like dirt (idiom); fig. to spend money like water; extravagant -挥霍,huī huò,to squander money; extravagant; prodigal; free and easy; agile -挥霍浪费,huī huò làng fèi,to spend extravagantly; to squander -挥霍无度,huī huò wú dù,extravagance; extravagant -挥麈,huī zhǔ,to brandish -揲,shé,sort out divining stalks -援,yuán,to help; to assist; to aid -援交,yuán jiāo,abbr. for 援助交際|援助交际[yuan2 zhu4 jiao1 ji4] -援交妹,yuán jiāo mèi,prostitute (slang); see also 援助交際|援助交际[yuan2 zhu4 jiao1 ji4] -援交小姐,yuán jiāo xiǎo jie,girl who engages in enjo-kōsai; see also 援助交際|援助交际[yuan2 zhu4 jiao1 ji4] -援兵,yuán bīng,reinforcement -援助,yuán zhù,to help; to support; to aid; aid; assistance -援助之手,yuán zhù zhī shǒu,a helping hand -援助交际,yuán zhù jiāo jì,"Enjo-kōsai or ""compensated dating"", a practice which originated in Japan where older men give money or luxury gifts to women for their companionship and sexual favors" -援助机构,yuán zhù jī gòu,relief agency; emergency service; rescue organisation -援引,yuán yǐn,"to quote; to cite; to recommend (a friend, an associate etc)" -援手,yuán shǒu,assistance; a helping hand; to lend a hand -援救,yuán jiù,to come to the aid of; to save; to rescue from danger; to relieve -援用,yuán yòng,to quote; to cite -援藏,yuán zàng,pro-Tibet; to support Tibet; to support Tibetan independence -援军,yuán jūn,(military) reinforcements -揶,yé,to gesticulate; to play antics -揶揄,yé yú,to mock; to ridicule -插,chā,old variant of 插[cha1] -揸,zhā,to stretch fingers out -背,bēi,variant of 背[bei1] -背债,bēi zhài,to be in debt; to be saddled with debts -构,gòu,variant of 構|构[gou4]; (Tw) (coll.) variant of 夠|够[gou4]; to reach by stretching -揿,qìn,variant of 撳|揿[qin4] -搋,chuāi,to knead; to rub; to clear a drain with a pump; to conceal sth in one's bosom; to carry sth under one's coat -搋在怀里,chuāi zài huái lǐ,to tuck into one's bosom; also written 揣在懷裡|揣在怀里 -搋子,chuāi zi,plunger (for clearing drains) -搋面,chuāi miàn,to knead dough -搌,zhǎn,to sop up; to dab -损,sǔn,to decrease; to lose; to damage; to harm; (coll.) to ridicule; to deride; (coll.) caustic; sarcastic; nasty; mean; one of the 64 hexagrams of the Book of Changes: ䷨ -损人,sǔn rén,to harm others; to mock people; to taunt; humiliating -损人不利己,sǔn rén bù lì jǐ,to harm others without benefiting oneself (idiom) -损人利己,sǔn rén lì jǐ,harming others for one's personal benefit (idiom); personal gain to the detriment of others -损伤,sǔn shāng,to harm; to damage; to injure; impairment; loss; disability -损公肥私,sǔn gōng féi sī,to damage the public interest for personal profit (idiom); personal profit at public expense; venal and selfish behavior -损友,sǔn yǒu,bad friend -损坏,sǔn huài,to damage; to injure -损失,sǔn shī,loss; damage; CL:個|个[ge4]; to lose; to suffer damage -损害,sǔn hài,harm; to damage; to impair -损毁,sǔn huǐ,to damage; to wreck; to destroy -损益,sǔn yì,profit and loss; increase and decrease -损益表,sǔn yì biǎo,income statement (US); profit and loss account (UK) -损耗,sǔn hào,wear and tear -损耗品,sǔn hào pǐn,consumables -损赠,sǔn zèng,to donate; donation -搏,bó,to fight; to combat; to seize; (of heart) to beat -搏动,bó dòng,to beat rhythmically; to throb; to pulsate -搏命,bó mìng,to fight with all one has -搏感情,bó gǎn qíng,"(Tw) to build up a rapport; to cultivate a warm relationship (from Taiwanese 跋感情, Tai-lo pr. [pua̍h-kám-tsîng])" -搏战,bó zhàn,to fight; to struggle; to wage war -搏击,bó jī,"to fight, esp. with hands; wrestling (as a sport); to wrestle; to wrestle (against fate, with a problem etc); to capture prey" -搏杀,bó shā,to fight and kill; to engage in fierce combat (also used figuratively of opposing chess players) -搏髀,bó bì,to beat time by slapping one's thighs -搏斗,bó dòu,to wrestle; to fight; to struggle -搐,chù,to twitch; to have a spasm -搓,cuō,to rub or roll between the hands or fingers; to twist -搓揉,cuō róu,to knead; to rub -搓板,cuō bǎn,washboard; (slang) flat-chested (woman) -搓洗,cuō xǐ,to rub clean (garments); to scrub -搓衣板,cuō yī bǎn,washboard -搓麻将,cuō má jiàng,to play mahjong -搔,sāo,to scratch; old variant of 騷|骚[sao1] -搔扰,sāo rǎo,to disturb; to harass -搔痒,sāo yǎng,to scratch (an itch); to tickle -搔首弄姿,sāo shǒu nòng zī,to stroke one's hair coquettishly (idiom) -摇,yáo,surname Yao -摇,yáo,to shake; to rock; to row; to crank -摇光,yáo guāng,eta Ursae Majoris in the Big Dipper -摇动,yáo dòng,to shake; to sway -摇匀,yáo yún,to mix by shaking -摇尾乞怜,yáo wěi qǐ lián,"lit. to behave like a dog wagging its tail, seeking its master's affection (idiom); fig. to fawn on sb; to bow and scrape; to grovel" -摇战,yáo zhàn,(literary) to shake with fear -摇手,yáo shǒu,"to wave the hand (to say goodbye, or in a negative gesture); crank handle" -摇摇摆摆,yáo yáo bǎi bǎi,swaggering; staggering; waddling -摇摇欲坠,yáo yáo yù zhuì,tottering; on the verge of collapse -摇撼,yáo hàn,to shake; to rock -摇摆,yáo bǎi,to sway; to wobble; to waver -摇摆不定,yáo bǎi bù dìng,indecisive; wavering -摇摆州,yáo bǎi zhōu,swing state (US politics) -摇摆乐,yáo bǎi yuè,swing (genre of jazz music) -摇摆舞,yáo bǎi wǔ,swing (dance) -摇旗呐喊,yáo qí nà hǎn,to wave flags and shout battle cries (idiom); to egg sb on; to give support to -摇晃,yáo huàng,to rock; to shake; to sway -摇曳,yáo yè,to sway gently (as in the wind); (of a flame) to flicker -摇曳多姿,yáo yè duō zī,swaying gently; moving elegantly -摇杆,yáo gǎn,joystick -摇椅,yáo yǐ,rocking chair -摇橹,yáo lǔ,"to scull (with a single oar, usually mounted on the stern of the boat)" -摇橹船,yáo lǔ chuán,boat propelled by a yuloh (a single sculling oar) -摇滚,yáo gǔn,rock 'n' roll (music); to rock; to fall off -摇滚乐,yáo gǔn yuè,rock music; rock 'n roll -摇奖,yáo jiǎng,to draw the winning ticket (in a lottery) -摇篮,yáo lán,cradle -摇篮曲,yáo lán qǔ,lullaby -摇臂,yáo bì,rocker arm -摇船,yáo chuán,to scull; to row a boat -摇号,yáo hào,lottery -摇身,yáo shēn,lit. to shake one's body; refers to abrupt transformation; same as 搖身一變|摇身一变 -摇身一变,yáo shēn yī biàn,to change shape in a single shake; fig. to take on a new lease of life -摇钱树,yáo qián shù,a legendary tree that sheds coins when shaken; a source of easy money (idiom) -摇电话,yáo diàn huà,(old) to make a phone call -摇头,yáo tóu,to shake one's head -摇头丸,yáo tóu wán,Ecstasy; MDMA -摇头摆尾,yáo tóu bǎi wěi,to nod one's head and wag one's tail (idiom); to be well pleased with oneself; to have a lighthearted air -捣,dǎo,to pound; to beat; to hull; to attack; to disturb; to stir -捣乱,dǎo luàn,to disturb; to look for trouble; to stir up a row; to bother sb intentionally -捣实,dǎo shí,to ram (earth); to compact earth by ramming -捣弄,dǎo nòng,to move back and forward; to trade -捣毁,dǎo huǐ,to destroy; to smash; sabotage -捣烂,dǎo làn,to mash; to beat to a pulp -捣碎,dǎo suì,to pound into pieces; to mash -捣蛋,dǎo dàn,to cause trouble; to stir up trouble -捣蛋鬼,dǎo dàn guǐ,troublemaker -捣衣,dǎo yī,to launder clothes by pounding -捣卖,dǎo mài,to resell at a profit -捣腾,dǎo téng,to buy and sell; peddling -捣腾,dǎo teng,to turn over sth repeatedly -捣鬼,dǎo guǐ,to play tricks; to cause mischief -捣鼓,dǎo gu,to fiddle with sth; to trade with sth -搛,jiān,to pick up with chopsticks -搜,sōu,to search -搜刮,sōu guā,to rake in (money); to plunder; to milk people dry -搜寻,sōu xún,to search; to look for -搜寻引擎,sōu xún yǐn qíng,search engine -搜寻软体,sōu xún ruǎn tǐ,search software -搜括,sōu kuò,see 搜刮[sou1 gua1] -搜捕,sōu bǔ,to hunt and arrest (fugitives); to track down and arrest; a manhunt -搜救,sōu jiù,search and rescue -搜救犬,sōu jiù quǎn,search and rescue dog -搜查,sōu chá,to search -搜查令,sōu chá lìng,search warrant -搜检,sōu jiǎn,to search out; to check -搜求,sōu qiú,to seek; to look for -搜狐,sōu hú,"Sohu, Chinese web portal and online media company" -搜狐网,sōu hú wǎng,"Sohu, Chinese web portal and online media company" -搜狗,sōu gǒu,"Sogou, Chinese tech company known for its search engine, www.sogou.com" -搜获,sōu huò,to find; to capture (after search); to uncover (evidence) -搜神记,sōu shén jì,"In Search of the Supernatural, compilation of legends about spirits, ghosts and other supernatural phenomena, written and compiled by 干寶|干宝[Gan1 Bao3] in Jin dynasty" -搜索,sōu suǒ,to search (a place); to search (a database); to search for (sth) -搜索引擎,sōu suǒ yǐn qíng,search engine -搜索枯肠,sōu suǒ kū cháng,to rack one's brains (for apt wording etc) (idiom) -搜索树,sōu suǒ shù,search tree (computing) -搜索票,sōu suǒ piào,search warrant (Tw) -搜索队,sōu suǒ duì,search party -搜罗,sōu luó,to gather; to collect; to bring together -搜肠刮肚,sōu cháng guā dù,to search one's guts and belly (idiom); to racks one's brains for a solution -搜证,sōu zhèng,search warrant; to look for evidence -搜身,sōu shēn,to do a body search; to frisk -搜集,sōu jí,to gather; to collect -搞,gǎo,to do; to make; to go in for; to set up; to get hold of; to take care of -搞不好,gǎo bu hǎo,(coll.) maybe; perhaps -搞不懂,gǎo bu dǒng,unable to make sense of (sth) -搞乱,gǎo luàn,to mess up; to mismanage; to bungle; to confuse; to muddle -搞基,gǎo jī,(slang) to engage in male homosexual practices -搞好,gǎo hǎo,to do well at; to do a good job -搞定,gǎo dìng,to fix; to settle; to wangle -搞怪,gǎo guài,to do sth wacky; wacky; wacky behavior -搞毛,gǎo máo,(dialect) what are you doing?; what the hell? -搞活,gǎo huó,to enliven; to invigorate; to revitalize -搞混,gǎo hùn,to confuse; to muddle; to mix up -搞乌龙,gǎo wū lóng,to mess sth up -搞砸,gǎo zá,to mess (sth) up; to foul up; to spoil -搞笑,gǎo xiào,to get people to laugh; funny; hilarious -搞笑片,gǎo xiào piàn,comedy film; comedy; CL:部[bu4] -搞花样,gǎo huā yàng,to play tricks; to cheat; to deceive -搞花样儿,gǎo huā yàng er,erhua variant of 搞花樣|搞花样[gao3 hua1 yang4] -搞通,gǎo tōng,to make sense of sth -搞钱,gǎo qián,to get money; to accumulate money -搞错,gǎo cuò,mistake; to make a mistake; to blunder; mistaken -搞头,gǎo tou,(coll.) likelihood of being worthwhile; cf. 有搞頭|有搞头[you3 gao3 tou5] and 沒搞頭|没搞头[mei2 gao3 tou5] -搞鬼,gǎo guǐ,to make mischief; to play tricks -搠,shuò,daub; thrust -搡,sǎng,to push forcefully; to shove -扼,è,variant of 扼[e4] -捶,chuí,variant of 捶[chui2] -搦,nuò,(literary) to hold (in the hand); to challenge; to provoke -搦战,nuò zhàn,to challenge to battle -搪,táng,to keep out; to hold off; to ward off; to evade; to spread; to coat; to smear; to daub -搪塞,táng sè,to muddle through; to fob sb off; to beat around the bush; to dodge -搪瓷,táng cí,enamel -搪突,táng tū,variant of 唐突[tang2 tu1] -搬,bān,to move (i.e. relocate oneself); to move (sth relatively heavy or bulky); to shift; to copy indiscriminately -搬兵,bān bīng,to call for reinforcements; to bring in troops -搬出去,bān chū qù,to move out (vacate); to shift sth out -搬动,bān dòng,to move (sth) around; to move house -搬口,bān kǒu,to pass on stories (idiom); to sow dissension; to blab; to tell tales -搬唆,bān suō,to stir up trouble -搬唇递舌,bān chún dì shé,to pass on stories (idiom); to sow dissension; to blab; to tell tales -搬场,bān chǎng,to move (house); to relocate; removal -搬家,bān jiā,to move house; to relocate; to remove (sth) -搬弄,bān nòng,to fiddle with; to play and move sth about; to show off (what one can do); to parade (one's capabilities); to cause trouble -搬弄是非,bān nòng shì fēi,to incite a quarrel (idiom); to sow discord between people; to tell tales; to make mischief -搬指,bān zhǐ,variant of 扳指[ban1 zhi3] -搬楦头,bān xuàn tou,lit. to move the shoes on the shoe tree (idiom); fig. to expose shameful secrets (old) -搬用,bān yòng,to apply mechanically; to copy and use -搬石头砸自己的脚,bān shí tou zá zì jǐ de jiǎo,to move a stone and stub one's toe; to shoot oneself in the foot (idiom) -搬砖,bān zhuān,to do hard physical labor (as a job); (fig.) to play mahjong -搬砖砸脚,bān zhuān zá jiǎo,to hurt oneself by one's own doing; to boomerang; to shoot oneself in the foot (idiom) -搬移,bān yí,to move (house); to relocate; removals -搬请,bān qǐng,to request; to call for -搬走,bān zǒu,to carry -搬起石头砸自己的脚,bān qǐ shí tou zá zì jǐ de jiǎo,"to crush one's own foot while trying to maneuver a rock (to a cliff edge, to drop on one's enemy) (idiom); hoisted by one's own petard" -搬运,bān yùn,freight; transport; portage; to transport; to carry -搬运工,bān yùn gōng,porter -搬迁,bān qiān,to move; to relocate; removal -搬迁户,bān qiān hù,person or household that has to be relocated (to make way for a construction project etc) -搬铺,bān pù,to arrange (for the dying) -搭,dā,"to put up; to build (scaffolding); to hang (clothes on a pole); to connect; to join; to arrange in pairs; to match; to add; to throw in (resources); to take (boat, train); variant of 褡[da1]" -搭乘,dā chéng,"to ride as a passenger; to travel by (car, plane etc)" -搭伙,dā huǒ,to join up with sb; to become partner; to take meals regularly in cafeteria -搭伴,dā bàn,travel with another; accompany another -搭便,dā biàn,at one's convenience; in passing -搭便车,dā biàn chē,to hitch a ride -搭咕,dā gū,to connect; to discuss -搭售,dā shòu,to sell an item only as part of a bundle (thereby forcing consumers to buy goods they do not want); to sell on a tie-in basis -搭嘴,dā zuǐ,to answer -搭坐,dā zuò,to travel by; to ride on -搭子,dā zi,(dialect) companion -搭帮,dā bāng,to travel together; thanks to -搭建,dā jiàn,to build (esp. with simple materials); to knock together (a temporary shed); to rig up -搭扣,dā kòu,a buckle or fastener for clothing that does not use a button and buttonhole (e.g. the buckle on metal wristwatches) -搭把手,dā bǎ shǒu,to help out -搭把手儿,dā bǎ shǒu er,erhua variant of 搭把手[da1 ba3 shou3] -搭拉,dā la,variant of 耷拉[da1la5] -搭接,dā jiē,to join; to connect up -搭接片,dā jiē piàn,buckle; connector; overlapping joint -搭挡,dā dàng,variant of 搭檔|搭档[da1 dang4] -搭救,dā jiù,to rescue -搭架子,dā jià zi,to put up scaffolding; to build a framework; to launch an enterprise -搭桌,dā zhuō,charity performance (theater in former times) -搭档,dā dàng,to cooperate; partner -搭理,dā li,variant of 答理[da1 li5] -搭界,dā jiè,an interface; to relate with; to affiliate -搭当,dā dàng,variant of 搭檔|搭档[da1 dang4] -搭白,dā bái,to answer -搭缝,dā fèng,overlaid seam -搭肩,dā jiān,to help lift up onto one's shoulders; to stand on sb's shoulder -搭背,dā bèi,harness pad (on draft animal) -搭腔,dā qiāng,to answer; to respond; to converse -搭腰,dā yāo,harness pad (on draft animal) -搭脚手架,dā jiǎo shǒu jià,to put up scaffolding -搭膊,dā bó,shoulder bag -搭茬,dā chá,to respond to what sb has just said -搭茬儿,dā chá er,erhua variant of 搭茬[da1cha2] -搭盖,dā gài,to build (esp. with simple materials); to knock together (a temporary shed); to rig up -搭街坊,dā jiē fang,to become neighbors -搭补,dā bǔ,to subsidize; to make up (deficit) -搭裢,dā lian,variant of 褡褳|褡裢[da1 lian5] -搭讪,dā shàn,to hit on someone; to strike up a conversation; to start talking to end an awkward silence or embarrassing situation -搭话,dā huà,to talk; to get into conversation with; to send word -搭调,dā diào,to match; in tune; reasonable -搭赸,dā shàn,variant of 搭訕|搭讪[da1 shan4] -搭车,dā chē,to ride (in a vehicle); to get a lift; to hitch-hike -搭载,dā zài,(of a vehicle) to carry (a passenger or payload); (of a device or system) to be equipped with (a piece of hardware or software) -搭连,dā lián,to bridge over; (linguistics) colligation -搭连,dā lian,variant of 褡褳|褡裢[da1 lian5] -搭配,dā pèi,to pair up; to match; to arrange in pairs; to add sth into a group -搭钩,dā gōu,a hook; to make contact with sb -搭铁,dā tiě,"abbr. for 搭鐵接線|搭铁接线; chassis grounding (i.e. using the chassis as ground, to serve as a return path for current in an electric circuit)" -掏,tāo,variant of 掏[tao1] -搴,qiān,to seize; to pull; to hold up the hem of clothes -搴旗,qiān qí,to pull and capture the enemy's flag -抢,qiāng,(literary) to knock against (esp. to knock one's head on the ground in grief or rage); opposite in direction; contrary -抢,qiǎng,to fight over; to rush; to scramble; to grab; to rob; to snatch -抢占,qiǎng zhàn,to seize (the strategic high ground) -抢修,qiǎng xiū,to repair in a rush; rush repairs -抢先,qiǎng xiān,to rush (to do sth urgent); to try to be the first; to forestall -抢功,qiǎng gōng,to take credit for sb else's achievements -抢劫,qiǎng jié,to rob; looting -抢劫案,qiǎng jié àn,robbery; holdup -抢劫罪,qiǎng jié zuì,robbery -抢夺,qiǎng duó,to plunder; to pillage; to forcibly take -抢婚,qiǎng hūn,marriage by capture; bride kidnapping -抢手,qiǎng shǒu,(of goods) popular; in great demand -抢手货,qiǎng shǒu huò,a best-seller; a hot property -抢掠,qiǎng lüè,to loot; looting -抢救,qiǎng jiù,to rescue -抢滩,qiǎng tān,to make an amphibious assault; to seize a beachhead; to gain a foothold in (a new market) -抢生意,qiǎng shēng yi,to undercut competitors; to hustle; to compete for business -抢白,qiǎng bái,to rebuke; to reprimand -抢眼,qiǎng yǎn,eye-catching -抢票,qiǎng piào,to scramble for tickets -抢答,qiǎng dá,to compete to be the first to answer a question (as on a quiz show) -抢答器,qiǎng dá qì,lockout buzzer system (as used by game show contestants) -抢亲,qiǎng qīn,marriage by capture; bride kidnapping -抢注,qiǎng zhù,"to squat on (a domain name, trademark etc)" -抢购,qiǎng gòu,"to buy frenetically; to snap up (bargains, dwindling supplies etc)" -抢走,qiǎng zǒu,to snatch (esp related to a robbery) -抢跑,qiǎng pǎo,to jump the gun; to make a false start -抢通,qiǎng tōng,to rush through urgently (e.g. emergency supplies) -抢镜头,qiǎng jìng tóu,to scoop the best camera shots; to grab the limelight -抢险,qiǎng xiǎn,emergency (measures); to react to an emergency -抢险救灾,qiǎng xiǎn jiù zāi,to provide relief during times of emergency and disaster (idiom) -抢风,qiāng fēng,a headwind; a contrary wind -抢风航行,qiāng fēng háng xíng,to tack against the wind (sailing) -抢风头,qiǎng fēng tóu,to steal the show; to grab the limelight -搽,chá,"to apply (ointment, powder); to smear; to paint on" -榨,zhà,variant of 榨[zha4]; to press; to extract (juice) -搿,gé,to hug -摀,wǔ,variant of 捂[wu3]; to cover -捂住,wǔ zhù,"to cover (typically by placing a hand over sb's mouth, nose or ears etc)" -捂住脸,wǔ zhù liǎn,to cover the face; to bury one's face in one's hands -摁,èn,to press (with one's finger or hand) -摁钉儿,èn dīng er,thumbtack -摁扣儿,èn kòu er,snap fastener; press stud; popper -扛,gāng,old variant of 扛[gang1] -掴,guāi,to slap; also pr. [guo2] -摒,bìng,to discard; to get rid of -摒挡,bìng dàng,(literary) to put in order; to arrange; cuisine -摒弃,bìng qì,to abandon; to discard; to spurn; to forsake -摒除,bìng chú,to get rid of; to dismiss -摔,shuāi,to throw down; to fall; to drop and break -摔交,shuāi jiāo,variant of 摔跤[shuai1 jiao1] -摔倒,shuāi dǎo,to fall down; to slip and fall; to throw sb to the ground -摔伤,shuāi shāng,to injure oneself in a fall -摔坏,shuāi huài,to drop and break -摔打,shuāi da,to knock; to grasp sth in the hand and beat it; to toughen oneself up -摔断,shuāi duàn,to fall and break; to break (bones) by falling -摔死,shuāi sǐ,to fall to one's death; to kill by throwing to the ground -摔破,shuāi pò,to fall and smash into pieces -摔角,shuāi jiǎo,to wrestle; wrestling -摔跌,shuāi diē,to take a fall -摔跟头,shuāi gēn tou,to fall; fig. to suffer a setback -摔跤,shuāi jiāo,to trip and fall; to wrestle; wrestling (sports) -摘,zhāi,"to take; to pick (flowers, fruit etc); to pluck; to remove; to take off (glasses, hat etc); to select; to pick out; to borrow money at a time of urgent need" -摘下,zhāi xià,"to take off; to remove (one's hat, a door from its hinges etc); to pick (a piece of fruit from a tree etc); (sports) to pick off (a rebound etc)" -摘借,zhāi jiè,to borrow money -摘取,zhāi qǔ,to pluck; to take -摘帽,zhāi mào,lit. to take off a hat; fig. to be cleared of an unfair charge; rehabilitation -摘帽子,zhāi mào zi,lit. to take off a hat; fig. to be cleared of an unfair charge; rehabilitation -摘引,zhāi yǐn,to quote; to cite -摘抄,zhāi chāo,to extract; to excerpt -摘桃子,zhāi táo zi,to harvest the fruits of sb else's labor -摘牌,zhāi pái,to delist (a traded security); (sports) to accept a transfer-listed player from another club -摘由,zhāi yóu,high points (of a document); resume -摘要,zhāi yào,summary; abstract -摘记,zhāi jì,to take notes; to excerpt -摘译,zhāi yì,quoted (from); translation of selected passages -摘录,zhāi lù,to extract; to excerpt; an excerpt -摘除,zhāi chú,to excise; to remove an organ -掼,guàn,to fling; to fall; to wear -掼奶油,guàn nǎi yóu,whipped cream -摞,luò,to pile up; to stack; a pile; a stack -摞管,luò guǎn,to masturbate -搂,lōu,"to draw towards oneself; to gather; to gather up (one's gown, sleeves etc); to grab (money); to extort" -搂,lǒu,to hug; to embrace; to hold in one's arms -搂住,lǒu zhù,to hold in one's arms; to embrace -搂抱,lǒu bào,to hug; to embrace -搂钱,lōu qián,(coll.) to grab money; to rake in money -摧,cuī,to break; to destroy; to devastate; to ravage; to repress -摧残,cuī cán,to ravage; to ruin -摧毁,cuī huǐ,to destroy; to wreck -摩,mó,to rub -摩加迪休,mó jiā dí xiū,"Mogadishu, capital of Somalia (Tw)" -摩加迪沙,mó jiā dí shā,"Mogadishu, Indian ocean seaport and capital of Somalia" -摩卡,mó kǎ,mocha (loanword) -摩卡咖啡,mó kǎ kā fēi,mocha coffee -摩城,mó chéng,"Mo i Rana (city in Nordland, Norway)" -摩天,mó tiān,skyscraping; towering into the sky -摩天大厦,mó tiān dà shà,skyscraper; CL:座[zuo4] -摩天大楼,mó tiān dà lóu,skyscraper; CL:座[zuo4] -摩天楼,mó tiān lóu,skyscraper; CL:座[zuo4] -摩天轮,mó tiān lún,Ferris wheel; observation wheel -摩娑,mó suō,variant of 摩挲[mo2 suo1] -摩尼,mó ní,"Mani (3rd century AD), Persian prophet and founder of Manichaeism" -摩尼教,mó ní jiào,Manichaeism -摩德纳,mó dé nà,"Modena, Italy" -摩托,mó tuō,motor (loanword); motorbike -摩托罗垃,mó tuō luó lā,Motorola (company) -摩托罗拉,mó tuō luó lā,Motorola -摩托艇,mó tuō tǐng,motorboat -摩托车,mó tuō chē,"(loanword) motorbike; motorcycle; CL:輛|辆[liang4],部[bu4]" -摩托车的士,mó tuō chē dī shì,motorcycle taxi -摩拜单车,mó bài dān chē,"Mobike, operator of an app-driven bicycle-rental business in China, established in 2015" -摩拳擦掌,mó quán cā zhǎng,fig. to rub one's fists and wipe one's palms (idiom); to roll up one's sleeves for battle; eager to get into action or start on a task -摩挲,mā sa,"(coll.) to remove (crinkles, dirt) with the palm of the hand; Taiwan pr. [mo2 suo1]" -摩挲,mó suō,to stroke; to caress -摩揭陀,mó jiē tuó,"Magadha, ancient India kingdom reported to be the birthplace of Buddhism" -摩擦,mó cā,friction; rubbing; chafing; fig. disharmony; conflict; also written 磨擦 -摩擦力,mó cā lì,friction -摩擦音,mó cā yīn,fricative (phonetics) -摩斯密码,mó sī mì mǎ,Morse code -摩斯拉,mó sī lā,"Mothra (Japanese モスラ Mosura), Japanese movie monster" -摩斯电码,mó sī diàn mǎ,Morse code -摩旅,mó lǚ,to travel by motorcycle -摩根,mó gēn,Morgan (name) -摩根士丹利,mó gēn shì dān lì,Morgan Stanley (financial services company) -摩梭,mó suō,Mosuo ethnic group of Yunnan and Sichuan -摩梭族,mó suō zú,Mosuo ethnic group of Yunnan and Sichuan -摩洛哥,mó luò gē,Morocco -摩尔,mó ěr,Moore or Moor (name); see also 摩爾人|摩尔人[Mo2 er3 ren2] -摩尔,mó ěr,mole (chemistry) -摩尔人,mó ěr rén,a Moor -摩尔多瓦,mó ěr duō wǎ,"Moldova; Republic of Moldova, former Soviet republic on the border with Romania" -摩尔多瓦人,mó ěr duō wǎ rén,Moldovan (person) -摩尔定律,mó ěr dìng lǜ,Moore's law (computing) -摩尔斯电码,mó ěr sī diàn mǎ,Morse code -摩尔根,mó ěr gēn,Morgan (name) -摩尔门,mó ěr mén,Mormon (religion) -摩尔门经,mó ěr mén jīng,Book of Mormon -摩登,mó dēng,modern (loanword); fashionable -摩登原始人,mó dēng yuán shǐ rén,The Flintstones (TV Series) -摩的,mó dī,motorcycle taxi; abbr. for 摩托車的士|摩托车的士[mo2 tuo1 che1 di1 shi4] -摩纳哥,mó nà gē,Monaco -摩丝,mó sī,hair mousse (loanword) -摩羯,mó jié,"Capricorn (star sign); northern people in classical times, a branch of the Huns or Xiongnu 匈奴" -摩羯座,mó jié zuò,Capricornus -摩肩接踵,mó jiān jiē zhǒng,lit. rubbing shoulders and following in each other's footsteps; a thronging crowd -摩萨德,mó sà dé,Mossad -摩苏尔,mó sū ěr,Mosul (city in Iraq) -摩蟹座,mó xiè zuò,Capricorn (constellation and sign of the zodiac); used erroneously for 魔羯座 -摩西,mó xī,Moses -摩西五经,mó xī wǔ jīng,the Pentateuch; the five books of Moses in the Old Testament -摩西律法,mó xī lǜ fǎ,law of Moses -摩西的律法,mó xī de lǜ fǎ,Mosaic Law -摩诃,mó hē,"transliteration of Sanskrit mahā, great" -摩诃婆罗多,mó hē pó luó duō,"Mahābhārata, second great Indian epic after 羅摩衍那|罗摩衍那[Luo2 mo2 yan3 na4], possibly originally c. 4th century BC" -摩铁,mó tiě,(Tw) (loanword) motel -摩门,mó mén,Mormon (religion) -摩门经,mó mén jīng,Book of Mormon -摩顶放踵,mó dǐng fàng zhǒng,to rub one's head and heels (idiom); to slave for the benefit of others; to wear oneself out for the general good -摩鹿加群岛,mó lù jiā qún dǎo,"Maluku Islands, Indonesia" -摭,zhí,pick up; to select -挚,zhì,surname Zhi -挚,zhì,sincere -挚切,zhì qiè,sincere; fervent -挚友,zhì yǒu,intimate friend; close friend -挚友良朋,zhì yǒu liáng péng,intimate friend and companion (idiom) -挚情,zhì qíng,true feelings -挚爱,zhì ài,true love -挚诚,zhì chéng,sincere -抠,kōu,to dig; to pick; to scratch (with a finger or sth pointed); to carve; to cut; to study meticulously; stingy; miserly; to lift up (esp. the hem of a robe) -抠图,kōu tú,(image processing) to extract a foreground object from its background; image matting -抠字眼,kōu zì yǎn,"to be fastidious about phrasing, diction, or choice of words" -抠字眼儿,kōu zì yǎn er,erhua variant of 摳字眼|抠字眼[kou1 zi4 yan3] -抠脚,kōu jiǎo,to scratch one's foot; (fig.) to be stingy; (slang) (of a celebrity) to twiddle one's thumbs (i.e. not release any new material etc) -抠门,kōu mén,(dialect) stingy -抠门儿,kōu mén er,erhua variant of 摳門|抠门[kou1 men2] -抟,tuán,to roll up into a ball with one's hands (variant of 團|团[tuan2]); (literary) to circle; to wheel -抟沙,tuán shā,lacking in cohesion and unity of purpose -抟风,tuán fēng,to rise very quickly -抟饭,tuán fàn,to roll rice balls -摸,mō,to feel with the hand; to touch; to stroke; to grope; to steal; to abstract -摸,mó,variant of 摹[mo2] -摸不着,mō bu zháo,can't touch; can't reach; (fig.) unable to get a grasp of -摸不着边,mō bu zháo biān,can't make head or tail of -摸不着头脑,mō bu zháo tóu nǎo,to be unable to make any sense of the matter; to be at a loss -摸八圈,mō bā quān,to play mahjong -摸吧,mō bā,touch bar (hostess bar that allows physical contact) -摸底,mō dǐ,to have a clear view (of a situation); to fish for information; fact-finding -摸彩,mō cǎi,to draw lots; raffle; lottery -摸得着,mō de zháo,to be able to touch; tangible -摸排,mō pái,thorough search -摸清,mō qīng,to suss out; to figure out; to ascertain -摸爬滚打,mō pá gǔn dǎ,to go through challenging experiences; to become seasoned (in one's profession etc) -摸牌,mō pái,to draw a tile (at mahjong); to play mahjong -摸石头过河,mō shí tou guò hé,lit. crossing the river by feeling for stones; improvise by trial-and-error; move cautiously -摸索,mō suo,to feel about; to grope about; to fumble; to do things slowly -摸脉,mō mài,to feel sb's pulse -摸着石头过河,mō zhe shí tou guò hé,"to wade across the river, feeling for footholds as one goes (idiom); to advance cautiously, step by step; to feel one's way forward" -摸象,mō xiàng,to touch an elephant (of proverbial blind people) -摸鱼,mō yú,to catch fish; (fig.) to loaf on the job; to be slack; to take it easy -摸黑,mō hēi,to grope about in the dark -摹,mó,(bound form) to imitate; to copy -摹仿,mó fǎng,variant of 模仿[mo2 fang3] -摹写,mó xiě,to trace over; to copy (a calligraphy model); facsimile; (fig.) to depict; to portray -摹拟,mó nǐ,variant of 模擬|模拟[mo2 ni3] -摹画,mó huà,to describe -摹声词,mó shēng cí,(linguistics) onomatopoeic word -折,zhé,variant of 折[zhe2]; to fold -摺,zhé,document folded in accordion form; to fold -折光,zhé guāng,refraction -折奏,zhé zòu,memorial to the emperor (folded in accordion form) -折子,zhé zi,folding notebook; accounts book -折尺,zhé chǐ,folding ruler -折椅,zhé yǐ,folding chair -折纸,zhé zhǐ,to fold paper (to make origami articles); origami -摺线,zhé xiàn,"variant of 折線|折线[zhe2 xian4], broken line (continuous figure made up of straight line segments); polygonal line; dog leg" -折裙,zhé qún,pleated skirt -折转,zhé zhuǎn,reflex (angle); to turn back -掺,chān,to mix (variant of 攙|搀[chan1]) -掺,shǎn,to grasp -掺假,chān jiǎ,to mix in fake material; to adulterate -掺和,chān huo,to mix; to put together; to interfere in; to get involved in -掺水,chān shuǐ,to dilute; to water down; watered down -掺沙子,chān shā zi,to mix in some sand (e.g. when making concrete); (fig.) to place outsiders into a monolithic group (to infiltrate or disrupt it etc) -摽,biāo,(literary) to wave away; to discard -摽,biào,to bind tightly; to link (arms); to hang around with; to stick close to (sb); to compete; (literary) to hit; to beat -撂,liào,to put down; to leave behind; to throw or knock down; to abandon or discard -撂倒,liào dǎo,to knock down; to mow down -撂地,liào dì,(of folk artists) to give a performance at a temple fair or on the street etc -撂地摊,liào dì tān,see 撂地[liao4 di4] -撂挑子,liào tiāo zi,(coll.) to quit one's job in disgust -撅,juē,to protrude; to stick out; to pout (also written 噘); to embarrass (people) -撅嘴,juē zuǐ,to pout -撇,piē,to cast away; to fling aside -撇,piě,to throw; to cast; left-slanting downward brush stroke (calligraphy) -撇下,piē xia,to cast away -撇去,piē qù,skim -撇嘴,piě zuǐ,to curl one's lip; to twitch one's mouth -撇大条,piě dà tiáo,(slang) to take a dump -撇掉,piē diào,to skim froth or foam from the surface of a liquid -撇条,piě tiáo,(slang) to go to the toilet -撇步,piě bù,"(Tw) trick (of the trade); clever move (from Taiwanese, Tai-lo pr. [phiat-pōo])" -撇清,piē qīng,"to say a matter has no relationship with the individual referred to, to emphasize one is innocent or in the clear" -撇号,piě hào,apostrophe -撇开,piē kāi,to disregard; to leave aside -撇开不谈,piē kāi bù tán,to ignore an issue (idiom) -捞,lāo,to fish up; to dredge up -捞一把,lāo yī bǎ,to profiteer; to gain some underhand advantage -捞什子,lāo shí zi,encumbrance; burden; that awful thing (colloquial); nuisance -捞取,lāo qǔ,to dredge up; to scoop up from the water; to fish for; to gain (by improper means) -捞外快,lāo wài kuài,to make extra money -捞本,lāo běn,to get one's money back (esp. gambling); to recoup one's losings -捞油水,lāo yóu shuǐ,(coll.) to gain profit (usu. by underhand means) -捞稻草,lāo dào cǎo,(fig.) to clutch at straws (in desperation); to take advantage of the situation (unscrupulously) -捞钱,lāo qián,lit. to dredge for money; to make money by reprehensible means; to fish for a quick buck -撑,chēng,to support; to prop up; to push or move with a pole; to maintain; to open or unfurl; to fill to bursting point; brace; stay; support -撑伞,chēng sǎn,to hold up an umbrella -撑场面,chēng chǎng miàn,to keep up appearances; to put up a front -撑拒,chēng jù,to resist; to struggle; to sustain -撑持,chēng chí,(fig.) to sustain; to shore up -撑杆,chēng gān,a pole; a prop -撑杆跳,chēng gān tiào,pole-vaulting -撑杆跳高,chēng gān tiào gāo,pole-vaulting -撑死,chēng sǐ,full to the point of bursting; (coll.) at most -撑破,chēng pò,to burst -撑竿跳,chēng gān tiào,pole-vaulting; also written 撐桿跳|撑杆跳 -撑竿跳高,chēng gān tiào gāo,pole vault; also written 撐桿跳高|撑杆跳高 -撑腰,chēng yāo,to support; to brace -撑船,chēng chuán,to punt; to pole a boat -撑门面,chēng mén miàn,to keep up appearances; to put up a front -撑开,chēng kāi,to stretch taut; to open (an umbrella); to hold (a bag etc) open; to prop open -撒,sā,to let go; to cast; to let loose; to discharge; to give expression to; (coll.) to pee -撒,sǎ,to scatter; to sprinkle; to spill -撒丁岛,sā dīng dǎo,Sardinia -撒丫子,sā yā zi,(dialect) to rush off; to scamper off double-quick; to take to one's heels; to make oneself scarce -撒但,sā dàn,"variant of 撒旦[Sa1 dan4], Satan or Shaitan" -撒克逊,sā kè xùn,Saxon (people) -撒克逊人,sā kè xùn rén,Saxon (people) -撒切尔,sā qiē ěr,"Thatcher (name); Baroness Thatcher or Margaret Thatcher (1925-2013), British conservative politician, prime minister 1979-1990" -撒切尔夫人,sā qiē ěr fū ren,"Mrs Thatcher; Baroness Thatcher or Margaret Thatcher (1925-2013), British conservative politician, prime minister 1979-1990" -撒哈拉,sā hā lā,Sahara -撒哈拉人,sā hā lā rén,Sahrawi (person) -撒哈拉以南,sā hā lā yǐ nán,sub-Saharan -撒哈拉以南非洲,sā hā lā yǐ nán fēi zhōu,sub-Saharan Africa -撒哈拉威,sā hā lā wēi,Sahrawi -撒哈拉沙漠,sā hā lā shā mò,Sahara Desert -撒呓挣,sā yì zheng,(coll.) to talk in one's sleep; to sleepwalk -撒娇,sā jiāo,to act like a spoiled child; to throw a tantrum; to act coquettishly -撒娇卖乖,sā jiāo mài guāi,to behave ingratiatingly -撒尿,sā niào,to pass water; to piss; to urinate; to wee wee -撒手,sā shǒu,to let go of sth; to give up -撒手不管,sā shǒu bù guǎn,to stand aside and do nothing (idiom); to take no part in -撒手人寰,sā shǒu rén huán,to leave one's mortal frame (idiom); to die -撒手锏,sā shǒu jiǎn,(fig.) trump card -撒手闭眼,sā shǒu bì yǎn,to have nothing further to do with a matter (idiom) -撒拉,sā lā,Salar ethnic group of Qinghai province -撒拉族,sā lā zú,Salar ethnic group of Qinghai province -撒拉语,sā lā yǔ,"Salar, language of Salar ethnic group of Qinghai province" -撒拉铁,sā lā tiě,Shealtiel (son of Jeconiah) -撒播,sǎ bō,to sow (seeds by scattering); scatter sowing -撒旦,sā dàn,Satan or Shaitan -撒母耳记上,sā mǔ ěr jì shàng,First book of Samuel -撒母耳记下,sā mǔ ěr jì xià,Second book of Samuel -撒气,sā qì,to leak (of air); to go flat (of a tire); to vent one's anger -撒泼,sā pō,to make an unreasonable scene -撒然,sā rán,sudden -撒尔孟,sā ěr mèng,Salmon (name) -撒狗粮,sǎ gǒu liáng,(slang) to be lovey-dovey in public -撒督,sā dū,Zadok (son of Azor and father of Achim in Matthew 1:13) -撒科打诨,sā kē dǎ hùn,to intersperse comic dialogue (as they do in operas) -撒种,sǎ zhǒng,to sow seeds -撒网,sā wǎng,to throw a net -撒网捕风,sā wǎng bǔ fēng,lit. the wind cannot be caught in a net; to waste one's effort (idiom) -撒罗满,sā luó mǎn,Solomon (name) -撒脚,sā jiǎo,to run off; to beat it -撒腿,sā tuǐ,to take to one's heels; to scram -撒西米,sā xī mǐ,sashimi (loanword) -撒谎,sā huǎng,to tell lies -撒赖,sā lài,to make a scene; to raise hell -撒迦利亚,sā jiā lì yà,Zechariah (name); Zechariah (Old Testament prophet) -撒迦利亚书,sā jiā lì yà shū,Book of Zechariah -撒都该人,sā dū gāi rén,Sadducees -撒酒疯,sā jiǔ fēng,to get drunk and act crazy; roaring drunk -撒野,sā yě,to display shockingly bad behavior; to behave atrociously -撒门,sā mén,Salmon (son of Nashon) -撒马利亚,sā mǎ lì yà,Samaria -撒马尔干,sā mǎ ěr gàn,"Samarkand, city in Uzbekistan; also written 撒馬爾罕|撒马尔罕[Sa1 ma3 er3 han3]" -撒马尔罕,sā mǎ ěr hǎn,"Samarkand, city in Uzbekistan" -挠,náo,to scratch; to thwart; to yield -挠败,náo bài,defeated; routed; crushed -挠曲,náo qū,to bend; flexing; deflection -挠率,náo lǜ,the torsion (of a space curve) -挠痒痒,náo yǎng yang,to tickle -挠裂,náo liè,split due to repeated folding; flex crack -挠钩,náo gōu,iron hook at the end a long pole -挠头,náo tóu,tricky; problematic; difficult; to scratch one's head (in puzzlement) -撕,sī,to tear -撕咬,sī yǎo,"to tear at (with the teeth, like one animal attacking another)" -撕扯,sī chě,to tear apart -撕掉,sī diào,to tear out (and throw away); to rip away -撕毁,sī huǐ,to tear up; to rip up; too shred -撕烂,sī làn,to tear up; to tear to pieces -撕破,sī pò,to tear; to rip -撕破脸,sī pò liǎn,to have an acrimonious falling-out; to shed all pretense of cordiality; to tear into each other -撕破脸皮,sī pò liǎn pí,see 撕破臉|撕破脸[si1 po4 lian3] -撕碎,sī suì,to tear to shreds -撕票,sī piào,lit. to tear the ticket; to kill a hostage (usually held for ransom) -撕裂,sī liè,to tear; to rip apart -撕逼,sī bī,(slang) (lit.) to tear cunt; (fig.) (of females) to have a catfight; to have a bitch fight -撖,hàn,surname Han; Taiwan pr. [Gan3] -撙,zǔn,to reduce or cut down on; to rein in; to restrain -撞,zhuàng,to knock against; to bump into; to run into; to meet by accident -撞倒,zhuàng dǎo,to knock down; to knock over; to run over (sb) -撞伤,zhuàng shāng,bruise; bump -撞大运,zhuàng dà yùn,to have a lucky stroke; to try one's luck -撞击,zhuàng jī,to strike; to hit; to ram -撞击坑,zhuàng jī kēng,impact crater -撞击式印表机,zhuàng jī shì yìn biǎo jī,impact printer -撞击式打印机,zhuàng jī shì dǎ yìn jī,impact printer -撞机,zhuàng jī,(of an airplane) to collide (with another plane midair); to crash -撞死,zhuàng sǐ,to knock down and kill sb with a car; to run over sb; to run sb down -撞毁,zhuàng huǐ,to smash -撞烂,zhuàng làn,to destroy by smashing; smashed up -撞球,zhuàng qiú,billiards; billiards ball; pool (game) -撞脸,zhuàng liǎn,(coll.) to look alike; to be a spitting image of -撞衫,zhuàng shān,to wear the same outfit as sb else (in public) -撞见,zhuàng jiàn,to meet by accident -撞车,zhuàng chē,"to crash (into another car); (fig.) (of opinions, schedules etc) to clash; (of subject matter) to be the same" -撞运气,zhuàng yùn qi,to try one's luck; to rely on fate -撞针,zhuàng zhēn,firing pin -撞锁,zhuàng suǒ,lock -撞骗,zhuàng piàn,to swindle -挢,jiǎo,to raise; to lift; to pretend; counterfeit; unyielding; variant of 矯|矫[jiao3]; to correct -操,cāo,old variant of 操[cao1] -掸,dǎn,to brush away; to dust off; brush; duster; CL:把[ba3] -掸子,dǎn zi,duster; CL:把[ba3] -掸邦,shàn bāng,Shan state of east Myanmar (Burma) -掸邦高原,shàn bāng gāo yuán,Shan plateau of east Myanmar (Burma) -撤,chè,to remove; to take away -撤下,chè xià,to withdraw; to remove (from a place); to remove from office -撤并,chè bìng,to consolidate; to merge -撤侨,chè qiáo,to evacuate (e.g. foreign civilians from a war zone) -撤兵,chè bīng,to withdraw troops; to retreat -撤出,chè chū,to withdraw; to leave; to retreat; to pull out -撤回,chè huí,to recall; to revoke; to retract -撤掉,chè diào,to cut; to throw out; to depose (from office); to tear off -撤换,chè huàn,to dismiss and replace (sb); to replace (sb or sth) -撤款,chè kuǎn,to withdraw money -撤消,chè xiāo,variant of 撤銷|撤销[che4 xiao1] -撤营,chè yíng,to withdraw troops -撤稿,chè gǎo,"to withdraw a submission; to retract a submission (to a newspaper, magazine, journal etc)" -撤职,chè zhí,to eliminate; to sack; to remove from office -撤诉,chè sù,to drop a lawsuit -撤走,chè zǒu,to retire; to remove; to withdraw; to evacuate -撤军,chè jūn,to withdraw troops; to retreat -撤退,chè tuì,to retreat -撤销,chè xiāo,to repeal; to revoke; (computing) to undo -撤除,chè chú,to remove; to dismantle -撤离,chè lí,to withdraw from; to evacuate -拨,bō,"to push aside with the hand, foot, a stick etc; to dial; to allocate; to set aside (money); to poke (the fire); to pluck (a string instrument); to turn round; classifier: group, batch" -拨乱反正,bō luàn fǎn zhèng,bring order out of chaos; set to rights things which have been thrown into disorder -拨付,bō fù,appropriate sum of money -拨冗,bō rǒng,to find time to do sth in the midst of pressing affairs -拨出,bō chū,to pull out; to allocate (funds); to dial -拨刺,bō cī,splash (of a fish) -拨动,bō dòng,to stir; to prod; to poke; to move sideways; to strum (on a guitar etc) -拨奏,bō zòu,pizzicato -拨子,bō zi,plectrum -拨弄,bō nòng,"to move to and fro (with hand, foot, stick etc); to fiddle with; to stir up" -拨弦乐器,bō xián yuè qì,plucked string or stringed instrument; plucked instrument -拨打,bō dǎ,to call; to dial -拨接,bō jiē,dial-up (Internet connection) -拨款,bō kuǎn,to allocate funds; appropriation -拨正,bō zhèng,to set right; to correct -拨浪鼓,bō lang gǔ,a drum-shaped rattle (used by peddlers or as a toy); rattle-drum -拨火棍,bō huǒ gùn,poker -拨片,bō piàn,plectrum -拨用,bō yòng,appropriation -拨空,bō kòng,to make time -拨号,bō hào,to dial a telephone number -拨号盘,bō hào pán,telephone dial -拨号连接,bō hào lián jiē,dial-up connection; dial-up networking -拨号音,bō hào yīn,dial tone -拨转,bō zhuǎn,to turn; to turn around; to transfer (funds etc) -拨通,bō tōng,to get through to sb on the phone -拨开,bō kāi,to push aside; to part; to brush away -拨云见日,bō yún jiàn rì,lit. to dispel the clouds and see the sun (idiom); fig. to restore justice -扯,chě,variant of 扯[che3]; to pull; to tear -撩,liāo,to lift up (sth hanging down); to raise (hem of skirt); to pull up (sleeve); to sprinkle (water with cupped hands) -撩,liáo,to tease; to provoke; to stir up (emotions) -撩乱,liáo luàn,variant of 繚亂|缭乱[liao2 luan4] -撩人,liáo rén,to attract; to titillate -撩动,liáo dòng,to stir up; to provoke -撩妹,liáo mèi,(coll.) to flirt; to hit on girls -撩惹,liáo rě,to provoke; to tease -撩拨,liáo bō,to provoke; to tease -撩是生非,liáo shì shēng fēi,to stir up trouble; to provoke angry exchange -撩起,liāo qǐ,"to raise; to lift up (curtains, clothing etc)" -撩逗,liáo dòu,to provoke; to tease -撩开,liāo kai,"to push aside (clothing, curtain etc) to reveal something; to toss aside" -撩骚,liáo sāo,to flirt -抚,fǔ,to comfort; to console; to stroke; to caress; an old term for province or provincial governor -抚恤,fǔ xù,(of an organization that has a duty of care) to give financial support to relatives of sb who has died or suffered serious injury -抚宁,fǔ níng,"Funing county in Qinhuangdao 秦皇島|秦皇岛[Qin2 huang2 dao3], Hebei" -抚宁县,fǔ níng xiàn,"Funing county in Qinhuangdao 秦皇島|秦皇岛[Qin2 huang2 dao3], Hebei" -抚州,fǔ zhōu,Fuzhou prefecture-level city in Jiangxi -抚州市,fǔ zhōu shì,Fuzhou prefecture-level city in Jiangxi -抚平,fǔ píng,to flatten; to smooth down; to unwrinkle; (fig.) to soothe (emotional wounds); to heal (scars) -抚弄,fǔ nòng,to fondle; to caress; to stroke -抚恤金,fǔ xù jīn,compensation payment (for injury); relief payment -抚爱,fǔ ài,to love tenderly; affection; loving care; to caress -抚慰,fǔ wèi,to console; to comfort; to soothe -抚慰金,fǔ wèi jīn,pension or lump-sum payment for the injured or for the family of the deceased -抚抱,fǔ bào,caress -抚摩,fǔ mó,to stroke; to caress -抚摸,fǔ mō,to gently caress and stroke; to pet; to fondle -抚松,fǔ sōng,"Fusong county in Baishan 白山, Jilin" -抚松县,fǔ sōng xiàn,"Fusong county in Baishan 白山, Jilin" -抚琴,fǔ qín,to play the zither; classical variant of 彈琴|弹琴[tan2 qin2] -抚绥,fǔ suí,to appease; to pacify -抚育,fǔ yù,to nurture; to raise; to foster; to tend -抚远,fǔ yuǎn,"Fuyuan county in Kiamusze or Jiamusi city 佳木斯[Jia1 mu4 si1], Heilongjiang" -抚远三角洲,fǔ yuǎn sān jiǎo zhōu,"Bolshoi Ussuriisk Island in the Heilongjiang or Amur river, at mouth of the Ussuri River opposite Khabarovsk; same as Heixiazi Island 黑瞎子島|黑瞎子岛[Hei1 xia1 zi5 Dao3]" -抚远县,fǔ yuǎn xiàn,"Fuyuan county in Kiamusze or Jiamusi city 佳木斯[Jia1 mu4 si1], Heilongjiang" -抚顺,fǔ shùn,Fushun prefecture-level city in Liaoning province 遼寧省|辽宁省[Liao2 ning2 Sheng3] in northeast China; also Fushun county -抚顺市,fǔ shùn shì,Fushun prefecture-level city in Liaoning province 遼寧省|辽宁省[Liao2 ning2 Sheng3] in northeast China -抚顺县,fǔ shùn xiàn,"Fushun county in Fushun 撫順|抚顺, Liaoning" -抚养,fǔ yǎng,to foster; to bring up; to raise -抚养成人,fǔ yǎng chéng rén,to bring up (a child) -抚养权,fǔ yǎng quán,custody (of a child etc) -抚养费,fǔ yǎng fèi,child support payment (after a divorce) -撬,qiào,to lift; to pry open; to lever open -撬动,qiào dòng,to shift sth with a crowbar etc; (fig.) to influence by applying leverage -撬棍,qiào gùn,crowbar -撬棒,qiào bàng,crowbar -撬杠,qiào gàng,crowbar -撬窃,qiào qiè,burglary; house-breaking -撬锁,qiào suǒ,to pick a lock; to force a lock -撬门,qiào mén,to break in; to force a door -撬开,qiào kāi,to pry open; to lever open -播,bō,to sow; to scatter; to spread; to broadcast; Taiwan pr. [bo4] -播出,bō chū,to broadcast; to air (a TV program etc) -播报,bō bào,to announce; to read (the news) -播报员,bō bào yuán,announcer -播客,bō kè,podcast (loanword) -播弄,bō nong,to order people about; to stir up; to sow discord -播撒,bō sǎ,to sow (seeds); to scatter -播放,bō fàng,to broadcast; to transmit (by radio or TV) -播放列表,bō fàng liè biǎo,playlist -播放机,bō fàng jī,player (e.g. CD player) -播映,bō yìng,to broadcast a film; to televise -播发,bō fā,to broadcast -播种,bō zhǒng,to sow seeds -播种,bō zhòng,to grow (maize etc) from seed; to plant (maize etc) by sowing seed -播讲,bō jiǎng,"to broadcast a lecture, a book reading etc" -播送,bō sòng,to broadcast; to transmit; to beam -播音,bō yīn,to transmit; to broadcast -播音员,bō yīn yuán,announcer; broadcaster -撮,cuō,to pick up (a powder etc) with the fingertips; to scoop up; to collect together; to extract; to gather up; classifier: pinch; Taiwan pr. [cuo4] -撮,zuǒ,classifier for hair or grass: tuft; Taiwan pr. [cuo4] -撮合,cuō he,to play matchmaker; to act as a middleman -撰,zhuàn,to compose; to compile -撰写,zhuàn xiě,to write; to compose -撰拟,zhuàn nǐ,to draft; to draw up; to compose (a plan or document) -撰文,zhuàn wén,to write an article -撰稿,zhuàn gǎo,to write (an article for publication) -撰稿人,zhuàn gǎo rén,author (of a manuscript) -撰述,zhuàn shù,to compose (a piece of writing); to write; (written) work; writer -撰录,zhuàn lù,to compile and record -扑,pū,to throw oneself at; to pounce on; to devote one's energies; to flap; to flutter; to dab; to pat; to bend over -扑倒,pū dǎo,to fall down -扑克,pū kè,poker (game) (loanword); playing cards -扑克牌,pū kè pái,poker (card game); playing card; CL:副[fu4] -扑扇,pū shan,to flutter; to flap -扑打,pū dǎ,to swat; (of wings) to flap -扑救,pū jiù,firefighting; to extinguish a fire and save life and property; to dive (of goalkeeper in soccer) -扑朔,pū shuò,see 撲朔迷離|扑朔迷离[pu1 shuo4 mi2 li2] -扑朔迷离,pū shuò mí lí,impossible to unravel; confusing -扑棱,pū lēng,(onom.) fluttering or flapping of wings -扑棱,pū leng,"(of wings, curtain etc) to flap; to flutter" -扑杀,pū shā,to kill; to cull -扑灭,pū miè,to eradicate; to extinguish -扑满,pū mǎn,piggy bank -扑热息痛,pū rè xī tòng,paracetamol (loanword) -扑空,pū kōng,lit. to rush at thin air; fig. to miss one's aim; to have nothing to show for one's troubles -扑脸儿,pū liǎn er,strikes you in the face -扑落,pū luò,"to fall; to drop; socket (loanword for ""plug"")" -扑袭,pū xí,"(of an animal) to pounce (on its prey); (of extreme weather conditions) to hit (a city, province etc)" -扑责,pū zé,to punish by flogging -扑跌,pū diē,to fall flat on one's face; (martial arts) pouncing and falling (i.e. all kinds of moves) -扑通,pū tōng,(onom.) sound of object falling into water; plop -扑闪,pū shǎn,to wink; to blink -扑面,pū miàn,lit. sth hits one in the face; directly in one's face; sth assaults the senses; blatant (advertising); eye-catching; (a smell) assaults the nostrils -扑面而来,pū miàn ér lái,lit. sth hits one in the face; directly in one's face; sth assaults the senses; blatant (advertising); eye-catching; (a smell) assaults the nostrils -扑腾,pū teng,(onom.) thud; flutter; flop -扑鼻,pū bí,to assail the nostrils (of fragrance and odors) -揿,qìn,to press (with one's hand or finger) -挞,tà,(bound form) to whip; to flog; (loanword) tart -撼,hàn,to shake; to vibrate -撼动,hàn dòng,to shake up; to deal a shock; (fig.) to stir (sb's heart) -撼天动地,hàn tiān dòng dì,earth-shaking -撼树蚍蜉,hàn shù pí fú,lit. an ant trying to shake a tree; to overrate oneself (idiom) -挝,wō,ancient weapon with a tip shaped like a hand or claw -挝,zhuā,beat -捡,jiǎn,to pick up; to collect; to gather -捡了芝麻丢了西瓜,jiǎn le zhī ma diū le xī guā,to let go of the big prize while grabbing at trifles (idiom) -捡到篮里就是菜,jiǎn dào lán lǐ jiù shì cài,all is grist that comes to the mill (idiom) -捡尸,jiǎn shī,(slang) to target an intoxicated person for sexual assault -捡拾,jiǎn shí,to pick up; to gather -捡漏,jiǎn lòu,to repair a leaky roof; (dialect) to find fault; to nitpick; (slang) to score a bargain (esp. when the seller is unaware of the item's true value); (slang) to take advantage of an unexpected opportunity -捡骨,jiǎn gǔ,"bone-gathering, a custom of Fujian and Taiwan in which a son recovers the bones of his deceased father from the grave and places them in an urn for permanent storage at a different location" -擀,gǎn,to roll (dough etc) -擀面杖,gǎn miàn zhàng,rolling pin -拥,yōng,to hold in one's arms; to embrace; to surround; to gather around; to throng; to swarm; (bound form) to support (as in 擁護|拥护[yong1 hu4]); (literary) to have; to possess; Taiwan pr. [yong3] -拥兵自重,yōng bīng zì zhòng,"(of a warlord etc) to assemble one's personal army, thereby presenting a challenge to the central government" -拥吻,yōng wěn,to hug and kiss -拥堵,yōng dǔ,(of traffic) to become congested; congestion -拥塞,yōng sè,"to be clogged up; to be congested (traffic, computer network etc)" -拥戴,yōng dài,to give one's allegiance; (popular) support -拥抱,yōng bào,to embrace; to hug -拥挤,yōng jǐ,crowded; to throng; congestion -拥挤不堪,yōng jǐ bù kān,overcrowded; jam-packed -拥有,yōng yǒu,to have; to possess -拥有权,yōng yǒu quán,right of ownership -拥护,yōng hù,to endorse; to support -拥护者,yōng hù zhě,supporter (person) -拥趸,yōng dǔn,fan; fanatic -擂,léi,to pound (with a mortar and pestle); to hit (a person); to beat (a drum); to bang on (a door); (dialect) to scold -擂,lèi,(bound form) platform for a martial art contest; Taiwan pr. [lei2] -擂台,lèi tái,elevated stage on which martial competitions or duels were held; arena; ring -擂台赛,lèi tái sài,single-elimination open tournament (the winner stays on until he is himself defeated) -擂茶,léi chá,"""leicha"", a beverage or gruel made from tea leaves, roasted peanuts and herbs etc ground into a powder, traditionally consumed by Hakka people and in the north of Hunan province" -擂鼓鸣金,léi gǔ míng jīn,to beat the drum and sound the gong (idiom); fig. to order an advance or retreat; to egg people on or to call them back -掳,lǔ,(bound form) to capture (sb) -掳人勒赎,lǔ rén lè shú,to kidnap for ransom -掳掠,lǔ lüè,to plunder; to pillage; (fig.) to win (people's hearts) -掳获,lǔ huò,to capture (sb); (fig.) to win (people's hearts) -掳走,lǔ zǒu,to abduct -擅,shàn,without authority; to usurp; to arrogate to oneself; to monopolize; expert in; to be good at -擅场,shàn chǎng,to excel in some field; expert at sth -擅断,shàn duàn,arbitrary -擅权,shàn quán,to arrogate power -擅美,shàn měi,to enjoy fame without sharing it; to take the credit -擅自,shàn zì,without permission -擅长,shàn cháng,to be good at; to be expert in -擅闯,shàn chuǎng,to enter without permission; to trespass -擅离职守,shàn lí zhí shǒu,to abscond; to be absent without leave -择,zé,to select; to choose; to pick over; to pick out; to differentiate; to eliminate; also pr. [zhai2] -择不开,zhái bu kāi,impossible to separate; impossible to disentangle; cannot take time out -择偶,zé ǒu,to choose a spouse -择刺,zhái cì,to pick out the bones in a fish -择善固执,zé shàn gù zhí,to choose what is good and hold fast to it (idiom) -择善而从,zé shàn ér cóng,to choose the right course and follow it (idiom) -择定,zé dìng,to select -择日,zé rì,to fix a date (for an event); to select an auspicious date -择日不如撞日,zé rì bù rú zhuàng rì,lit. carefully setting an auspicious date does not beat seizing an opportunity (idiom); fig. seize the occasion -择日子,zhái rì zi,to pick an auspicious day -择机,zé jī,at the right time; when appropriate -择菜,zhái cài,to pick the edible part of vegetables -择食,zé shí,to be picky (food) -击,jī,to hit; to strike; to break; Taiwan pr. [ji2] -击中,jī zhòng,to hit (a target etc); to strike -击倒,jī dǎo,to knock down; knocked down -击刺,jī cì,to stab; to hack -击剑,jī jiàn,fencing (sport) -击剑者,jī jiàn zhě,fencer (i.e. sportsman involved in fencing) -击坠,jī zhuì,to shoot down -击弦类,jī xián lèi,hammered string type (of musical instrument) -击弦类乐器,jī xián lèi yuè qì,hammered string musical instrument -击打,jī dǎ,to beat; to lash -击掌,jī zhǎng,to clap one's hands; to clap each other's hands; high five -击败,jī bài,to defeat; to beat -击毙,jī bì,to kill; to shoot dead -击晕,jī yūn,to stun; to render unconscious (with a blow) -击杀,jī shā,to attack and kill -击毁,jī huǐ,to attack and destroy -击沉,jī chén,to attack and sink (a ship) -击溃,jī kuì,to defeat; to smash; to rout -击球,jī qiú,to bat; to hit a ball (sport) -击球员,jī qiú yuán,"(baseball, cricket etc) batter" -击碎,jī suì,to smash to pieces -击缶,jí fǒu,to beat time with a percussion instrument made of pottery -击落,jī luò,to shoot down (a plane) -击退,jī tuì,to beat back; to repel -击鼓传花,jī gǔ chuán huā,"beat the drum, pass the flower (game in which players sit in a circle passing a flower around while a drum is beaten – when the drumbeat stops, the player holding the flower must sing a song, answer a question, or drink a glass of wine etc)" -击鼓鸣金,jī gǔ míng jīn,to beat the drum and sound the gong (idiom); fig. to order an advance or retreat; to egg people on or to call them back -挡,dǎng,to resist; to obstruct; to hinder; to keep off; to block (a blow); to get in the way of; cover; gear (e.g. in a car's transmission) -挡,dàng,to arrange; to put in order -挡位,dǎng wèi,"(in a manual car) gear (i.e. reverse, neutral, 1st, 2nd etc); (automatic car) transmission mode (P, R, N, D etc); (electric fan etc) speed setting" -挡住,dǎng zhù,to obstruct -挡拆,dǎng chāi,pick and roll (basketball); screen and roll -挡泥板,dǎng ní bǎn,"(car, bicycle etc) fender; mudguard; (UK) wing" -挡琅,dǎng láng,(slang) to ask for money; to lend money -挡箭牌,dǎng jiàn pái,shield; (fig.) excuse -挡路,dǎng lù,to be in the way; to block the path -挡郎,dǎng láng,(slang) to ask for money; to lend money -挡锒,dǎng láng,(slang) to ask for money; to lend money -挡雨,dǎng yǔ,to protect from the rain -挡风墙,dǎng fēng qiáng,lit. windbreak; fig. protector -挡风玻璃,dǎng fēng bō li,windshield; wind screen -挡驾,dǎng jià,to decline to receive a visitor; to turn sb away -操,cāo,to grasp; to hold; to operate; to manage; to control; to steer; to exercise; to drill (practice); to play; to speak (a language) -操,cào,variant of 肏[cao4] -操之过急,cāo zhī guò jí,to act with undue haste (idiom); eager and impatient; overhasty -操作,cāo zuò,to work; to operate; to manipulate -操作台,cāo zuò tái,operating desk; control panel; console -操作员,cāo zuò yuán,operator -操作数,cāo zuò shù,operand (computing) -操作环境,cāo zuò huán jìng,operating environment -操作符,cāo zuò fú,operator (computing) -操作系统,cāo zuò xì tǒng,operating system -操作者,cāo zuò zhě,operator -操作规程,cāo zuò guī chéng,operating rules; work regulations -操你妈,cào nǐ mā,see 肏你媽|肏你妈[cao4 ni3 ma1] -操典,cāo diǎn,drill book -操刀手,cāo dāo shǒu,person charged with decisive action; hatchet man -操切,cāo qiè,rash; hasty -操劳,cāo láo,to work hard; to look after -操坪,cāo píng,drill ground -操场,cāo chǎng,playground; sports field; drill ground; CL:個|个[ge4] -操守,cāo shǒu,personal integrity -操屄,cào bī,variant of 肏屄[cao4 bi1] -操弄,cāo nòng,to manipulate; manipulation -操心,cāo xīn,to worry about -操持,cāo chi,to manage; to handle -操控,cāo kòng,to control; to manipulate -操斧伐柯,cāo fǔ fá kē,(cf Book of Songs) How to fashion an ax handle? You need an ax; fig. to follow a principle; fig. to act as matchmaker -操法,cāo fǎ,drill rules -操演,cāo yǎn,drill; exercise; demonstration; to demonstrate -操盘,cāo pán,"(finance) (of a fund manager, high-wealth individual etc) to make large trades (in stocks, futures etc); (fashion, movies etc) (of an industry heavyweight) to make a play in the market" -操盘手,cāo pán shǒu,heavyweight operator in a market -操神,cāo shén,to worry about; to look after; to take care of -操练,cāo liàn,drill; practice -操纵,cāo zòng,to operate; to control; to rig; to manipulate -操纵杆,cāo zòng gǎn,joystick; control lever -操纵自如,cāo zòng zì rú,to operate (a machine etc) with ease -操舟,cāo zhōu,to steer a boat -操航,cāo háng,to take the helm; to steer (a ship) -操舵,cāo duò,to steer (a vessel); to hold the rudder; at the helm -操舵室,cāo duò shì,pilothouse -操蛋,cào dàn,lousy; rotten -操行,cāo xíng,(student's) behavior -操觚,cāo gū,to write; to compose -操课,cāo kè,military drill -操办,cāo bàn,to arrange matters -操逼,cào bī,variant of 肏屄[cao4 bi1] -擎,qíng,to raise; to hold up; to lift up -擎拳合掌,qíng quán hé zhǎng,to clasp hands; to put one's palms together (in obeisance) -擐,huàn,pass through; to get into (armor) -擒,qín,to capture -擒人节,qín rén jié,"(jocular) Valentine's Day, referring to the rising number of extramarrital affairs being discovered on that day" -擒获,qín huò,to apprehend; to capture; to seize -擒贼擒王,qín zéi qín wáng,to defeat the enemy by capturing their chief (idiom) -担,dān,to undertake; to carry; to shoulder; to take responsibility -担,dàn,"picul (100 catties, 50 kg); two buckets full; carrying pole and its load; classifier for loads carried on a shoulder pole" -担仔面,dàn zǎi miàn,"ta-a noodles or danzai noodles, popular snack originating from Tainan" -担任,dān rèn,to hold a governmental office or post; to assume office of; to take charge of; to serve as -担保,dān bǎo,to guarantee; to vouch for -担子,dàn zi,carrying pole and the loads on it; burden; task; responsibility; CL:副[fu4] -担待,dān dài,to pardon; please excuse (me); to take responsibility -担心,dān xīn,anxious; worried; uneasy; to worry; to be anxious -担忧,dān yōu,to worry; to be concerned -担懮,dān yōu,worry; anxiety -担承,dān chéng,to undertake; to assume (responsibility etc) -担担面,dàn dàn miàn,Sichuan noodles with a spicy and numbing sauce -担搁,dān ge,variant of 耽擱|耽搁[dan1 ge5] -担架,dān jià,stretcher; litter; bier -担架兵,dān jià bīng,stretcher bearer (military) -担架床,dān jià chuáng,stretcher -担架抬,dān jià tái,stretcher (for the injured) -担当,dān dāng,to take upon oneself; to assume -担纲,dān gāng,to play the leading role -担荷,dān hè,to shoulder a burden -担误,dān wu,variant of 耽誤|耽误[dan1 wu5] -担负,dān fù,to shoulder; to bear; to undertake -担惊受怕,dān jīng shòu pà,to feel apprehensive; to be alarmed -携,xié,old variant of 攜|携[xie2] -擗,pǐ,to beat the breast -擘,bò,thumb; to break; to tear; to pierce; to split -擘划,bò huà,to plan; to arrange -擘画,bò huà,variant of 擘劃|擘划[bo4 hua4] -擘开,bò kāi,to break open -据,jù,according to; to act in accordance with; to depend on; to seize; to occupy -据估计,jù gū jì,according to estimates -据信,jù xìn,according to belief; it is believed that -据传,jù chuán,it is rumored that ...; it is reported that ... -据报,jù bào,it is reported; according to reports -据报导,jù bào dǎo,according to (news) reports -据报道,jù bào dào,according to a report; It is reported that... -据守,jù shǒu,to guard; to hold a fortified position; entrenched -据守天险,jù shǒu tiān xiǎn,to guard a natural stronghold -据实,jù shí,according to the facts -据实以告,jù shí yǐ gào,to report according to the facts; to tell the truth; to tell it like it is -据悉,jù xī,according to reports; it is reported (that) -据情办理,jù qíng bàn lǐ,to handle a situation according to the circumstances (idiom) -据我所知,jù wǒ suǒ zhī,as far as I know; to the best of my knowledge -据我看,jù wǒ kàn,in my view; in my opinion; from what I can see -据料,jù liào,according to forecasts; it is expected that... -据有,jù yǒu,to occupy; to hold; to possess -据此,jù cǐ,accordingly; in view of the above -据为己有,jù wéi jǐ yǒu,(idiom) to illegally take possession of; to appropriate -据理,jù lǐ,according to reason; in principle -据理力争,jù lǐ lì zhēng,to contend on strong grounds; to argue strongly for what is right -据称,jù chēng,it is said; allegedly; according to reports; or so they say -据统计,jù tǒng jì,according to statistics -据闻,jù wén,it is said; it is alleged; it is reported -据说,jù shuō,it is said that; reportedly -据险,jù xiǎn,to rely on natural barriers (for one's defense) -据点,jù diǎn,stronghold; defended military base; base for operations; strategic point; foothold; (market) presence -挤,jǐ,to crowd in; to cram in; to force others aside; to press; to squeeze; to find (time in one's busy schedule) -挤上去,jǐ shàng qu,to squeeze oneself up into (a crowded vehicle etc) -挤来挤去,jǐ lái jǐ qù,to mill about; to jostle -挤兑,jǐ duì,a run on a bank -挤入,jǐ rù,to squeeze in; to force oneself into; to cram into; to intrude -挤出,jǐ chū,to squeeze out; to extrude; to drain; to find the time; to burst out -挤占,jǐ zhàn,to muscle in; to take possession; to occupy; to squat -挤咕,jǐ gū,to wink at -挤垮,jǐ kuǎ,to squash; to crush; to squeeze out of business; to drive out -挤压,jǐ yā,to squeeze; to press; to extrude -挤压出,jǐ yā chū,to extrude -挤奶,jǐ nǎi,to milk -挤对,jǐ duì,(coll.) to mock; to bully; to force (a concession out of sb) -挤提,jǐ tí,bank run; to crowd into a bank and withdraw all one's money -挤挤插插,jǐ jǐ chā chā,crowded tightly; jam-packed -挤满,jǐ mǎn,crowded to bursting point; filled to overflowing; jam-packed -挤牙膏,jǐ yá gāo,lit. to squeeze out toothpaste; fig. to extract a confession under pressure -挤眉弄眼,jǐ méi nòng yǎn,to make eyes; to wink -挤眼,jǐ yǎn,to wink -挤紧,jǐ jǐn,to squeeze -挤花,jǐ huā,(cookery) to decorate using a piping bag; to extrude something though a piping bag; piping -挤花袋,jǐ huā dài,piping bag (cookery) -挤落,jǐ luò,(coll.) to push aside -挤踏,jǐ tà,stampede -挤轧,jǐ yà,to bump and shove -挤进,jǐ jìn,to break into; to force one's way into; to barge into -挤过,jǐ guò,to squeeze through; to force one's way through -抬,tái,variant of 抬[tai2] -擢,zhuó,to pull out; to select; to promote -擢升,zhuó shēng,to promote (sb); to upgrade; to ascend -擢第,zhuó dì,to pass the civil service examination (in imperial China) -擢发难数,zhuó fà nán shǔ,lit. as difficult to count as hair pulled from sb's head (idiom); fig. innumerable (crimes) -擤,xǐng,to blow (one's nose) -擤鼻涕,xǐng bí tì,to blow one's nose -擦,cā,"to rub; to scratch; to wipe; to polish; to apply (lipstick, lotion etc); to brush (past); to shred (a vegetable etc)" -擦干,cā gān,to wipe dry -擦亮,cā liàng,to polish -擦亮眼睛,cā liàng yǎn jīng,to keep one's eyes open (idiom); to be on one's guard; to be clear-eyed -擦伤,cā shāng,to abrade; to scrape; to chafe; to graze; abrasion; friction burn; scratch -擦子,cā zi,eraser; (kitchen) grater; shredder -擦写,cā xiě,to erase -擦屁股,cā pì gu,to wipe one’s ass; (fig.) (coll.) to clean up sb else's mess -擦抹,cā mǒ,to wipe -擦拭,cā shì,to wipe clean -擦掉,cā diào,to wipe -擦掠,cā lüè,to brush against; to graze; to scratch -擦撞,cā zhuàng,to sideswipe (a car etc); to generate (sparks) by striking a flint; (fig.) to produce (sth novel) through interaction -擦擦笔,cā cā bǐ,erasable pen -擦棒球,cā bàng qiú,foul tip -擦枪走火,cā qiāng zǒu huǒ,to shoot accidentally while polishing a gun; (fig.) a minor incident that sparks a war -擦油,cā yóu,to oil; to anoint -擦洗,cā xǐ,to clean (with water or alcohol); to wipe and wash; to swab; to scrub -擦澡,cā zǎo,to rub down with a wet towel; to give a sponge bath -擦碗布,cā wǎn bù,dish cloth; tea towel -擦丝,cā sī,"to grate (cheese, carrots etc); to shred" -擦网球,cā wǎng qiú,net ball; let (tennis etc) -擦肩而过,cā jiān ér guò,"to brush past; to pass by (sb); (fig.) to miss (an opportunity, a danger etc); to have a brush (with death)" -擦腚纸,cā dìng zhǐ,toilet paper -擦身而过,cā shēn ér guò,to brush past -擦边,cā biān,to make light contact with the edge of sth; (fig.) to be nearly (a certain age); to be close to (danger); (fig.) to be marginal (in terms of relevance or legality) -擦边球,cā biān qiú,(table tennis) edge ball; (fig.) actions that are technically legal but perhaps not respectable -擦鞋垫,cā xié diàn,doormat -擦音,cā yīn,fricative -擦黑儿,cā hēi er,(dialect) dusk -举,jǔ,variant of 舉|举[ju3] -拟,nǐ,to plan to; to draft (a plan); to imitate; to assess; to compare; pseudo- -拟人,nǐ rén,personification; anthropomorphism -拟作,nǐ zuò,to write in the style of some author; to write as if from the mouth of sb; a pastiche -拟具,nǐ jù,to draft; to devise; to compose -拟古,nǐ gǔ,to emulate a classic; to work in the style of a classic (author) -拟古之作,nǐ gǔ zhī zuò,a work in a classic style; a pastiche -拟合,nǐ hé,to fit (data to a model); a (close) fit -拟大朱雀,nǐ dà zhū què,(bird species of China) streaked rosefinch (Carpodacus rubicilloides) -拟定,nǐ dìng,to draw up; to draft; to formulate -拟态,nǐ tài,(biol.) mimicry; (protective) mimicry; camouflage -拟于不伦,nǐ yú bù lún,to draw an impossible comparison -拟游隼,nǐ yóu sǔn,(bird species of China) Barbary falcon (Falco pelegrinoides) -拟球,nǐ qiú,"(math.) pseudosphere, a surface in ordinary space of constant negative curvature" -拟稿,nǐ gǎo,to draft (a statement) -拟声,nǐ shēng,onomatopoeia -拟声唱法,nǐ shēng chàng fǎ,scat singing -拟声词,nǐ shēng cí,onomatopoeia -拟制,nǐ zhì,to copy (a model) -拟订,nǐ dìng,to draw up (a plan) -拟议,nǐ yì,proposal; recommendation; to draft -拟阿拖品药物,nǐ ā tuō pǐn yào wù,atropinemimetic drug -拟音,nǐ yīn,to make a sound effect; sound effect; (historical linguistics) to reconstruct the sound system of an archaic language -拟卤素,nǐ lǔ sù,"pseudohalogen, e.g. cyanogen (CN)2" -摈,bìn,to reject; to expel; to discard; to exclude; to renounce -摈斥,bìn chì,to reject; to dismiss -摈弃,bìn qì,to abandon; to discard; to cast away -摈除,bìn chú,to discard; to get rid of; to dispense with -拧,níng,to pinch; wring -拧,nǐng,mistake; to twist -拧,nìng,stubborn -拧成一股绳,níng chéng yī gǔ shéng,to twist (strands) together to form a rope; (fig.) to unite; to work together -拧开,nǐng kāi,to unscrew; to twist off (a lid); to turn on (a faucet); to switch on (by turning a knob); to turn (a door handle); to wrench apart -搁,gē,to place; to put aside; to shelve -搁,gé,to bear; to stand; to endure -搁板,gē bǎn,shelf -搁浅,gē qiǎn,to be stranded (of ship); to run aground; fig. to run into difficulties and stop -搁笔,gē bǐ,to put down the brush; to stop writing (or painting) -搁置,gē zhì,to shelve; to set aside -搁脚板,gē jiǎo bǎn,footrest -搁脚物,gē jiǎo wù,footrest -掷,zhì,to toss; to throw dice; Taiwan pr. [zhi2] -掷地有声,zhì dì yǒu shēng,"lit. if thrown on the floor, it will make a sound (idiom); fig. (of one's words) powerful and resonating; to have substance" -掷筊,zhì jiǎo,"poe divination, a traditional Chinese divination method where a pair of crescent-shaped wooden or bamboo blocks is thrown on the ground, with the positions of the blocks determining the divine answer" -掷色,zhì shǎi,to throw the dice -掷还,zhì huán,please return (an item sent in the mail) -掷骰子,zhì tóu zi,to throw the dice -扩,kuò,to enlarge -扩充,kuò chōng,to expand -扩列,kuò liè,(Internet slang) to add a friend (on a social network etc) -扩印,kuò yìn,to enlarge (a photo); to print larger -扩及,kuò jí,to extend to -扩增,kuò zēng,to augment; to amplify; to extend; to expand -扩增实境,kuò zēng shí jìng,augmented reality (computing) -扩大,kuò dà,to expand; to enlarge; to broaden one's scope -扩大再生产,kuò dà zài shēng chǎn,to expand production; to reproduce on an extended scale -扩大化,kuò dà huà,to extend the scope; to exaggerate -扩孔,kuò kǒng,to widen a tube; to ream (i.e. widen a hole) -扩容,kuò róng,to ramp up capacity; to expand in scale -扩展,kuò zhǎn,to extend; to expand; extension; expansion -扩展名,kuò zhǎn míng,(file) extension (computing) -扩展坞,kuò zhǎn wù,docking station -扩建,kuò jiàn,"to extend (a building, an airport runway etc)" -扩张,kuò zhāng,expansion; dilation; to expand (e.g. one's power or influence); to broaden -扩散,kuò sàn,to spread; to proliferate; to diffuse -扩散周知,kuò sàn zhōu zhī,to let everyone know; spread the word! -扩版,kuò bǎn,to increase the number of pages or the size of the pages of a publication -扩编,kuò biān,to expand (esp. by new recruitment); to increase the army; to augment -扩胸器,kuò xiōng qì,chest expander (exercise equipment) -扩表,kuò biǎo,to expand the balance sheet -扩军,kuò jūn,armament; to expand armed forces -扩音,kuò yīn,to amplify (sound) -扩音器,kuò yīn qì,megaphone; loudspeaker; amplifier; microphone -扩音机,kuò yīn jī,amplifier; loudspeaker; hearing aid -撷,xié,to collect; Taiwan pr. [jie2] -撷取,xié qǔ,to pick; to select; to take; to capture (data); to acquire; to pick up (a signal) -摆,bǎi,to arrange; to exhibit; to move to and fro; a pendulum -摆了一道,bǎi le yī dào,to play tricks on; to make a fool of -摆事实讲道理,bǎi shì shí jiǎng dào lǐ,present the facts and reason things out -摆出,bǎi chū,"to assume; to adopt (a look, pose, manner etc); to bring out for display" -摆动,bǎi dòng,to sway; to swing; to move back and forth; to oscillate -摆地摊,bǎi dì tān,to run a street stall -摆子,bǎi zi,malaria -摆布,bǎi bù,to arrange; to order about; to manipulate -摆平,bǎi píng,to be fair; to be impartial; to settle (a matter etc) -摆弄,bǎi nòng,to move back and forth; to fiddle with -摆手,bǎi shǒu,"to wave one's hand; to gesture with one's hand (beckoning, waving good-bye etc); to swing one's arms" -摆拍,bǎi pāi,to take a staged photograph -摆摊,bǎi tān,to set up a vendor's stall in the street -摆摊子,bǎi tān zi,to set up a stall; (fig.) to maintain a large staff and organization -摆放,bǎi fàng,to set up; to arrange; to lay out -摆明,bǎi míng,to show clearly -摆晃,bǎi huàng,to swing; to sway -摆架子,bǎi jià zi,to put on airs; to assume great airs -摆样子,bǎi yàng zi,to do sth for show; to keep up appearances -摆渡,bǎi dù,ferry -摆渡车,bǎi dù chē,shuttle bus; feeder bus -摆满,bǎi mǎn,to spread over an area -摆乌龙,bǎi wū lóng,to mess sth up; to screw up -摆烂,bǎi làn,(neologism c. 2014) (slang) to stop striving (esp. when one knows one cannot succeed); to let it all go to hell; (sports) to tank -摆盘,bǎi pán,to arrange food on a plate; to plate up; food presentation; (watchmaking) balance wheel -摆线,bǎi xiàn,cycloid -摆脱,bǎi tuō,to break away from; to cast off (old ideas etc); to get rid of; to break away (from); to break out (of); to free oneself from; to extricate oneself -摆脱危机,bǎi tuō wēi jī,to break out of a crisis -摆花架子,bǎi huā jià zi,lit. to arrange a shelf of flowers; superficial display (idiom) -摆荡,bǎi dàng,to swing; to sway -摆设,bǎi shè,to set out; to display; to furnish (a room or house) -摆设,bǎi she,ornament; decorative item; (fig.) sth that is merely for show -摆设儿,bǎi she er,decorative items; ornaments -摆谱,bǎi pǔ,to put on airs; to be ostentatious -摆谱儿,bǎi pǔ er,erhua variant of 擺譜|摆谱[bai3 pu3] -摆卖,bǎi mài,hawking; street vending -摆轮,bǎi lún,balance (of a watch or clock); balance wheel -摆造型,bǎi zào xíng,to pose (for a picture) -摆钟,bǎi zhōng,pendulum clock -摆门面,bǎi mén miàn,to keep up appearances; to put up a front -摆阔,bǎi kuò,to parade one's wealth; to be ostentatious and extravagant -摆饰,bǎi shì,knickknack; ornament; decorative item -摆龙门阵,bǎi lóng mén zhèn,(dialect) to chat; to gossip; to spin a yarn -擞,sǒu,shake; trembling -撸,lū,(dialect) to rub one's hand along; to fire (an employee); to reprimand -撸管,lū guǎn,(slang) to masturbate -撸铁,lū tiě,(coll.) to pump iron; to work out -扰,rǎo,to disturb -扰乱,rǎo luàn,to disturb; to perturb; to harass -扰动,rǎo dòng,to disturb; to stir up; disturbance; agitation; turmoil -扰攘,rǎo rǎng,bustling; to create trouble; to disturb -扰民,rǎo mín,"(of government policy, noise pollution, crime etc) to make people's lives difficult" -扰流板,rǎo liú bǎn,spoiler (automotive or aeronautical) -擿,tī,to select; to nitpick; to expose -擿,zhì,to scratch; old variant of 擲|掷[zhi4] -攀,pān,to climb (by pulling oneself up); to implicate; to claim connections of higher status -攀供,pān gòng,"to implicate others, without foundation, in confessing one's own crime" -攀升,pān shēng,to clamber up; (of prices etc) to rise -攀害,pān hài,damaged by slander -攀山家,pān shān jiā,mountaineer (HK) -攀岩,pān yán,rock climbing; to climb a rockface -攀扯,pān chě,to implicate -攀折,pān zhé,"to snap off (flowers, leaves, twigs etc from a tree or shrub)" -攀援,pān yuán,to climb up (a rope etc); climbing (plant) -攀枝花,pān zhī huā,Panzhihua prefecture-level city in the south of Sichuan -攀枝花,pān zhī huā,kapok (tree) -攀枝花市,pān zhī huā shì,"Panzhihua, prefecture-level city in south Sichuan, bordering Yunnan, famous for steel production and pollution" -攀比,pān bǐ,to make invidious comparisons; to compete with; to emulate -攀爬,pān pá,to climb -攀登,pān dēng,to climb; to pull oneself up; to clamber; to scale; fig. to forge ahead in the face of hardships and danger -攀缘,pān yuán,to climb up (a rope etc); climbing (plant) -攀亲,pān qīn,to seek to profit by family ties -攀亲道故,pān qīn dào gù,(idiom) to use claims to kinship or friendship to climb socially -攀诬,pān wū,to frame; to accuse unjustly -攀诬陷害,pān wū xiàn hài,unjust accusation; miscarriage of justice -攀谈,pān tán,to chat -攀越,pān yuè,to climb over; to get over (difficulties); to scale; to surmount -攀附,pān fù,to climb (of climbing plants); to creep; to cling on to; fig. to seek connection (with the rich and powerful); social climbing -攀附权贵,pān fù quán guì,to cling to the powerful and rich (idiom); social climbing -攀高结贵,pān gāo jié guì,"lit. to cling to the high, connect to the rich (idiom); to try to attach oneself to the rich and powerful; social climbing" -攀龙附凤,pān lóng fù fèng,see 扳龍附鳳|扳龙附凤[ban1 long2 fu4 feng4] -摅,shū,set forth; to spread -撵,niǎn,to expel; to oust; (dialect) to chase after; to try to catch up with -撵出,niǎn chū,to expel; to drive out; to oust -撵走,niǎn zǒu,to drive out; to oust -攉,huō,to shovel -攉煤机,huō méi jī,coal-shovel machine -拢,lǒng,to gather together; to collect; to approach; to draw near to; to add; to sum up; to comb (hair) -拢攥,lǒng zuàn,to grasp; to clutch -拢火,lǒng huǒ,to make a fire -拦,lán,to block sb's path; to obstruct; to flag down (a taxi) -拦住,lán zhù,to stop; to bar the way -拦劫,lán jié,to mug; to intercept and rob -拦截,lán jié,to intercept -拦检,lán jiǎn,(of police etc) to stop (sb) for inspection; to pull (sb) over -拦柜,lán guì,sales counter; inquiry desk -拦河坝,lán hé bà,a dam across a river -拦网,lán wǎng,"to intercept at the net (volleyball, tennis etc); to block" -拦腰,lán yāo,(hitting) squarely in the middle; (slicing) across the middle; to hold by the waist -拦路,lán lù,to block sb's path; to waylay -拦路虎,lán lù hǔ,stumbling block -拦车,lán chē,to thumb a lift; to hitchhike -拦阻,lán zǔ,to block; to obstruct -撄,yīng,oppose; to attack -攘,rǎng,(literary) to push up one's sleeves; (literary) to reject; to resist; (literary) to seize; to steal; (literary) to perturb; Taiwan pr. [rang2] -攘善,rǎng shàn,to claim credit due to others; to appropriate others' credit or honor -攘场,rǎng cháng,to spread harvested grain over an area -攘外,rǎng wài,to resist foreign aggression -攘外安内,rǎng wài ān nèi,to resist foreign aggression and pacify the interior of the country (idiom) -攘夷,rǎng yí,to repel the barbarians -攘夺,rǎng duó,to seize -攘攘,rǎng rǎng,disorderly; confused; chaotic -攘灾,rǎng zāi,to ward off calamities; to avoid disaster -攘窃,rǎng qiè,to usurp; to steal -攘羊,rǎng yáng,to take home sb else's stray sheep -攘臂,rǎng bì,to bare one's arms (in agitation) -攘袂,rǎng mèi,to rise to action with a determined shake of the arms -攘袖,rǎng xiù,to roll up the sleeves -攘诟,rǎng gòu,to clear oneself of dishonor -攘辟,rǎng bì,to stand off; to make way -攘除,rǎng chú,to get rid of; to weed out; to reject -搀,chān,to take by the arm and assist; to mix; to blend; to dilute; to adulterate -搀假,chān jiǎ,to dilute; to debase (by mixing with fake material) -搀兑,chān duì,to mix (different substances together); to blend -搀合,chān hé,to mix together; mixture; blend -搀和,chān huo,to mix; to mingle; to interfere; to meddle -搀扶,chān fú,to lend an arm to support sb -搀杂,chān zá,to mix; to blend; to dilute -撺,cuān,rush; stir up; throw; fling; hurry; rage -撺掇,cuān duo,to urge sb on -携,xié,to carry; to take along; to bring along; to hold (hands); also pr. [xi1] -携家带口,xié jiā dài kǒu,(idiom) to take all one's family along; encumbered by a family; tied down by family obligations -携家带眷,xié jiā dài juàn,to take all one's family along (idiom); encumbered by a family; tied down by family obligations -携带,xié dài,to carry (on one's person); to support (old); Taiwan pr. [xi1 dai4] -携带者,xié dài zhě,"(medicine) carrier (of a recessive gene, virus etc)" -携手,xié shǒu,hand in hand; to join hands; to collaborate -携手并肩,xié shǒu bìng jiān,hand in hand and shoulder to shoulder -携手同行,xié shǒu tóng xíng,to walk hand in hand; to cooperate -携款,xié kuǎn,to take funds (esp. illegally or corruptly obtained) -携眷,xié juàn,accompanied by one's dependents; encumbered by wife and children -携程,xié chéng,"Trip.com Group, largest travel agency in China, formerly named Ctrip (until 2019)" -摄,shè,(bound form) to take in; to absorb; to assimilate; to take (a photo); (literary) to conserve (one's health); (literary) to act for -摄像,shè xiàng,to videotape -摄像机,shè xiàng jī,video camera; CL:部[bu4] -摄像头,shè xiàng tóu,webcam; surveillance camera -摄入,shè rù,to take in; to absorb; to consume; intake; consumption -摄入量,shè rù liàng,intake (quantity) -摄取,shè qǔ,to absorb (nutrients etc); to assimilate; intake; to take a photograph of (a scene) -摄影,shè yǐng,to take a photograph; photography; to shoot (a movie) -摄影家,shè yǐng jiā,photographer -摄影师,shè yǐng shī,photographer; cinematographer; cameraman -摄影棚,shè yǐng péng,film studio; television studio -摄影机,shè yǐng jī,(old) camera; movie camera; cine camera -摄影术,shè yǐng shù,photography -摄影记者,shè yǐng jì zhě,photojournalist -摄政,shè zhèng,to act as regent -摄政王,shè zhèng wáng,regent -摄氏,shè shì,Celsius; centigrade -摄氏度,shè shì dù,°C (degrees Celsius) -摄制,shè zhì,to produce (a TV show etc) -摄护腺,shè hù xiàn,prostate; also written 前列腺[qian2 lie4 xian4] -摄护腺肿大,shè hù xiàn zhǒng dà,benign prostate hypertrophy; enlargement of prostate -摄食,shè shí,to consume -攒,cuán,to bring together -攒,zǎn,to collect; to hoard; to accumulate; to save -攒簇,cuán cù,to gather closely together -攒聚,cuán jù,to gather; to assemble -攒集,cuán jí,to gather; to assemble -挛,luán,(bound form) (of muscles) to cramp; to spasm -挛缩,luán suō,(medicine) (verb and noun) contracture -摊,tān,to spread out; vendor's stand -摊事儿,tān shì er,(coll.) to get into trouble -摊位,tān wèi,vendor's booth -摊儿,tān er,erhua variant of 攤|摊[tan1] -摊售,tān shòu,to set up stall -摊商,tān shāng,stallkeeper; street peddler -摊子,tān zi,booth; vendor's stall; (fig.) organizational structure; scale of operations -摊手,tān shǒu,to throw up one's hands; to loosen one's grip; to let go -摊提,tān tí,to amortize; amortization -摊挡,tān dǎng,see 攤檔|摊档[tan1 dang4] -摊晒,tān shài,to lay sth out to dry -摊档,tān dàng,(dialect) vendor's stall -摊派,tān pài,"to apportion expenses, responsibilities etc; to demand contributions" -摊牌,tān pái,to lay one's cards on the table -摊薄,tān báo,(finance) to dilute (earnings per share) -摊薄后每股盈利,tān bó hòu měi gǔ yíng lì,diluted earnings per share -摊贩,tān fàn,stallkeeper; peddler -摊销,tān xiāo,to amortize; amortization -摊钱,tān qián,to bear part of the cost -摊开,tān kāi,to spread out; to unfold -摊鸡蛋,tān jī dàn,scrambled eggs -摊头,tān tóu,a vendor's stall -摊黄菜,tān huáng cài,(dialect) scrambled eggs -摊点,tān diǎn,place for a vendor's stall -攥,zuàn,(coll.) to hold; to grip; to grasp -攥拳头,zuàn quán tou,to clench one's fists -挡,dǎng,variant of 擋|挡[dang3] -搅,jiǎo,to disturb; to annoy; to mix; to stir -搅乱,jiǎo luàn,to disrupt; to throw into disorder -搅动,jiǎo dòng,to mix; to stir -搅和,jiǎo huo,to mix; to blend; (fig.) to spoil; to mess up things; (fig.) to run around with (sb); to get involved with; to mix (with other people) -搅基,jiǎo jī,see 搞基[gao3 ji1] -搅局,jiǎo jú,to upset the apple cart; to disrupt things -搅屎棍,jiǎo shǐ gùn,(derog.) shit-stirrer; troublemaker -搅打,jiǎo dǎ,"to beat; to whisk; to whip (eggs, cream etc)" -搅拌,jiǎo bàn,to stir; to agitate -搅拌机,jiǎo bàn jī,blender; food mixer -搅扰,jiǎo rǎo,to disturb; to annoy -搅混,jiǎo hun,to mix; to blend -搅珠机,jiǎo zhū jī,lottery machine -攫,jué,to seize; to snatch; to grab -攫取,jué qǔ,to seize; to capture; to grab -攫夺,jué duó,to seize; to pillage; to plunder -揽,lǎn,to monopolize; to seize; to take into one's arms; to embrace; to fasten (with a rope etc); to take on (responsibility etc); to canvass -揽权,lǎn quán,to concentrate power in one's own hands -揽炒,lǎn chǎo,(Hong Kong) to seek mutual destruction -揽辔澄清,lǎn pèi chéng qīng,to assume one's post with the aspiration of bringing about peace and order to the nation (idiom) -攮,nǎng,to fend off; to stab -支,zhī,surname Zhi -支,zhī,"to support; to sustain; to erect; to raise; branch; division; to draw money; classifier for rods such as pens and guns, for army divisions and for songs or compositions" -支付,zhī fù,to pay (money) -支付不起,zhī fù bù qǐ,to be unable to pay; unaffordable -支付宝,zhī fù bǎo,"Alipay, online payment platform" -支付得起,zhī fù dé qǐ,to be able to pay; affordable -支使,zhī shǐ,to order (sb) around; to send on an errand; to send away -支光,zhī guāng,"watt, unit of power used for electric bulbs" -支公司,zhī gōng sī,subsidiary; branch -支出,zhī chū,to spend; to pay out; expenses; expenditure -支前,zhī qián,to support the front (military) -支努干,zhī nǔ gān,Chinook (helicopter) -支原体,zhī yuán tǐ,Mycoplasma (parasitic bacteria without cell wall) -支原体肺炎,zhī yuán tǐ fèi yán,Mycoplasma pneumonia -支取,zhī qǔ,to withdraw (money) -支吾,zhī wú,to resist; to deal with -支吾,zhī wu,to respond evasively or vaguely; to elude; to stall -支吾其词,zhī wú qí cí,(idiom) to talk in a roundabout way to cover up the truth; evasive -支子,zhī zǐ,son of a concubine or son of the wife other than her first -支子,zhī zi,support; stand; trivet; (cooking utensil) gridiron; (variant of 梔子|栀子[zhi1 zi5]) cape jasmine -支差,zhī chāi,to assign corvée duties (forced labor) -支店,zhī diàn,branch store -支座,zhī zuò,abutment -支恐,zhī kǒng,to support terrorism; abbr. for 支持恐怖主義|支持恐怖主义[zhi1 chi2 kong3 bu4 zhu3 yi4] -支应,zhī yìng,to deal with; to wait on; to provide for -支承,zhī chéng,to support; to bear the weight of (a building) -支承销,zhī chéng xiāo,fulcrum pin -支招,zhī zhāo,to give advice; to make a suggestion; to help out -支持,zhī chí,to be in favor of; to support; to back; support; backing; to stand by; CL:個|个[ge4] -支持度,zhī chí dù,degree of support; percentage of vote -支持率,zhī chí lǜ,support level; popularity rating -支持者,zhī chí zhě,supporter -支援,zhī yuán,to provide assistance; to support; to back -支撑,zhī chēng,to prop up; to support; strut; brace -支撑架,zhī chēng jià,bracket -支支吾吾,zhī zhī wú wú,to hem and haw; to stall; to stammer; to mumble; to falter -支教,zhī jiào,program bringing education to underdeveloped areas; to work in such a program -支族,zhī zú,subfamily -支书,zhī shū,branch secretary; secretary of a branch of the Communist Party or the Communist Youth League; abbr. for 支部書記|支部书记 -支架,zhī jià,trestle; support; frame; to prop sth up -支柱,zhī zhù,mainstay; pillar; prop; backbone -支柱产业,zhī zhù chǎn yè,mainstay industry -支根,zhī gēn,branching root; rootlet -支气管,zhī qì guǎn,bronchial tube; bronchus -支气管炎,zhī qì guǎn yán,bronchitis -支流,zhī liú,tributary (river) -支票,zhī piào,check (bank); cheque; CL:本[ben3] -支票簿,zhī piào bù,checkbook (banking) -支系,zhī xì,branch or subdivision of a family -支系统,zhī xì tǒng,subsystem -支线,zhī xiàn,branch line; side road; spur; fig. secondary plot (in a story) -支与流裔,zhī yǔ liú yì,lit. branches and descendants; of a similar kind; related -支行,zhī háng,subbranch of a bank -支解,zhī jiě,variant of 肢解[zhi1 jie3] -支走,zhī zǒu,to send sb away (with an excuse) -支边,zhī biān,to help develop the border areas -支那,zhī nà,"phonetic transcription of China (Japanese: Shina), colonial term, generally considered discriminatory" -支部,zhī bù,"branch, esp. grass root branches of a political party" -支配,zhī pèi,to control; to dominate; to allocate -支配力,zhī pèi lì,power or force to dominate -支配权,zhī pèi quán,authority to dispose of sth -支开,zhī kāi,to send (sb) away; to change the subject; to open (an umbrella etc) -支队,zhī duì,detachment (of troops) -支离,zhī lí,fragmented; disorganized; incoherent -支离破碎,zhī lí pò suì,scattered and smashed (idiom) -支点,zhī diǎn,fulcrum (for a lever) -攴,pū,to tap; to knock lightly; old variant of 撲|扑[pu1] -攵,pū,variant of 攴[pu1] -收,shōu,to receive; to accept; to collect; to put away; to restrain; to stop; in care of (used on address line after name) -收下,shōu xià,to accept; to receive -收之桑榆,shōu zhī sāng yú,"see 失之東隅,收之桑榆|失之东隅,收之桑榆[shi1 zhi1 dong1 yu2 , shou1 zhi1 sang1 yu2]" -收件人,shōu jiàn rén,recipient (of mail); To: (email header) -收件匣,shōu jiàn xiá,inbox (email) -收件箱,shōu jiàn xiāng,inbox -收伏,shōu fú,variant of 收服[shou1 fu2] -收假,shōu jià,(of holidays) to come to an end; end of a vacation -收入,shōu rù,"to take in; income; revenue; CL:筆|笔[bi3],個|个[ge4]" -收入政策,shōu rù zhèng cè,income policy -收兵,shōu bīng,to retreat; to withdraw troops; to recall troops; fig. to finish work; to wind up; to call it a day; used with negatives: the task is far from over -收冬,shōu dōng,harvest season; autumn -收列,shōu liè,to list; to include -收到,shōu dào,to receive -收割,shōu gē,to harvest; to reap; to gather in crops -收割者,shōu gē zhě,reaper -收汇,shōu huì,foreign exchange collection (finance) -收取,shōu qǔ,to receive; to collect -收受,shōu shòu,to receive; to accept -收口,shōu kǒu,"(knitting, basket weaving etc) to cast off; to bind; (of a wound) to close up; to heal" -收回,shōu huí,to regain; to retake; to take back; to withdraw; to revoke -收地,shōu dì,"to confiscate land for redistribution (China, 1947-52); (of a government) to acquire land (with compensation)" -收报,shōu bào,to receive mail; to receive a telegraph -收报人,shōu bào rén,recipient (of mail or a message) -收报员,shōu bào yuán,telegraph operator -收报室,shōu bào shì,mail room; radio reception room -收报机,shōu bào jī,telegraph receiver -收场,shōu chǎng,the end; an ending; to wind down; to conclude -收妥,shōu tuǒ,"(commerce) to have received (goods, money)" -收存,shōu cún,to receive for storage; delivery of goods; to gather and store; to store safely; safe keeping -收存箱,shōu cún xiāng,delivery box; drop box -收官,shōu guān,final part of a go game (see 官子[guan1 zi3]); endgame; to finish up; to come to the final stage -收容,shōu róng,to provide a place to stay; to house; to accommodate; (of an institution etc) to take in; to accept -收容人,shōu róng rén,inmate -收容所,shōu róng suǒ,temporary shelter; hospice; refuge (e.g. for animals); detention center -收容教育,shōu róng jiào yù,custody and reeducation (administrative punishment for prostitutes) -收尾,shōu wěi,to wind up; to bring to an end; to finish -收尾音,shōu wěi yīn,the final of a Korean syllable (consonant or consonant cluster at the end of the syllable) -收山,shōu shān,"(slang) (from Cantonese) to bow out after a long career; to pack it in; (of a gangster, prostitute etc) to get out of the game; (of a business) to cease to operate" -收山之作,shōu shān zhī zuò,"the final work in the career of a composer, film director or architect etc" -收工,shōu gōng,to stop work for the day (generally of laborers); to knock off -收市,shōu shì,"to close the market (for the day); to close (a market, shop etc) for business" -收废站,shōu fèi zhàn,garbage collection point; trash dump -收复,shōu fù,to recover (lost territory etc); to recapture -收复失地,shōu fù shī dì,to recover lost territory -收心,shōu xīn,to concentrate on the task; to curb one's evil instincts -收悉,shōu xī,(literary) to receive and understand the contents of (a letter) -收成,shōu chéng,harvest -收房,shōu fáng,to take as a concubine -收手,shōu shǒu,to stop; to pull back -收押,shōu yā,in custody; to keep sb in detention -收拾,shōu shi,to put in order; to tidy up; to pack; to repair; (coll.) to sort sb out; to fix sb -收拾残局,shōu shi cán jú,to clear up the mess; to pick up the pieces -收据,shōu jù,receipt; CL:張|张[zhang1] -收拢,shōu lǒng,"to draw to oneself; to gather up; to collect; to fold up (an umbrella, wings etc); to assemble (a party of persons); to rope in (some people)" -收拢人心,shōu lǒng rén xīn,to win people's hearts -收揽,shōu lǎn,to win the support of; to get over to one's side; to keep control of -收支,shōu zhī,cash flow; financial balance; income and expenditure -收支平衡点,shōu zhī píng héng diǎn,break-even point -收支相抵,shōu zhī xiāng dǐ,to break even; balance between income and expenditure -收效,shōu xiào,to yield results -收敛,shōu liǎn,"to dwindle; to vanish; to make vanish; to exercise restraint; to curb (one's mirth, arrogance etc); to astringe; (math.) to converge" -收敛序列,shōu liǎn xù liè,convergent sequence (math.) -收敛性,shōu liǎn xìng,convergence (math.); astringent -收敛级数,shōu liǎn jí shù,convergent series (math.) -收敛锋芒,shōu liǎn fēng máng,to draw in one's claws; to show some modesty -收方,shōu fāng,"receiving party; recipient; debit side (of balance sheet), as opposed to credit side 付方[fu4 fang1]" -收旗卷伞,shōu qí juǎn sǎn,lit. to furl up flags and umbrellas (idiom); fig. to stop what one is doing -收服,shōu fú,to subdue; to force to capitulate; to reduce to submission; to soothe -收束,shōu shù,to constrict; to draw tight; to gather (one's thoughts); to bring to a close; to pack (for a journey) -收条,shōu tiáo,receipt -收款,shōu kuǎn,to receive payment; to collect money -收款台,shōu kuǎn tái,checkout counter; cashier's desk -收残缀轶,shōu cán zhuì yì,to gather and patch up sth that is badly damaged (idiom) -收获,shōu huò,variant of 收穫|收获[shou1 huo4] -收生婆,shōu shēng pó,midwife -收留,shōu liú,to offer shelter; to have sb in one's care -收留所,shōu liú suǒ,shelter; refuge -收发,shōu fā,to receive and send; to receive and transmit -收发室,shōu fā shì,mail room; radio room (i.e. reception and transmission) -收益,shōu yì,earnings; profit -收益帐户,shōu yì zhàng hù,income account (accountancy) -收益率,shōu yì lǜ,earnings rate; earnings yield (finance) -收监,shōu jiān,to imprison; to take into custody -收盘,shōu pán,market close -收盘价,shōu pán jià,"closing price (of share, commodity etc)" -收看,shōu kàn,to watch (a TV program) -收票员,shōu piào yuán,ticket collector -收礼,shōu lǐ,to accept a gift; to receive presents -收租,shōu zū,to collect rent -收税,shōu shuì,to collect tax -收获,shōu huò,to harvest; to reap; to gain; crop; harvest; profit; gain; bonus; reward -收获节,shōu huò jié,harvest festival -收纳,shōu nà,to receive; to accept; to take in; to hold -收紧,shōu jǐn,to tighten up (restrictions etc) -收线,shōu xiàn,to reel in (a fishing line etc); to hang up the phone -收编,shōu biān,to incorporate into one's troops; to weave in -收缩,shōu suō,to pull back; to shrink; to contract; (physiology) systole -收缩压,shōu suō yā,systolic blood pressure -收缴,shōu jiǎo,to recover (illegally obtained property); to seize; to capture; to force sb to hand over sth; to levy -收罗,shōu luó,to gather (people); to collect (talent); to come to an end -收声,shōu shēng,(Cantonese) to stop talking; to shut up -收听,shōu tīng,to listen to (a radio broadcast) -收腹,shōu fù,to draw in one's belly; to tighten the abdominal muscles -收藏,shōu cáng,"to collect (works of art, dolls, antiques etc); to put away for safekeeping; (Internet) to bookmark; a collection" -收藏夹,shōu cáng jiā,favorites folder (web browser) -收藏家,shōu cáng jiā,a collector (e.g. of artworks) -收视,shōu shì,to watch TV -收视率,shōu shì lǜ,ratings (of a TV show) -收讯,shōu xùn,(wireless) reception -收讫,shōu qì,"received in full (goods, payment)" -收词,shōu cí,to collect words; to harvest entries for a dictionary -收货人,shōu huò rén,consignee -收买,shōu mǎi,to purchase; to buy; to bribe; to buy off -收费,shōu fèi,to charge a fee -收费站,shōu fèi zhàn,tollbooth -收购,shōu gòu,to buy; to purchase; to procure -收购要约,shōu gòu yāo yuē,takeover bid -收银,shōu yín,to receive payment -收银台,shōu yín tái,checkout counter; cashier's desk -收银员,shōu yín yuán,cashier; checkout clerk -收银机,shōu yín jī,cash register; check out counter -收录,shōu lù,"to include (in a collection); to put together (stories, poems etc); to record; to employ; to recruit" -收录机,shōu lù jī,radio-tape recorder -收集,shōu jí,to gather; to collect -收音,shōu yīn,"to receive a radio signal; to make an audio recording; (of an auditorium etc) to have good acoustics; (vocal training, linguistics) ending (of a word or syllable)" -收音机,shōu yīn jī,radio; CL:臺|台[tai2] -收养,shōu yǎng,"to take in and care for (an elderly person, a dog etc); to adopt (a child); adoption" -考,kǎo,to beat; to hit; variant of 考[kao3]; to inspect; to test; to take an exam -攸,yōu,"distant, far; adverbial prefix" -攸县,yōu xiàn,"You county in Zhuzhou 株洲, Hunan" -攸关,yōu guān,of great concern -改,gǎi,to change; to alter; to transform; to correct -改信,gǎi xìn,to convert (to another religion) -改元,gǎi yuán,to change an emperor's or ruler's reign title (old) -改判,gǎi pàn,(law) to amend a judgment; to commute; (in a contest or exam) to change the original decision or score -改制,gǎi zhì,to reorganize; to restructure -改则,gǎi zé,"Gerze county in Ngari prefecture, Tibet, Tibetan: Sger rtse rdzong" -改则县,gǎi zé xiàn,"Gerze county in Ngari prefecture, Tibet, Tibetan: Sger rtse rdzong" -改动,gǎi dòng,to alter; to modify; to revise -改口,gǎi kǒu,to change one's tune; to modify one's previous remark; to change the way one addresses sb (as when one marries and starts to call one's husband's parents 爸爸[ba4 ba5] and 媽媽|妈妈[ma1 ma5]) -改口费,gǎi kǒu fèi,"a gift of money given by parents on both sides after a wedding, to their new daughter-in-law or son-in-law" -改名,gǎi míng,to change one's name -改善,gǎi shàn,to make better; to improve; CL:個|个[ge4] -改善通讯,gǎi shàn tōng xùn,to improve communications -改善关系,gǎi shàn guān xi,to improve relations -改嘴,gǎi zuǐ,to deny; to go back on one's word -改天,gǎi tiān,another day; some other time; to find another day (for appointment etc); to take a rain check -改嫁,gǎi jià,to remarry (of a woman) -改学,gǎi xué,to switch from one major or faculty to another (at a university) -改写,gǎi xiě,to revise; to edit -改建,gǎi jiàn,to rebuild; to transform (a building); to refurbish -改弦易辙,gǎi xián yì zhé,"change of string, move out of rut (idiom); dramatic change of direction; to dance to a different tune" -改悔,gǎi huǐ,to mend one's ways -改恶向善,gǎi è xiàng shàn,turn away from evil and follow virtue -改成,gǎi chéng,to convert; to turn into (sth else); to adapt (a story to another medium) -改掉,gǎi diào,to drop a bad habit -改换,gǎi huàn,to change (sth); to alter (sth); to change over (to sth else) -改换门庭,gǎi huàn mén tíng,to improve one's family's social status by moving up in the world; to switch one's allegiance to a new patron -改换门闾,gǎi huàn mén lǘ,see 改換門庭|改换门庭[gai3 huan4 men2 ting2] -改日,gǎi rì,another day; some other day -改易,gǎi yì,to change; to modify -改朝,gǎi cháo,to transition to a new dynasty -改朝换代,gǎi cháo huàn dài,to transition to a new dynasty or regime -改期,gǎi qī,to reschedule; to rearrange (e.g. a meeting); to postpone -改业,gǎi yè,to change profession or business -改样,gǎi yàng,to change completely -改正,gǎi zhèng,to correct; to amend; to put right; correction; CL:個|个[ge4] -改水,gǎi shuǐ,to improve water quality -改为,gǎi wéi,to change into -改版,gǎi bǎn,to revise the current edition; revised edition -改用,gǎi yòng,to change over to; to switch to; to use (sth different) -改称,gǎi chēng,to change a name; to rename -改稿,gǎi gǎo,to revise a manuscript -改签,gǎi qiān,"to change one's reservation; to transfer to a different flight, airline, bus or train" -改组,gǎi zǔ,to reorganize; to reshuffle (posts etc) -改编,gǎi biān,to adapt; to rearrange; to revise -改良,gǎi liáng,to improve (sth); to reform (a system) -改良主义,gǎi liáng zhǔ yì,reformism (i.e. favoring gradual change as opposed to revolution) -改行,gǎi háng,to change profession -改装,gǎi zhuāng,to change one's costume; to repackage; to remodel; to refit; to modify; to convert -改观,gǎi guān,change of appearance; to revise one's point of view -改订,gǎi dìng,"to revise (text, plan etc)" -改订伊犁条约,gǎi dìng yī lí tiáo yuē,Treaty of Saint Petersburg of 1881 in which Russia agreed to hand back Yili province to Qing China in exchange for compensation payment and unequal treaty rights -改译,gǎi yì,to correct (improve) a translation -改变,gǎi biàn,to change; to alter; to transform -改变形像,gǎi biàn xíng xiàng,transfiguration -改造,gǎi zào,to transform; to reform; to remodel; to remold -改进,gǎi jìn,to improve; to make better; improvement; CL:個|个[ge4] -改运,gǎi yùn,to alter one's fate; to improve one's luck (e.g. by changing one's name or phone number) -改过,gǎi guò,to correct one's errors; to mend one's ways -改过自新,gǎi guò zì xīn,to reform and start afresh (idiom); to turn over a new leaf -改道,gǎi dào,to change route; to divert (a road or a watercourse) -改选,gǎi xuǎn,reelection; to reelect -改邪归正,gǎi xié guī zhèng,to mend one's ways (idiom); to turn over a new leaf -改锥,gǎi zhuī,screwdriver; CL:把[ba3] -改错,gǎi cuò,to correct an error -改隶,gǎi lì,(of an entity) to come under the administration of (a different authority) -改革,gǎi gé,"reform; CL:次[ci4],種|种[zhong3],項|项[xiang4]; to reform" -改革家,gǎi gé jiā,reformer -改革派,gǎi gé pài,the reformist party -改革者,gǎi gé zhě,reformer -改革进程,gǎi gé jìn chéng,reform process -改革开放,gǎi gé kāi fàng,to reform and open to the outside world; refers to Deng Xiaoping's policies from around 1980 -改头换面,gǎi tóu huàn miàn,to change outwardly while remaining essentially the same (derog.) (idiom); (Tw) (non-derogatory) to change considerably; to undergo a transformation -攻,gōng,to attack; to accuse; to study; (LGBT) top -攻伐,gōng fá,to attack; to raid; (of medicine) potent -攻克,gōng kè,to capture; to take; to overcome; to solve -攻入,gōng rù,to force entrance into; to score a goal (sport) -攻其不备,gōng qí bù bèi,"see 出其不意,攻其不備|出其不意,攻其不备[chu1 qi2 bu4 yi4 , gong1 qi2 bu4 bei4]" -攻其无备,gōng qí wú bèi,"see 出其不意,攻其不備|出其不意,攻其不备[chu1 qi2 bu4 yi4 , gong1 qi2 bu4 bei4]" -攻势,gōng shì,(military) offensive -攻占,gōng zhàn,"to seize control of (an enemy position); (fig.) to take by storm; to gain (awards, control of a market etc)" -攻取,gōng qǔ,to attack and seize -攻城,gōng chéng,to besiege (a town) -攻城木,gōng chéng mù,battering ram -攻城略地,gōng chéng lüè dì,to take cities and seize territories (idiom) -攻坚,gōng jiān,to assault a fortified position; (fig.) to concentrate one's efforts on a particularly difficult part of one's mission -攻坚克难,gōng jiān kè nán,to tackle a thorny problem and overcome its challenges -攻心,gōng xīn,to mount a psychological attack; to try to demoralize; to try to win over; to try to persuade; (TCM) to fall into a coma or stupor due to an excess of emotion -攻打,gōng dǎ,to attack (the enemy) -攻击,gōng jī,to attack; to accuse; to charge; an attack (terrorist or military) -攻击力,gōng jī lì,potential for attack; firepower -攻击型核潜艇,gōng jī xíng hé qián tǐng,nuclear-powered attack submarine -攻击机,gōng jī jī,ground attack aircraft -攻击线,gōng jī xiàn,the front line; the attack (e.g. football forwards) -攻灭,gōng miè,to conquer; to defeat (militarily) -攻略,gōng lüè,(literary) to storm and capture; strategy; directions; guide; how-to -攻砭,gōng biān,to perform acupuncture -攻破,gōng pò,to make a breakthrough; to break through; to breach (military) -攻讦,gōng jié,to attack sb by exposing faults; to denounce -攻读,gōng dú,to major (in a field); to study a specialty to obtain a higher degree -攻关,gōng guān,to storm a strategic pass; fig. to tackle a key problem -攻防,gōng fáng,attack and defense; the midfield (in soccer) -攻陷,gōng xiàn,to overcome; to take (a fortress); to fall (to an attack); to surrender -放,fàng,to put; to place; to release; to free; to let go; to let out; to set off (fireworks) -放一马,fàng yī mǎ,to let (sb) off; to let (sb) get away with sth -放下,fàng xià,to lay down; to put down; to let go of; to relinquish; to set aside; to lower (the blinds etc) -放下包袱,fàng xia bāo fu,to lay down a heavy burden -放下身段,fàng xià shēn duàn,(idiom) to get off one's high horse; to dispense with posturing (and adopt a more humble or empathetic attitude) -放不下,fàng bu xià,to have no room to put sth; to be unable to let go -放不下心,fàng bu xià xīn,cannot stop worrying -放之四海而皆准,fàng zhī sì hǎi ér jiē zhǔn,appropriate to any place and any time (idiom); universally applicable; a panacea -放之四海而皆准,fàng zhī sì hǎi ér jiē zhǔn,applicable anywhere (idiom) -放任,fàng rèn,to ignore; to let alone; to indulge -放任政策,fàng rèn zhèng cè,laissez-faire policy; non-interference -放任自流,fàng rèn zì liú,to let sb do whatever they want; to indulge; to give free reins to; to let things slide; to drift aimlessly; laissez-faire -放低,fàng dī,to lower; to be humble -放倒,fàng dǎo,to knock over; to knock down; to lay flat; to fell; to bring down -放假,fàng jià,to have a holiday or vacation -放债,fàng zhài,to lend money (for interest); to give credit -放克,fàng kè,(music) funk (loanword) -放入,fàng rù,to put in; to insert -放出,fàng chū,to let off; to give out -放刁,fàng diāo,to act wickedly; to bully; to make life difficult for sb by unreasonable actions -放告,fàng gào,to release a statement -放哨,fàng shào,to keep watch; to do sentry duty; to be on patrol -放在心上,fàng zài xīn shàng,to care about; to take seriously; to take to heart -放在眼里,fàng zài yǎn lǐ,to pay attention to; to care about; to attach importance to -放大,fàng dà,to enlarge; to magnify -放大倍数,fàng dà bèi shù,magnifying power; magnification -放大器,fàng dà qì,amplifier -放大炮,fàng dà pào,to talk big; to shoot one's mouth off -放大片,fàng dà piàn,(Tw) cosmetic contact lens; big eye contact lens; circle contact lens -放大纸,fàng dà zhǐ,enlarging paper (photography); bromide paper -放大镜,fàng dà jìng,magnifying glass -放学,fàng xué,to dismiss students at the end of the school day -放学后,fàng xué hòu,after school -放宽,fàng kuān,to relax (a rule); to ease (restrictions); to extend (a time limit); to let out (a garment); to expand; to broaden -放射,fàng shè,to radiate; radioactive -放射作战,fàng shè zuò zhàn,radiological operations -放射免疫测定,fàng shè miǎn yì cè dìng,radioimmunoassay -放射学,fàng shè xué,radiology -放射性,fàng shè xìng,radioactive -放射性同位素,fàng shè xìng tóng wèi sù,radioactive isotope; radioisotope -放射性废物,fàng shè xìng fèi wù,radioactive waste -放射性材料,fàng shè xìng cái liào,radioactive material -放射性核素,fàng shè xìng hé sù,radioactive nuclide; radionuclide -放射性武器,fàng shè xìng wǔ qì,radiological weapon -放射性污染,fàng shè xìng wū rǎn,radioactive contamination -放射性沾染,fàng shè xìng zhān rǎn,radioactive contamination -放射性沾染物,fàng shè xìng zhān rǎn wù,radioactive contaminant -放射性活度,fàng shè xìng huó dù,radioactivity -放射性烟羽,fàng shè xìng yān yǔ,radiation plume -放射性发光材料,fàng shè xìng fā guāng cái liào,radiophosphor -放射性碎片,fàng shè xìng suì piàn,radioactive debris -放射性碘,fàng shè xìng diǎn,radioactive iodine -放射性落下灰,fàng shè xìng luò xià huī,radioactive fallout -放射性衰变,fàng shè xìng shuāi biàn,radioactive decay -放射性计时,fàng shè xìng jì shí,radiometric dating -放射治疗,fàng shè zhì liáo,radiotherapy -放射源,fàng shè yuán,radiation source -放射物,fàng shè wù,radioactive material -放射病,fàng shè bìng,radiation sickness -放射疗法,fàng shè liáo fǎ,radiotherapy -放射线,fàng shè xiàn,radiation; rays of radiation -放射虫,fàng shè chóng,radiolarian (single-celled animal) -放射防护,fàng shè fáng hù,radiological defense -放屁,fàng pì,to fart; to break wind; to talk nonsense; Utter rubbish! -放屁虫,fàng pì chóng,stinkbug -放山鸡,fàng shān jī,free-range chicken -放工,fàng gōng,to knock off work for the day -放平,fàng píng,to set level; to lay flat -放得下,fàng de xià,to be able to put (sth) down; to have room for; to be able to accommodate -放心,fàng xīn,to feel relieved; to feel reassured; to be at ease -放情,fàng qíng,to do sth to one's heart's content -放情丘壑,fàng qíng qiū hè,to enjoy oneself in nature's embrace (idiom) -放慢,fàng màn,"to reduce the pace (of movements, steps etc)" -放慢脚步,fàng màn jiǎo bù,to ease up the pace; to slow things down -放慢速度,fàng màn sù dù,to ease up the pace; to slow things down -放手,fàng shǒu,to let go one's hold; to give up; to have a free hand -放手一搏,fàng shǒu yī bó,to put one's all into the fight -放映,fàng yìng,to show (a movie); to screen -放映室,fàng yìng shì,cinema room; viewing room -放晴,fàng qíng,(of weather) to clear up -放暑假,fàng shǔ jià,to be on summer vacation -放松管制,fàng sōng guǎn zhì,deregulation -放弃,fàng qì,to renounce; to abandon; to give up -放枪,fàng qiāng,to open fire; to shoot a gun -放权,fàng quán,to devolve authority to lower levels -放款,fàng kuǎn,to lend money (as a commercial loan) -放毒,fàng dú,to poison; (fig.) to spread vicious rumors -放气,fàng qì,to release breath; to deflate; to fart -放水,fàng shuǐ,to turn on the water; to let water out; (sports) to throw a game -放水屁,fàng shuǐ pì,(coll.) to shart -放浪,fàng làng,unrestrained; dissolute; dissipated; unconventional; immoral; to debauch; to dissipate -放浪不羁,fàng làng bù jī,wanton and unrestrained (idiom); dissolute -放浪形骸,fàng làng xíng hái,to abandon all restraint (idiom) -放火,fàng huǒ,to set on fire; to commit arson; to create a disturbance -放焰口,fàng yàn kǒu,to feed the starving ghosts (i.e. offer sacrifice to protect the departed spirit) -放烟幕弹,fàng yān mù dàn,to spread a smokescreen -放热反应,fàng rè fǎn yìng,exothermic reaction -放爆竹,fàng bào zhú,to set off firecrackers -放牛班,fàng niú bān,class of underachievers; dunces' class (Tw) -放牧,fàng mù,to graze (livestock); to herd (livestock) -放生,fàng shēng,"to set free a captive animal (in some cases, as an act of Buddhist mercy)" -放眼,fàng yǎn,to survey; to view broadly -放眼望去,fàng yǎn wàng qù,as far as the eye can see -放空,fàng kōng,to relax completely; to empty one's mind; (finance) to sell short; (of a commercial vehicle) to travel empty (no cargo or passengers); to deadhead -放空挡,fàng kōng dǎng,to coast along in neutral gear (in a car); (coll.) to go commando -放空炮,fàng kōng pào,(lit.) to fire blank shots; (fig.) to be all talk and no action; to shoot one's mouth off; to make empty promises -放线,fàng xiàn,(angling) to play a fish; (kite-flying) to let the string out; (dating) to play the field -放缓,fàng huǎn,to slow; to slow down (the pace of) -放纵,fàng zòng,to indulge; to pamper; to connive at; permissive; indulgent; self-indulgent; unrestrained; undisciplined; uncultured; boorish -放置,fàng zhì,to put -放羊,fàng yáng,to tend a flock of sheep; to let sheep out to pasture; fig. to throw off the reins; to leave sb alone; acting freely and irresponsibly -放羊娃,fàng yáng wá,shepherd; shepherd boy -放声,fàng shēng,very loudly; at the top of one's voice -放声大哭,fàng shēng dà kū,to sob loudly; to bawl -放肆,fàng sì,wanton; unbridled; presumptuous; impudent -放胆,fàng dǎn,to act boldly -放着明白装糊涂,fàng zhe míng bai zhuāng hú tu,to pretend not to know (idiom) -放荡,fàng dàng,licentious; wanton; morally unrestrained -放荡不羁,fàng dàng bù jī,wanton and unrestrained (idiom); dissolute -放血,fàng xiě,(TCM) to practice bloodletting; (medicine) to perform phlebotomy; (coll.) to make sb bleed; to inflict grievous wounds; (fig.) to cough up a large amount of money; (fig.) to reduce prices drastically -放行,fàng xíng,to let pass -放卫星,fàng wèi xīng,"to launch a satellite; (fig.) (neologism during the Great Leap Forward, c. 1958) to achieve prominent success; (later used sarcastically) to make exaggerated claims; to talk big" -放话,fàng huà,to give orders; to spread news or rumors; to leak certain information intentionally -放诞,fàng dàn,untrammeled; reckless; wanton -放诞不拘,fàng dàn bù jū,wanton and unrestrained (idiom); dissolute -放诞不羁,fàng dàn bù jī,wanton and unrestrained (idiom); dissolute -放贷,fàng dài,to provide loans -放走,fàng zǒu,to release; to set free; to allow (a person or an animal) to go; to liberate -放送,fàng sòng,to broadcast; to announce over loudspeakers -放逐,fàng zhú,to banish; to deport; to send into exile; to be marooned -放进,fàng jìn,to put into -放过,fàng guò,to let off; to let slip by; to let sb get away with sth -放还,fàng huán,to release (a hostage); to put back in place -放长线钓大鱼,fàng cháng xiàn diào dà yú,use a long line to catch a big fish (idiom); a long-term plan for major returns -放闪,fàng shǎn,(coll.) (of a couple) to display affection in public or by posting photos on social media -放开,fàng kāi,to let go; to release -放开手脚,fàng kāi shǒu jiǎo,to have free rein (idiom) -放电,fàng diàn,electrical discharge; (coll.) to lure; to entice -放鞭炮,fàng biān pào,to set off firecrackers -放音,fàng yīn,playback (of recorded sound) -放风,fàng fēng,to allow in fresh air; to allow a prisoner out for exercise; to give out information -放飞,fàng fēi,to allow to fly -放飞机,fàng fēi jī,(coll.) to stand sb up; to fail to honor an agreement -放养,fàng yǎng,"to raise (livestock or poultry) in an open environment; to breed (fish, bees, silkworms etc) in a suitable environment; to culture (kelp etc); to release (a captive animal) into the wild" -放马后炮,fàng mǎ hòu pào,to fire after the horse has bolted (idiom); to act too late to be effective -放马过来,fàng mǎ guò lái,bring it on!; give me all you got! -放松,fàng sōng,to relax; to slacken; to loosen -放鸟,fàng niǎo,to stand someone up -放鸽子,fàng gē zi,to stand sb up; to bail on sb -政,zhèng,political; politics; government -政事,zhèng shì,politics; government affairs -政令,zhèng lìng,government decree -政务,zhèng wù,government affairs -政区,zhèng qū,administrative division -政协,zhèng xié,CPPCC (Chinese People's Political Consultative Conference); abbr. of 中國人民政治協商會議|中国人民政治协商会议[Zhong1 guo2 Ren2 min2 Zheng4 zhi4 Xie2 shang1 Hui4 yi4] -政和,zhèng hé,Zhenghe county in Nanping 南平[Nan2 ping2] Fujian -政和县,zhèng hé xiàn,Zhenghe county in Nanping 南平[Nan2 ping2] Fujian -政圈,zhèng quān,government circle; political circle -政坛,zhèng tán,political circles -政委,zhèng wěi,political commissar (within the army) -政客,zhèng kè,politician -政审,zhèng shěn,examine sb's political record; political investigation -政局,zhèng jú,political situation -政工,zhèng gōng,political work; ideological work -政府,zhèng fǔ,government; CL:個|个[ge4] -政府债券,zhèng fǔ zhài quàn,government bonds (investments) -政府大学院,zhèng fǔ dà xué yuàn,the name of Academia Sinica 中央研究院[Zhong1 yang1 Yan2 jiu1 yuan4] when it was founded -政府官员,zhèng fǔ guān yuán,government employee -政府新闻处,zhèng fǔ xīn wén chù,information services department -政府机关,zhèng fǔ jī guān,government (viewed as an organization); institutions of government; government office -政府警告,zhèng fǔ jǐng gào,government warning -政府军,zhèng fǔ jūn,government army -政府首脑,zhèng fǔ shǒu nǎo,head of state; government leader -政情,zhèng qíng,political situation -政改,zhèng gǎi,political reform -政教,zhèng jiào,church and state; government and education; political education -政教合一,zhèng jiào hé yī,union of religious and political rule; theocracy; Caesaropapism -政教处,zhèng jiào chǔ,political education office (within a school) (PRC) -政敌,zhèng dí,political opponent -政柄,zhèng bǐng,at the helm of state; political power; regime -政权,zhèng quán,regime; political power -政权真空,zhèng quán zhēn kōng,power vacuum; political vacuum -政治,zhèng zhì,politics; political -政治人物,zhèng zhì rén wù,political figure; politician; statesman -政治化,zhèng zhì huà,to politicize -政治史,zhèng zhì shǐ,political history -政治委员,zhèng zhì wěi yuán,political commissar (during Russian and Chinese communist revolutions) -政治学,zhèng zhì xué,politics; political science -政治家,zhèng zhì jiā,"statesman; politician; CL:個|个[ge4],位[wei4],名[ming2]" -政治局,zhèng zhì jú,politburo -政治局面,zhèng zhì jú miàn,political climate -政治庇护,zhèng zhì bì hù,political asylum -政治思想,zhèng zhì sī xiǎng,political thought; ideology -政治性,zhèng zhì xìng,political -政治改革,zhèng zhì gǎi gé,political reform -政治机构,zhèng zhì jī gòu,political organization -政治正确,zhèng zhì zhèng què,political correctness; politically correct -政治气候,zhèng zhì qì hòu,political climate -政治犯,zhèng zhì fàn,political prisoner -政治生活,zhèng zhì shēng huó,political life -政治异议人士,zhèng zhì yì yì rén shì,political dissident -政治立场,zhèng zhì lì chǎng,political position -政治经济学,zhèng zhì jīng jì xué,political economy -政治舞台,zhèng zhì wǔ tái,political arena -政治运动,zhèng zhì yùn dòng,political movement -政治避难,zhèng zhì bì nàn,political asylum -政治部,zhèng zhì bù,political division; cadre department -政治关系,zhèng zhì guān xì,political relations -政治体制,zhèng zhì tǐ zhì,form of government -政法,zhèng fǎ,politics and law -政派,zhèng pài,political group; faction -政理,zhèng lǐ,politics; government affairs -政界,zhèng jiè,political and government circles -政策,zhèng cè,policy; CL:個|个[ge4] -政纪,zhèng jì,rules for political staff; political discipline -政经,zhèng jīng,politics and the economy (from 政治[zheng4 zhi4] and 經濟|经济[jing1 ji4]); political and economic -政纲,zhèng gāng,political program; platform -政绩,zhèng jì,(political) achievements; track record -政要,zhèng yào,important political leader; government dignitary -政见,zhèng jiàn,political views -政训处,zhèng xùn chù,"political training office (during Chinese revolution, since renamed political division 政治部)" -政论,zhèng lùn,political commentary -政变,zhèng biàn,coup d'état -政通人和,zhèng tōng rén hé,"efficient government, people at peace (idiom); all is well with the state and the people" -政体,zhèng tǐ,form of government; system of government -政党,zhèng dǎng,political party; CL:個|个[ge4] -叩,kòu,old variant of 叩[kou4]; to knock -敃,mǐn,strong; robust; vigorous -故,gù,"happening; instance; reason; cause; intentional; former; old; friend; therefore; hence; (of people) to die, dead" -故世,gù shì,to die; to pass away -故事,gù shì,old practice -故事,gù shi,narrative; story; tale -故事片,gù shi piàn,fictional film; feature film -故云,gù yún,that's why it is called... -故交,gù jiāo,former acquaintance; old friend -故人,gù rén,old friend; the deceased -故伎,gù jì,usual trick; old tactics -故伎重演,gù jì chóng yǎn,to repeat an old stratagem; up to one's old tricks -故作,gù zuò,to pretend; to feign -故作姿态,gù zuò zī tài,to put on an act -故作深沉,gù zuò shēn chén,to play the profound thinker -故作端庄,gù zuò duān zhuāng,artificial show of seriousness; to pretend to be solemn -故典,gù diǎn,old classics; old customs; cause -故去,gù qù,to die; death -故友,gù yǒu,old friend; deceased friend -故吏,gù lì,(literary) former subordinate -故国,gù guó,country with an ancient history -故园,gù yuán,one's hometown -故土,gù tǔ,native country; one's homeland -故地,gù dì,once familiar places; former haunts -故地重游,gù dì chóng yóu,to revisit old haunts (idiom); down memory lane -故址,gù zhǐ,"old site; site of sth (palace, ancient state etc) that no longer exists" -故城,gù chéng,old city -故城县,gù chéng xiàn,"Gucheng county in Hengshui 衡水[Heng2 shui3], Hebei" -故墓,gù mù,old tomb -故宅,gù zhái,former home -故宫,gù gōng,the Forbidden City; abbr. for 故宮博物院|故宫博物院[Gu4 gong1 Bo2 wu4 yuan4] -故宫,gù gōng,former imperial palace -故宫博物院,gù gōng bó wù yuàn,"Palace Museum, in the Forbidden City, Beijing; National Palace Museum, Taipei" -故家,gù jiā,old and respected family; family whose members have been officials from generation to generation -故家子弟,gù jiā zǐ dì,descended from an old family -故居,gù jū,former residence -故弄玄虚,gù nòng xuán xū,deliberately mystifying; to make sth unnecessarily complicated -故意,gù yì,deliberately; on purpose -故态复萌,gù tài fù méng,to revert to old ways -故我,gù wǒ,one's old self; one's original self; what one has always been -故业,gù yè,old estate; former empire; former occupation -故此,gù cǐ,therefore -故步自封,gù bù zì fēng,stuck in the old ways (idiom); refusing to acknowledge new ideas; stagnating and conservative -故杀,gù shā,premeditated murder -故知,gù zhī,a close friend over many years -故称,gù chēng,... hence the name (used at the end of a sentence) -故第,gù dì,former residence -故纸堆,gù zhǐ duī,a pile of old books -故而,gù ér,therefore -故旧,gù jiù,old friends -故旧不弃,gù jiù bù qì,do not neglect old friends -故训,gù xùn,old teaching (e.g. religious instruction) -故迹,gù jì,historical ruins -故辙,gù zhé,rut (made by vehicles); (fig.) conventional ways -故道,gù dào,old road; old way; old course (of a river) -故都,gù dū,former capital; ancient capital -故乡,gù xiāng,home; homeland; native place; CL:個|个[ge4] -故里,gù lǐ,home town; native place -故障,gù zhàng,malfunction; breakdown; defect; shortcoming; fault; failure; impediment; error; bug (in software) -故障排除,gù zhàng pái chú,fault resolution; trouble clearing -效,xiào,effect; efficacy; to imitate -效价,xiào jià,"potency; titer (measure of effective concentration in virology or chemical pathology, defined in terms of potency after dilution by titration); valence (perceived value in psychology); valency" -效价能,xiào jià néng,"potency; titer (measure of effective concentration in virology or chemical pathology, defined in terms of potency after dilution by titration)" -效力,xiào lì,effectiveness; positive effect; to serve (in some capacity) -效劳,xiào láo,to serve (in some capacity); to work for -效尤,xiào yóu,to follow a bad example -效忠,xiào zhōng,to vow loyalty and devotion to -效忠誓词,xiào zhōng shì cí,pledge of allegiance -效应,xiào yìng,effect (scientific phenomenon) -效果,xiào guǒ,result; effect; efficacy; (theater) sound or visual effects -效果图,xiào guǒ tú,rendering (visual representation of how things will turn out) -效法,xiào fǎ,to imitate; to follow the example of -效犬马之劳,xiào quǎn mǎ zhī láo,to render one's humble services; to be at sb's beck and call -效率,xiào lǜ,efficiency -效用,xiào yòng,usefulness; effectiveness; (economics) utility -效益,xiào yì,benefit; effectiveness; efficiency -效能,xiào néng,efficacy; effectiveness -效验,xiào yàn,(desired) effect; (expected) result; effective -敉,mǐ,peaceful -叙,xù,variant of 敘|叙[xu4] -敏,mǐn,quick; nimble; agile; quick-witted; smart -敏感,mǐn gǎn,sensitive; susceptible -敏感性,mǐn gǎn xìng,sensitive; sensitivity -敏感物质,mǐn gǎn wù zhì,sensitive materials -敏捷,mǐn jié,nimble; quick; shrewd -敏锐,mǐn ruì,keen; sharp; acute -救,jiù,to save; to assist; to rescue -救世,jiù shì,salvation -救世主,jiù shì zhǔ,the Savior (in Christianity) -救世军,jiù shì jūn,Salvation Army (protestant philanthropic organization founded in London in 1865) -救主,jiù zhǔ,savior -救亡,jiù wáng,to save from extinction; to save the nation -救人一命胜造七级浮屠,jiù rén yī mìng shèng zào qī jí fú tú,saving a life is more meritorious than building a seven-floor pagoda (idiom) -救兵,jiù bīng,relief troops; reinforcements -救出,jiù chū,to rescue; to pluck from danger -救助,jiù zhù,to help sb in trouble; aid; assistance -救命,jiù mìng,to save sb's life; (interj.) Help!; Save me! -救命稻草,jiù mìng dào cǎo,(one's) last straw to clutch at; one's last hope -救国,jiù guó,to save the nation -救场,jiù chǎng,to save the show (for instance by stepping in for an absent actor) -救场如救火,jiù chǎng rú jiù huǒ,the show must go on (idiom) -救市,jiù shì,market rescue (by central bank) -救急,jiù jí,to provide emergency assistance -救急不救穷,jiù jí bù jiù qióng,help the starving but not the poor (idiom) -救恩,jiù ēn,salvation -救恩计划,jiù ēn jì huà,plan of salvation -救援,jiù yuán,to save; to support; to help; to assist -救援队,jiù yuán duì,rescue team -救捞局,jiù lāo jú,sea rescue service; lifeboat service -救星,jiù xīng,savior; liberator; emancipator; knight in shining armor -救死扶伤,jiù sǐ fú shāng,to help the dying and heal the injured -救治,jiù zhì,to provide critical care (to a patient or a diseased plant) -救活,jiù huó,to bring back to life -救济,jiù jì,emergency relief; to help the needy with cash or goods -救济粮,jiù jì liáng,relief grain; emergency provisions -救火,jiù huǒ,to put out a fire; firefighting -救灾,jiù zāi,to relieve disaster; to help disaster victims -救灾救济司,jiù zāi jiù jì sī,emergency aid committee (of PRC Ministry of Civil Affairs 民政部) -救灾款,jiù zāi kuǎn,disaster relief funds -救焚益薪,jiù fén yì xīn,add firewood to put out the flames (idiom); fig. ill-advised action that only makes the problem worse; to add fuel to the fire -救生,jiù shēng,to save a life; life-saving -救生员,jiù shēng yuán,lifeguard -救生圈,jiù shēng quān,life buoy; life belt; (jocular) flab; spare tire -救生筏,jiù shēng fá,a life raft -救生船,jiù shēng chuán,lifeboat -救生艇,jiù shēng tǐng,lifeboat -救生艇甲板,jiù shēng tǐng jiǎ bǎn,boat deck (upper deck on which lifeboats are stored) -救生衣,jiù shēng yī,life jacket; life vest -救生队,jiù shēng duì,rescue team; CL:支[zhi1] -救砖,jiù zhuān,to unbrick; to restore (an electronic device) to a functional state -救护,jiù hù,to rescue; to administer first aid -救护人员,jiù hù rén yuán,rescue worker -救护车,jiù hù chē,ambulance; CL:輛|辆[liang4] -救赎,jiù shú,to redeem; redemption; salvation -救赎主,jiù shú zhǔ,Redeemer -救难,jiù nàn,"to rescue; rescue (operation, workers)" -敕,chì,imperial orders -敕令,chì lìng,Imperial order or edict (old) -敕封,chì fēng,to appoint sb to a post or confer a title on sb by imperial order -敖,áo,surname Ao -敖,áo,variant of 遨[ao2] -敖包,áo bāo,"(loanword from Mongolian) road or boundary marker made of piled up earth or stones, formerly worshipped as the dwelling place of spirits" -敖广,áo guǎng,"Ao Guang, Dragon King of the East Sea, character in Journey to the West 西遊記|西游记[Xi1 you2 Ji4]" -敖德萨,áo dé sà,Odessa (city in Ukraine) -敖汉,áo hàn,"Aohan banner or Aokhan khoshuu in Chifeng 赤峰[Chi4 feng1], Inner Mongolia" -敖汉旗,áo hàn qí,"Aohan banner or Aokhan khoshuu in Chifeng 赤峰[Chi4 feng1], Inner Mongolia" -敖贝得,áo bèi dé,Obed (name) -敖闰,áo rùn,"Dragon King of the West Sea, Ao Run, also Ao Ji (敖吉)" -敖顺,áo shùn,"Ao Shun, Dragon King of the North Sea in 西遊記|西游记[Xi1 you2 Ji4]" -败,bài,to defeat; to damage; to lose (to an opponent); to fail; to wither -败不成军,bài bù chéng jūn,The army is completely routed. (idiom) -败亡,bài wáng,to be defeated and dispersed -败仗,bài zhàng,lost battle; defeat -败光,bài guāng,to squander one's fortune; to dissipate one's wealth -败北,bài běi,(literary) to be routed (in a war); to suffer defeat (in sports etc) -败坏,bài huài,to ruin; to corrupt; to undermine -败子,bài zǐ,see 敗家子|败家子[bai4 jia1 zi3] -败子回头,bài zǐ huí tóu,return of the prodigal son -败家,bài jiā,to squander a family fortune -败家子,bài jiā zǐ,spendthrift; wastrel; prodigal -败局,bài jú,lost game; losing battle -败德,bài dé,evil conduct -败战,bài zhàn,to lose a war; fig. the loser (in a competition or election) -败柳残花,bài liǔ cán huā,"broken flower, withered willow (idiom); fig. fallen woman" -败毒,bài dú,(TCM) to relieve inflamation and internal heat; to detoxify -败火,bài huǒ,relieve inflammation or internal heat -败笔,bài bǐ,a faulty stroke in calligraphy or painting; a faulty expression in writing -败絮,bài xù,ruined; broken down; shabby -败绩,bài jì,to be utterly defeated; to be routed -败胃,bài wèi,spoil one's appetite -败兴,bài xìng,disappointed -败落,bài luò,(of status or wealth) to decline; (of buildings etc) to become dilapidated; run-down; (of plants) to wilt -败血症,bài xuè zhèng,septicaemia -败诉,bài sù,to lose a lawsuit -败走,bài zǒu,to run away (in defeat) -败退,bài tuì,to retreat in defeat -败阵,bài zhèn,to be defeated on the battlefield; to be beaten in a contest -败露,bài lù,(of a plot etc) to fall through and stand exposed -败类,bài lèi,scum of a community; degenerate -叙,xù,abbr. for Syria 敘利亞|叙利亚[Xu4 li4 ya4] -叙,xù,to narrate; to chat -叙事,xù shì,narrative -叙事诗,xù shì shī,narrative poem -叙利亚,xù lì yà,Syria -叙利亚文,xù lì yà wén,Syriac language (from c. 2nd century BC); the Syriac script -叙功行赏,xù gōng xíng shǎng,to review records and decide on rewards (idiom) -叙拉古,xù lā gǔ,"Syracuse, Sicily; also written 錫拉庫薩|锡拉库萨[Xi1 la1 ku4 sa4]" -叙文,xù wén,variant of 序文[xu4 wen2] -叙明,xù míng,detailed accounting -叙永,xù yǒng,"Xuyong county in Luzhou 瀘州|泸州[Lu2 zhou1], Sichuan" -叙永县,xù yǒng xiàn,"Xuyong county in Luzhou 瀘州|泸州[Lu2 zhou1], Sichuan" -叙旧,xù jiù,to reminisce; to talk about former times -叙言,xù yán,variant of 序言[xu4 yan2] -叙谈,xù tán,to chat -叙述,xù shù,to relate (a story or information); to tell or talk about; to recount; narration; telling; narrative; account -叙述性,xù shù xìng,narrative -教,jiào,surname Jiao -教,jiāo,to teach -教,jiào,religion; teaching; to make; to cause; to tell -教主,jiào zhǔ,founder or leader of a religion or sect; (fig.) revered figure -教仪,jiào yí,ordinance -教具,jiào jù,teaching aids; educational materials -教务,jiào wù,educational administration -教务室,jiào wù shì,school administration office -教务长,jiào wù zhǎng,provost -教化,jiào huà,to enlighten; to civilize; to indoctrinate; to train (an animal) -教区,jiào qū,parish -教友,jiào yǒu,church member -教友大会,jiào yǒu dà huì,church conference -教友派,jiào yǒu pài,the Society of Friends; the Quakers -教员,jiào yuán,teacher; instructor; CL:個|个[ge4] -教唆,jiào suō,to instigate; to incite; to abet -教堂,jiào táng,church; chapel; CL:間|间[jian1] -教堂墓地,jiào táng mù dì,churchyard -教堂山,jiào táng shān,"Chapel Hill, North Carolina" -教坏,jiāo huài,to misguide; to corrupt (sb) -教士,jiào shì,churchman; clergy -教子,jiào zǐ,to educate one's children; godson -教学,jiāo xué,to teach (as a professor) -教学,jiào xué,teaching; instruction; CL:次[ci4] -教学大纲,jiào xué dà gāng,course syllabus; class curriculum -教学楼,jiào xué lóu,school building; academic building -教学机构,jiào xué jī gòu,educational organization -教学法,jiào xué fǎ,teaching method; pedagogy -教学相长,jiào xué xiāng zhǎng,"when you teach someone, both teacher and student will benefit" -教学软体,jiào xué ruǎn tǐ,(Tw) educational software; courseware -教安,jiào ān,teach in peace (polite phrase to end a letter to a teacher) -教宗,jiào zōng,pope -教宗座驾,jiào zōng zuò jià,popemobile -教官,jiào guān,military instructor -教室,jiào shì,classroom; CL:間|间[jian1] -教导,jiào dǎo,to instruct; to teach; guidance; teaching -教师,jiào shī,teacher; CL:個|个[ge4] -教师爷,jiào shī yé,"master of martial arts, in former times often employed by a landlord to teach fighting skills and guard the house; (fig.) sb who arrogantly and condescendingly lectures others" -教师节,jiào shī jié,"Teachers' Day (September 10th in PRC and Confucius's birthday, September 28th in Taiwan)" -教廷,jiào tíng,the Papacy; the Vatican; the Holy See -教廷大使,jiào tíng dà shǐ,an ambassador of the church; an Apostolic Nuncio (from the Vatican) -教徒,jiào tú,disciple; follower of a religion -教授,jiào shòu,"professor; to instruct; to lecture on; CL:個|个[ge4],位[wei4]" -教书,jiāo shū,to teach (in a school) -教书匠,jiāo shū jiàng,hack teacher; pedagogue -教会,jiāo huì,to show; to teach -教会,jiào huì,Christian church -教本,jiào běn,textbook -教材,jiào cái,teaching material; CL:本[ben3] -教案,jiào àn,"lesson plan; teaching plan; a ""missionary case"" (a dispute over Christian missionaries during the late Qing)" -教条,jiào tiáo,doctrine; dogma; creed; dogmatic -教条主义,jiào tiáo zhǔ yì,dogmatism -教权,jiào quán,religious rule -教母,jiào mǔ,godmother -教民,jiào mín,adherent to a religion; convert -教法,jiào fǎ,teaching method; teachings; doctrine -教派,jiào pài,sect -教父,jiào fù,godfather -教理,jiào lǐ,doctrine (religion) -教皇,jiào huáng,Roman Catholic pope; Supreme Pontiff -教研,jiào yán,teaching and research (abbr. for 教學研究|教学研究[jiao4 xue2 yan2 jiu1]) -教研室,jiào yán shì,teaching and research office -教科文组织,jiào kē wén zǔ zhī,"UNESCO, United Nations Educational, Scientific and Cultural Organization" -教科书,jiào kē shū,textbook; CL:本[ben3] -教科书式,jiào kē shū shì,(neologism c. 2018) worthy of being used as a textbook example; exemplary; classic; quintessential -教程,jiào chéng,course of study (commonly used in book titles) -教练,jiào liàn,"instructor; sports coach; trainer; CL:個|个[ge4],位[wei4],名[ming2]" -教练员,jiào liàn yuán,sports coach; training personnel -教练机,jiào liàn jī,trainer (aircraft) -教义,jiào yì,creed; doctrine; teachings -教义和圣约,jiào yì hé shèng yuē,Doctrine and Covenants -教职员,jiào zhí yuán,teaching and administrative staff -教职员工,jiào zhí yuán gōng,teaching and administrative staff -教职工,jiào zhí gōng,teaching and administrative staff -教育,jiào yù,to educate; to teach; education -教育委员会,jiào yù wěi yuán huì,school board -教育学,jiào yù xué,pedagogy -教育家,jiào yù jiā,educationalist -教育工作者,jiào yù gōng zuò zhě,educator -教育性,jiào yù xìng,instructive; educational -教育界,jiào yù jiè,academic world; academic circles; academia -教育相谈,jiào yù xiāng tán,education counselor -教育背景,jiào yù bèi jǐng,educational background -教育部,jiào yù bù,Ministry of Education -教育部长,jiào yù bù zhǎng,Minister of Education; Director of Education Department -教育电视,jiào yù diàn shì,Educational Television (Hong Kong) -教规,jiào guī,canon; religious rules -教训,jiào xun,"to provide guidance; to lecture sb; to upbraid; a talking-to; a bitter lesson; CL:番[fan1],頓|顿[dun4]" -教诲,jiào huì,(literary) to instruct; to admonish; to counsel; teachings; instruction; guidance -教课,jiāo kè,to teach class; to lecture -教长,jiào zhǎng,dean; mullah; imam (Islam); see also 伊瑪目|伊玛目[yi1 ma3 mu4] -教鞭,jiào biān,teacher's pointer -教头,jiào tóu,sporting coach; military drill master (in Song times) -教养,jiào yǎng,to educate; to bring up; to nurture; upbringing; breeding; culture -教龄,jiào líng,years of teaching experience; teaching experience -敝,bì,my (polite); poor; ruined; shabby; worn out; defeated -敝屣,bì xǐ,worn-out shoes; a worthless thing -敝屣尊荣,bì xǐ zūn róng,to care nothing for worldly fame and glory (idiom) -敝帚千金,bì zhǒu qiān jīn,"lit. my worn-out broom, a thousand in gold (idiom); fig. sentimental value; I wouldn't be parted with it for anything." -敝帚自珍,bì zhǒu zì zhēn,to value the broom as one's own (idiom); to attach value to sth because it is one's own; a sentimental attachment -敞,chǎng,open to the view of all; spacious; to open wide; to disclose -敞亮,chǎng liàng,bright and spacious -敞口,chǎng kǒu,open-mouthed (jar etc); (of speech) freely; exposure (finance) -敞篷汽车,chǎng péng qì chē,convertible (car) -敞篷车,chǎng péng chē,a convertible; open-top car -敞车,chǎng chē,open wagon; (railway) flatcar -敞开,chǎng kāi,to open wide; unrestrictedly -敞开儿,chǎng kāi er,unrestrictedly -敢,gǎn,to dare; daring; (polite) may I venture -敢不从命,gǎn bù cóng mìng,to not dare to disobey an order (idiom) -敢作敢为,gǎn zuò gǎn wéi,(idiom) to stop at nothing; to dare to do anything -敢作敢当,gǎn zuò gǎn dāng,variant of 敢做敢當|敢做敢当[gan3 zuo4 gan3 dang1] -敢做敢当,gǎn zuò gǎn dāng,daring to act and courageous enough to take responsibility for it; a true man has the courage to accept the consequences of his actions; the buck stops here -敢怒而不敢言,gǎn nù ér bù gǎn yán,"angry, but not daring to speak out (idiom); obliged to remain silent about one's resentment; unable to voice objections" -敢情,gǎn qing,actually; as it turns out; indeed; of course -敢打敢冲,gǎn dǎ gǎn chōng,courageous and daring -敢于,gǎn yú,to have the courage to do sth; to dare to; bold in -敢死队,gǎn sǐ duì,suicide squad; kamikaze unit -敢为,gǎn wéi,to dare to do -敢为人先,gǎn wéi rén xiān,to dare to be first; to pioneer (idiom) -敢达,gǎn dá,"Gundam, Japanese animation franchise" -散,sǎn,scattered; loose; to come loose; to fall apart; leisurely; powdered medicine -散,sàn,to scatter; to break up (a meeting etc); to disperse; to disseminate; to dispel; (coll.) to sack -散乱,sǎn luàn,in disorder; messy; Taiwan pr. [san4 luan4] -散亡,sàn wáng,dispersed and lost -散件,sǎn jiàn,spare parts; odds and ends -散伙,sàn huǒ,"to disband; (of a partnership, group etc) to break up" -散伙饭,sàn huǒ fàn,farewell dinner party -散布,sàn bù,to disseminate -散佚,sàn yì,to be scattered and lost -散光,sǎn guāng,astigmatism -散光,sàn guāng,to diffuse light -散兵,sǎn bīng,loose and disorganized soldiers; stragglers; fig. a loner -散兵坑,sǎn bīng kēng,foxhole (military) -散兵游勇,sǎn bīng yóu yǒng,lit. straggling and disbanded soldiers (idiom); fig. disorganized uncoordinated action -散出,sàn chū,to spill out -散列,sǎn liè,to hash; hashing (computing) -散剂,sǎn jì,powder medicine -散匪,sǎn fěi,scattered bandits; (fig.) random jottings; marginal notes -散场,sàn chǎng,(of a theater) to empty; (of a show) to end -散失,sàn shī,to squander; lost -散学,sàn xué,end of school -散客,sǎn kè,FIT (free independent traveler); individual traveler (as opposed to one who travels with a group) -散射,sǎn shè,(physics) to scatter -散居,sǎn jū,(of a group of people) to live scattered over an area -散工,sǎn gōng,day labor; piece-time work -散工,sàn gōng,to release from work at the end of the day -散席,sàn xí,end of a banquet -散座,sǎn zuò,single seat (in theater); irregular passenger (in rickshaw) -散座儿,sǎn zuò er,erhua variant of 散座[san3 zuo4]; single seat (in theater); irregular passenger (in rickshaw) -散弹,sǎn dàn,shot (for a shotgun); canister shot -散弹枪,sǎn dàn qiāng,shotgun -散心,sàn xīn,to drive away cares; to relieve boredom -散心解闷,sàn xīn jiě mèn,to divert one's mind from boredom (idiom) -散闷,sàn mèn,to divert oneself from melancholy -散戏,sàn xì,end of a show -散户,sǎn hù,individual (shareholder); the small investor -散打,sǎn dǎ,mixed martial arts -散播,sàn bō,to spread; to disperse; to disseminate -散摊子,sàn tān zi,to break up; to disband -散散步,sàn sàn bù,to have a stroll -散文,sǎn wén,prose; essay -散文诗,sǎn wén shī,prose poem -散景,sǎn jǐng,bokeh (photography) -散曲,sǎn qǔ,"verse or song form from Yuan, Ming and Qing" -散会,sàn huì,to disperse a meeting; to adjourn; finished -散束,sàn shù,scattering of bundle (of electrons in vacuum tube); debunching -散板,sǎn bǎn,to fall apart; opera section in free rhythm -散架,sǎn jià,to fall apart; exhaustion -散步,sàn bù,to take a walk; to go for a walk -散水,sàn shuǐ,apron (sloping brickwork to disperse water) -散沙,sǎn shā,scattered sand; fig. lacking in cohesion or organization -散漫,sǎn màn,undisciplined; unorganized -散焦,sàn jiāo,to defocus; bokeh -散热,sàn rè,to dissipate heat -散热器,sàn rè qì,radiator (for heating a room); radiator (for cooling an engine) -散热片,sàn rè piàn,heat sink -散热膏,sàn rè gāo,thermal grease -散发,sàn fā,to distribute; to emit; to issue -散尽,sàn jìn,to be totally dispersed (crowd) -散碎,sǎn suì,in fragments -散粉,sǎn fěn,loose powder (makeup) -散职,sǎn zhí,sinecure -散腿裤,sǎn tuǐ kù,loose-fitting pants; Chinese-style pants -散落,sǎn luò,to lie scattered (over an area); Taiwan pr. [san4 luo4] -散落,sàn luò,to disperse; to fall scattered; to sprinkle -散装,sǎn zhuāng,"loose goods; goods sold open; draft (of beer, as opposed to bottled)" -散见,sǎn jiàn,seen periodically -散记,sǎn jì,random jottings; travel notes -散话,sǎn huà,digression -散诞,sǎn dàn,free and unfettered -散逸,sàn yì,to disperse and escape; to dissipate -散逸层,sàn yì céng,exosphere -散钱,sǎn qián,small sum of money; loose change; Cantonese equivalent of 零錢|零钱[ling2 qian2] -散钱,sàn qián,to scatter money; to give to charity -散开,sàn kāi,to separate; to disperse -散养,sǎn yǎng,"free-range raising (of poultry, cattle etc)" -散饵,sǎn ěr,groundbait -散体,sǎn tǐ,free prose style -散点图,sǎn diǎn tú,scatter plot -敦,dūn,kindhearted; place name -敦促,dūn cù,to press; to urge; to hasten -敦伦,dūn lún,to strengthen moral ties between people; to have sexual intercourse (of a married couple) -敦刻尔克,dūn kè ěr kè,"Dunkirk, port in northern France" -敦化,dūn huà,"Dunhua, county-level city in Yanbian Korean Autonomous Prefecture 延邊朝鮮族自治州|延边朝鲜族自治州[Yan2 bian1 Chao2 xian3 zu2 Zi4 zhi4 zhou1], Jilin" -敦化市,dūn huà shì,"Dunhua, county-level city in Yanbian Korean Autonomous Prefecture 延邊朝鮮族自治州|延边朝鲜族自治州[Yan2 bian1 Chao2 xian3 zu2 Zi4 zhi4 zhou1], Jilin" -敦厚,dūn hòu,genuine; honest and sincere -敦煌,dūn huáng,"Dunhuang, county-level city in Jiuquan 酒泉, Gansu" -敦煌市,dūn huáng shì,"Dunhuang, county-level city in Jiuquan 酒泉, Gansu" -敦煌石窟,dūn huáng shí kū,Dunhuang caves in Gansu; refers to Mogao caves 莫高石窟[Mo4 gao1 shi2 ku1] -敦睦,dūn mù,to promote friendly relations -敦豪快递,dūn háo kuài dì,DHL -敦豪快递公司,dūn háo kuài dì gōng sī,DHL -敪,duó,to weigh; to cut; to come without being invited -敫,jiǎo,surname Jiao -敫,jiǎo,bright; glittery; Taiwan pr. [jiao4] -敬,jìng,(bound form) respectful; to respect; to offer politely -敬上,jìng shàng,yours truly; yours sincerely (at the end of a letter) -敬仰,jìng yǎng,to revere; highly esteemed -敬佩,jìng pèi,to esteem; to admire -敬备,jìng bèi,to respectfully offer -敬告,jìng gào,to tell respectfully; to announce reverentially -敬启,jìng qǐ,respectful closing to a letter -敬启者,jìng qǐ zhě,Dear Sirs; To Whom It May Concern -敬奉,jìng fèng,to worship piously; to present; to dedicate -敬悉,jìng xī,"(honorific) revered news; the most valuable information (in your recent letter, book etc); Thank you for your letter." -敬惜字纸,jìng xī zì zhǐ,to treasure written material as a cultural resource (idiom) -敬意,jìng yì,respect; esteem; high regard -敬爱,jìng ài,to respect and love; to hold in high esteem -敬拜,jìng bài,to worship -敬服,jìng fú,deference; esteem; to admire -敬业,jìng yè,dedicated to one's work -敬业乐群,jìng yè lè qún,diligent and sociable (idiom); meticulous in work and dealing cheerfully with one's colleagues -敬烟,jìng yān,to offer a cigarette (to a guest) -敬畏,jìng wèi,to revere -敬祝,jìng zhù,to offer humbly (written at the end of letter from sb of lower status to higher status); your humble servant -敬神,jìng shén,to respect a deity; to pray to a God -敬礼,jìng lǐ,to salute; salute -敬称,jìng chēng,to address or refer to (sb) respectfully (as ...); respectful term of address; honorific title -敬老,jìng lǎo,respect for the aged -敬老尊贤,jìng lǎo zūn xián,to respect the wise and venerate the worthy (idiom); to honor the great and the good -敬老席,jìng lǎo xí,priority seating for the aged (on buses etc) -敬老院,jìng lǎo yuàn,home of respect for aged; nursing home -敬而远之,jìng ér yuǎn zhī,to show respect from a distance (idiom); to remain at a respectful distance -敬若神明,jìng ruò shén míng,to hold sb in the same regard as one would a god (idiom) -敬茶,jìng chá,to serve tea (to guests) -敬虔,jìng qián,devout -敬词,jìng cí,term of respect; polite expression -敬语,jìng yǔ,honorific (e.g. in grammar of oriental languages) -敬请,jìng qǐng,please (do sth) (deferential form) -敬谢不敏,jìng xiè bù mǐn,please excuse me for not complying; to politely decline -敬贺,jìng hè,to offer one's congratulations (formal) -敬贤礼士,jìng xián lǐ shì,to revere people of virtue and honor scholarship (idiom) -敬赠,jìng zèng,to present respectfully; with (sb's) compliments; complimentary -敬辞,jìng cí,term of respect; polite expression -敬酒,jìng jiǔ,to toast; to propose a toast -敬酒不吃吃罚酒,jìng jiǔ bù chī chī fá jiǔ,lit. to refuse a toast only to be forced to drink a forfeit (idiom); fig. to turn down a request only to be forced later to comply with it under pressure -敬重,jìng zhòng,to respect deeply; to revere; to esteem -敬鬼神而远之,jìng guǐ shén ér yuǎn zhī,to respect Gods and demons from a distance (idiom); to remain at a respectful distance -扬,yáng,variant of 揚|扬[yang2] -敲,qiāo,to hit; to strike; to tap; to rap; to knock; to rip sb off; to overcharge -敲中背,qiāo zhōng bèi,to receive oral sex from a prostitute -敲入,qiāo rù,to key in; to input -敲丧钟,qiāo sāng zhōng,a knell -敲大背,qiāo dà bèi,to have sex with a prostitute -敲定,qiāo dìng,to come to a decision; to fix on (a date etc); to determine; to finalize; to nail down (a deal etc) -敲小背,qiāo xiǎo bèi,to be masturbated by a prostitute -敲山震虎,qiāo shān zhèn hǔ,a deliberate show of strength as a warning -敲打,qiāo dǎ,to beat sb; to beat (a drum) -敲打锣鼓,qiāo dǎ luó gǔ,lit. to beat a gong; fig. to irritate sb; a provocation -敲击,qiāo jī,to pound; to rap -敲敲打打,qiāo qiāo dǎ dǎ,to make a continual banging sound; (fig.) to provoke with words -敲榨,qiāo zhà,to press (fruit); variant of 敲詐|敲诈[qiao1 zha4] -敲竹杠,qiāo zhú gàng,extortion by taking advantage of sb's weakness -敲背,qiāo bèi,back-knocking massage -敲诈,qiāo zhà,to rip off; to extort (money); extortion; blackmail -敲诈勒索,qiāo zhà lè suǒ,extortion and blackmail (idiom) -敲诈罪,qiāo zhà zuì,extortion -敲边鼓,qiāo biān gǔ,to back sb up; to support sb in an argument; (lit. to beat nearby drum) -敲钉钻脚,qiāo dīng zuān jiǎo,to make doubly sure (idiom) -敲钟,qiāo zhōng,to sound a bell; (of a clock) to chime -敲锣,qiāo luó,to beat a gong -敲锣边儿,qiāo luó biān er,to strike the edge of the gong; (fig.) to stir the pot (i.e. cause or exacerbate a dispute) -敲门,qiāo mén,to knock on a door -敲门砖,qiāo mén zhuān,lit. a brick as a door knocker (idiom); fig. a temporary expedient; to use sb as a stepping stone to fortune -敲开,qiāo kāi,"to get sth open by tapping or striking it; (figuratively, when followed by sth like ∼的大門|∼的大门[xx5 de5 da4 men2]) to open the door to ~; to gain access to ~" -敲响,qiāo xiǎng,to sound a bell; to raise the alarm -整,zhěng,(bound form) whole; complete; entire; (before a measure word) whole; (before or after number + measure word) exactly; (bound form) in good order; tidy; neat; (bound form) to put in order; to straighten; (bound form) to repair; to mend; to renovate; (coll.) to fix sb; to give sb a hard time; to mess with sb; (dialect) to tinker with; to do sth to -整并,zhěng bìng,to merge; to consolidate; consolidation -整修,zhěng xiū,to repair; to refurbish; to renovate; to refit; to mend; to rebuild -整个,zhěng gè,whole; entire; total -整个地球,zhěng gè dì qiú,the whole world -整倍数,zhěng bèi shù,integer multiple -整备,zhěng bèi,preparedness; to bring sth to a state of readiness -整合,zhěng hé,to conform; to integrate -整地,zhěng dì,to prepare the soil (agriculture) -整型,zhěng xíng,(computing) integer; (Tw) to perform or undergo plastic surgery (variant of 整形[zheng3xing2]) -整域,zhěng yù,integral domain (abstract algebra) -整夜,zhěng yè,the whole night; all through the night -整天,zhěng tiān,all day long; whole day -整套,zhěng tào,entire set -整妆,zhěng zhuāng,same as 整裝|整装; to get ready (for a journey) -整容,zhěng róng,plastic surgery -整密,zhěng mì,meticulous; painstaking -整年累月,zhěng nián lěi yuè,"month after month, year after year; year in, year out" -整建,zhěng jiàn,to restore a damaged or aging structure; to renovate -整形,zhěng xíng,shaping; reshaping; plastic surgery or orthopedics (abbr. of 整形外科[zheng3 xing2 wai4 ke1]) -整形外科,zhěng xíng wài kē,plastic surgery; orthopedics -整形外科医生,zhěng xíng wài kē yī shēng,plastic surgeon -整改,zhěng gǎi,to reform; to rectify and improve -整整,zhěng zhěng,whole; full -整整齐齐,zhěng zhěng qí qí,neat and tidy -整数,zhěng shù,whole number; integer (math.); round figure -整数倍数,zhěng shù bèi shù,integral multiple -整数集合,zhěng shù jí hé,set of integers (math.) -整日,zhěng rì,all day long; the whole day -整条,zhěng tiáo,"entire; whole (fish, road etc)" -整治,zhěng zhì,to bring under control; to regulate; to restore to good condition; (coll.) to fix (a person); to prepare (a meal etc) -整流,zhěng liú,to rectify (alternating current to direct current) -整流器,zhěng liú qì,rectifier (transforming alternating electric current to direct current) -整洁,zhěng jié,neatly; tidy -整理,zhěng lǐ,"to arrange; to tidy up; to sort out; to straighten out; to list systematically; to collate (data, files); to pack (luggage)" -整环,zhěng huán,integral domain (abstract algebra) -整声,zhěng shēng,to tune (a musical instrument); to regulate the sound -整肃,zhěng sù,strict; serious; solemn; dignified; to tidy up; to clean up; to purge; to adjust -整脊学,zhěng jǐ xué,chiropractic -整装,zhěng zhuāng,to equip; to fit out; to get ready (for a journey); to arrange (clothes) to be ready -整装待发,zhěng zhuāng dài fā,to get ready (for a journey); ready and waiting -整训,zhěng xùn,to drill troops; to build up and train -整除,zhěng chú,to divide exactly without remainder (in integer arithmetic) -整除数,zhěng chú shù,(math.) factor; exact divisor -整队,zhěng duì,to dress (troops); to line up (to arrange in a straight line) -整顿,zhěng dùn,to tidy up; to reorganize; to consolidate; to rectify -整风,zhěng fēng,"Rectification or Rectifying incorrect work styles, Maoist slogan; cf Rectification campaign 整風運動|整风运动, army purge of 1942-44 and anti-rightist purge of 1957" -整风运动,zhěng fēng yùn dòng,"Rectification campaign; political purge; cf Mao's 1942-44 campaign at Yanan, and his 1950 and 1957 anti-rightist purges" -整饬,zhěng chì,(literary) to put in good order; to make shipshape; (literary) orderly; neat; tidy -整体,zhěng tǐ,"whole entity; entire body; synthesis; as a whole (situation, construction, team etc); global; macrocosm; integral; holistic; whole" -整体数位服务网路,zhěng tǐ shù wèi fú wù wǎng lù,Integrated Service Digital Network; ISDN -整体服务数位网路,zhěng tǐ fú wù shù wèi wǎng lù,ISDN (integrated services digital network) -整点,zhěng diǎn,"time of day exactly on the hour (i.e. 12:00, 1:00 etc); to make an inventory; (math.) point that has integer coordinates" -整齐,zhěng qí,orderly; neat; even; tidy -整齐划一,zhěng qí huà yī,to be adjusted to uniformity (usually of weights and measures) (idiom) -敌,dí,(bound form) enemy; (bound form) to be a match for; to rival; (bound form) to resist; to withstand -敌人,dí rén,enemy; CL:個|个[ge4] -敌占区,dí zhàn qū,enemy occupied territory -敌国,dí guó,enemy country -敌地,dí dì,enemy territory -敌基督,dí jī dū,Antichrist -敌害,dí hài,pest; vermin; animal that is harmful to crops or to another species; enemy; predator -敌将,dí jiàng,the enemy general -敌对,dí duì,hostile; enemy (factions); combative -敌对性,dí duì xìng,hostile; hostility -敌后,dí hòu,(military) the enemy's rear; behind enemy lines -敌情,dí qíng,the situation of the enemy positions; intelligence about the enemy -敌意,dí yì,enmity; hostility -敌忾,dí kài,hatred felt toward one's enemies -敌我,dí wǒ,the enemy and us -敌我矛盾,dí wǒ máo dùn,contradictions between ourselves and the enemy; Either you are for us or against us. -敌手,dí shǒu,opponent; substantial adversary; worthy match; antagonist; in the enemy's hands -敌探,dí tàn,enemy spy -敌敌畏,dí dí wèi,"(loanword) DDVP, aka dichlorvos (an organophosphate used as an insecticide)" -敌方,dí fāng,enemy -敌机,dí jī,enemy plane -敌档,dí dàng,rival productions (of the same opera in neighboring theaters) -敌杀死,dí shā sǐ,Decis (insecticide brand) -敌营,dí yíng,enemy camp -敌特,dí tè,enemy (agents); (class) enemy -敌特分子,dí tè fèn zǐ,enemy agents in our midst; reds under the beds -敌百虫,dí bǎi chóng,"trichlorphon C4H8Cl3PO4, organic phosphate used as insecticide; also called dipterex" -敌众我寡,dí zhòng wǒ guǎ,"multitude of enemies, few friends (idiom from Mencius); heavily outnumbered; beaten by the weight of numbers" -敌台,dí tái,defensive tower; lookout tower; enemy radio station -敌视,dí shì,hostile; malevolence; antagonism; to view as enemy; to stand against -敌军,dí jūn,enemy troops; hostile forces; CL:股[gu3] -敌阵,dí zhèn,the enemy ranks -敷,fū,"to spread; to lay out; to apply (powder, ointment etc); sufficient (to cover); enough" -敷布,fū bù,medical dressing; bandage -敷料,fū liào,medical dressing -敷汤药,fū tāng yào,(coll.) to pay compensation for medical expenses -敷演,fū yǎn,variant of 敷衍; to elaborate (on a theme); to expound (the meaning of the classics) -敷粉,fū fěn,to sprinkle powder; a dusting -敷衍,fū yǎn,to elaborate (on a theme); to expound (the classics); perfunctory; to skimp; to botch; to do sth half-heartedly or just for show; barely enough to get by -敷衍了事,fū yǎn liǎo shì,(idiom) to do things half-heartedly; to merely go through the motions -敷衍塞责,fū yǎn sè zé,to skimp on the job; to work half-heartedly; not to take the job seriously -敷裹,fū guǒ,medical dressing -敷设,fū shè,to lay; to spread out -敷贴,fū tiē,to smear; to apply glue or ointment to a surface -敷陈,fū chén,to give an orderly account; a thorough narrative -数,shǔ,to count; to count as; to regard as; to enumerate; to list -数,shù,number; figure; several; a few -数,shuò,(literary) frequently; repeatedly -数一数二,shǔ yī shǔ èr,(idiom) reckoned to be best or second best; one of the very best; (idiom) to list one by one -数不上,shǔ bù shàng,not to deserve to be mentioned; not to qualify; below par -数不胜数,shǔ bù shèng shǔ,too many to count (idiom); innumerable -数不清,shǔ bù qīng,countless; innumerable -数不尽,shǔ bu jìn,countless -数不着,shǔ bù zháo,see 數不上|数不上[shu3 bu4 shang4] -数不过来,shǔ bù guò lái,can't manage to count; too many to count -数九,shǔ jiǔ,"nine periods of nine days each after winter solstice, the coldest time of the year" -数九天,shǔ jiǔ tiān,"nine periods of nine days each after winter solstice, the coldest time of the year" -数九寒天,shǔ jiǔ hán tiān,"nine periods of nine days each after winter solstice, the coldest time of the year" -数以亿计,shù yǐ yì jì,countless; innumerable -数以千计,shù yǐ qiān jì,thousands (of sth) -数以百计,shù yǐ bǎi jì,hundreds of -数以万计,shù yǐ wàn jì,tens of thousands; numerous -数伏,shǔ fú,"to mark the start of the hottest period of the year, known as 三伏天[san1 fu2 tian1]" -数位,shù wèi,digit; (Tw) digital -数位信号,shù wèi xìn hào,digital signal -数位化,shù wèi huà,(Tw) to digitize -数位网路,shù wèi wǎng lù,digital network -数位货币,shù wèi huò bì,digital currency (Tw) -数来宝,shǔ lái bǎo,folk theater consisting of recitation accompanied by clapper board rhythm -数值,shù zhí,numerical value -数值分析,shù zhí fēn xī,numerical analysis (math.) -数值解,shù zhí jiě,numerical solution -数典忘祖,shǔ diǎn wàng zǔ,to recount history but omit one's ancestors (idiom); to forget one's roots -数出,shǔ chū,to count out (a sum of money etc) -数列,shù liè,sequence of numbers; numerical series -数十亿,shù shí yì,several billion -数周,shù zhōu,several weeks; also written 數週|数周 -数域,shù yù,number field (math.); subfield of the field of complex numbers -数字,shù zì,numeral; digit; number; figure; amount; digital (electronics etc); CL:個|个[ge4] -数字信号,shù zì xìn hào,digital signal -数字分频,shù zì fēn pín,digital frequency sharing -数字化,shù zì huà,to digitize -数字命理学,shù zì mìng lǐ xué,numerology -数字导览设施,shù zì dǎo lǎn shè shī,digital navigation equipment -数字时钟,shù zì shí zhōng,digital clock -数字版权管理,shù zì bǎn quán guǎn lǐ,Digital Rights Management (DRM) -数字用户线路,shù zì yòng hù xiàn lù,digital subscriber line (DSL) -数字网,shù zì wǎng,digital network -数字货币,shù zì huò bì,digital currency -数字通信,shù zì tōng xìn,digital communications -数字游民,shù zì yóu mín,digital nomad -数字钟,shù zì zhōng,digital clock -数字电视,shù zì diàn shì,digital television -数字电路,shù zì diàn lù,digital circuit -数学,shù xué,mathematics -数学公式,shù xué gōng shì,formula -数学分析,shù xué fēn xī,mathematical analysis; calculus -数学家,shù xué jiā,mathematician -数学模型,shù xué mó xíng,mathematical model -数学物理,shù xué wù lǐ,mathematical physics -数学物理学,shù xué wù lǐ xué,mathematical physics -数小时,shù xiǎo shí,several hours -数年,shù nián,several years; many years -数得上,shǔ de shàng,to be considered as outstanding or special; to be reckoned with; notable -数得着,shǔ de zháo,to be considered outstanding or special; to be reckoned with; notable -数念,shǔ niàn,to enumerate one by one -数控,shù kòng,numerical control (machining) -数控机床,shù kòng jī chuáng,computer numerical control machine tool (CNC machine tool) -数据,shù jù,data -数据介面,shù jù jiè miàn,data interface -数据传输,shù jù chuán shū,data transmission -数据压缩,shù jù yā suō,data compression -数据库,shù jù kù,database -数据库软件,shù jù kù ruǎn jiàn,database software -数据挖掘,shù jù wā jué,data mining -数据接口,shù jù jiē kǒu,data interface -数据机,shù jù jī,modem (Tw) -数据段,shù jù duàn,data segment -数据流,shù jù liú,data stream; data flow -数据组,shù jù zǔ,dataset -数据网络,shù jù wǎng luò,data network -数据总线,shù jù zǒng xiàn,data bus (computer) -数据处理,shù jù chǔ lǐ,data processing -数据通信,shù jù tōng xìn,data communication -数据链路,shù jù liàn lù,data link -数据链路层,shù jù liàn lù céng,data link layer -数据链路连接标识,shù jù liàn lù lián jiē biāo zhì,data link connection identifier (DLCI) -数据集,shù jù jí,dataset -数数,shǔ shù,to count; to reckon -数月,shù yuè,several months -数模,shù mó,digital-to-analog; abbr. for 數字到模擬|数字到模拟 -数模转换器,shù mó zhuǎn huàn qì,digital-to-analog converter (DAC) -数法,shù fǎ,method of counting (e.g. decimal or Roman numbers) -数清,shǔ qīng,to count; to enumerate exactly -数独,shù dú,sudoku (puzzle game) -数珠,shù zhū,rosary; prayer beads -数珠念佛,shǔ zhū niàn fó,to count one's prayer beads and chant Buddha's name (idiom) -数理,shù lǐ,mathematical sciences -数理分析,shù lǐ fēn xī,mathematical analysis; calculus -数理化,shù lǐ huà,"mathematics, physics and chemistry (abbr. for 數學|数学[shu4 xue2] + 物理[wu4 li3] + 化學|化学[hua4 xue2])" -数理统计,shù lǐ tǒng jì,mathematical statistics -数理逻辑,shù lǐ luó jí,mathematical logic; symbolic logic -数百,shù bǎi,several hundred -数百万,shù bǎi wàn,several million -数目,shù mù,amount; number -数目字,shù mù zì,numeral; digit; number; figure -数码,shù mǎ,number; numerals; figures; digital; amount; numerical code -数码化,shù mǎ huà,to digitize -数码扫描,shù mǎ sǎo miáo,a digital scan -数码冲印,shù mǎ chōng yìn,digital printing -数码港,shù mǎ gǎng,cyberport -数码照相机,shù mǎ zhào xiàng jī,digital camera -数码相机,shù mǎ xiàng jī,digital camera -数码货币,shù mǎ huò bì,digital currency -数码通,shù mǎ tōng,SmarTone-Vodafone (Hong Kong and Macau company) -数种,shù zhǒng,numerous types; many kinds -数组,shù zǔ,(computing) array -数万,shù wàn,several tens of thousands; many thousand -数落,shǔ luo,to enumerate sb's shortcomings; to criticize; to scold; to talk on and on -数见不鲜,shuò jiàn bù xiān,a common occurrence (idiom) -数词,shù cí,numeral -数论,shù lùn,number theory (math.) -数轴,shù zhóu,number line -数周,shù zhōu,several weeks -数量,shù liàng,amount; quantity (CL:個|个[ge4]); quantitative; (math.) scalar quantity -数量分析,shù liàng fēn xī,quantitative analysis -数量积,shù liàng jī,scalar product (of vectors) -数量级,shù liàng jí,(math.) order of magnitude -数量词,shù liàng cí,numeral-classifier compound (e.g. 一次、三套、五本 etc) -数额,shù é,amount; sum of money; fixed number -数黄道黑,shǔ huáng dào hēi,to enumerate what is black and yellow (idiom); to criticize sb behind his back to incite quarrels; also written 數黑論黃|数黑论黄[shu3 hei1 lun4 huang2] -数黑论白,shǔ hēi lùn bái,to enumerate what is black and yellow (idiom); to criticize sb behind his back to incite quarrels; also written 數黑論黃|数黑论黄[shu3 hei1 lun4 huang2] -数黑论黄,shǔ hēi lùn huáng,to enumerate what is black and yellow (idiom); to criticize sb behind his back to incite quarrels -数点,shǔ diǎn,to count; to itemize -驱,qū,variant of 驅|驱[qu1] -敻,xiòng,surname Xiong -敛,liǎn,(literary) to hold back; (literary) to restrain; to control (oneself); to collect; to gather; Taiwan pr. [lian4] -敛,liàn,variant of 殮|殓[lian4] -敛巴,liǎn ba,(dialect) to gather up; to throw together -敛步,liǎn bù,(literary) to slow down one's steps; to come to a halt -敛衽,liǎn rèn,old-fashioned women's obeisance; Taiwan pr. [lian4 ren4] -敛财,liǎn cái,to accumulate wealth; to rake in money -敛迹,liǎn jì,to refrain; to give up evil (temporarily); to cover one's traces; to lie low; to retire (from view) -敛钱,liǎn qián,to collect money; to raise funds (for charity) -毙,bì,to die; to shoot dead; to reject; to fall forward; (suffix) to death -毙命,bì mìng,to meet violent death; to get killed -文,wén,surname Wen -文,wén,language; culture; writing; formal; literary; gentle; (old) classifier for coins; Kangxi radical 67 -文不加点,wén bù jiā diǎn,to write a flawless essay in one go (idiom); to be quick-witted and skilled at writing compositions -文不对题,wén bù duì tí,irrelevant; beside the point -文人,wén rén,cultivated individual; scholar; literati -文人相轻,wén rén xiāng qīng,scholars tend to disparage one another (idiom) -文以载道,wén yǐ zài dào,words of truth; moral expressed in words; written article explaining a moral -文件,wén jiàn,document; file; CL:份[fen4] -文件大小,wén jiàn dà xiǎo,file size -文件夹,wén jiàn jiā,folder; file (paper) -文件服务器,wén jiàn fú wù qì,file server -文件格式,wén jiàn gé shì,file format -文具,wén jù,"stationery; item of stationery (pen, pencil, eraser, pencil sharpener etc)" -文具商,wén jù shāng,stationer -文具店,wén jù diàn,stationery store -文创产业,wén chuàng chǎn yè,"creative industries (design, music, publishing etc) (abbr. for 文化創意產業|文化创意产业[wen2 hua4 chuang4 yi4 chan3 ye4])" -文化,wén huà,"culture; civilization; cultural; CL:個|个[ge4],種|种[zhong3]" -文化交流,wén huà jiāo liú,cultural exchange -文化传统,wén huà chuán tǒng,cultural tradition -文化史,wén huà shǐ,cultural history -文化和旅游部,wén huà hé lǚ yóu bù,(PRC) Ministry of Culture and Tourism -文化圈,wén huà quān,sphere of cultural influence -文化城,wén huà chéng,city of culture -文化大革命,wén huà dà gé mìng,Cultural Revolution (1966-1976) -文化宫,wén huà gōng,cultural palace -文化层,wén huà céng,cultural layer (in an archaeological dig) -文化水平,wén huà shuǐ píng,educational level -文化热,wén huà rè,cultural fever; cultural craze -文化冲击,wén huà chōng jī,culture shock -文化遗产,wén huà yí chǎn,cultural heritage -文化障碍,wén huà zhàng ài,cultural barrier -文史,wén shǐ,literature and history -文告,wén gào,written statement; proclamation; announcement -文员,wén yuán,office worker; clerk -文在寅,wén zài yín,"Moon Jae-in (1953-), Korean politician and human rights lawyer, president of Korea from 2017" -文墨,wén mò,writing; culture -文坛,wén tán,literary circles -文士,wén shì,literati; scholar -文天祥,wén tiān xiáng,"Wen Tianxiang (1236-1283), Song dynasty politician and poet, folk hero in resisting Mongol invasion in Jiangxi in 1275" -文如其人,wén rú qí rén,the writing style mirrors the writer (idiom) -文娱,wén yú,cultural recreation; entertainment -文字,wén zì,character; script; writing; written language; writing style; phraseology; CL:個|个[ge4] -文字学,wén zì xué,philology -文字学家,wén zì xué jiā,expert on writing systems -文字改革,wén zì gǎi gé,reform of the writing system -文字档,wén zì dàng,text file -文字狱,wén zì yù,literary inquisition; official persecution of intellectuals for their writing -文字处理,wén zì chǔ lǐ,word processing -文学,wén xué,literature; CL:種|种[zhong3] -文学博士,wén xué bó shì,Doctor of Letters -文学史,wén xué shǐ,history of literature -文学士,wén xué shì,Bachelor of Arts; B.A.; BA; A.B.; Artium Baccalaureus -文学家,wén xué jiā,writer; man of letters; CL:個|个[ge4] -文学巨匠,wén xué jù jiàng,literary master -文安,wén ān,"Wen'an county in Langfang 廊坊[Lang2 fang2], Hebei" -文安县,wén ān xiàn,"Wen'an county in Langfang 廊坊[Lang2 fang2], Hebei" -文宗,wén zōng,"Wenzong Emperor, reign name of Yuan Dynasty emperor Tugh Temür (1304-1332), reigned 1328-1332" -文宗,wén zōng,(literary) writer whose works are venerated as exemplary; eminent writer -文宣,wén xuān,promotional material; propaganda -文宣部,wén xuān bù,propaganda department -文山,wén shān,"Wenshan County in Wenshan Zhuang and Miao autonomous prefecture 文山壯族苗族自治州|文山壮族苗族自治州[Wen2 shan1 Zhuang4 zu2 Miao2 zu2 zi4 zhi4 zhou1], Yunnan; Wenshan District of Taipei City 臺北市|台北市[Tai2 bei3 Shi4], Taiwan" -文山区,wén shān qū,"Wenshan District of Taipei City 臺北市|台北市[Tai2 bei3 Shi4], Taiwan" -文山壮族苗族自治州,wén shān zhuàng zú miáo zú zì zhì zhōu,Wenshan Zhuang and Miao autonomous prefecture in Yunnan 雲南|云南 -文山州,wén shān zhōu,"abbr. for 文山壯族苗族自治州|文山壮族苗族自治州[Wen2 shan1 Zhuang4 zu2 Miao2 zu2 zi4 zhi4 zhou1], Wenshan Zhuang and Miao autonomous prefecture in Yunnan 雲南|云南" -文山会海,wén shān huì hǎi,a mountain of paperwork and a sea of meetings (idiom) -文山线,wén shān xiàn,"Taipei Metro Wenshan Line (known as the Muzha Line 木柵線|木栅线[Mu4 zha4 xian4] prior to October 8, 2009)" -文山县,wén shān xiàn,"Wenshan county in Wenshan Zhuang and Miao autonomous prefecture 文山壯族苗族自治州|文山壮族苗族自治州[Wen2 shan1 Zhuang4 zu2 Miao2 zu2 zi4 zhi4 zhou1], Yunnan" -文峰,wén fēng,"Wenfeng district of Anyang city 安陽市|安阳市[An1 yang2 shi4], Henan" -文峰区,wén fēng qū,"Wenfeng district of Anyang city 安陽市|安阳市[An1 yang2 shi4], Henan" -文峰镇,wén fēng zhèn,Wenfeng town (common place name) -文库,wén kù,"collection of documents; library; book series; sequence of data, esp. genome" -文康,wén kāng,"Wen Kang (mid-19th century), Manchu-born novelist, author of The Gallant Maid 兒女英雄傳|儿女英雄传[Er2 nu:3 Ying1 xiong2 Zhuan4]" -文康活动,wén kāng huó dòng,cultural and recreational activities (Tw) -文弱书生,wén ruò shū shēng,(idiom) frail scholar -文汇报,wén huì bào,Wen Wei Po (Hong Kong newspaper); Wenhui News (Shanghai newspaper) -文征明,wén zhēng míng,"Wen Zhengming (1470-1559), Ming painter, one of Four great southern talents of the Ming 江南四大才子" -文思,wén sī,the train of thought in writing -文凭,wén píng,diploma -文成,wén chéng,"Wencheng county in Wenzhou 溫州|温州[Wen1 zhou1], Zhejiang" -文成县,wén chéng xiàn,"Wencheng county in Wenzhou 溫州|温州[Wen1 zhou1], Zhejiang" -文房四宝,wén fáng sì bǎo,"Four Treasures of the Study, namely 筆|笔[bi3], 墨[mo4], 紙|纸[zhi3] and 硯|砚[yan4]; the essentials of calligraphy and scholarship (idiom)" -文抄公,wén chāo gōng,plagiarist -文摘,wén zhāi,digest (of literature); to make a digest (of data); summary -文攻武吓,wén gōng wǔ xià,(of a nation) to denounce and threaten with military force; to try to coerce -文教,wén jiào,culture and education -文旅,wén lǚ,cultural tourism -文旅部,wén lǚ bù,(PRC) Ministry of Culture and Tourism (abbr. for 文化和旅遊部|文化和旅游部[Wen2 hua4 he2 Lu:3 you2 bu4]) -文旦,wén dàn,pomelo -文昌,wén chāng,"Wenchang City, Hainan" -文昌市,wén chāng shì,"Wenchang City, Hainan" -文昌鱼,wén chāng yú,"lancelet (Branchiostoma lanceolatum), a primitive fish" -文明,wén míng,civilized; civilization; culture; CL:個|个[ge4] -文明化,wén míng huà,civilize -文明小史,wén míng xiǎo shǐ,"Short History of Civilization, late Qing novel by Li Boyuan 李伯元[Li3 Bo2 yuan2] or Li Baojia 李寶嘉|李宝嘉[Li3 Bao3 jia1] describing the turmoil after the 1900 Eight-Nation Alliance 八國聯軍|八国联军[Ba1 guo2 Lian2 jun1]" -文明病,wén míng bìng,lifestyle diseases -文曲星,wén qǔ xīng,constellation governing scholarship and examinations; (fig.) renowned literary genius; brand name of handheld electronic dictionaries made by Beijing company Golden Global View -文书,wén shū,document; official correspondence; secretary; secretariat -文书处理,wén shū chǔ lǐ,paperwork; clerical tasks; (Tw) word processing -文本,wén běn,"a text (article, script, contract etc); version of a text (copy, translation, abridged version etc); (computing) text" -文本框,wén běn kuàng,text box (computing) -文本编辑器,wén běn biān jí qì,text editor -文案,wén àn,(newspapers etc) copy; copywriter; (office etc) paperwork; (old) secretary; clerk -文档,wén dàng,(computer) file; document; documentation -文档对象模型,wén dàng duì xiàng mó xíng,Document Object Model (DOM) -文武,wén wǔ,civil and military -文武合一,wén wǔ hé yī,civilians and the military (working) hand in hand (idiom) -文武百官,wén wǔ bǎi guān,civil and military officials -文武双全,wén wǔ shuāng quán,well versed in letters and military technology (idiom); fine scholar and soldier; master of pen and sword -文殊,wén shū,"Manjushri, the Bodhisattva of keen awareness" -文殊师利菩萨,wén shū shī lì pú sà,"Manjushri, the Bodhisattva of keen awareness" -文殊菩萨,wén shū pú sà,"Manjushri, the Bodhisattva of keen awareness" -文气,wén qì,the impact of a piece of writing on the reader; gentle; refined -文水,wén shuǐ,"Wenshui county in Lüliang 呂梁|吕梁[Lu:3 liang2], Shanxi 山西" -文水县,wén shuǐ xiàn,"Wenshui county in Lüliang 呂梁|吕梁[Lu:3 liang2], Shanxi 山西" -文江学海,wén jiāng xué hǎi,"river of literacy, sea of learning (idiom); ars longa, vita brevis" -文治武功,wén zhì wǔ gōng,political and military achievements (idiom) -文法,wén fǎ,grammar -文火,wén huǒ,"small flame (when cooking, simmering etc)" -文牒,wén dié,official document -文牍,wén dú,paperwork; official documents and letters; (old) secretary -文牍主义,wén dú zhǔ yì,red tape -文物,wén wù,"cultural relic; historical relic; CL:件[jian4],個|个[ge4]" -文物径,wén wù jìng,heritage trail -文献,wén xiàn,document -文献学,wén xiàn xué,Philology; Historical Linguistics -文理,wén lǐ,arts and sciences -文登,wén dēng,"Wendeng, county-level city in Weihai 威海, Shandong" -文登市,wén dēng shì,"Wendeng, county-level city in Weihai 威海, Shandong" -文盲,wén máng,illiterate -文石,wén shí,aragonite (geology) -文科,wén kē,liberal arts; humanities -文科学士,wén kē xué shì,Bachelor of Arts B.A. -文秘,wén mì,secretary -文种,wén zhǒng,"Wen Zhong (-467 BC), adviser to the state of Yue during Spring and Autumn period" -文稿,wén gǎo,manuscript; article (in newspaper); draft -文章,wén zhāng,"article; essay; literary works; writings; hidden meaning; CL:篇[pian1],段[duan4],頁|页[ye4]" -文童,wén tóng,a person studying for the imperial examinations -文竹,wén zhú,setose asparagus -文笔,wén bǐ,writings; writing style -文约,wén yuē,contract; written agreement -文绉绉,wén zhōu zhōu,bookish; genteel; erudite -文县,wén xiàn,"Wen county in Longnan 隴南|陇南[Long3 nan2], Gansu" -文圣区,wén shèng qū,"Wensheng district of Liaoyang city 遼陽市|辽阳市[Liao2 yang2 shi4], Liaoning" -文联,wén lián,"abbr. for 中國文學藝術界聯合會|中国文学艺术界联合会, China Federation of Literary and Art Circles (CFLAC)" -文职,wén zhí,civilian post (as opposed to military); civil service; administration -文胸,wén xiōng,bra -文臣,wén chén,civilian court official (in former times) -文苑,wén yuàn,the literary world -文苑英华,wén yuàn yīng huá,"Finest Blossoms in the Garden of Literature, Song dynasty collection of poetry, odes, songs and writings compiled during 982-986 under Li Fang 李昉[Li3 Fang3], Xu Xuan 徐鉉|徐铉[Xu2 Xuan4], Song Bai 宋白[Song4 Bai2] and Su Yijian 蘇易簡|苏易简[Su1 Yi4 jian3], 1000 scrolls" -文莱,wén lái,"Brunei Darussalam, independent sultanate in northwest Borneo" -文莱达鲁萨兰国,wén lái dá lǔ sà lán guó,Brunei Darussalam -文艺,wén yì,literature and art -文艺作品,wén yì zuò pǐn,literary work; art work -文艺兵,wén yì bīng,PLA military personnel who specialize in literary or artistic pursuits -文艺复兴,wén yì fù xīng,the Renaissance -文艺演出,wén yì yǎn chū,theatrical performance; CL:場|场[chang3] -文号,wén hào,"document identifier code (typically including an abbreviation for the name of the issuing organization, the date and a serial number)" -文蛤,wén gé,"clam; bivalve mollusk, many spp." -文言,wén yán,Classical Chinese -文言文,wén yán wén,Classical Chinese writing -文词,wén cí,variant of 文辭|文辞[wen2ci2] -文诌诌,wén zhōu zhōu,bookish; genteel; erudite -文读,wén dú,literary (rather than colloquial) pronunciation of a Chinese character -文豪,wén háo,literary giant; great writer; eminent writer -文责自负,wén zé zì fù,the author takes sole responsibility for the views expressed here (disclaimer) -文质彬彬,wén zhì bīn bīn,refined in manner; gentle -文身,wén shēn,to tattoo -文辞,wén cí,language; use of words; phraseology; articles; essays; writing -文过饰非,wén guò shì fēi,(idiom) to cover up one's faults; to whitewash -文选,wén xuǎn,compilation; selected works -文部,wén bù,"Wenbu or Ombu village in Nyima county 尼瑪縣|尼玛县[Ni2 ma3 xian4], Nagchu prefecture, central Tibet; Tang dynasty equivalent of 吏部, personnel office" -文部省,wén bù shěng,"Ministry of Education, Science and Culture (Japan), ceased to exist in 2001 when it was merged with another ministry" -文部乡,wén bù xiāng,"Wenbu or Ombu village in Nyima county 尼瑪縣|尼玛县[Ni2 ma3 xian4], Nagchu prefecture, central Tibet" -文采,wén cǎi,literary talent; literary grace; rich and bright colors -文锦渡,wén jǐn dù,Man Kam To (place in Hong Kong) -文雅,wén yǎ,elegant; refined -文集,wén jí,collected works -文青,wén qīng,young person who adopts an outwardly artistic or intellectual style (abbr. for 文藝青年|文艺青年[wen2 yi4 qing1 nian2]) -文静,wén jìng,(of a person's manner or character) gentle and quiet -文面,wén miàn,to tattoo the face; face tattoo; to brand (ancient punishment) -文革,wén gé,Cultural Revolution (1966-76) (abbr. for 文化大革命[Wen2 hua4 Da4 ge2 ming4]) -文风,wén fēng,writing style; (used with 鼎盛[ding3 sheng4]) cultural activity -文风不动,wén fēng bù dòng,absolutely still; fig. not the slightest change; also written 紋風不動|纹风不动 -文饰,wén shì,to polish a text; rhetoric; ornate language; to use florid language to conceal errors; to gloss over -文体,wén tǐ,genre of writing; literary form; style; literary recreation and sporting activities -文须雀,wén xū què,(bird species of China) bearded reedling (Panurus biarmicus) -斌,bīn,variant of 彬[bin1] -斐,fěi,phonetic fei or fi; (literary) (bound form) rich with literary elegance; phi (Greek letter Φφ) -斐波那契,fěi bō nà qì,"Leonardo Fibonacci (c. 1170-1250), Italian mathematician" -斐济,fěi jì,"Fiji, country in the southwest Pacific Ocean" -斐然,fěi rán,(literary) of great literary talent; (literary) (of achievements etc) brilliant; outstanding -斐理伯,fěi lǐ bó,Philip -斐理伯书,fěi lǐ bó shū,Epistle of St Paul to the Philippians -斐迪南,fěi dí nán,Ferdinand (name) -斑,bān,spot; colored patch; stripe; spotted; striped; variegated -斑剥,bān bō,mottled and peeling off in places -斑喉希鹛,bān hóu xī méi,(bird species of China) bar-throated minla (Minla strigula) -斑嘴鸭,bān zuǐ yā,(bird species of China) eastern spot-billed duck (Anas zonorhyncha) -斑嘴鹈鹕,bān zuǐ tí hú,(bird species of China) spot-billed pelican (Pelecanus philippensis) -斑块,bān kuài,patch; spot; (medicine) plaque -斑姬啄木鸟,bān jī zhuó mù niǎo,(bird species of China) speckled piculet (Picumnus innominatus) -斑尾塍鹬,bān wěi chéng yù,(bird species of China) bar-tailed godwit (Limosa lapponica) -斑尾林鸽,bān wěi lín gē,(bird species of China) common wood pigeon (Columba palumbus) -斑尾榛鸡,bān wěi zhēn jī,(bird species of China) Chinese grouse (Tetrastes sewerzowi) -斑尾鹃鸠,bān wěi juān jiū,(bird species of China) barred cuckoo-dove (Macropygia unchall) -斑岩,bān yán,porphyry (geology) -斑文鸟,bān wén niǎo,(bird species of China) scaly-breasted munia (Lonchura punctulata) -斑斑,bān bān,full of stains or spots -斑斓,bān lán,gorgeous; brightly colored; multicolored -斑椋鸟,bān liáng niǎo,(bird species of China) pied myna (Gracupica contra) -斑海豹,bān hǎi bào,spotted seal (Phoca largha) -斑海雀,bān hǎi què,(bird species of China) long-billed murrelet (Brachyramphus perdix) -斑疹伤寒,bān zhěn shāng hán,typhus -斑疹热,bān zhěn rè,spotted fever -斑白,bān bái,grizzled; graying -斑竹,bān zhú,mottled bamboo -斑纹,bān wén,stripe; streak -斑羚,bān líng,"Nemorhaedus goral, a species of antelope found in Xinjiang" -斑翅山鹑,bān chì shān chún,(bird species of China) Daurian partridge (Perdix dauurica) -斑翅拟蜡嘴雀,bān chì nǐ là zuǐ què,(bird species of China) spot-winged grosbeak (Mycerobas melanozanthos) -斑翅朱雀,bān chì zhū què,(bird species of China) three-banded rosefinch (Carpodacus trifasciatus) -斑翅椋鸟,bān chì liáng niǎo,(bird species of China) spot-winged starling (Saroglossa spiloptera) -斑翅凤头鹃,bān chì fèng tóu juān,(bird species of China) pied cuckoo (Clamator jacobinus) -斑翅鹩鹛,bān chì liáo méi,(bird species of China) bar-winged wren-babbler (Spelaeornis troglodytoides) -斑背噪鹛,bān bèi zào méi,(bird species of China) barred laughingthrush (Garrulax lunulatus) -斑背大尾莺,bān bèi dà wěi yīng,(bird species of China) marsh grassbird (Locustella pryeri) -斑背潜鸭,bān bèi qián yā,(bird species of China) greater scaup (Aythya marila) -斑背燕尾,bān bèi yàn wěi,(bird species of China) spotted forktail (Enicurus maculatus) -斑胸噪鹛,bān xiōng zào méi,(bird species of China) spot-breasted laughingthrush (Garrulax merulinus) -斑胸滨鹬,bān xiōng bīn yù,(bird species of China) pectoral sandpiper (Calidris melanotos) -斑胸田鸡,bān xiōng tián jī,(bird species of China) spotted crake (Porzana porzana) -斑胸短翅莺,bān xiōng duǎn chì yīng,(bird species of China) spotted bush warbler (Locustella thoracica) -斑胸钩嘴鹛,bān xiōng gōu zuǐ méi,(bird species of China) black-streaked scimitar babbler (Pomatorhinus gravivox) -斑胁姬鹛,bān xié jī méi,(bird species of China) Himalayan cutia (Cutia nipalensis) -斑胁田鸡,bān xié tián jī,(bird species of China) band-bellied crake (Porzana paykullii) -斑腰燕,bān yāo yàn,(bird species of China) striated swallow (Cecropis striolata) -斑脸海番鸭,bān liǎn hǎi fān yā,(bird species of China) white-winged scoter (Melanitta deglandi) -斑头大翠鸟,bān tóu dà cuì niǎo,(bird species of China) Blyth's kingfisher (Alcedo hercules) -斑头绿拟啄木鸟,bān tóu lǜ nǐ zhuó mù niǎo,(bird species of China) lineated barbet (Megalaima lineata) -斑头雁,bān tóu yàn,(bird species of China) bar-headed goose (Anser indicus) -斑头鸺鹠,bān tóu xiū liú,(bird species of China) Asian barred owlet (Glaucidium cuculoides) -斑颈穗鹛,bān jǐng suì méi,(bird species of China) spot-necked babbler (Stachyris strialata) -斑马,bān mǎ,zebra; CL:匹[pi3] -斑马线,bān mǎ xiàn,crosswalk; zebra crossing -斑马鱼,bān mǎ yú,zebrafish -斑驳,bān bó,mottled; motley -斑驳陆离,bān bó lù lí,variegated -斑鱼狗,bān yú gǒu,(bird species of China) pied kingfisher (Ceryle rudis) -斑鳖,bān biē,"Yangtze giant soft-shell turtle (Rafetus swinhoei), a critically endangered species" -斑鳢,bān lǐ,snakehead mullet; Channa maculata -斑鸠,bān jiū,turtledove -斑鸫,bān dōng,(bird species of China) dusky thrush (Turdus eunomus) -斑鹭,bān lù,(bird species of China) pied heron (Egretta picata) -斑点,bān diǎn,spot; stain; speckle -斑点狗,bān diǎn gǒu,Dalmatian (dog breed) -斓,lán,used in 斑斕|斑斓[ban1 lan2] -斗,dǒu,abbr. for the Big Dipper constellation 北斗星[Bei3 dou3 xing1] -斗,dǒu,dry measure for grain equal to ten 升[sheng1] or one-tenth of a 石[dan4]; decaliter; peck; cup or dipper shaped object; old variant of 陡[dou3] -斗内,dǒu nèi,"(Tw) (neologism) (Internet slang) to send money to a live streamer (to get a specific response or just to sponsor) (loanword from ""donate"")" -斗六,dǒu liù,"Douliu or Touliu city in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -斗六市,dǒu liù shì,"Douliu or Touliu city in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -斗南,dǒu nán,"Dounan or Tounan town in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -斗南镇,dǒu nán zhèn,"Dounan or Tounan town in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -斗大,dǒu dà,huge -斗室,dǒu shì,"very small room; tiny, cramped space" -斗拱,dǒu gǒng,interlocking wooden brackets between the top of a column and crossbeams used in traditional Chinese architecture -斗柄,dǒu bǐng,handle of the Big Dipper -斗牛,dǒu niú,Big Dipper and Altair (astronomy) -斗笠,dǒu lì,conical bamboo hat -斗筲,dǒu shāo,an ancient bamboo container; narrow-mindedness -斗筲之人,dǒu shāo zhī rén,a small-minded person; a bean-counter -斗筲之器,dǒu shāo zhī qì,person narrow-minded and shortsighted -斗筲之材,dǒu shāo zhī cái,person of limited capacity -斗篷,dǒu peng,cloak; mantle -斗胆,dǒu dǎn,(courteous) to be so bold as to -斗车,dǒu chē,hopper car; wheelbarrow -斗转星移,dǒu zhuǎn xīng yí,lit. the Big Dipper 北斗星[Bei3 dou3 xing1] has turned and the stars have moved; time flies; also written 星移斗轉|星移斗转[xing1 yi2 Dou3 zhuan3] -斗酒只鸡,dǒu jiǔ zhī jī,"lit. a chicken and a bottle of wine (idiom); fig. ready to make an offering to the deceased, or to entertain guests" -斗门,dǒu mén,"Doumen District of Zhuhai City 珠海市[Zhu1 hai3 Shi4], Guangdong" -斗门区,dǒu mén qū,"Doumen District of Zhuhai City 珠海市[Zhu1 hai3 Shi4], Guangdong" -料,liào,material; stuff; grain; feed; to expect; to anticipate; to guess -料中,liào zhòng,to suppose correctly -料事如神,liào shì rú shén,to prophesy with supernatural accuracy (idiom); to have an incredible foresight -料件,liào jiàn,materials and parts; components -料件子,liào jiàn zi,see 料件子活[liao4 jian4 zi5 huo2] -料件子活,liào jiàn zi huó,piecework -料仓,liào cāng,granary; storehouse -料到,liào dào,to foresee; to anticipate -料及,liào jí,to anticipate; forecast; expectation; anticipation -料器,liào qì,glassware; colored glass household vessel -料堆,liào duī,to stockpile -料子,liào zi,material -料定,liào dìng,certain; to know for sure -料峭,liào qiào,spring chill in the air; cold -料度,liào duó,to estimate; to assess -料想,liào xiǎng,to expect; to presume; to think (sth is likely) -料持,liào chí,to arrange; to manage; to attend to; to take care of; to look after (the cooking) -料斗,liào dǒu,cattle feeder; hopper (wicker basket) -料理,liào lǐ,to arrange; to handle; to cook; cuisine; art of cooking -料理店,liào lǐ diàn,restaurant -料号,liào hào,part number; material code -料豆儿,liào dòu er,cooked black soybean as animal fodder -料酒,liào jiǔ,cooking wine -料头,liào tóu,remainder of cloth; scraps -料头儿,liào tóu er,erhua variant of 料頭|料头[liao4 tou2] -斛,hú,"ancient measuring vessel; fifty liters; dry measure for grain equal to five dou 五斗 (before Tang, ten pecks)" -斜,xié,inclined; slanting; oblique; tilting -斜交,xié jiāo,bevel; oblique -斜倚,xié yǐ,to recline -斜切锯,xié qiē jù,miter saw -斜坡,xié pō,slope; incline -斜塔,xié tǎ,leaning tower -斜射球,xié shè qiú,a sliced ball (tennis or table tennis) -斜对,xié duì,catty-corner; to be diagonally opposite to -斜度,xié dù,slope; gradient; inclination -斜径,xié jìng,sloping path -斜愣眼,xié leng yǎn,to squint -斜愣眼儿,xié leng yǎn er,erhua variant of 斜愣眼[xie2 leng5 yan3] -斜投影,xié tóu yǐng,oblique projection -斜方型,xié fāng xíng,trapezium (geometry) -斜方肌,xié fāng jī,trapezius muscle (of the upper back and neck) -斜杠,xié gàng,oblique bar; slash (computing) -斜率,xié lǜ,slope -斜眼,xié yǎn,to look askance; cross or wall-eyed -斜眼看,xié yǎn kàn,from the side of the eye; askance -斜睨,xié nì,to cast sidelong glances at sb -斜管面,xié guǎn miàn,penne pasta -斜纹织,xié wén zhī,twill weave -斜纹软呢,xié wén ruǎn ní,tweed -斜线,xié xiàn,oblique line; slash (symbol) -斜线号,xié xiàn hào,slash (punct.); forward slash (computing); virgule; slanting line; oblique line -斜肌,xié jī,diagonal muscle -斜视,xié shì,a squint; sideways glance; to look askance -斜角,xié jiǎo,bevel angle; oblique angle -斜躺,xié tǎng,to recline -斜轴,xié zhóu,oblique axes (math.) -斜边,xié biān,sloping side; hypotenuse (of a right-angled triangle) -斜钩,xié gōu,(downwards-right concave hooked character stroke) -斜长石,xié cháng shí,"plagioclase (rock-forming mineral, type of feldspar)" -斜阳,xié yáng,setting sun -斜靠,xié kào,to recline -斜面,xié miàn,inclined plane -斜体,xié tǐ,italics; slanting typeface -斜体字,xié tǐ zì,italics -斟,zhēn,to pour; to deliberate -斟酌,zhēn zhuó,to consider; to deliberate; to fill up a cup to the brim -斟酌字句,zhēn zhuó zì jù,to measure one's words -斟酌决定权,zhēn zhuó jué dìng quán,discretionary power -斟酒,zhēn jiǔ,to pour wine or liquor -斡,wò,to turn -斡旋,wò xuán,to mediate (a conflict etc) -斤,jīn,"catty; (PRC) weight equal to 500 g; (Tw) weight equal to 600 g; (HK, Malaysia, Singapore) slightly over 604 g" -斤两,jīn liǎng,weight; (fig.) importance -斤斗,jīn dǒu,variant of 筋斗[jin1 dou3] -斤斤计较,jīn jīn jì jiào,to haggle over every ounce; (fig.) to fuss over minor matters; to split hairs -斤斤较量,jīn jīn jiào liàng,to bicker at length over a trivial matter (idiom) -斥,chì,to blame; to reprove; to reprimand; to expel; to oust; to reconnoiter; (of territory) to expand; saline marsh -斥候,chì hòu,to reconnoiter; to scout; scout -斥力,chì lì,repulsion (in electrostatics); repulsive force -斥骂,chì mà,to scold -斥责,chì zé,to lash out; to reprimand -斥资,chì zī,to spend; to allocate funds -斥退,chì tuì,to dismiss (from a post); to expel from school; to order away (servants etc) -斥卤,chì lǔ,saline marsh; salt -斧,fǔ,hatchet -斧子,fǔ zi,axe; hatchet; CL:把[ba3] -斧正,fǔ zhèng,(polite) please amend my writing -斧钺之诛,fǔ yuè zhī zhū,to die by battle-ax (idiom); to be executed -斧钺汤镬,fǔ yuè tāng huò,battle-ax and boiling cauldron (idiom); facing torture and execution -斧头,fǔ tóu,ax; hatchet; CL:柄[bing3] -斫,zhuó,to chop; to hack; to carve wood -斫丧,zhuó sàng,to ravage; to devastate -斫营,zhuó yíng,to attack a camp -斫畲,zhuó yú,to clear land for agricultural use -斫白,zhuó bái,to strip bark -斩,zhǎn,to behead (as form of capital punishment); to chop -斩新,zhǎn xīn,variant of 嶄新|崭新[zhan3 xin1] -斩断,zhǎn duàn,to cut off; to chop sth in half -斩杀,zhǎn shā,to behead -斩获,zhǎn huò,to kill or capture (in battle); (fig.) (sports) to score (a goal); to win (a medal); (fig.) to reap rewards; to achieve gains -斩眼,zhǎn yǎn,to blink (literary) -斩而不奏,zhǎn ér bù zòu,to do sth and not report the fact (idiom) -斩草除根,zhǎn cǎo chú gēn,to cut weeds and eliminate the roots (idiom); to destroy root and branch; to eliminate completely -斩钉截铁,zhǎn dīng jié tiě,lit. to chop the nail and slice the iron (idiom); fig. resolute and decisive; unhesitating; categorical -斩首,zhǎn shǒu,to behead; to decapitate -斩首行动,zhǎn shǒu xíng dòng,(military) decapitation strike -斯,sī,Slovakia; Slovak; abbr. for 斯洛伐克[Si1 luo4 fa2 ke4] -斯,sī,(phonetic); this -斯事体大,sī shì tǐ dà,see 茲事體大|兹事体大[zi1 shi4 ti3 da4] -斯佩林,sī pèi lín,Spelling (e.g. Spelling Entertainment Group) -斯佩罗,sī pèi luó,Spero (surname) -斯佩耳特小麦,sī pèi ěr tè xiǎo mài,spelt (Triticum spelta) (loanword) -斯克里亚宾,sī kè lǐ yà bīn,"Alexander Scriabin (1872-1915), Russian composer and pianist" -斯卡伯勒礁,sī kǎ bó lè jiāo,Scarborough Shoal (Philippines' name for Huangyan Island) -斯台普斯,sī tái pǔ sī,"Staples (Center), sports arena in Los Angeles" -斯哥特,sī gē tè,Scott (name) -斯图加特,sī tú jiā tè,"Stuttgart, city in southwest Germany and capital of Baden-Württemberg 巴登·符騰堡州|巴登·符腾堡州[Ba1deng1 · Fu2teng2bao3 Zhou1]" -斯坦佛,sī tǎn fó,"Stanford (name); Stanford University, Palo Alto, California" -斯坦佛大学,sī tǎn fó dà xué,"Stanford University, Palo Alto, California" -斯坦利,sī tǎn lì,Stanley (name) -斯坦因,sī tǎn yīn,"Stein (name); Marc Aurel Stein (1862-1943), Hungarian-born British archaeologist known for his expeditions to Central Asia" -斯坦福,sī tǎn fú,Stanford (University) -斯坦福大学,sī tǎn fú dà xué,Stanford University -斯坦贝克,sī tǎn bèi kè,"John Steinbeck (1902-1968), US novelist" -斯坦顿,sī tǎn dùn,Stanton (name) -斯堪地纳维亚,sī kān dì nà wéi yà,Scandinavia (Tw) -斯堪的纳维亚,sī kān dì nà wéi yà,Scandinavia -斯塔西,sī tǎ xī,Stacy (name) -斯多葛主义,sī duō gě zhǔ yì,Stoicism -斯大林,sī dà lín,"Joseph Stalin (1879-1953), Soviet dictator" -斯大林主义,sī dà lín zhǔ yì,Stalinism -斯大林格勒,sī dà lín gé lè,"Stalingrad, former name of Volvograd 伏爾加格勒|伏尔加格勒 (1925-1961)" -斯大林格勒战役,sī dà lín gé lè zhàn yì,"Battle of Stalingrad (1942-1943), decisive battle of Second World War and one of the bloodiest battles in history, when the Germans failed to take Stalingrad, were then trapped and destroyed by Soviet forces" -斯大林格勒会战,sī dà lín gé lè huì zhàn,Battle of Stalingrad (1942-1943); also called 斯大林格勒戰役|斯大林格勒战役 -斯威士兰,sī wēi shì lán,Eswatini (formerly Swaziland) -斯密,sī mì,Smith (name); also rendered as 史密斯 -斯密约瑟,sī mì yuē sè,"Joseph Smith, Jr. (1805-1844), founder of the Latter Day Saint movement" -斯巴达,sī bā dá,Sparta -斯巴鲁,sī bā lǔ,Subaru -斯帕斯基,sī pà sī jī,Spassky (name) -斯德哥尔摩,sī dé gē ěr mó,"Stockholm, capital of Sweden" -斯彻达尔,sī chè dá ěr,"Stjørdal (city in Trøndelag, Norway)" -斯托纳,sī tuō nà,Stoner (surname) -斯托肯立石圈,sī tuō kěn lì shí quān,Stonehenge stone circle -斯拉夫,sī lā fū,Slavic -斯拉夫语,sī lā fū yǔ,Slavic language -斯捷潘,sī jié pān,Stepan or Stefan (name) -斯摩棱斯克,sī mó léng sī kè,Smolensk (Russian city) -斯文,sī wén,refined; educate; cultured; intellectual; polite; gentle -斯普利特,sī pǔ lì tè,Split (city in Croatia) -斯普拉特利群岛,sī pǔ lā tè lì qún dǎo,"Spratly Islands, disputed between China, Malaysia, the Philippines, Taiwan and Vietnam; same as 南沙群島|南沙群岛[Nan1 sha1 Qun2 dao3]" -斯普林菲尔德,sī pǔ lín fēi ěr dé,Springfield -斯普特尼克,sī pǔ tè ní kè,"Sputnik, Soviet artificial Earth satellite" -斯柯达,sī kē dá,"Škoda, Czech Republic car manufacturer, a subsidiary of Volkswagen Group" -斯沃琪,sī wò qí,Swatch (Swiss brand) -斯泰恩谢尔,sī tài ēn xiè ěr,"Steinkjær (city in Trøndelag, Norway)" -斯泰西,sī tài xī,Stacy (name) -斯洛伐克,sī luò fá kè,"Slovakia (officially, since 1993, the Slovak Republic)" -斯洛伐克语,sī luò fá kè yǔ,Slovak (language) -斯洛文尼亚,sī luò wén ní yà,Slovenia -斯洛文尼亚共和国,sī luò wén ní yà gòng hé guó,Republic of Slovenia -斯洛文尼亚语,sī luò wén ní yà yǔ,Slovenian (language) -斯洛维尼亚,sī luò wéi ní yà,Slovenia (Tw) -斯特凡诺普洛斯,sī tè fán nuò pǔ luò sī,Stephanopoulos (e.g. former Clinton aide George Stephanopoulos) -斯特恩,sī tè ēn,Stern (name) -斯特拉斯堡,sī tè lā sī bǎo,Strasbourg -斯特拉特福,sī tè lā tè fú,"Stratford (place name); Stratford-upon-Avon, UK city in Warwickshire and birthplace of William Shakespeare 莎士比亞|莎士比亚[Sha1 shi4 bi3 ya4]" -斯瓦希里,sī wǎ xī lǐ,Swahili -斯瓦希里语,sī wǎ xī lǐ yǔ,Swahili (language); Kiswahili -斯瓦尔巴和扬马延,sī wǎ ěr bā hé yáng mǎ yán,Svalbard and Jan Mayen -斯瓦特,sī wǎ tè,Swat province in Pakistani Northwest Frontier -斯瓦特谷地,sī wǎ tè gǔ dì,Swat valley in Pakistani Northwest Frontier -斯当东,sī dāng dōng,"Staunton (name); Sir George Staunton, 1st Baronet, the second-in-command of the Macartney Mission of 1793" -斯皮尔伯格,sī pí ěr bó gé,"Steven Spielberg (1946-), US film director" -斯福尔瓦尔,sī fú ěr wǎ ěr,"Svolvær (city in Nordland, Norway)" -斯科普里,sī kē pǔ lǐ,"Skopje, capital of North Macedonia" -斯科费尔峰,sī kē fèi ěr fēng,"Scafell Pike, the highest mountain in England (978 m)" -斯维尔德洛夫,sī wéi ěr dé luò fū,"Yakov Mikhailovich Sverdlov (1885-1919), Bolshevik organizer, ordered the murder of the Tsar's family in 1918, died of Spanish influenza" -斯考特,sī kǎo tè,Scott (name) -斯芬克司,sī fēn kè sī,Sphinx (Egyptian mythical beast) -斯芬克斯,sī fēn kè sī,sphinx (myth.) (loanword) -斯莱特林,sī lái tè lín,Slytherin (Harry Potter) -斯蒂文,sī dì wén,"Steven (name); Simon Stevin (1548-1620), Flemish engineer and mathematician, played a key role in introducing the decimal system to Europe" -斯蒂文森,sī dì wén sēn,Stevenson or Stephenson (name) -斯蒂芬,sī dì fēn,Stephen or Steven (name) -斯诺,sī nuò,"Snow (name); Edgar Snow (1905-1972), American journalist, reported from China 1928-1941, author of Red Star Over China" -斯诺克,sī nuò kè,snooker (loanword) -斯诺登,sī nuò dēng,"Edward Snowden (1983-), American surveillance program whistleblower" -斯宾塞,sī bīn sè,Spencer or Spence (name) -斯宾诺莎,sī bīn nuò shā,"Baruch or Benedict Spinoza (1632-1677), rationalist philosopher" -斯通亨治石栏,sī tōng hēng zhì shí lán,Stonehenge stone circle -斯里巴加湾港,sī lǐ bā jiā wān gǎng,"Bandar Seri Begawan, capital of Brunei" -斯里兰卡,sī lǐ lán kǎ,Sri Lanka; (formerly) Ceylon -斯雷布雷尼察,sī léi bù léi ní chá,"Srebrenica, Bosnia-Herzegovina" -新,xīn,abbr. for Xinjiang 新疆[Xin1jiang1]; abbr. for Singapore 新加坡[Xin1jia1po1]; surname Xin -新,xīn,new; newly; meso- (chemistry) -新一代,xīn yī dài,new generation -新丁,xīn dīng,new addition to a family (i.e. a birth); a boy who has just come of age; (in a job etc) newcomer; novice -新不伦瑞克,xīn bù lún ruì kè,"New Brunswick province, Canada" -新不列颠岛,xīn bù liè diān dǎo,"New Britain, island of northeast Papua New Guinea" -新五代史,xīn wǔ dài shǐ,"Later History of the Five Dynasties (between Tang and Song), nineteenth of the 24 dynastic histories 二十四史[Er4 shi2 si4 Shi3], compiled under Ouyang Xiu 歐陽修|欧阳修[Ou1 yang2 Xiu1] in 1053 during Northern Song Dynasty, 74 scrolls" -新井,xīn jǐng,Arai (Japanese surname) -新京报,xīn jīng bào,Beijing news (newspaper) -新人,xīn rén,"newcomer; fresh talent; newlywed, esp. new bride; bride and groom; (paleoanthropology) Homo sapiens" -新任,xīn rèn,newly-appointed; newly elected; new (in a political office) -新低,xīn dī,new low -新来乍到,xīn lái zhà dào,newly arrived (idiom) -新修,xīn xiū,revise; revised -新修本草,xīn xiū běn cǎo,Tang dynasty compendium of herbal medicine -新儒家,xīn rú jiā,"New Confucianism, a social and political movement founded in 1920s China that combines aspects of Western and Eastern philosophy; see also 當代新儒家|当代新儒家[Dang1 dai4 Xin1 Ru2 jia1]" -新元史,xīn yuán shǐ,"New History of the Yuan Dynasty, completed by Ke Shaomin 柯劭忞[Ke1 Shao4 min2] in 1920, sometimes listed as one of the 24 Dynastic Histories 二十四史[Er4 shi2 si4 Shi3]" -新兵,xīn bīng,new (army) recruit -新冠,xīn guān,"novel coronavirus (abbr. for 新型冠狀病毒|新型冠状病毒[xin1 xing2 guan1 zhuang4 bing4 du2]) (esp. SARS-CoV-2, the virus causing COVID-19)" -新冠病毒,xīn guān bìng dú,"novel coronavirus (abbr. for 新型冠狀病毒|新型冠状病毒[xin1 xing2 guan1 zhuang4 bing4 du2]) (esp. SARS-CoV-2, the virus causing COVID-19)" -新冠肺炎,xīn guān fèi yán,"COVID-19, the coronavirus disease identified in 2019" -新出炉,xīn chū lú,fresh out of the oven; fig. novelty just announced; recently made available -新出生,xīn chū shēng,newly born -新剧同志会,xīn jù tóng zhì huì,"New Play Comrade Society, Chinese theatrical company founded in 1912, a continuation of the Spring Willow Society 春柳社[Chun1 liu3 she4]" -新力,xīn lì,"Sony (former name of the company used prior to 2009 in some markets including Taiwan, Hong Kong and Singapore, now replaced by 索尼[Suo3 ni2] in all markets)" -新加坡,xīn jiā pō,Singapore -新加坡人,xīn jiā pō rén,Singaporean person; Singaporean -新加坡国立大学,xīn jiā pō guó lì dà xué,National University of Singapore -新化,xīn huà,"Xinhua county in Loudi 婁底|娄底[Lou2 di3], Hunan; Hsinhua town in Tainan county 台南縣|台南县[Tai2 nan2 xian4], Taiwan" -新化市,xīn huà shì,Xinhua city in Hunan -新化县,xīn huà xiàn,"Xinhua county in Loudi 婁底|娄底[Lou2 di3], Hunan" -新化镇,xīn huà zhèn,"Hsinhua town in Tainan county 台南縣|台南县[Tai2 nan2 xian4], Taiwan" -新北,xīn běi,"Xinbei district of Changzhou city 常州市[Chang2 zhou1 shi4], Jiangsu; Hsinpei or New Taipei city in north Taiwan" -新北区,xīn běi qū,"Xinbei district of Changzhou city 常州市[Chang2 zhou1 shi4], Jiangsu" -新北市,xīn běi shì,"New Taipei City, administrative district in north Taiwan, formerly 臺北縣|台北县[Tai2 bei3 Xian4]" -新北界,xīn běi jiè,Nearctic realm -新南威尔士,xīn nán wēi ěr shì,"New South Wales, southeast Australian state" -新南威尔士州,xīn nán wēi ěr shì zhōu,New South Wales (Australian state) -新古典,xīn gǔ diǎn,neoclassical -新古典主义,xīn gǔ diǎn zhǔ yì,neoclassicism -新台币,xīn tái bì,New Taiwan dollar (NTD) -新和,xīn hé,"Toqsu nahiyisi (Xinhe county) in Aksu 阿克蘇地區|阿克苏地区[A1 ke4 su1 di4 qu1], west Xinjiang" -新和县,xīn hé xiàn,"Toqsu nahiyisi (Xinhe county) in Aksu 阿克蘇地區|阿克苏地区[A1 ke4 su1 di4 qu1], west Xinjiang" -新唐书,xīn táng shū,"History of the Later Tang Dynasty, seventeenth of the 24 dynastic histories 二十四史[Er4 shi2 si4 Shi3], compiled under Ouyang Xiu 歐陽修|欧阳修[Ou1 yang2 Xiu1] and Song Qi 宋祁[Song4 Qi2] in 1060 during Northern Song 北宋[Bei3 Song4], 225 scrolls" -新喀里多尼亚,xīn kā lǐ duō ní yà,New Caledonia -新四军,xīn sì jūn,"New Fourth army of Republic of China, set up in 1937 and controlled by the communists" -新园,xīn yuán,"Hsinyuan township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -新园乡,xīn yuán xiāng,"Hsinyuan township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -新土,xīn tǔ,freshly dug up earth -新型,xīn xíng,new type; new kind -新型冠状病毒,xīn xíng guān zhuàng bìng dú,"novel coronavirus (esp. SARS-CoV-2, the virus causing COVID-19)" -新型农村合作医疗,xīn xíng nóng cūn hé zuò yī liáo,New Rural Cooperative Medical Scheme; abbr. to 新農合|新农合 -新城,xīn chéng,"Xincheng or Hsincheng township in Hualien County 花蓮縣|花莲县[Hua1 lian2 Xian4], east Taiwan" -新城区,xīn chéng qū,"Xincheng District of Xi'an 西安市[Xi1 an1 Shi4], Shaanxi; Xincheng District of Hohhot City 呼和浩特市[Hu1 he2 hao4 te4 Shi4], Inner Mongolia" -新城病,xīn chéng bìng,Newcastle disease -新城县,xīn chéng xiàn,Xincheng county in Hebei -新城乡,xīn chéng xiāng,"Xincheng or Hsincheng township in Hualien County 花蓮縣|花莲县[Hua1 lian2 Xian4], east Taiwan" -新城电台,xīn chéng diàn tái,Metro Radio Hong Kong -新埔,xīn pǔ,"Xinpu or Hsinpu Town in Hsinchu County 新竹縣|新竹县[Xin1 zhu2 Xian4], northwest Taiwan" -新埔镇,xīn pǔ zhèn,"Xinpu or Hsinpu Town in Hsinchu County 新竹縣|新竹县[Xin1 zhu2 Xian4], northwest Taiwan" -新埤,xīn pí,"Hsinpi township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -新埤乡,xīn pí xiāng,"Hsinpi township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -新塘,xīn táng,"Xintang, common town or village name; Xintang village in Guangdong province" -新增,xīn zēng,to add (sth new); newly added; additional -新墨西哥,xīn mò xī gē,"New Mexico, US state" -新墨西哥州,xīn mò xī gē zhōu,"New Mexico, US state" -新大陆,xīn dà lù,the New World; the Americas as opposed to the Old World 舊大陸|旧大陆[jiu4 da4 lu4] or Eurasia -新天地,xīn tiān dì,"Xintiandi (shopping, eating and entertainment district of Shanghai)" -新奇,xīn qí,novel; new; exotic -新奥尔良,xīn ào ěr liáng,"New Orleans, Louisiana" -新威胁,xīn wēi xié,new danger -新娘,xīn niáng,bride -新娘子,xīn niáng zi,see 新娘[xin1 niang2] -新婚,xīn hūn,newly wed -新婚夫妇,xīn hūn fū fù,newly married couple; newlyweds -新婚宴尔,xīn hūn yàn ěr,variant of 新婚燕爾|新婚燕尔[xin1 hun1 yan4 er3] -新婚燕尔,xīn hūn yàn ěr,newlyweds -新妇,xīn fù,bride; (dialect) daughter-in-law -新嫁娘,xīn jià niáng,bride -新字体,xīn zì tǐ,"shinjitai, simplified Japanese character used since 1946" -新安,xīn ān,"Xin'an county in Luoyang 洛陽|洛阳, Henan" -新安县,xīn ān xiàn,"Xin'an county in Luoyang 洛陽|洛阳, Henan" -新官上任三把火,xīn guān shàng rèn sān bǎ huǒ,(of a newly appointed official) to make bold changes on assuming office (idiom) -新宿,xīn sù,"Shinjuku, Tokyo" -新密,xīn mì,"Xinmi, county-level city in Zhengzhou 鄭州|郑州[Zheng4 zhou1], Henan" -新密市,xīn mì shì,"Xinmi, county-level city in Zhengzhou 鄭州|郑州[Zheng4 zhou1], Henan" -新宁,xīn níng,"Xinning county in Shaoyang 邵陽|邵阳[Shao4 yang2], Hunan" -新宁县,xīn níng xiàn,"Xinning county in Shaoyang 邵陽|邵阳[Shao4 yang2], Hunan" -新宠,xīn chǒng,current favorite; the latest thing; darling (of the market or the media etc) -新居,xīn jū,new residence; new home -新屋,xīn wū,"Xinwu or Hsinwu township in Taoyuan county 桃園縣|桃园县[Tao2 yuan2 xian4], north Taiwan" -新屋乡,xīn wū xiāng,"Xinwu or Hsinwu township in Taoyuan county 桃園縣|桃园县[Tao2 yuan2 xian4], north Taiwan" -新山,xīn shān,Johor Bahru (city in Malaysia) -新巴尔虎右旗,xīn bā ěr hǔ yòu qí,"New Barag right banner in Hulunbuir 呼倫貝爾|呼伦贝尔[Hu1 lun2 bei4 er3], Inner Mongolia" -新巴尔虎左旗,xīn bā ěr hǔ zuǒ qí,"New Barag left banner in Hulunbuir 呼倫貝爾|呼伦贝尔[Hu1 lun2 bei4 er3], Inner Mongolia" -新市,xīn shì,"Hsinshih township in Tainan county 台南縣|台南县[Tai2 nan2 xian4], Taiwan" -新市区,xīn shì qū,"Xinshi District of Ürümqi, Xinjiang; Sinshih District of Tainan, Taiwan" -新市镇,xīn shì zhèn,new town; planned community -新平彝族傣族自治县,xīn píng yí zú dǎi zú zì zhì xiàn,"Xinping Yi and Dai autonomous county in Yuxi 玉溪[Yu4 xi1], Yunnan" -新平县,xīn píng xiàn,"Xinping Yi and Dai autonomous county in Yuxi 玉溪[Yu4 xi1], Yunnan" -新年,xīn nián,New Year; CL:個|个[ge4] -新年前夕,xīn nián qián xī,New Year's eve -新年快乐,xīn nián kuài lè,Happy New Year! -新干,xīn gàn,"Xingan County in Ji'an 吉安[Ji2 an1], Jiangxi" -新干线,xīn gàn xiàn,Shinkansen (Japanese high-speed train) -新干县,xīn gàn xiàn,"Xingan County in Ji'an 吉安[Ji2 an1], Jiangxi" -新几内亚,xīn jǐ nèi yà,New Guinea -新几内亚,xīn jǐ nèi yà,New Guinea -新店,xīn diàn,"Xindian or Hsintien city in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -新店市,xīn diàn shì,"Xindian or Hsintien city in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -新店溪,xīn diàn xī,"Xindian or Hsintian Creek, one of the rivers through Taipei, Taiwan" -新建,xīn jiàn,"Xinjian county in Nanchang 南昌, Jiangxi" -新建,xīn jiàn,new construction; newly built -新建县,xīn jiàn xiàn,"Xinjian county in Nanchang 南昌, Jiangxi" -新式,xīn shì,new style; latest type -新式拚法,xīn shì pīn fǎ,new spelling (linguistics) -新德里,xīn dé lǐ,"New Delhi, capital of India" -新思想,xīn sī xiǎng,new ideas -新愁旧恨,xīn chóu jiù hèn,new worries added to old hatred (idiom); afflicted by problems old and new -新意,xīn yì,new idea -新慕道团,xīn mù dào tuán,neo Catechumenal way -新成土,xīn chéng tǔ,primosol (soil taxonomy) -新房,xīn fáng,brand new house; bridal chamber -新手,xīn shǒu,new hand; novice; raw recruit -新技术,xīn jì shù,new technology -新拉,xīn lā,New Latin -新抚区,xīn fǔ qū,"Xinfu district of Fushun city 撫順市|抚顺市, Liaoning" -新政,xīn zhèng,new policy; New Deal (Roosevelt's 1933 policy to deal with the Great Depression) -新教,xīn jiào,Protestantism -新教徒,xīn jiào tú,Protestant; adherent of Protestantism -新文化运动,xīn wén huà yùn dòng,"the New Culture Movement (mid-1910s and 1920s), intellectual revolution against Confucianism aiming to introduce Western elements, especially democracy and science" -新斯科舍,xīn sī kē shè,"Nova Scotia province, Canada" -新新人类,xīn xīn rén lèi,"new generation of youths (generation X, Y etc)" -新昌,xīn chāng,"Xinchang county in Shaoxing 紹興|绍兴[Shao4 xing1], Zhejiang" -新昌县,xīn chāng xiàn,"Xinchang County in Shaoxing 紹興|绍兴[Shao4 xing1], Zhejiang" -新星,xīn xīng,(astronomy) nova; (fig.) new star; rising star -新春,xīn chūn,the beginning of Spring; the 10 or 20 days following the lunar New Year's Day -新春佳节,xīn chūn jiā jié,Chinese New Year festivities -新时代,xīn shí dài,new age -新晃,xīn huǎng,"Xinhuang Dong autonomous county in Huaihua 懷化|怀化[Huai2 hua4], Hunan" -新晃侗族自治县,xīn huǎng dòng zú zì zhì xiàn,"Xinhuang Dong autonomous county in Huaihua 懷化|怀化[Huai2 hua4], Hunan" -新晃县,xīn huǎng xiàn,"Xinhuang Dong autonomous county in Huaihua 懷化|怀化[Huai2 hua4], Hunan" -新历,xīn lì,Gregorian calendar; solar calendar -新会,xīn huì,"Xinhui county and district of Jiangmen city 江門市|江门市, Guangdong" -新会区,xīn huì qū,"Xinhui district of Jiangmen city 江門市|江门市, Guangdong" -新会市,xīn huì shì,Xinhui city in Guangdong -新会县,xīn huì xiàn,Xinhui county in Guangdong -新月,xīn yuè,new moon; crescent -新朝,xīn cháo,"the Xin dynasty (8-23 AD) of Wang Mang 王莽, forming the interregnum between the former and later Han" -新村,xīn cūn,new housing development -新林,xīn lín,"Xinlin district of Daxing'anling prefecture 大興安嶺地區|大兴安岭地区, Heilongjiang" -新林区,xīn lín qū,"Xinlin district of Daxing'anling prefecture 大興安嶺地區|大兴安岭地区, Heilongjiang" -新柏拉图主义,xīn bó lā tú zhǔ yì,neo-Platonism (philosophical system combining Platonism with mysticism) -新荣,xīn róng,"Xinrong district of Datong city 大同市[Da4 tong2 shi4], Shanxi" -新荣区,xīn róng qū,"Xinrong district of Datong city 大同市[Da4 tong2 shi4], Shanxi" -新乐,xīn lè,"Xinle, county-level city in Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1], Hebei" -新乐市,xīn lè shì,"Xinle, county-level city in Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1], Hebei" -新款,xīn kuǎn,new style; latest fashion; new model -新欢,xīn huān,new flame; new lover -新正,xīn zhēng,see 正月[Zheng1 yue4] -新殖民主义,xīn zhí mín zhǔ yì,neocolonialism -新殖民化,xīn zhí mín huà,neocolonialization -新民,xīn mín,"Xinmin, county-level city in Shenyang 瀋陽|沈阳, Liaoning" -新民主主义,xīn mín zhǔ zhǔ yì,New Democracy -新民主主义论,xīn mín zhǔ zhǔ yì lùn,"On New Democracy (1940), by Mao Zedong" -新民主主义革命,xīn mín zhǔ zhǔ yì gé mìng,(Maoism) New Democracy (aka New Democratic Revolution) -新民市,xīn mín shì,"Xinmin, county-level city in Shenyang 瀋陽|沈阳, Liaoning" -新民晚报,xīn mín wǎn bào,Xinmin Evening News -新沂,xīn yí,"Xinyi city in Xuzhou 徐州[Xu2 zhou1], Jiangsu" -新沂市,xīn yí shì,"Xinyi city in Xuzhou 徐州[Xu2 zhou1], Jiangsu" -新河,xīn hé,"Xinhe county in Xingtai 邢台[Xing2 tai2], Hebei" -新河县,xīn hé xiàn,"Xinhe county in Xingtai 邢台[Xing2 tai2], Hebei" -新泰,xīn tài,"Xintai, county-level city in Tai'an 泰安[Tai4 an1], Shandong" -新泰市,xīn tài shì,"Xintai, county-level city in Tai'an 泰安[Tai4 an1], Shandong" -新津,xīn jīn,"Xinjin county in Chengdu 成都[Cheng2 du1], Sichuan" -新津县,xīn jīn xiàn,"Xinjin county in Chengdu 成都[Cheng2 du1], Sichuan" -新洲,xīn zhōu,"Xinzhou district of Wuhan city 武漢市|武汉市[Wu3 han4 shi4], Hubei" -新洲区,xīn zhōu qū,"Xinzhou district of Wuhan city 武漢市|武汉市[Wu3 han4 shi4], Hubei" -新派,xīn pài,new faction -新浦,xīn pǔ,"Xinpu district of Lianyungang city 連雲港市|连云港市[Lian2 yun2 gang3 shi4], Jiangsu" -新浦区,xīn pǔ qū,"Xinpu district of Lianyungang city 連雲港市|连云港市[Lian2 yun2 gang3 shi4], Jiangsu" -新浪,xīn làng,"Sina, Chinese web portal and online media company" -新浪微博,xīn làng wēi bó,"Sina Weibo, Chinese microblogging website" -新浪网,xīn làng wǎng,"Sina, Chinese web portal and online media company" -新海峡时报,xīn hǎi xiá shí bào,New Strait Times (newspaper) -新港,xīn gǎng,"Xingang or Hsinkang Township in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -新港乡,xīn gǎng xiāng,"Xingang or Hsinkang Township in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -新源,xīn yuán,"Xinyuan County or Künes nahiyisi in Ili Kazakh Autonomous Prefecture 伊犁哈薩克自治州|伊犁哈萨克自治州[Yi1 li2 Ha1 sa4 ke4 Zi4 zhi4 zhou1], Xinjiang" -新源县,xīn yuán xiàn,"Xinyuan County or Künes nahiyisi in Ili Kazakh Autonomous Prefecture 伊犁哈薩克自治州|伊犁哈萨克自治州[Yi1 li2 Ha1 sa4 ke4 Zi4 zhi4 zhou1], Xinjiang" -新潟,xīn xì,"Niigata, a city and prefecture in Japan" -新潟县,xīn xì xiàn,Niigata prefecture in northwest Japan -新潮,xīn cháo,modern; fashionable -新泽西,xīn zé xī,"New Jersey, US state" -新泽西州,xīn zé xī zhōu,"New Jersey, US state" -新热带界,xīn rè dài jiè,Neotropic (ecozone) -新营,xīn yíng,"Hsinying city in Tainan county 台南縣|台南县[Tai2 nan2 xian4], Taiwan" -新营市,xīn yíng shì,"Hsinying city in Tainan county 台南縣|台南县[Tai2 nan2 xian4], Taiwan" -新版,xīn bǎn,new edition; new version -新瓶旧酒,xīn píng jiù jiǔ,old wine in a new bottle (idiom) -新瓶装旧酒,xīn píng zhuāng jiù jiǔ,old wine in a new bottle (idiom) -新生,xīn shēng,new; newborn; emerging; nascent; rebirth; regeneration; new life; new student -新生代,xīn shēng dài,Cenozoic (geological era covering the last 65m years) -新生代,xīn shēng dài,new generation -新生儿,xīn shēng ér,newborn baby; neonate -新产品,xīn chǎn pǐn,new product -新产品推介会,xīn chǎn pǐn tuī jiè huì,product launch event -新田,xīn tián,"Xintian county in Yongzhou 永州[Yong3 zhou1], Hunan" -新田县,xīn tián xiàn,"Xintian county in Yongzhou 永州[Yong3 zhou1], Hunan" -新界,xīn jiè,New Territories (in Hong Kong) -新异,xīn yì,new and different; novelty -新畿内亚,xīn jī nèi yà,New Guinea -新疆,xīn jiāng,Xinjiang; Uighur Autonomous Region 新疆維吾爾自治區|新疆维吾尔自治区[Xin1 jiang1 Wei2 wu2 er3 Zi4 zhi4 qu1] -新疆手抓饭,xīn jiāng shǒu zhuā fàn,Xinjiang lamb rice -新疆歌鸲,xīn jiāng gē qú,(bird species of China) common nightingale (Luscinia megarhynchos) -新疆温宿县,xīn jiāng wēn sù xiàn,Wensu County in Xinjiang -新疆生产建设兵团,xīn jiāng shēng chǎn jiàn shè bīng tuán,"Xinjiang Production and Construction Corps, also known as XPCC or Bingtuan (""the Corps""), a state-owned economic and paramilitary organization in China's Xinjiang Uyghur Autonomous Region" -新疆维吾尔自治区,xīn jiāng wéi wú ěr zì zhì qū,"Xinjiang Uighur Autonomous Region, abbr. 新[Xin1], capital Urumqi or Ürümqi 烏魯木齊|乌鲁木齐[Wu1 lu3 mu4 qi2]" -新知,xīn zhī,new knowledge; new friend -新石器,xīn shí qì,Neolithic -新石器时代,xīn shí qì shí dài,Neolithic Era -新社,xīn shè,"Xinshe or Hsinshe Township in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -新社乡,xīn shè xiāng,"Xinshe or Hsinshe Township in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -新禧,xīn xǐ,Happy New Year! -新秀,xīn xiù,rising star; new talent -新颖,xīn yǐng,lit. new bud; fig. new and original -新竹,xīn zhú,"Xinzhu or Hsinchu city in northern Taiwan, noted for high tech industries; Xinzhu or Hsinchu county in northwest Taiwan" -新竹市,xīn zhú shì,"Hsinchu, city in north Taiwan noted for its high tech industries" -新竹县,xīn zhú xiàn,Xinzhu or Hsinchu County in northwest Taiwan -新纪元,xīn jì yuán,New Age (movement) -新纪元,xīn jì yuán,new era; new epoch -新约,xīn yuē,New Testament -新约全书,xīn yuē quán shū,New Testament -新绛,xīn jiàng,"Xinjiang county in Yuncheng 運城|运城[Yun4 cheng2], Shanxi" -新绛县,xīn jiàng xiàn,"Xinjiang county in Yuncheng 運城|运城[Yun4 cheng2], Shanxi" -新编,xīn biān,to compile anew; new (version); newly set up (part of an organization) -新县,xīn xiàn,"Xin county in Xinyang 信陽|信阳, Henan" -新罕布什尔,xīn hǎn bù shí ěr,"New Hampshire, US state" -新罕布什尔州,xīn hǎn bù shí ěr zhōu,"New Hampshire, US state" -新罗,xīn luó,"Silla, Korean kingdom 57 BC-935 AD; one of the Korean Three Kingdoms from 1st century AD, defeating its rivals Paikche 百濟|百济[Bai3 ji4] and Koguryo 高句麗|高句丽[Gao1 gou1 li2] around 660 in alliance with Tang China; unified Silla 658-935" -新罗区,xīn luó qū,"Xinluo district of Longyan city 龍岩市|龙岩市, Fujian" -新罗王朝,xīn luó wáng cháo,"Silla, Korean kingdom 57 BC-935 AD; one of the Korean Three Kingdoms from 1st century AD, defeating its rivals Paikche 百濟|百济[Bai3 ji4] and Koguryo 高句麗|高句丽[Gao1 gou1 li2] around 660 in alliance with Tang China; unified Silla 658-935" -新义州市,xīn yì zhōu shì,"Shin'ŭiju, capital of North Pyong'an Province, North Korea" -新闻,xīn wén,"news; CL:條|条[tiao2],個|个[ge4]" -新闻主播,xīn wén zhǔ bō,newsreader; anchor -新闻出版总署,xīn wén chū bǎn zǒng shǔ,General Administration of Press and Publication (PRC state censorship organization) -新闻周刊,xīn wén zhōu kān,Newsweek magazine -新闻媒体,xīn wén méi tǐ,news media -新闻学,xīn wén xué,journalism -新闻工作者,xīn wén gōng zuò zhě,journalist -新闻界,xīn wén jiè,the press; the media -新闻发布会,xīn wén fā bù huì,news conference -新闻发言人,xīn wén fā yán rén,spokesman -新闻稿,xīn wén gǎo,press release -新闻策划,xīn wén cè huà,communication management; public relations -新闻组,xīn wén zǔ,newsgroup -新闻网,xīn wén wǎng,news agency -新闻自由,xīn wén zì yóu,freedom of the press -新闻处,xīn wén chù,news service; information agency -新闻记者,xīn wén jì zhě,journalist -新闻周刊,xīn wén zhōu kān,Newsweek magazine; also written 新聞周刊|新闻周刊 -新兴,xīn xīng,"Xinxing county in Yunfu 雲浮|云浮[Yun2 fu2], Guangdong; Xinxing or Hsinhsing district of Kaohsiung city 高雄市[Gao1 xiong2 shi4], south Taiwan" -新兴,xīn xīng,"(of markets, industries, infectious diseases etc) rising; emerging; in the ascendant" -新兴区,xīn xīng qū,"Xinxing district of Qitaihe city 七台河[Qi1 tai2 he2], Heilongjiang; Xinxing or Hsinhsing district of Kaohsiung city 高雄市[Gao1 xiong2 shi4], south Taiwan" -新兴产业,xīn xīng chǎn yè,emerging industry -新兴经济国家,xīn xīng jīng jì guó jiā,developing economic state; developing nation -新兴县,xīn xīng xiàn,"Xinxing county in Yunfu 雲浮|云浮[Yun2 fu2], Guangdong" -新芬党,xīn fēn dǎng,"Sinn Fein, Irish political party" -新芽,xīn yá,new shoot; new sprout -新英格兰,xīn yīng gé lán,New England -新庄,xīn zhuāng,"Xinzhuang or Hsinchuang city in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -新庄市,xīn zhuāng shì,"Xinzhuang or Hsinchuang city in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -新华,xīn huá,"Xinhua (New China), the name of various businesses, products and organizations, notably the Xinhua News Agency 新華社|新华社[Xin1 hua2 she4]" -新华区,xīn huá qū,"Xinhua District; Xinhua District of Shijiazhuang City 石家莊市|石家庄市[Shi2 jia1 zhuang1 Shi4], Hebei; Xinhua District of Cangzhou City 滄州市|沧州市[Cang1 zhou1 Shi4], Hebei" -新华日报,xīn huá rì bào,Xinhua Daily newspaper -新华书店,xīn huá shū diàn,"Xinhua Bookstore, China's largest bookstore chain" -新华社,xīn huá shè,"Xinhua News Agency, founded in 1931 as the press outlet of the Chinese Communist Party" -新华网,xīn huá wǎng,Xinhua News Network -新蔡,xīn cài,"Xincai county in Zhumadian 駐馬店|驻马店[Zhu4 ma3 dian4], Henan" -新蔡县,xīn cài xiàn,"Xincai county in Zhumadian 駐馬店|驻马店[Zhu4 ma3 dian4], Henan" -新艺拉玛,xīn yì lā mǎ,Cinerama -新艺综合体,xīn yì zōng hé tǐ,CinemaScope -新西伯利亚,xīn xī bó lì yà,Novosibirsk (city in Russia) -新西伯利亚市,xīn xī bó lì yà shì,"Novosibirsk, city in Russia" -新西兰,xīn xī lán,New Zealand -新规,xīn guī,new rule -新词,xīn cí,new expression; neologism -新丰,xīn fēng,"Xinfeng County in Shaoguan 韶關|韶关[Shao2 guan1], Guangdong; Xinfeng or Hsinfeng township in Hsinchu County 新竹縣|新竹县[Xin1 zhu2 Xian4], northwest Taiwan" -新丰县,xīn fēng xiàn,"Xinfeng County in Shaoguan 韶關|韶关[Shao2 guan1], Guangdong" -新丰乡,xīn fēng xiāng,"Xinfeng or Hsinfeng township in Hsinchu County 新竹縣|新竹县[Xin1 zhu2 Xian4], northwest Taiwan" -新贵,xīn guì,nouveau riche; upstart; new appointee -新宾满族自治县,xīn bīn mǎn zú zì zhì xiàn,"Xinbin Manchu autonomous county in Fushun 撫順|抚顺, Liaoning" -新宾县,xīn bīn xiàn,"Xinbin county in Fushun 撫順|抚顺, Liaoning" -新军,xīn jūn,"New Armies (modernized Qing armies, trained and equipped according to Western standards, founded after Japan's victory in the First Sino-Japanese War in 1895)" -新农合,xīn nóng hé,New Rural Cooperative Medical Scheme; abbr. for 新型農村合作醫療|新型农村合作医疗 -新近,xīn jìn,newly -新造,xīn zào,"Xinzao town, Guangdong" -新造,xīn zào,newly made -新造镇,xīn zào zhèn,"Xinzao town, Guangdong" -新选,xīn xuǎn,newly elected -新邱,xīn qiū,"Xinqiu district of Fuxin city 阜新市, Liaoning" -新邱区,xīn qiū qū,"Xinqiu district of Fuxin city 阜新市, Liaoning" -新邵,xīn shào,"Xinshao county in Shaoyang 邵陽|邵阳[Shao4 yang2], Hunan" -新邵县,xīn shào xiàn,"Xinshao county in Shaoyang 邵陽|邵阳[Shao4 yang2], Hunan" -新郎,xīn láng,bridegroom; groom -新郎倌,xīn láng guān,bridegroom; groom -新郎官,xīn láng guān,bridegroom; groom -新都,xīn dū,"Xindu or Newtown district of Chengdu city 成都市[Cheng2 du1 shi4], Sichuan" -新都区,xīn dū qū,"Xindu or Newtown district of Chengdu city 成都市[Cheng2 du1 shi4], Sichuan" -新都桥,xīn dū qiáo,"Xinduqiao town in Dartsendo county 康定縣|康定县[Kang1 ding4 xian4], Garze Tibetan autonomous prefecture, Sichuan" -新都桥镇,xīn dū qiáo zhèn,"Xinduqiao town in Dartsendo county 康定縣|康定县[Kang1 ding4 xian4], Garze Tibetan autonomous prefecture, Sichuan" -新乡,xīn xiāng,"Xinxiang, prefecture-level city in Henan" -新乡市,xīn xiāng shì,"Xinxiang, prefecture-level city in Henan" -新乡县,xīn xiāng xiàn,"Xinxiang county in Xinxiang 新鄉|新乡[Xin1 xiang1], Henan" -新郑,xīn zhèng,"Xinzheng, county-level city in Zhengzhou 鄭州|郑州[Zheng4 zhou1], Henan" -新郑市,xīn zhèng shì,"Xinzheng, county-level city in Zhengzhou 鄭州|郑州[Zheng4 zhou1], Henan" -新野,xīn yě,"Xinye county in Nanyang 南陽|南阳[Nan2 yang2], Henan" -新野县,xīn yě xiàn,"Xinye county in Nanyang 南陽|南阳[Nan2 yang2], Henan" -新金县,xīn jīn xiàn,Xinjin county in Liaoning -新锐,xīn ruì,"cutting-edge (in technology, science, fashion, the arts etc); novel and competitive; new and dashing" -新陈代谢,xīn chén dài xiè,metabolism (biology); the new replaces the old (idiom) -新阶段,xīn jiē duàn,new level; higher plane -新雅,xīn yǎ,fresh; new and elegant -新霉素,xīn méi sù,neomycin (antibiotic) -新青,xīn qīng,"Xinqing district of Yichun city 伊春市[Yi1 chun1 shi4], Heilongjiang" -新青区,xīn qīng qū,"Xinqing district of Yichun city 伊春市[Yi1 chun1 shi4], Heilongjiang" -新风,xīn fēng,new trend; new custom -新风系统,xīn fēng xì tǒng,ventilation system that purifies outdoor air during intake -新余,xīn yú,"Xinyu, prefecture-level city in Jiangxi" -新余市,xīn yú shì,"Xinyu, prefecture-level city in Jiangxi" -新马,xīn mǎ,abbr. for Singapore 新加坡[Xin1jia1po1] + Malaysia 馬來西亞|马来西亚[Ma3lai2xi1ya4] -新马泰,xīn mǎ tài,abbr. for Singapore 新加坡[Xin1jia1po1] + Malaysia 馬來西亞|马来西亚[Ma3lai2xi1ya4] + Thailand 泰國|泰国[Tai4guo2] -新高,xīn gāo,new high -新鲜,xīn xiān,"fresh (experience, food etc); freshness; novel; uncommon" -新党,xīn dǎng,New Party (Republic of China) -新龙,xīn lóng,"Xinlong county (Tibetan: nyag rong rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1], Sichuan (formerly in Kham province of Tibet)" -新龙县,xīn lóng xiàn,"Xinlong county (Tibetan: nyag rong rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1], Sichuan (formerly in Kham province of Tibet)" -斫,zhuó,to chop; to carve wood -斫,zhuó,variant of 斲|斫[zhuo2] -断,duàn,to break; to snap; to cut off; to give up or abstain from sth; to judge; (usu. used in the negative) absolutely; definitely; decidedly -断乎,duàn hū,certainly -断乳,duàn rǔ,to wean; to be weaned; (TCM) to use medication to stop lactation -断交,duàn jiāo,to end a relationship; to break off diplomatic ties -断代,duàn dài,periodization (of history) -断供,duàn gōng,to default on a mortgage; to stop supplying sth -断句,duàn jù,to pause at appropriate points in reading aloud unpunctuated writing; to punctuate -断垣残壁,duàn yuán cán bì,lit. walls reduced to rubble (idiom); fig. scene of devastation; ruins -断壁残垣,duàn bì cán yuán,lit. walls reduced to rubble (idiom); fig. scene of devastation; ruins -断壁颓垣,duàn bì tuí yuán,lit. walls reduced to rubble (idiom); fig. scene of devastation; ruins -断奶,duàn nǎi,to wean -断子绝孙,duàn zǐ jué sūn,to die without progeny; (offensive) may you die childless; may you be the last of your family line -断定,duàn dìng,to conclude; to determine; to come to a judgment -断尾,duàn wěi,(zoology) (of a lizard etc) to shed its tail; to autotomize its tail; (animal husbandry) to cut the tail short; to dock the tail -断层,duàn céng,"fault (geology); CL:道[dao4],個|个[ge4]; (fig.) gap; rupture (in the transmission of some skill); (tomography) cross-sectional" -断层线,duàn céng xiàn,geological fault line -断崖,duàn yá,steep cliff; crag; precipice -断崖式,duàn yá shì,"(of a fall in price, temperature etc) steep; precipitous" -断弦,duàn xián,"widowed; lit. broken string, cf 琴瑟[qin2 se4] qin and se, two instruments epitomizing marital harmony" -断想,duàn xiǎng,brief commentary -断舍离,duàn shě lí,"(neologism c. 2012) decluttering; minimalism (orthographic borrowing from Japanese 断捨離 ""danshari"", lit. ""forgoing, discarding and letting go"")" -断断续续,duàn duàn xù xù,intermittent; off and on; discontinuous; stop-go; stammering; disjointed; inarticulate -断案,duàn àn,to judge a case -断桥,duàn qiáo,The Broken Bridge (at West Lake in Hangzhou) -断档,duàn dàng,sold out; to be out of stock -断气,duàn qì,to stop breathing; to breathe one's last; to die; to cut the gas supply -断流,duàn liú,to run dry (of river) -断港绝潢,duàn gǎng jué huáng,to be unable to continue; to come to a dead end (idiom) -断灭,duàn miè,"annihilation (of soul, Sanskrit uccheda)" -断灭论,duàn miè lùn,"annihilation (of soul, Sanskrit uccheda)" -断然,duàn rán,resolute; definitive; categorically; absolutely -断片,duàn piàn,fragment; piece; (of a film) to break in the middle of viewing -断片儿,duàn piàn er,(coll.) to suffer an alcohol-induced blackout; to be unable to recall what one did while drunk -断狱,duàn yù,to pass judgment on a legal case -断球,duàn qiú,(sports) to steal; to intercept the ball -断瓦残垣,duàn wǎ cán yuán,"the tiles are broken, the walls dilapidated" -断章取义,duàn zhāng qǔ yì,(idiom) to quote out of context -断粮,duàn liáng,to run out of food -断绝,duàn jué,to sever; to break off -断网,duàn wǎng,to cut off access to the Internet; to shut down the Internet -断线,duàn xiàn,"(of a guitar, kite etc) to have a string break; (of a tradition etc) to be discontinued; (telephone or Internet connection) disconnected; cut off" -断线钳,duàn xiàn qián,bolt cutter -断线风筝,duàn xiàn fēng zhēng,a kite that is lost after its string breaks (metaphor for sb one never hears from anymore) -断续,duàn xù,intermittent -断背,duàn bèi,"homosexual (a reference to Brokeback Mountain 斷背山|断背山[Duan4 bei4 Shan1], a 2005 movie about a same-sex relationship)" -断背山,duàn bèi shān,"Brokeback Mountain, 2005 English-language film by Ang Lee 李安[Li3 An1]" -断肠,duàn cháng,heartbroken; to break one's heart -断腿,duàn tuǐ,broken leg -断行,duàn háng,line break (computing) -断行,duàn xíng,to carry out resolutely -断袖,duàn xiù,homosexual; see 斷袖之癖|断袖之癖[duan4 xiu4 zhi1 pi3] -断袖之癖,duàn xiù zhī pǐ,"lit. cut sleeve (idiom); fig. euphemism for homosexuality, originating from History of Western Han 漢書|汉书: emperor Han Aidi (real name Liu Xin) was in bed with his lover Dong Xian, and had to attend a court audience that morning. Not wishing to awaken Dong Xian, who was sleeping with his head resting on the emperor's long robe sleeve, Aidi used a knife to cut off the lower half of his sleeve." -断裂,duàn liè,fracture; rupture; to break apart -断裂带,duàn liè dài,fault zone (geology) -断裂强度,duàn liè qiáng dù,rupture strength; breaking strength -断裂模数,duàn liè mó shù,modulus rupture -断言,duàn yán,to assert; assertion -断语,duàn yǔ,conclusion; judgment; verdict -断货,duàn huò,to run out of (stock) -断路器,duàn lù qì,circuit breaker -断送,duàn sòng,"to forfeit (future profit, one's life etc); ruined" -断开,duàn kāi,to break; to sever; to turn off (electric switch) -断电,duàn diàn,to experience a power outage; to have a power failure -断顿,duàn dùn,to go without meals (due to poverty or scarcity) -断头台,duàn tóu tái,guillotine; scaffold -断食,duàn shí,to fast; hunger strike -断魂椒,duàn hún jiāo,king cobra or ghost chili (Naga jolokia) -断点,duàn diǎn,(computing) breakpoint -方,fāng,surname Fang -方,fāng,"square; power or involution (math.); upright; honest; fair and square; direction; side; party (to a contract, dispute etc); place; method; prescription (medicine); just when; only or just; classifier for square things; abbr. for square or cubic meter" -方丈,fāng zhang,"one of three fabled islands in Eastern sea, abode of immortals" -方丈,fāng zhang,square zhang (i.e. unit of area 10 feet square); monastic room 10 feet square; Buddhist or Daoist abbot; abbot's chamber -方位,fāng wèi,direction; points of the compass; bearing; position; azimuth -方位角,fāng wèi jiǎo,azimuth -方位词,fāng wèi cí,noun of locality (linguistics) -方便,fāng biàn,convenient; suitable; to facilitate; to make things easy; having money to spare; (euphemism) to relieve oneself -方便贴,fāng biàn tiē,Post-it note; sticky note -方便面,fāng biàn miàn,instant noodles -方册,fāng cè,ancient books and volumes; classical writings -方剂,fāng jì,prescription; recipe (Chinese medicine) -方向,fāng xiàng,direction; orientation; CL:個|个[ge4] -方向性,fāng xiàng xìng,directionality (molecular biology) -方向感,fāng xiàng gǎn,sense of direction -方向盘,fāng xiàng pán,steering wheel -方命,fāng mìng,against orders; to disobey; to refuse to accept orders -方圆,fāng yuán,perimeter; range; (within) a radius of ... -方城,fāng chéng,"Fangcheng county in Nanyang 南陽|南阳[Nan2 yang2], Henan" -方城,fāng chéng,square castle; mahjong layout (with the tiles laid out as a square) -方城县,fāng chéng xiàn,"Fangcheng county in Nanyang 南陽|南阳[Nan2 yang2], Henan" -方块,fāng kuài,cube; block; square; rectangle; diamond ♦ (in card games) -方块字,fāng kuài zì,Chinese characters -方块舞,fāng kuài wǔ,square dance (traditional American dance) -方块草皮,fāng kuài cǎo pí,divot (golf) -方士,fāng shì,alchemist; necromancer -方妮,fāng nī,Fanny (name) -方子,fāng zi,prescription (of medicine) -方孔钱,fāng kǒng qián,"round coin with a square hole in the middle, used in former times in China" -方家,fāng jiā,learned person; expert in a certain field; abbr. for 大方之家[da4 fang1 zhi1 jia1] -方寸,fāng cùn,"square cun (Chinese unit of area: 1 cun × 1 cun, or 3⅓ cm × 3⅓ cm); heart; mind" -方寸大乱,fāng cùn dà luàn,(idiom) to become agitated; to get worked up -方寸已乱,fāng cùn yǐ luàn,(idiom) confused; troubled; bewildered -方山,fāng shān,"Fangshan county in Lüliang 呂梁|吕梁[Lu:3 liang2], Shanxi 山西" -方山县,fāng shān xiàn,"Fangshan county in Lüliang 呂梁|吕梁[Lu:3 liang2], Shanxi 山西" -方差,fāng chā,variance (statistics) -方帽,fāng mào,mortarboard; square academic cap -方式,fāng shì,way; manner; style; mode; pattern; CL:個|个[ge4] -方形,fāng xíng,square; square-shaped -方志,fāng zhì,local chronicles; district records -方才,fāng cái,just now; then -方括号,fāng kuò hào,square brackets [ ] -方文山,fāng wén shān,"Vincent Fang (1969-), Taiwanese multi-Golden Melody Award lyricist" -方方正正,fāng fāng zhèng zhèng,square-shaped -方方面面,fāng fāng miàn miàn,all sides; all aspects; multifaceted -方枘圆凿,fāng ruì yuán záo,to put a square peg in a round hole; incompatible (idiom) -方根,fāng gēn,"(math.) root (as in ""fourth root (∜)"", 4次方根[si4 ci4 fang1 gen1])" -方格,fāng gé,checked pattern; square box character (in Chinese text) indicating an illegible character -方格纸,fāng gé zhǐ,squared paper; graph paper; grid paper (manuscript paper with squares for Chinese characters) -方框图,fāng kuàng tú,flowchart; block diagram -方案,fāng àn,"plan; program (for action etc); proposal; proposed bill; CL:個|个[ge4],套[tao4]" -方正,fāng zhèng,"Fangzheng county in Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1], Heilongjiang" -方正,fāng zhèng,clear and square; neat; square (person) -方正县,fāng zhèng xiàn,"Fangzheng county in Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1], Heilongjiang" -方毅,fāng yì,"Fang Yi (1916-1997), senior party apparatchik" -方法,fāng fǎ,method; way; means; CL:個|个[ge4] -方法学,fāng fǎ xué,methodology -方法论,fāng fǎ lùn,"methodology; Discours de la méthode by René Descartes 笛卡兒|笛卡儿[Di2 ka3 er2], 1637" -方滋未艾,fāng zī wèi ài,flourishing and still in the ascendant (idiom); rapidly expanding; still growing strong; on the up -方物,fāng wù,produced locally; local product (with distinctive native features) -方知,fāng zhī,to realize only then -方程,fāng chéng,mathematical equation -方程式,fāng chéng shì,equation -方程组,fāng chéng zǔ,(math.) simultaneous equations; system of equations -方策,fāng cè,strategy; policy; general plan; variant of 方冊|方册[fang1 ce4] -方糖,fāng táng,sugar cube -方能,fāng néng,can then (and only then) -方腿,fāng tuǐ,processed ham product -方腊,fāng là,Fang La -方兴未已,fāng xīng wèi yǐ,flourishing and still in the ascendant (idiom); rapidly expanding; still growing strong; on the up -方兴未艾,fāng xīng wèi ài,flourishing and still in the ascendant (idiom); rapidly expanding; still growing strong; on the up -方舟,fāng zhōu,ark -方舱,fāng cāng,portable building; demountable building; transportable building; (UK) portacabin -方庄,fāng zhuāng,Fangzhuang neighborhood of Beijing -方术,fāng shù,"arts of healing, divination, horoscope etc; supernatural arts (old)" -方解石,fāng jiě shí,calcite (CaCO3 as rock-forming mineral) -方言,fāng yán,"the first Chinese dialect dictionary, edited by Yang Xiong 揚雄|扬雄[Yang2 Xiong2] in 1st century, containing over 9000 characters" -方言,fāng yán,topolect; dialect -方针,fāng zhēn,policy; guidelines; CL:個|个[ge4] -方铅矿,fāng qiān kuàng,galena -方阵,fāng zhèn,square-shaped formation (military); phalanx; (math.) matrix -方面,fāng miàn,respect; aspect; field; side; CL:個|个[ge4] -方音,fāng yīn,dialectal accent -方顶,fāng dǐng,square roof -方头,fāng tóu,square headed -方头巾,fāng tóu jīn,headscarf -方头括号,fāng tóu kuò hào,lenticular brackets (【】 or 〖〗) -方头螺帽,fāng tóu luó mào,square headed nut -于,yú,(of time or place) in; at; on; (indicating any indirect relation) to; toward; vis-à-vis; with regard to; for; (indicating a source) from; out of; (used in comparison) than; (used in the passive voice) by -於,yū,surname Yu; Taiwan pr. [Yu2] -於,wū,(literary) Oh!; Ah! -于事无补,yú shì wú bǔ,unhelpful; useless -于心不忍,yú xīn bù rěn,can't bear to -于是,yú shì,thereupon; as a result; consequently; thus; hence -于是乎,yú shì hū,therefore -于焉,yú yān,(classical) see 於是|于是[yu2 shi4] -于田,yú tián,"Yutian County in Hotan Prefecture 和田地區|和田地区[He2 tian2 Di4 qu1], Xinjiang" -于田县,yú tián xiàn,"Yutian County in Hotan Prefecture 和田地區|和田地区[He2 tian2 Di4 qu1], Xinjiang" -于都,yú dū,"Yudu county in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -于都县,yú dū xiàn,"Yudu county in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -施,shī,surname Shi -施,shī,(bound form) to put into effect (regulations etc); to distribute (alms etc); to apply (fertilizer etc) -施主,shī zhǔ,benefactor (term used by a monk to address a layperson); donor (semiconductor) -施主能级,shī zhǔ néng jí,donor level (semiconductor) -施予,shī yǔ,variant of 施與|施与[shi1 yu3] -施事,shī shì,(linguistics) agent; doer -施事者,shī shì zhě,(linguistics) agent; doer -施以,shī yǐ,to inflict (punishment); to provide (training etc); to apply (pressure etc) -施加,shī jiā,to exert (effort or pressure) -施压,shī yā,to pressure -施密特,shī mì tè,Schmidt or Schmitt (surname) -施展,shī zhǎn,to use fully; to put to use -施工,shī gōng,construction; to carry out construction or large-scale repairs -施工单位,shī gōng dān wèi,unit in charge of construction; builder -施恩,shī ēn,to confer a favor on sb; to confer a benefit -施惠,shī huì,to give charity to sb; to oblige -施打,shī dǎ,to inject (a vaccine etc) -施舍,shī shě,to give in charity; to give alms (to the poor) -施放,shī fàng,"to fire; to discharge; to release (fireworks, smokescreen, poison gas, virus etc)" -施政,shī zhèng,administration -施政报告,shī zhèng bào gào,administrative report -施教,shī jiào,teaching -施明德,shī míng dé,"Shih Ming-teh (1941-), Taiwanese politician, imprisoned 1962-1977 and 1980-1990 under the Guomindang, subsequently a leader of DPP 民進黨|民进党, in 2006 led protests against Chen Shui-Bian 陳水扁|陈水扁[Chen2 Shui3 bian3]" -施暴,shī bào,to use violence; to attack; to assault -施乐,shī lè,Xerox -施治,shī zhì,to apply a treatment; to undertake a therapy -施法,shī fǎ,to implement the law; to perform sorcery -施泰尔马克,shī tài ěr mǎ kè,"Styria (Steiermark), province of Austria" -施洗,shī xǐ,baptize -施洗约翰,shī xǐ yuē hàn,John the Baptist -施洗者约翰,shī xǐ zhě yuē hàn,John the Baptist -施特劳斯,shī tè láo sī,"Strauss (name); Johann Strauss (1825-1899), Austrian composer; Richard Strauss (1864-1949), German composer" -施琅,shī láng,"Shi Lang (1621-1696), Chinese admiral who served under the Ming and Qing Dynasties" -施瓦布,shī wǎ bù,Schwab (name) -施瓦辛格,shī wǎ xīn gé,"Arnold Schwarzenegger (1947-), US actor and politician, governor of California 2003-2011" -施用,shī yòng,to implement; to use -施甸,shī diàn,"Shidian county in Baoshan 保山[Bao3 shan1], Yunnan" -施甸县,shī diàn xiàn,"Shidian county in Baoshan 保山[Bao3 shan1], Yunnan" -施礼,shī lǐ,to salute; to greet -施秉,shī bǐng,"Shibing county in Qiandongnan Miao and Dong autonomous prefecture 黔東南州|黔东南州[Qian2 dong1 nan2 zhou1], Guizhou" -施秉县,shī bǐng xiàn,"Shibing county in Qiandongnan Miao and Dong autonomous prefecture 黔東南州|黔东南州[Qian2 dong1 nan2 zhou1], Guizhou" -施粥舍饭,shī zhōu shě fàn,to provide alms and rice (idiom) -施罗德,shī luó dé,"Schröder (name); Gerhard Schröder (1944-), German SPD politician, Chancellor 1998-2005" -施耐庵,shī nài ān,"Shi Nai'an (1296-1371), author of Water Margin or Outlaws of the Marsh 水滸傳|水浒传[Shui3 hu3 Zhuan4]" -施肥,shī féi,to spread manure; to apply fertilizer -施与,shī yǔ,to donate; to give; to grant; to distribute; to administer -施华洛世奇水晶,shī huá luò shì qí shuǐ jīng,Swarovski crystal -施虐,shī nüè,"to torment; to abuse (an animal, child etc)" -施虐受虐,shī nüè shòu nüè,sado-masochism -施虐狂,shī nüè kuáng,sadism (psychiatry) -施虐癖,shī nüè pǐ,sadism (fetish) -施虐者,shī nüè zhě,abuser; (in sadomasochism) dominant partner -施行,shī xíng,to put in place; to put into practice; to take effect -施食,shī shí,"to give food (as a charity); ""feeding the hungry ghosts"" (Buddhist ceremony)" -斿,yóu,scallops along lower edge of flag -旁,páng,"one side; other; different; lateral component of a Chinese character (such as 刂[dao1], 亻[ren2] etc)" -旁人,páng rén,other people; bystanders; onlookers; outsiders -旁敲侧击,páng qiāo cè jī,to make insinuations; to take an indirect approach (in making inquiries) (idiom) -旁氏,páng shì,Pond's (brand of skin care products) -旁白,páng bái,aside (theater); voice-over; background narration -旁皇,páng huáng,variant of 彷徨[pang2huang2] -旁系,páng xì,collateral relative (descended from a common ancestor but through different lines) -旁听,páng tīng,to sit in on (proceedings); to be present at a meeting as an observer; to audit (a class) -旁听生,páng tīng shēng,auditor (student) -旁腱肌,páng jiàn jī,see 膕旁腱肌|腘旁腱肌[guo2 pang2 jian4 ji1]; hamstring (anatomy) -旁若无人,páng ruò wú rén,to act as though there were nobody else present; unselfconscious; fig. without regard for others -旁观,páng guān,spectator; non-participant -旁观者,páng guān zhě,observer; spectator -旁观者清,páng guān zhě qīng,an outsider can see things more clearly or objectively than those involved (idiom) -旁证,páng zhèng,circumstantial evidence -旁路,páng lù,to bypass -旁遮普,páng zhē pǔ,Punjab state of India; Punjab province of Pakistan -旁遮普省,páng zhē pǔ shěng,Punjab province of Pakistan -旁遮普邦,páng zhē pǔ bāng,Punjab state in northwest India bordering Pakistan -旁边,páng biān,side; adjacent place -旁边儿,páng biān er,erhua variant of 旁邊|旁边[pang2 bian1] -旁门,páng mén,side door -旁门左道,páng mén zuǒ dào,dissenting religious sect (idiom); heretical school of opinion; dissident group -旁骛,páng wù,to be inattentive; to be distracted by sth -旗,qí,flag; variant of 旗[qi2] -旃,zhān,felt; silken banner -旃檀,zhān tán,"sandalwood (loanword from Sanskrit ""candana"")" -旄,máo,banner decorated with animal's tail -旄,mào,variant of 耄[mao4] -旄倪,mào ní,variant of 耄倪[mao4 ni2] -旄期,mào qī,variant of 耄期[mao4 qi1] -旄车,máo chē,an ancient war chariot; CL:輛|辆[liang4] -旅,lǚ,trip; travel; to travel; brigade (army) -旅充,lǚ chōng,travel wall charger (Tw) -旅大,lǚ dà,"Lüshun 旅順|旅顺[Lu:3 shun4] port and Dalian city 大連|大连[Da4 lian2], Liaoning Province 遼寧省|辽宁省[Liao2 ning2 Sheng3]" -旅大市,lǚ dà shì,former name of Dalian city 大連|大连[Da4 lian2] incorporating Lüshun 旅順|旅顺[Lu:3 shun4] -旅大租地条约,lǚ dà zū dì tiáo yuē,unequal treaty of 1898 whereby the Qing dynasty ceded the lease of Lüshun (Port Arthur) to Russia -旅客,lǚ kè,traveler; tourist -旅居,lǚ jū,to stay away from home; residence abroad; sojourn -旅居车,lǚ jū chē,motorhome; RV (recreational vehicle) -旅平险,lǚ píng xiǎn,travel insurance covering medical expenses (abbr. for 旅遊平安險|旅游平安险[lu:3 you2 ping2 an1]) -旅店,lǚ diàn,inn; small hotel -旅检,lǚ jiǎn,passenger inspection (customs) -旅社,lǚ shè,hotel; hostel -旅程,lǚ chéng,journey; trip -旅程表,lǚ chéng biǎo,itinerary -旅舍,lǚ shè,inn; small hotel; hostel -旅行,lǚ xíng,"to travel; journey; trip; CL:趟[tang4],次[ci4]" -旅行团,lǚ xíng tuán,tour group -旅行支票,lǚ xíng zhī piào,traveler's check -旅行社,lǚ xíng shè,travel agency -旅行者,lǚ xíng zhě,traveler -旅行袋,lǚ xíng dài,travel bag -旅行装备,lǚ xíng zhuāng bèi,travel equipment; travel gear -旅费,lǚ fèi,travel expenses -旅途,lǚ tú,journey; trip -旅游,lǚ yóu,trip; journey; tourism; travel; tour; to travel -旅游胜地,lǚ yóu shèng dì,tourist center -旅游团,lǚ yóu tuán,tour group -旅游城市,lǚ yóu chéng shì,tourist city -旅游客,lǚ yóu kè,a tourist -旅游景点,lǚ yóu jǐng diǎn,tourist attraction; travel sight -旅游业,lǚ yóu yè,tourism industry -旅游热点,lǚ yóu rè diǎn,a hot tourist attraction; a tourist trap -旅游者,lǚ yóu zhě,tourist; traveler; visitor -旅游集散中心,lǚ yóu jí sàn zhōng xīn,tour group assembly and dispatch center -旅长,lǚ zhǎng,(military) brigade commander -旅顺,lǚ shùn,"Lüshun; Lüshunkou district of Dalian city 大連市|大连市, Liaoning; called Port Arthur during Russian occupation and Russian-Japanese war of 1905" -旅顺口,lǚ shùn kǒu,"Lüshunkou district of Dalian city 大連市|大连市, Liaoning" -旅顺口区,lǚ shùn kǒu qū,"Lüshunkou district of Dalian city 大連市|大连市, Liaoning" -旅顺港,lǚ shùn gǎng,"Lüshun port, on the tip of the Liaoning peninsula; called Port Arthur during Russian occupation and Russian-Japanese war of 1905; in Lüshunkou district of Dalian 大連|大连, Liaoning" -旅馆,lǚ guǎn,hotel; CL:家[jia1] -旆,pèi,pennant; streamer -旋,xuán,to revolve; a loop; a circle -旋,xuàn,to whirl; immediately; variant of 鏇|镟[xuan4] -旋乾转坤,xuán qián zhuǎn kūn,lit. overturning heaven and earth (idiom); earth-shattering; a radical change -旋光,xuán guāng,rotation of plane of polarization of light -旋前肌,xuán qián jī,pronator teres muscle (below the elbow) -旋即,xuán jí,soon after; shortly -旋回,xuán huí,to cycle -旋子,xuán zi,torsor (math.) -旋子,xuàn zi,whirlwind somersault (in gymnastics or martial arts) -旋律,xuán lǜ,melody -旋木雀,xuán mù què,(bird species of China) Eurasian treecreeper (Certhia familiaris) -旋梯,xuán tī,spiral stairs; winding stairs (gymnastic equipment) -旋流,xuán liú,rotating flow -旋渊,xuán yuān,abyss -旋涡,xuán wō,spiral; whirlpool; eddy; vortex -旋涡星系,xuán wō xīng xì,spiral galaxy -旋涡星云,xuán wō xīng yún,spiral nebula -旋涡状,xuán wō zhuàng,spiral-shaped -旋筒风帆,xuán tǒng fēng fān,rotor sail -旋绕,xuán rào,to curl up; to wind around -旋翼,xuán yì,rotor wing -旋臂,xuán bì,spiral arm -旋舞,xuán wǔ,whirling dance -旋花科,xuán huā kē,"Convolvulaceae, herbaceous plant family" -旋覆花,xuán fù huā,(botany) convolvulvus; Flos Inulae (Chinese herb) -旋踵,xuán zhǒng,(literary) in an instant (lit. to turn on one's heel) -旋转,xuán zhuǎn,to rotate; to revolve; to spin; to whirl -旋转力,xuán zhuǎn lì,turning force; torque -旋转台,xuán zhuǎn tái,rotating platform; luggage carousel -旋转指标,xuán zhuǎn zhǐ biāo,winding number -旋转曲面,xuán zhuǎn qū miàn,a surface of revolution (math.) -旋转木马,xuán zhuǎn mù mǎ,merry-go-round; carousel -旋转极,xuán zhuǎn jí,pole of rotation -旋转烤肉,xuán zhuǎn kǎo ròu,döner kebab -旋转球,xuán zhuǎn qiú,spin ball -旋转行李传送带,xuán zhuǎn xíng li chuán sòng dài,baggage carousel -旋转角,xuán zhuǎn jiǎo,angle of rotation -旋转角速度,xuán zhuǎn jiǎo sù dù,rotational angular velocity -旋转轴,xuán zhuǎn zhóu,axis of rotation -旋转运动,xuán zhuǎn yùn dòng,rotation; rotary motion -旋转门,xuán zhuǎn mén,revolving door -旋里,xuán lǐ,to return home -旋量,xuán liàng,spinor (math.) -旋钮,xuán niǔ,knob (e.g. handle or radio button) -旋闸,xuán zhá,rotor sluice gate -旋风,xuàn fēng,whirlwind; tornado -旋风脚,xuàn fēng jiǎo,whirlwind kick (martial arts) -旌,jīng,banner; make manifest -旌德,jīng dé,"Jingde, a county in Xuancheng 宣城[Xuan1cheng2], Anhui" -旌德县,jīng dé xiàn,"Jingde, a county in Xuancheng 宣城[Xuan1cheng2], Anhui" -旌旗,jīng qí,gonfanon; banner -旌阳,jīng yáng,"Jingyang district of Deyang city 德陽市|德阳市[De2 yang2 shi4], Sichuan" -旌阳区,jīng yáng qū,"Jingyang district of Deyang city 德陽市|德阳市[De2 yang2 shi4], Sichuan" -旎,nǐ,fluttering of flags -族,zú,"race; nationality; ethnicity; clan; by extension, social group (e.g. office workers 上班族)" -族人,zú rén,clansman; clan members; relatives; ethnic minority -族权,zú quán,clan authority; clan power -族灭,zú miè,to execute all of sb's relatives (as punishment) (old) -族群,zú qún,ethnic group; community -族裔,zú yì,ethnic group -族诛,zú zhū,to execute all of sb's relatives (as punishment) (old) -族谱,zú pǔ,genealogical record; family history; lineage -族长,zú zhǎng,clan elder -族类,zú lèi,clan; race -旒,liú,tassel -旖,yǐ,fluttering of flag -旖旎,yǐ nǐ,charming and gentle -旗,qí,banner; flag; (in Qing times) Manchu (cf. 八旗[Ba1 qi2]); administrative subdivision in inner Mongolia equivalent to 縣|县[xian4] county; CL:面[mian4] -旗丁,qí dīng,Manchurian foot soldier -旗下,qí xià,under the banner of -旗人,qí rén,Manchu; bannerman (refers to the eight Manchu banners 八旗[Ba1 qi2]) -旗兵,qí bīng,Manchurian soldier -旗子,qí zi,flag; banner; CL:面[mian4] -旗官,qí guān,Manchurian official -旗山,qí shān,"Chishan town in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -旗山镇,qí shān zhèn,"Chishan town in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -旗幅,qí fú,banner; width of a flag -旗帜,qí zhì,ensign; flag -旗帜鲜明,qí zhì xiān míng,to show one's colors; to have a clear-cut stand (idiom) -旗手,qí shǒu,a flag carrier (army); ensign -旗杆,qí gān,flagpole -旗校,qí xiào,Manchurian officer -旗标,qí biāo,flag -旗津,qí jīn,"Qijin or Chichin district of Kaohsiung city 高雄市[Gao1 xiong2 shi4], south Taiwan" -旗津区,qí jīn qū,"Qijin or Chichin district of Kaohsiung city 高雄市[Gao1 xiong2 shi4], south Taiwan" -旗牌,qí pái,flag or banner -旗瓣,qí bàn,(botany) vexillum; banner petal; standard petal (of a papilionaceous flower) -旗籍,qí jí,Manchu household register (during the Qing Dynasty) -旗舰,qí jiàn,flagship -旗舰店,qí jiàn diàn,flagship (store) -旗号,qí hào,"military banner (often used figuratively, usually pejoratively, to mean ""pretext"" or ""ostensible purpose""); flag signal; semaphore" -旗袍,qí páo,Chinese-style dress; cheongsam -旗语,qí yǔ,flag signals (for communicating between ships or army units); semaphore -旗开得胜,qí kāi dé shèng,lit. to win a victory on raising the flag (idiom); fig. to start on sth and have immediate success; success in a single move -旗鼓相当,qí gǔ xiāng dāng,lit. two armies have equivalent banners and drums (idiom); fig. evenly matched; roughly comparable (opponents) -旡,jì,choke on something eaten -既,jì,already; since; both... (and...) -既定,jì dìng,already fixed; set; established -既已,jì yǐ,already -既往,jì wǎng,past; bygone; the past -既往不咎,jì wǎng bù jiù,to forget and not bear recriminations (idiom); to let bygones be bygones; There is no point in crying over spilt milk. -既得,jì dé,vested in; already obtained; vesting -既得利益,jì dé lì yì,vested interest -既得期间,jì dé qī jiān,vesting period (in finance) -既成事实,jì chéng shì shí,fait accompli -既是,jì shì,is both ...(and...); since; as; being the case that -既有,jì yǒu,existing -既有今日何必当初,jì yǒu jīn rì hé bì dāng chū,see 早知今日何必當初|早知今日何必当初[zao3 zhi1 jin1 ri4 he2 bi4 dang1 chu1] -既然,jì rán,since; as; this being the case -既而,jì ér,soon after; later; then -既要当婊子又要立牌坊,jì yào dāng biǎo zi yòu yào lì pái fāng,see 又想當婊子又想立牌坊|又想当婊子又想立牌坊[you4 xiang3 dang1 biao3 zi5 you4 xiang3 li4 pai2 fang1] -既视感,jì shì gǎn,déjà vu -祸,huò,old variant of 禍|祸[huo4] -日,rì,"abbr. for 日本[Ri4 ben3], Japan" -日,rì,"sun; day; date, day of the month" -日中,rì zhōng,Japan-China -日中,rì zhōng,noon; midday; zenith -日久弥新,rì jiǔ mí xīn,see 歷久彌新|历久弥新[li4 jiu3 mi2 xin1] -日久岁深,rì jiǔ suì shēn,to last for an eternity (idiom) -日久生情,rì jiǔ shēng qíng,familiarity breeds fondness (idiom) -日人,rì rén,Japanese person; the Japanese -日人民报,rì rén mín bào,"(vulgar) derogatory name (in which 日[ri4] means 肏[cao4]) for the ""People's Daily"" 人民日報|人民日报[Ren2 min2 Ri4 bao4]" -日你妈,rì nǐ mā,see 肏你媽|肏你妈[cao4 ni3 ma1] -日来,rì lái,in the past few days; lately -日俄战争,rì é zhàn zhēng,the war of 1904-1905 between Russia and Japan -日偏食,rì piān shí,partial eclipse of the sun -日元,rì yuán,Japanese yen (unit of currency); also written 日圓|日圆[Ri4 yuan2] -日光,rì guāng,sunlight -日光浴,rì guāng yù,sunbathing -日光浴室,rì guāng yù shì,sun room; solarium -日光浴浴床,rì guāng yù yù chuáng,sunbed -日光灯,rì guāng dēng,fluorescent light -日光节约时,rì guāng jié yuē shí,daylight saving time -日内,rì nèi,in a few days; one of these days -日内瓦,rì nèi wǎ,"Geneva, Switzerland" -日全食,rì quán shí,total eclipse of the sun -日冕,rì miǎn,corona -日冕层,rì miǎn céng,the sun's corona -日出,rì chū,sunrise -日刊,rì kān,daily (publication) -日前,rì qián,the other day; a few days ago -日化,rì huà,household chemicals (cleaning products etc) and toiletries (abbr. for 日用化學製品|日用化学制品[ri4 yong4 hua4 xue2 zhi4 pin3]); (linguistics) to rhotacize; rhotic -日南郡,rì nán jùn,Han dynasty province in Vietnam -日喀则,rì kā zé,"Shigatse or Xigaze, Tibetan: Gzhis ka rtse, city and prefecture in central Tibet" -日喀则市,rì kā zé shì,"Shigatse or Xigaze, Tibetan: Gzhis ka rtse, city and prefecture in central Tibet, Chinese Rikaze" -日圆,rì yuán,Japanese yen (unit of currency); CL:個|个[ge4] -日土,rì tǔ,"Rutog county in Ngari prefecture, Tibet, Tibetan: Ru thog rdzong" -日土县,rì tǔ xiàn,"Rutog county in Ngari prefecture, Tibet, Tibetan: Ru thog rdzong" -日报,rì bào,daily newspaper -日场,rì chǎng,daytime show; matinee -日增,rì zēng,increasing by the day -日夜,rì yè,day and night; around the clock -日夜兼程,rì yè jiān chéng,to travel day and night -日媒,rì méi,Japanese news media -日子,rì zi,day; a (calendar) date; days of one's life -日常,rì cháng,day-to-day; daily; everyday -日常工作,rì cháng gōng zuò,routine -日式,rì shì,Japanese style -日式烧肉,rì shì shāo ròu,yakiniku (Japanese-style grilled meat) -日后,rì hòu,sometime; someday (in the future) -日复一日,rì fù yī rì,day after day -日心说,rì xīn shuō,heliocentric theory; the theory that the sun is at the center of the universe -日怪,rì guài,(dialect) strange -日惹,rì rě,"Yogyakarta, city of Java, Indonesia, and capital of the Special Region of Yogyakarta 日惹特區|日惹特区[Ri4 re3 Te4 qu1]" -日惹特区,rì rě tè qū,"Special Region of Yogyakarta, region of Java, Indonesia" -日戳,rì chuō,date stamp -日据时代,rì jù shí dài,the era of Japanese occupation -日文,rì wén,Japanese (language) -日料,rì liào,Japanese cuisine (abbr. for 日本料理[Ri4 ben3 liao4 li3]) -日新,rì xīn,in constant progress -日新月异,rì xīn yuè yì,"daily renewal, monthly change (idiom); every day sees new developments; rapid progress" -日方,rì fāng,the Japanese side or party (in negotiations etc) -日日,rì rì,every day -日晷,rì guǐ,sundial -日暮,rì mù,sunset -日暮途穷,rì mù tú qióng,"sunset, the end of the road (idiom); in terminal decline; at a dead end" -日历,rì lì,"calendar; CL:張|张[zhang1],本[ben3]" -日曜日,rì yào rì,Sunday (used in ancient Chinese astronomy) -日晒伤,rì shài shāng,sunburn -日晒雨淋,rì shài yǔ lín,lit. exposed to sun and rain (idiom); fig. exposed to the elements -日月,rì yuè,the sun and moon; day and month; every day and every month; season; life and livelihood -日月五星,rì yuè wǔ xīng,"sun, moon and the five visible planets" -日月如梭,rì yuè rú suō,the sun and moon like a shuttle (idiom); How time flies! -日月晕,rì yuè yùn,halo; ring of light around the sun or moon -日月潭,rì yuè tán,"Sun Moon Lake in Nantou County, Taiwan" -日月蹉跎,rì yuè cuō tuó,the years have slipped by -日月重光,rì yuè chóng guāng,the sun and moon shine once more; fig. things get back to normal after an upheaval -日月食,rì yuè shí,eclipsis (of the moon or sun) -日朝,rì cháo,Japan and Korea (esp. North Korea) -日期,rì qī,date; CL:個|个[ge4] -日本,rì běn,Japan -日本人,rì běn rén,Japanese person or people -日本共同社,rì běn gòng tóng shè,"Kyōdō, Japanese news agency" -日本刀,rì běn dāo,Japanese sword; katana -日本原子能研究所,rì běn yuán zǐ néng yán jiū suǒ,Japan Atomic Energy Research Institute -日本叉尾海燕,rì běn chā wěi hǎi yàn,(bird species of China) Matsudaira's storm petrel (Oceanodroma matsudairae) -日本国志,rì běn guó zhì,"A Record of Japan, by Huang Zunxian 黃遵憲|黄遵宪[Huang2 Zun1 xian4], an extended analysis of Meiji Japan" -日本天皇,rì běn tiān huáng,Emperor of Japan -日本学,rì běn xué,Japanology -日本放送协会,rì běn fàng sòng xié huì,"NHK (Nihon Hōsō Kyōkai), Japanese national broadcasting company" -日本书纪,rì běn shū jì,Nihonshoki or Chronicles of Japan (c. 720) book of mythology and history -日本松雀鹰,rì běn sōng què yīng,(bird species of China) Japanese sparrowhawk (Accipiter gularis) -日本柳莺,rì běn liǔ yīng,(bird species of China) Japanese leaf warbler (Phylloscopus xanthodryas) -日本树莺,rì běn shù yīng,(bird species of China) Japanese bush warbler (Cettia diphone) -日本歌鸲,rì běn gē qú,(bird species of China) Japanese robin (Larvivora akahige) -日本沼虾,rì běn zhǎo xiā,"oriental river prawn (Macrobrachium nipponense), a species of freshwater shrimp, also called 青蝦|青虾[qing1 xia1]" -日本海,rì běn hǎi,Sea of Japan -日本竹筷,rì běn zhú kuài,disposable chopsticks -日本米酒,rì běn mǐ jiǔ,Japanese rice wine; sake -日本经济新闻,rì běn jīng jì xīn wén,"Nikkei Shimbun, Japanese equivalent of Financial Times" -日本脑炎,rì běn nǎo yán,Japanese encephalitis -日本航空,rì běn háng kōng,Japan Airlines (JAL) -日本银行,rì běn yín háng,Bank of Japan -日本电报电话公司,rì běn diàn bào diàn huà gōng sī,Nippon Telegraph and Telephone (NTT) -日本鬼子,rì běn guǐ zi,Japanese devil (common term of abuse in wartime China and in subsequent writing) -日本鹌鹑,rì běn ān chún,(bird species of China) Japanese quail (Coturnix japonica) -日本鹡鸰,rì běn jí líng,(bird species of China) Japanese wagtail (Motacilla grandis) -日本黑道,rì běn hēi dào,Yakuza (Japanese mafia) -日比谷公园,rì bǐ gǔ gōng yuán,Hibiya Park in central Tokyo -日没,rì mò,sunset; sundown -日治时期,rì zhì shí qī,the period of Japanese rule -日活用户,rì huó yòng hù,"daily active users (of a website, service etc)" -日流,rì liú,"the spread of Japanese cultural products (anime, pop music etc) to other countries" -日渐,rì jiàn,"to progress (or increase, change etc) day by day; more (or better etc) with each passing day" -日无暇晷,rì wú xiá guǐ,no time to spare (idiom) -日照,rì zhào,"Rizhao, prefecture-level city in Shandong" -日照,rì zhào,sunshine -日照市,rì zhào shì,"Rizhao, prefecture-level city in Shandong" -日班,rì bān,day shift -日环食,rì huán shí,an annular eclipse of the sun -日产,rì chǎn,"Nissan, Japanese car make; also transliterated 尼桑[Ni2 sang1]" -日用,rì yòng,daily expenses; of everyday use -日用品,rì yòng pǐn,"articles for daily use; CL:件[jian4],個|个[ge4]" -日益,rì yì,day by day; more and more; increasingly; more and more with each passing day -日益增加,rì yì zēng jiā,to increase daily -日盛,rì shèng,more flourishing by the day -日知录,rì zhī lù,"Rizhilu or Record of daily study, by early Confucian philosopher Gu Yanwu 顧炎武|顾炎武" -日神,rì shén,the Sun God; Apollo -日程,rì chéng,schedule; itinerary; CL:個|个[ge4] -日程表,rì chéng biǎo,daily schedule -日积月累,rì jī yuè lěi,to accumulate over a long period of time -日立,rì lì,"Hitachi, Ltd." -日系,rì xì,(attributive) of Japanese origin -日经,rì jīng,"Nikkei, abbr. for Nikkei Shimbun 日本經濟新聞|日本经济新闻[Ri4 ben3 Jing1 ji4 Xin1 wen2]; abbr. for Nikkei 225 index 日經指數|日经指数[Ri4 jing1 zhi3 shu4]" -日经平均,rì jīng píng jūn,Nikkei 225 stock market index -日经平均指数,rì jīng píng jūn zhǐ shù,Nikkei 225 stock market index -日经指数,rì jīng zhǐ shù,Nikkei 225 stock market index -日美,rì měi,Japan-US -日耳曼,rì ěr màn,Germanic -日耳曼语,rì ěr màn yǔ,Germanic language -日至,rì zhì,solstice; the winter solstice 冬至 and summer solstice 夏至 -日臻,rì zhēn,to reach day after day for -日航,rì háng,Japan Airlines (JAL) (abbr. for 日本航空[Ri4ben3 Hang2kong1]) -日英联军,rì yīng lián jūn,Anglo-Japanese allied army (intervention during Russian revolution and civil war 1917-1922) -日落,rì luò,sundown; sunset -日落西山,rì luò xī shān,the sun sets over western hills (idiom); the day approaches its end; fig. time of decline; the end of an era; Sic transit gloria mundi -日落风生,rì luò fēng shēng,a gentle breeze comes with sunset (idiom) -日薄崦嵫,rì bó yān zī,"lit. the sun sets in Yanzi (idiom); fig. the day is drawing to an end; the last days (of a person, a dynasty etc)" -日薪,rì xīn,daily wage -日蚀,rì shí,variant of 日食[ri4 shi2] -日行一善,rì xíng yī shàn,to do a good deed every day -日裔,rì yì,of Japanese descent -日里,rì lǐ,daytime; during the day -日规,rì guī,sundial -日记,rì jì,"diary; CL:則|则[ze2],本[ben3],篇[pian1]" -日记本,rì jì běn,diary (book) -日志,rì zhì,journal; log (computing) -日语,rì yǔ,Japanese language -日货,rì huò,Japanese goods -日趋,rì qū,(increasing) day by day; (more critical) with every passing day; gradually -日趋严重,rì qū yán zhòng,more critical with every passing day -日军,rì jūn,Japanese army; Japanese troops -日较差,rì jiào chā,"diurnal range (temperature, humidity etc)" -日间,rì jiān,daytime -日电,rì diàn,NEC (Nippon Electronic Company); abbr. for 日電電子|日电电子 -日电电子,rì diàn diàn zǐ,NEC (Nippon Electronic Company) -日韩,rì hán,Japan and Korea -日头,rì tóu,sun (dialect); daytime; date -日食,rì shí,solar eclipse -旦,dàn,"(literary) dawn; daybreak; dan, female role in Chinese opera (traditionally played by specialized male actors)" -旦角,dàn jué,"dan, female roles in Chinese opera (traditionally played by specialized male actors)" -旨,zhǐ,imperial decree; purport; aim; purpose -旨在,zhǐ zài,to have as its purpose; to be intended to; to aim to (do sth) -旨意,zhǐ yì,decree; order -旨趣,zhǐ qù,(literary) purport; objective; intent -早,zǎo,early; morning; Good morning!; long ago; prematurely -早上,zǎo shang,early morning; CL:個|个[ge4] -早上好,zǎo shang hǎo,Good morning! -早些,zǎo xiē,a bit earlier -早亡,zǎo wáng,premature death -早来,zǎo lái,to arrive early -早先,zǎo xiān,previously; before -早出晚归,zǎo chū wǎn guī,to leave early and return late (idiom) -早前,zǎo qián,previously -早勃,zǎo bó,morning erection -早在,zǎo zài,as early as -早报,zǎo bào,morning newspaper -早场,zǎo chǎng,morning show (at a theater or cinema); matinee -早夭,zǎo yāo,to die young -早婚,zǎo hūn,to marry too early -早孕,zǎo yùn,teenage pregnancy; early stage of pregnancy -早安,zǎo ān,Good morning! -早就,zǎo jiù,already at an earlier time -早已,zǎo yǐ,for a long time; long since; (dialect) in the past -早市,zǎo shì,morning market -早年,zǎo nián,many years ago; in the past; in one's early years -早恋,zǎo liàn,to be in love when one is too young; puppy love -早搏,zǎo bó,(medicine) premature beat; extrasystole -早播,zǎo bō,to plant early; to sow seeds in early spring -早操,zǎo cāo,morning exercises (physical exercises commonly performed en masse at schools and workplaces in East Asian countries) -早教,zǎo jiào,early education (abbr. for 早期教育[zao3 qi1 jiao4 yu4]) -早日,zǎo rì,soon; at an early date; the early days; the past -早日康复,zǎo rì kāng fù,to recover health quickly; Get well soon! -早早儿,zǎo zǎo er,(coll.) as soon as possible; as early as one can -早早班,zǎo zǎo bān,preschool group for kids aged three or less; (Tw) work shift starting around daybreak -早春,zǎo chūn,early spring -早晚,zǎo wǎn,morning and evening; (dialect) some time in the future; some day -早晨,zǎo chén,early morning; CL:個|个[ge4]; also pr. [zao3chen5] -早期,zǎo qī,early period; early phase; early stage -早期效应,zǎo qī xiào yìng,early effect -早岁,zǎo suì,one's early years -早死,zǎo sǐ,to die while still relatively young; to have been dead (for some years) -早死早超生,zǎo sǐ zǎo chāo shēng,to end one's suffering by dying quickly and being reincarnated; (fig.) to get it over with -早泄,zǎo xiè,premature ejaculation -早熟,zǎo shú,precocious; early-maturing -早班,zǎo bān,early shift; morning work shift -早班儿,zǎo bān er,erhua variant of 早班[zao3 ban1] -早生贵子,zǎo shēng guì zǐ,give birth to a son soon (propitiatory compliment to newlyweds) -早产,zǎo chǎn,to have a premature birth -早睡早起,zǎo shuì zǎo qǐ,"early to bed, early to rise; to keep early hours" -早知,zǎo zhī,to know in advance -早知今日何必当初,zǎo zhī jīn rì hé bì dāng chū,"if I (you, she, he...) had known it would come to this, I (you, she, he...) would not have acted thus (idiom); to regret vainly one's past behavior" -早知道,zǎo zhī dao,If I had known earlier... -早秋,zǎo qiū,early autumn -早稻,zǎo dào,early season rice; rice at transplanting or still unripe -早稻田大学,zǎo dào tián dà xué,Waseda University (private university in Tokyo) -早老性痴呆,zǎo lǎo xìng chī dāi,(coll.) Alzheimer's disease -早老素,zǎo lǎo sù,presenilins -早茶,zǎo chá,morning tea -早衰,zǎo shuāi,to age prematurely; premature senescence -早课,zǎo kè,matins; morning service (in the Catholic Church); morning chorus (of birds) -早起,zǎo qǐ,to get up early -早车,zǎo chē,morning bus; early train -早退,zǎo tuì,to leave early (before the stipulated finishing time); to retire early (from one's job) -早逝,zǎo shì,early demise; untimely death -早霜,zǎo shuāng,early frost -早饭,zǎo fàn,"breakfast; CL:份[fen4],頓|顿[dun4],次[ci4],餐[can1]" -早餐,zǎo cān,"breakfast; CL:份[fen4],頓|顿[dun4],次[ci4]" -早点,zǎo diǎn,breakfast -旬,xún,ten days; ten years; full period -旬始,xún shǐ,"comet from Saturn, traditionally described as yellow; evil omen" -旬年,xún nián,full year; ten years -旬日,xún rì,(literary) ten days; short period -旬时,xún shí,ten days -旬朔,xún shuò,ten days; one month; short period -旬期,xún qī,ten days -旬岁,xún suì,full year; first birthday -旬课,xún kè,test every ten day; periodic deadline -旬输月送,xún shū yuè sòng,"pay every ten days, give tribute every month (idiom); incessant and ever more complicated demands" -旬邑,xún yì,"Xunyi County in Xianyang 咸陽|咸阳[Xian2 yang2], Shaanxi" -旬邑县,xún yì xiàn,"Xunyi County in Xianyang 咸陽|咸阳[Xian2 yang2], Shaanxi" -旬阳,xún yáng,"Xunyang County in Ankang 安康[An1 kang1], Shaanxi" -旬阳县,xún yáng xiàn,"Xunyang County in Ankang 安康[An1 kang1], Shaanxi" -旬首,xún shǒu,start of a ten day period -旭,xù,dawn; rising sun -旭日,xù rì,the rising sun -旮,gā,used in 旮旯[ga1 la2] -旮旯,gā lá,corner; nook; recess; out-of-the-way place -旮旯儿,gā lá er,erhua variant of 旮旯[ga1 la2] -旯,lá,used in 旮旯[ga1 la2] -旰,gàn,sunset; evening -旱,hàn,drought -旱伞,hàn sǎn,(dialect) parasol -旱冰,hàn bīng,roller skating -旱厕,hàn cè,pit toilet -旱情,hàn qíng,drought conditions -旱涝保收,hàn lào bǎo shōu,"to provide a stable crop, regardless of drought or flood; to bring a stable income" -旱灾,hàn zāi,drought -旱烟,hàn yān,tobacco (smoked in a long-stemmed pipe) -旱獭,hàn tǎ,marmot -旱象,hàn xiàng,drought -旱金莲,hàn jīn lián,garden nasturtium; Tropaeolum majus -旱魃,hàn bá,drought demon -旱鸭子,hàn yā zi,non-swimmer -时,shí,old variant of 時|时[shi2] -旺,wàng,prosperous; flourishing; (of flowers) blooming; (of fire) roaring -旺来,wàng lái,"(Tw) pineapple (from Taiwanese 王梨, Tai-lo pr. [ông-lâi])" -旺季,wàng jì,busy season; peak period; see also 淡季[dan4 ji4] -旺月,wàng yuè,busy (business) month -旺波日山,wàng bō rì shān,"Mt Wangbur, Dagzê county 達孜縣|达孜县[Da2 zi1 xian4], Lhasa, Tibet" -旺炽,wàng chì,blazing -旺炽型,wàng chì xíng,florid (medicine) -旺炽性,wàng chì xìng,florid (medicine) -旺盛,wàng shèng,vigorous; exuberant -旺苍,wàng cāng,"Wangcang county in Guangyuan 廣元|广元[Guang3 yuan2], Sichuan" -旺苍县,wàng cāng xiàn,"Wangcang county in Guangyuan 廣元|广元[Guang3 yuan2], Sichuan" -旺角,wàng jiǎo,Mong Kok (area in Hong Kong) -春,chūn,old variant of 春[chun1] -昀,yún,sun light; used in personal name -昂,áng,to lift; to raise; to raise one's head; high; high spirits; soaring; expensive -昂仁,áng rén,"Ngamring county, Tibetan: Ngam ring rdzong, in Shigatse prefecture, Tibet" -昂仁县,áng rén xiàn,"Ngamring county, Tibetan: Ngam ring rdzong, in Shigatse prefecture, Tibet" -昂利,áng lì,Henri (name) -昂奋,áng fèn,buoyant; high-spirited; vigorous -昂山,áng shān,"Aung San (1915-1947), Burmese general and politician, hero of Myanmar independence movement and father of Aung San Su Kyi 昂山素季[Ang2 Shan1 Su4 Ji4]" -昂山素姬,áng shān sù jī,see 昂山素季[Ang2 Shan1 Su4 Ji4] -昂山素季,áng shān sù jì,"Aung San Suu Kyi (1945-), Myanmar opposition leader and 1991 Nobel Peace laureate; also written 昂山素姬" -昂扬,áng yáng,elated; high-spirited; uplifting (music) -昂昂,áng áng,high-spirited; brave-looking -昂昂溪,áng áng xī,"Ang'angxi district of Qiqihar city 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -昂昂溪区,áng áng xī qū,"Ang'angxi district of Qiqihar city 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -昂然,áng rán,upright and unafraid -昂纳克,áng nà kè,"Honecker (name); Erich Honecker (1912-1994), East German communist politician, party general secretary 1971-1989, tried for treason after German unification" -昂船洲,áng chuán zhōu,Stonecutters Island -昂藏,áng cáng,tall and strongly built; stalwart; courageous -昂贵,áng guì,expensive; costly -昂首,áng shǒu,head high; in high spirits; to raise one's head (e.g. of neighing horse) -昂首挺胸,áng shǒu tǐng xiōng,"head high, chest out (idiom); to keep up one's spirits; in fine mettle (of animal)" -昂首阔步,áng shǒu kuò bù,striding forward with head high (idiom); to walk with spirited and vigorous step; to strut -昃,zè,afternoon; decline -昆,kūn,descendant; elder brother; a style of Chinese poetry -昆仲,kūn zhòng,(literary) brothers; elder and younger brother -昆卡,kūn kǎ,Cuenca (place name and surname) -昆士兰州,kūn shì lán zhōu,Queensland (Australia) -昆布,kūn bù,kelp -昆廷,kūn tíng,Quentin (name) -昆明,kūn míng,Kunming prefecture-level city and capital of Yunnan province in southwest China -昆明市,kūn míng shì,"Kunming, prefecture-level city and capital of Yunnan province in southwest China" -昆明湖,kūn míng hú,Kunming Lake -昆汀,kūn tīng,"Quentin (name); Quentin Tarantino (1963-), American film director" -昆玉,kūn yù,honorific term for another person's brother -昆虫,kūn chóng,"insect; CL:隻|只[zhi1],群[qun2],堆[dui1]" -昆虫学,kūn chóng xué,entomology -昆都仑,kūn dū lún,"Kundulun district of Baotou city 包頭市|包头市[Bao1 tou2 shi4], Inner Mongolia" -昆都仑区,kūn dū lún qū,"Kundulun district of Baotou city 包頭市|包头市[Bao1 tou2 shi4], Inner Mongolia" -昆阳,kūn yáng,Kunyang town and former county in Yunnan -升,shēng,variant of 升[sheng1] -昇,shēng,(used as a surname and in given names) -昉,fǎng,dawn; to begin -昊,hào,surname Hao -昊,hào,vast and limitless; the vast sky -昊天,hào tiān,clear sky -昌,chāng,surname Chang -昌,chāng,(bound form) prosperous; flourishing -昌原,chāng yuán,"Changwon City, capital of South Gyeongsang Province 慶尚南道|庆尚南道[Qing4 shang4 nan2 dao4], South Korea" -昌原市,chāng yuán shì,"Changwon City, capital of South Gyeongsang Province 慶尚南道|庆尚南道[Qing4 shang4 nan2 dao4], South Korea" -昌吉,chāng jí,"Changji Hui autonomous prefecture 昌吉回族自治州[Chang1 ji2 Hui2 zu2 zi4 zhi4 zhou1], Xinjiang" -昌吉回族自治州,chāng jí huí zú zì zhì zhōu,Sanji or Changji Hui autonomous prefecture in Xinjiang -昌吉州,chāng jí zhōu,"Sanji or Changji Hui autonomous prefecture 昌吉回族自治州[Chang1 ji2 Hui2 zu2 zi4 zhi4 zhou1], Xinjiang" -昌吉市,chāng jí shì,"Changji, county-level city in Changji Hui autonomous prefecture 昌吉回族自治州[Chang1 ji2 Hui2 zu2 zi4 zhi4 zhou1], Xinjiang" -昌图,chāng tú,"Changtu county in Tieling 鐵嶺|铁岭[Tie3 ling3], Liaoning" -昌图县,chāng tú xiàn,"Changtu county in Tieling 鐵嶺|铁岭[Tie3 ling3], Liaoning" -昌宁,chāng níng,"Changning county in Baoshan 保山[Bao3 shan1], Yunnan" -昌宁县,chāng níng xiàn,"Changning county in Baoshan 保山[Bao3 shan1], Yunnan" -昌平,chāng píng,"Changping, a district of Beijing" -昌平区,chāng píng qū,"Changping, a district of Beijing" -昌披,chāng pī,variant of 猖披[chang1 pi1] -昌明,chāng míng,flourishing; thriving -昌乐,chāng lè,"Changle county in Weifang 濰坊|潍坊[Wei2 fang1], Shandong" -昌乐县,chāng lè xiàn,"Changle county in Weifang 濰坊|潍坊[Wei2 fang1], Shandong" -昌江,chāng jiāng,"Chang River, Jiangxi" -昌江,chāng jiāng,"Changjiang district of Jingdezhen City 景德鎮市|景德镇市[Jing3 de2 zhen4 Shi4], Jiangxi; Changjiang Lizu autonomous county, Hainan" -昌江区,chāng jiāng qū,"Changjiang district of Jingdezhen City 景德鎮市|景德镇市[Jing3 de2 zhen4 Shi4], Jiangxi" -昌江县,chāng jiāng xiàn,"Changjiang Lizu autonomous county, Hainan" -昌江黎族自治县,chāng jiāng lí zú zì zhì xiàn,"Changjiang Lizu autonomous county, Hainan" -昌盛,chāng shèng,prosperous -昌迪加尔,chāng dí jiā ěr,"Chandighar, capital of Punjab state of northwest India" -昌邑,chāng yì,"Changyi, county-level city in Weifang 濰坊|潍坊[Wei2 fang1], Shandong" -昌邑区,chāng yì qū,"Changyi district of Jilin city 吉林市, Jilin province" -昌邑市,chāng yì shì,"Changyi, county-level city in Weifang 濰坊|潍坊[Wei2 fang1], Shandong" -昌都,chāng dū,"Kham or Chamdo, Tibetan: Chab mdo historic capital of Kham prefecture of Tibet (Chinese Qamdo or Changdu); also Qamdo county" -昌都县,chāng dū xiàn,"Qamdo county, Tibetan: Chab mdo rdzong, in Chamdo prefecture 昌都地區|昌都地区[Chang1 du1 di4 qu1], Tibet" -昌黎,chāng lí,"Changli county in Qinhuangdao 秦皇島|秦皇岛[Qin2 huang2 dao3], Hebei" -昌黎县,chāng lí xiàn,"Changli county in Qinhuangdao 秦皇島|秦皇岛[Qin2 huang2 dao3], Hebei" -明,míng,"Ming Dynasty (1368-1644); surname Ming; Ming (c. 2000 BC), fourth of the legendary Flame Emperors, 炎帝[Yan2di4] descended from Shennong 神農|神农[Shen2nong2] Farmer God" -明,míng,bright; opposite: dark 暗[an4]; (of meaning) clear; to understand; next; public or open; wise; generic term for a sacrifice to the gods -明了,míng liǎo,to understand clearly; to be clear about; plain; clear; also written 明瞭|明了[ming2 liao3] -明亮,míng liàng,bright; shining; glittering; to become clear -明人不做暗事,míng rén bù zuò àn shì,an honest person does not act surreptitiously (idiom) -明仁,míng rén,"Akihito, personal name of the Heisei 平成[Ping2 cheng2] emperor of Japan (1933-), reigned 1989-2019" -明仁宗,míng rén zōng,"Ming Renzong, temple name of fourth Ming emperor Zhu Gaochi 朱高熾|朱高炽[Zhu1 Gao1 chi4]" -明代,míng dài,the Ming dynasty (1368-1644) -明令,míng lìng,to decree -明信片,míng xìn piàn,postcard -明光,míng guāng,"Mingguang, a county-level city in Chuzhou 滁州[Chu2 zhou1], Anhui" -明光市,míng guāng shì,"Mingguang, a county-level city in Chuzhou 滁州[Chu2 zhou1], Anhui" -明光度,míng guāng dù,luminosity -明光蓝,míng guāng lán,lavender blue -明儿,míng er,(coll.) tomorrow; one of these days; some day -明儿个,míng er ge,(coll.) tomorrow -明初,míng chū,the early Ming (i.e. from second half of 14th century) -明十三陵,míng shí sān líng,the Ming tombs (mausoleum park of the Ming emperors in Changping district of Beijing) -明升暗降,míng shēng àn jiàng,(idiom) to kick sb upstairs -明古鲁,míng gǔ lǔ,Bengkulu (Indonesian town on the south coast of Sumatra) -明古鲁市,míng gǔ lǔ shì,Bengkulu (Indonesian town on the south coast of Sumatra) -明史,míng shǐ,"History of the Ming Dynasty, twenty fourth of the 24 dynastic histories 二十四史[Er4 shi2 si4 Shi3], compiled under Zhang Tingyu 張廷玉|张廷玉[Zhang1 Ting2 yu4] in 1739 during the Qing Dynasty, 332 scrolls" -明和,míng hé,"Minghe, rail station in South Taiwan; Meiwa (Japanese reign name 1764-1772); Meiwa (common name for Japanese companies or schools)" -明哲保身,míng zhé bǎo shēn,a wise man looks after his own hide (idiom); to put one's own safety before matters of principle -明喻,míng yù,simile -明报,míng bào,Ming Pao newspaper (Hong Kong) -明天,míng tiān,tomorrow -明天启,míng tiān qǐ,"Tianqi Emperor, reign name of fifteenth Ming emperor Zhu Youxiao 朱由校[Zhu1 You2 xiao4] (1605-1627), reigned 1620-1627, temple name 明熹宗[Ming2 Xi1 zong1]" -明天见,míng tiān jiàn,"see you tomorrow; (coll., jocular) food that passes through the digestive system more or less intact (esp. enoki mushrooms)" -明太祖,míng tài zǔ,"Ming Taizu, temple name of first Ming emperor Hongwu 洪武[Hong2 wu3]" -明媒正娶,míng méi zhèng qǔ,to be officially wed -明媚,míng mèi,bright and beautiful -明子,míng zi,see 松明[song1 ming2] -明孝陵,míng xiào líng,"Ming tombs in Nanjing, tomb of founding Ming emperor Zhu Yuanzhang 朱元璋[Zhu1 Yuan2 zhang1], a World Heritage site" -明宣宗,míng xuān zōng,temple name of fifth Ming emperor Xuande 宣德[Xuan1 de2] -明察,míng chá,to note clearly; to perceive -明察暗访,míng chá àn fǎng,open enquiries and secret search (idiom); to investigate openly and in secret; taking information from all sides -明察秋毫,míng chá qiū háo,"lit. seeing clearly the downy feathers of autumn (idiom, from Mencius); fig. perceptive of even the finest detail" -明实录,míng shí lù,annals of the Ming Dynasty 明朝[Ming2 chao2] (1368-1644) -明尼苏达,míng ní sū dá,"Minnesota, USA" -明尼苏达州,míng ní sū dá zhōu,Minnesota -明尼阿波利斯,míng ní ā bō lì sī,"Minneapolis, a nameplace in the USA, notably in Minnesota" -明山,míng shān,"Mingshan, a district of Benxi 本溪市[Ben3xi1 Shi4], Liaoning" -明山区,míng shān qū,"Mingshan, a district of Benxi 本溪市[Ben3xi1 Shi4], Liaoning" -明岗暗哨,míng gǎng àn shào,both covert and undercover (officers) keeping watch (idiom) -明年,míng nián,next year -明德,míng dé,highest virtue; illustrious virtue -明德学院,míng dé xué yuàn,"Middlebury College, private liberal arts college in Middlebury, Vermont" -明德镇,míng dé zhèn,Middlebury (name of town in Vermont) -明志,míng zhì,to demonstrate one's sincere convictions -明慧,míng huì,intelligent; brilliant -明成祖,míng chéng zǔ,"Ming Chengzu, temple name of third Ming Emperor Yongle 永樂|永乐[Yong3 le4]" -明手,míng shǒu,dummy (in bridge) -明摆着,míng bǎi zhe,evident; clear; undoubted -明教,míng jiào,Manichaeism -明文,míng wén,"to state in writing (laws, rules etc)" -明文规定,míng wén guī dìng,expressly stipulated (in writing) -明斯克,míng sī kè,"Minsk, capital of Belarus" -明日,míng rì,tomorrow -明日黄花,míng rì huáng huā,lit. chrysanthemums after the Double Ninth Festival (idiom); fig. outdated; thing of the past; dead letter -明早,míng zǎo,tomorrow morning; tomorrow -明明,míng míng,obviously; plainly; undoubtedly; definitely -明星,míng xīng,star; celebrity -明晃晃,míng huǎng huǎng,shining; bright -明晚,míng wǎn,tomorrow evening -明晰,míng xī,clear; well-defined; limpid -明智,míng zhì,sensible; wise; judicious; sagacious -明智之举,míng zhì zhī jǔ,sensible act -明月,míng yuè,"bright moon; refers to 夜明珠, a legendary pearl that can glow in the dark; CL:輪|轮[lun2]" -明月清风,míng yuè qīng fēng,see 清風明月|清风明月[qing1 feng1 ming2 yue4] -明朗,míng lǎng,bright; clear; obvious; forthright; open-minded; bright and cheerful -明朝,míng cháo,Ming Dynasty (1368-1644) -明朝,míng zhāo,tomorrow morning; the following morning -明朝体,míng cháo tǐ,Mincho font -明末,míng mò,late Ming; first half of the 17th century -明末清初,míng mò qīng chū,late Ming and early Qing; around the middle of the 17th century -明杖,míng zhàng,white cane (used by the blind) -明查暗访,míng chá àn fǎng,open enquiries and secret search (idiom); to investigate openly and in secret; taking information from all sides -明武宗,míng wǔ zōng,"Ming Wuzong, temple name of eleventh Ming emperor Zhengde 正德[Zheng4 de2]" -明水,míng shuǐ,"Mingshui county in Suihua 綏化|绥化, Heilongjiang" -明水县,míng shuǐ xiàn,"Mingshui county in Suihua 綏化|绥化, Heilongjiang" -明治,míng zhì,"Meiji, Japanese era name, corresponding to the reign (1868-1912) of the Meiji emperor" -明治维新,míng zhì wéi xīn,"Meiji Restoration (Japan, 1868)" -明净,míng jìng,bright and clean; luminous -明清,míng qīng,the Ming (1368-1644) and Qing (1644-1911) dynasties -明渠,míng qú,"(open, uncovered) water channel; canal" -明溪,míng xī,"Mingxi, a county in Sanming City 三明市[San1ming2 Shi4], Fujian" -明溪县,míng xī xiàn,"Mingxi, a county in Sanming City 三明市[San1ming2 Shi4], Fujian" -明灭,míng miè,to flicker; to flash on and off; to brighten and fade -明澈,míng chè,clear; limpid -明火,míng huǒ,flame; open fire -明熹宗,míng xī zōng,"Ming Xizong, temple name of fifteenth Ming emperor Tianqi 明天啟|明天启[Ming2 Tian1 qi3]" -明争暗斗,míng zhēng àn dòu,(idiom) to fight openly and maneuver covertly -明珠,míng zhū,pearl; jewel (of great value) -明珠暗投,míng zhū àn tóu,to cast pearls before swine (idiom); not to get proper recognition for one's talents -明理,míng lǐ,"sensible; reasonable; an obvious reason, truth or fact; to understand the reason or reasoning" -明白,míng bai,clear; obvious; unequivocal; to understand; to realize -明皎,míng jiǎo,clear and bright -明目张胆,míng mù zhāng dǎn,openly and without fear; brazenly -明眸皓齿,míng móu hào chǐ,to have bright eyes and white teeth -明眼人,míng yǎn rén,perspicacious person; sb with a discerning eye; sighted person (as opposed to blind) -明了,míng liǎo,to understand clearly; to be clear about; plain; clear -明知,míng zhī,to be fully aware of; to know perfectly well -明知故问,míng zhī gù wèn,"(idiom) to ask a question, already knowing the answer" -明知故犯,míng zhī gù fàn,deliberate violation (idiom); intentional crime -明确,míng què,clear-cut; definite; explicit; to clarify; to specify; to make definite -明码,míng mǎ,"non-secret code (such as Morse code, Chinese telegraph code, ASCII etc); plaintext (cryptography); (of prices) clearly marked" -明矾,míng fán,alum -明示,míng shì,to state explicitly; to clearly indicate -明窗净几,míng chuāng jìng jī,lit. clear window and clean table (idiom); fig. bright and clean (room) -明细,míng xì,clear and detailed; definite; details (are as follows:) -明细表,míng xì biǎo,schedule; subsidiary ledger; a detailed list -明胶,míng jiāo,gelatin -明处,míng chù,clear place; out in the open -明虾,míng xiā,prawn -明里暗里,míng lǐ àn lǐ,both publicly and privately; both overtly and secretly; both explicitly and implicitly -明言,míng yán,to say clearly; to argue clearly; to pronounce; pronounced -明订,míng dìng,see 訂明|订明[ding4 ming2] -明证,míng zhèng,clear proof -明辨,míng biàn,to discern; to distinguish clearly -明辨是非,míng biàn shì fēi,to distinguish right and wrong (idiom) -明达,míng dá,reasonable; of good judgment -明达事理,míng dá shì lǐ,reasonable; sensible -明邃,míng suì,glistening and piercing -明里,míng li,publicly; outwardly; professedly -明镜,míng jìng,Der Spiegel -明镜,míng jìng,"mirror (as a metaphor for sth beautiful, bright and flat – such as a lake – or sth that provides clarity and insight)" -明镜高悬,míng jìng gāo xuán,perspicacious and impartial in judgment (idiom) -明显,míng xiǎn,clear; distinct; obvious -明体,míng tǐ,Mincho; Song font -明丽,míng lì,bright and beautiful; (of a landscape) gorgeous; (of a color) vibrant -昏,hūn,muddle-headed; twilight; to faint; to lose consciousness -昏乱,hūn luàn,dazed; confused; fuddled -昏倒,hūn dǎo,to faint -昏厥,hūn jué,to faint -昏君,hūn jūn,incapable ruler -昏天黑地,hūn tiān hēi dì,lit. dark sky and black earth (idiom); fig. pitch dark; to black out; disorderly; troubled times -昏定晨省,hūn dìng chén xǐng,seeing to bed in the evening and visiting in the morning (ancient filial duty) -昏庸,hūn yōng,muddleheaded -昏昏欲睡,hūn hūn yù shuì,drowsy; sleepy (idiom) -昏昏沉沉,hūn hūn chén chén,dizzy -昏暗,hūn àn,dusky -昏沉,hūn chén,murky; dazed; befuddled; dizzy -昏睡,hūn shuì,"to sleep heavily (due to illness, fatigue etc)" -昏睡病,hūn shuì bìng,sleeping sickness; African trypanosomiasis; see also 非洲錐蟲病|非洲锥虫病[Fei1 zhou1 zhui1 chong2 bing4] -昏聩,hūn kuì,muddle-headed -昏花,hūn huā,dim (eyesight); blurred (vision) -昏迷,hūn mí,to lose consciousness; to be in a coma; stupor; coma; stunned; disoriented -昏迷不醒,hūn mí bù xǐng,to remain unconscious -昏过去,hūn guo qu,to faint -昏头,hūn tóu,to lose one's head; to be out of one's mind; to be dazed -昏头昏脑,hūn tóu hūn nǎo,confused; dizzy; fainting -易,yì,"surname Yi; abbr. for 易經|易经[Yi4jing1], the Book of Changes" -易,yì,"easy; amiable; to change; to exchange; prefix corresponding to the English adjective suffix ""-able"" or ""-ible""" -易主,yì zhǔ,"(of property) to change owners; (of sovereignty, political power etc) to change hands" -易事,yì shì,easy task -易传,yì zhuàn,"Yi Zhuan, commentary on the ""Book of Changes"" or ""I Ching"" 易經|易经[Yi4 jing1]" -易初莲花,yì chū lián huā,Lotus (department store chain) -易北河,yì běi hé,Elbe River -易卜拉辛,yì bǔ lā xīn,Ibrahim (name) -易卜生,yì bǔ shēng,"Henrik Ibsen (1828-1906), Norwegian dramatist, author of Doll's House 玩偶之家" -易取得,yì qǔ dé,accessible -易司马仪,yì sī mǎ yí,"Ismail (name); Shāh Ismāil I (1487-1524), founder of Persian Safavid dynasty, reigned 1501-1524" -易如反掌,yì rú fǎn zhǎng,easy as a hand's turn (idiom); very easy; no effort at all -易如翻掌,yì rú fān zhǎng,see 易如反掌[yi4 ru2 fan3 zhang3] -易孕,yì yùn,(of a woman) fertile; able to get pregnant easily -易学,yì xué,study of the Book of Changes 易經|易经[Yi4 jing1] -易学,yì xué,easy to learn -易守难攻,yì shǒu nán gōng,"easily guarded, hard to attack" -易容,yì róng,to change one's appearance -易建联,yì jiàn lián,"Yi Jianlian (1987-), Chinese basketball player for the New Jersey Nets (NBA)" -易弯,yì wān,flexible -易感,yì gǎn,susceptible -易懂,yì dǒng,easy to understand -易手,yì shǒu,to change hands -易拉宝,yì lā bǎo,roll-up banner stand -易拉罐,yì lā guàn,pull-top can; easy-open can (with ring-pull) -易接近,yì jiē jìn,accessible -易挥发,yì huī fā,volatile -易损性,yì sǔn xìng,vulnerability -易于,yì yú,very likely; prone to -易于反掌,yì yú fǎn zhǎng,see 易如反掌[yi4 ru2 fan3 zhang3] -易洛魁,yì luò kuí,Iroquois -易溶,yì róng,soluble -易激惹,yì jī rě,irritable -易燃物,yì rán wù,flammable substance -易燃物品,yì rán wù pǐn,flammable articles -易爆,yì bào,explosive -易理解,yì lǐ jiě,easy to grasp; easily understood -易用性,yì yòng xìng,ease of use; usability -易碎,yì suì,brittle; fragile -易科罚金,yì kē fá jīn,to commute a prison sentence to a fine (Tw) -易经,yì jīng,"The Book of Changes (""I Ching"")" -易县,yì xiàn,"Yi county in Baoding 保定[Bao3 ding4], Hebei" -易腐败,yì fǔ bài,perishable -易蒙停,yì méng tíng,Imodium (drug brand name); loperamide (used to treat diarrhea) -易言之,yì yán zhī,in other words -易读,yì dú,legible; readable -易变,yì biàn,mutable; volatile; variable -易变质,yì biàn zhì,perishable -易趣,yì qù,"EachNet, Chinese e-commerce company (formerly owned by eBay and branded as eBay EachNet)" -易逝,yì shì,passing; transient; fugitive -易游网,yì yóu wǎng,"ezTravel, Taiwanese travel agency" -易门,yì mén,"Yimen county in Yuxi 玉溪[Yu4 xi1], Yunnan" -易门县,yì mén xiàn,"Yimen county in Yuxi 玉溪[Yu4 xi1], Yunnan" -易开罐,yì kāi guàn,(Tw) pull-top can; easy-open can (with ring-pull) -易饥症,yì jī zhèng,bulimia -昔,xī,surname Xi -昔,xī,former times; the past; Taiwan pr. [xi2] -昔年,xī nián,former years; previous years -昔日,xī rì,former days; in the past -昔阳,xī yáng,"Xiyang county in Jinzhong 晉中|晋中[Jin4 zhong1], Shanxi" -昔阳县,xī yáng xiàn,"Xiyang county in Jinzhong 晉中|晋中[Jin4 zhong1], Shanxi" -昕,xīn,dawn -慎,shèn,old variant of 慎[shen4] -昜,yáng,old variant of 陽[yang2] -昝,zǎn,surname Zan -星,xīng,star; heavenly body; satellite; small amount -星二代,xīng èr dài,children of celebrities -星光,xīng guāng,starlight -星冰乐,xīng bīng lè,Frappuccino -星名,xīng míng,star name -星命家,xīng mìng jiā,astrologer (esp. Daoist) -星图,xīng tú,star atlas -星团,xīng tuán,star cluster -星型网,xīng xíng wǎng,Star network -星子,xīng zǐ,"Xingzi county in Jiujiang 九江, Jiangxi" -星子县,xīng zǐ xiàn,"Xingzi county in Jiujiang 九江, Jiangxi" -星官,xīng guān,Chinese constellations -星家,xīng jiā,astrologist (in former times) -星宿,xīng xiù,"constellation (arch., now 星座); one of the 28 constellations of traditional Chinese astronomy and astrology; motion of stars since one's birth (predetermining one's fate in astrology)" -星宿海,xīng xiù hǎi,"Xingxiuhai Basin in Qinghai, more than 4000m above sea level, featuring numerous lakes large and small" -星岛,xīng dǎo,"Sing Tao, Hong Kong media group and publisher of Sing Tao Daily 星島日報|星岛日报" -星岛日报,xīng dǎo rì bào,"Sing Tao Daily, Hong Kong newspaper" -星巴克,xīng bā kè,"Starbucks, US coffee shop chain" -星座,xīng zuò,constellation; astrological sign; CL:張|张[zhang1] -星座运势,xīng zuò yùn shì,(Western-style) horoscope -星斗,xīng dǒu,stars -星星,xīng xing,(coll.) a star; the stars in the sky -星星之火,xīng xing zhī huǒ,a single spark (idiom); an insignificant cause can have a massive effect -星历,xīng lì,astronomic calendar -星曜,xīng yào,"heavenly bodies (esp. the sun, moon or five visible planets)" -星月,xīng yuè,the moon and the stars -星期,xīng qī,week; CL:個|个[ge4]; day of the week; Sunday -星期一,xīng qī yī,Monday -星期三,xīng qī sān,Wednesday -星期二,xīng qī èr,Tuesday -星期五,xīng qī wǔ,Friday -星期六,xīng qī liù,Saturday -星期四,xīng qī sì,Thursday -星期天,xīng qī tiān,Sunday; CL:個|个[ge4] -星期几,xīng qī jǐ,which day of the week -星期日,xīng qī rì,Sunday; CL:個|个[ge4] -星条旗,xīng tiáo qí,"Stars and Stripes, the flag of the United States" -星洲,xīng zhōu,Singapore -星洲日报,xīng zhōu rì bào,"Sin Chew Daily, Malaysian newspaper" -星流电击,xīng liú diàn jī,meteor shower and violent thunderclaps (idiom); omens of violent development; portentous signs -星流霆击,xīng liú tíng jī,meteor shower and violent thunderclaps (idiom); omens of violent development; portentous signs -星海争霸,xīng hǎi zhēng bà,StarCraft (video game series) (Tw) -星汉,xīng hàn,Milky Way -星火,xīng huǒ,spark; meteor trail (mostly used in expressions like 急如星火[ji2 ru2 xing1 huo3]) -星球,xīng qiú,"celestial body (e.g. planet, satellite etc); heavenly body" -星球大战,xīng qiú dà zhàn,Star Wars -星盘,xīng pán,(astronomy) astrolabe; (astrology) horoscope; astrological chart -星相,xīng xiàng,astrology and physiognomy -星相十足,xīng xiāng shí zú,(coll.) to look every bit the big star -星相图,xīng xiàng tú,star chart -星相学,xīng xiàng xué,astrology -星相家,xīng xiàng jiā,astrologer -星相师,xīng xiàng shī,astrologer -星相术,xīng xiàng shù,astrology -星移斗转,xīng yí dǒu zhuǎn,lit. the Big Dipper 北斗星[Bei3 dou3 xing1] has turned and the stars have moved; time flies; also written 斗轉星移|斗转星移[Dou3 zhuan3 xing1 yi2] -星空,xīng kōng,starry sky; the star-studded heavens -星等,xīng děng,magnitude of a star -星系,xīng xì,see 恆星系|恒星系[heng2 xing1 xi4] -星系盘,xīng xì pán,galactic disc -星级,xīng jí,star rating; top-class; highly rated -星罗棋布,xīng luó qí bù,scattered about like stars in the sky or chess pieces on a board (idiom); spread all over the place -星群,xīng qún,(astronomy) asterism -星号,xīng hào,asterisk * (punct.) -星术,xīng shù,astrology -星表,xīng biǎo,star catalog -星象,xīng xiàng,aspect of the celestial bodies (used for navigation and astrology) -星象图,xīng xiàng tú,star chart; also written 星相圖|星相图 -星象恶曜,xīng xiàng è yào,unlucky star (evil portent in astrology) -星辰,xīng chén,stars -星际,xīng jì,interstellar; interplanetary -星际大战,xīng jì dà zhàn,(Tw) Star Wars -星际旅行,xīng jì lǚ xíng,Star Trek (US TV and film series) -星际争霸,xīng jì zhēng bà,StarCraft (video game series) -星云,xīng yún,nebula -星云表,xīng yún biǎo,catalog of stars and nebulae -星头啄木鸟,xīng tóu zhuó mù niǎo,(bird species of China) grey-capped pygmy woodpecker (Dendrocopos canicapillus) -星驰,xīng chí,rapidly -星体,xīng tǐ,"celestial body (planet, satellite etc)" -星鸦,xīng yā,(bird species of China) spotted nutcracker (Nucifraga caryocatactes) -映,yìng,to reflect (light); to shine; to project (an image onto a screen etc) -映像,yìng xiàng,reflection; image (in a mirror) -映像管,yìng xiàng guǎn,"CRT (cathode ray tube) used in a computer monitor or TV, aka picture tube (Tw); kinescope" -映入,yìng rù,to appear before (one's eyes); to come to (one's mind) -映入眼帘,yìng rù yǎn lián,(idiom) to greet the eye; to come into view -映入脑海,yìng rù nǎo hǎi,to come to mind; to come to one's attention -映射,yìng shè,"to shine on; (math., linguistics etc) mapping" -映射过程,yìng shè guò chéng,mapping process -映山红,yìng shān hóng,Indian azalea (Rhododendron simsii) -映演,yìng yǎn,(Tw) to screen a movie -映照,yìng zhào,to shine upon; to reflect -映衬,yìng chèn,to set off by contrast; antithesis; analogy parallelism (linguistics) -映象文件,yìng xiàng wén jiàn,(computing) disk image (aka image file); ISO image -春,chūn,surname Chun -春,chūn,spring (season); gay; joyful; youthful; love; lust; life -春令,chūn lìng,spring; springtime; spring weather -春假,chūn jià,spring break -春光,chūn guāng,scenes of springtime; the radiance of spring; (fig.) a sight of sth sexy or erotic; an indication of a love affair -春光乍泄,chūn guāng zhà xiè,spring sunshine emerges to bring the world alive (idiom); to give a glimpse of sth intimate (e.g. one's underwear) -春光明媚,chūn guāng míng mèi,lovely spring sunshine -春凳,chūn dèng,(old) wooden bench -春分,chūn fēn,"Chunfen or Spring Equinox, 4th of the 24 solar terms 二十四節氣|二十四节气 21st March-4th April" -春分点,chūn fēn diǎn,the spring equinox -春化,chūn huà,(agriculture) vernalization -春困,chūn kùn,spring fatigue; spring fever -春夏秋冬,chūn xià qiū dōng,"the four seasons; spring, summer, autumn and winter" -春梦,chūn mèng,spring dream; short-lived illusion; erotic dream -春大麦,chūn dà mài,spring barley -春天,chūn tiān,spring (season); CL:個|个[ge4] -春妇,chūn fù,prostitute -春季,chūn jì,springtime -春宫,chūn gōng,"Crown Prince's chambers; by extension, the Crown Prince; erotic picture" -春岑,chūn cén,Hill of Spring (derivation of Tel Aviv 特拉維夫|特拉维夫 from the book of Ezekiel 以西結書|以西结书) -春川市,chūn chuān shì,"Chuncheon city, capital of Gangwon province 江原道[Jiang1 yuan2 dao4], South Korea" -春心,chūn xīn,amorous feelings; stirrings of love -春情,chūn qíng,amorous feelings -春意,chūn yì,beginning of spring; thoughts of love -春卷,chūn juǎn,egg roll; spring roll -春播,chūn bō,(agriculture) to sow in spring -春日,chūn rì,"Chunri or Chunjih township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -春日部,chūn rì bù,"Kasukabe, city in Saitama Prefecture, Japan" -春日乡,chūn rì xiāng,"Chunri or Chunjih township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -春晚,chūn wǎn,abbr. for 春節聯歡晚會|春节联欢晚会[Chun1 jie2 Lian2 huan1 Wan3 hui4] -春景,chūn jǐng,spring scenery -春晖,chūn huī,lit. spring sunshine; fig. parental (often maternal) love -春柳,chūn liǔ,"Spring Willow Society, pioneering Chinese theatrical company set up in Tokyo in 1906, part of New Culture Movement 新文化運動|新文化运动[Xin1 Wen2 hua4 Yun4 dong4], continued in China from 1912 as 新劇同志會|新剧同志会[Xin1 ju4 Tong2 zhi4 hui4]" -春柳剧场,chūn liǔ jù chǎng,"Spring Willow Society, pioneering Chinese theatrical company set up in Tokyo in 1906, part of New Culture Movement 新文化運動|新文化运动[Xin1 Wen2 hua4 Yun4 dong4], continued in China from 1912 as 新劇同志會|新剧同志会[Xin1 ju4 Tong2 zhi4 hui4]" -春柳社,chūn liǔ shè,"Spring Willow Society, pioneering Chinese theatrical company set up in Tokyo in 1906, part of New Culture Movement 新文化運動|新文化运动[Xin1 Wen2 hua4 Yun4 dong4], continued in China from 1912 as 新劇同志會|新剧同志会[Xin1 ju4 Tong2 zhi4 hui4]" -春武里府,chūn wǔ lǐ fǔ,Chonburi province of east Thailand -春汛,chūn xùn,spring flood -春江水暖鸭先知,chūn jiāng shuǐ nuǎn yā xiān zhī,lit. the duck is the first to know if the spring water is warm (idiom); fig. an expert in the field knows which way the wind blows -春江花月夜,chūn jiāng huā yuè yè,"River on a spring night, long yuefu poem by 張若虛|张若虚[Zhang1 Ruo4 xu1]" -春灌,chūn guàn,spring irrigation -春灯谜,chūn dēng mí,"Spring lantern riddles (guessing game at Lantern Festival 元宵節|元宵节, at the end of Spring festival 春節|春节)" -春画,chūn huà,erotic print; pornographic picture -春秋,chūn qiū,"Spring and Autumn Period (770-476 BC); Spring and Autumn Annals, chronicle of Lu State (722-481 BC)" -春秋,chūn qiū,spring and autumn; four seasons; year; a person's age; annals (used in book titles) -春秋三传,chūn qiū sān zhuàn,"Three Commentaries on the Spring and Autumn Annals 春秋[Chun1 qiu1], including Mr Gongyang's annals 公羊傳|公羊传[Gong1 yang2 Zhuan4], Mr Guliang's annals 穀梁傳|谷梁传[Gu3 liang2 Zhuan4] and Mr Zuo's annals or Zuo Zhuan 左傳|左传[Zuo3 Zhuan4]" -春秋五霸,chūn qiū wǔ bà,"the Five Hegemons of the Spring and Autumn period (770-476 BC), namely: Duke Huan of Qi 齊桓公|齐桓公[Qi2 Huan2 gong1], Duke Wen of Jin 晉文公|晋文公[Jin4 Wen2 gong1], King Zhuang of Chu 楚莊王|楚庄王[Chu3 Zhuang1 wang2], and alternatively Duke Xiang of Song 宋襄公[Song4 Xiang1 gong1] and Duke Mu of Qin 秦穆公[Qin2 Mu4 gong1] or King Helu of Wu 吳王闔閭|吴王阖闾[Wu2 wang2 He2 Lu:2] and King Gou Jian of Yue 越王勾踐|越王勾践[Yue4 wang2 Gou1 Jian4]" -春秋大梦,chūn qiū dà mèng,grand dreams; unrealistic ideas (idiom) -春秋左氏传,chūn qiū zuǒ shì zhuàn,"Mr Zuo's Spring and Autumn Annals, attributed to famous blind historian Zuo Qiuming 左丘明[Zuo3 Qiu1 ming2]; usually called Zuo Zhuan 左傳|左传[Zuo3 Zhuan4]" -春秋战国,chūn qiū zhàn guó,the Spring and Autumn (770-476 BC) and Warring States (475-221 BC) periods -春秋战国时代,chūn qiū zhàn guó shí dài,the Spring and Autumn (770-476 BC) and Warring States (475-221 BC) periods; Eastern Zhou (770-221 BC) -春秋时代,chūn qiū shí dài,Spring and Autumn Period (770-476 BC) -春秋繁露,chūn qiū fán lù,"Luxuriant Dew of the Spring and Autumn Annals, ideological tract by Han dynasty political philosopher Dong Zhongshu 董仲舒[Dong3 Zhong4 shu1]" -春秋鼎盛,chūn qiū dǐng shèng,the prime of one's life -春笋,chūn sǔn,springtime bamboo shoots; fig. (of woman's fingers) tender and delicate -春节,chūn jié,Spring Festival (Chinese New Year) -春节联欢晚会,chūn jié lián huān wǎn huì,"CCTV New Year's Gala, Chinese New Year special; abbr. to 春晚[Chun1 Wan3]" -春耕,chūn gēng,to plow a field in the spring -春联,chūn lián,"Spring Festival couplet (the first line of which is pasted on the right side of a doorway at New Year, and the second on the left side)" -春兴,chūn xìng,carnal desire -春色,chūn sè,colors of spring; spring scenery -春茶,chūn chá,tea leaves gathered at springtime or the tea made from these leaves -春菇,chūn gū,spring mushroom -春药,chūn yào,aphrodisiac -春蚕,chūn cán,"Silkworms in Spring (1933), Chinese silent movie in socialist realist style, based on novel by Mao Dun 茅盾[Mao2 Dun4]" -春试,chūn shì,metropolitan civil service examination (held triennially in spring in imperial times) -春贴,chūn tiē,see 春聯|春联[chun1 lian2] -春游,chūn yóu,spring outing; spring excursion -春运,chūn yùn,(increased) passenger transportation around Chinese New Year -春酒,chūn jiǔ,"banquet to celebrate the Spring Festival; wine made in spring and kept until winter, or made in winter and kept until spring" -春闱,chūn wéi,"metropolitan civil service examination (held triennially in spring in imperial times); Crown Prince's chambers; by extension, the Crown Prince" -春雨,chūn yǔ,spring rain; gift from above -春霖,chūn lín,spring rains -春风一度,chūn fēng yī dù,to have sexual intercourse (once) -春风化雨,chūn fēng huà yǔ,lit. spring wind and rain (idiom); fig. the long-term influence of a solid education -春风和气,chūn fēng hé qì,(idiom) amiable as a spring breeze -春风得意,chūn fēng dé yì,"flushed with success; proud of one's success (in exams, promotion etc); as pleased as punch" -春风深醉的晚上,chūn fēng shēn zuì de wǎn shang,"Intoxicating Spring Nights, 1924 short story by Yu Dafu 郁達夫|郁达夫[Yu4 Da2 fu1]" -春风满面,chūn fēng mǎn miàn,pleasantly smiling; radiant with happiness -春饼,chūn bǐng,"spring pancake, a Chinese flatbread wrap" -春黄菊,chūn huáng jú,yellow chrysanthemum; chamomile (Anthemis spp.) -春黄菊属,chūn huáng jú shǔ,"Anthemis, genus of flowers in Compositae including chamomile" -昧,mèi,to conceal; dark -昧心,mèi xīn,against one's conscience -昧旦,mèi dàn,the time just before daybreak -昧死,mèi sǐ,to risk one's life -昧没,mèi mò,veiled; obscure -昧良心,mèi liáng xīn,it goes against one's conscience -昨,zuó,yesterday -昨儿,zuó er,(coll.) yesterday -昨儿个,zuó er ge,(coll.) yesterday -昨夜,zuó yè,last night -昨天,zuó tiān,yesterday -昨日,zuó rì,yesterday -昨晚,zuó wǎn,yesterday evening; last night -昫,xù,variant of 煦[xu4]; balmy; nicely warm; cozy -昏,hūn,old variant of 昏[hun1] -昭,zhāo,bright; clear; manifest; to show clearly -昭和,zhāo hé,"Shōwa, Japanese era name, corresponding to the reign (1925-1989) of emperor Hirohito 裕仁[Yu4 ren2]" -昭平,zhāo píng,"Zhaoping county in Hezhou 賀州|贺州[He4 zhou1], Guangxi" -昭平县,zhāo píng xiàn,"Zhaoping county in Hezhou 賀州|贺州[He4 zhou1], Guangxi" -昭披耶帕康,zhāo pī yé pà kāng,"Chao Phraya Phra Klang (Royal Finance and External Affairs Minister), the honorary title of the 18th century official of the royal court of Thailand who translated 三國演義|三国演义[San1 guo2 Yan3 yi4] (Romance of the Three Kingdoms) into Thai" -昭披耶河,zhāo pī yé hé,"Chao Phraya River, the main river of Thailand" -昭然若揭,zhāo rán ruò jiē,abundantly clear -昭示,zhāo shì,to declare publicly; to make clear -昭苏,zhāo sū,"Zhaosu County or Mongghulküre nahiyisi in Ili Kazakh Autonomous Prefecture 伊犁哈薩克自治州|伊犁哈萨克自治州[Yi1 li2 Ha1 sa4 ke4 Zi4 zhi4 zhou1], Xinjiang" -昭苏县,zhāo sū xiàn,"Zhaosu County or Mongghulküre nahiyisi in Ili Kazakh Autonomous Prefecture 伊犁哈薩克自治州|伊犁哈萨克自治州[Yi1 li2 Ha1 sa4 ke4 Zi4 zhi4 zhou1], Xinjiang" -昭觉,zhāo jué,"Zhaojue county in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -昭觉县,zhāo jué xiàn,"Zhaojue county in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -昭通,zhāo tōng,"Zhaotong, prefecture-level city in Yunnan" -昭通市,zhāo tōng shì,"Zhaotong, prefecture-level city in Yunnan" -昭阳,zhāo yáng,"Zhaoyang district of Zhaotong city 昭通市[Zhao1 tong1 shi4], Yunnan" -昭阳区,zhāo yáng qū,"Zhaoyang district of Zhaotong city 昭通市[Zhao1 tong1 shi4], Yunnan" -昭雪,zhāo xuě,to exonerate; to clear (from an accusation); to rehabilitate -是,shì,to be (followed by substantives only); correct; right; true; (respectful acknowledgement of a command) very well; (adverb for emphatic assertion) -是不是,shì bù shì,is or isn't; yes or no; whether or not -是以,shì yǐ,therefore; thus; so -是否,shì fǒu,whether (or not); if; is or isn't -是味儿,shì wèi er,(of food) to have the right taste; (of people) to feel at ease -是德科技,shì dé kē jì,Keysight Technologies (instrumentation company) -是拉差,shì lā chā,sriracha (loanword) -是故,shì gù,therefore; so; consequently -是日,shì rì,(formal) this day; that day -是的,shì de,"yes, that's right; variant of 似的[shi4 de5]" -是荷,shì hé,(written) (at the end of a request in letters) I would be much obliged -是药三分毒,shì yào sān fēn dú,every medicine has its side effect -是非,shì fēi,right and wrong; quarrel -是非不分,shì fēi bù fēn,unable to distinguish right and wrong (idiom) -是非之地,shì fēi zhī dì,trouble spot; sketchy area -是非分明,shì fēi fēn míng,to distinguish right from wrong (idiom) -是非曲直,shì fēi qū zhí,"lit. right and wrong, crooked and straight (idiom); fig. merits and demerits; pros and cons" -是非自有公论,shì fēi zì yǒu gōng lùn,to determine right and wrong based on public opinion (idiom); Public opinion will judge what's right and wrong. -是非莫辨,shì fēi mò biàn,unable to distinguish right and wrong (idiom) -是,shì,variant of 是[shi4] -昱,yù,bright light -昱日,yù rì,(Tw) the following day -昱昱,yù yù,variant of 煜煜[yu4 yu4] -昴,mǎo,the Pleiades -昴宿星团,mǎo xiù xīng tuán,Pleiades M45 -昴星团,mǎo xīng tuán,Pleiades M45 -昵,nì,variant of 暱|昵[ni4] -昵爱,nì ài,to love dearly; intimacy; close love -昵比,nì bǐ,intimate -昶,chǎng,(of the day) long; old variant of 暢|畅[chang4] -晁,cháo,surname Chao -时,shí,surname Shi -时,shí,o'clock; time; when; hour; season; period -时下,shí xià,at present; right now -时不再来,shí bù zài lái,Time that has passed will never come back. (idiom) -时不我待,shí bù wǒ dài,time and tide wait for no man (idiom) -时不时,shí bù shí,from time to time -时乖命蹇,shí guāi mìng jiǎn,"bad times, adverse fate (idiom)" -时事,shí shì,current trends; the present situation; how things are going -时代,shí dài,"Time, US weekly news magazine" -时代,shí dài,age; era; epoch; period (in one's life); CL:個|个[ge4] -时代广场,shí dài guǎng chǎng,Times Square -时代曲,shí dài qǔ,"shidaiqu, a musical genre that originated in Shanghai in the 1920s, a fusion of Chinese folk music and Western jazz" -时代华纳,shí dài huá nà,"Time Warner Inc., US media company" -时令,shí lìng,season -时任,shí rèn,"then (as in ""the then chairman"")" -时来运转,shí lái yùn zhuǎn,"the time comes, fortune turns (idiom); to have a lucky break; things change for the better" -时俗,shí sú,prevalent custom of the time -时候,shí hou,time; length of time; moment; period -时价,shí jià,current price -时光,shí guāng,time; era; period of time -时光机,shí guāng jī,time machine -时分,shí fēn,time; period during the day; one of the 12 two-hour periods enumerated by the earthly branches 地支 -时刻,shí kè,"time; juncture; moment; period of time; CL:個|个[ge4],段[duan4]; constantly; always" -时刻准备,shí kè zhǔn bèi,ready at any moment -时刻表,shí kè biǎo,timetable; schedule -时势,shí shì,current situation; circumstances; current trend -时势造英雄,shí shì zào yīng xióng,Time makes the man (idiom). The trend of events brings forth the hero. -时区,shí qū,time zone -时报,shí bào,"""Times"" (newspaper, e.g. New York Times)" -时大时小,shí dà shí xiǎo,"sometimes big, sometimes small; varying" -时好时坏,shí hǎo shí huài,"sometimes good, sometimes bad" -时宜,shí yí,contemporary expectations -时写时辍,shí xiě shí chuò,to write for a bit then give up; to write in fits and starts -时尚,shí shàng,fashion; fad; fashionable -时局,shí jú,current political situation -时差,shí chā,time difference; time lag; jet lag -时常,shí cháng,often; frequently -时序,shí xù,timing (of a signal or sequence); time course -时弊,shí bì,ills of the day; contemporary problems -时式,shí shì,fashionable style; (linguistics) tense -时态,shí tài,(verb) tense -时戳,shí chuō,timestamp -时政,shí zhèng,current politics; political situation of the time -时效,shí xiào,timeliness; period of viability or validity; (law) prescription; limitation; (metallurgy) aging -时效性,shí xiào xìng,sensitivity to timing; time-sensitive; timeliness -时效法,shí xiào fǎ,(law) statute of limitations -时断时续,shí duàn shí xù,stopping and starting; intermittent; sporadic; on and off -时日,shí rì,time; auspicious time; time and date; long period of time; this day -时日无多,shí rì wú duō,time is limited (idiom) -时时,shí shí,often; constantly -时时刻刻,shí shí kè kè,at all times -时有所闻,shí yǒu suǒ wén,heard from time to time; one keeps hearing that... -时期,shí qī,period; phase; CL:個|个[ge4] -时机,shí jī,opportunity; opportune moment -时段,shí duàn,time interval; work shift; time slot; the twelve two-hour divisions of the day -时段分析,shí duàn fēn xī,time interval analysis -时程,shí chéng,timetable; schedule -时空,shí kōng,time and place; world of a particular locale and era; (physics) space-time -时空旅行,shí kōng lǚ xíng,time travel -时空穿梭,shí kōng chuān suō,time travel -时空穿越,shí kōng chuān yuè,time travel -时空胶囊,shí kōng jiāo náng,time capsule (Tw) -时空错置,shí kōng cuò zhì,having elements from another time or place -时空错置感,shí kōng cuò zhì gǎn,sense of being in another time and place; feeling that one has entered a time warp -时节,shí jié,season; time -时绥,shí suí,peace all year round (old letter closing) -时而,shí ér,occasionally; from time to time -时至今日,shí zhì jīn rì,(idiom) up to the present; even now; now (in contrast with the past); at this late hour -时兴,shí xīng,fashionable; popular -时菜,shí cài,seasonal vegetable -时蔬,shí shū,seasonal vegetables -时薪,shí xīn,hourly wage -时装,shí zhuāng,fashion; fashionable clothes -时装剧,shí zhuāng jù,contemporary drama -时装秀,shí zhuāng xiù,fashion show -时装表演,shí zhuāng biǎo yǎn,fashion show -时装鞋,shí zhuāng xié,dress shoes -时讯,shí xùn,news; current events -时调,shí diào,regional folk song popular during a certain period of time -时辰,shí chen,time; one of the 12 two-hour periods of the day -时辰未到,shí chen wèi dào,the time has not yet come -时速,shí sù,speed per hour -时运,shí yùn,circumstances; fate -时运不济,shí yùn bù jì,fate is unfavorable (idiom); the omens are not good -时运亨通,shí yùn hēng tōng,"our luck is in, everything is going smoothly (idiom)" -时过境迁,shí guò jìng qiān,things change with the passage of time (idiom) -时针,shí zhēn,hand of a clock; hour hand -时钟,shí zhōng,clock -时钟座,shí zhōng zuò,Horologium (constellation) -时长,shí cháng,duration -时间,shí jiān,(concept of) time; (duration of) time; (point in) time -时间不早了,shí jiān bù zǎo le,it's getting late; time's getting on -时间区间,shí jiān qū jiān,time interval -时间序列,shí jiān xù liè,time series (stats.) -时间戳,shí jiān chuō,timestamp -时间是把杀猪刀,shí jiān shì bǎ shā zhū dāo,"lit. time is a butcher's knife; fig. time marches on, relentless and unforgiving; nothing gold can stay" -时间测定学,shí jiān cè dìng xué,chronometry -时间简史,shí jiān jiǎn shǐ,"""A Brief History of Time"" by Stephen Hawking" -时间线,shí jiān xiàn,timeline -时间表,shí jiān biǎo,schedule; timetable -时间轴,shí jiān zhóu,time axis; timeline -时间进程,shí jiān jìn chéng,time course -时间点,shí jiān diǎn,point in time -时限,shí xiàn,time limit -时隔,shí gé,separated in time (usu. followed by a quantity of time) -时隐时现,shí yǐn shí xiàn,appearing and disappearing (idiom); intermittently visible -时雍,shí yōng,concord; harmony -时显时隐,shí xiǎn shí yǐn,appearing and disappearing; intermittently visible -时髦,shí máo,in vogue; fashionable -时点,shí diǎn,point of time (in time-based systems) -晃,huǎng,to dazzle; to flash past -晃,huàng,to sway; to shake; to wander about -晃动,huàng dòng,to sway; to rock -晃悠,huàng you,to swing; to sway; to wobble; to hang around; to hover around -晃晃悠悠,huàng huang yōu yōu,swaying; wobbling -晃荡,huàng dang,to rock; to sway; to shake -晋,jìn,"surname Jin; the Jin Dynasties (265-420); Western Jin 西晉|西晋[Xi1 Jin4] (265-316), Eastern Jin 東晉|东晋[Dong1 Jin4] (317-420) and Later Jin Dynasty (936-946); short name for Shanxi province 山西[Shan1xi1]" -晋,jìn,to move forward; to promote; to advance -晋中,jìn zhōng,Jinzhong prefecture-level city in Shanxi 山西[Shan1 xi1] -晋中市,jìn zhōng shì,Jinzhong prefecture-level city in Shanxi 山西[Shan1 xi1] -晋代,jìn dài,Jin Dynasty (265-420) -晋升,jìn shēng,to promote to a higher position -晋城,jìn chéng,Jincheng prefecture-level city in Shanxi 山西[Shan1 xi1] -晋城市,jìn chéng shì,Jincheng prefecture-level city in Shanxi 山西[Shan1 xi1] -晋安,jìn ān,"Jin'an, a district of Fuzhou City 福州市[Fu2zhou1 Shi4], Fujian" -晋安区,jìn ān qū,"Jin'an, a district of Fuzhou City 福州市[Fu2zhou1 Shi4], Fujian" -晋察冀,jìn chá jì,"Shanxi 山西[Shan1 xi1], Chahar 察哈爾|察哈尔[Cha2 ha1 er3] and Hebei 河北[He2 bei3] (three provinces of the Republic of China in the period 1912-1936)" -晋宁,jìn níng,"Jinning county in Kunming 昆明[Kun1 ming2], Yunnan" -晋宁县,jìn níng xiàn,"Jinning county in Kunming 昆明[Kun1 ming2], Yunnan" -晋州,jìn zhōu,"Jinzhou county-level city in Hebei; Jin Prefecture, established under the Northern Wei dynasty, centered on present-day Linfen 臨汾市|临汾市[Lin2 fen2 shi4] in Shanxi" -晋州市,jìn zhōu shì,"Jinzhou county-level city in Hebei, administered by the provincial capital, Shijiazhuang 石家莊市|石家庄市[Shi2 jia1 zhuang1 Shi4]" -晋惠帝,jìn huì dì,"Emperor Hui of Jin (259-307), personal name 司馬衷|司马衷[Si1 ma3 Zhong1], 2nd emperor of Jin Dynasty 晉朝|晋朝[Jin4 chao2], reigned 290-307" -晋文公,jìn wén gōng,"Duke Wen of Jin (697-628 BC, reigned 636-628 BC), one of the Five Hegemons 春秋五霸[Chun1 qiu1 Wu3 ba4]" -晋书,jìn shū,"History of the Jin Dynasty, fifth of the 24 dynastic histories 二十四史[Er4 shi2 si4 Shi3], compiled under Fang Xuanling 房玄齡|房玄龄[Fang2 Xuan2 ling2] in 648 during Tang Dynasty 唐朝[Tang2 chao2], 130 scrolls" -晋朝,jìn cháo,Jin Dynasty (265-420) -晋江,jìn jiāng,"Jinjiang, county-level city in Quanzhou 泉州[Quan2 zhou1], Fujian" -晋江市,jìn jiāng shì,"Jinjiang, county-level city in Quanzhou 泉州[Quan2 zhou1], Fujian" -晋源,jìn yuán,"Jinyuan district of Taiyuan city 太原市[Tai4 yuan2 shi4], Shanxi" -晋源区,jìn yuán qū,"Jinyuan district of Taiyuan city 太原市[Tai4 yuan2 shi4], Shanxi" -晋爵,jìn jué,to join the nobility; to rise through the nobility -晋级,jìn jí,to advance in rank; promotion; advancement -晋县,jìn xiàn,Jin county in Hebei -晋见,jìn jiàn,to have an audience with -晌,shǎng,part of the day; midday -晌午,shǎng wu,noon -晏,yàn,surname Yan -晏,yàn,late; quiet -晏婴,yàn yīng,"Yan Ying (-c 500 BC), famous statesman from Qi of the Warring States, also known as Yanzi 晏子[Yan4 zi3] , hero of book 晏子春秋[Yan4 zi3 Chun1 qiu1]" -晏子,yàn zǐ,"Yanzi (-c 500 BC), famous statesman from Qi of the Warring States 齊國|齐国[Qi2 guo2], also known as 晏嬰|晏婴[Yan4 Ying1], hero of book 晏子春秋[Yan4 zi3 Chun1 qiu1]" -晏子春秋,yàn zǐ chūn qiū,"Tales of Yanzi, book describing the life and wisdom of Yanzi 晏子 (-c 500 BC), famous statesman from Qi of the Warring States" -晏平仲,yàn píng zhòng,"another name for Yan Ying 晏嬰|晏婴[Yan4 Ying1] or Yanzi 晏子[Yan4 zi3] (-500 BC), famous statesman from Qi of the Warring States 齊國|齐国[Qi2 guo2]" -晏驾,yàn jià,to die (exclusively of the Emperor) -晒,shài,variant of 曬|晒[shai4] -晗,hán,before daybreak; dawn about to break; (used in given names) -晚,wǎn,evening; night; late -晚上,wǎn shang,evening; night; CL:個|个[ge4]; in the evening -晚上好,wǎn shàng hǎo,Good evening! -晚世,wǎn shì,nowadays -晚半天儿,wǎn ban tiān er,late afternoon -晚报,wǎn bào,evening newspaper; (in a newspaper's name) Evening News -晚场,wǎn chǎng,evening show (at theater etc) -晚婚晚育,wǎn hūn wǎn yù,to marry and give birth late -晚安,wǎn ān,Good night!; Good evening! -晚宴,wǎn yàn,banquet; dinner party; soiree -晚年,wǎn nián,one's later years -晚晌,wǎn shǎng,evening -晚景,wǎn jǐng,evening scene; circumstances of one's declining years -晚会,wǎn huì,evening party; CL:個|个[ge4] -晚期,wǎn qī,later period; end stage; terminal -晚期癌症,wǎn qī ái zhèng,terminal cancer -晚归,wǎn guī,to return late; to come home late -晚清,wǎn qīng,the late Qing; late 19th and early 20th century China -晚班,wǎn bān,night shift -晚生,wǎn shēng,"I (self-deprecatory, in front of elders) (old)" -晚礼服,wǎn lǐ fú,evening dress -晚祷,wǎn dǎo,evening prayer; evensong; vespers -晚育,wǎn yù,late childbirth; to have a child at a later age -晚车,wǎn chē,night train -晚辈,wǎn bèi,the younger generation; those who come after -晚近,wǎn jìn,most recent in the past; recent; late; recently -晚间,wǎn jiān,evening; night -晚霞,wǎn xiá,sunset glow; sunset clouds; afterglow -晚饭,wǎn fàn,"evening meal; dinner; supper; CL:份[fen4],頓|顿[dun4],次[ci4],餐[can1]" -晚餐,wǎn cān,"evening meal; dinner; CL:份[fen4],頓|顿[dun4],次[ci4]" -晚点,wǎn diǎn,(of trains etc) late; delayed; behind schedule; light dinner -昼,zhòu,daytime -昼伏夜出,zhòu fú yè chū,nocturnal; to hide by day and come out at night -昼夜,zhòu yè,"day and night; period of 24 hours; continuously, without stop" -昼夜平分点,zhòu yè píng fēn diǎn,the equinox -昼夜节律,zhòu yè jié lǜ,circadian rhythm -昼短夜长,zhòu duǎn yè cháng,the winter days are short and the nights long (idiom) -晟,chéng,surname Cheng -晟,shèng,brightness of sun; splendor; also pr. [cheng2] -晡,bū,3-5 p.m. -晤,wù,to meet (socially) -晤谈,wù tán,to speak face to face; meeting; interview -晤面,wù miàn,to meet (in person); to meet with sb -晦,huì,(bound form) last day of a lunar month; (bound form) dark; gloomy; (literary) night -晦暗,huì àn,dark and gloomy -晦气,huì qì,bad luck; unlucky; calamitous; wretched -晦涩,huì sè,difficult to understand; cryptic -晨,chén,morning; dawn; daybreak -晨勃,chén bó,morning erection -晨报,chén bào,morning newspaper; (in a newspaper's name) Morning Post -晨昏,chén hūn,morning and twilight; day and night -晨昏定省,chén hūn dìng xǐng,morning and evening visits to parents; cf 昏定晨省[hun1 ding4 chen2 xing3] -晨星,chén xīng,morning stars -晨曦,chén xī,first rays of morning sun; first glimmer of dawn -晨歌,chén gē,morning chorus (birdsong) -晨祷,chén dǎo,(Anglican) matins; (Catholic) lauds -晨练,chén liàn,morning exercise -晨钟暮鼓,chén zhōng mù gǔ,"lit. morning bell, evening drum, symbolizing monastic practice (idiom); fig. encouragement to study or progress" -晨间,chén jiān,(of the) morning -晨露,chén lù,morning dew -晬,zuì,1st birthday of a child -普,pǔ,general; popular; everywhere; universal -普丁,pǔ dīng,"(Tw) Vladimir Putin (1952-), president of Russia" -普世,pǔ shì,ecumenical; universal -普世基督教,pǔ shì jī dū jiào,ecumenical -普世教会,pǔ shì jiào huì,ecumenical -普京,pǔ jīng,"Vladimir Putin (1952-), president of Russia" -普什图语,pǔ shí tú yǔ,Pashtu (one of the languages of Afghanistan) -普信男,pǔ xìn nán,(neologism c. 2020) an ordinary guy who imagines he is God's gift to womankind -普列谢茨克,pǔ liè xiè cí kè,"Plesetsk, settlement in Arkhangelsk Oblast, Russia" -普列谢茨克卫星发射场,pǔ liè xiè cí kè wèi xīng fā shè chǎng,"Plesetsk Cosmodrome, Arkhangelsk Oblast, Russia" -普利司通,pǔ lì sī tōng,Bridgestone (tire company) -普利托里亚,pǔ lì tuō lǐ yà,"Pretoria, capital of South Africa (Tw)" -普利策奖,pǔ lì cè jiǎng,Pulitzer Prize -普利茅斯,pǔ lì máo sī,Plymouth -普加乔夫,pǔ jiā qiáo fū,"Yemelyan Ivanovich Pugachov (1742-1775), Russian Cossack, leader of peasant rebellion 1773-1775 against Catherine the Great" -普及,pǔ jí,to spread extensively; to generalize; widespread; popular; universal; ubiquitous; pervasive -普吉,pǔ jí,Phuket (city in Thailand) -普天下,pǔ tiān xià,throughout the world -普天同庆,pǔ tiān tóng qìng,everybody celebrating together; universal celebration; universal rejoicing -普契尼,pǔ qì ní,Puccini -普安,pǔ ān,"Puan county in Qianxinan Buyei and Miao autonomous prefecture 黔西南州[Qian2 xi1 nan2 zhou1], Guizhou" -普安县,pǔ ān xiàn,"Puan county in Qianxinan Buyei and Miao autonomous prefecture 黔西南州[Qian2 xi1 nan2 zhou1], Guizhou" -普定,pǔ dìng,"Puding county in Anshun 安順|安顺[An1 shun4], Guizhou" -普定县,pǔ dìng xiàn,"Puding county in Anshun 安順|安顺[An1 shun4], Guizhou" -普宁,pǔ níng,"Puning, county-level city in Jieyang 揭陽|揭阳, Guangdong" -普宁市,pǔ níng shì,"Puning, county-level city in Jieyang 揭陽|揭阳, Guangdong" -普希金,pǔ xī jīn,"Alexandr Sergeevich Pushkin (1799-1837), great Russian romantic poet" -普度众生,pǔ dù zhòng shēng,(Buddhism) to deliver all living creatures from suffering (idiom) -普拉,pǔ lā,Pula (city in Croatia) -普拉亚,pǔ lā yà,"Praia, capital of Cape Verde" -普拉提,pǔ lā tí,Pilates (physical fitness system) -普拉提斯,pǔ lā tí sī,see 普拉提[Pu3 la1 ti2] -普拉达,pǔ lā dá,Prada (brand) -普普艺术,pǔ pǔ yì shù,(Tw) (loanword) pop art -普普通通,pǔ pǔ tōng tōng,ordinary; mediocre; nothing special -普朗克,pǔ lǎng kè,"Max Planck (1858-1947), German physicist" -普朗克常数,pǔ lǎng kè cháng shù,"(physics) Planck's constant h, approximately 6.626 x 10⁻³⁴ joule.seconds" -普林斯吨,pǔ lín sī dūn,"Princeton, New Jersey" -普林斯吨大学,pǔ lín sī dūn dà xué,Princeton University -普林斯顿,pǔ lín sī dùn,"Princeton, New Jersey" -普林斯顿大学,pǔ lín sī dùn dà xué,Princeton University -普查,pǔ chá,census; general survey; general investigation; reconnaissance survey -普格,pǔ gé,"Puge county in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -普格县,pǔ gé xiàn,"Puge county in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -普桑,pǔ sāng,a model of Volkswagen Santana based on the Passat B2; Poussin (name) -普氏,pǔ shì,"Nikolai Mikhailovich Przevalski 普爾熱瓦爾斯基|普尔热瓦尔斯基 (1839-1888), Russian explorer who made four expeditions to Central Asian from 1870" -普氏小羚羊,pǔ shì xiǎo líng yáng,Przevalski's gazelle (Procapra przewalskii) of Central Asia -普氏立克次体,pǔ shì lì kè cì tǐ,Rickettsia prowazekii -普氏野马,pǔ shì yě mǎ,Przevalski horse (Equus przewalskii) wild horse of Central Asia first identified in 1881 by Nikolai Mikhailovich Przevalski 普爾熱瓦爾斯基|普尔热瓦尔斯基 -普法,pǔ fǎ,to disseminate knowledge of the law -普法战争,pǔ fǎ zhàn zhēng,Franco-Prussian War (1870-1871) -普洱,pǔ ěr,"Pu'er, prefecture-level city in Yunnan; county capital of Ning'er Hani and Yi autonomous county 寧洱哈尼族彞族自治縣|宁洱哈尼族彝族自治县" -普洱哈尼族彝族自治县,pǔ ěr hā ní zú yí zú zì zhì xiàn,"former Pu'er Hani and Yi autonomous county in Yunnan, renamed in 2007 Ning'er Hani and Yi autonomous county 寧洱哈尼族彞族自治縣|宁洱哈尼族彝族自治县, capital Pu'er city 普洱市" -普洱市,pǔ ěr shì,"Pu'er, prefecture-level city in Yunnan" -普洱茶,pǔ ěr chá,Pu'er tea from the Pu'er region of Yunnan -普渡大学,pǔ dù dà xué,Purdue University -普济众生,pǔ jì zhòng shēng,universal mercy and succor (idiom); the Buddha's infinite power and mercy -普照,pǔ zhào,(of sunlight) to bathe all things; to shine gloriously -普尔热瓦尔斯基,pǔ ěr rè wǎ ěr sī jī,"Nikolai Mikhailovich Przevalski (1839-1888), Russian explorer who made four expeditions to Central Asian from 1870; abbr. to 普氏" -普立兹奖,pǔ lì zī jiǎng,Pulitzer Prize (Tw) -普米族,pǔ mǐ zú,Pumi ethnic group -普级,pǔ jí,(classification) general; non-specialist -普罗,pǔ luó,proletariat (loanword); abbr. for 普羅列塔利亞|普罗列塔利亚[pu3 luo2 lie4 ta3 li4 ya4] -普罗列塔利亚,pǔ luó liè tǎ lì yà,proletariat (loanword) -普罗大众,pǔ luó dà zhòng,proletariat; abbr. for 普羅列塔利亞|普罗列塔利亚[pu3 luo2 lie4 ta3 li4 ya4] plus masses; also written 無產階級|无产阶级[wu2 chan3 jie1 ji2] in PRC Marxist theory -普罗夫迪夫,pǔ luó fū dí fū,"Plovdiv, city in Bulgaria" -普罗扎克,pǔ luó zhā kè,Prozac (also marketed as Fluoxetine) -普罗提诺,pǔ luó tí nuò,"Plotinus (204-270), Neoplatonism philosopher" -普罗旺斯,pǔ luó wàng sī,Provence (south of France) -普罗旺斯语,pǔ luó wàng sī yǔ,Provençal (language) -普罗科菲夫,pǔ luó kē fēi fū,"Sergei Prokofiev (1891-1953), Russian composer" -普罗米修斯,pǔ luó mǐ xiū sī,"Prometheus, a Titan god of fire in Greek mythology" -普罗维登斯,pǔ luó wéi dēng sī,"Providence, capital of Rhode Island" -普罗迪,pǔ luó dí,Prodi (surname) -普考,pǔ kǎo,examination for lower levels of Taiwan government service (short for 普通考試|普通考试[pu3 tong1 kao3 shi4]) -普莱斯,pǔ lái sī,Price (name) -普莱费尔,pǔ lái fèi ěr,Playfair (surname) -普萘洛尔,pǔ nài luò ěr,propranolol (beta-blocker used to treat high blood pressure) -普兰,pǔ lán,"Burang county in Ngari prefecture, Tibet, Tibetan: Spu hreng rdzong" -普兰店,pǔ lán diàn,"Pulandian, county-level city in Dalian 大連|大连[Da4 lian2], Liaoning" -普兰店市,pǔ lán diàn shì,"Pulandian, county-level city in Dalian 大連|大连[Da4 lian2], Liaoning" -普兰县,pǔ lán xiàn,"Burang county in Ngari prefecture, Tibet, Tibetan: Spu hreng rdzong" -普西,pǔ xī,psi (Greek letter Ψψ) -普贤,pǔ xián,"Samantabhadra, the Buddhist Lord of Truth" -普贤菩萨,pǔ xián pú sà,"Samantabhadra, the Buddhist Lord of Truth" -普赛,pǔ sài,psi (Greek letter Ψψ) -普通,pǔ tōng,common; ordinary; general; average -普通中学,pǔ tōng zhōng xué,general middle school -普通人,pǔ tōng rén,ordinary person; private citizen; people; the person in the street -普通名词,pǔ tōng míng cí,common noun (grammar) -普通问题,pǔ tōng wèn tí,common questions; general questions -普通夜鹰,pǔ tōng yè yīng,(bird species of China) grey nightjar (Caprimulgus jotaka) -普通教育,pǔ tōng jiào yù,general education -普通朱雀,pǔ tōng zhū què,(bird species of China) common rosefinch (Carpodacus erythrinus) -普通楼燕,pǔ tōng lóu yàn,(bird species of China) common swift (Apus apus) -普通民众,pǔ tōng mín zhòng,ordinary people; the masses -普通法,pǔ tōng fǎ,common law -普通潜鸟,pǔ tōng qián niǎo,(bird species of China) common loon (Gavia immer) -普通燕鸻,pǔ tōng yàn héng,(bird species of China) oriental pratincole (Glareola maldivarum) -普通燕鸥,pǔ tōng yàn ōu,(bird species of China) common tern (Sterna hirundo) -普通秋沙鸭,pǔ tōng qiū shā yā,(bird species of China) common merganser (Mergus merganser) -普通秧鸡,pǔ tōng yāng jī,(bird species of China) brown-cheeked rail (Rallus indicus) -普通翠鸟,pǔ tōng cuì niǎo,(bird species of China) common kingfisher (Alcedo atthis) -普通老百姓,pǔ tōng lǎo bǎi xìng,common people; average people; hoi polloi -普通股,pǔ tōng gǔ,common stock -普通角闪石,pǔ tōng jiǎo shǎn shí,"hornblende (rock-forming mineral, type of amphibole)" -普通话,pǔ tōng huà,Mandarin (common language); Putonghua (common speech of the Chinese language); ordinary speech -普通话水平测试,pǔ tōng huà shuǐ píng cè shì,"Putonghua Proficiency Test, an official test of spoken fluency in Standard Chinese for native speakers of Chinese languages, developed in the PRC in 1994" -普通赤杨,pǔ tōng chì yáng,alder tree (Alnus glutinosa) -普通车,pǔ tōng chē,local train; ordinary vehicle -普通高等学校招生全国统一考试,pǔ tōng gāo děng xué xiào zhāo shēng quán guó tǒng yī kǎo shì,"NCEE, National College Entrance Examination (college entrance exam in PRC); usually abbr. to 高考[gao1 kao3]" -普通鹰鹃,pǔ tōng yīng juān,(bird species of China) common hawk-cuckoo (Hierococcyx varius) -普通鸬鹚,pǔ tōng lú cí,(bird species of China) great cormorant (Phalacrocorax carbo) -普遍,pǔ biàn,universal; general; widespread; common -普遍化,pǔ biàn huà,generalization (logic) -普遍性,pǔ biàn xìng,ubiquity; universality -普遍性假设,pǔ biàn xìng jiǎ shè,universal hypothesis -普遍理论,pǔ biàn lǐ lùn,universal hypothesis -普适,pǔ shì,universal -普选,pǔ xuǎn,universal suffrage -普选权,pǔ xuǎn quán,universal suffrage -普里什蒂纳,pǔ lǐ shí dì nà,"Pristina, capital of Kosovo 科索沃" -普里切特,pǔ lǐ qiè tè,Pratchett (name) -普陀,pǔ tuó,"Putuo district of Zhoushan city 舟山市[Zhou1 shan1 shi4], Zhejiang" -普陀区,pǔ tuó qū,"Putuo district, central Shanghai; Putuo district of Zhoushan city 舟山市[Zhou1 shan1 shi4], Zhejiang" -普陀山,pǔ tuó shān,"Mt Potala at Zhoushan 舟山市 in Zhejiang, one of the Four Sacred Mountains and Bodhimanda of Guanyin 觀音|观音 (Avalokiteśvara)" -普降,pǔ jiàng,precipitation over a large area; widespread rain -普雷克斯流程,pǔ léi kè sī liú chéng,purex -普雷斯堡,pǔ léi sī bǎo,Pressburg (Slovakia) -普雷斯顿,pǔ léi sī dùn,"Preston, city in England" -普食,pǔ shí,(medicine) regular food -普鲁卡因,pǔ lǔ kǎ yīn,procaine (nerve blocking agent) (loanword) -普鲁士,pǔ lǔ shì,Prussia (historical German state) -普鲁斯特,pǔ lǔ sī tè,"Marcel Proust (1871-1922), French author" -普鲁东,pǔ lǔ dōng,"Pierre-Joseph Proudhon (1809-1865), French socialist philosopher" -普鲁东主义,pǔ lǔ dōng zhǔ yì,"Proudhonism, 19th century socialist theory" -景,jǐng,surname Jing -景,jǐng,(bound form) scenery; circumstance; situation; scene (of a play); (literary) sunlight -景仰,jǐng yǎng,to admire; to revere; to look up to -景区,jǐng qū,scenic area -景宁,jǐng níng,"Jingning Shezu autonomous county in Lishui 麗水|丽水[Li2 shui3], Zhejiang" -景宁畲族自治县,jǐng níng shē zú zì zhì xiàn,"Jingning Shezu autonomous county in Lishui 麗水|丽水[Li2 shui3], Zhejiang" -景宁畲乡,jǐng níng shē xiāng,"Jingning Shezu autonomous county in Lishui 麗水|丽水[Li2 shui3], Zhejiang" -景宁县,jǐng níng xiàn,"Jingning Shezu autonomous county in Lishui 麗水|丽水[Li2 shui3], Zhejiang" -景山,jǐng shān,Jingshan (name of a hill in Jingshan park) -景山公园,jǐng shān gōng yuán,Jingshan Park (park in Beijing) -景德镇,jǐng dé zhèn,"Jingdezhen prefecture-level city in Jiangxi province 江西, famous for porcelain" -景德镇市,jǐng dé zhèn shì,"Jingdezhen, prefecture-level city in Jiangxi province 江西, famous for porcelain" -景教,jǐng jiào,Nestorian Christianity -景东,jǐng dōng,Jingdong Yizu autonomous county in Yunnan -景东彝族自治县,jǐng dōng yí zú zì zhì xiàn,"Jingdong Yi autonomous county in Pu'er 普洱[Pu3 er3], Yunnan" -景东县,jǐng dōng xiàn,"Jingdong Yi autonomous county in Pu'er 普洱[Pu3 er3], Yunnan" -景气,jǐng qì,"(of economy, business etc) flourishing; prosperous" -景况,jǐng kuàng,circumstances -景泰,jǐng tài,"Jingtai county in Baiyin 白銀|白银[Bai2 yin2], Gansu; Jingtai Emperor, reign name of seventh Ming Emperor Zhu Qiyu 朱祁鈺|朱祁钰[Zhu1 Qi2 yu4] (1428-1457), reigned 1449-1457, temple name 代宗[Dai4 zong1]" -景泰县,jǐng tài xiàn,"Jingtai county in Baiyin 白銀|白银[Bai2 yin2], Gansu" -景泰蓝,jǐng tài lán,cloisonne; cloisonné -景洪,jǐng hóng,"Jinghong, county-level city in Xishuangbanna Dai autonomous prefecture 西雙版納傣族自治州|西双版纳傣族自治州[Xi1 shuang1 ban3 na4 Dai3 zu2 zi4 zhi4 zhou1], Yunnan" -景洪市,jǐng hóng shì,"Jinghong, county-level city in Xishuangbanna Dai autonomous prefecture 西雙版納傣族自治州|西双版纳傣族自治州[Xi1 shuang1 ban3 na4 Dai3 zu2 zi4 zhi4 zhou1], Yunnan" -景深,jǐng shēn,depth of field -景物,jǐng wù,scenery -景福宫,jǐng fú gōng,Gyeongbokgung palace in central Seoul -景县,jǐng xiàn,"Jing county in Hengshui 衡水[Heng2 shui3], Hebei" -景致,jǐng zhì,view; scenery; scene -景色,jǐng sè,scenery; scene; landscape; view -景观,jǐng guān,landscape -景观设计,jǐng guān shè jì,landscape design -景谷,jǐng gǔ,"Jinggu Dai and Yi autonomous county in Pu'er 普洱[Pu3 er3], Yunnan" -景谷傣族彝族自治县,jǐng gǔ dǎi zú yí zú zì zhì xiàn,"Jinggu Dai and Yi autonomous county in Pu'er 普洱[Pu3 er3], Yunnan" -景谷县,jǐng gǔ xiàn,"Jinggu Dai and Yi autonomous county in Pu'er 普洱[Pu3 er3], Yunnan" -景象,jǐng xiàng,scene; sight (to behold) -景遇,jǐng yù,(literary) circumstances -景颇,jǐng pō,Jingpo ethnic group of Tibet and Yunnan -景颇族,jǐng pō zú,Jingpo ethnic group of Tibet and Yunnan -景点,jǐng diǎn,tourist attraction; scenic spot -晰,xī,clear; distinct -晴,qíng,clear; fine (weather) -晴天,qíng tiān,clear sky; sunny day -晴天霹雳,qíng tiān pī lì,lit. thunderclap from a clear sky (idiom); fig. a bolt from the blue -晴好,qíng hǎo,bright and sunny weather -晴时多云,qíng shí duō yún,mostly sunny; mostly clear (meteorology) -晴朗,qíng lǎng,sunny and cloudless -晴空万里,qíng kōng wàn lǐ,a clear and boundless sky -晴隆,qíng lóng,"Qinglong county in Qianxinan Buyei and Miao autonomous prefecture 黔西南州[Qian2 xi1 nan2 zhou1], Guizhou" -晴隆县,qíng lóng xiàn,"Qinglong county in Qianxinan Buyei and Miao autonomous prefecture 黔西南州[Qian2 xi1 nan2 zhou1], Guizhou" -晴雨,qíng yǔ,rain or shine -晴雨表,qíng yǔ biǎo,(lit. and fig.) barometer -晶,jīng,crystal -晶亮,jīng liàng,bright; glittering -晶光,jīng guāng,glittering light -晶圆,jīng yuán,wafer (silicon medium for integrated circuit) -晶明,jīng míng,bright; shiny -晶晶,jīng jīng,glistening; gleaming; lustrous -晶格,jīng gé,crystal lattice (the regular 3-dimensional pattern formed by atoms in a crystal) -晶片,jīng piàn,(Tw) (computing) chip; wafer -晶状,jīng zhuàng,crystalline -晶状体,jīng zhuàng tǐ,lens; crystalline lens -晶莹,jīng yíng,sparkling and translucent -晶系,jīng xì,crystal system -晶体,jīng tǐ,crystal -晶体管,jīng tǐ guǎn,transistor -晶体结构,jīng tǐ jié gòu,crystal structure -晷,guǐ,sundial -智,zhì,(literary) wise; wisdom -智人,zhì rén,Homo sapiens -智利,zhì lì,Chile -智力,zhì lì,intelligence; intellect -智力低下,zhì lì dī xià,mental retardation -智力测验,zhì lì cè yàn,intelligence test -智力玩具,zhì lì wán jù,educational toy -智取,zhì qǔ,to take by ruse; to outwit; to outsmart -智商,zhì shāng,IQ (intelligence quotient) -智商税,zhì shāng shuì,stupid tax; unwise purchase -智囊团,zhì náng tuán,think tank; brain trust -智囊机构,zhì náng jī gòu,think tank; brain trust -智多星,zhì duō xīng,resourceful person; mastermind -智库,zhì kù,think tank; intellectual resource -智慧,zhì huì,wisdom; intelligence -智慧型手机,zhì huì xíng shǒu jī,smartphone (Tw) -智慧产权,zhì huì chǎn quán,intellectual property -智慧财产,zhì huì cái chǎn,intellectual property (Tw) -智慧齿,zhì huì chǐ,wisdom tooth -智牙,zhì yá,wisdom tooth -智珠在握,zhì zhū zài wò,lit. to hold the pearl of wisdom (idiom); fig. to be endowed with extraordinary intelligence -智异山,zhì yì shān,"Jirisan or Mount Chiri, mountain in the south of South Korea" -智神星,zhì shén xīng,"Pallas, an asteroid, discovered in 1802 by H.W. Olbers" -智者,zhì zhě,sage; wise man; clever and knowledgeable person -智育,zhì yù,intellectual development -智能,zhì néng,"intelligent; able; smart (phone, system, bomb etc)" -智能卡,zhì néng kǎ,smart card -智能手机,zhì néng shǒu jī,smartphone -智能设计,zhì néng shè jì,intelligent design (religion) -智能障碍,zhì néng zhàng ài,intellectual disability; cognitive disability; learning disability; mental retardation -智谋,zhì móu,resourceful; intelligent -智识,zhì shí,knowledge; learning; (attributive) intellectual -智障,zhì zhàng,learning difficulties (handicap); retarded -智障人士,zhì zhàng rén shì,person with learning difficulties (handicap); retarded person -智齿,zhì chǐ,wisdom tooth -暗,àn,variant of 暗[an4] -晾,liàng,to dry in the air; (fig.) to cold-shoulder -晾干,liàng gān,to dry (sth) by airing -晾衣夹,liàng yī jiā,clothes pin -晾衣架,liàng yī jià,clothes drying rack -晾衣绳,liàng yī shéng,clothesline -暄,xuān,genial and warm -暄腾,xuān teng,soft and warm (of bread) -暆,yí,(of the sun) declining -暇,xiá,leisure -晕,yūn,confused; dizzy; giddy; to faint; to swoon; to lose consciousness; to pass out -晕,yùn,dizzy; halo; ring around moon or sun -晕乎,yūn hu,dizzy; giddy -晕倒,yūn dǎo,to faint; to swoon; to black out; to become unconscious -晕厥,yūn jué,to faint -晕场,yùn chǎng,"to faint from stress (during exam, on stage etc)" -晕染,yùn rǎn,to smudge (become smeared); to smudge (create a blurred effect); shading (wash painting technique) -晕机,yùn jī,to become airsick -晕死,yūn sǐ,Geez!; Shoot!; No way! -晕池,yùn chí,to faint in the bathroom (from heat) -晕眩,yūn xuàn,to feel dizzy; dizziness -晕糊,yūn hu,dizzy; giddy -晕船,yùn chuán,to become seasick -晕菜,yūn cài,(dialect) to get confused; to be dumbfounded; to get dizzy -晕血,yùn xuè,to feel sick when seeing blood -晕血症,yùn xuè zhèng,blood phobia -晕车,yùn chē,to be carsick -晕针,yùn zhēn,to faint during acupuncture or injection -晕头,yūn tóu,dizzy -晕头转向,yūn tóu zhuàn xiàng,confused and disoriented -晕高儿,yùn gāo er,to feel giddy on heights; vertigo -晖,huī,sunshine; to shine upon; variant of 輝|辉[hui1] -晖映,huī yìng,variant of 輝映|辉映[hui1 ying4] -暋,mín,unhappy; worried; depressed -暋,mǐn,(literary) rude and unreasonable -暌,kuí,in opposition to; separated from -暌违,kuí wéi,"to be separated (from a friend, one's homeland etc) for a period of time" -映,yìng,old variant of 映[ying4] -暑,shǔ,heat; hot weather; summer heat -暑促,shǔ cù,summer promotion (sale) -暑假,shǔ jià,summer vacation; CL:個|个[ge4] -暑天,shǔ tiān,hot (summer) day -暑期,shǔ qī,summer vacation time -暑期学校,shǔ qī xué xiào,summer school -暑气,shǔ qì,(summer) heat -暑温,shǔ wēn,summer-warm disease (TCM) -暑热,shǔ rè,hot (summer) weather -暑瘟,shǔ wēn,tropical disease; summertime disease -暖,nuǎn,warm; to warm -暖化,nuǎn huà,warming -暖和,nuǎn huo,warm; nice and warm -暖壶,nuǎn hú,vacuum flask; thermos flask -暖宝宝,nuǎn bǎo bǎo,hand warmer -暖巢管家,nuǎn cháo guǎn jiā,housekeeper who looks after old people with no children or whose children do not live with them -暖意,nuǎn yì,warmth -暖房,nuǎn fáng,heating; central heating; greenhouse; hothouse; to pay a house-warming visit -暖暖,nuǎn nuǎn,"Nuannuan District of Keelung City 基隆市[Ji1 long2 Shi4], Taiwan" -暖暖包,nuǎn nuǎn bāo,disposable hand warmer (Tw) -暖暖区,nuǎn nuǎn qū,"Nuannuan District of Keelung City 基隆市[Ji1 long2 Shi4], Taiwan" -暖棚,nuǎn péng,greenhouse; polytunnel -暖气,nuǎn qì,central heating; heater; warm air -暖气机,nuǎn qì jī,radiator; heater -暖气片,nuǎn qì piàn,radiator (for heating) -暖水瓶,nuǎn shuǐ píng,thermos flask or bottle -暖洋洋,nuǎn yáng yáng,warm; comfortably warm -暖流,nuǎn liú,warm current; (fig.) warm feeling -暖烘烘,nuǎn hōng hōng,nice and warm; cozy; heartwarming -暖炉,nuǎn lú,space heater; radiator -暖瓶,nuǎn píng,thermos -暖男,nuǎn nán,"a man who is family-oriented, considerate and protective" -暖色,nuǎn sè,"warm color (arch.); esp. yellow, orange or red" -暖融融,nuǎn róng róng,comfortably warm; cozy -暖调,nuǎn diào,warm tone; warm color -暖轿,nuǎn jiào,closed sedan chair -暖锋,nuǎn fēng,warm front (meteorology) -暖阁,nuǎn gé,warm room; warm partition of a room -暖风,nuǎn fēng,warm breeze -暗,àn,dark; to turn dark; secret; hidden; (literary) confused; ignorant -暗中,àn zhōng,in the dark; in secret; on the sly; surreptitiously -暗中监视,àn zhōng jiān shì,to monitor secretly; to spy on -暗井,àn jǐng,blind shaft; winze -暗伤,àn shāng,internal injury; invisible damage -暗光鸟,àn guāng niǎo,black-crowned night heron (Tw) -暗公鸟,àn gōng niǎo,black-crowned night heron (Tw) -暗冕鹪莺,àn miǎn jiāo yīng,(bird species of China) rufescent prinia (Prinia rufescens) -暗合,àn hé,to agree implicitly; of one mind; views coincide without a word exchanged -暗含,àn hán,to imply; to suggest; to connote; implicit -暗哨,àn shào,hidden sentry post -暗哨儿,àn shào er,whistle given as a secret signal -暗喜,àn xǐ,hidden smile; smirk; to rejoice covertly; secret satisfaction concerning one's evil plans -暗喻,àn yù,metaphor -暗器,àn qì,concealed weapon -暗地,àn dì,secretly; inwardly; on the sly -暗地里,àn dì li,secretly; inwardly; on the sly -暗堡,àn bǎo,bunker -暗娼,àn chāng,unlicensed (unregistered) prostitute -暗室,àn shì,darkroom -暗害,àn hài,to kill secretly; to stab in the back -暗察明访,àn chá míng fǎng,open enquiries and secret search (idiom); to investigate openly and in secret; taking information from all sides -暗影,àn yǐng,shadow; umbra -暗想,àn xiǎng,think to oneself -暗恋,àn liàn,to be secretly in love with -暗扣,àn kòu,hidden snap fastener (concealed behind a flap on a garment) -暗指,àn zhǐ,to hint at; to imply; sth hidden -暗探,àn tàn,secret agent; detective -暗星云,àn xīng yún,(astronomy) dark nebula; absorption nebula -暗昧,àn mèi,obscure; remaining unenlightened -暗暗,àn àn,secretly; inwardly -暗桩,àn zhuāng,submerged piles installed to prevent the passage of boats; (fig.) informer; spy -暗杀,àn shā,to assassinate -暗沙,àn shā,submerged sandbank; submerged coral islet -暗河,àn hé,underground river -暗流,àn liú,undercurrent -暗淡,àn dàn,dark; dim (light); dull (color); drab; (fig.) gloomy; bleak -暗渠,àn qú,underground water channel; covered ditch; culvert -暗渡陈仓,àn dù chén cāng,"lit. secretly crossing the Wei River 渭河[Wei4 He2] at Chencang (idiom, refers to a stratagem used by Liu Bang 劉邦|刘邦[Liu2 Bang1] in 206 BC against Xiang Yu 項羽|项羽[Xiang4 Yu3] of Chu); fig. to feign one thing while doing another; to cheat under cover of a diversion" -暗滞,àn zhì,dull (complexion) -暗潮,àn cháo,undercurrent -暗滩,àn tān,hidden shoal -暗无天日,àn wú tiān rì,"all black, no daylight (idiom); a world without justice" -暗煅,àn duàn,sealed pot calcination (TCM) -暗爽,àn shuǎng,to be secretly delighted -暗物质,àn wù zhì,(physics) dark matter -暗疔,àn dīng,axillary furuncle; armpit boil -暗疾,àn jí,unmentionable disease; a disease one is ashamed of -暗疮,àn chuāng,acne -暗盒,àn hé,magazine; cassette -暗礁,àn jiāo,submerged reef (rock) -暗示,àn shì,to hint; to suggest; hint; suggestion -暗笑,àn xiào,laugh in (up) one's sleeve; snigger; snicker -暗算,àn suàn,to plot against -暗箭,àn jiàn,attack by a hidden enemy; a stab in the back -暗箱,àn xiāng,camera bellows; camera obscura -暗箱操作,àn xiāng cāo zuò,covert activities (election rigging etc); under-the-table manipulations; black operations -暗经,àn jīng,latent menstruation (TCM) -暗绿柳莺,àn lǜ liǔ yīng,(bird species of China) greenish warbler (Phylloscopus trochiloides) -暗绿绣眼鸟,àn lǜ xiù yǎn niǎo,(bird species of China) Japanese white-eye (Zosterops japonicus) -暗绿背鸬鹚,àn lǜ bèi lú cí,(bird species of China) Japanese cormorant (Phalacrocorax capillatus) -暗网,àn wǎng,(computing) Dark Web -暗线光谱,àn xiàn guāng pǔ,dark-line spectrum -暗骂,àn mà,to curse under one's breath; to grumble inaudibly -暗背雨燕,àn bèi yǔ yàn,(bird species of China) dark-rumped swift (Apus acuticauda) -暗胸朱雀,àn xiōng zhū què,(bird species of China) dark-breasted rosefinch (Procarduelis nipalensis) -暗能量,àn néng liàng,(astronomy) dark energy -暗腹雪鸡,àn fù xuě jī,(bird species of China) Himalayan snowcock (Tetraogallus himalayensis) -暗自,àn zì,inwardly; to oneself; secretly -暗色鸦雀,àn sè yā què,(bird species of China) grey-hooded parrotbill (Sinosuthora zappeyi) -暗花儿,àn huā er,veiled design incised in porcelain or woven in fabric -暗藏,àn cáng,to hide; to conceal -暗处,àn chù,secret place -暗号,àn hào,secret signal (sign); countersign; password -暗亏,àn kuī,hidden loss (finance) -暗袋,àn dài,camera bag (for changing film) -暗里,àn li,privately; secretly; behind closed doors -暗记,àn jì,to commit to memory; secret mark -暗记儿,àn jì er,secret mark -暗访,àn fǎng,to make secret inquiries; to investigate in secret -暗语,àn yǔ,code word -暗转,àn zhuǎn,(theater) blackout (e.g. at the end of a scene); (literary) to be promoted in rank secretly -暗送秋波,àn sòng qiū bō,to cast flirtatious glances at sb (idiom) -暗道,àn dào,secret passage; secret tunnel -暗适应,àn shì yìng,(visual physiology) dark adaptation -暗锁,àn suǒ,built-in lock -暗间儿,àn jiān er,inner room -暗香,àn xiāng,subtle fragrance -暗香疏影,àn xiāng shū yǐng,(poetic depiction of plum blossom) -暗鹭,àn lù,black-crowned night heron (Tw) -暗黑,àn hēi,dark; dim -暗黑破坏神,àn hēi pò huài shén,Diablo (video game series) -暝,míng,dark -暠,gǎo,bright; white -皓,hào,variant of 皓[hao4] -暡,wěng,used in 暡曚[weng3 meng2] -暡曚,wěng méng,(literary) (of daylight) dim -畅,chàng,free; unimpeded; smooth; at ease; free from worry; fluent -畅快,chàng kuài,carefree -畅想,chàng xiǎng,to think freely; unfettered imagination -畅所欲言,chàng suǒ yù yán,lit. fluently saying all one wants (idiom); to preach freely on one's favorite topic; to hold forth to one's heart's content -畅旺,chàng wàng,"flourishing; brisk (sales, trading)" -畅然,chàng rán,happily; in high spirits -畅谈,chàng tán,to talk freely; to discuss without inhibition -畅谈话卡,chàng tán huà kǎ,long-term calling card (telephone) -畅货中心,chàng huò zhōng xīn,outlet store (Tw) -畅通,chàng tōng,unimpeded; free-flowing; straight path; unclogged; move without obstruction -畅达,chàng dá,free-flowing; smooth -畅销,chàng xiāo,to sell well; bestselling; chart-topping -畅销书,chàng xiāo shū,best-seller; best-selling book; blockbuster -畅顺,chàng shùn,smooth; unimpeded -畅饮,chàng yǐn,to have a few drinks; to drink to one's heart's content -暨,jì,and; to reach to; the limits -暨今,jì jīn,up to now; to this day -暨南大学,jì nán dà xué,"Jinan University in Guangdong Province, with 4 campuses in Guangzhou, Shenzhen and Zhuhai" -暨大,jì dà,abbr. for Jinan University 暨南大學|暨南大学[Ji4 nan2 Da4 xue2] -暂,zàn,temporary; Taiwan pr. [zhan4] -暂且,zàn qiě,for now; for the time being; temporarily -暂住证,zàn zhù zhèng,temporary residence permit -暂停,zàn tíng,to suspend; time-out (e.g. in sports); stoppage; pause (media player) -暂停键,zàn tíng jiàn,pause button -暂定,zàn dìng,temporary arrangement; provisional; tentative -暂息,zàn xī,a lull (in the storm); brief break (in rain) -暂态,zàn tài,transient -暂搁,zàn gē,temporarily stopped; in abeyance -暂时,zàn shí,temporary; provisional; for the time being -暂牙,zàn yá,deciduous tooth; milk tooth; baby tooth; also written 乳齒|乳齿[ru3 chi3] -暂短,zàn duǎn,brief (in time) -暂缓,zàn huǎn,to postpone -暂缺,zàn quē,currently in short supply; in deficit (of commodity); currently vacant (position) -暂行,zàn xíng,provisional -暮,mù,evening; sunset -暮年,mù nián,one's declining years; one's old age -暮景,mù jǐng,an evening scene; fig. one's old age -暮岁,mù suì,the last days of the year; old age -暮气,mù qì,evening mist; fig. declining spirits; lethargy -暮色,mù sè,twilight -暮色苍茫,mù sè cāng máng,the hazy dusk of twilight (idiom) -暮霭,mù ǎi,evening mist -暮鼓晨钟,mù gǔ chén zhōng,"lit. evening drum, morning bell (idiom); fig. Buddhist monastic practice; the passage of time in a disciplined existence" -昵,nì,familiar; intimate; to approach -昵称,nì chēng,nickname; diminutive; term of endearment; to nickname -暴,bào,surname Bao -暴,bào,sudden; violent; cruel; to show or expose; to injure -暴乱,bào luàn,riot; rebellion; revolt -暴光,bào guāng,exposure -暴利,bào lì,sudden huge profits -暴利税,bào lì shuì,windfall profit tax -暴力,bào lì,violence; force; violent -暴力分拣,bào lì fēn jiǎn,rough handling of parcels during mail sorting -暴力法,bào lì fǎ,violent method; brute force -暴力犯罪,bào lì fàn zuì,violent crime -暴动,bào dòng,insurrection; rebellion -暴卒,bào zú,to die of sudden illness; to die suddenly -暴君,bào jūn,tyrant; despot -暴富,bào fù,to get rich quick -暴徒,bào tú,bandit; thug; ruffian -暴怒,bào nù,to fly into a rage; to rage violently -暴恐,bào kǒng,(attributive) terrorist -暴戾,bào lì,ruthless -暴打,bào dǎ,to beat viciously -暴扣,bào kòu,slam dunk (basketball) -暴击,bào jī,critical hit (gaming) -暴政,bào zhèng,tyranny; despotic rule -暴敛,bào liǎn,to overtax; to extort -暴毙,bào bì,to die suddenly -暴晒,bào shài,(of the sun) to scorch; to expose to a scorching sun -暴死,bào sǐ,to die suddenly -暴殄天物,bào tiǎn tiān wù,to waste natural resources recklessly; not to know how to use things sparingly -暴民,bào mín,a mob of people -暴洪,bào hóng,"a sudden, violent flood; flash flood" -暴漫,bào màn,rage comic -暴涨,bào zhǎng,to increase sharply; to rise dramatically -暴烈,bào liè,violent; fierce -暴热,bào rè,to trend; to get popular quickly; sudden heat wave (weather) -暴燥,bào zào,variant of 暴躁[bao4 zao4] -暴牙,bào yá,buck teeth -暴病,bào bìng,sudden attack of a serious illness -暴瘦,bào shòu,to lose weight dramatically -暴发,bào fā,to break out (of disease etc); to suddenly get rich (or prominent) -暴发户,bào fā hù,newly rich; parvenu; upstart -暴胖,bào pàng,to gain weight dramatically -暴虎冯河,bào hǔ píng hé,lit. fight tigers with one's bare hands and wade across raging rivers (idiom); fig. to display foolhardy courage -暴虐,bào nüè,brutal; tyrannical -暴行,bào xíng,savage act; outrage; atrocity -暴论,bào lùn,"wild remark; outrageous statement (orthographic borrowing from Japanese 暴論 ""bōron"")" -暴走,bào zǒu,out of control; berserk; to go for a long walk -暴走族,bào zǒu zú,people who go on walks for exercise; (Tw) rebel youth motorcycle group -暴走漫画,bào zǒu màn huà,rage comic -暴走鞋,bào zǒu xié,Heelys (roller shoes with wheels protruding slightly from the heel) -暴跌,bào diē,(economics) to slump; steep fall (in value etc) -暴跳如雷,bào tiào rú léi,to stamp with fury; to fly into a rage -暴躁,bào zào,irascible; irritable -暴雨,bào yǔ,"torrential rain; rainstorm; CL:場|场[chang2],陣|阵[zhen4]" -暴雪鹱,bào xuě hù,(bird species of China) northern fulmar (Fulmarus glacialis) -暴雷,bào léi,thunderclap; (of a P2P lending platform) to collapse -暴露,bào lù,to expose; to reveal; to lay bare; also pr. [pu4 lu4] -暴露无遗,bào lù wú yí,to lay bare; to come to light -暴露狂,bào lù kuáng,exhibitionist -暴露癖,bào lù pǐ,exhibitionism -暴风,bào fēng,windstorm; (meteorology) storm (force 11 wind) -暴风圈,bào fēng quān,(meteorology) storm area (area exposed to winds of force 7 or higher during a typhoon); (fig.) area particularly badly affected by a crisis -暴风雨,bào fēng yǔ,rainstorm; storm; tempest -暴风雪,bào fēng xuě,snowstorm; blizzard; CL:場|场[chang2] -暴风骤雨,bào fēng zhòu yǔ,violent wind and rainstorm; hurricane; tempest -暴食,bào shí,to eat too much; to binge -暴食症,bào shí zhèng,bulimia -暴饮暴食,bào yǐn bào shí,to eat and drink unreasonably -暴龙,bào lóng,Tyrannosaurus spp.; esp. T. rex -暴龙属,bào lóng shǔ,genus Tyrannosaurus -暴龙科,bào lóng kē,"Tyrannosauridae, the dinosaur family containing Tyrannosaurus" -暹,xiān,sunrise -暹粒,xiān lì,"Siem Reap, Cambodia" -暹罗,xiān luó,Siam (former name of Thailand) -暹罗语,xiān luó yǔ,Siamese (Thai) language -暹逻,xiān luó,variant of 暹羅|暹罗[Xian1 luo2] -暾,tūn,sun above the horizon -暾欲谷,tūn yù gǔ,Tonyukuk (died c. 724 AD) -晔,yè,bright light; to sparkle -历,lì,calendar -历年,lì nián,calendar year -历数,lì shù,(literary) movements of celestial bodies; destiny; calendar system -历书,lì shū,almanac -历法,lì fǎ,calendar science; calendar system -昙,tán,dark clouds -昙花,tán huā,"Dutchman's pipe cactus, aka Queen of the Night cactus (Epiphyllum oxypetalum)" -昙花一现,tán huā yī xiàn,lit. the night-blooming cactus shows once; flash in the pan (idiom); short-lived -晓,xiǎo,dawn; daybreak; to know; to let sb know; to make explicit -晓以大义,xiǎo yǐ dà yì,to reason with sb; to lecture -晓喻,xiǎo yù,to inform; to convince -晓得,xiǎo de,to know -晓示,xiǎo shì,to tell; to notify -晓谕,xiǎo yù,variant of 曉喻|晓喻[xiao3 yu4] -向,xiàng,variant of 向[xiang4]; direction; orientation; to face; to turn toward; to; towards; shortly before; formerly -暧,ài,(of daylight) dim; obscure; clandestine; dubious -暧昧,ài mèi,vague; ambiguous; equivocal; dubious -暧昧关系,ài mèi guān xì,shady relationship; affair; adulterous relationship -曙,shǔ,(bound form) daybreak; dawn; Taiwan pr. [shu4] -曙光,shǔ guāng,the first light of dawn; (fig.) glimmer of hope after a dark period; a new beginning -曙红朱雀,shǔ hóng zhū què,(bird species of China) pink-rumped rosefinch (Carpodacus eos) -曙色,shǔ sè,the light of early dawn -曚,méng,twilight before dawn -曛,xūn,twilight; sunset -曜,yào,bright; glorious; one of the seven planets of premodern astronomy -曝,pù,to air; to sun -曝光,bào guāng,to expose (photography); (fig.) to expose (a scandal); (advertising) exposure; Taiwan pr. [pu4 guang1] -曝光表,bào guāng biǎo,light meter; exposure meter -曝晒,pù shài,to expose to strong sunlight -曝露,pù lù,"to expose (to the air, light etc); to leave uncovered; exposure" -旷,kuàng,to neglect; to skip (class or work); to waste (time); vast; loose-fitting -旷世,kuàng shì,incomparable; none to compare with at that time -旷代,kuàng dài,unrivalled; without peer in this generation -旷古,kuàng gǔ,since the dawn of time; from the year dot -旷古未有,kuàng gǔ wèi yǒu,never before in the whole of history (idiom); unprecedented -旷古未闻,kuàng gǔ wèi wén,never before in the whole of history (idiom); unprecedented; also written 曠古未有|旷古未有 -旷地,kuàng dì,open space; open field -旷夫,kuàng fū,bachelor; unmarried man -旷工,kuàng gōng,to skip work; absence without leave -旷废,kuàng fèi,to neglect (work); to waste (one's talents) -旷日持久,kuàng rì chí jiǔ,protracted (idiom); long and drawn-out -旷时摄影,kuàng shí shè yǐng,time-lapse photography -旷渺,kuàng miǎo,remote and vast -旷职,kuàng zhí,to fail to show up for work -旷课,kuàng kè,to play truant; to cut classes -旷费,kuàng fèi,to waste; to squander -旷达,kuàng dá,broad-minded; accepting; philosophical (about things) -旷野,kuàng yě,wilderness -旷阔,kuàng kuò,vast -叠,dié,variant of 疊|叠[die2] -曦,xī,(literary) sunlight (usu. in early morning) -曩,nǎng,in former times -晒,shài,"(of the sun) to shine on; to bask in (the sunshine); to dry (clothes, grain etc) in the sun; (fig.) to expose and share (one's experiences and thoughts) on the Web (loanword from ""share""); (coll.) to give the cold shoulder to" -晒干,shài gān,to dry in the sun -晒伤,shài shāng,to get sunburnt; sunburn -晒友,shài yǒu,see 曬客|晒客[shai4 ke4] -晒图,shài tú,blueprint; to make a blueprint -晒太阳,shài tài yáng,to be in the sun (getting warm or sunbathing etc); to put sth in the sun (e.g. to dry it) -晒娃,shài wá,(coll.) to excessively share pics etc of one's child on social media; sharenting -晒娃族,shài wá zú,(coll.) sharent -晒客,shài kè,person who shares their experiences and thoughts with others on the Internet -晒斑,shài bān,sunburn spots (on skin) -晒衣绳,shài yī shéng,clothesline -晒骆驼,shài luò tuo,xylitol (Cantonese); see also 木糖醇[mu4 tang2 chun2] -晒黑,shài hēi,to sunbathe; to tan; to get sunburnt; to expose unfair practices (on a consumer protection website) -曰,yuē,to speak; to say -曱,yuē,used in 曱甴[yue1 zha2] -曱甴,yuē zhá,(dialect) cockroach; also pr. [yue1 you2] -曲,qū,surname Qu -曲,qū,bent; crooked; wrong -曲,qǔ,tune; song; CL:支[zhi1] -曲别针,qū bié zhēn,paper clip -曲周,qǔ zhōu,"Quzhou county in Handan 邯鄲|邯郸[Han2 dan1], Hebei" -曲周县,qǔ zhōu xiàn,"Quzhou county in Handan 邯鄲|邯郸[Han2 dan1], Hebei" -曲奇,qū qí,cookie (loanword via Cantonese 曲奇 kuk1 kei4) -曲子,qǔ zi,poem for singing; tune; music; CL:支[zhi1] -曲射,qū shè,(military) curved-trajectory fire; plunging fire -曲射炮,qū shè pào,"curved-fire gun (mortar, howitzer etc)" -曲尺,qū chǐ,set square (tool to measure right angles) -曲尺楼梯,qū chǐ lóu tī,staircase with right-angled turn; L-shaped staircase -曲度,qū dù,curvature -曲意,qū yì,against one's will; willy-nilly -曲意逢迎,qū yì féng yíng,to bow down to everything sb says or does; to act submissively in order to ingratiate oneself -曲折,qū zhé,winding; (fig.) complicated -曲松,qǔ sōng,"Qusum county, Tibetan: Chu gsum rdzong, in Lhokha prefecture 山南地區|山南地区[Shan1 nan2 di4 qu1], Tibet" -曲松县,qǔ sōng xiàn,"Qusum county, Tibetan: Chu gsum rdzong, in Lhokha prefecture 山南地區|山南地区[Shan1 nan2 di4 qu1], Tibet" -曲柄,qū bǐng,crank handle -曲柄钻,qū bǐng zuàn,hand drill with a crank handle -曲棍,qū gùn,bent stick; hockey stick -曲棍球,qū gùn qiú,field hockey -曲水,qǔ shuǐ,"Qüxü county, Tibetan: Chu shur rdzong in Lhasa 拉薩|拉萨[La1 sa4], Tibet" -曲水县,qǔ shuǐ xiàn,"Qüxü county, Tibetan: Chu shur rdzong in Lhasa 拉薩|拉萨[La1 sa4], Tibet" -曲江,qǔ jiāng,"Qujiang district of Shaoguan City 韶關市|韶关市, Guangdong" -曲江区,qǔ jiāng qū,"Qujiang district of Shaoguan City 韶關市|韶关市, Guangdong" -曲池穴,qū chí xué,"Quchi acupoint LI11, at the lateral end of the elbow crease" -曲沃,qǔ wò,"Quwo county in Linfen 臨汾|临汾[Lin2 fen2], Shanxi" -曲沃县,qǔ wò xiàn,"Quwo county in Linfen 臨汾|临汾[Lin2 fen2], Shanxi" -曲率,qū lǜ,curvature -曲率向量,qū lǜ xiàng liàng,curvature vector -曲目,qǔ mù,repertoire; program; song; piece of music -曲直,qū zhí,"lit. crooked and straight; fig. right and wrong, good and evil" -曲突徙薪,qū tū xǐ xīn,lit. to bend the chimney and remove the firewood (to prevent fire) (idiom); fig. to take preventive measures -曲笔,qū bǐ,falsification in writing; misrepresentation in written history; deliberate digression -曲终奏雅,qǔ zhōng zòu yǎ,perfect finish (idiom) -曲线,qū xiàn,curve; curved line; indirect; in a roundabout way -曲线图,qū xiàn tú,line graph; line diagram -曲线拟合,qū xiàn nǐ hé,curve fitting -曲线救国,qū xiàn jiù guó,(of sb who ostensibly collaborated with the Japanese during the Sino-Japanese war of 1937-1945) to secretly work for the Nationalists or against the Communists -曲线论,qū xiàn lùn,the theory of curves -曲线锯,qū xiàn ju,jigsaw -曲肱而枕,qū gōng ér zhěn,lit. to use one's bent arm as a pillow (idiom); fig. content with simple things -曲艺,qǔ yì,folk musical theater -曲蟮,qū shan,variant of 蛐蟮[qu1 shan5] -曲里拐弯,qū lǐ guǎi wān,winding and turning (idiom) -曲解,qū jiě,to misrepresent; to misinterpret -曲调,qǔ diào,tune; melody -曲轴,qū zhóu,crankshaft -曲阜,qū fù,"Qufu, county-level city in Jining 濟寧|济宁[Ji3 ning2], Shandong; hometown of Confucius 孔子[Kong3 zi3]" -曲阜孔庙,qū fù kǒng miào,temple to Confucius in his hometown Qufu -曲阜市,qū fù shì,"Qufu, county-level city in Jining 濟寧|济宁[Ji3 ning2], Shandong; hometown of Confucius 孔子[Kong3 zi3]" -曲阳,qǔ yáng,"Quyang county in Baoding 保定[Bao3 ding4], Hebei" -曲阳县,qǔ yáng xiàn,"Quyang county in Baoding 保定[Bao3 ding4], Hebei" -曲霉毒素,qǔ méi dú sù,aspergillus -曲靖,qǔ jìng,"Qujing, prefecture-level city in Yunnan" -曲靖市,qǔ jìng shì,"Qujing, prefecture-level city in Yunnan" -曲面,qū miàn,curved surface; surface -曲面论,qū miàn lùn,the theory of surfaces -曲颈瓶,qū jǐng píng,retort; bottle with curved neck -曲高和寡,qǔ gāo hè guǎ,difficult songs find few singers (idiom); highbrow -曲麻莱,qǔ má lái,"Qumarlêb County (Tibetan: chu dmar leb rdzong) in Yushu Tibetan Autonomous Prefecture 玉樹藏族自治州|玉树藏族自治州[Yu4 shu4 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -曲麻莱县,qǔ má lái xiàn,"Qumarlêb County (Tibetan: chu dmar leb rdzong) in Yushu Tibetan Autonomous Prefecture 玉樹藏族自治州|玉树藏族自治州[Yu4 shu4 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -曳,yè,to drag; to pull; Taiwan pr. [yi4] -曳光弹,yè guāng dàn,tracer ammunition; tracer -曳尾鹱,yè wěi hù,(bird species of China) wedge-tailed shearwater (Puffinus pacificus) -曳引车,yè yǐn chē,(Tw) tractor unit; prime mover -曳步舞,yè bù wǔ,shuffle (dance) -更,gēng,to change or replace; to experience; one of the five two-hour periods into which the night was formerly divided; watch (e.g. of a sentry or guard) -更,gèng,more; even more; further; still; still more -更上一层楼,gèng shàng yī céng lóu,to take it up a notch; to bring it up a level -更代,gēng dài,substitution; replacing former general; change of leader -更仆难数,gēng pú nán shǔ,too many to count; very many; innumerable -更加,gèng jiā,more (than sth else); even more -更动,gēng dòng,to change; to replace; to alter -更胜,gèng shèng,to be even better than; to be superior to -更胜一筹,gèng shèng yī chóu,superior by a notch; a cut above; even better -更卒,gēng zú,soldier (serving alternate watch) -更博,gēng bó,(Internet slang) to update one's blog -更名,gēng míng,to change name -更夫,gēng fū,night watchman (in former times) -更始,gēng shǐ,to make a new start; to regenerate -更年期,gēng nián qī,menopause; andropause -更张,gēng zhāng,lit. to restring one's bow; to reform and start over again -更换,gēng huàn,to replace (a worn-out tire etc); to change (one's address etc) -更改,gēng gǎi,to alter -更新,gēng xīn,to replace the old with new; to renew; to renovate; to upgrade; to update; to regenerate -更新世,gēng xīn shì,"Pleistocene (geological epoch from 2m years ago, covering the most recent ice ages)" -更新换代,gēng xīn huàn dài,reform and renewal; generational change -更新版,gēng xīn bǎn,new edition; new version; update -更是,gèng shì,even more (so) -更替,gēng tì,to take over (from one another); to alternate; to replace; to relay -更有甚者,gèng yǒu shèn zhě,furthermore (idiom) -更楼,gēng lóu,watch tower; drum tower marking night watches -更次,gēng cì,one watch (i.e. two-hour period during night) -更正,gēng zhèng,to correct; to make a correction -更深,gēng shēn,deep at night -更深人静,gēng shēn rén jìng,deep at night and all is quiet (idiom) -更漏,gēng lòu,water clock used to mark night watches -更为,gèng wéi,even more -更生,gēng shēng,resurrection; rebirth; reinvigorated; rejuvenated; a new lease of life -更番,gēng fān,alternately; by turns -更衣,gēng yī,to change clothes; to go to the toilet (euphemism) -更衣室,gēng yī shì,change room; dressing room; locker room; (euphemism) toilet -更迭,gēng dié,to alternate; to change -更递,gēng dì,to change; to substitute -更阑,gēng lán,deep night -更高性能,gēng gāo xìng néng,high performance -更鼓,gēng gǔ,drum marking night watches; night watchman's clapper -曷,hé,why; how; when; what; where -书,shū,abbr. for 書經|书经[Shu1 jing1] -书,shū,"book; letter; document; CL:本[ben3],冊|册[ce4],部[bu4]; to write" -书不尽言,shū bù jìn yán,I have much more to say than can be written in this letter (conventional letter ending) (idiom) -书亭,shū tíng,book kiosk -书信,shū xìn,letter; epistle -书信集,shū xìn jí,collected letters -书函,shū hán,letter; correspondence; slipcase -书刊,shū kān,books and periodicals; publications -书札,shū zhá,letter; also written 書札|书札 -书包,shū bāo,"schoolbag; satchel; bookbag; CL:個|个[ge4],隻|只[zhi1]" -书卷,shū juàn,volume; scroll -书卷气,shū juàn qì,scholarly flavor; educated appearance -书卷奖,shū juàn jiǎng,presidential award (received by university students in Taiwan for academic excellence) -书名,shū míng,name of a book; reputation as calligrapher -书名号,shū míng hào,Chinese guillemet 《》(punct. used for names of books etc) -书呆子,shū dāi zi,bookworm; pedant; bookish fool -书报,shū bào,papers and books -书坛,shū tán,the calligraphic community -书写,shū xiě,to write -书写不能症,shū xiě bù néng zhèng,agraphia -书写符号,shū xiě fú hào,writing symbol -书写语言,shū xiě yǔ yán,written language -书局,shū jú,bookstore; publishing house -书店,shū diàn,bookstore; CL:家[jia1] -书库,shū kù,a store room for books; fig. an erudite person; the Bibliotheca and Epitome of pseudo-Apollodorus -书房,shū fáng,study (room); studio; CL:間|间[jian1] -书挡,shū dǎng,bookend -书会,shū huì,calligraphy society; village school (old); literary society (old) -书本,shū běn,book; CL:本[ben3] -书札,shū zhá,letter -书板,shū bǎn,(writing) tablet -书架,shū jià,bookshelf; CL:個|个[ge4] -书柬,shū jiǎn,variant of 書簡|书简[shu1 jian3] -书案,shū àn,writing desk; official record -书桌,shū zhuō,desk; CL:張|张[zhang1] -书档,shū dàng,bookend -书柜,shū guì,bookcase -书橱,shū chú,bookcase -书法,shū fǎ,calligraphy; handwriting; penmanship -书法家,shū fǎ jiā,calligrapher -书牍,shū dú,letter; wooden writing strips (arch.); general term for letters and documents -书生,shū shēng,scholar; intellectual; egghead -书画,shū huà,painting and calligraphy -书画家,shū huà jiā,calligrapher and painter -书画毡,shū huà zhān,felt desk pad for calligraphy -书皮,shū pí,book cover; book jacket -书皮儿,shū pí er,erhua variant of 書皮|书皮[shu1 pi2] -书目,shū mù,booklist; bibliography; title catalogue; CL:本[ben3] -书眉,shū méi,header; top margin on a page -书社,shū shè,a reading group; press (i.e. publishing house) -书稿,shū gǎo,manuscript of a book -书立,shū lì,bookend -书箧,shū qiè,bookcase -书简,shū jiǎn,(literary) letter -书籍,shū jí,books; works -书签,shū qiān,bookmark; CL:張|张[zhang1] -书约,shū yuē,book contract -书经,shū jīng,"the Book of History, one of the Five Classics of Confucianism 五經|五经[Wu3 jing1], a compendium of documents which make up the oldest extant texts of Chinese history, from legendary times down to the time of Confucius, also known as 尚書經|尚书经[Shang4 shu1 jing1], 尚書|尚书[Shang4 shu1], 書|书[Shu1]" -书圣,shū shèng,"great calligraphy master; the Sage of Calligraphy, traditional reference to Wang Xizhi 王羲之[Wang2 Xi1 zhi1] (303-361)" -书肺,shū fèi,book lung (arachnid anatomy) -书脊,shū jǐ,spine of a book -书腰,shū yāo,"(Tw) (publishing) belly band (paper sash around a book, outside the dust jacket)" -书虫,shū chóng,bookworm -书蠹,shū dù,bookworm (literal and figurative); book louse; pedant -书角,shū jiǎo,corner of a page -书记,shū ji,secretary (chief official of a branch of a socialist or communist party); clerk; scribe -书记官,shū ji guān,clerk of a law court -书记处,shū ji chù,secretariat -书评,shū píng,book review; book notice -书证,shū zhèng,written evidence -书迹,shū jì,extant work of a calligrapher -书院,shū yuàn,academy of classical learning (Tang Dynasty - Qing Dynasty) -书面,shū miàn,in writing; written -书面许可,shū miàn xǔ kě,written permission; written authorization -书面语,shū miàn yǔ,written language -书页,shū yè,page of a book -书题,shū tí,book title -书风,shū fēng,calligraphic style -书馆,shū guǎn,teashop with performance by 評書|评书 story tellers; (attached to name of publishing houses); (in former times) private school; library (of classic texts) -书馆儿,shū guǎn er,teashop with performance by 評書|评书 story tellers -书香,shū xiāng,literary reputation -书香门第,shū xiāng mén dì,family with a literary reputation (idiom); literary family -书体,shū tǐ,calligraphic style; font -书斋,shū zhāi,study (room) -曹,cáo,surname Cao; Zhou Dynasty vassal state -曹,cáo,class or grade; generation; plaintiff and defendant (old); government department (old) -曹不兴,cáo bù xīng,"Cao Buxing or Ts'ao Pu-hsing (active c. 210-250), famous semilegendary painter, one of the Four Great Painters of the Six Dynasties 六朝四大家" -曹丕,cáo pī,"Cao Pi (187-226), second son of Cao Cao 曹操, king then emperor of Cao Wei 曹魏 from 220, ruled as Emperor Wen 魏文帝, also a noted calligrapher" -曹刚川,cáo gāng chuān,"Cao Gangchuan (1935-), former artillery officer, senior PRC politician and army leader" -曹参,cáo cān,"Cao Can (-190 BC), second chancellor of Han Dynasty, contributed to its founding by fighting on Liu Bang's 劉邦|刘邦[Liu2 Bang1] side during the Chu-Han Contention 楚漢戰爭|楚汉战争[Chu3 Han4 Zhan4 zheng1]; also pr. [Cao2 Shen1]" -曹操,cáo cāo,"Cao Cao (155-220), famous statesman and general at the end of Han, noted poet and calligrapher, later warlord, founder and first king of Cao Wei 曹魏, father of Emperor Cao Pi 曹丕; the main villain of novel the Romance of Three Kingdoms 三國演義|三国演义" -曹植,cáo zhí,"Cao Zhi (192-232), son of Cao Cao 曹操, noted poet and calligrapher" -曹冲,cáo chōng,"Cao Chong (196-208), son of Cao Cao 曹操[Cao2 Cao1]" -曹白鱼,cáo bái yú,Chinese herring (Ilisha elongata); white herring; slender shad -曹禺,cáo yú,"Cao Yu (1910-1997), PRC dramatist" -曹县,cáo xiàn,"Cao county in Heze 菏澤|菏泽[He2 ze2], Shandong" -曹锟,cáo kūn,"Cao Kun (1862-1938), one of the Northern Warlords" -曹雪芹,cáo xuě qín,"Cao Xueqin (c. 1715-c. 1764), accepted author of A Dream of Red Mansions 紅樓夢|红楼梦[Hong2 lou2 Meng4]" -曹靖华,cáo jìng huá,"Cao Jinghua (1897-1987), translator from Russian, professor of Peking University and essayist" -曹余章,cáo yú zhāng,"Cao Yuzhang (1924-1996), modern writer and publisher, author of Tales from 5000 Years of Chinese History 上下五千年[Shang4 xia4 Wu3 Qian1 nian2]" -曹魏,cáo wèi,"Cao Wei, the most powerful of the Three Kingdoms, established as a dynasty in 220 by Cao Pi 曹丕, son of Cao Cao, replaced by Jin dynasty in 265" -曼,màn,handsome; large; long -曼切斯特,màn qiē sī tè,Manchester; also written 曼徹斯特|曼彻斯特 -曼哈坦,màn hā tǎn,Manhattan island; Manhattan borough of New York City; also written 曼哈頓|曼哈顿 -曼哈顿,màn hā dùn,Manhattan island; Manhattan borough of New York City -曼哈顿区,màn hā dùn qū,Manhattan borough of New York City -曼城,màn chéng,"Manchester, England; Manchester City football club" -曼城队,màn chéng duì,Manchester City football team -曼妙,màn miào,(literary) graceful -曼妥思,màn tuǒ sī,"Mentos, a brand of candy produced by European company Perfetti Van Melle" -曼尼托巴,màn ní tuō bā,"Manitoba, province of Canada" -曼岛,màn dǎo,"Isle of Man, British Isles (Tw); see also 馬恩島|马恩岛[Ma3 en1 Dao3]" -曼德勒,màn dé lè,"Mandalay, province and second city of Myanmar (Burma)" -曼德拉,màn dé lā,"Nelson Mandela (1918-2013), South African ANC politician, president of South Africa 1994-1999" -曼彻斯特,màn chè sī tè,Manchester -曼彻斯特编码,màn chè sī tè biān mǎ,Manchester encoding -曼波,màn bō,mambo (dance) (loanword) -曼波鱼,màn bō yú,ocean sunfish (Mola mola) -曼海姆,màn hǎi mǔ,"Mannheim, German city at the confluence of Rhine and Neckar" -曼珠沙华,màn zhū shā huā,red spider lily (Lycoris radiata); Sanskrit mañjusaka; cluster amaryllis -曼联,màn lián,Manchester United Football Club -曼荷莲女子学院,màn hé lián nǚ zǐ xué yuàn,see 曼荷蓮學院|曼荷莲学院[Man4 he2 lian2 Xue2 yuan4] -曼荷莲学院,màn hé lián xué yuàn,"Mount Holyoke College (South Hadley, Massachusetts)" -曼荼罗,màn tú luó,(Buddhism) (loanword from Sanskrit) mandala -曼苏尔,màn sū ěr,"Al-Mansur; Abu Jafar al Mansur (712-775), second Abassid caliph" -曼谷,màn gǔ,"Bangkok, capital of Thailand" -曼达尔,màn dá ěr,"Mandal (city in Agder, Norway)" -曼陀罗,màn tuó luó,"(botany) devil's trumpet (Datura stramonium) (loanword from Sanskrit ""māndāra""); mandala (loanword from Sanskrit ""maṇḍala"")" -曾,zēng,surname Zeng -曾,céng,once; already; ever (in the past); former; previously; (past tense marker used before verb or clause) -曾,zēng,"great- (grandfather, grandchild etc)" -曾参,zēng shēn,"Zeng Shen (505-435 BC), a.k.a. 曾子[Zeng1 zi3], student of Confucius, presumed editor or author of Confucian classic the Great Learning 大學|大学[Da4 xue2]" -曾国藩,zēng guó fān,"Zeng Guofan (1811-1872), Qing dynasty politician and military man" -曾外祖母,zēng wài zǔ mǔ,great-grandmother (mother's grandmother) -曾外祖父,zēng wài zǔ fù,great-grandfather (mother's grandfather) -曾子,zēng zǐ,"Zengzi (505-435 BC), student of Confucius, presumed editor or author of Confucian classic the Great Learning 大學|大学[Da4 xue2]" -曾孝谷,zēng xiào gǔ,"Zeng Xiaogu (1873-1937), actor and pioneer of Chinese drama in New Culture style" -曾孙,zēng sūn,great-grandson -曾孙女,zēng sūn nǚ,great-granddaughter -曾几何时,céng jǐ hé shí,just a while before; not so long ago; everyone can remember when.. -曾庆红,zēng qìng hóng,"Zeng Qinghong (1939-), vice-president of PRC 2003-2008" -曾朴,zēng pǔ,"Zeng Pu (1872-1935), novelist and publisher" -曾祖,zēng zǔ,great-grandfather (father of one's paternal grandfather) -曾祖母,zēng zǔ mǔ,father's father's mother; paternal great-grandmother -曾祖父,zēng zǔ fù,father's father's father; paternal great-grandfather -曾祖父母,zēng zǔ fù mǔ,great-grandparents -曾纪泽,zēng jì zé,"Cang Jize or Tseng Chi-tse (1839-1890), pioneer diplomat of late Qing, serve as imperial commissioner (ambassador) to UK, France and Russia" -曾经,céng jīng,once; already; former; previously; ever; (past tense marker used before verb or clause) -曾经沧海,céng jīng cāng hǎi,lit. having crossed the vast ocean (idiom); fig. widely experienced in the vicissitudes of life -曾繁仁,zēng fán rén,"Zeng Fanren, president of Shandong University from February 1998 until July 2000" -曾荫权,zēng yìn quán,Sir Donald Tsang or Tsang Yam-Kuen (1944-) -曾都,zēng dū,"Zengdu district of Suizhou city 隨州市|随州市[Sui2 zhou1 shi4], Hubei" -曾都区,zēng dū qū,"Zengdu district of Suizhou city 隨州市|随州市[Sui2 zhou1 shi4], Hubei" -曾金燕,zēng jīn yàn,"Zeng Jinyan (1983-), Chinese blogger and human rights activist, wife of dissident activist Hu Jia 胡佳[Hu2 Jia1]" -曾巩,zēng gǒng,"Zeng Gong (1019-1083), Song dynasty writer, one of the eight giants 唐宋八大家[Tang2-Song4 ba1da4jia1]" -替,tì,to substitute for; to take the place of; to replace; for; on behalf of; to stand in for -替代,tì dài,to substitute for; to replace; to supersede -替代品,tì dài pǐn,substitute; alternative -替代燃料,tì dài rán liào,alternative fuel -替古人担忧,tì gǔ rén dān yōu,"to fret over the worries of long-departed people (idiom); to worry unnecessarily; crying over spilt milk; often used with negatives, e.g. no need to worry about past issues" -替古人耽忧,tì gǔ rén dān yōu,"to fret over the worries of long-departed people (idiom); to worry unnecessarily; crying over spilt milk; often used with negatives, e.g. no need to worry about past issues" -替工,tì gōng,replacement worker; substitute worker -替换,tì huàn,to exchange; to replace; to substitute for; to switch -替死鬼,tì sǐ guǐ,scapegoat; fall guy -替班,tì bān,to act as substitute; to fill in for sb -替班儿,tì bān er,erhua variant of 替班[ti4 ban1] -替罪,tì zuì,to take the rap for sb -替罪羊,tì zuì yáng,scapegoat -替罪羔羊,tì zuì gāo yáng,scapegoat; sacrificial lamb; same as 替罪羊 -替补,tì bǔ,"to replace (a damaged component with a new one, an injured player with a substitute player, full-time workers with casual workers etc); a substitute; a replacement" -替补队员,tì bǔ duì yuán,substitute player; reserve player -替角,tì jué,(theater) understudy -替角儿,tì jué er,erhua variant of 替角[ti4 jue2] -替身,tì shēn,stand-in; substitute; body double; stuntman; scapegoat; fall guy; to stand in for sb else -替身演员,tì shēn yǎn yuán,substitute actor (esp. in fights of theatrical stunts); stuntman -替餐,tì cān,meal replacement -最,zuì,most; the most; -est (superlative suffix) -最低潮,zuì dī cháo,lit. low tide; fig. the lowest point (e.g. of a relationship) -最低谷,zuì dī gǔ,lowest point; nadir -最低限度,zuì dī xiàn dù,minimum -最低限度理论,zuì dī xiàn dù lǐ lùn,minimalist theory -最低音,zuì dī yīn,lowest voice; lowest pitch; lowest note -最低点,zuì dī diǎn,lowest point; minimum (point) -最佳,zuì jiā,"optimum; optimal; peak; best (athlete, movie etc)" -最佳利益,zuì jiā lì yì,best interests -最佳化,zuì jiā huà,"(computing, math.) to optimize" -最优,zuì yōu,optimal; optimum -最优化,zuì yōu huà,optimization (math.) -最优解,zuì yōu jiě,optimal solution -最先,zuì xiān,(the) very first -最初,zuì chū,first; primary; initial; original; at first; initially; originally -最善,zuì shàn,optimal; the best -最喜爱,zuì xǐ ài,favorite -最多,zuì duō,at most; maximum; greatest (amount); maximal -最大似然估计,zuì dà sì rán gū jì,maximum-likelihood estimation (statistics) -最大公因子,zuì dà gōng yīn zǐ,highest common factor HCF; greatest common divisor GCD -最大公约数,zuì dà gōng yuē shù,highest common factor HCF; greatest common divisor GCD -最大化,zuì dà huà,to maximize -最大速率,zuì dà sù lǜ,maximum speed; maximum velocity -最好,zuì hǎo,best; had better ...; it would be best to ... -最好是,zuì hǎo shì,"(as a complete expression, or followed by 啦[la5]) (coll.) Yeah, right! As if!" -最密堆积,zuì mì duī jī,close-packing of spheres (math.) -最小二乘,zuì xiǎo èr chéng,least squares (math.) -最小值,zuì xiǎo zhí,least value; minimum -最小公倍数,zuì xiǎo gōng bèi shù,least common multiple -最小公分母,zuì xiǎo gōng fēn mǔ,lowest common denominator -最小化,zuì xiǎo huà,to minimize -最小平方法,zuì xiǎo píng fāng fǎ,method of least squares (math.) (Tw) -最少,zuì shǎo,at least; minimum; lowest (amount); minimal -最年长,zuì nián zhǎng,eldest -最后,zuì hòu,final; last; finally; ultimate -最后一天,zuì hòu yī tiān,final day -最后晚餐,zuì hòu wǎn cān,the Last Supper (in the biblical Passion story) -最后期限,zuì hòu qī xiàn,deadline; final time limit (for project) -最后的晚餐,zuì hòu de wǎn cān,the Last Supper (in the Christian Passion story) -最后通牒,zuì hòu tōng dié,ultimatum -最惠国,zuì huì guó,most-favored nation (trade status) -最惠国待遇,zuì huì guó dài yù,most favored nation -最新,zuì xīn,latest; newest -最为,zuì wéi,the most -最终,zuì zhōng,final; ultimate -最终幻想,zuì zhōng huàn xiǎng,Final Fantasy (video game) -最近,zuì jìn,recently; soon; nearest -最近几年,zuì jìn jǐ nián,the last few years; last several years; recent years -最远,zuì yuǎn,furthest; most distant; at maximum distance -最高,zuì gāo,tallest; highest; supreme (court etc) -最高人民检察院,zuì gāo rén mín jiǎn chá yuàn,PRC Supreme People's Procuratorate (prosecutor's office) -最高人民法院,zuì gāo rén mín fǎ yuàn,Supreme People's Court (PRC) -最高工资限额,zuì gāo gōng zī xiàn é,wage ceiling -最高法院,zuì gāo fǎ yuàn,supreme court -最高等,zuì gāo děng,highest level; top class -最高限额,zuì gāo xiàn é,maximum amount; ceiling; upper limit; quota -最高音,zuì gāo yīn,highest voice; highest pitch; highest note -朁,cǎn,"if, supposing, nevertheless" -会,huì,can; to have the skill; to know how to; to be likely to; to be sure to; to meet; to get together; meeting; gathering; (suffix) union; group; association; (bound form) a moment (Taiwan pr. [hui3]) -会,kuài,to balance an account; accounting; accountant -会不会,huì bù huì,"(posing a question: whether sb, something) can or cannot?; is able to or not" -会元,huì yuán,provincial imperial examination graduate who ranked 1st in metropolitan examination (in Ming and Qing dynasties) -会厌,huì yàn,epiglottis -会厌炎,huì yàn yán,epiglottitis -会友,huì yǒu,to make friends; to meet friends; member of the same organization -会合,huì hé,to meet; to rendezvous; to merge; to link up; meeting; confluence -会合处,huì hé chù,joint -会同,huì tóng,"Huitong county in Huaihua 懷化|怀化[Huai2 hua4], Hunan" -会同,huì tóng,to handle sth jointly -会同县,huì tóng xiàn,"Huitong county in Huaihua 懷化|怀化[Huai2 hua4], Hunan" -会否,huì fǒu,can or cannot; is it possible? -会员,huì yuán,member -会员国,huì yuán guó,member nation -会哭的孩子有奶吃,huì kū de hái zi yǒu nǎi chī,lit. a child who cries gets to feed at the breast (idiom); fig. the squeaky wheel gets the grease -会哭的孩子有糖吃,huì kū de hái zi yǒu táng chī,lit. the child who cries gets the candy (idiom); fig. the squeaky wheel gets the grease -会商,huì shāng,to confer; to consult; to negotiate; to hold a conference -会堂,huì táng,meeting hall; assembly hall -会场,huì chǎng,meeting place; place where people gather; CL:個|个[ge4] -会士,huì shì,member of religious order; penitent; frater; translation of French agregé (holder of teaching certificate) -会士考试,huì shì kǎo shì,agrégation (exam for teaching diploma in French universities) -会子,huì zi,(coll.) a moment; a while -会安,huì ān,Hoi An (in Vietnam) -会客,huì kè,to receive a visitor -会客室,huì kè shì,parlor -会宁,huì níng,"Huining county in Baiyin 白銀|白银[Bai2 yin2], Gansu" -会宁县,huì níng xiàn,"Huining county in Baiyin 白銀|白银[Bai2 yin2], Gansu" -会审,huì shěn,joint hearing; to review jointly (i.e. with other checkers) -会展,huì zhǎn,conferences and exhibitions (abbr. for 會議展覽|会议展览[hui4 yi4 zhan3 lan3]) -会师,huì shī,to collaborate; to join forces; to effect a junction -会幕,huì mù,tabernacle (biblical word for a meeting hall or tent) -会心,huì xīn,"knowing (of a smile, look etc)" -会意,huì yì,"combined ideogram (one of the Six Methods 六書|六书[liu4 shu1] of forming Chinese characters); Chinese character that combines the meanings of existing elements; also known as joint ideogram or associative compound; to comprehend without being told explicitly; to cotton on; knowing (smile, glance etc)" -会意字,huì yì zì,combined ideogram (one of the Six Methods 六書|六书 of forming Chinese characters); Chinese character that combines the meanings of existing elements; also known as joint ideogram or associative compound -会战,huì zhàn,(military) to meet for a decisive battle; (military) battle; (fig.) large-scale concerted effort -会所,huì suǒ,office of an association; meeting place; clubhouse; club -会攻,huì gōng,to attack jointly -会昌,huì chāng,"Huichang county in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -会昌县,huì chāng xiàn,"Huichang county in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -会晤,huì wù,to meet; meeting; conference -会期,huì qī,the duration of a conference; the period over which a conference (or expo etc) is held; session; the date of a meeting -会东,huì dōng,"Huidong county in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -会东县,huì dōng xiàn,"Huidong county in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -会死,huì sǐ,mortal -会漏,huì lòu,leak -会泽,huì zé,"Huize county in Qujing 曲靖[Qu3 jing4], Yunnan" -会泽县,huì zé xiàn,"Huize county in Qujing 曲靖[Qu3 jing4], Yunnan" -会奖旅游,huì jiǎng lǚ yóu,"MICE tourism (acronym for ""meetings, incentives, conventions and exhibitions""), aka ""meetings industry"" or ""events industry""" -会理,huì lǐ,"Huili county in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -会理县,huì lǐ xiàn,"Huili county in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -会盟,huì méng,"meetings conducted by rulers in feudal China for the purpose of formalizing alliances, finalizing treaties" -会众,huì zhòng,audience; participants; congregation (of religious sect) -会社,huì shè,"a guild; (in olden times) an association such as a political party, religious group or trade guild; the Japanese word for company" -会籍,huì jí,membership (of a club etc) -会考,huì kǎo,unified examination -会要,huì yào,dynastic records of imperial China -会见,huì jiàn,to meet with (sb who is paying a visit); CL:次[ci4] -会计,kuài jì,accountant; accountancy; accounting -会计制度,kuài jì zhì dù,accounting system -会计学,kuài jì xué,accounting; accountancy -会计师,kuài jì shī,accountant -会计准则理事会,kuài jì zhǔn zé lǐ shì huì,accounting standards council -会计科目,kuài jì kē mù,account -会诊,huì zhěn,consultation (medical); to meet for diagnosis; (by extension) consultation of different specialists -会试,huì shì,metropolitan examination (imperial civil service examination) -会话,huì huà,"(language learning) conversation; dialog; to converse (in a non-native language); (computing) session; CL:個|个[ge4],次[ci4]" -会谈,huì tán,talks; discussions; CL:次[ci4] -会议,huì yì,"meeting; conference; CL:場|场[chang3],屆|届[jie4]" -会议室,huì yì shì,meeting room; conference room -会议展览,huì yì zhǎn lǎn,conferences and exhibitions -会议厅,huì yì tīng,conference hall -会费,huì fèi,membership dues -会车,huì chē,(of two vehicles traveling in opposite directions) to pass by each other -会里县,huì lǐ xiàn,Huili county in Sichuan -会错意,huì cuò yì,to misunderstand; to get the wrong idea -会长,huì zhǎng,"president of a club, committee etc" -会长团,huì zhǎng tuán,presidency (Mormon Church) -会门,huì mén,main entrance; secret society -会阴,huì yīn,perineum -会集,huì jí,to come together; to assemble -会面,huì miàn,to meet with; meeting -会馆,huì guǎn,provincial or county guild hall -会首,huì shǒu,head of a society; sponsor of an organization -会党,huì dǎng,anti-Qing secret societies -月,yuè,"moon; month; monthly; CL:個|个[ge4],輪|轮[lun2]" -月下老人,yuè xià lǎo rén,minor divinity concerned with marriage; matchmaker; go-between -月下花前,yuè xià huā qián,lit. amidst the flowers under the moonlight (idiom); fig. romantic surroundings -月中,yuè zhōng,middle of month -月事,yuè shì,menses; menstruation; a woman's periods -月亮,yuè liang,the moon -月亮女神号,yuè liang nǚ shén hào,"SELENE, Japanese lunar orbiter spacecraft, launched in 2007" -月亮杯,yuè liang bēi,menstrual cup (Tw) -月令,yuè lìng,typical weather in a given season -月份,yuè fèn,month -月份会议,yuè fèn huì yì,monthly meeting; monthly conference -月份牌,yuè fèn pái,calendar (esp. illustrated) -月供,yuè gōng,monthly loan repayment; mortgage payment -月信,yuè xìn,(old) menstruation; period -月俸,yuè fèng,monthly salary -月偏食,yuè piān shí,partial eclipse of the moon -月光,yuè guāng,moonlight -月光族,yuè guāng zú,lit. moonlight group; fig. those who spend their monthly income even before they earn their next salary (slang) -月光石,yuè guāng shí,moonstone -月全食,yuè quán shí,total lunar eclipse -月分,yuè fèn,month; also written 月份[yue4 fen4] -月刊,yuè kān,monthly magazine -月初,yuè chū,start of month; early in the month -月利,yuè lì,monthly interest -月半,yuè bàn,15th of the month -月台幕门,yuè tái mù mén,(railway) platform screen doors; platform-edge doors -月坑,yuè kēng,lunar crater -月城,yuè chéng,semicircular defensive enclosure around city gates; crescent-shaped barbican -月报,yuè bào,monthly (used in names of publications); monthly bulletin -月壤,yuè rǎng,lunar soil -月夕,yuè xī,Mid-autumn Festival on lunar 15th August -月夜,yuè yè,moonlit night -月女神,yuè nǚ shén,Moon Goddess -月婆子,yuè pó zi,(coll.) lying-in woman -月嫂,yuè sǎo,woman hired to take care of a newborn child and its mother in the month after childbirth -月子,yuè zi,traditional one-month confinement period following childbirth; puerperium -月子病,yuè zi bìng,puerperal fever -月孛,yuè bèi,"(ancient Chinese astrology) Yuebei, a heavenly body postulated to exist at the apogee of the Moon's orbit, hindering the Moon's progress" -月季,yuè jì,Chinese rose (Rosa chinensis) -月宫,yuè gōng,Palace in the Moon (in folk tales) -月尾,yuè wěi,end of the month -月岩,yuè yán,moon rock -月工,yuè gōng,worker employed by the month -月底,yuè dǐ,end of the month -月度,yuè dù,monthly -月径,yuè jìng,moonlit path; diameter of the moon; diameter of the moon's orbit -月息,yuè xī,monthly interest -月支,yuè zhī,"the Yuezhi, an ancient people of central Asia during the Han dynasty (also written 月氏[Yue4 zhi1])" -月收入,yuè shōu rù,monthly income -月晕,yuè yùn,ring around the moon; lunar halo -月历,yuè lì,monthly calendar -月曜日,yuè yào rì,Monday (used in ancient Chinese astronomy) -月月,yuè yuè,every month -月朔,yuè shuò,the first day of each month -月末,yuè mò,end of month; late in the month -月杪,yuè miǎo,last few days of the month -月桂,yuè guì,laurel (Laurus nobilis); bay tree; bay leaf -月桂冠,yuè guì guān,laurel crown; victory garland (in Greek and Western culture) -月桂树,yuè guì shù,laurel tree (Laurus nobilis); bay tree -月桂树叶,yuè guì shù yè,laurel leaf; bay leaf -月桂叶,yuè guì yè,bay leaf; laurel leaf -月氏,yuè zhī,ancient people of central Asia during the Han dynasty -月海,yuè hǎi,lunar mare -月湖,yuè hú,"Yuehu district of Yingtan city 鷹潭市|鹰潭市, Jiangxi" -月湖区,yuè hú qū,"Yuehu district of Yingtan city 鷹潭市|鹰潭市, Jiangxi" -月牙,yuè yá,crescent moon -月牙形,yuè yá xíng,crescent -月球,yuè qiú,the moon -月球车,yuè qiú chē,moon buggy -月琴,yuè qín,"yueqin, a lute with oval or octagonal sound box" -月盲症,yuè máng zhèng,moon blindness; equine recurrent uveitis -月相,yuè xiàng,phase of the moon -月票,yuè piào,monthly ticket -月经,yuè jīng,menstruation; a woman's period -月经垫,yuè jīng diàn,sanitary towel; menopad -月经棉栓,yuè jīng mián shuān,tampon -月缺,yuè quē,new moon -月老,yuè lǎo,matchmaker; go-between; same as 月下老人[yue4 xia4 lao3 ren2] -月台,yuè tái,railway platform -月台票,yuè tái piào,platform ticket -月色,yuè sè,moonlight -月芽,yuè yá,variant of 月牙[yue4 ya2] -月华,yuè huá,moonlight -月薪,yuè xīn,monthly income (in kind) -月蓝,yuè lán,light blue -月亏,yuè kuī,waning moon; to wane -月蚀,yuè shí,variant of 月食[yue4 shi2] -月轮,yuè lún,full moon -月钱,yuè qián,monthly payment -月阑,yuè lán,the halo of the moon -月头儿,yuè tóu er,start of the month (colloquial) -月食,yuè shí,lunar eclipse; eclipse of the moon -月饼,yuè bǐng,mooncake (esp. for the Mid-Autumn Festival) -月鳢,yuè lǐ,snakehead mullet; Channa asiatica -月黑,yuè hēi,moonless (night) -月黑天,yuè hēi tiān,the dark; night -有,yǒu,to have; there is; (bound form) having; with; -ful; -ed; -al (as in 有意[you3 yi4] intentional) -有一些,yǒu yī xiē,somewhat; rather; some -有一句没一句,yǒu yī jù méi yī jù,to speak one minute and be quiet the next -有一套,yǒu yī tào,to have a skill; to be savvy; to know how to do sth -有一手,yǒu yī shǒu,to have a skill; to have a lot on the ball; to have an affair -有一拼,yǒu yī pīn,comparable; on a par (with) -有一搭没一搭,yǒu yī dā méi yī dā,unimportant; perfunctory; indifferent; (of conversation) idly -有一搭无一搭,yǒu yī dā wú yī dā,see 有一搭沒一搭|有一搭没一搭[you3 yi1 da1 mei2 yi1 da1] -有一次,yǒu yī cì,once; once upon a time -有一腿,yǒu yī tuǐ,(coll.) to have an affair -有一说一,yǒu yī shuō yī,to speak plainly; to speak one’s mind; to say directly -有一点,yǒu yī diǎn,a little; somewhat -有一点儿,yǒu yī diǎn er,a bit; a little -有不少名堂,yǒu bù shǎo míng tang,there is a lot to it; not a straightforward matter -有主见,yǒu zhǔ jiàn,opinionated; having one's own strong views -有了,yǒu le,I've got a solution!; to have a bun in the oven (abbr. for 有了胎[you3 le5 tai1]) -有了胎,yǒu le tāi,pregnant; to carry a child -有事,yǒu shì,to be occupied with sth; to have sth on one's mind; there is something the matter -有些,yǒu xiē,some; somewhat -有些人,yǒu xiē rén,some people -有人,yǒu rén,someone; people; anyone; there is someone there; occupied (as in restroom) -有人情,yǒu rén qíng,humane -有人想你,yǒu rén xiǎng nǐ,Bless you! (after a sneeze) -有仇不报非君子,yǒu chóu bù bào fēi jūn zǐ,"a real man, if he takes a hit, will seek to even the score (idiom)" -有份,yǒu fèn,to have a share of (responsibility etc); to be concerned; to be involved -有何贵干,yǒu hé guì gàn,What (noble errand) brings you here?; May I help you?; What can I do for you? -有作用,yǒu zuò yòng,effective; to have impact -有备无患,yǒu bèi wú huàn,"Preparedness averts peril.; to be prepared, just in case (idiom)" -有备而来,yǒu bèi ér lái,to come prepared -有价值,yǒu jià zhí,valuable -有价证券,yǒu jià zhèng quàn,(finance) negotiable securities -有偿,yǒu cháng,paying; paid (not free) -有两下子,yǒu liǎng xià zi,to have real skill; to know one's stuff -有其父必有其子,yǒu qí fù bì yǒu qí zǐ,"like father, like son (idiom)" -有别,yǒu bié,different; distinct; unequal; variable -有利,yǒu lì,advantageous; favorable -有利可图,yǒu lì kě tú,profitable -有利于,yǒu lì yú,to be advantageous to; to be beneficial for -有利有弊,yǒu lì yǒu bì,to have both advantages and disadvantages -有创造力,yǒu chuàng zào lì,ingenious; creative -有力,yǒu lì,powerful; forceful; vigorous -有加,yǒu jiā,extremely (placed after verb or adjective) -有助,yǒu zhù,helpful; beneficial; to help; conducive to -有助于,yǒu zhù yú,to contribute to; to promote -有劲,yǒu jìn,vigorous; energetic; interesting; amusing -有勇无谋,yǒu yǒng wú móu,bold but not very astute (idiom) -有劳,yǒu láo,(polite) thank you for your trouble (used when asking a favor or after having received one) -有印象,yǒu yìn xiàng,to have a recollection (of sb or sth); to remember -有去无回,yǒu qù wú huí,gone forever (idiom) -有口无心,yǒu kǒu wú xīn,to speak harshly but without any bad intent (idiom) -有口皆碑,yǒu kǒu jiē bēi,every voice gives praise (idiom); with an extensive public reputation -有可能,yǒu kě néng,possible; probable; possibly; probably; may; might -有史以来,yǒu shǐ yǐ lái,since the beginning of history -有司,yǒu sī,(literary) officials -有名,yǒu míng,famous; well-known -有名亡实,yǒu míng wáng shí,lit. has a name but no reality (idiom); exists only in name; nominal -有名无实,yǒu míng wú shí,lit. has a name but no reality (idiom); exists only in name; nominal -有味,yǒu wèi,tasty -有商有量,yǒu shāng yǒu liàng,to talk things through (idiom); to have an exchange of views -有喜,yǒu xǐ,to be expecting; to be with child -有嘴没舌,yǒu zuǐ mò shé,struck dumb; speechless -有嘴无心,yǒu zuǐ wú xīn,to talk without any intention of acting on it; empty prattle -有型,yǒu xíng,stylish -有增无已,yǒu zēng wú yǐ,constantly increasing without limit (idiom); rapid progress in all directions -有增无减,yǒu zēng wú jiǎn,to increase without letup; to get worse and worse (idiom) -有夏,yǒu xià,China -有够,yǒu gòu,very; extremely -有夫之妇,yǒu fū zhī fù,married woman -有失,yǒu shī,"to cause a loss of (decorum, dignity etc) (used in fixed expressions)" -有失厚道,yǒu shī hòu dao,to be ungenerous -有失身份,yǒu shī shēn fèn,to be beneath one's dignity -有失远迎,yǒu shī yuǎn yíng,(polite) excuse me for not going out to meet you -有奶便是娘,yǒu nǎi biàn shì niáng,lit. whoever provides milk is your mother (idiom); fig. to follow whoever is feeding you; to put one's loyalties where one's interests lie -有奶就是娘,yǒu nǎi jiù shì niáng,see 有奶便是娘[you3 nai3 bian4 shi4 niang2] -有如,yǒu rú,to be like sth; similar to; alike -有始有终,yǒu shǐ yǒu zhōng,"where there's a start, there's a finish (idiom); to finish once one starts sth; to carry things through; I started, so I'll finish." -有始无终,yǒu shǐ wú zhōng,to start but not finish (idiom); to fail to carry things through; lack of sticking power; short attention span -有妇之夫,yǒu fù zhī fū,married man -有子存焉,yǒu zǐ cún yān,"I still have sons, don't I?; fig. future generations will continue the work" -有孔虫,yǒu kǒng chóng,foraminifera -有学问,yǒu xué wèn,erudite; learned; informed; scholarly -有害,yǒu hài,destructive; harmful; damaging -有害无利,yǒu hài wú lì,harmful and without benefit (idiom); more harm than good -有害无益,yǒu hài wú yì,harmful and without benefit (idiom); more harm than good -有局,yǒu jú,vulnerable (in bridge) -有屁快放,yǒu pì kuài fàng,spit it out!; out with it! -有希望,yǒu xī wàng,hopeful; promising; prospective -有帮助,yǒu bāng zhù,helpful -有年,yǒu nián,for years -有年头,yǒu nián tou,for donkey's years; for ages -有幸,yǒu xìng,fortunately -有序,yǒu xù,regular; orderly; successive; in order -有序化,yǒu xù huà,"ordering (of a list, encyclopedia etc)" -有弹性,yǒu tán xìng,flexible -有形,yǒu xíng,material; tangible; visible; shapely -有影响,yǒu yǐng xiǎng,influential -有征无战,yǒu zhēng wú zhàn,to win without a fight (idiom) -有待,yǒu dài,not yet (done); pending -有得一比,yǒu dé yī bǐ,can be compared; to be very similar -有得有失,yǒu dé yǒu shī,"you win some, you lose some (idiom); gains and losses; trade-off" -有德行,yǒu dé xíng,virtuous -有心,yǒu xīn,to have a mind to; to intend to; deliberately; considerate -有心人,yǒu xīn rén,resolute person; person with aspirations; people who feel; people who use their heads -有心眼,yǒu xīn yǎn,clever; sharp -有志,yǒu zhì,to be ambitious -有志气,yǒu zhì qì,ambitious -有志竟成,yǒu zhì jìng chéng,"persevere and you will succeed (idiom); where there's a will, there's a way" -有志者事竟成,yǒu zhì zhě shì jìng chéng,"a really determined person will find a solution (idiom); where there's a will, there's a way" -有性生殖,yǒu xìng shēng zhí,sexual reproduction -有怪莫怪,yǒu guài mò guài,please don't take offense; don't take it personally -有恃无恐,yǒu shì wú kǒng,secure in the knowledge that one has backing -有恒,yǒu héng,to persevere; perseverance -有息,yǒu xī,interest-bearing (bank account) -有悖于,yǒu bèi yú,to go against -有情,yǒu qíng,to be in love; sentient beings (Buddhism) -有情人,yǒu qíng rén,lovers -有情人终成眷属,yǒu qíng rén zhōng chéng juàn shǔ,love will find a way (idiom) -有情有义,yǒu qíng yǒu yì,affectionate and true; loyal (idiom) -有意,yǒu yì,to intend; intentionally; interested in -有意思,yǒu yì si,interesting; meaningful; enjoyable; fun -有意无意,yǒu yì wú yì,intentionally or otherwise -有意义,yǒu yì yì,to make sense; to have meaning; to have significance; meaningful; significant; worthwhile; important; interesting -有意识,yǒu yì shí,conscious -有感而发,yǒu gǎn ér fā,(idiom) to speak from the heart -有成,yǒu chéng,(literary) to achieve success -有戏,yǒu xì,(coll.) promising; likely to turn out well -有所,yǒu suǒ,somewhat; to some extent -有所不同,yǒu suǒ bù tóng,to differ to some extent (idiom) -有所作为,yǒu suǒ zuò wéi,(idiom) to achieve sth worthwhile; to make a positive contribution -有所得必有所失,yǒu suǒ dé bì yǒu suǒ shī,there is no gain without a loss (idiom); there is no such thing as a free meal -有手有脚,yǒu shǒu yǒu jiǎo,lit. have hands have feet; to be able bodied (idiom); to have the ability to work -有才干,yǒu cái gàn,capable -有排面,yǒu pái miàn,(neologism) (coll.) ostentatious; showy; impressive -有损,yǒu sǔn,to be harmful (to) -有损压缩,yǒu sǔn yā suō,(computing) lossy compression -有搞头,yǒu gǎo tou,(coll.) worthwhile; likely to be fruitful -有攻击性,yǒu gōng jī xìng,offensive -有效,yǒu xiào,effective; in effect; valid -有效性,yǒu xiào xìng,validity -有效措施,yǒu xiào cuò shī,effective action -有效日期,yǒu xiào rì qī,expiration date; expiry date -有效期,yǒu xiào qī,period of validity; sell-by date -有效期内,yǒu xiào qī nèi,within the period of validity; before the sell-by date -有效负载,yǒu xiào fù zài,payload -有教无类,yǒu jiào wú lèi,"education for everyone, irrespective of background" -有教无类法,yǒu jiào wú lèi fǎ,"No Child Left Behind Act, USA 2001" -有数,yǒu shù,to have kept count; to know how many; (fig.) to know exactly how things stand; to know the score; not many; only a few -有料,yǒu liào,impressive -有新意,yǒu xīn yì,modern; up-to-date -有方,yǒu fāng,to do things right; to use the correct method -有时,yǒu shí,sometimes; now and then -有时候,yǒu shí hou,sometimes -有望,yǒu wàng,hopeful; promising -有朝,yǒu zhāo,one day; sometime in the future -有朝一日,yǒu zhāo yī rì,one day; sometime in the future -有期徒刑,yǒu qī tú xíng,limited term of imprisonment (i.e. anything less than life imprisonment) -有木有,yǒu mù yǒu,"(slang) come on, you can't deny it!; don't you think so?!; (melodramatic form of 有沒有|有没有[you3 mei2 you3])" -有本事,yǒu běn shi,"to have what it takes; (coll.) (often followed by 就[jiu4]) (used to challenge sb) if you're so clever, ..., if she's so tough, ... etc; Example: 有本事就打我[you3 ben3 shi5 jiu4 da3 wo3] Hit me if you dare!" -有本钱,yǒu běn qián,"to be in a position to (take on a challenge, etc)" -有板有眼,yǒu bǎn yǒu yǎn,orderly; methodical; rhythmical -有枝有叶,yǒu zhī yǒu yè,to become bogged down in the details (idiom) -有染,yǒu rǎn,to have an affair with sb -有核国家,yǒu hé guó jiā,nuclear weapon states -有条不紊,yǒu tiáo bù wěn,regular and thorough (idiom); methodically arranged -有条有理,yǒu tiáo yǒu lǐ,(idiom) clear and orderly; neat and tidy -有条纹,yǒu tiáo wén,striped -有样学样,yǒu yàng xué yàng,to imitate what sb else does; to follow sb's example -有机,yǒu jī,organic -有机分子,yǒu jī fēn zǐ,organic molecule -有机化合物,yǒu jī huà hé wù,organic compound -有机化学,yǒu jī huà xué,organic chemistry -有机可乘,yǒu jī kě chéng,to have an opportunity that one can exploit (idiom) -有机土,yǒu jī tǔ,histosol (soil taxonomy) -有机氮,yǒu jī dàn,organic nitrogen -有机物,yǒu jī wù,organic substance; organic matter -有机玻璃,yǒu jī bō li,plexiglass -有机磷,yǒu jī lín,organic phosphate -有机磷毒剂,yǒu jī lín dú jì,organophosphorus agent -有机磷酸酯类,yǒu jī lín suān zhǐ lèi,organophosphate -有机体,yǒu jī tǐ,organism -有权,yǒu quán,to have the right to; to be entitled to; to have authority; powerful -有权势者,yǒu quán shì zhě,person in power; the one with authority; the guy in charge -有权威,yǒu quán wēi,authoritative -有次,yǒu cì,once; on one occasion -有次序,yǒu cì xù,ordered -有毅力,yǒu yì lì,persevering; unwavering -有毒,yǒu dú,poisonous -有气派,yǒu qì pài,lordly -有气无力,yǒu qì wú lì,weakly and without strength (idiom); dispirited -有气质,yǒu qì zhì,to have class; classy -有气音,yǒu qì yīn,aspirated consonant (in phonetics) -有氧健身操,yǒu yǎng jiàn shēn cāo,aerobics -有氧操,yǒu yǎng cāo,aerobics -有氧运动,yǒu yǎng yùn dòng,aerobics -有水,yǒu shuǐ,supplied with water (of a house) -有求必应,yǒu qiú bì yìng,to grant whatever is asked for; to accede to every plea -有决心,yǒu jué xīn,determined -有沉有浮,yǒu chén yǒu fú,to have one's ups and downs -有没有,yǒu méi yǒu,"(before a noun) Do (you, they etc) have ...?; Is there a ...?; (before a verb) Did (you, they etc) (verb, infinitive)?; Have (you, they etc) (verb, past participle)?" -有活力,yǒu huó lì,energetic; vital -有源区,yǒu yuán qū,(computer chip manufacture) active area -有滋有味,yǒu zī yǒu wèi,flavorsome; (fig.) delightful; full of interest -有潜力,yǒu qián lì,promising; showing potential -有为,yǒu wéi,promising; to show promise -有为有守,yǒu wéi yǒu shǒu,able to act while maintaining one's integrity (idiom); also written 有守有為|有守有为[you3 shou3 you3 wei2] -有无,yǒu wú,to have or have not; surplus and shortfall; tangible and intangible; corporeal and incorporeal -有无相通,yǒu wú xiāng tōng,mutual exchange of assistance (idiom); to reciprocate with material assistance -有烟煤,yǒu yān méi,smokey coal -有理,yǒu lǐ,reasonable; justified; right; (math.) rational -有理式,yǒu lǐ shì,rational expression (math.) -有理数,yǒu lǐ shù,"rational number (i.e. fraction of two integers, math.)" -有理数域,yǒu lǐ shù yù,"field of rational numbers (math.), usually denoted by Q" -有理数集,yǒu lǐ shù jí,set of rational numbers (math.) -有生之年,yǒu shēng zhī nián,(idiom) during one's lifetime; while one is on this earth; in one's remaining years -有生以来,yǒu shēng yǐ lái,since birth; for one's whole life -有产者,yǒu chǎn zhě,property owner; the wealthy -有用,yǒu yòng,useful -有界,yǒu jiè,bounded -有病,yǒu bìng,to be ill; (coll.) to be not right in the head -有百利而无一害,yǒu bǎi lì ér wú yī hài,to have many advantages and no disadvantages -有百利而无一弊,yǒu bǎi lì ér wú yī bì,to have many advantages and no disadvantages -有百害而无一利,yǒu bǎi hài ér wú yī lì,having no advantage whatsoever -有的,yǒu de,(there are) some (who are...); some (exist) -有的放矢,yǒu dì fàng shǐ,lit. to have a target in mind when shooting one's arrows (idiom); fig. to have a clear objective -有的是,yǒu de shì,have plenty of; there's no lack of -有的时候,yǒu de shí hòu,sometimes; at times -有的没有的,yǒu de méi yǒu de,see 有的沒的|有的没的[you3 de5 mei2 de5] -有的没的,yǒu de méi de,trivial (matters); triviality; nonsense; rubbish -有益,yǒu yì,useful; beneficial; profitable -有益处,yǒu yì chu,beneficial -有目共睹,yǒu mù gòng dǔ,anyone with eyes can see it (idiom); obvious to all; sth speaks for itself; is there for all to see -有目共见,yǒu mù gòng jiàn,anyone with eyes can see it (idiom); obvious to all; sth speaks for itself; is there for all to see -有目共赏,yǒu mù gòng shǎng,as everyone can appreciate (idiom); clear to all; unarguable -有目无睹,yǒu mù wú dǔ,has eyes but can't see (idiom); unable or unwilling to see the importance of sth; blind (to sth great) -有眉目,yǒu méi mù,to begin to take shape; to be about to materialize -有眼不识泰山,yǒu yǎn bù shí tài shān,lit. to have eyes but fail to recognize Mt Tai (idiom); fig. to fail to recognize sb important or sb's great talent; to be blind to the fact -有眼光,yǒu yǎn guāng,to have good taste -有眼力见儿,yǒu yǎn lì jiàn er,(dialect) alert; attentive; observant -有眼无珠,yǒu yǎn wú zhū,(idiom) blind as a bat (figuratively); unaware of who (or what) one is dealing with; to fail to recognize what sb a bit more perceptive would -有码,yǒu mǎ,pixelated or censored (of video) -有碍,yǒu ài,to hinder; to impede; to be detrimental -有神论,yǒu shén lùn,theism (the belief in the existence of God) -有神论者,yǒu shén lùn zhě,theist (believer in one or more Deities) -有福,yǒu fú,to be blessed -有礼貌,yǒu lǐ mào,courteous; polite -有棱有角,yǒu léng yǒu jiǎo,(of a shape) sharp and clearcut; (of a person) definite in his opinion -有种,yǒu zhǒng,to have guts; to have courage; to be brave -有空,yǒu kòng,to have time (to do sth) -有空儿,yǒu kòng er,erhua variant of 有空|有空[you3 kong4] -有穷,yǒu qióng,exhaustible; limited; finite -有节,yǒu jié,segmented -有节制,yǒu jié zhì,temperate; moderate; restrained -有精神病,yǒu jīng shén bìng,insane -有系统,yǒu xì tǒng,systematic -有约在先,yǒu yuē zài xiān,to have a prior engagement -有统计学意义,yǒu tǒng jì xué yì yì,statistically significant -有丝分裂,yǒu sī fēn liè,mitosis -有线,yǒu xiàn,wired; cable (television) -有线新闻网,yǒu xiàn xīn wén wǎng,Cable Network News (CNN) -有线电视,yǒu xiàn diàn shì,cable television -有缘,yǒu yuán,related; brought together by fate -有缘无分,yǒu yuán wú fèn,destined to meet but not fated to be together (idiom) -有编制,yǒu biān zhì,having a permanent post; part of the official staff -有罪,yǒu zuì,guilty -有罪不罚,yǒu zuì bù fá,impunity -有耐久力,yǒu nài jiǔ lì,durable -有联系,yǒu lián xì,to be connected; to be related -有声书,yǒu shēng shū,audiobook -有声有色,yǒu shēng yǒu sè,having sound and color (idiom); vivid; dazzling -有声读物,yǒu shēng dú wù,audiobook; recording of a person reading the text of a book -有肩膀,yǒu jiān bǎng,responsible; reliable -有能力,yǒu néng lì,able -有腔调,yǒu qiāng diào,classy; stylish; upmarket -有胆量,yǒu dǎn liàng,courageous -有脸,yǒu liǎn,lit. having face; to have prestige; to command respect; to have the nerve (e.g. to ask sth outrageous); to have the gall; not ashamed to -有兴趣,yǒu xìng qù,interested; interesting -有良心,yǒu liáng xīn,conscientious -有色,yǒu sè,colored; non-white; non-ferrous (metals) -有色人种,yǒu sè rén zhǒng,colored races -有色无胆,yǒu sè wú dǎn,"to be perverse and suggestive towards the opposite sex, but shrinking back when provoked to act on it; to have perverted thoughts but no guts to actually do it; to be all talk and no action" -有色金属,yǒu sè jīn shǔ,"non-ferrous metals (all metals excluding iron, chromium, manganese and their alloys)" -有苦说不出,yǒu kǔ shuō bu chū,having unspeakable bitter suffering; (often used after 啞巴吃黃連|哑巴吃黄连[ya3 ba5 chi1 huang2 lian2]) -有着,yǒu zhe,to have; to possess -有荤有素,yǒu hūn yǒu sù,to include both meat and vegetables -有药瘾者,yǒu yào yǐn zhě,addict -有亏职守,yǒu kuī zhí shǒu,(to be guilty of) dereliction of duty -有袋类,yǒu dài lèi,(zoology) marsupial -有解,yǒu jiě,"(of a problem, equation etc) to have a solution; to be solvable" -有话快说,yǒu huà kuài shuō,spit it out! -有话要说,yǒu huà yào shuō,to speak one's mind -有说有笑,yǒu shuō yǒu xiào,talking and laughing; to jest; cheerful and lively -有请,yǒu qǐng,to request the pleasure of seeing sb; to ask sb in; to ask sb to do sth (e.g. make a speech) -有识之士,yǒu shí zhī shì,a person with knowledge and experience (idiom) -有谱,yǒu pǔ,to have a plan; to know what one is doing -有谱儿,yǒu pǔ er,erhua variant of 有譜|有谱[you3 pu3] -有责任,yǒu zé rèn,liable; responsible -有资格,yǒu zī gé,to be entitled; to qualify; to be qualified -有卖相,yǒu mài xiàng,appealing; attractive (esp. to consumers) -有赖,yǒu lài,(of an outcome) to rely on; to require; can only be achieved by means of -有赖于,yǒu lài yú,see 有賴|有赖[you3 lai4] -有趣,yǒu qù,interesting; fascinating; amusing -有蹄动物,yǒu tí dòng wù,ungulates (animals with hooves) -有轨,yǒu guǐ,tracked (tramcar) -有轨电车,yǒu guǐ diàn chē,streetcar; tramcar; tram -有办法,yǒu bàn fǎ,can find methods; resourceful; creative -有过之而无不及,yǒu guò zhī ér wú bù jí,not to be inferior in any aspects (idiom); to surpass; to outdo; (derog.) to be even worse -有道,yǒu dào,to have attained the Way; (of a government or a ruler) enlightened; wise and just -有道是,yǒu dào shì,"as they say, ...; as the saying goes, ..." -有道理,yǒu dào li,to make sense; reasonable -有违,yǒu wéi,to run counter to -有选举权,yǒu xuǎn jǔ quán,constituent -有边儿,yǒu biān er,to be likely or possible; to begin to take shape; to be likely to succeed -有钩绦虫,yǒu gōu tāo chóng,tapeworm (Taenia solium) -有钱,yǒu qián,well-off; wealthy -有钱人,yǒu qián rén,rich person; the rich -有钱有势,yǒu qián yǒu shì,rich and powerful (idiom) -有钱有闲,yǒu qián yǒu xián,to have money and time; to be part of the leisure class; the idle rich -有钱能使鬼推磨,yǒu qián néng shǐ guǐ tuī mò,"lit. with money, you can get a devil to turn a millstone (idiom); fig. with money, you can get anything done; money talks" -有鉴于此,yǒu jiàn yú cǐ,in view of this; to this end -有关,yǒu guān,to have sth to do with; to relate to; related to; to concern; concerning -有关各方,yǒu guān gè fāng,all parties involved -有关联,yǒu guān lián,related to; concerning; to be correlated -有限,yǒu xiàn,limited; finite -有限元,yǒu xiàn yuán,finite element (method) -有限元法,yǒu xiàn yuán fǎ,finite element method -有限公司,yǒu xiàn gōng sī,limited company; corporation -有限单元,yǒu xiàn dān yuán,finite element (method) -有限群,yǒu xiàn qún,finite group (math.) -有限集,yǒu xiàn jí,finite set -有阴影,yǒu yīn yǐng,shadowy -有雄心,yǒu xióng xīn,ambitious -有电,yǒu diàn,electric (apparatus); electrified; having electricity supply (of a house) -有顷,yǒu qǐng,shortly thereafter; for a moment -有预谋,yǒu yù móu,premeditated -有颌,yǒu hé,jawed (fish) -有头有尾,yǒu tóu yǒu wěi,"where there's a start, there's a finish (idiom); to finish once one starts sth; to carry things through; I started, so I'll finish." -有头有脸,yǒu tóu yǒu liǎn,(idiom) (of a person) to be highly respected; to enjoy prestige -有头无尾,yǒu tóu wú wěi,(idiom) to fail to finish off what one started -有风,yǒu fēng,windy -有余,yǒu yú,to have an abundance -有惊无险,yǒu jīng wú xiǎn,to be more scared than hurt (idiom); to get through a daunting experience without mishap -有魅力,yǒu mèi lì,attractive; charming -有点,yǒu diǎn,a little -有点儿,yǒu diǎn er,slightly; a little; somewhat -朊,ruǎn,protein -朊毒体,ruǎn dú tǐ,prion (molecular biology) -朊病毒,ruǎn bìng dú,prion (pathogen) -朋,péng,friend -朋克,péng kè,punk (music style) (loanword) -朋友,péng you,"friend; CL:個|个[ge4],位[wei4]" -朋友圈,péng you quān,Moments (social networking function of smartphone app WeChat 微信[Wei1 xin4]) -朋友妻不可欺,péng you qī bù kě qī,you should not covet your friend's wife (idiom) -朋比为奸,péng bǐ wéi jiān,to conspire; to gang up -朋驰,péng chí,same as 奔馳|奔驰[Ben1 chi2] -朋党,péng dǎng,clique -服,fú,"clothes; dress; garment; to serve (in the military, a prison sentence etc); to obey; to be convinced (by an argument); to convince; to admire; to acclimatize; to take (medicine); mourning clothes; to wear mourning clothes" -服,fù,classifier for medicine: dose; Taiwan pr. [fu2] -服事,fú shi,variant of 服侍[fu2 shi5] -服他灵,fú tā líng,"voltaren, a trade name for diclofenac sodium, a non-steroidal anti-inflammatory drug used to reduce swelling and as painkiller; also called 扶他林" -服侍,fú shi,"to attend to; to care for (patients etc); to look after; to wait upon; to serve; also written 伏侍, see also 服事[fu2 shi4]" -服仪,fú yí,attire and grooming -服兵役,fú bīng yì,to serve in the army -服刑,fú xíng,to serve a prison sentence -服务,fú wù,to serve; service; CL:項|项[xiang4] -服务台,fú wù tái,service desk; information desk; reception desk -服务员,fú wù yuán,"waiter; waitress; attendant; customer service personnel; CL:個|个[ge4],位[wei4]" -服务器,fú wù qì,server (computer); CL:臺|台[tai2] -服务广告协议,fú wù guǎng gào xié yì,Service Advertisement Protocol; SAP -服务提供商,fú wù tí gōng shāng,(Internet) service provider -服务提供者,fú wù tí gōng zhě,service provider -服务业,fú wù yè,service industry -服务生,fú wù shēng,server (at a restaurant) -服务台,fú wù tái,service desk; information desk; reception desk -服务规章,fú wù guī zhāng,service regulation -服务费,fú wù fèi,service charge; cover charge -服务质量,fú wù zhì liàng,Quality of Service; QOS -服丧,fú sāng,in mourning -服帖,fú tiē,docile; obedient; appropriate; fitting; at ease; comfortable -服役,fú yì,to serve in the army; in active service -服从,fú cóng,to obey (an order); to comply; to defer -服服,fú fu,clothes (baby talk) -服服帖帖,fú fu tiē tiē,submissive; docile; obedient -服毒,fú dú,to take poison -服气,fú qì,to be convinced; to accept -服法,fú fǎ,to submit to the law; to obey the law -服满,fú mǎn,to have completed the mourning period (traditional); to have served one's time -服用,fú yòng,to take (medicine) -服众,fú zhòng,to convince the masses -服硬,fú yìng,to yield to force -服罪,fú zuì,to admit to a crime; to plead guilty -服老,fú lǎo,to admit to one's advancing years; to acquiesce to old age -服膺,fú yīng,to bear in mind -服药,fú yào,to take medicine -服药过量,fú yào guò liàng,overdose of drugs -服装,fú zhuāng,dress; clothing; costume; clothes; CL:身[shen1] -服装秀,fú zhuāng xiù,fashion show -服贴,fú tiē,variant of 服帖[fu2 tie1] -服贸,fú mào,Cross-Strait Service Trade Agreement; abbr. for 兩岸服務貿易協議|两岸服务贸易协议[Liang3 an4 Fu2 wu4 Mao4 yi4 Xie2 yi4] -服软,fú ruǎn,to admit defeat; to give in; to acknowledge a mistake; to apologize; to be amenable to persuasion -服输,fú shū,to concede; to admit defeat; to admit sth is wrong after insisting it is right -服辩,fú biàn,written confession; letter of repentance -服食,fú shí,"to take (medication, vitamins etc)" -服饰,fú shì,apparel; clothing and personal adornment -朐,qú,surname Qu -朔,shuò,beginning; first day of lunar month; north -朔城,shuò chéng,"Shuocheng district of Shuozhou city 朔州市[Shuo4 zhou1 shi4], Shanxi" -朔城区,shuò chéng qū,"Shuocheng district of Shuozhou city 朔州市[Shuo4 zhou1 shi4], Shanxi" -朔州,shuò zhōu,"Shuozhou, prefecture-level city in Shanxi 山西" -朔州市,shuò zhōu shì,"Shuozhou, prefecture-level city in Shanxi 山西" -朔日,shuò rì,first day of the lunar month -朔月,shuò yuè,new moon; first day of the lunar month -朔望,shuò wàng,the new moon; the first day of the lunar month -朔望潮,shuò wàng cháo,"spring tide (biggest tide, at new moon or full moon)" -朔风,shuò fēng,north wind -朔风凛冽,shuò fēng lǐn liè,The north wind is icy cold. -朕,zhèn,"(used by an emperor or king) I; me; we (royal ""we""); (literary) omen" -朕兆,zhèn zhào,omen; sign (that sth is about to happen); warning sign -朗,lǎng,clear; bright -朗吟,lǎng yín,"to recite in a loud, clear voice" -朗姆,lǎng mǔ,rum (beverage) (loanword) -朗姆酒,lǎng mǔ jiǔ,rum (loanword) -朗文,lǎng wén,Longman (name) -朗朗上口,lǎng lǎng shàng kǒu,to flow right off the tongue (of lyrics or poetry); to recite with ease; catchy (of a song) -朗照,lǎng zhào,to shine brightly; (fig.) to perceive clearly -朗县,lǎng xiàn,"Nang county, Tibetan: Snang rdzong, in Nyingchi prefecture 林芝地區|林芝地区[Lin2 zhi1 di4 qu1], Tibet" -朗诵,lǎng sòng,to read aloud with expression; to recite; to declaim -朗读,lǎng dú,to read aloud -望,wàng,full moon; to hope; to expect; to visit; to gaze (into the distance); to look towards; towards -望京,wàng jīng,Wangjing neighborhood of Beijing -望城,wàng chéng,"Wangcheng county in Changsha 長沙|长沙[Chang2 sha1], Hunan" -望城县,wàng chéng xiàn,"Wangcheng county in Changsha 長沙|长沙[Chang2 sha1], Hunan" -望尘莫及,wàng chén mò jí,lit. to see only the other rider's dust and have no hope of catching up (idiom); to be far inferior -望夫石,wàng fū shí,"Amah Rock in Sha Tin 沙田[Sha1 tian2], Hong Kong" -望奎,wàng kuí,"Wangkui county in Suihua 綏化|绥化, Heilongjiang" -望奎县,wàng kuí xiàn,"Wangkui county in Suihua 綏化|绥化, Heilongjiang" -望女成凤,wàng nǚ chéng fèng,lit. to hope one's daughter becomes a phoenix (idiom); fig. to hope one's daughter is a success in life -望子成龙,wàng zǐ chéng lóng,lit. to hope one's son becomes a dragon (idiom); fig. to long for one' s child to succeed in life; to have great hopes for one's offspring; to give one's child the best education as a career investment -望安,wàng ān,"Wangan township in Penghu county 澎湖縣|澎湖县[Peng2 hu2 xian4] (Pescadores Islands), Taiwan" -望安乡,wàng ān xiāng,"Wangan township in Penghu county 澎湖縣|澎湖县[Peng2 hu2 xian4] (Pescadores Islands), Taiwan" -望文生义,wàng wén shēng yì,lit. view a text and interpret (idiom); to interpret word by word without understanding the meaning; a far-fetched interpretation -望族,wàng zú,distinguished or prominent family; influential clan (old) -望日,wàng rì,the full moon; the fifteenth day of each lunar month -望月,wàng yuè,full moon -望梅止渴,wàng méi zhǐ kě,lit. to quench one's thirst by thinking of plums (idiom); fig. to console oneself with illusions -望楼,wàng lóu,watchtower; lookout tower -望江,wàng jiāng,"Wangjiang, a county in Anqing 安慶|安庆[An1qing4], Anhui" -望江县,wàng jiāng xiàn,"Wangjiang, a county in Anqing 安慶|安庆[An1qing4], Anhui" -望洋,wàng yáng,(literary) to gaze in the air -望洋兴叹,wàng yáng xīng tàn,lit. to gaze at the ocean and lament one's inadequacy (idiom); fig. to feel powerless and incompetent (to perform a task) -望眼欲穿,wàng yǎn yù chuān,to anxiously await -望而却步,wàng ér què bù,to shrink back; to flinch -望而生畏,wàng ér shēng wèi,intimidate at the first glance (idiom); awe-inspiring; terrifying; overwhelming -望而兴叹,wàng ér xīng tàn,to look and sigh; to feel helpless; not knowing what to do -望花,wàng huā,"Wanghua district of Fushun city 撫順市|抚顺市, Liaoning" -望花区,wàng huā qū,"Wanghua district of Fushun city 撫順市|抚顺市, Liaoning" -望见,wàng jiàn,to espy; to spot -望诊,wàng zhěn,"(TCM) observation, one of the four methods of diagnosis 四診|四诊[si4 zhen3]" -望谟,wàng mó,"Wangmo county in Qianxinan Buyei and Miao autonomous prefecture 黔西南州[Qian2 xi1 nan2 zhou1], Guizhou" -望谟县,wàng mó xiàn,"Wangmo county in Qianxinan Buyei and Miao autonomous prefecture 黔西南州[Qian2 xi1 nan2 zhou1], Guizhou" -望远瞄准镜,wàng yuǎn miáo zhǔn jìng,telescopic sight; scope (on a rifle) -望远镜,wàng yuǎn jìng,"binoculars; telescope; CL:付[fu4],副[fu4],部[bu4]" -望远镜座,wàng yuǎn jìng zuò,Telescopium (constellation) -望都,wàng dū,"Wangdu county in Baoding 保定[Bao3 ding4], Hebei" -望都县,wàng dū xiàn,"Wangdu county in Baoding 保定[Bao3 ding4], Hebei" -望风,wàng fēng,to be on the lookout; to keep watch -望风捕影,wàng fēng bǔ yǐng,see 捕風捉影|捕风捉影[bu3 feng1 zhuo1 ying3] -望风而逃,wàng fēng ér táo,to flee at the mere sight of (idiom) -朝,cháo,abbr. for 朝鮮|朝鲜[Chao2 xian3] Korea -朝,cháo,imperial or royal court; government; dynasty; reign of a sovereign or emperor; court or assembly held by a sovereign or emperor; to make a pilgrimage to; facing; towards -朝,zhāo,morning -朝三暮四,zhāo sān mù sì,lit. say three in the morning but four in the evening (idiom); to change sth that is already settled upon; indecisive; to blow hot and cold -朝不保夕,zhāo bù bǎo xī,"at dawn, not sure of lasting to evening (idiom); precarious state; imminent crisis; living from hand to mouth" -朝不虑夕,zhāo bù lǜ xī,"at dawn, not sure of lasting to evening (idiom); precarious state; imminent crisis; living from hand to mouth" -朝中,cháo zhōng,North Korea-China -朝中社,cháo zhōng shè,abbr. for 朝鮮中央通訊社|朝鲜中央通讯社[Chao2 xian3 Zhong1 yang1 Tong1 xun4 she4] -朝乾夕惕,zhāo qián xī tì,cautious and diligent all day long (idiom) -朝代,cháo dài,dynasty; reign (of a king) -朝令夕改,zhāo lìng xī gǎi,to make frequent or unpredictable changes in policy (idiom) -朝前,cháo qián,facing forwards -朝劳动党,cháo láo dòng dǎng,"Workers' Party of Korea (WPK), the ruling party of North Korea" -朝向,cháo xiàng,toward; to face; to open onto; to turn towards; orientation; exposure; Qibla (Islam) -朝夕,zhāo xī,morning and night; all the time -朝夕相处,zhāo xī xiāng chǔ,to spend all one's time together (idiom) -朝天,cháo tiān,"Chaotian district of Guangyuan city 廣元市|广元市[Guang3 yuan2 shi4], Sichuan" -朝天,cháo tiān,to have an audience with the Emperor; to be presented at court; to look skyward; to look up -朝天区,cháo tiān qū,"Chaotian district of Guangyuan city 廣元市|广元市[Guang3 yuan2 shi4], Sichuan" -朝天椒,cháo tiān jiāo,chili pepper (Capsicum frutescens var) -朝山进香,cháo shān jìn xiāng,to go on a pilgrimage and offer incense (idiom) -朝庭,cháo tíng,variant of 朝廷[chao2 ting2] -朝廷,cháo tíng,court; imperial household; dynasty -朝后,cháo hòu,backwards; facing back -朝思暮想,zhāo sī mù xiǎng,to yearn for sth day and night (idiom) -朝战,cháo zhàn,"abbr. for 朝鮮戰爭|朝鲜战争[Chao2 xian3 Zhan4 zheng1], Korean War (1950-1953)" -朝房,cháo fáng,reception room for officials (in former times) -朝拜,cháo bài,to worship; to make customary deferences to; a pilgrimage -朝拜圣山,cháo bài shèng shān,a pilgrimage to a holy mountain -朝族,cháo zú,Korean ethnic group of Jilin province and northeast China; same as 朝鮮族|朝鲜族 -朝日,zhāo rì,"Asahi (Japanese place name, company name etc)" -朝日,zhāo rì,morning sun -朝日放送,zhāo rì fàng sòng,Asahi Broadcasting Corporation (ABC) -朝日新闻,zhāo rì xīn wén,Asahi Shimbun (Japanese newspaper) -朝曦,zhāo xī,early morning sunlight -朝服,cháo fú,court dress in former times -朝朝,zhāo zhāo,every day (archaic) -朝朝暮暮,zhāo zhāo mù mù,from dawn to dusk; all the time -朝核问题,cháo hé wèn tí,Korean nuclear problem -朝歌,zhāo gē,"Zhaoge, capital of the Shang dynasty 商朝; Zhaoge town in Qi county 淇縣|淇县, Hebi 鶴壁|鹤壁, Henan" -朝歌镇,zhāo gē zhèn,"Zhaoge town in Qi county 淇縣|淇县, Hebi 鶴壁|鹤壁, Henan" -朝气,zhāo qì,vitality; dynamism -朝气蓬勃,zhāo qì péng bó,full of youthful energy (idiom); vigorous; energetic; a bright spark -朝永振一郎,cháo yǒng zhèn yī láng,"TOMONAGA Shin'ichirō (1906-1979), Japanese physicist, 1965 Nobel prize laureate with Richard Feynman and Julian Schwinger" -朝珠,cháo zhū,court beads (derived from Buddhist prayer beads) -朝生暮死,zhāo shēng mù sǐ,lit. born in the morning and dying at dusk (idiom); fig. ephemeral; transient -朝秦暮楚,zhāo qín mù chǔ,serve Qin in the morning Chu in the evening (idiom); quick to switch sides -朝纲,cháo gāng,laws and discipline of imperial court -朝圣,cháo shèng,to make a pilgrimage -朝圣者,cháo shèng zhě,pilgrim -朝闻夕改,zhāo wén xī gǎi,lit. heard in the morning and changed by the evening; to correct an error very quickly (idiom) -朝臣,cháo chén,court councilor -朝花夕拾,zhāo huā xī shí,"""Dawn Blossoms Plucked at Dusk"", a collection of autobiographical essays by Lu Xun 魯迅|鲁迅[Lu3 Xun4]" -朝着,cháo zhe,towards -朝见,cháo jiàn,to have an audience (with the Emperor) -朝觐,cháo jìn,to give audience (of emperor); retainers' duty to pay respect to sovereign; hajj (Islam) -朝贡,cháo gòng,to present tribute (to the emperor) -朝过夕改,zhāo guò xī gǎi,to correct in the evening a fault of the morning (idiom); to quickly amend one's ways -朝野,cháo yě,all levels of society; the imperial court and the ordinary people -朝门,cháo mén,entrance portal (to a palace); propylaeum -朝阳,cháo yáng,"Chaoyang, an inner district of Beijing; Chaoyang, a prefecture-level city in Liaoning Province 遼寧省|辽宁省[Liao2ning2 Sheng3]; Chaoyang, a district of Changchun City 長春市|长春市[Chang2chun1 Shi4], Jilin; Chaoyang, a district of Shantou City 汕頭市|汕头市[Shan4tou2 Shi4], Guangdong; Chaoyang, a county in Chaoyang City 朝陽市|朝阳市[Chao2yang2 Shi4], Liaoning" -朝阳,cháo yáng,to be exposed to the sun; in a position facing the sun -朝阳,zhāo yáng,the morning sun -朝阳区,cháo yáng qū,"Chaoyang, an inner district of Beijing; Chaoyang, a district of Changchun City 長春市|长春市[Chang2chun1 Shi4], Jilin; Chaoyang, a district of Shantou City 汕頭市|汕头市[Shan4tou2 Shi4], Guangdong" -朝阳市,cháo yáng shì,"Chaoyang, a prefecture-level city in Liaoning Province 遼寧省|辽宁省[Liao2ning2 Sheng3]" -朝阳产业,zhāo yáng chǎn yè,sunrise industry -朝阳县,cháo yáng xiàn,"Chaoyang, a county in Chaoyang City 朝陽市|朝阳市[Chao2yang2 Shi4], Liaoning" -朝阳门,cháo yáng mén,Chaoyangmen neighborhood of Beijing -朝雨,zhāo yǔ,morning rain -朝露,zhāo lù,morning dew; fig. precarious brevity of human life; ephemeral -朝露暮霭,zhāo lù mù ǎi,"morning dew, evening mist (idiom); ephemeral; impermanent" -朝露溘至,zhāo lù kè zhì,the morning dew will swiftly dissipate (idiom); fig. ephemeral and precarious nature of human existence -朝韩,cháo hán,North and South Korea -朝饔夕飧,zhāo yōng xī sūn,lit. breakfast in the morning and supper in the evening (idiom); fig. to do nothing but eat and drink -朝鲜,cháo xiǎn,North Korea; Korea as geographic term; Taiwan pr. [Chao2 xian1] -朝鲜中央通讯社,cháo xiǎn zhōng yāng tōng xùn shè,North Korean Central News Agency (KCNA); abbr. to 朝中社[Chao2 zhong1 she4] -朝鲜人,cháo xiǎn rén,North Korean (person) -朝鲜八道,cháo xiǎn bā dào,the eight provinces of Yi dynasty Korea -朝鲜劳动党,cháo xiǎn láo dòng dǎng,"Workers' Party of Korea (WPK), the ruling party of North Korea" -朝鲜半岛,cháo xiǎn bàn dǎo,Korean Peninsula -朝鲜太宗,cháo xiǎn tài zōng,"King Taejong of Joseon Korea (1367-1422), reigned 1400-1418" -朝鲜字母,cháo xiǎn zì mǔ,"hangul, Korean phonetic alphabet; Korean letters" -朝鲜战争,cháo xiǎn zhàn zhēng,Korean War (1950-1953) -朝鲜文,cháo xiǎn wén,Korean written language -朝鲜族,cháo xiǎn zú,Korean ethnic group in China (mainly in northeast China); the Koreans (major ethnic group on the Korean Peninsula) -朝鲜日报,cháo xiǎn rì bào,"Chosun Ilbo, a South Korean newspaper" -朝鲜核谈,cháo xiǎn hé tán,talks on North Korea's nuclear program -朝鲜民主主义人民共和国,cháo xiǎn mín zhǔ zhǔ yì rén mín gòng hé guó,People's Democratic Republic of Korea (North Korea) -朝鲜海峡,cháo xiǎn hǎi xiá,Korea Strait; Tsushima Strait (between Japan and Korea) -朝鲜筝,cháo xiǎn zhēng,gayageum (Korean 12-stringed zither) -朝鲜总督府,cháo xiǎn zǒng dū fǔ,Japanese colonial administration of Korea 1910-1945 -朝鲜语,cháo xiǎn yǔ,Korean language -期,qī,variant of 期[qi1]; period; cycle -期,qī,"a period of time; phase; stage; classifier for issues of a periodical, courses of study; time; term; period; to hope; Taiwan pr. [qi2]" -期中,qī zhōng,interim; midterm -期中考,qī zhōng kǎo,mid-term exam -期冀,qī jì,(literary) to hope for; to wish -期刊,qī kān,periodical -期待,qī dài,to look forward to; to await; expectation -期房,qī fáng,forward delivery apartment; unfinished housing to be paid for in advance by the buyer and then completed within certain time frame -期望,qī wàng,to have expectations; to earnestly hope; expectation; hope -期望值,qī wàng zhí,expectations; (math) expected value -期期艾艾,qī qī ài ài,stammering (idiom) -期末,qī mò,end of term -期末考,qī mò kǎo,final exam -期权,qī quán,(finance) option -期满,qī mǎn,to expire; to run out; to come to an end -期盼,qī pàn,to expect; to await -期票,qī piào,promissory note; IOU -期终,qī zhōng,end of a fixed term -期考,qī kǎo,end of term examination -期许,qī xǔ,to hope; to expect; expectation(s) -期货,qī huò,"abbr. for 期貨合約|期货合约[qi1 huo4 he2 yue1], futures contract (finance)" -期货合约,qī huò hé yuē,futures contract (finance) -期间,qī jiān,period of time; time; time period; period; CL:個|个[ge4] -期限,qī xiàn,time limit; deadline; allotted time -望,wàng,15th day of month (lunar calendar); old variant of 望[wang4] -朦,méng,used in 朦朧|朦胧[meng2 long2] -朦在鼓里,méng zài gǔ lǐ,variant of 蒙在鼓裡|蒙在鼓里[meng2 zai4 gu3 li3] -朦胧,méng lóng,(literary) (of moonlight) dim; (literary) murky; indistinct -朦胧诗,méng lóng shī,"Misty Poetry, a post-Cultural Revolution poetry movement" -朦骨,méng gǔ,(archaic) Mongol -胧,lóng,used in 朦朧|朦胧[meng2 long2] -木,mù,surname Mu -木,mù,(bound form) tree; (bound form) wood; unresponsive; numb; wooden -木下,mù xià,Kinoshita (Japanese surname) -木乃伊,mù nǎi yī,mummy (preserved corpse) (loanword) -木乃伊化,mù nǎi yī huà,to mummify; mummification -木人石心,mù rén shí xīn,"lit. body made of wood, heart made of stone (idiom); fig. heartless" -木偶,mù ǒu,puppet -木偶剧,mù ǒu jù,puppet show -木偶戏,mù ǒu xì,puppet show -木偶秀,mù ǒu xiù,puppet show -木刻,mù kè,woodcut -木剑,mù jiàn,wooden sword -木匠,mù jiàng,carpenter -木卡姆,mù kǎ mǔ,"muqam, any of a set of 12 melody types used in the music of the Uyghurs" -木吒,mù zha,"Muzha, a figure in Chinese mythology" -木器,mù qì,wooden articles -木块,mù kuài,block -木垒哈萨克自治县,mù lěi hā sà kè zì zhì xiàn,"Mori Kazakh autonomous county or Mori Qazaq aptonom nahiyisi in Changji Hui autonomous prefecture 昌吉回族自治州[Chang1 ji2 Hui2 zu2 zi4 zhi4 zhou1], Xinjiang" -木垒县,mù lěi xiàn,"Mori Kazakh autonomous county or Mori Qazaq aptonom nahiyisi in Changji Hui autonomous prefecture 昌吉回族自治州[Chang1 ji2 Hui2 zu2 zi4 zhi4 zhou1], Xinjiang" -木夯,mù hāng,wooden tamp -木子美,mù zǐ měi,"Mu Zimei, Chinese celebrity" -木屐,mù jī,wooden clogs -木屑,mù xiè,wood shavings; sawdust -木工,mù gōng,woodwork; carpentry; woodworker; carpenter -木已成舟,mù yǐ chéng zhōu,lit. the timber has been turned into a boat already (idiom); fig. what is done cannot be undone -木料,mù liào,lumber; timber -木星,mù xīng,Jupiter (planet) -木曜日,mù yào rì,Thursday (used in ancient Chinese astronomy) -木本植物,mù běn zhí wù,woody plant -木材,mù cái,wood -木村,mù cūn,Kimura (Japanese surname) -木板,mù bǎn,"slab; board; plank; CL:張|张[zhang1],塊|块[kuai4]" -木柴,mù chái,firewood -木柴堆,mù chái duī,pile of firewood; funeral pyre -木栅,mù zhà,"Muzha (old spelling: Mucha), suburb to the southeast of Taipei" -木栅线,mù zhà xiàn,"Taipei Metro Muzha Line, former name of the Wenshan Line 文山線|文山线[Wen2 shan1 xian4]" -木格措,mù gé cuò,"Lake Mibgai Co or Miga Tso, in Dartsendo or Kangding 康定[Kang1 ding4], Garze Tibetan autonomous prefecture, Sichuan" -木框,mù kuàng,wooden frame -木桶,mù tǒng,cask -木杆,mù gān,wooden pole; wood (golf club) -木棉,mù mián,cotton tree (Bombax ceiba) -木棉科,mù mián kē,Bombacaceae (botany) -木棍,mù gùn,wooden stick -木椆,mù zhòu,type of wood used to make punting poles for boats (old) -木槿,mù jǐn,hibiscus (Hibiscus syriacus) -木桩,mù zhuāng,wooden pile; stake -木炭,mù tàn,charcoal -木然,mù rán,stupefied -木片,mù piàn,"flat piece of wood; wood chip; CL:塊|块[kuai4],片[pian4]" -木版,mù bǎn,(printing) woodblock -木版画,mù bǎn huà,woodcut; wood engraving -木犀,mù xi,osmanthus -木犀肉,mù xi ròu,pork and scrambled eggs -木球,mù qiú,cricket (ball game); also called 板球[ban3 qiu2] -木琴,mù qín,xylophone -木瓜,mù guā,papaya (Carica papaya); genus Chaenomeles of shrubs in the family Rosaceae; Chinese flowering quince (Chaenomeles speciosa) -木瓦,mù wǎ,shingle -木目金,mù mù jīn,mokuma-gane (loanword) -木笛,mù dí,recorder (musical instrument) (Tw) -木筏,mù fá,wooden raft; log raft -木管乐器,mù guǎn yuè qì,woodwind instrument -木箱鼓,mù xiāng gǔ,cajón (musical instrument) -木节,mù jié,gnarl; knag -木糖,mù táng,xylose (type of sugar) -木糖醇,mù táng chún,xylitol -木糠,mù kāng,sawdust -木耳,mù ěr,wood ear; jelly ear (edible fungus); CL:朵[duo3] -木聚糖,mù jù táng,xylan -木船,mù chuán,wooden boat -木芙蓉,mù fú róng,cotton rose hibiscus (Hibiscus mutabilis) -木莓,mù méi,raspberry -木菠萝,mù bō luó,jackfruit; breadfruit; Artocarpus heterophyllus -木华黎,mù huá lí,"Muqali or Mukhali (1170-1223), military commander under Genghis Khan 成吉思汗[Cheng2 ji2 si1 han2]" -木薯,mù shǔ,"cassava, a tropical tuber plant" -木薯淀粉,mù shǔ diàn fěn,tapioca -木兰,mù lán,"Mulan county in Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1], Heilongjiang; see 花木蘭|花木兰[Hua1 Mu4 lan2]" -木兰,mù lán,lily magnolia (Magnolia liliflora) -木兰属,mù lán shǔ,"Magnolia, genus of trees and shrubs" -木兰科,mù lán kē,"Magnoliaceae, family of trees and shrubs" -木兰纲,mù lán gāng,Magnoliopsidae or Dicotyledoneae (class of plants distinguished by two embryonic leaves) -木兰县,mù lán xiàn,"Mulan county in Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1], Heilongjiang" -木兰花,mù lán huā,magnolia -木虱,mù shī,woodlouse -木蠹,mù dù,wood moth; carpenter moth; CL:隻|只[zhi1] -木蠹蛾,mù dù é,wood moth; carpenter moth; CL:隻|只[zhi1] -木卫,mù wèi,moon of Jupiter -木卫一,mù wèi yī,"Io (moon of Jupiter), aka Jupiter I" -木卫三,mù wèi sān,"Ganymede (moon of Jupiter), aka Jupiter III" -木卫二,mù wèi èr,"Europa (moon of Jupiter), aka Jupiter II" -木卫四,mù wèi sì,"Callisto (moon of Jupiter), aka Jupiter IV" -木制,mù zhì,wooden -木讷,mù nè,wooden and slow of speech; slow-speeched; inarticulate; unsophisticated -木讷寡言,mù nè guǎ yán,honest and unaffected but not talkative (idiom) -木讷老人,mù nè lǎo rén,ungraduated ruler; straight edge -木质,mù zhì,wooden -木质素,mù zhì sù,lignin -木质部,mù zhì bù,xylem -木酮糖,mù tóng táng,xylulose (type of sugar) -木醇,mù chún,wood alcohol; wood spirit; methyl alcohol; methanol CH3OH; same as 甲醇[jia3 chun2] -木里藏族自治县,mù lǐ zàng zú zì zhì xiàn,"Muli Tibetan autonomous county in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -木钉,mù dīng,peg -木锯,mù jù,a woodsaw -木鞋,mù xié,clogs (footwear); sabot -木头,mù tou,"slow-witted; blockhead; log (of wood, timber etc); CL:塊|块[kuai4],根[gen1]" -木香,mù xiāng,costus root (medicinal herb); aucklandia; Saussurea costus; Dolomiaea souliei -木马,mù mǎ,wooden horse; rocking horse; vaulting horse (gymnastics); trojan horse (computing) -木马病毒,mù mǎ bìng dú,Trojan horse (type of computer virus) -木马计,mù mǎ jì,wooden horse stratagem (cf Trojan horse) -木骨都束,mù gǔ dū shù,"Chinese name for African kingdom in Somalia, cf Mogadishu 摩加迪沙" -木鱼,mù yú,mokugyo; wooden fish (percussion instrument) -木鱼花,mù yú huā,see 柴魚片|柴鱼片[chai2 yu2 pian4] -木齿耙,mù chǐ pá,a rake (with wooden teeth) -未,wèi,"not yet; did not; have not; not; 8th earthly branch: 1-3 p.m., 6th solar month (7th July-6th August), year of the Sheep; ancient Chinese compass point: 210°" -未了,wèi liǎo,unfinished; outstanding (business); unfulfilled -未亡人,wèi wáng rén,a widow (a widow's way of referring to herself in former times) -未来,wèi lái,future; tomorrow; CL:個|个[ge4]; approaching; coming; pending -未来主义,wèi lái zhǔ yì,Futurism (artistic and social movement of the 20th century) -未来学,wèi lái xué,future studies -未来式,wèi lái shì,future tense -未来业绩,wèi lái yè jì,future yield (of investment) -未来派,wèi lái pài,Futurism (artistic and social movement of the 20th century) -未便,wèi biàn,not in a position to -未免,wèi miǎn,unavoidably; can't help; really; rather -未冠,wèi guān,"minor (old usage, person under 20)" -未出货,wèi chū huò,not yet dispatched -未删节版,wèi shān jié bǎn,unabridged edition; uncut edition -未卜,wèi bǔ,not foreseen; unpredictable; not on the cards -未卜先知,wèi bǔ xiān zhī,predictable; sth one can predict without being a clairvoyant -未及,wèi jí,to not have had time; to have not yet; not to touch upon -未受影响,wèi shòu yǐng xiǎng,unaffected; not inconvenienced -未受精,wèi shòu jīng,"unfertilized (of ova, not soil)" -未可,wèi kě,cannot -未可厚非,wèi kě hòu fēi,not to be censured too strictly (idiom); not altogether inexcusable; understandable -未可同日而语,wèi kě tóng rì ér yǔ,lit. mustn't speak of two things on the same day (idiom); not to be mentioned in the same breath; incomparable -未名,wèi míng,unnamed; unidentified -未命名,wèi mìng míng,untitled; unnamed; no name; nameless; unknown name -未尝,wèi cháng,not ever; not necessarily -未尝不可,wèi cháng bù kě,(idiom) acceptable; fine; okay -未报,wèi bào,unavenged; still demanding retribution -未央,wèi yāng,"Weiyang District of Xi’an 西安市[Xi1 an1 Shi4], Shaanxi" -未央,wèi yāng,(literary) not ended; not yet over; close to the end -未央区,wèi yāng qū,"Weiyang District of Xi’an 西安市[Xi1 an1 Shi4], Shaanxi" -未始,wèi shǐ,not necessarily; may not turn out to be; maybe not -未婚,wèi hūn,unmarried -未婚夫,wèi hūn fū,fiancé -未婚妻,wèi hūn qī,fiancée -未完成,wèi wán chéng,imperfect; incomplete -未定,wèi dìng,undecided; indeterminate; still in doubt -未几,wèi jǐ,soon; before long -未必,wèi bì,not necessarily; maybe not -未必见得,wèi bì jiàn dé,not necessarily; that's not sure -未成,wèi chéng,minor (i.e. person under 18); incomplete; unachieved; failed; abortive -未成冠,wèi chéng guān,"minor (old usage, person under 20)" -未成年,wèi chéng nián,underage -未成年人,wèi chéng nián rén,minor (i.e. person under 18) -未成年者,wèi chéng nián zhě,minor (not an adult) -未折现,wèi zhé xiàn,undiscounted; full price -未提及,wèi tí jí,not mentioned -未敢苟同,wèi gǎn gǒu tóng,can't agree with -未料,wèi liào,to not anticipate; to not expect; unanticipated; unexpected -未时,wèi shí,1-3 pm (in the system of two-hour subdivisions used in former times) -未曾,wèi céng,hasn't (or haven't); hasn't ever -未有,wèi yǒu,is not; has never been; never occurring; unprecedented -未果,wèi guǒ,to fail to eventuate; (verb suffix) to be unsuccessful in ...ing -未决,wèi jué,as yet undecided; unsolved; still outstanding -未决定,wèi jué dìng,pending -未然,wèi rán,in advance; before it happens (cf preventative measures); forestalling -未熟,wèi shú,unripe -未知,wèi zhī,unknown -未知数,wèi zhī shù,unknown number; (fig.) an unknown; an uncertainty -未知数儿,wèi zhī shù er,erhua variant of 未知數|未知数[wei4 zhi1 shu4] -未确定,wèi què dìng,indeterminate -未竟,wèi jìng,unfinished; incomplete -未竟之志,wèi jìng zhī zhì,unfulfilled ambition -未结束,wèi jié shù,unfinished; unresolved -未经,wèi jīng,not having undergone; without (having gone though a certain process) -未经证实,wèi jīng zhèng shí,unconfirmed -未置可否,wèi zhì kě fǒu,to refuse to comment; same as 不置可否 -未羊,wèi yáng,"Year 8, year of the Ram (e.g. 2003)" -未老先衰,wèi lǎo xiān shuāi,to age prematurely -未能,wèi néng,cannot; to fail to; unable to -未能免俗,wèi néng miǎn sú,unable to break the custom (idiom); bound by conventions -未艾,wèi ài,(literary) not having come to its term -未处理,wèi chǔ lǐ,as yet unprocessed -未解,wèi jiě,unsolved (problem) -未解之谜,wèi jiě zhī mí,unsolved mystery -未解决,wèi jiě jué,unsolved; as yet unsettled -未详,wèi xiáng,unknown; unclear -未遂,wèi suì,"to fail to accomplish; unsuccessful (attempt); abortive (coup d'état); attempted (murder, suicide); unfulfilled (wish)" -未遑多让,wèi huáng duō ràng,see 不遑多讓|不遑多让[bu4 huang2 duo1 rang4] -未达一间,wèi dá yī jiàn,differing only slightly; not much between them -未雨绸缪,wèi yǔ chóu móu,"lit. before it rains, bind around with silk (idiom, from Book of Songs 詩經|诗经); fig. to plan ahead; to prepare for a rainy day" -末,mò,tip; end; final stage; latter part; inessential detail; powder; dust; opera role of old man -末世,mò shì,last phase (of an age) -末了,mò liǎo,(coll.) final part; last bit; (coll.) in the end; finally -末代,mò dài,final generation -末代皇帝,mò dài huáng dì,"The Last Emperor, 1987 biopic of Pu Yi 溥儀|溥仪[Pu3 yi2] by Bernardo Bertolucci" -末任,mò rèn,(of the holder of an official post which no longer exists) the last (incumbent) -末伏,mò fú,"the third of the three annual periods of hot weather (三伏[san1 fu2]), which typically runs over the middle ten days of August" -末位淘汰,mò wèi táo tài,sacking the worst-performing employee; elimination of the worst-performing contestant -末儿,mò er,powder; puree -末子,mò zi,powder; dust -末尾,mò wěi,end; tip; extremity -末屑,mò xiè,bits; scraps -末席,mò xí,end seat; place for less senior person -末年,mò nián,the final years (of a regime) -末底改,mò dǐ gǎi,Mordechai (name) -末座,mò zuò,end seat; final place (for less senior person) -末后,mò hòu,finally -末日,mò rì,Judgment Day (in Christian eschatology) -末日,mò rì,last day; end; final days; doomsday -末日论,mò rì lùn,eschatology -末期,mò qī,end (of a period); last part; final phase -末梢,mò shāo,tip; end; last few days -末梢神经,mò shāo shén jīng,peripheral nerve -末段,mò duàn,final segment; last stage -末流,mò liú,late degenerate stage -末煤,mò méi,slack coal (final poor quality coal) -末班车,mò bān chē,last bus or train; last chance -末端,mò duān,tip; extremity -末节,mò jié,inessentials; minor detail -末篇,mò piān,final installment; last phase; end -末茶,mò chá,tea powder (matcha) -末叶,mò yè,"final years; end (of a decade, era etc)" -末艺,mò yì,small skill; my humble capabilities -末药,mò yào,myrrh (Commiphora myrrha); also written 沒藥|没药[mo4 yao4] -末路,mò lù,dead end; impasse; end of the road; final days -末车,mò chē,the last bus (or train) -末速,mò sù,speed at the end of the trajectory; speed in the final stage -末造,mò zào,final phase -末页,mò yè,last page -末愿,mò yuàn,final vows (in a religious order or congregation of the Catholic Church) -本,běn,"(bound form) root; stem; (bound form) origin; source; (bound form) one's own; this; (bound form) this; the current (year etc); (bound form) original; (bound form) inherent; originally; initially; capital; principal; classifier for books, periodicals, files etc" -本事,běn shì,source material; original story -本事,běn shi,ability; skill -本人,běn rén,I; me; myself; oneself; yourself; himself; herself; the person concerned -本位,běn wèi,standard; one's own department or unit -本位主义,běn wèi zhǔ yì,selfish departmentalism; departmental selfishness -本位制,běn wèi zhì,monetary standard -本位号,běn wèi hào,"(music notation) natural sign, ♮" -本位货币,běn wèi huò bì,local currency; our own currency; abbr. to 本幣|本币 -本位音,běn wèi yīn,(music) natural note -本来,běn lái,original; originally; at first; it goes without saying; of course -本来面目,běn lái miàn mù,(idiom) true colors; true features; original appearance -本俸,běn fèng,basic salary -本杰明,běn jié míng,Benjamin (person name) -本内特,běn nèi tè,Bennett (surname) -本分,běn fèn,(to play) one's part; one's role; one's duty; (to stay within) one's bounds; dutiful; keeping to one's role -本初子午线,běn chū zǐ wǔ xiàn,the first meridian; the prime meridian -本利,běn lì,principal and interest; capital and profit -本名,běn míng,original name; real name; (of foreigners) first name; given name -本命年,běn mìng nián,"year of one's birth sign, according to the cycle of 12 animals of the earthly branches 地支[di4 zhi1]" -本因坊,běn yīn fāng,"Honinbo, major school of Go in Japan (1612-1940); title held by the winner of the Honinbo Go tournament (1941-)" -本因坊秀策,běn yīn fāng xiù cè,"Honinbo Shusaku (1829-1862), Japanese Go player" -本固枝荣,běn gù zhī róng,"when the root is firm, the branches flourish" -本国,běn guó,one's own country -本国人,běn guó rén,natives of one's own country -本土,běn tǔ,one's native country; native; local; metropolitan territory -本土化,běn tǔ huà,to localize; localization -本土派,běn tǔ pài,local faction; pro-localization faction (in Taiwanese politics) -本地,běn dì,local; this locality -本地人,běn dì rén,native person (of a country) -本地化,běn dì huà,localization; adaptation (to foreign environment) -本地管理界面,běn dì guǎn lǐ jiè miàn,LMI; local management interface (telecommunications) -本埠,běn bù,this city; this town -本报,běn bào,this newspaper -本垒,běn lěi,(baseball) home base; home plate -本垒打,běn lěi dǎ,home run (baseball) -本士,běn shì,(loanword) pence; penny -本子,běn zi,"book; notebook; Japanese-style self-published comic (esp. an erotic one), aka ""dōjinshi""; CL:本[ben3]; edition" -本字,běn zì,original form of a Chinese character -本家,běn jiā,a member of the same clan; a distant relative with the same family name -本尊,běn zūn,"(Buddhism) yidam (one's chosen meditational deity); the principal object of worship on a Buddhist altar; (of a monk who has the ability to appear in multiple places at the same time) the honored one himself (contrasted with his alternate forms, 分身[fen1 shen1]); (fig.) (jocular) the genuine article; the real McCoy; the man himself; the woman herself; the original manifestation of sth (not a spin-off or a clone)" -本小利微,běn xiǎo lì wēi,(of a small business) to have very little capital and very modest profits -本就,běn jiù,by nature; fundamentally; inherently -本尼迪,běn ní dí,Benedictus -本届,běn jiè,current; this year -本岛,běn dǎo,main island -本州,běn zhōu,"Honshū, the main island of Japan" -本市,běn shì,this city; our city -本币,běn bì,local currency; our own currency; abbr. for 本位貨幣|本位货币 -本帮菜,běn bāng cài,Shanghainese food -本年度,běn nián dù,this year; the current year -本底,běn dǐ,background -本底计数,běn dǐ jì shù,background count -本底调查,běn dǐ diào chá,background investigation -本底辐射,běn dǐ fú shè,background radiation -本影,běn yǐng,umbra -本征值,běn zhēng zhí,eigenvalue (math.); also written 特徵值|特征值 -本征向量,běn zhēng xiàng liàng,eigenvector (math.); also written 特徵向量|特征向量 -本性,běn xìng,natural instincts; nature; inherent quality -本性难移,běn xìng nán yí,It is hard to change one's essential nature (idiom). You can't change who you are.; Can the leopard change his spots? (Jeremiah 13:23) -本息,běn xī,principal and interest (on a loan) -本意,běn yì,original idea; real intention; etymon -本应,běn yīng,should have; ought to have -本我,běn wǒ,id; the self -本拉登,běn lā dēng,"(Osama) bin Laden (1957-2011), leader of Al Qaeda" -本文,běn wén,this text; article; the main body of a book -本族语,běn zú yǔ,native language; mother tongue -本日,běn rì,today -本星期,běn xīng qī,this week -本月,běn yuè,this month; the current month -本朝,běn cháo,the current dynasty -本期,běn qī,the current period; this term (usually in finance) -本末,běn mò,the whole course of an event from beginning to end; ins and outs; the fundamental and the incidental -本末倒置,běn mò dào zhì,lit. to invert root and branch (idiom); fig. confusing cause and effect; to stress the incidental over the fundamental; to put the cart before the horse -本本,běn běn,notebook computer (diminutive); laptop -本本主义,běn běn zhǔ yì,book worship; bookishness -本本分分,běn běn fèn fèn,decorous; respectable -本业,běn yè,business in which a company has traditionally engaged (e.g. before diversifying); original business; core business; (literary) agriculture -本源,běn yuán,origin; source -本溪,běn xī,"Benxi, a prefecture-level city in Liaoning province 遼寧省|辽宁省[Liao2ning2 Sheng3] in northeast China" -本溪市,běn xī shì,"Benxi, a prefecture-level city in Liaoning 遼寧省|辽宁省[Liao2ning2 Sheng3] in northeast China" -本溪满族自治县,běn xī mǎn zú zì zhì xiàn,"Benxi Manchu Autonomous County in Benxi 本溪市[Ben3xi1 Shi4], Liaoning" -本生灯,běn shēng dēng,Bunsen burner -本田,běn tián,Honda (Japanese name) -本益比,běn yì bǐ,P⁄E ratio (price-to-earnings ratio) -本相,běn xiàng,original form -本省人,běn shěng rén,people of this province; (in Taiwan) Han Chinese people other than those who moved to Taiwan from mainland China after 1945 and their descendants -本票,běn piào,cashier's check; promissory note -本科,běn kē,undergraduate course; undergraduate (attributive) -本科生,běn kē shēng,undergraduate student -本科系,běn kē xì,(university education) major -本笃十六世,běn dǔ shí liù shì,"Pope Benedict XVI, original name Joseph Alois Ratzinger (1927-), pope 2005-2013" -本笃会,běn dǔ huì,the Benedictines -本纪,běn jì,biographic sketch of an emperor -本经,běn jīng,classic book; sutra -本罪,běn zuì,"actual sin (Christian notion, as opposed to original sin 原罪)" -本义,běn yì,original meaning; literal sense -本职,běn zhí,one's job -本能,běn néng,instinct -本台,běn tái,this radio station -本色,běn sè,inherent qualities; natural qualities; distinctive character; true qualities -本色,běn shǎi,natural color -本茨,běn cí,"Benz (name); Karl Benz (1844-1929), motor car pioneer" -本草,běn cǎo,a book on Chinese (herbal) medicine; Chinese materia medica -本草纲目,běn cǎo gāng mù,"Compendium of Medical Herbs 1596, compiled by Li Shizhen 李時珍|李时珍[Li3 Shi2 zhen1]" -本着,běn zhe,based on...; in conformance with..; taking as one's main principle -本处,běn chù,here; this place -本行,běn háng,one's line; one's own profession -本质,běn zhì,essence; nature; innate character; intrinsic quality -本质上,běn zhì shàng,essentially; inherent -本身,běn shēn,itself; in itself; per se -本那比,běn nà bǐ,see 本那比市[Ben3 na4 bi3 shi4] -本那比市,běn nà bǐ shì,"Burnaby, British Columbia, Canada" -本部,běn bù,headquarters; head office -本乡,běn xiāng,home village; one's native place -本金,běn jīn,capital; principal -本钱,běn qián,capital; (fig.) asset; advantage; the means (to do sth) -本领,běn lǐng,"skill; ability; capability; CL:項|项[xiang4],個|个[ge4]" -本题,běn tí,the subject under discussion; the point at issue -本体,běn tǐ,main part; torso; the thing in itself; noumenon (object of purely intellectual perception according to Kant) -本体论,běn tǐ lùn,ontology -札,zhá,thin piece of wood used a writing tablet (in ancient China); a kind of official document (in former times); letter; note; plague -札幌,zhá huǎng,"Sapporo, Japan" -札格拉布,zhá gé lā bù,"Zagreb, capital of Croatia 克羅地亞|克罗地亚[Ke4 luo2 di4 ya4]" -札格瑞布,zhá gé ruì bù,"Zagreb, capital of Croatia 克羅地亞|克罗地亚[Ke4 luo2 di4 ya4]" -札格雷布,zhá gé léi bù,"Zagreb, capital of Croatia (Tw)" -札记,zhá jì,reading notes; CL:篇[pian1] -札达,zhá dá,"Zanda county in Ngari prefecture, Tibet, Tibetan: Rtsa mda' rdzong" -札达县,zhá dá xiàn,"Zanda county in Ngari prefecture, Tibet, Tibetan: Rtsa mda' rdzong" -札马剌丁,zhá mǎ lá dīng,see 紮馬剌丁|扎马剌丁[Za1 ma3 la2 ding1] -札马鲁丁,zhá mǎ lǔ dīng,see 紮馬剌丁|扎马剌丁[Za1 ma3 la2 ding1] -朮,shù,variant of 術|术[shu4] -朮,zhú,variant of 術|术[zhu2] -术赤,zhú chì,"Jöchi (c. 1182-1227) Mongol army commander, eldest of Genghis Khan’s four sons" -朱,zhū,surname Zhu -朱,zhū,vermilion -朱鹮,zhū huán,(bird species of China) crested ibis (Nipponia nippon) -朱俊,zhū jùn,"Zhu Jun (-195), politician and general at the end of later Han" -朱允炆,zhū yǔn wén,"Zhu Yuanwen, personal name of second Ming Emperor Jianwen 建文[Jian4 Wen2]" -朱元璋,zhū yuán zhāng,"Zhu Yuanzhang, personal name of first Ming dynasty emperor Hongwu 洪武[Hong2 wu3]" -朱利亚尼,zhū lì yà ní,"Giuliani (name); Rudolph W (Rudy) Giuliani (1944-), US Republican politician, Mayor of New York City 1994-2001" -朱利娅,zhū lì yà,Julia (name) -朱利安,zhū lì ān,Julian or Julien (name) -朱厚照,zhū hòu zhào,"Zhu Houzhao, personal name of tenth Ming emperor 正德[Zheng4 de2] (1491-1521), reigned 1505-1521" -朱古力,zhū gǔ lì,chocolate (loanword); CL:塊|块[kuai4] -朱子,zhū zǐ,"Master Zhu, another name for Zhu Xi 朱熹[Zhu1 Xi1]" -朱孝天,zhū xiào tiān,"Ken Zhu (1979-), Taiwanese singer and actor" -朱容基,zhū róng jī,"common erroneous form of 朱鎔基|朱镕基, Zhu Rongji (1928-), PRC politician, premier 1998-2003" -朱庇特,zhū bì tè,Jupiter (Roman god) -朱广沪,zhū guǎng hù,"Zhu Guanghu (1949-), PRC soccer coach" -朱德,zhū dé,"Zhu De (1886-1976), communist leader and founder of the People's Liberation Army" -朱棣,zhū dì,"Zhu Di, personal name of third Ming Emperor Yongle 永樂|永乐[Yong3 le4]" -朱温,zhū wēn,"Zhu Wen (852-912), military governor 節度使|节度使[jie2 du4 shi3] at the end of Tang, founder of Later Liang of the Five Dynasties (907-923), also known as Emperor Taizu of Later Liang 後梁太祖|后梁太祖[Hou4 Liang2 Tai4 zu3]" -朱漆,zhū qī,(traditional) red paint; red lacquer -朱熔基,zhū róng jī,"common erroneous form of 朱鎔基|朱镕基, Zhu Rongji (1928-), PRC politician, premier 1998-2003" -朱熹,zhū xī,"Zhu Xi or Chu Hsi (1130-1200), also known as Master Zhu 朱子[Zhu1 zi3], Song dynasty Confucian writer and propagandist, founder of neo-Confucianism" -朱由校,zhū yóu xiào,"personal name of fifteenth Ming emperor Tianqi 明天啟|明天启[Ming2 Tian1 qi3] (1605-1627), reigned 1620-1627" -朱瞻基,zhū zhān jī,"Zhu Zhanji, personal name of fifth Ming emperor Xuande 宣德[Xuan1 de2]" -朱砂,zhū shā,cinnabar; mercuric sulfide HgS; also written 硃砂|朱砂[zhu1 sha1] -朱祁钰,zhū qí yù,"Zhu Qiyu, personal name of seventh Ming emperor Jingtai 景泰[Jing3 tai4] (1428-1457), reigned 1449-1457" -朱祁镇,zhū qí zhèn,"Zhu Qizhen, personal name of sixth and eighth Ming emperor Zhengtong 正統|正统[Zheng4 tong3], afterwards Tianshun Emperor 天順|天顺[Tian1 shun4] (1427-1464), reigned 1435-1449 and 1457-1464" -朱立伦,zhū lì lún,"Eric Chu (1961-), Taiwanese KMT politician" -朱粉,zhū fěn,red lead oxide Pb3O4; rouge and white lead; cosmetics -朱红,zhū hóng,vermilion -朱红灯,zhū hóng dēng,"Zhu Hongdeng, one of the leaders of the Boxer Rebellion" -朱绂,zhū fú,"(archaic) red silk ribbon tied to a seal or a jade pendant; red knee cover, part of an official's robes (also a synedoche for the attire of an official); to be an official" -朱背啄花鸟,zhū bèi zhuó huā niǎo,(bird species of China) scarlet-backed flowerpecker (Dicaeum cruentatum) -朱自清,zhū zì qīng,"Zhu Ziqing (1898-1948), poet and essayist" -朱莉娅,zhū lì yà,Julia (name) -朱诺,zhū nuò,"Juneau, capital of Alaska; Juno, Roman goddess of marriage" -朱迪亚,zhū dí yà,Judea -朱镕基,zhū róng jī,"Zhu Rongji (1928-), PRC politician, premier 1998-2003" -朱雀,zhū què,Vermilion Bird (the seven mansions of the south sky) -朱雀,zhū què,rosefinch (genus Carpodacus) -朱云折槛,zhū yún zhē kǎn,Mr Zhu Yun breaks the railing (idiom); to challenge and admonish boldly -朱高炽,zhū gāo chì,"Zhu Gaochi, personal name of fourth Ming emperor Hongxi 洪熙[Hong2 Xi1]" -朱鹭,zhū lù,ibis; Japanese crested ibis (Nipponia nippon); same as 朱䴉|朱鹮[zhu1 huan2] -朱鹂,zhū lí,(bird species of China) maroon oriole (Oriolus traillii) -朱丽亚,zhū lì yà,Julia (name) -朱丽叶,zhū lì yè,Juliet or Juliette (name) -朴,piáo,"surname Piao; Korean surname (Park, Pak or Bak); also pr. [Pu2]" -朴,pō,used in 朴刀[po1dao1] -朴,pò,Celtis sinensis var. japonica -朴刀,pō dāo,"sword with a curved blade and a long hilt, wielded with both hands" -朴子,pú zǐ,"Puzi or Putzu City in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -朴子市,pú zǐ shì,"Puzi or Putzu City in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -朴智星,piáo zhì xīng,"Park Ji-sung (1981-), South Korean former footballer, played for Manchester United (2005-2012)" -朴槿惠,piáo jǐn huì,"Park Geun-hye (1952-), Korean politician, daughter of former dictator Park Chung-Hee 朴正熙[Piao2 Zheng4 xi1], president of Korea 2013-2017" -朴正熙,piáo zhèng xī,"Park Chung-Hee (1917-1979), South Korean military man and dictator, president 1963-1979, influential in developing Korean industry, murdered by his bodyguard" -朴硝,pò xiāo,"(impure) mirabilite, Na2SO4x10H2O (used in TCM)" -朵,duǒ,"flower; earlobe; fig. item on both sides; classifier for flowers, clouds etc" -朵颐,duǒ yí,(literary) to munch -朵,duǒ,variant of 朵[duo3] -朽,xiǔ,rotten -朽坏,xiǔ huài,rotten -朽木,xiǔ mù,rotten wood -朽木不可雕,xiǔ mù bù kě diāo,lit. rotten wood cannot be carved (idiom); fig. you can't make a silk purse out of a sow's ear -朽木可雕,xiǔ mù kě diāo,"(idiom) even though a person may have shortcomings, there is still room for improvement" -朽烂,xiǔ làn,rotten -朽蠹,xiǔ dù,to decay and be eaten by worms etc; to overhoard grain so that it rots -朿,cì,stab -杆,gān,"pole; CL:條|条[tiao2],根[gen1]" -杆子,gān zi,pole -杈,chā,fork of a tree; pitchfork -杈,chà,branches of a tree; fork of a tree -杉,shān,China fir; Cunninghamia lanceolata; also pr. [sha1] -杉山,shān shān,Sugiyama (Japanese surname) -杉山彬,shān shān bīn,"Tsugiyama Akira, secretary at the Japanese legation killed during the Boxer uprising" -杉本,shān běn,Sugimoto (Japanese surname) -杉林,shān lín,"Shanlin township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -杉林乡,shān lín xiāng,"Shanlin township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -杌,wù,low stool -杌凳,wù dèng,Chinese-style low stool -杌陧,wù niè,(literary) unsettled; unstable; uneasy -李,lǐ,surname Li -李,lǐ,plum -李世民,lǐ shì mín,"Li Shimin, personal name of second Tang emperor Taizong 唐太宗[Tang2 Tai4 zong1] (599-649), reigned 626-649" -李亚鹏,lǐ yà péng,"Li Yapeng (1971-), PRC actor" -李亨,lǐ hēng,"Li Heng, personal name of eighth Tang emperor Suzong 肅宗|肃宗[Su4 zong1] (711-762), reigned 756-762" -李代数,lǐ dài shù,Lie algebra (math.) -李代桃僵,lǐ dài táo jiāng,lit. the plum tree withers in place of the peach tree; to substitute one thing for another; to carry the can for sb -李伯元,lǐ bó yuán,"Li Boyuan or Li Baojia 李寶嘉|李宝嘉 (1867-1906), late Qing journalist, novelist and social observer, author of Observations on the current state of officialdom 官場現形記|官场现形记" -李俊,lǐ jùn,"Li Jun, fictional character from 水滸傳|水浒传[Shui3 hu3 Zhuan4]" -李修贤,lǐ xiū xián,"Danny Lee Sau-Yin (1953-), Hong Kong actor and director" -李儇,lǐ xuān,"Li Xuan, personal name of nineteenth Tang emperor Xizong 僖宗[Xi1 zhong1] (862-888), reigned 873-888" -李元昊,lǐ yuán hào,"Li Yuanhao (1003-1048), founding king of Xixia 西夏[Xi1 Xia4] around modern Ningxia 寧夏|宁夏[Ning2 xia4]" -李先念,lǐ xiān niàn,"Li Xiannian (1909-1992), PRC general and politician" -李光耀,lǐ guāng yào,"Lee Kuan Yew (1923-2015), founding father of modern Singapore, prime minister 1959-1990" -李克强,lǐ kè qiáng,"Li Keqiang (1955-2023), PRC politician, premier 2013-2023" -李公朴,lǐ gōng pǔ,"Li Gongpu (-1946), communist killed by Guomindang in Kunming in 1946" -李冰,lǐ bīng,Li Bing (c. 3rd century BC) hydraulic engineer who designed the Dujiangyan 都江堰[Du1 jiang1 yan4] irrigation system in Sichuan -李冰冰,lǐ bīng bīng,"Li Bingbing (1973-), PRC film actress and pop star" -李冶,lǐ yě,"Li Jilan 李季蘭|李季兰[Li3 Ji4 Lan2] or Li Ye (713-784), Tang dynasty female poet" -李劼人,lǐ jié rén,"Li Jieren (1891-1962), novelist" -李卜克内西,lǐ bo kè nèi xī,"Wilhelm Liebknecht (1826-1900), political activist and founding member of the German Socialist Party SPD" -李叔同,lǐ shū tóng,"Liu Shutong (1880-1942), painter, Buddhist monk and distinguished figure in New Culture Movement 新文化運動|新文化运动[Xin1 Wen2 hua4 Yun4 dong4] after the Xinhai Revolution 辛亥革命[Xin1 hai4 Ge2 ming4] of 1911" -李哲,lǐ zhé,"Li Zhe, personal name of fourth Tang Emperor Zhongzong 唐中宗[Tang2 Zhong1 zong1] (656-710), reigned 705-710" -李商隐,lǐ shāng yǐn,"Li Shangyin (c. 813-858), Tang poet" -李嘉欣,lǐ jiā xīn,"Michele Monique Reis (1970-) actress, model and former Miss Hong Kong & Miss Chinese International" -李嘉诚,lǐ jiā chéng,"Sir Li Ka-shing (1928-), Hong Kong businessman" -李四,lǐ sì,"Li Si, name for an unspecified person, second of a series of three: 張三|张三[Zhang1 San1], 李四, 王五[Wang2 Wu3] Tom, Dick and Harry" -李四光,lǐ sì guāng,"Li Siguang (1889-1971), Mongol-born, Japanese-trained geologist, prominent in early PRC oil exploration" -李国豪,lǐ guó háo,"Brandon Lee (1965-1993), American actor, son of Bruce Lee" -李大钊,lǐ dà zhāo,"Li Dazhao (1889-1927), early Chinese Marxist and founding member of the communist party" -李天王,lǐ tiān wáng,the pagoda bearing god -李天禄,lǐ tiān lù,"Li Tianlu (1910-1998), Taiwanese master puppeteer" -李娃传,lǐ wá zhuàn,"Tale of Courtesan Li Wa, novel by Tang writer Bai Xingjian 白行簡|白行简[Bai2 Xing2 jian3] along the lines of La Traviata, favorite opera plot" -李娜,lǐ nà,"Li Na (1982-), Chinese tennis player, first Asian player to win a Grand Slam singles title (2011 French Open women's singles)" -李子,lǐ zi,plum; CL:個|个[ge4] -李季兰,lǐ jì lán,"Li Jilan or Li Ye 李冶[Li3 Ye3] (713-784), Tang dynasty female poet" -李宇春,lǐ yǔ chūn,"Li Yuchun aka Chris Lee (1984-), Chinese pop singer" -李安,lǐ ān,"Ang Li (1954-), Taiwanese-American film director (films include Crouching Tiger, Hidden Dragon 臥虎藏龍|卧虎藏龙 and Brokeback Mountain 斷背山|断背山)" -李宗仁,lǐ zōng rén,"Li Zongren (1891-1969), a leader of Guangxi warlord faction" -李宗盛,lǐ zōng shèng,"Jonathan Lee (1958-), Taiwanese record producer and songwriter" -李富春,lǐ fù chūn,"Li Fuchun (1900-1975), Chinese Communist revolutionary and politician, served as Vice Premier of the PRC" -李宁,lǐ níng,"Li Ning (1963-), PRC gymnast, winner of three gold medals at Los Angeles 1984 Olympic games" -李宝嘉,lǐ bǎo jiā,"Li Boyuan 李伯元 or Li Baojia (1867-1906), late Qing journalist, novelist and social observer, author of Observations on the current state of officialdom 官場現形記|官场现形记" -李小龙,lǐ xiǎo lóng,"Bruce Lee (1940-1973), Hong Kong actor and martial arts expert" -李岚清,lǐ lán qīng,"Li Lanqing (1932-), PRC politician" -李希霍芬,lǐ xī huò fēn,"Ferdinand von Richthofen (1833-1905), German geologist and explorer who published a major foundational study of the geology of China in 1887 and first introduced the term Silk Road 絲綢之路|丝绸之路" -李广,lǐ guǎng,"Li Guang (-119 BC), Han dynasty general, nicknamed Flying General 飛將軍|飞将军 and much feared by the Xiongnu 匈奴" -李延寿,lǐ yán shòu,"Li Yanshou (fl. 650), compiler of History of the Southern 南史 and Northern Dynasties 北史" -李建成,lǐ jiàn chéng,"Li Jiancheng (589-626), eldest son of first Tang emperor Li Yuan 唐高祖李淵|唐高祖李渊, murdered by his brother 李世民 in the Xuanwu Gate coup 玄武門之變|玄武门之变; Professor Li Jiancheng (1964-), geophysicist and specialist in satellite geodesy" -李彦宏,lǐ yàn hóng,"Robin Li (1968-), founder and CEO of Baidu 百度, a PRC Internet company" -李后主,lǐ hòu zhǔ,"Li Houzhu (c. 937-978), the final Southern Tang ruler (ruled 961-975) and a renowned poet; given name Li Yu 李煜" -李德,lǐ dé,"Otto Braun (1900-1974), Comintern adviser to the Chinese communist party 1932-1939" -李德林,lǐ dé lín,"Li Delin (530-590), historian of Northern Wei and Sui dynasty" -李忱,lǐ chén,"Li Chen, personal name of seventeenth Tang emperor Xuanzong 宣宗[Xuan1 zong1] (810-859), reigned 846-859" -李恒,lǐ héng,"Li Heng, personal name of thirteenth Tang emperor Muzong 穆宗[Mu4 Zong1] (795-824), reigned 821-825" -李悝,lǐ kuī,"Li Kui (455-395 BC), legalist philosopher and statesman of Wei state 魏國|魏国[Wei4 guo2]" -李怀远,lǐ huái yuǎn,"Li Huaiyuan (-756), senior Tang dynasty official" -李成桂,lǐ chéng guì,"Yi Seong-gye (1335-1408), founder and first king of Korean Yi dynasty (1392-1910)" -李成江,lǐ chéng jiāng,"Li Chengjiang (1979-), Chinese figure skater" -李承晚,lǐ chéng wǎn,"Syngman Rhee (1875-1965), US-trained Korean politician and dictator, president of Republic of Korea 1948-1960" -李振藩,lǐ zhèn fān,"Li Zhenfan (1940-1973), real name of the actor Bruce Lee 李小龍|李小龙[Li3 Xiao3 long2]" -李政道,lǐ zhèng dào,"Tsung-Dao Lee (1926-), Chinese American physicist, Columbia University, 1957 Nobel laureate" -李敏勇,lǐ mǐn yǒng,"Li Minyong (1947-), Taiwanese poet" -李斯,lǐ sī,"Li Si (c. 280-208 BC), Legalist philosopher, calligrapher and prime minister of Qin kingdom and Qin dynasty from 246 to 208 BC" -李斯特,lǐ sī tè,"Ferenc (Franz) Liszt (1811-1886), Hungarian composer; Joseph Lister (1883-1897), British surgeon and bacteriologist" -李斯特氏杆菌,lǐ sī tè shì gǎn jūn,listeria bacillus -李斯特氏菌,lǐ sī tè shì jūn,listeria bacillus -李斯特菌,lǐ sī tè jūn,Listeria monocytogene -李旦,lǐ dàn,"Li Dan, personal name of sixth Tang emperor Ruizong 唐睿宗[Tang2 Rui4 zong1] (662-716), reigned 684-690 and 710-712" -李昂,lǐ áng,"Li Ang, personal name of fifteenth Tang emperor Wenzong 文宗[Wen2 zong1] (809-840), reigned 827-840" -李昉,lǐ fǎng,"Li Fang (925-996), scholar between Tang and Song dynasties, author of fictional history" -李昌镐,lǐ chāng hào,"Lee Chang-ho (1975-), South Korean Go player" -李明博,lǐ míng bó,"Lee Myung-bak (1941-), South Korean businessman, one-time chairman of Hyundai, president of South Korea 2008-2013" -李时珍,lǐ shí zhēn,"Li Shizhen (1518-1593), Ming botanist and pharmacologist, author of Compendium of Medical Herbs 本草綱目|本草纲目[Ben3 cao3 Gang1 mu4]" -李晔,lǐ yè,"Li Ye, personal name of twentieth Tang emperor Zhaozong 昭宗[Zhao1 zong1] (867-904), reigned 888-904" -李会昌,lǐ huì chāng,"Lee Hoi-chang (1935-), South Korean politician" -李朝威,lǐ cháo wēi,"Li Chaowei (c. 766-c. 820), Tang writer of fantasy fiction 傳奇|传奇, author of 柳毅傳|柳毅传" -李木,lǐ mù,blackthorn -李林甫,lǐ lín fǔ,"Li Linfu (-752), Tang politician, chancellor under Tang emperor Xuanzong 玄宗" -李格非,lǐ gé fēi,"Li Gefei (active c. 1090), Northern Song writer and father of southern Song female poet Li Qingzhao 李清照" -李树,lǐ shù,plum tree -李氏,lǐ shì,the Korean Yi or Lee Dynasty (1392-1910) -李氏朝鲜,lǐ shì cháo xiǎn,"Joseon, last Korean dynasty (1392-1910)" -李汝珍,lǐ rǔ zhēn,"Li Ruzhen (c. 1763-c. 1830), Qing novelist and phonologist, author of fantasy novel Jinghua Yuan 鏡花緣|镜花缘 or Flowers in the Mirror" -李治,lǐ zhì,"Li Zhi, personal name of third Tang emperor Gaozong 唐高宗[Tang2 Gao1 zong1], (628-683), reigned 649-683" -李洪志,lǐ hóng zhì,"Li Hongzhi (1951-), founder of Falun Gong 法輪功|法轮功[Fa3 lun2 gong1]" -李渊,lǐ yuān,"Li Yuan, personal name of first Tang emperor Gaozu 唐高祖[Tang2 Gao1 zu3] (566-635), reigned 618-626" -李清照,lǐ qīng zhào,"Li Qingzhao (1084-c. 1151), southern Song female poet" -李湛,lǐ zhàn,"Li Zhan, personal name of fourteenth Tang emperor Jingzong 敬宗[Jing4 Zong1] (809-827), reigned 825-827" -李源潮,lǐ yuán cháo,"Li Yuanchao (1950-), vice president of PRC from 2013-2018" -李沧,lǐ cāng,"Licang district of Qingdao city 青島市|青岛市, Shandong" -李沧区,lǐ cāng qū,"Licang district of Qingdao city 青島市|青岛市, Shandong" -李渔,lǐ yú,"Li Yu (1611-c. 1680), late Ming and early Qing writer and dramatist" -李漼,lǐ cuǐ,"Li Cui, personal name of eighteenth Tang emperor Yizong 懿宗[Yi4 zong1] (833-873), reigned 859-873" -李泽楷,lǐ zé kǎi,"Richard Li (1966-), Hong Kong businessman and philanthropist" -李煜,lǐ yù,"Li Yu (c. 937-978), given name of the final ruler of Tang of the Five Southern dynasties Li Houzhu 李後主|李后主, a renowned poet" -李尔王,lǐ ěr wáng,"King Lear, 1605 tragedy by William Shakespeare 莎士比亞|莎士比亚" -李玟,lǐ wén,"Coco Lee (1975-), pop singer, songwriter and actress" -李瑞环,lǐ ruì huán,"Li Ruihuan (1934-), former Chinese politician" -李登辉,lǐ dēng huī,"Lee Teng-hui (1923-2020), Taiwanese politician, president of ROC 1988-2000" -李白,lǐ bái,"Li Bai (701-762), famous Tang Dynasty poet" -李百药,lǐ bǎi yào,"Li Baiyao (565-648), Tang dynasty writer and historian, compiler of History of Qi of the Northern dynasties 北齊書|北齐书" -李直夫,lǐ zhí fū,"Li Zhifu (c. 14th century), Yuan dynasty playwright in the 雜劇|杂剧[za2 ju4] style" -李祝,lǐ zhù,"Lizhu, personal name of twenty-first and last Tang emperor Aidi 哀帝[Ai1 di4] (892-908), reigned 904-907" -李约瑟,lǐ yuē sè,"Joseph Needham (1900-1995), British biochemist and author of Science and Civilization in China" -李纯,lǐ chún,"Li Chun, personal name of twelfth Tang emperor Xianzong 憲宗|宪宗[Xian4 zong1] (778-820), reigned 805-820" -李绿园,lǐ lǜ yuán,"Li Lüyuan (1707-1790), Qing dynasty writer, author of novel Lamp in the Side Street 岐路燈|岐路灯[Qi2 lu4 Deng1]" -李维,lǐ wéi,"Titus Livius or Livy (59 BC-17 AD), Roman historian" -李维史陀,lǐ wéi shǐ tuó,"Claude Lévi-Strauss (1908-2009), French social anthropologist" -李维斯,lǐ wéi sī,Levi's (brand) -李缨,lǐ yīng,"Li Ying (1963-), Japanese-educated Chinese documentary film director" -李群,lǐ qún,Lie group (math.) -李翱,lǐ áo,"Li Ao (774-836), Tang dynasty scholar and writer, colleague of Han Yu 韓愈|韩愈[Han2 Yu4] in promoting classical writing 古文運動|古文运动[gu3 wen2 yun4 dong4]" -李耳,lǐ ěr,Lao Zi -李肇星,lǐ zhào xīng,"Li Zhaoxing (1940-), former PRC foreign minister" -李肇,lǐ zhào,"Li Zhao (c. 800), Tang dynasty scholar and official" -李自成,lǐ zì chéng,"Li Zicheng (1605-1645), leader of peasant rebellion at the end of the Ming Dynasty" -李舜臣,lǐ shùn chén,"Yi Sunshin (1545-1598), Korean admiral and folk hero, famous for sea victories over the Japanese invaders" -李英儒,lǐ yīng rú,"Li Yingru (1913-1989), calligrapher and writer, author of many novels about the war as seen by the communists" -李卫公,lǐ wèi gōng,"Li Wei Gong; Duke Li of Wei, official title of Li Jing 李靖[Li3 Jing4]" -李诚恩,lǐ chéng ēn,"Euna Li, US-Korean woman journalist imprisoned as spy by North Korea in 2009" -李诵,lǐ sòng,"Li Song, personal name of eleventh Tang emperor Shunzong 順宗|顺宗[Shun4 zong1] (761-806), reigned 805-806" -李豫,lǐ yù,"Li Yu, personal name of ninth Tang emperor Taizong 代宗[Tai4 zong1] (727-779), reigned 762-779" -李贺,lǐ hè,"Li He (790-816), Tang poet" -李贽,lǐ zhì,"Li Zhi (1527-1602), late Ming philosopher, historian and writer" -李适,lǐ kuò,"Li Kuo, personal name of tenth Tang emperor Dezong 德宗[De2 Zong1], (742-805), reigned 779-805" -李连杰,lǐ lián jié,"Li Lianjie or Jet Li (1963-), martial arts sportsman, subsequently film star and director" -李逵,lǐ kuí,"Li Kui, character in the novel Water Margin 水滸全傳|水浒全传[Shui3 hu3 quan2 zhuan4]" -李远哲,lǐ yuǎn zhé,"Yuan T. Lee (1936-), Taiwanese-born Chemist and Nobel Prize winner in 1986" -李重茂,lǐ chóng mào,"Li Chongmao, personal name of fifth Tang emperor Shang 唐殤帝|唐殇帝[Tang2 Shang1 Di4] (c. 695-715), reigned 710" -李铁,lǐ tiě,"Li Tie (1977-), footballer" -李铁拐,lǐ tiě guǎi,"Iron-Crutch Li, one of the Eight Immortals 八仙[Ba1 xian1] in Chinese mythology, walking around with an iron crutch and carrying a gourd with special medicine" -李长春,lǐ cháng chūn,"Li Changchun (1944-), PRC politician" -李开复,lǐ kāi fù,"Kai-Fu Lee (1961-), Taiwanese computer scientist and IT executive, founding president of Google China 2005-2009" -李陵,lǐ líng,"Li Ling (-74 BC), Han dynasty general whose defeat by the Xiongnu 匈奴 in 104 BC led to a major scandal" -李隆基,lǐ lōng jī,"personal name of seventh Tang emperor Xuanzong 唐玄宗[Tang2 Xuan2 zong1] (685-762), reigned 712-756" -李雪健,lǐ xuě jiàn,"Li Xuejian (1954-), Chinese actor" -李云娜,lǐ yún nà,"Euna Lee (phonetic transcription), US woman journalist imprisoned as spy by North Korea in 2009; also written 李誠恩|李诚恩[Li3 Cheng2 en1]" -李靖,lǐ jìng,"Li Jing (570-649 AD), Tang Dynasty general and purported author of ""Duke Li of Wei Answering Emperor Taizong of Tang"" 唐太宗李衛公問對|唐太宗李卫公问对[Tang2 Tai4 zong1 Li3 Wei4 Gong1 Wen4 dui4], one of the Seven Military Classics of ancient China 武經七書|武经七书[Wu3 jing1 Qi1 shu1]" -李显龙,lǐ xiǎn lóng,"Lee Hsien Loong (1952-), Singapore PAP politician, eldest son of Lee Kuan Yew 李光耀[Li3 Guang1 yao4], prime minister from 2004" -李鬼,lǐ guǐ,false hero (who pretends to be 李逵[Li3 Kui2]); a fake -李鸿章,lǐ hóng zhāng,"Li Hung-chang or Li Hongzhang (1823-1901), Qing dynasty general, politician and diplomat" -李鸿章杂碎,lǐ hóng zhāng zá sui,chop suey (American Chinese dish) -李鹏,lǐ péng,"Li Peng (1928-2019), leading PRC politician, prime minister 1987-1998, reportedly leader of the conservative faction advocating the June 1989 Tiananmen clampdown" -李丽珊,lǐ lì shān,"Lee Lai-Shan (1970-), former windsurfing world champion from Hong Kong" -杏,xìng,apricot; (bound form) almond -杏仁,xìng rén,almond; apricot kernel -杏仁果,xìng rén guǒ,(Tw) almond -杏仁核,xìng rén hé,amygdala -杏仁豆腐,xìng rén dòu fu,"almond tofu; almond jelly (dessert made with apricot kernel milk, sugar and agar)" -杏仁体,xìng rén tǐ,amygdala -杏子,xìng zi,apricot -杏林,xìng lín,Xinglin District of Xiamen city (renamed Haicang 海滄區|海沧区[Hai3 cang1 Qu1] in 2003) -杏林,xìng lín,"forest of apricot trees; (fig.) honorific term for fine doctor (cf Dr Dong Feng 董奉[Dong3 Feng4], 3rd century AD, asked his patients to plant apricot trees instead of paying fees)" -杏林区,xìng lín qū,Xinglin District of Xiamen city 廈門市|厦门市[Xia4 men2 shi4] (renamed Haicang District 海滄區|海沧区[Hai3 cang1 Qu1] in 2003) -杏树,xìng shù,apricot tree -杏眼,xìng yǎn,"large, round eyes (considered beautiful)" -杏花岭,xìng huā lǐng,"Xinghualing district of Taiyuan city 太原市[Tai4 yuan2 shi4], Shanxi" -杏花岭区,xìng huā lǐng qū,"Xinghualing district of Taiyuan city 太原市[Tai4 yuan2 shi4], Shanxi" -杏花村,xìng huā cūn,village of blossoming apricot trees where one can find a wineshop (reference to the famous poem 清明 by 杜牧[Du4 Mu4]) -杏鲍菇,xìng bào gū,king oyster mushroom (Pleurotus eryngii) -材,cái,material; timber; ability; aptitude; a capable individual; coffin (old) -材料,cái liào,(raw) material; data; (fig.) person who has the potential to do the job -材料学,cái liào xué,materials science -材料科学,cái liào kē xué,materials science -材积,cái jī,volume (of timber) -材质,cái zhì,texture of timber; quality of material; material (that sth is made of) -村,cūn,village -村上,cūn shàng,Murakami (Japanese surname) -村上春树,cūn shàng chūn shù,"MURAKAMI Haruki (1949-), Japanese novelist and translator" -村上隆,cūn shàng lōng,"Murakami Takashi (1963-), Japanese artist" -村塾,cūn shú,(old) village school; rural school -村姑,cūn gū,village girl; country bumpkin -村委会,cūn wěi huì,village committee -村子,cūn zi,village -村学,cūn xué,see 村塾[cun1 shu2] -村寨,cūn zhài,(stockaded) village -村山富市,cūn shān fù shì,"Tomiichi Murayama (1924-), former prime minister of Japan" -村村寨寨,cūn cūn zhài zhài,every village and stockade (idiom) -村民,cūn mín,villager -村田,cūn tián,Murata (Japanese surname) -村舍,cūn shè,cottage -村庄,cūn zhuāng,village; hamlet; CL:座[zuo4] -村落,cūn luò,village -村证房,cūn zhèng fáng,"""village-certificated house"", residence supposedly only transferable to other village residents but often sold on the open market" -村里,cūn lǐ,village; hamlet -村镇,cūn zhèn,hamlet (place) -村长,cūn zhǎng,village chief; village head -杓,biāo,(literary) handle of a spoon or ladle; (literary) collective name for the three stars that form the handle of the Big Dipper -杓,sháo,ladle (variant of 勺[shao2]) -杓子,sháo zi,scoop -杓球场,sháo qiú chǎng,golf course -杖,zhàng,a staff; a rod; cane; walking stick; to flog with a stick (old) -杖刑,zhàng xíng,beating with wooden staves (as corporal punishment) -杖头木偶,zhàng tóu mù ǒu,zhangtou wooden rod puppetry -杜,dù,surname Du -杜,dù,birchleaf pear (tree); to stop; to prevent; to restrict -杜仲,dù zhòng,eucommia (a kind of rubber tree) -杜伊斯堡,dù yī sī bǎo,"Duisburg, city in the Ruhr 魯爾區|鲁尔区[Lu3er3 Qu1], Germany" -杜冷丁,dù lěng dīng,(medicine) dolantin (loanword); pethidine -杜口,dù kǒu,to remain silent -杜口裹足,dù kǒu guǒ zú,too frightened to move or speak -杜哈,dù hā,"Doha, capital of Qatar (Tw)" -杜嘉班纳,dù jiā bān nà,Dolce & Gabbana (fashion) -杜塞,dù sè,to stop; to block -杜塞尔多夫,dù sāi ěr duō fū,Düsseldorf (Germany) -杜塞道夫,dù sè dào fū,Düsseldorf (Germany); also written 杜塞爾多夫|杜塞尔多夫[Du4 sai1 er3 duo1 fu1] -杜威,dù wēi,"Du Wei (1982-), Shanghai soccer star; Dewey (name)" -杜宇,dù yǔ,cuckoo; same as 杜鵑鳥|杜鹃鸟 -杜尚别,dù shàng bié,"Dushanbe, capital of Tajikistan" -杜布罗夫尼克,dù bù luó fū ní kè,Dubrovnik (city in Croatia) -杜康,dù kāng,"Du Kang, legendary inventor of wine" -杜拜,dù bài,Dubai (Tw) -杜撰,dù zhuàn,to fabricate; to make sth up; invented -杜月笙,dù yuè shēng,"Du Yuesheng (1888-1951), Shanghai secret-society leader, banker, industrialist" -杜本内,dù běn nèi,Dubonnet (name); Dubonnet (red vermouth aperitif wine) -杜松子酒,dù sōng zǐ jiǔ,gin -杜梨,dù lí,birchleaved pear (Pyrus betulaefolia) -杜比,dù bǐ,Dolby (audio technology) -杜氏腺,dù shì xiàn,Dufour gland (produces female sex hormone in bees) -杜氏腺体,dù shì xiàn tǐ,Dufour gland (produces female sex hormone in bees) -杜渐防萌,dù jiān fáng méng,to nip in the bud -杜尔伯特,dù ěr bó tè,"Dorbod Mongol autonomous county in Daqing 大慶|大庆[Da4 qing4], Heilongjiang" -杜尔伯特县,dù ěr bó tè xiàn,"Dorbod Mongol autonomous county in Daqing 大慶|大庆[Da4 qing4], Heilongjiang" -杜尔伯特蒙古族自治县,dù ěr bó tè měng gǔ zú zì zhì xiàn,"Dorbod Mongol autonomous county in Daqing 大慶|大庆[Da4 qing4], Heilongjiang" -杜牧,dù mù,Du Mu (803-852) Tang dynasty poet -杜琪峰,dù qí fēng,"Johnnie To (1955-), Hong Kong film director" -杜瓦利埃,dù wǎ lì āi,Duvalier (name) -杜甫,dù fǔ,"Du Fu (712-770), great Tang dynasty poet" -杜甫草堂,dù fǔ cǎo táng,Du Fu's Thatched Cottage (park and museum in Chengdu) -杜秋娘歌,dù qiū niáng gē,"song of lady Du Qiu, poem by Du Mu 杜牧" -杜笃玛,dù dǔ mǎ,"Dodoma, capital of Tanzania (Tw)" -杜绝,dù jué,to put an end to -杜兴氏肌肉营养不良症,dù xīng shì jī ròu yíng yǎng bù liáng zhèng,Duchenne muscular dystrophy -杜荀鹤,dù xún hè,"Du Xunhe (846-904), Tang poet" -杜莎夫人,dù shā fū ren,"Madame Tussaud (1761-1850), French wax sculptor who founded the eponymous wax museum in London" -杜蕾斯,dù lěi sī,"Durex, a condom brand name" -杜蘅,dù héng,Asarum forbesii (wild ginger plant) -杜衡,dù héng,Asarum forbesii (wild ginger plant) -杜宾犬,dù bīn quǎn,Doberman (dog breed) -杜邦,dù bāng,DuPont (company) -杜门,dù mén,to close the door (lit. and fig.) -杜门不出,dù mén bù chū,to shut the door and remain inside; fig. to cut off contact -杜集,dù jí,"Duji, a district of Huaibei City 淮北市[Huai2bei3 Shi4], Anhui" -杜集区,dù jí qū,"Duji, a district of Huaibei City 淮北市[Huai2bei3 Shi4], Anhui" -杜马,dù mǎ,"Duma, lower chamber of Russian parliament" -杜松子,dù sōng zǐ,juniper berry -杜鹃,dù juān,"cuckoo (Cercococcyx spp., also written 杜鵑鳥|杜鹃鸟); Indian azalea (Rhododendron simsii Planch, also written 杜鵑花|杜鹃花)" -杜鹃啼血,dù juān tí xuè,"lit. the cuckoo, after its tears are exhausted, continues by weeping blood (idiom); fig. extreme grief" -杜鹃座,dù juān zuò,Tucana (constellation) -杜鹃科,dù juān kē,"Cuculidae, bird family including cuckoo 杜鵑鳥|杜鹃鸟" -杜鹃花,dù juān huā,Indian Azalea (Rhododendron simsii Planch) -杜鹃花科,dù juān huā kē,"Ericaceae (botany), genus containing rhododendron and azalea" -杜鹃鸟,dù juān niǎo,cuckoo (Cercococcyx spp.) -杞,qǐ,"Qi, a Zhou Dynasty vassal state; surname Qi" -杞,qǐ,Chinese wolfberry shrub (Lycium chinense); willow -杞人之忧,qǐ rén zhī yōu,man of Qǐ fears the sky falling (idiom); groundless fears -杞人忧天,qǐ rén yōu tiān,man of Qǐ fears the sky falling (idiom); groundless fears -杞国,qǐ guó,"the State of Qǐ in modern Qǐ county 杞縣|杞县, Henan (c. 1500-445 BC), a small vassal state of Shang and Western Zhou for most of its existence" -杞国之忧,qǐ guó zhī yōu,man of Qǐ fears the sky falling (idiom); groundless fears -杞国忧天,qǐ guó yōu tiān,man of Qǐ fears the sky falling (idiom); groundless fears -杞天之虑,qǐ tiān zhī lǜ,man of Qǐ fears the sky falling (idiom); groundless fears -杞妇,qǐ fù,"the wife of 杞梁[Qi3 Liang2], a senior official of the state of Qi 杞[Qi3] who died on a military expedition; (fig.) a widow" -杞梓之林,qǐ zǐ zhī lín,(idiom) a multitude of talented people -杞县,qǐ xiàn,"Qi county in Kaifeng 開封|开封[Kai1 feng1], Henan" -束,shù,surname Shu -束,shù,"to bind; bunch; bundle; classifier for bunches, bundles, beams of light etc; to control" -束之高阁,shù zhī gāo gé,tied up in a bundle on a high shelf; to put sth on the back burner; no longer a high priority -束修,shù xiū,variant of 束脩[shu4 xiu1] -束手,shù shǒu,to have one's hands tied; helpless; unable to do anything about it -束手就擒,shù shǒu jiù qín,lit. to submit to having one's hands tied and being taken prisoner (idiom); fig. to surrender without a fight -束手就毙,shù shǒu jiù bì,hands tied and expecting the worst -束手待毙,shù shǒu dài bì,to wait helplessly for death (idiom); to resign oneself to extinction -束手待死,shù shǒu dài sǐ,hands tied and expecting the worst -束手无策,shù shǒu wú cè,lit. to have one's hands bound and be unable to do anything about it (idiom); fig. helpless in the face of a crisis -束狭,shù xiá,narrow (of waterway); a bottleneck -束紧,shù jǐn,gird; tighten -束线带,shù xiàn dài,cable tie -束缚,shù fù,to bind; to tie up; to fetter; to shackle -束脩,shù xiū,(literary) salary of a private tutor -束腰,shù yāo,girdle -束腹,shù fù,corset; girdle -束衣,shù yī,corset (clothing) -束装,shù zhuāng,to bundle up (one's possessions for a journey) -束身,shù shēn,to bind oneself; submission -束身内衣,shù shēn nèi yī,corset -束发,shù fà,"to tie up one's hair; (literary) (of a boy) to be in one's adolescence (in ancient China, boys tied up their hair)" -杠,gāng,flagpole; footbridge -杠,gàng,variant of 槓|杠[gang4] -杠杆收购,gàng gǎn shōu gòu,leveraged buyout (LBO) -杠精,gàng jīng,(slang) (neologism c. 2018) argumentative person -杪,miǎo,the limit; tip of branch -杭,háng,surname Hang; abbr. for Hangzhou 杭州[Hang2zhou1] -杭州,háng zhōu,Hangzhou subprovincial city and capital of Zhejiang province in southeast China -杭州市,háng zhōu shì,Hangzhou subprovincial city and capital of Zhejiang province in southeast China -杭州湾,háng zhōu wān,Hangzhou Bay -杭锦,háng jǐn,"Hanggin banner, Mongolian Xanggin khoshuu, in Ordos prefecture 鄂爾多斯|鄂尔多斯[E4 er3 duo1 si1], Inner Mongolia" -杭锦后旗,háng jǐn hòu qí,"Hanggin Rear banner or Xanggin Xoit khoshuu in Bayan Nur 巴彥淖爾|巴彦淖尔[Ba1 yan4 nao4 er3], Inner Mongolia" -杭锦旗,háng jǐn qí,"Hanggin banner, Mongolian Xanggin khoshuu, in Ordos prefecture 鄂爾多斯|鄂尔多斯[E4 er3 duo1 si1], Inner Mongolia" -杯,bēi,"cup; trophy cup; classifier for certain containers of liquids: glass, cup" -杯中物,bēi zhōng wù,the contents of the cup; (fig.) liquor; wine -杯具,bēi jù,"cup; (slang) (pun on 悲劇|悲剧[bei1 ju4], tragedy) so bad; terrible; bummer; fiasco; debacle" -杯垫,bēi diàn,(beverage) coaster -杯子,bēi zi,"cup; glass; CL:個|个[ge4],隻|只[zhi1]" -杯弓蛇影,bēi gōng shé yǐng,lit. to see a bow reflected in a cup as a snake (idiom); fig. unnecessary suspicions; overly fearful -杯托,bēi tuō,a saucer -杯水车薪,bēi shuǐ chē xīn,lit. a cup of water on a burning cart of firewood (idiom); fig. an utterly inadequate measure -杯盘狼藉,bēi pán láng jí,cups and dishes in complete disorder (idiom); after a riotous drinking party -杯筊,bēi jiǎo,see 杯珓[bei1 jiao4] -杯葛,bēi gé,to boycott (loanword) -杯酒解怨,bēi jiǔ jiě yuàn,a wine cup dissolves complaints (idiom); a few drinks can ease social interaction -杯酒言欢,bēi jiǔ yán huān,a few drinks and a nice conversation (idiom) -杯酒释兵权,bēi jiǔ shì bīng quán,to dismiss military hierarchy using wine cups; cf Song founding Emperor Song Taizu 宋太祖 holds a banquet in 961 and persuades his senior army commanders to go home to their provinces -杯面,bēi miàn,cup noodles -杰,jié,variant of 傑|杰[jie2] -东,dōng,surname Dong -东,dōng,east; host (i.e. sitting on east side of guest); landlord -东一榔头西一棒子,dōng yī láng tóu xī yī bàng zi,banging away clumsily in all directions with no overall vision -东三省,dōng sān shěng,"the three provinces of Northeast China, namely: Liaoning Province 遼寧省|辽宁省[Liao2 ning2 Sheng3], Jilin Province 吉林省[Ji2 lin2 Sheng3] and Heilongjiang Province 黑龍江省|黑龙江省[Hei1 long2 jiang1 Sheng3]" -东中国海,dōng zhōng guó hǎi,East China sea -东主,dōng zhǔ,owner (e.g. of a shop) -东亚,dōng yà,East Asia -东亚峰会,dōng yà fēng huì,"East Asia Summit, annual meeting of leading Asian states" -东亚病夫,dōng yà bìng fū,(derog.) the sick man of Asia (term used in the West in the late 19th and early 20th centuries to refer to China in its weakened state after the Opium Wars) -东亚运动会,dōng yà yùn dòng huì,East Asian Games -东亚银行,dōng yà yín háng,Bank of East Asia -东交民巷,dōng jiāo mín xiàng,a street to the south of the Forbidden City that was the Legation quarter during the Boxer uprising -东京,dōng jīng,"Tokyo, capital of Japan; Tonkin (northern Vietnam during the French colonial period)" -东京塔,dōng jīng tǎ,Tokyo Tower -东京大学,dōng jīng dà xué,"Tokyo University, Japan" -东京帝国大学,dōng jīng dì guó dà xué,Tokyo Imperial University (renamed Tokyo University after 1945) -东京湾,dōng jīng wān,"Tokyo Bay; former name of 北部灣|北部湾[Bei3 bu4 Wan1], Gulf of Tonkin" -东伊运,dōng yī yùn,abbr. for 東突厥斯坦伊斯蘭運動|东突厥斯坦伊斯兰运动[Dong1 Tu1 jue2 si1 tan3 Yi1 si1 lan2 Yun4 dong4] East Turkestan Islamic Movement (ETIM) -东仓里,dōng cāng lǐ,"Dongchang-ni, North Korean missile launch site on Yellow Sea, 70 km from Chinese border" -东倒西歪,dōng dǎo xī wāi,to lean unsteadily from side to side (idiom); to sway; (of buildings etc) to lean at a crazy angle -东侧,dōng cè,east side; east face -东光,dōng guāng,"Dongguang county in Cangzhou 滄州|沧州[Cang1 zhou1], Hebei" -东光县,dōng guāng xiàn,"Dongguang county in Cangzhou 滄州|沧州[Cang1 zhou1], Hebei" -东兔西乌,dōng tù xī wū,lit. the sun setting and the moon rising (idiom); fig. the passage of time -东加,dōng jiā,"Tonga, South Pacific archipelago kingdom (Tw)" -东胜,dōng shèng,"Dongsheng District of Ordos City 鄂爾多斯市|鄂尔多斯市[E4 er3 duo1 si1 Shi4], Inner Mongolia" -东胜区,dōng shèng qū,"Dongsheng District of Ordos City 鄂爾多斯市|鄂尔多斯市[E4 er3 duo1 si1 Shi4], Inner Mongolia" -东势,dōng shì,"Dongshi or Tungshih township in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -东势乡,dōng shì xiāng,"Dongshi or Tungshih township in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -东势镇,dōng shì zhèn,"Dongshi or Tungshih Town in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -东北,dōng běi,Northeast China; Manchuria -东北,dōng běi,northeast -东北亚,dōng běi yà,Northeast Asia -东北大学,dōng běi dà xué,"Northeastern University (in Shenyang 瀋陽市|沈阳市[Shen3 yang2 shi4], Liaoning); Tōhoku University, Sendai, Japan" -东北平原,dōng běi píng yuán,"Northeast Plain, also called the Manchurian Plain" -东北方,dōng běi fāng,northeast; northeastern -东北虎,dōng běi hǔ,Amur tiger (Panthera tigris altaica) -东半球,dōng bàn qiú,the Eastern Hemisphere; the Old World -东协,dōng xié,abbr. for 東南亞國協|东南亚国协[Dong1 nan2 ya4 Guo2 Xie2] -东南,dōng nán,southeast -东南亚,dōng nán yà,Southeast Asia -东南亚国,dōng nán yà guó,Southeast Asia -东南亚国协,dōng nán yà guó xié,ASEAN (Association of Southeast Asian Nations) (Tw) -东南亚国家联盟,dōng nán yà guó jiā lián méng,ASEAN (Association of Southeast Asian Nations) -东南亚联盟,dōng nán yà lián méng,ASEAN (Association of Southeast Asian Nations); same as 東南亞國家聯盟|东南亚国家联盟[Dong1 nan2 ya4 Guo2 jia1 Lian2 meng2] -东南大学,dōng nán dà xué,Southeast University -东南西北,dōng nán xī běi,"east, south, west and north; all directions" -东南西北中,dōng nán xī běi zhōng,"the five directions 五方 east, south, west, north and middle" -东南部,dōng nán bù,southeast part -东印度公司,dōng yìn dù gōng sī,East India Company -东台,dōng tái,"Dongtai, county-level city in Yancheng 鹽城|盐城[Yan2 cheng2], Jiangsu" -东台市,dōng tái shì,"Dongtai, county-level city in Yancheng 鹽城|盐城[Yan2 cheng2], Jiangsu" -东君,dōng jūn,"Lord of the East, the sun God of Chinese mythology" -东吴,dōng wú,"Eastern Wu (222-280); the southern state of Wu during the Three Kingdoms period, founded by Sun Quan 孫權|孙权" -东吴大学,dōng wú dà xué,"Soochow University (Suzhou, PRC from 1900-1952); Soochow University (Taipei, Taiwan since 1954)" -东周,dōng zhōu,Eastern Zhou (770-221 BC) -东土,dōng tǔ,the East; China -东坡,dōng pō,"Dongpo District of Meishan City 眉山市[Mei2 shan1 Shi4], Sichuan" -东坡区,dōng pō qū,"Dongpo District of Meishan City 眉山市[Mei2 shan1 Shi4], Sichuan" -东坡肉,dōng pō ròu,"stir-fried pork, favorite of Northern Song writer Su Shi 蘇軾|苏轼, a.k.a. Su Dongpo 蘇東坡|苏东坡" -东坡肘子,dōng pō zhǒu zi,"Dongpo pork shoulder, traditional dish said to have been created by Northern Song dynasty writer Su Dongpo 蘇東坡|苏东坡" -东城,dōng chéng,"Dongcheng, a district of central Beijing" -东城区,dōng chéng qū,"Dongcheng, a district of central Beijing" -东太平洋,dōng tài píng yáng,east Pacific -东太平洋海隆,dōng tài píng yáng hǎi lóng,East Pacific Rise (a mid-oceanic ridge stretching from California to Antarctica) -东太平洋隆起,dōng tài píng yáng lóng qǐ,East Pacific Rise (a mid-oceanic ridge stretching from California to Antarctica) -东夷,dōng yí,"Eastern Barbarians, non-Han tribe living to the east of China c 2200 BC" -东奔西走,dōng bēn xī zǒu,to run this way and that (idiom); to rush about busily; to bustle about; to hopscotch; also 東跑西顛|东跑西颠[dong1 pao3 xi1 dian1] -东奔西跑,dōng bēn xī pǎo,to run this way and that (idiom); to rush about busily; to bustle about -东安,dōng ān,"Dongan county in Yongzhou 永州[Yong3 zhou1], Hunan; Dong'an district of Mudanjiang city 牡丹江市, Heilongjiang" -东安区,dōng ān qū,"Dong'an district of Mudanjiang city 牡丹江市, Heilongjiang" -东安县,dōng ān xiàn,"Dongan county in Yongzhou 永州[Yong3 zhou1], Hunan" -东家,dōng jiā,master (i.e. employer); landlord; boss -东家长西家短,dōng jiā cháng xī jiā duǎn,to gossip (idiom) -东密,dōng mì,Japanese Esoteric Buddhism -东密德兰,dōng mì dé lán,"East Midlands, English county" -东宁,dōng níng,"Dongning county in Mudanjiang 牡丹江, Heilongjiang" -东宁县,dōng níng xiàn,"Dongning county in Mudanjiang 牡丹江, Heilongjiang" -东宝,dōng bǎo,"Dongbao district of Jingmen city 荊門市|荆门市[Jing1 men2 shi4], Hubei" -东宝区,dōng bǎo qū,"Dongbao district of Jingmen city 荊門市|荆门市[Jing1 men2 shi4], Hubei" -东山,dōng shān,"Dongshan county in Zhangzhou 漳州[Zhang1 zhou1], Fujian; Tungshan township in Tainan county 台南縣|台南县[Tai2 nan2 xian4], Taiwan" -东山再起,dōng shān zài qǐ,lit. to return to office after living as a hermit on Mount Dongshan (idiom); fig. to make a comeback -东山区,dōng shān qū,"Dongshan district (Uighur: Dungsen Rayoni) of Urumqi city 烏魯木齊市|乌鲁木齐市[Wu1 lu3 mu4 qi2 Shi4], Xinjiang; Dongshan district of Hegang city 鶴崗|鹤岗[He4 gang3], Heilongjiang" -东山县,dōng shān xiàn,"Dongshan county in Zhangzhou 漳州[Zhang1 zhou1], Fujian" -东岳,dōng yuè,"Mt Tai 泰山 in Shandong, one of the Five Sacred Mountains 五嶽|五岳[Wu3 yue4]" -东川,dōng chuān,"Dongchuan district of Kunming city 昆明市[Kun1 ming2 shi4], Yunnan" -东川区,dōng chuān qū,"Dongchuan district of Kunming city 昆明市[Kun1 ming2 shi4], Yunnan" -东巴文化,dōng bā wén huà,Dongba culture of the Nakhi ethnic group of Lijiang 麗江|丽江 in northwest Yunnan -东帝汶,dōng dì wèn,East Timor (officially Democratic Republic of Timor-Leste) -东平,dōng píng,"Dongping county in Tai'an 泰安[Tai4 an1], Shandong" -东平县,dōng píng xiàn,"Dongping county in Tai'an 泰安[Tai4 an1], Shandong" -东床,dōng chuáng,son-in-law -东引,dōng yǐn,"Tungyin Island, one of the Matsu Islands; Tungyin township in Lienchiang county 連江縣|连江县[Lian2 jiang1 xian4], Taiwan" -东引乡,dōng yǐn xiāng,"Tungyin township in Lienchiang county 連江縣|连江县[Lian2 jiang1 xian4] i.e. the Matsu Islands, Taiwan" -东张西望,dōng zhāng xī wàng,to look in all directions (idiom); to glance around -东征,dōng zhēng,punitive expedition to the east -东征西怨,dōng zhēng xī yuàn,war on all sides (idiom); fighting from all four quarters -东征西讨,dōng zhēng xī tǎo,war on all sides (idiom); fighting from all four quarters -东德,dōng dé,East Germany (1945-1990); German Democratic Republic 德意志民主共和國|德意志民主共和国[De2 yi4 zhi4 Min2 zhu3 Gong4 he2 guo2] -东拉西扯,dōng lā xī chě,to talk about this and that (idiom); to ramble incoherently -东拼西凑,dōng pīn xī còu,(idiom) to assemble from bits and pieces; to combine items from disparate sources -东掩西遮,dōng yǎn xī zhē,to cover up the truth on all sides (idiom) -东方,dōng fāng,the East; the Orient; two-character surname Dongfang -东方,dōng fāng,east -东方三博士,dōng fāng sān bó shì,the Magi; the Three Wise Kings from the East in the biblical nativity story -东方不亮西方亮,dōng fāng bù liàng xī fāng liàng,"if it isn't bright in the east, it'll be bright in the west (idiom); if something doesn't work here, it might work somewhere else" -东方叽咋柳莺,dōng fāng jī zǎ liǔ yīng,(bird species of China) mountain chiffchaff (Phylloscopus sindianus) -东方大苇莺,dōng fāng dà wěi yīng,(bird species of China) oriental reed warbler (Acrocephalus orientalis) -东方市,dōng fāng shì,"Dongfang City, Hainan" -东方文明,dōng fāng wén míng,Eastern civilization -东方日报,dōng fāng rì bào,Oriental Daily News -东方明珠塔,dōng fāng míng zhū tǎ,Oriental Pearl Tower -东方明珠电视塔,dōng fāng míng zhū diàn shì tǎ,Oriental Pearl Television Tower -东方狍,dōng fāng páo,Siberian roe deer (Capreolus pygargus) -东方白鹳,dōng fāng bái guàn,(bird species of China) oriental stork (Ciconia boyciana) -东方红,dōng fāng hóng,"The East is Red, north Shaanxi folk song" -东方航空,dōng fāng háng kōng,China Eastern Airlines -东方阿閦佛,dōng fāng ā chù fó,"Aksobhya, the imperturbable ruler of Eastern Paradise, Abhirati" -东方青龙,dōng fāng qīng lóng,see 青龍|青龙[Qing1 long2] -东方马脑炎病毒,dōng fāng mǎ nǎo yán bìng dú,eastern equine encephalitis (EEE) virus -东方鸻,dōng fāng héng,(bird species of China) oriental plover (Charadrius veredus) -东方黎族自治县,dōng fāng lí zú zì zhì xiàn,"Dongfang Lizu autonomous county, Hainan" -东施效颦,dōng shī xiào pín,lit. Dong Shi imitates Xi Shi's frown (idiom); fig. to mimick sb's idiosyncrasies but make a fool of oneself -东昌,dōng chāng,"Dongchang district of Tonghua city 通化市, Jilin" -东昌区,dōng chāng qū,"Dongchang district of Tonghua city 通化市, Jilin" -东昌府,dōng chāng fǔ,"Dongchangfu district of Liaocheng city 聊城市[Liao2 cheng2 shi4], Shandong" -东昌府区,dōng chāng fǔ qū,"Dongchangfu district of Liaocheng city 聊城市[Liao2 cheng2 shi4], Shandong" -东明,dōng míng,"Dongming county in Heze 菏澤|菏泽[He2 ze2], Shandong" -东明县,dōng míng xiàn,"Dongming county in Heze 菏澤|菏泽[He2 ze2], Shandong" -东晋,dōng jìn,Eastern Jin dynasty 317-420 -东东,dōng dōng,(coll.) thing; item; stuff -东条英机,dōng tiáo yīng jī,"Tojo Hideki (1884-1948), Japanese military leader hanged as war criminal in 1948" -东欧,dōng ōu,Eastern Europe -东欧平原,dōng ōu píng yuán,East European Plain -东正教,dōng zhèng jiào,Eastern Orthodox Church -东归,dōng guī,lit. to return east; fig. to return to one's homeland -东江,dōng jiāng,Dongjiang River -东河,dōng hé,"Donghe or Tungho township in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan" -东河区,dōng hé qū,"Donghe district of Baotou city 包頭市|包头市[Bao1 tou2 shi4], Inner Mongolia" -东河乡,dōng hé xiāng,"Donghe or Tungho township in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan" -东洋,dōng yáng,Japan (old); East Asian countries -东洋界,dōng yáng jiè,Indomalayan realm -东洋话,dōng yáng huà,Japanese (language) (old) -东洋鬼,dōng yáng guǐ,foreign devil; wartime term of abuse for Japanese -东洋鬼子,dōng yáng guǐ zi,foreign devil; wartime term of abuse for Japanese -东洲,dōng zhōu,"Dongzhou district of Fushun city 撫順市|抚顺市, Liaoning" -东洲区,dōng zhōu qū,"Dongzhou district of Fushun city 撫順市|抚顺市, Liaoning" -东海,dōng hǎi,East China Sea; East Sea (Chinese mythology and ancient geography) -东海大学,dōng hǎi dà xué,"Tunghai University (in Taichung, Taiwan)" -东海大桥,dōng hǎi dà qiáo,"Donghai Bridge, 32.5 km bridge between Shanghai and the offshore Yangshan deep-water port" -东海岸,dōng hǎi àn,East Coast -东海县,dōng hǎi xiàn,"Donghai county in Lianyungang 連雲港|连云港[Lian2 yun2 gang3], Jiangsu" -东海舰队,dōng hǎi jiàn duì,East Sea Fleet -东港,dōng gǎng,"Tungkang town in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -东港区,dōng gǎng qū,"Donggang district of Rizhao city 日照市[Ri4 zhao4 shi4], Shandong" -东港市,dōng gǎng shì,"Donggang, county-level city in Dandong 丹東|丹东[Dan1 dong1], Liaoning" -东港镇,dōng gǎng zhèn,"Tungkang town in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -东湖,dōng hú,"Donghu district of Nanchang city 南昌市, Jiangxi" -东湖区,dōng hú qū,"Donghu district of Nanchang city 南昌市, Jiangxi" -东源,dōng yuán,"Dongyuan county in Heyuan 河源[He2 yuan2], Guangdong" -东源县,dōng yuán xiàn,"Dongyuan county in Heyuan 河源[He2 yuan2], Guangdong" -东沟,dōng gōu,"Donggou town in Liangzihu district 梁子湖區|梁子湖区[Liang2 zi5 hu2 qu1] of Ezhou city 鄂州市[E4 zhou1 shi4], Hubei" -东沟镇,dōng gōu zhèn,"Donggou town in Liangzihu district 梁子湖區|梁子湖区[Liang2 zi5 hu2 qu1] of Ezhou city 鄂州市[E4 zhou1 shi4], Hubei" -东汉,dōng hàn,"Eastern or later Han dynasty, 25-220" -东瀛,dōng yíng,East China Sea; Japan -东乌珠穆沁旗,dōng wū zhū mù qìn qí,"East Ujimqin banner or Züün Üzemchin khoshuu in Xilingol League 錫林郭勒盟|锡林郭勒盟[Xi1 lin2 guo1 le4 Meng2], Inner Mongolia" -东营,dōng yíng,Dongying prefecture-level city in Shandong -东营区,dōng yíng qū,"Dongying district of Dongying city 東營市|东营市[Dong1 ying2 shi4], Shandong" -东营市,dōng yíng shì,Dongying prefecture-level city in Shandong -东王公,dōng wáng gōng,"Mu Kung or Tung Wang Kung, God of the Immortals (Taoism)" -东现汉纪,dōng xiàn hàn jì,"Records of the Eastern Han, model for History of Later Han 後漢書|后汉书" -东疆,dōng jiāng,East Xinjiang -东盟,dōng méng,ASEAN; abbr. for 東南亞國家聯盟|东南亚国家联盟[Dong1 nan2 ya4 Guo2 jia1 Lian2 meng2] -东直门,dōng zhí mén,Dongzhimen neighborhood of Beijing -东瞧西瞅,dōng qiáo xī chǒu,see 東張西望|东张西望[dong1 zhang1 xi1 wang4] -东石,dōng shí,"Dongshi or Tungshih Township in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -东石乡,dōng shí xiāng,"Dongshi or Tungshih Township in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -东突,dōng tū,"East Turkestan Liberation Organization (ETLO), Chinese dissident group; abbr. for 東突厥斯坦解放組織|东突厥斯坦解放组织" -东突厥斯坦,dōng tū jué sī tǎn,East Turkestan; historical term for Xinjiang -东突厥斯坦伊斯兰运动,dōng tū jué sī tǎn yī sī lán yùn dòng,East Turkestan Islamic Movement (ETIM) -东突厥斯坦解放组织,dōng tū jué sī tǎn jiě fàng zǔ zhī,"East Turkestan Liberation Organization (ETLO), Xinjiang dissident group" -东突组织,dōng tū zǔ zhī,"abbr. for 東突厥斯坦解放組織|东突厥斯坦解放组织[Dong1 Tu1 jue2 si1 tan3 Jie3 fang4 Zu3 zhi1], East Turkestan Liberation Organization (ETLO)" -东窗事发,dōng chuāng shì fā,(of a plot etc) to be exposed (idiom); to come to light -东经,dōng jīng,east longitude -东缅高原,dōng miǎn gāo yuán,Eastern Myanmar plateau -东罗马帝国,dōng luó mǎ dì guó,Eastern Roman empire or Byzantium (395-1453) -东胡,dōng hú,Eastern barbarian; ancient ethnic group of northeast frontier of China -东至,dōng zhì,"Dongzhi, a county in Chizhou 池州[Chi2 zhou1], Anhui" -东至县,dōng zhì xiàn,"Dongzhi, a county in Chizhou 池州[Chi2 zhou1], Anhui" -东兴,dōng xīng,"Dongxing district of Neijiang city 內江市|内江市[Nei4 jiang1 shi4], Sichuan; Dongxing, county-level city in Fangchenggang 防城港[Fang2 cheng2 gang3], Guangxi" -东兴区,dōng xīng qū,"Dongxing district of Neijiang city 內江市|内江市[Nei4 jiang1 shi4], Sichuan" -东兴市,dōng xīng shì,"Dongxing, county-level city in Fangchenggang 防城港[Fang2 cheng2 gang3], Guangxi" -东芝,dōng zhī,"Toshiba, Japanese electronics company" -东茅草盖,dōng máo cǎo gài,thatched roof -东莞,dōng guǎn,Dongguan prefecture-level city in Guangdong 廣東省|广东省[Guang3 dong1 Sheng3] -东莞市,dōng guǎn shì,Dongguan prefecture-level city in Guangdong 廣東省|广东省[Guang3 dong1 Sheng3] -东华三院,dōng huá sān yuàn,Tung Wah Group of Hospitals (Hong Kong) -东兰,dōng lán,"Donglan county in Hezhou 賀州|贺州[He4 zhou1], Guangxi" -东兰县,dōng lán xiàn,"Donglan county in Hezhou 賀州|贺州[He4 zhou1], Guangxi" -东西,dōng xī,east and west -东西,dōng xi,"thing; stuff; person; CL:個|个[ge4],件[jian4]" -东西半球,dōng xī bàn qiú,East and West hemispheres -东西南北,dōng xī nán běi,east west south north -东西周,dōng xī zhōu,Western Zhou (1045-771 BC) and Eastern Zhou (770-256 BC) -东西宽,dōng xī kuān,east-west distance -东西德,dōng xī dé,East and West Germany; refers to the German Democratic Republic (East Germany) and the Federal Republic of Germany (West Germany) -东西方,dōng xī fāng,east and west; east to west -东西方文化,dōng xī fāng wén huà,Eastern and Western culture -东西湖,dōng xī hú,"Dongxihu district of Wuhan city 武漢市|武汉市[Wu3 han4 shi4], Hubei" -东西湖区,dōng xī hú qū,"Dongxihu district of Wuhan city 武漢市|武汉市[Wu3 han4 shi4], Hubei" -东观汉记,dōng guān hàn jì,"History of Later Han dynasty, internal palace record by many 1st and 2nd century authors, 143 scrolls" -东讨西征,dōng tǎo xī zhēng,war on all sides (idiom); fighting from all four quarters -东丰,dōng fēng,"Dongfeng county in Liaoyuan 遼源|辽源, Jilin" -东丰县,dōng fēng xiàn,"Dongfeng county in Liaoyuan 遼源|辽源, Jilin" -东躲西闪,dōng duǒ xī shǎn,to dodge about -东道,dōng dào,host -东道主,dōng dào zhǔ,host; official host (e.g. venue for games or a conference) -东辽,dōng liáo,"Dongliao county in Liaoyuan 遼源|辽源, Jilin" -东辽县,dōng liáo xiàn,"Dongliao county in Liaoyuan 遼源|辽源, Jilin" -东边,dōng bian,east; east side; eastern part; to the east of -东边儿,dōng biān er,erhua variant of 東邊|东边[dong1 bian5] -东部,dōng bù,the east; eastern part -东部时间,dōng bù shí jiān,Eastern Standard Time (EST) -东郭,dōng guō,two-character surname Dongguo -东乡,dōng xiāng,"Dongxiang or East village (place name); Donxiang (ethnic group); Dongxiang County in Fuzhou 撫州|抚州, Jiangxi" -东乡族自治县,dōng xiāng zú zì zhì xiàn,"Dongxiang Autonomous County in Linxia Hui Autonomous Prefecture 臨夏回族自治州|临夏回族自治州[Lin2 xia4 Hui2 zu2 Zi4 zhi4 zhou1], Gansu" -东乡县,dōng xiāng xiàn,"Dongxiang county in Fuzhou 撫州|抚州, Jiangxi" -东阿,dōng ē,"Dong'e county in Liaocheng 聊城[Liao2 cheng2], Shandong" -东阿县,dōng ē xiàn,"Dong'e county in Liaocheng 聊城[Liao2 cheng2], Shandong" -东陵,dōng líng,"Eastern tombs; Dongling district of Shenyang city 瀋陽市|沈阳市, Liaoning" -东陵区,dōng líng qū,"Dongling district of Shenyang city 瀋陽市|沈阳市, Liaoning" -东阳,dōng yáng,"Dongyang, county-level city in Jinhua 金華|金华[Jin1 hua2], Zhejiang" -东阳市,dōng yáng shì,"Dongyang, county-level city in Jinhua 金華|金华[Jin1 hua2], Zhejiang" -东非,dōng fēi,East Africa -东非共同体,dōng fēi gòng tóng tǐ,East African Community -东非大地堑,dōng fēi dà dì qiàn,Great East African rift valley -东非大裂谷,dōng fēi dà liè gǔ,East African Rift Valley -东面,dōng miàn,east side (of sth) -东头村,dōng tóu cūn,"Tung Tau Tseun village, Hong Kong Island" -东风,dōng fēng,easterly wind; spring breeze; (fig.) revolutionary momentum; favorable circumstances -东风区,dōng fēng qū,"Dongfeng district of Kiamusze or Jiamusi city 佳木斯[Jia1 mu4 si1], Heilongjiang" -东风压倒西风,dōng fēng yā dǎo xī fēng,lit. the east wind prevails over the west wind (idiom); fig. one side prevails over the other; progressive ideas prevail over reactionary ones -东魏,dōng wèi,"Eastern Wei of the Northern dynasties (534-550), formed from the break-up of Wei of the Northern Dynasties 北魏" -东鳞西爪,dōng lín xī zhǎo,lit. a dragon's scale from the east and a dragon's claw from the west; odds and ends (idiom) -东丽,dōng lì,Dongli suburban district of Tianjin municipality 天津市[Tian1 jin1 shi4] -东丽区,dōng lì qū,Dongli suburban district of Tianjin municipality 天津市[Tian1 jin1 shi4] -杲,gǎo,high; sun shines brightly; to shine -杳,yǎo,dark and quiet; disappear -杳冥,yǎo míng,dim and dusky; far and indistinct -杳如黄鹤,yǎo rú huáng hè,to be gone forever (idiom); to disappear without a trace -杳杳,yǎo yǎo,deep and somber; see also 窈窈[yao3 yao3] -杳渺,yǎo miǎo,dimly discernible -杳无人烟,yǎo wú rén yān,dark and uninhabited (idiom); remote and deserted; God-forsaken -杳无人迹,yǎo wú rén jì,without trace of human presence; uninhabited; deserted -杳无消息,yǎo wú xiāo xī,see 杳無音信|杳无音信[yao3 wu2 yin1 xin4] -杳无音信,yǎo wú yīn xìn,to have no news whatever -杳然,yǎo rán,"quiet, silent, and lonely; far and indistinct; gone without a trace" -杳眇,yǎo miǎo,variant of 杳渺[yao3 miao3] -杳茫,yǎo máng,distant and out of sight -杳霭,yǎo ǎi,far and deep -杵,chǔ,pestle; to poke -杷,bà,handle or shaft (of an axe etc); hoe; to harrow -杷,pá,used in 枇杷[pi2 pa5] -杼,zhù,shuttle of a loom -松,sōng,surname Song -松,sōng,pine; CL:棵[ke1] -松下,sōng xià,"Matsushita (name); Panasonic (brand), abbr. for 松下電器|松下电器[Song1 xia4 Dian4 qi4]" -松下公司,sōng xià gōng sī,Panasonic Corporation (formerly Matsushita Electric Industrial Co.) -松下电器,sōng xià diàn qì,Panasonic Corporation (formerly Matsushita Electric Industrial Co.) -松下电气工业,sōng xià diàn qì gōng yè,Matsushita Electronics Industry -松井,sōng jǐng,Matsui (Japanese surname) -松仁,sōng rén,pine nuts -松化石,sōng huà shí,turquoise (gemstone); also written 松石 -松北,sōng běi,Songbei district of Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1] in Heilongjiang -松北区,sōng běi qū,Songbei district of Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1] in Heilongjiang -松原,sōng yuán,"Songyuan, prefecture-level city in Jilin province 吉林省 in northeast China" -松原市,sōng yuán shì,"Songyuan, prefecture-level city in Jilin province 吉林省 in northeast China" -松口蘑,sōng kǒu mó,"matsutake (Tricholoma matsutake), edible mushroom considered a great delicacy in Japan" -松坡湖,sōng pō hú,see 草海[Cao3 hai3] -松子,sōng zǐ,pine nut -松尾,sōng wěi,Matsuo (Japanese surname and place name) -松山,sōng shān,"Songshan or Sungshan District of Taipei City 臺北市|台北市[Tai2 bei3 Shi4], Taiwan; Matsuyama, city in Japan" -松山区,sōng shān qū,"Songshan or Sungshan District of Taipei City 臺北市|台北市[Tai2 bei3 Shi4], Taiwan; Songshan District of Chifeng City 赤峰市[Chi4 feng1 Shi4], Inner Mongolia" -松岛,sōng dǎo,"Matsushima (name); Matsushima town and national park in Miyagi prefecture, Japan" -松岭,sōng lǐng,"Songling district of Daxing'anling prefecture 大興安嶺地區|大兴安岭地区, Heilongjiang" -松岭区,sōng lǐng qū,"Songling district of Daxing'anling prefecture 大興安嶺地區|大兴安岭地区, Heilongjiang" -松巴哇,sōng bā wā,"Sumbawa, Indonesian island east of Java" -松巴哇岛,sōng bā wā dǎo,"Sumbawa, Indonesian island east of Java" -松明,sōng míng,pine torch -松木,sōng mù,pine wood; deal; larch -松本,sōng běn,Matsumoto (Japanese surname and place name) -松果,sōng guǒ,pine cone; strobile; strobilus -松果腺,sōng guǒ xiàn,pineal body -松果体,sōng guǒ tǐ,pineal body -松柏,sōng bǎi,pine and cypress; fig. chaste and undefiled; fig. tomb -松桃县,sōng táo xiàn,"Songtao Miao Autonomous County in Tongren 銅仁市|铜仁市[Tong2ren2 Shi4], Guizhou" -松桃苗族自治县,sōng táo miáo zú zì zhì xiàn,"Songtao Miao Autonomous County, Guizhou" -松树,sōng shù,pine; pine tree; CL:棵[ke1] -松江,sōng jiāng,Songjiang suburban district of Shanghai -松江区,sōng jiāng qū,Songjiang suburban district of Shanghai -松溪,sōng xī,Songxi county in Nanping 南平[Nan2 ping2] Fujian -松溪县,sōng xī xiàn,Songxi county in Nanping 南平[Nan2 ping2] Fujian -松滋,sōng zī,Songzi county (Hubei) -松潘,sōng pān,"Songpan County (Tibetan: zung chu rdzong) in Ngawa Tibetan and Qiang Autonomous Prefecture 阿壩藏族羌族自治州|阿坝藏族羌族自治州[A1 ba4 Zang4 zu2 Qiang1 zu2 Zi4 zhi4 zhou1], northwest Sichuan" -松潘县,sōng pān xiàn,"Songpan County (Tibetan: zung chu rdzong) in Ngawa Tibetan and Qiang Autonomous Prefecture 阿壩藏族羌族自治州|阿坝藏族羌族自治州[A1 ba4 Zang4 zu2 Qiang1 zu2 Zi4 zhi4 zhou1], northwest Sichuan" -松球,sōng qiú,pine cone -松瓤,sōng ráng,pine nut -松田,sōng tián,Matsuda (Japanese surname) -松石,sōng shí,turquoise (gemstone) -松科,sōng kē,pinaceae -松节油,sōng jié yóu,turpentine -松花江,sōng huā jiāng,"Songhua River in Jilin province 吉林省 through Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1], a tributary of Heilongjiang 黑龍江|黑龙江" -松花蛋,sōng huā dàn,century egg; preserved egg -松茸,sōng róng,"matsutake (Tricholoma matsutake), edible mushroom considered a great delicacy in Japan" -松菌,sōng jùn,"matsutake (Tricholoma matsutake), edible mushroom considered a great delicacy in Japan" -松蘑,sōng mó,"matsutake (Tricholoma matsutake), edible mushroom considered a great delicacy in Japan" -松赞干布,sōng zàn gàn bù,"Songtsen Gampo or Songzain Gambo (604-650) Tibetan emperor, founder of the Tubo 吐蕃[Tu3 bo1] dynasty" -松赞干布陵,sōng zàn gàn bù líng,the tomb of Tibetan king Songtsen Gampo or Songzain Gambo in Lhoka prefecture -松辽平原,sōng liáo píng yuán,"Songliao Plain of northeast China including Songhua River 松花江 through the Liaoning Peninsula, also called the Northeast Plain 東北平原|东北平原[Dong1 bei3 Ping2 yuan2]" -松针,sōng zhēn,pine needle -松阳,sōng yáng,"Songyang county in Lishui 麗水|丽水[Li2 shui3], Zhejiang" -松阳县,sōng yáng xiàn,"Songyang county in Lishui 麗水|丽水[Li2 shui3], Zhejiang" -松雀,sōng què,(bird species of China) pine grosbeak (Pinicola enucleator) -松雀鹰,sōng què yīng,(bird species of China) besra (Accipiter virgatus) -松鸡,sōng jī,grouse -松露,sōng lù,truffle -松露猪,sōng lù zhū,truffle hog -松香,sōng xiāng,rosin; pine rosin -松鸦,sōng yā,(bird species of China) Eurasian jay (Garrulus glandarius) -松鹤遐龄,sōng hè xiá líng,longevity -松鼠,sōng shǔ,squirrel -板,bǎn,board; plank; plate; shutter; table tennis bat; clappers (music); CL:塊|块[kuai4]; accented beat in Chinese music; hard; stiff; to stop smiling or look serious -板上钉钉,bǎn shàng dìng dīng,that clinches it; that's final; no two ways about it -板主,bǎn zhǔ,variant of 版主[ban3 zhu3] -板儿爷,bǎn er yé,(coll.) pedicab driver -板凳,bǎn dèng,"wooden bench or stool; CL:張|张[zhang1],條|条[tiao2]" -板刷,bǎn shuā,scrubbing brush -板报,bǎn bào,see 黑板報|黑板报[hei1 ban3 bao4] -板块,bǎn kuài,slab; (geology) tectonic plate; (fig.) sector (of the stock market or of industry); (economic) bloc -板块构造,bǎn kuài gòu zào,plate tectonics -板块理论,bǎn kuài lǐ lùn,plate tectonics -板壁,bǎn bì,wooden partition -板子,bǎn zi,board; plank; bamboo or birch for corporal punishment -板寸,bǎn cùn,buzz cut (hairstyle) -板岩,bǎn yán,slate -板式塔,bǎn shì tǎ,distillation tower; bubble tower; plate column -板房,bǎn fáng,temporary housing built with wooden planks or other makeshift materials -板扎,bǎn zhā,(dialect) awesome; excellent -板擦,bǎn cā,blackboard or whiteboard eraser -板擦儿,bǎn cā er,blackboard or whiteboard eraser -板斧,bǎn fǔ,broad axe -板书,bǎn shū,to write on the blackboard; writing on the blackboard -板板,bǎn bǎn,solemn -板板六十四,bǎn bǎn liù shí sì,unaccommodating; rigid -板栗,bǎn lì,Chinese chestnut -板梁桥,bǎn liáng qiáo,plate girder bridge -板条,bǎn tiáo,lath -板条箱,bǎn tiáo xiāng,crate -板桩,bǎn zhuāng,sheet pile -板楼,bǎn lóu,slab type building -板桥,bǎn qiáo,Banqiao or Panchiao city in Taiwan -板桥市,bǎn qiáo shì,"Banqiao or Panchiao city in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -板油,bǎn yóu,leaf fat; leaf lard -板沟,bǎn gōu,chalkboard ledge; whiteboard ledge; chalk tray (at the foot of a blackboard); whiteboard marker tray -板滞,bǎn zhì,stiff; dull -板烟,bǎn yān,plug (of tobacco) -板牙,bǎn yá,incisor; molar; screw die; threading die -板状,bǎn zhuàng,board-shaped -板球,bǎn qiú,cricket (ball game) -板皮,bǎn pí,slab -板眼,bǎn yǎn,measure in traditional Chinese music; orderliness -板砖,bǎn zhuān,(dialect) wall brick -板筑,bǎn zhù,variant of 版築|版筑[ban3 zhu4] -板纸,bǎn zhǐ,paperboard; board -板结,bǎn jié,soil crusting -板羽球,bǎn yǔ qiú,battledore and shuttlecock; shuttlecock -板胡,bǎn hú,a bowed stringed instrument with a thin wooden soundboard -板脸,bǎn liǎn,"to put on a straight, stern or blank face; to put on a poker face" -板蓝根,bǎn lán gēn,indigo woad root; root of Isatis tinctoria (used in TCM) -板规,bǎn guī,plate gauge -板车,bǎn chē,handcart; flatbed cart; flatbed tricycle -板门店,bǎn mén diàn,"Panmunjeom, the Joint Security Area in the Korean demilitarized zone" -板门店停战村,bǎn mén diàn tíng zhàn cūn,Panmunjom village on the DMZ between North and South Korea -板鸭,bǎn yā,pressed (dried) salted duck -板面,bǎn miàn,"pan mee, aka banmian, a Hakka noodle soup dish, popular in Malaysia" -板鼓,bǎn gǔ,small drum for marking time -枇,pí,used in 枇杷[pi2 pa5] -枇杷,pí pa,loquat tree (Eriobotrya japonica); loquat fruit -枇杷膏,pí pá gāo,"Pei Pa Koa, proprietary cough syrup made with traditional Chinese herbs" -枉,wǎng,to twist; crooked; unjust; in vain -枉劳,wǎng láo,to work in vain -枉径,wǎng jìng,winding lane -枉攘,wǎng rǎng,tumultuous; disorderly -枉死,wǎng sǐ,to die in tragic circumstances -枉法,wǎng fǎ,to circumvent the law -枉然,wǎng rán,in vain; to no avail -枉费,wǎng fèi,"to waste (one's breath, one's energy etc); to try in vain" -枉顾,wǎng gù,to neglect; to misuse; to mistreat; to abuse -枋,fāng,Santalum album; square wooden pillar -枋寮,fāng liáo,"Fangliao township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -枋寮乡,fāng liáo xiāng,"Fangliao township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -枋山,fāng shān,"Fangshan township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -枋山乡,fāng shān xiāng,"Fangshan township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -楠,nán,variant of 楠[nan2] -析,xī,to separate; to divide; to analyze -析出,xī chū,to separate out -析毫剖厘,xī háo pōu lí,to analyze in the finest detail -析疑,xī yí,to resolve a doubt -枒,yá,the coconut tree; rim -枓,dǒu,square base for Chinese flagstaff -枓拱,dǒu gǒng,variant of 斗拱[dou3 gong3] -枓栱,dǒu gǒng,variant of 斗拱[dou3 gong3] -枕,zhěn,(bound form) pillow; to rest one's head on (Taiwan pr. [zhen4]) -枕冷衾寒,zhěn lěng qīn hán,cold pillow and lonely bed (idiom); fig. cold and solitary existence -枕块,zhěn kuài,to use clay for a pillow (during mourning period) -枕套,zhěn tào,pillowcase -枕岩漱流,zhěn yán shù liú,see 枕石漱流[zhen3 shi2 shu4 liu2] -枕巾,zhěn jīn,pillow cloth -枕席,zhěn xí,pillow mat; pillow and mat; bed -枕席儿,zhěn xí er,erhua variant of 枕席[zhen3 xi2] -枕心,zhěn xīn,bare pillow (i.e. the pillow without pillow-case) -枕戈寝甲,zhěn gē qǐn jiǎ,lit. to sleep on one's armor with a spear as a pillow (idiom); fig. to keep ready for battle at all times -枕戈待旦,zhěn gē dài dàn,"lit. to wait for dawn, one's head resting on a spear (idiom); fig. fully prepared and biding one's time before the battle" -枕木,zhěn mù,railroad tie; sleeper -枕状熔岩,zhěn zhuàng róng yán,(geology) pillow lava -枕石漱流,zhěn shí shù liú,to live a hermit's life (in seclusion); a frugal life (idiom) -枕葄,zhěn zuò,pillow -枕叶,zhěn yè,occipital lobe -枕藉,zhěn jiè,to lie in total disorder; lying fallen over one another -枕边人,zhěn biān rén,the person who shares your bed; partner; spouse -枕边故事,zhěn biān gù shi,bedtime story -枕边风,zhěn biān fēng,pillow talk -枕头,zhěn tou,pillow -枕头套,zhěn tou tào,pillow case -枕头箱,zhěn tou xiāng,Chinese pillow box (used to keep valuables) -枕头蛋糕,zhěn tou dàn gāo,loaf cake -枕骨,zhěn gǔ,occipital bone (back of the skull) -林,lín,surname Lin; Japanese surname Hayashi -林,lín,(bound form) woods; forest; (bound form) circle(s) (i.e. specific group of people); (bound form) a collection (of similar things) -林三趾鹑,lín sān zhǐ chún,(bird species of China) common buttonquail (Turnix sylvaticus) -林来疯,lín lái fēng,Linsanity; craze over Jeremy Lin 林書豪|林书豪[Lin2 Shu1 hao2] -林克平大学,lín kè píng dà xué,"Linköping University, Sweden" -林内,lín nèi,"Linnei township in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -林内乡,lín nèi xiāng,"Linnei township in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -林八哥,lín bā ge,(bird species of China) great myna (Acridotheres grandis) -林则徐,lín zé xú,"Lin Zexu or Lin Tse-hsu ""Commissioner Lin"" (1785-1850), Qing official whose anti-opium activities led to first Opium war with Britain 1840-1842" -林务,lín wù,forestry -林区,lín qū,region of forest -林卡,lín kǎ,transliteration of Tibetan lingka: garden -林口,lín kǒu,"Linkou county in Mudanjiang 牡丹江, Heilongjiang; Linkou township in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -林口县,lín kǒu xiàn,"Linkou county in Mudanjiang 牡丹江, Heilongjiang" -林口乡,lín kǒu xiāng,"Linkou township in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -林可霉素,lín kě méi sù,lincomycin -林吉特,lín jí tè,ringgit (monetary unit of Malaysia) (loanword) -林周,lín zhōu,"Lhünzhub county, Tibetan: Lhun grub rdzong in Lhasa 拉薩|拉萨[La1 sa4], Tibet" -林周县,lín zhōu xiàn,"Lhünzhub county, Tibetan: Lhun grub rdzong in Lhasa 拉薩|拉萨[La1 sa4], Tibet" -林园,lín yuán,"Linyuan township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -林园乡,lín yuán xiāng,"Linyuan township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -林地,lín dì,woodland -林堡,lín bǎo,"Limburg, Netherlands; Limbourg, Belgium" -林场,lín chǎng,forestry station; forest management area -林壑,lín hè,woods and ravines; tranquillity of trees and valleys -林夜鹰,lín yè yīng,(bird species of China) savanna nightjar (Caprimulgus affinis) -林奈,lín nài,Carl Linnaeus; Carl Linné -林子,lín zi,woods; grove; forest -林学,lín xué,forestry -林家翘,lín jiā qiáo,"Lin Chia-Chiao (1916-2013), Chinese-American physicist, astronomer and applied mathematician" -林岭雀,lín lǐng què,(bird species of China) plain mountain finch (Leucosticte nemoricola) -林州,lín zhōu,"Linzhou, county-level city in Anyang 安陽|安阳[An1 yang2], Henan" -林州市,lín zhōu shì,"Linzhou, county-level city in Anyang 安陽|安阳[An1 yang2], Henan" -林彪,lín biāo,"Lin Biao (1908-1971), Chinese army leader at time of the Cultural Revolution" -林德布拉德,lín dé bù lā dé,Lindeblatt (name) -林心如,lín xīn rú,"Ruby Lin (1976-), Taiwanese actress and pop singer" -林志玲,lín zhì líng,"Lin Chi-ling (1974-), Taiwanese model and actress" -林忆莲,lín yì lián,"Sandy Lam (1966-), Hong Kong pop singer" -林怀民,lín huái mín,"Lin Hwai-Min (1947-), Taiwanese choreographer and dancer" -林旭,lín xù,"Lin Xu (1875-1898), one of the Six Gentlemen Martyrs 戊戌六君子[Wu4 xu1 Liu4 jun1 zi5] of the unsuccessful reform movement of 1898" -林书豪,lín shū háo,"Jeremy Lin (1988-), Taiwanese-American professional basketball player (NBA)" -林木,lín mù,forest; forest tree -林村,lín cūn,Lam Tsuen (an area in Hong Kong) -林林总总,lín lín zǒng zǒng,in great abundance; numerous -林柳莺,lín liǔ yīng,(bird species of China) wood warbler (Phylloscopus sibilatrix) -林森,lín sēn,"Lin Sen (1868-1943), revolutionary politician, colleague of Sun Yat-sen, chairman of the Chinese nationalist government (1928-1932)" -林业,lín yè,forest industry; forestry -林檎,lín qín,Chinese pearleaf crabapple (Malus asiatica) -林冲,lín chōng,"Lin Chong, one of the Heroes of the Marsh in Water Margin" -林沙锥,lín shā zhuī,(bird species of China) wood snipe (Gallinago nemoricola) -林火,lín huǒ,forest fire -林琴南,lín qín nán,courtesy name of Lin Shu 林紓|林纾[Lin2 Shu1] -林甸,lín diàn,"Lindian county in Daqing 大慶|大庆[Da4 qing4], Heilongjiang" -林甸县,lín diàn xiàn,"Lindian county in Daqing 大慶|大庆[Da4 qing4], Heilongjiang" -林立,lín lì,to stand in great numbers -林纾,lín shū,"Lin Shu (1852-1924), writer and influential translator and adaptor of vast swathes of Western literature into Classical Chinese" -林县,lín xiàn,Lin county in Henan -林肯,lín kěn,"Lincoln (name); Abraham Lincoln (1809-1865), US president 1861-1865; Lincoln, US car make" -林肯郡,lín kěn jùn,Lincolnshire (English county) -林芝,lín zhī,"Nyingchi prefecture of Tibet, Tibetan: Nying khri, Chinese Linzhi" -林芝县,lín zhī xiàn,"Nyingchi county, Tibetan: Nying khri rdzong, in Nyingchi prefecture 林芝地區|林芝地区[Lin2 zhi1 di4 qu1], Tibet" -林茨,lín cí,Linz (city in Austria) -林荫大道,lín yìn dà dào,see 林陰大道|林阴大道[lin2 yin1 da4 dao4] -林荫路,lín yìn lù,see 林蔭道|林荫道[lin2 yin4 dao4] -林荫道,lín yìn dào,boulevard; avenue; mall -林薮,lín sǒu,woods and marshes -林西,lín xī,"Linxi County of Chifeng 赤峰[Chi4 feng1], Inner Mongolia" -林西县,lín xī xiàn,"Linxi County of Chifeng 赤峰[Chi4 feng1], Inner Mongolia" -林语堂,lín yǔ táng,"Lin Yutang (1895-1976), Chinese writer, linguist and inventor" -林丰正,lín fēng zhèng,"Lin Fong-cheng (1940-), Taiwanese politician" -林逋,lín bū,"Lin Bu (967-1028), Northern Song poet" -林边,lín biān,"Linpien township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -林边乡,lín biān xiāng,"Linpien township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -林郑,lín zhèng,"Carrie Lam (1957-), chief executive of Hong Kong 2017-, full name 林鄭月娥|林郑月娥[Lin2 Zheng4 Yue4 e2] Carrie Lam Cheng Yuet-ngor" -林阴大道,lín yīn dà dào,boulevard; tree-lined avenue; CL:條|条[tiao2] -林阴路,lín yīn lù,see 林蔭道|林荫道[lin2 yin4 dao4] -林阴道,lín yīn dào,see 林蔭道|林荫道[lin2 yin4 dao4] -林雪平,lín xuě píng,"Linköping, city in southeast Sweden" -林青霞,lín qīng xiá,"Brigitte Lin (1954-), Taiwanese actress" -林雕,lín diāo,(bird species of China) black eagle (Ictinaetus malaiensis) -林雕鸮,lín diāo xiāo,(bird species of China) spot-bellied eagle-owl (Bubo nipalensis) -林鹨,lín liù,(bird species of China) tree pipit (Anthus trivialis) -林鹬,lín yù,(bird species of China) wood sandpiper (Tringa glareola) -林黛玉,lín dài yù,"Lin Daiyu, female character in The Dream of Red Mansions, cousin and thwarted lover of Jia Baoyu 賈寶玉|贾宝玉" -枘,ruì,tenon; tool handle; wedge -枘凿,ruì záo,"incompatible (abbr. for 方枘圓鑿|方枘圆凿[fang1rui4-yuan2zao2]); (literary) compatible (lit. ""mortise and tenon"")" -枚,méi,surname Mei -枚,méi,"classifier for coins, rings, badges, pearls, sporting medals, rockets, satellites etc; tree trunk; whip; wooden peg, used as a gag for marching soldiers (old)" -枚乘,méi chéng,"Mei Cheng (-c. 140 BC), Han dynasty poet" -枚卜,méi bǔ,to choose officials by divination (archaic); to practice divination without a definite question -枚举,méi jǔ,to enumerate -果,guǒ,fruit; result; resolute; indeed; if really -果不其然,guǒ bù qí rán,just as expected; told you so -果仁,guǒ rén,fruit kernel -果仁儿,guǒ rén er,fruit kernel -果倍爽,guǒ bèi shuǎng,"Capri-Sun, juice drink brand" -果冻,guǒ dòng,gelatin dessert -果味胶糖,guǒ wèi jiāo táng,jujube -果品,guǒ pǐn,fruit -果啤,guǒ pí,fruit beer -果园,guǒ yuán,orchard -果报,guǒ bào,karma; preordained fate (Buddhism) -果如所料,guǒ rú suǒ liào,just as expected -果子,guǒ zi,fruit -果子冻,guǒ zi dòng,jelly -果子狸,guǒ zi lí,masked palm civet (Paguma larvata) -果子酱,guǒ zi jiàng,marmalade; jellied fruit -果子露,guǒ zi lù,fruit drink -果实,guǒ shí,fruit (produced by a plant); (fig.) fruits (of success etc); results; gains -果实散播,guǒ shí sàn bō,fruit dispersal -果实累累,guǒ shí léi léi,lit. prodigious abundance of fruit (idiom); fruit hangs heavy on the bough; fig. countless accomplishments; one great result after another -果岭,guǒ lǐng,green (golf) (loanword) -果戈里,guǒ gē lǐ,"Nikolai Gogol (1809-1852), Russian author and dramatist" -果播,guǒ bō,dissemination as fruit (evolutionary strategy for seed dispersal) -果敢,guǒ gǎn,courageous; resolute and daring -果料儿,guǒ liào er,fruit ingredients (for cakes and desserts) -果断,guǒ duàn,firm; decisive -果期,guǒ qī,the fruiting season -果木,guǒ mù,fruit tree -果树,guǒ shù,fruit tree; CL:棵[ke1] -果汁,guǒ zhī,fruit juice -果汁机,guǒ zhī jī,blender (device); juicer -果决,guǒ jué,firm; unwavering -果洛,guǒ luò,Golog Tibetan autonomous prefecture in south Qinghai -果洛州,guǒ luò zhōu,Golog Tibetan autonomous prefecture (Tibetan: Mgo-log Bod-rigs rang-skyong-khul) in south Qinghai -果洛藏族自治州,guǒ luò zàng zú zì zhì zhōu,Golog Tibetan autonomous prefecture (Tibetan: Mgo-log Bod-rigs rang-skyong-khul) in south Qinghai -果然,guǒ rán,really; sure enough; as expected; if indeed -果皮,guǒ pí,(fruit) peel -果真,guǒ zhēn,really; as expected; sure enough; if indeed...; if it's really... -果穗,guǒ suì,ear (of corn or sorghum etc); bunch (of grapes); infructescence -果粉,guǒ fěn,(slang) fan of Apple products -果糖,guǒ táng,fructose -果肉,guǒ ròu,pulp -果脯,guǒ fǔ,candied fruit -果腹,guǒ fù,to eat one's fill -果胶,guǒ jiāo,pectin -果若,guǒ ruò,if -果蔬,guǒ shū,fruit and vegetables -果蝇,guǒ yíng,fruit fly -果农,guǒ nóng,fruit farmer -果酒,guǒ jiǔ,fruit wine -果酱,guǒ jiàng,jam -果馅饼,guǒ xiàn bǐng,tart -枝,zhī,"branch; classifier for sticks, rods, pencils etc" -枝丫,zhī yā,variant of 枝椏|枝桠[zhi1 ya1] -枝城,zhī chéng,"Zicheng town in Yidu county 宜都[Yi2 du1], Yichang 宜昌[Yi2 chang1], Hubei" -枝城镇,zhī chéng zhèn,"Zicheng town in Yidu county 宜都[Yi2 du1], Yichang 宜昌[Yi2 chang1], Hubei" -枝子,zhī zi,twig; branch -枝干,zhī gàn,branch; limb (of a tree) -枝晶,zhī jīng,abbr. of 樹枝狀晶|树枝状晶[shu4 zhi1 zhuang4 jing1] -枝枒,zhī yā,variant of 枝椏|枝桠[zhi1 ya1] -枝条,zhī tiáo,branch; twig; stem -枝桠,zhī yā,branch; twig -枝江,zhī jiāng,"Zhijiang, county-level city in Yichang 宜昌[Yi2 chang1], Hubei" -枝江市,zhī jiāng shì,"Zhijiang, county-level city in Yichang 宜昌[Yi2 chang1], Hubei" -枝节,zhī jié,branches and knots; fig. side issue; minor peripheral problem -枝节横生,zhī jié héng shēng,side issues keep arising (idiom) -枝繁叶茂,zhī fán yè mào,(of plants) to grow luxuriantly; (fig.) (of a family or business etc) to prosper; to flourish -枝叶,zhī yè,branch and leaf -枝蔓,zhī màn,branches and tendrils; fig. overcomplicated or digressive -枝解,zhī jiě,variant of 肢解[zhi1 jie3] -枯,kū,"(of plants) withered; (of wells, rivers, etc) dried up; (bound form) dull; boring; (bound form) residue of pressed oilseeds" -枯干,kū gān,dried up; shriveled; withered -枯寂,kū jì,bleak; desolate; devoid of liveliness -枯木,kū mù,dead tree -枯木逢春,kū mù féng chūn,lit. the spring comes upon a withered tree (idiom); fig. to get a new lease on life; to be revived; (of a difficult situation) to suddenly improve -枯朽,kū xiǔ,withered and rotten -枯槁,kū gǎo,(of vegetation) withered; (of a person) haggard -枯水,kū shuǐ,scarce water; low water level -枯水期,kū shuǐ qī,period of low water level (winter in north China) -枯燥,kū zào,dry and dull; uninteresting; tedious -枯燥无味,kū zào wú wèi,tedious; dreary -枯竭,kū jié,used up; dried up; exhausted (of resources) -枯茗,kū míng,cumin (loanword) -枯草,kū cǎo,withered grass; dry grass -枯草杆菌,kū cǎo gǎn jūn,bacillus subtilis -枯草热,kū cǎo rè,hay fever -枯萎,kū wěi,to wilt; to wither; wilted; withered; drained; enervated; exhausted -枯萎病,kū wěi bìng,blight -枯叶,kū yè,dead leaf; withered leaf -枯叶剂,kū yè jì,Agent Orange (herbicide) -枰,píng,chess-like game -枳,zhǐ,(orange); hedge thorn -枳实,zhǐ shí,dried fruit of immature citron or trifoliate orange (used in TCM) -枳壳,zhǐ qiào,bitter orange (Fructus aurantii) (used in TCM) -拐,guǎi,cane; walking stick; crutch; old man's staff -枵,xiāo,(archaic) hollow of a tree; (literary) empty; hollow -架,jià,"to support; frame; rack; framework; classifier for planes, large vehicles, radios etc" -架上绘画,jià shàng huì huà,easel painting -架不住,jià bu zhù,(coll.) unable to withstand; cannot bear; can't stand it; no match for -架二郎腿,jià èr láng tuǐ,to stick one leg over the other (when sitting) -架势,jià shi,attitude; position (on an issue etc) -架子,jià zi,shelf; frame; stand; framework; airs; arrogance -架子猪,jià zi zhū,feeder pig -架子车,jià zi chē,two-wheeled handcart -架子鼓,jià zi gǔ,drum kit -架式,jià shi,variant of 架勢|架势[jia4 shi5] -架拐,jià guǎi,to use a crutch -架构,jià gòu,to construct; to build; structure; framework; architecture -架构师,jià gòu shī,(computing) architect -架桥,jià qiáo,to bridge; to put up a bridge -架次,jià cì,sortie; flight -架空,jià kōng,to build (a hut etc) on stilts; to install (power lines etc) overhead; (fig.) unfounded; impractical; (fig.) to make sb a mere figurehead -架空历史,jià kōng lì shǐ,alternate history; counterfactual history (genre of fiction) -架空索道,jià kōng suǒ dào,aerial ropeway; cable car -架设,jià shè,to construct; to erect -架走,jià zǒu,to hustle sb away -枷,jiā,cangue (wooden collar like stocks used to restrain and punish criminals in China) -枷带锁抓,jiā dài suǒ zhuā,in stocks; in fetter for punishment -枷板,jiā bǎn,cangue; fig. difficult situation -枷销,jiā xiāo,yoke; chains; shackles; fetters -枷锁,jiā suǒ,stocks and chain; in fetters -枸,gōu,bent; crooked -枸,gǒu,Chinese wolfberry (Lycium chinense) -枸,jǔ,Citrus medica -枸杞,gǒu qǐ,wolfberry (Lycium chinense); genus Lycium -枸杞子,gǒu qǐ zǐ,goji berry -枸橘,gōu jú,trifoliate orange (Citrus trifoliata) -枸橼,jǔ yuán,citron (Citrus medica); grapefruit -枸骨,gǒu gǔ,Chinese holly (Ilex cornuta) -柁,tuó,main beam of roof -柃,líng,Eurya japonica -柄,bǐng,"handle or shaft (of an axe etc); (of a flower, leaf or fruit) stem; sth that affords an advantage to an opponent; classifier for knives or blades" -柄国,bǐng guó,to hold state power; to rule -柄政,bǐng zhèng,to rule; to be in power -柄权,bǐng quán,to hold power -柄臣,bǐng chén,powerful official; big shot -柊,zhōng,used in 柊葉|柊叶[zhong1 ye4] -柊叶,zhōng yè,Phrynium capitatum -柏,bǎi,surname Bai; Taiwan pr. [Bo2] -柏,bǎi,cedar; cypress; Taiwan pr. [bo2] -柏,bó,(used for transcribing names) -柏,bò,variant of 檗[bo4] -柏克莱,bǎi kè lái,"Berkeley (name); George Berkeley (1685-1753), Bishop of Cloyne, famous British philosopher; Berkeley, university city in the San Francisco bay area, California" -柏克郡,bó kè jùn,Berkshire (English county) -柏孜克里克千佛洞,bó zī kè lǐ kè qiān fó dòng,"the Bezeklik Thousand Buddha Caves, in the Turpan Basin, Xinjiang" -柏崎,bǎi qí,"Kashiwazaki (Japanese surname); Kashiwazaki, town in Niigata prefecture, Japan; Kashiwazaki, title of a Noh play" -柏崎刈羽,bǎi qí yì yǔ,"Kashiwasaki Kariwa, site of Japanese nuclear power plant near Niigata 新潟" -柏崎市,bǎi qí shì,"Kashiwazaki city, Japan" -柏悦,bó yuè,Park Hyatt (hotel brand) -柏拉图,bó lā tú,"Plato (c. 427-c. 347 BC), Greek philosopher" -柏拉图哲学,bó lā tú zhé xué,Platonism -柏林,bó lín,"Berlin, capital of Germany" -柏林围墙,bó lín wéi qiáng,Berlin Wall -柏林工业大学,bó lín gōng yè dà xué,"Technical University of Berlin, Germany (Technische Universitaet zu Berlin)" -柏林墙,bó lín qiáng,Berlin Wall -柏柏尔,bò bò ěr,Berber people of North Africa -柏树,bǎi shù,cypress tree; Taiwan pr. [bo2 shu4] -柏油,bǎi yóu,asphalt; tar; pitch -柏油脚跟之州,bǎi yóu jiǎo gēn zhī zhōu,Tar Heel state -柏油路,bǎi yóu lù,tarred road; asphalt road -柏油马路,bǎi yóu mǎ lù,tarred road; asphalt road -柏节松操,bǎi jié sōng cāo,chaste widowhood -柏举之战,bǎi jǔ zhī zhàn,"Battle of Baiju (506 BC), in which Wu 吳|吴[Wu2] scored a crushing victory over Chu 楚[Chu3]" -柏蒂切利,bó dì qiè lì,Sandro Botticelli (1445-1510) Italian painter of the Florentine school -柏辽兹,bó liáo zī,"Hector Berlioz (1803-1869), French romantic composer, author of Symphonie Fantastique" -柏乡,bǎi xiāng,"Baixiang county in Xingtai 邢台[Xing2 tai2], Hebei" -柏乡县,bǎi xiāng xiàn,"Baixiang county in Xingtai 邢台[Xing2 tai2], Hebei" -柏青哥,bó qīng gē,pachinko (loanword) (Tw) -某,mǒu,some; a certain; sb or sth indefinite; such-and-such -某事,mǒu shì,something; a certain matter -某些,mǒu xiē,some; certain (things) -某人,mǒu rén,someone; a certain person; some people; I (self-address after one's surname) -某地,mǒu dì,somewhere; some place -某时,mǒu shí,sometime -某某,mǒu mǒu,so-and-so; such-and-such -某物,mǒu wù,something -某甲,mǒu jiǎ,somebody; certain individual -某种,mǒu zhǒng,some kind (of) -某处,mǒu chù,somewhere -柑,gān,large tangerine -柑橘,gān jú,citrus -柑橘酱,gān jú jiàng,marmalade -柒,qī,seven (banker's anti-fraud numeral) -染,rǎn,to dye; to catch (a disease); to acquire (bad habits etc); to contaminate; to add color washes to a painting -染上,rǎn shàng,to catch (a disease); to get (a bad habit) -染布,rǎn bù,to dye cloth -染厂,rǎn chǎng,dye factory; dye-works -染指,rǎn zhǐ,to dip a finger (idiom); fig. to get one's finger in the pie; to get a share of the action; abbr. for 染指於鼎|染指于鼎 -染指垂涎,rǎn zhǐ chuí xián,"lit. dirty finger, mouth watering (idiom); fig. greedy to seize sth" -染指于鼎,rǎn zhǐ yú dǐng,lit. dip one's finger in the tripod (idiom); fig. to get one's finger in the pie; to get a share of the action -染料,rǎn liào,dye -染毒,rǎn dú,contamination -染病,rǎn bìng,to catch an illness; to get infected with a disease -染织,rǎn zhī,dyeing and weaving -染色,rǎn sè,dye -染色质,rǎn sè zhì,chromosome; genetic material of chromosome -染色体,rǎn sè tǐ,chromosome -染色体三倍体症,rǎn sè tǐ sān bèi tǐ zhèng,trisomy -染色体倍性,rǎn sè tǐ bèi xìng,ploidy (number of homologous chromosomes) -染风习俗,rǎn fēng xí sú,bad habits; to get into bad habits through long custom -染发,rǎn fà,to dye one's hair; rinse; tint -染发剂,rǎn fà jì,hair dye; rinse; tint -柔,róu,soft; flexible; supple; yielding; rho (Greek letter Ρρ) -柔佛,róu fó,Johor (state of Malaysia at south of Malayan peninsula) -柔佛州,róu fó zhōu,Johor (state in Malaysia) -柔佛海峡,róu fó hǎi xiá,Straits of Johor (between Malaysia and Singapore) -柔和,róu hé,gentle; soft -柔媚,róu mèi,gentle and lovely; charming -柔嫩,róu nèn,tender; delicate (texture) -柔弱,róu ruò,weak; delicate -柔性,róu xìng,flexibility -柔情,róu qíng,gentle feelings; tender sentiments -柔情似水,róu qíng sì shuǐ,tender and soft as water; deeply attached to sb -柔情侠骨,róu qíng xiá gǔ,gentle feelings and chivalrous disposition (idiom) -柔情脉脉,róu qíng mò mò,full of tender feelings (idiom); tender-hearted -柔曼,róu màn,soft; gentle -柔滑,róu huá,soft; smooth; silky -柔美,róu měi,gentle and beautiful -柔能克刚,róu néng kè gāng,lit. the soft can subdue the hard -柔肠寸断,róu cháng cùn duàn,lit. to feel as if one's intestines have been cut short; broken-hearted (idiom) -柔肤水,róu fū shuǐ,skin toner -柔荑花序,róu tí huā xù,catkin (botany) -柔术,róu shù,jujitsu; contortion (performance art) -柔身术,róu shēn shù,contortion (performance art) -柔软,róu ruǎn,soft -柔软剂,róu ruǎn jì,fabric softener -柔软精,róu ruǎn jīng,fabric softener (Tw) -柔道,róu dào,judo -柔韧,róu rèn,pliable and tough; supple and strong; flexible -柔顺,róu shùn,gentle and agreeable; supple; yielding -柔顺剂,róu shùn jì,fabric softener -柘,zhè,a thorny tree; sugarcane; Cudrania triloba; three-bristle cudrania (Cudrania tricuspidata); Chinese mulberry (Cudrania) -柘城,zhè chéng,"Zhecheng county in Shangqiu 商丘[Shang1 qiu1], Henan" -柘城县,zhè chéng xiàn,"Zhecheng county in Shangqiu 商丘[Shang1 qiu1], Henan" -柘弓,zhè gōng,bow made from the 柘[zhe4] tree -柘弹,zhè dàn,slingshot made from the 柘[zhe4] tree -柘荣,zhè róng,"Zherong county in Ningde 寧德|宁德[Ning2 de2], Fujian" -柘荣县,zhè róng xiàn,"Zherong county in Ningde 寧德|宁德[Ning2 de2], Fujian" -柘榴,zhè liú,pomegranate -柘榴石,zhè liú shí,garnet -柘树,zhè shù,silkworm thorn tree -柘浆,zhè jiāng,sugarcane juice -柘砚,zhè yàn,ink slabs from a place in Shandong -柘丝,zhè sī,silk from worms fed on 柘[zhe4] leaves -柘蚕,zhè cán,silkworms fed on the leaves of the 柘[zhe4] tree -柘袍,zhè páo,imperial yellow robe -柘黄,zhè huáng,yellow dye made from the bark of the 柘[zhe4] tree -柙,xiá,cage; pen; scabbard -柚,yòu,pomelo (Citrus maxima or C. grandis); shaddock; oriental grapefruit -柚子,yòu zi,pomelo (Citrus maxima or C. grandis); shaddock; oriental grapefruit -柚木,yòu mù,pomelo tree (Citrus maxima or C. grandis); shaddock; oriental grapefruit -柜,guì,variant of 櫃|柜[gui4] -柜,jǔ,Salix multinervis -柝,tuò,watchman's rattle -柞,zuò,oak; Quercus serrata -柞栎,zuò lì,Mongolian oak (Quercus dentata); see also 槲樹|槲树[hu2 shu4] -柞水,zhà shuǐ,"Zhashui County in Shangluo 商洛[Shang1 luo4], Shaanxi" -柞水县,zhà shuǐ xiàn,"Zhashui County in Shangluo 商洛[Shang1 luo4], Shaanxi" -楠,nán,variant of 楠[nan2] -柢,dǐ,foundation; root -查,zhā,surname Zha -查,chá,to research; to check; to investigate; to examine; to refer to; to look up (e.g. a word in a dictionary) -查,zhā,variant of 楂[zha1] -查克拉,chá kè lā,chakra (loanword) -查克瑞,chá kè ruì,chakra -查出,chá chū,to find out; to discover -查加斯病,chá jiā sī bìng,Chagas disease; American trypanosomiasis -查勘,chá kān,to investigate -查哨,chá shào,to check the sentries -查问,chá wèn,to inquire about -查夜,chá yè,night patrol; to make nightly rounds -查字法,chá zì fǎ,look-up method for Chinese characters -查封,chá fēng,to sequester; to seize (assets); to seal up; to close down -查对,chá duì,to scrutinize; to examine; to check -查岗,chá gǎng,"to check the guard posts; (coll.) to check up on sb (spouse, employee etc)" -查帐,chá zhàng,to audit accounts; to inspect accounting books -查德,chá dé,Chad (Tw) -查戈斯群岛,chá gē sī qún dǎo,"Chagos Archipelago, coral archipelago in tropical Indian Ocean, with Diego Garcia 迪戈·加西亞島|迪戈·加西亚岛[Di2 ge1 · Jia1 xi1 ya4 Dao3] as largest island" -查房,chá fáng,to inspect a room; to do the rounds (medical) -查扣,chá kòu,to seize; to confiscate -查找,chá zhǎo,to search for; to look up -查抄,chá chāo,to take inventory of and confiscate a criminal's possessions; to search and confiscate (forbidden items); to raid -查拳,chá quán,"Cha Quan - ""Cha Fist"" - Martial Art" -查探,chá tàn,to check; to investigate; to probe (into) -查明,chá míng,to investigate and find out; to ascertain -查普曼,chá pǔ màn,Chapman (name) -查核,chá hé,to check -查检,chá jiǎn,to check; to consult; to look up -查水表,chá shuǐ biǎo,(Internet slang) (of the police) to ask to be let in on the pretext of checking the water meter; to barge into people's home on false pretences -查没,chá mò,to confiscate -查清,chá qīng,to find out; to ascertain; to get to the bottom of; to clarify -查尔斯,chá ěr sī,Charles -查尔斯顿,chá ěr sī dùn,Charleston -查获,chá huò,"to track down and seize (a criminal suspect, contraband etc)" -查理大帝,chá lǐ dà dì,"Charlemagne (c. 747-c. 814), King of the Franks, Holy Roman Emperor from 800" -查理周刊,chá lǐ zhōu kān,Charlie Hebdo (French magazine) -查看,chá kàn,to look over; to examine; to check up; to ferret out -查票员,chá piào yuán,ticket inspector -查禁,chá jìn,to prohibit; to ban; to suppress -查究,chá jiū,to follow up a study; to investigate -查缉,chá jī,"to search for and seize (criminals, smuggled goods etc)" -查考,chá kǎo,to examine; to investigate; to try to determine -查处,chá chǔ,to investigate and handle (a criminal case) -查访,chá fǎng,to investigate -查询,chá xún,to check; to inquire; to consult (a document etc); inquiry; query -查调,chá diào,to obtain (information) from a database etc -查证,chá zhèng,to check; to verify -查办,chá bàn,to investigate and handle (a criminal case) -查铺,chá pù,to conduct a bed check -查阅,chá yuè,to consult; to refer to; to look sth up in a reference source -查韦斯,chá wéi sī,"Chavez, Spanish name" -查验,chá yàn,inspection; to examine -查点,chá diǎn,to check; to tally; to inventory -柩,jiù,bier -柬,jiǎn,"abbr. for 柬埔寨[Jian3 pu3 zhai4], Cambodia" -柬,jiǎn,card; note; letter; old variant of 揀|拣[jian3] -柬吴哥王朝,jiǎn wú gē wáng cháo,"Ankor Dynasty of Cambodia, 802-1431" -柬埔寨,jiǎn pǔ zhài,Cambodia -柯,kē,surname Ke -柯,kē,(literary) branch; stem; stalk; (literary) ax handle -柯劭忞,kē shào mín,"Ke Shaomin (1850-1933), scholar, author of New History of the Yuan Dynasty 新元史[Xin1 Yuan2 shi3]" -柯坪,kē píng,"Kelpin nahiyisi (Kelpin county) in Aksu 阿克蘇地區|阿克苏地区[A1 ke4 su1 di4 qu1], west Xinjiang" -柯坪县,kē píng xiàn,"Kelpin nahiyisi (Kelpin county) in Aksu 阿克蘇地區|阿克苏地区[A1 ke4 su1 di4 qu1], west Xinjiang" -柯城,kē chéng,"Kecheng district of Quzhou city 衢州市[Qu2 zhou1 shi4], Zhejiang" -柯城区,kē chéng qū,"Kecheng district of Quzhou city 衢州市[Qu2 zhou1 shi4], Zhejiang" -柯基,kē jī,(loanword) corgi -柯夫塔,kē fū tǎ,kofta -柯密,kē mì,Kermit (communications protocol) -柯尼斯堡,kē ní sī bǎo,"Königsberg, Baltic port city, capital of East Prussia (until WWII)" -柯式印刷,kē shì yìn shuā,offset printing -柯文哲,kē wén zhé,"Ko Wen-je (1959-), Taiwanese independent politician, Mayor of Taipei City from 2014" -柯林,kē lín,Colin (name) -柯林斯,kē lín sī,Collins (name) -柯林顿,kē lín dùn,"(Tw) Clinton (name); Bill Clinton (1946-), US Democratic politician, president 1993-2001; Hillary Rodham Clinton (1947-), US Democratic politician" -柯棣华,kē dì huá,"Dwarkanath Kotnis (1910-1942), one of five Indian doctors sent to China to provide medical assistance during the Second Sino-Japanese War" -柯沙奇病毒,kē shā qí bìng dú,Coxsackievirus -柯尔克孜,kē ěr kè zī,Kyrghiz ethnic group of Xinjiang -柯尔克孜族,kē ěr kè zī zú,Kyrghiz ethnic group of Xinjiang -柯尔克孜语,kē ěr kè zī yǔ,Kyrghiz language -柯萨奇病毒,kē sà qí bìng dú,Coxsachie A intestinal virus -柯西,kē xī,"Augustin-Louis Cauchy (1789-1857), French mathematician" -柯达,kē dá,"Kodak (brand, US film company); full name Eastman Kodak Company 伊士曼柯達公司|伊士曼柯达公司[Yi1 shi4 man4 Ke1 da2 Gong1 si1]" -柯那克里,kē nà kè lǐ,"Conakry, capital of Guinea (Tw)" -柯里化,kē lǐ huà,(computing) currying -柰,nài,Chinese pear-leaved crab-apple -柰子,nài zi,Chinese pear-leaf crabapple (Malus asiatica); (Internet slang) tits (pun on 奶子[nai3 zi5]) -柱,zhù,pillar; CL:根[gen1] -柱型图,zhù xíng tú,bar graph; bar diagram -柱塞,zhù sāi,piston -柱子,zhù zi,pillar; CL:根[gen1] -柱梁,zhù liáng,pillar -柱状图,zhù zhuàng tú,bar chart -柱石,zhù shí,pillar -柱身,zhù shēn,column shaft (architecture) -柱头,zhù tóu,(architecture) capital; column head; (botany) stigma -柱体,zhù tǐ,cylinder; prism (math.) -柳,liǔ,surname Liu -柳,liǔ,willow -柳丁,liǔ dīng,orange (fruit) (Tw) -柳丁氨醇,liǔ dīng ān chún,"albuterol (also known as proventil, salbutamol, ventolin), an asthma drug" -柳公权,liǔ gōng quán,"Liu Gongquan (778-865), Tang calligrapher" -柳北,liǔ běi,"Liubei district of Liuzhou city 柳州市[Liu3 zhou1 shi4], Guangxi" -柳北区,liǔ běi qū,"Liubei district of Liuzhou city 柳州市[Liu3 zhou1 shi4], Guangxi" -柳南,liǔ nán,"Liunan district of Liuzhou city 柳州市[Liu3 zhou1 shi4], Guangxi" -柳南区,liǔ nán qū,"Liunan district of Liuzhou city 柳州市[Liu3 zhou1 shi4], Guangxi" -柳啼花怨,liǔ tí huā yuàn,desolate -柳园,liǔ yuán,"Liuyuan town in Guazhou county 瓜州縣|瓜州县[Gua1 zhou1 xian4] in Jiuquan 酒泉, Gansu" -柳园镇,liǔ yuán zhèn,"Liuyuan town in Guazhou county 瓜州縣|瓜州县[Gua1 zhou1 xian4] in Jiuquan 酒泉, Gansu" -柳城,liǔ chéng,"Liucheng county in Liuzhou 柳州[Liu3 zhou1], Guangxi" -柳城县,liǔ chéng xiàn,"Liucheng county in Liuzhou 柳州[Liu3 zhou1], Guangxi" -柳子戏,liǔ zi xì,Shandong opera -柳宗元,liǔ zōng yuán,"Liu Zongyuan (773-819), Tang essayist and poet, advocate of the classical writing 古文運動|古文运动 and neoclassical 復古|复古 movements" -柳州,liǔ zhōu,Liuzhou prefecture-level city in Guangxi -柳州市,liǔ zhōu shì,Liuzhou prefecture-level city in Guangxi -柳暗花明,liǔ àn huā míng,"lit. the willow trees make the shade, the flowers give the light (idiom); at one's darkest hour, a glimmer of hope; light at the end of the tunnel" -柳杉,liǔ shān,Japanese cedar (Cryptomeria japonica) -柳杞,liǔ qǐ,willow -柳林,liǔ lín,"Liulin county in Lüliang 呂梁|吕梁[Lu:3 liang2], Shanxi 山西" -柳林县,liǔ lín xiàn,"Liulin county in Lüliang 呂梁|吕梁[Lu:3 liang2], Shanxi 山西" -柳条,liǔ tiáo,willow; willow branches; wicker (material for basketwork) -柳条湖事件,liǔ tiáo hú shì jiàn,the Mukden or Manchurian Railway Incident of 18th September 1931 used by the Japanese as a pretext to annex Manchuria; also known as 9-18 incident 九一八事變|九一八事变[Jiu3 Yi1 ba1 Shi4 bian4] -柳条沟事件,liǔ tiáo gōu shì jiàn,see 柳條湖事件|柳条湖事件[Liu3 tiao2 Hu2 Shi4 jian4] -柳条边,liǔ tiáo biān,"Willow palisade across Liaoning, 17th century barrier" -柳树,liǔ shù,willow -柳橙,liǔ chéng,orange (fruit) -柳橙汁,liǔ chéng zhī,"orange juice; CL:瓶[ping2],杯[bei1],罐[guan4],盒[he2]; see also 橙汁[cheng2 zhi1]" -柳毅传,liǔ yì zhuàn,"story of Liu Yi, Tang fantasy fiction by Li Chaowei 李朝威, popular with dramatist of subsequent dynasties" -柳永,liǔ yǒng,"Liu Yong (987-1053), Song poet" -柳江,liǔ jiāng,"Liujiang county in Liuzhou 柳州[Liu3 zhou1], Guangxi" -柳江县,liǔ jiāng xiàn,"Liujiang county in Liuzhou 柳州[Liu3 zhou1], Guangxi" -柳河,liǔ hé,"Liuhe county in Tonghua 通化, Jilin" -柳河县,liǔ hé xiàn,"Liuhe county in Tonghua 通化, Jilin" -柳烟花雾,liǔ yān huā wù,lit. willow scent and mist of blossom (idiom); scene full of the delights of spring -柳营,liǔ yíng,"Liouying, a district in Tainan 台南|台南[Tai2 nan2], Taiwan" -柳琴,liǔ qín,"liuqin lute, smaller version of the pipa 琵琶, with holes in the soundbox, and range similar to that of a violin" -柳眉,liǔ méi,"long, shapely eyebrows" -柳绿花红,liǔ lǜ huā hóng,lit. green willows and red flowers (idiom); fig. all the colors of spring -柳叶刀,liǔ yè dāo,lancet (surgeon's knife) -柳叶眉,liǔ yè méi,see 柳眉[liu3 mei2] -柳陌花衢,liǔ mò huā qú,brothel -柳雷鸟,liǔ léi niǎo,(bird species of China) willow ptarmigan (Lagopus lagopus) -柳青,liǔ qīng,"Liu Qing (1916-1978), writer" -柳体,liǔ tǐ,calligraphic style of Liu Gongquan -柳莺,liǔ yīng,(ornithology) leaf warbler (bird of genus Phylloscopus) -柴,chái,surname Chai -柴,chái,firewood; lean (of meat); thin (of a person) -柴可夫斯基,chái kě fū sī jī,"Tchaikovsky (1840-1893), Russian composer" -柴油,chái yóu,diesel fuel -柴油机,chái yóu jī,diesel engine -柴油发动机,chái yóu fā dòng jī,diesel engine -柴火,chái huo,firewood -柴犬,chái quǎn,shiba inu (Japanese dog breed) -柴田,chái tián,Shibata (Japanese surname and place name) -柴禾妞,chái hé niū,skinny and unsophisticated girl -柴科夫斯基,chái kē fū sī jī,"Piotr Ilyich Tchaikowsky (1840-1893), Russian composer, composer of 6 symphonies and the opera Eugene Onegin" -柴米油盐,chái mǐ yóu yán,"lit. firewood, rice, oil and salt; fig. life's daily necessities" -柴米油盐酱醋茶,chái mǐ yóu yán jiàng cù chá,"lit. firewood, rice, oil, salt, soy, vinegar, and tea; fig. life's daily necessities" -柴胡,chái hú,Chinese thorowax (Bupleurum chinense); root of Chinese thorowax (used in TCM) -柴草,chái cǎo,firewood -柴薪,chái xīn,firewood -柴车,chái chē,simple and crude cart (or chariot) -柴达木,chái dá mù,"Tsaidam or Qaidam basin (Mongolian: salt marsh), depression northeast of the Plateau of Tibet, located between the Qilian Shan and the Kunlun Shan at the northern margin of the Tibetan Plateau." -柴达木盆地,chái dá mù pén dì,"Tsaidam or Qaidam basin (Mongolian: salt marsh), depression northeast of the Plateau of Tibet, located between the Qilian Shan and the Kunlun Shan at the northern margin of the Tibetan Plateau." -柴门,chái mén,lit. woodcutter's family; humble background; poor family background -柴门小户,chái mén xiǎo hù,woodcutter's cottage (idiom); poor person's hovel; fig. my humble house -柴鸡,chái jī,"a variety of free-range chicken, small with furless legs, laying smaller eggs" -柴电机车,chái diàn jī chē,diesel-electric locomotive -柴鱼片,chái yú piàn,katsuobushi or dried bonito flakes (paper-thin shavings of preserved skipjack tuna) -栅,zhà,fence; also pr. [shan1] -栅子,zhà zi,bamboo fence -栅格,shān gé,grid; lattice; raster -栅条,zhà tiáo,paling; fence rail -栅极,shān jí,grid (in vacuum tubes); gate (terminal of a field-effect transistor) -栅栏,zhà lán,fence -栅篱,zhà lí,hedge; fence -栅门,zhà mén,gate; door with grating; turnstile; logical gate (electronics) -柿,shì,old variant of 柿[shi4] -拐,guǎi,variant of 枴|拐[guai3] -柿,shì,persimmon -柿子,shì zi,persimmon; CL:個|个[ge4] -柿子挑软的捏,shì zi tiāo ruǎn de niē,lit. it's the soft persimmons that people choose to squeeze (idiom); fig. it's the weak (i.e. 軟柿子|软柿子[ruan3 shi4 zi5]) who get picked on; bullies pick soft targets -柿子椒,shì zi jiāo,"bell pepper, aka sweet pepper" -柿饼,shì bǐng,dried persimmon -柳,liǔ,old variant of 柳[liu3] -栓,shuān,bottle stopper; plug; (gun) bolt; (grenade) pin -栓剂,shuān jì,suppository -栓塞,shuān sè,(medicine) embolism -栓子,shuān zi,(medicine) embolus -栓皮,shuān pí,cork -栓皮栎,shuān pí lì,Chinese cork oak (Quercus variabilis) -栗,lì,surname Li -栗,lì,chestnut -栗啄木鸟,lì zhuó mù niǎo,(bird species of China) rufous woodpecker (Celeus brachyurus) -栗喉蜂虎,lì hóu fēng hǔ,(bird species of China) blue-tailed bee-eater (Merops philippinus) -栗子,lì zi,chestnut -栗斑杜鹃,lì bān dù juān,(bird species of China) banded bay cuckoo (Cacomantis sonneratii) -栗树鸭,lì shù yā,(bird species of China) lesser whistling duck (Dendrocygna javanica) -栗耳短脚鹎,lì ěr duǎn jiǎo bēi,(bird species of China) brown-eared bulbul (Hypsipetes amaurotis) -栗耳凤鹛,lì ěr fèng méi,(bird species of China) Indochinese yuhina (Yuhina torqueola) -栗背伯劳,lì bèi bó láo,(bird species of China) Burmese shrike (Lanius collurioides) -栗背奇鹛,lì bèi qí méi,(bird species of China) rufous-backed sibia (Heterophasia annectans) -栗背岩鹨,lì bèi yán liù,(bird species of China) maroon-backed accentor (Prunella immaculata) -栗背短翅鸫,lì bèi duǎn chì dōng,(bird species of China) Gould's shortwing (Heteroxenicus stellatus) -栗背短脚鹎,lì bèi duǎn jiǎo bēi,(bird species of China) chestnut bulbul (Hemixos castanonotus) -栗腹文鸟,lì fù wén niǎo,(bird species of China) chestnut munia (Lonchura atricapilla) -栗腹歌鸲,lì fù gē qú,(bird species of China) Indian blue robin (Larvivora brunnea) -栗腹矶鸫,lì fù jī dōng,(bird species of China) chestnut-bellied rock thrush (Monticola rufiventris) -栗色,lì sè,maroon (color) -栗头八色鸫,lì tóu bā sè dōng,(bird species of China) rusty-naped pitta (Hydrornis oatesi) -栗头地莺,lì tóu dì yīng,(bird species of China) chestnut-headed tesia (Cettia castaneocoronata) -栗头蜂虎,lì tóu fēng hǔ,(bird species of China) chestnut-headed bee-eater (Merops leschenaulti) -栗头雀鹛,lì tóu què méi,(bird species of China) rufous-winged fulvetta (Alcippe castaneceps) -栗颊噪鹛,lì jiá zào méi,(bird species of China) rufous-cheeked laughingthrush (Garrulax castanotis) -栗颈噪鹛,lì jǐng zào méi,(bird species of China) rufous-necked laughingthrush (Garrulax ruficollis) -栗鸢,lì yuān,(bird species of China) Brahminy kite (Haliastur indus) -栗鸮,lì xiāo,(bird species of China) oriental bay owl (Phodilus badius) -栗鼠,lì shǔ,chinchilla; chipmunk -栝,guā,Juniperus chinensis; measuring-frame -刊,kān,old variant of 刊[kan1]; to peel with a knife; to carve; to amend -校,jiào,to check; to collate; to proofread -校,xiào,(bound form) school; college; (bound form) (military) field officer -校内,xiào nèi,Xiaonei (Chinese social network website) -校内,xiào nèi,on-campus; intramural -校刊,xiào kān,school magazine -校勘,jiào kān,to collate -校区,xiào qū,campus -校友,xiào yǒu,schoolmate; alumnus; alumna -校园,xiào yuán,campus -校地,xiào dì,campus -校场,jiào chǎng,military drill ground -校外,xiào wài,off campus -校官,xiào guān,"military officer; ranked officer in Chinese army, divided into 大校, 上校, 中校, 少校" -校尉,xiào wèi,military officer -校对,jiào duì,proofreader; to proofread; to calibrate -校徽,xiào huī,school badge; college insignia; university crest -校庆,xiào qìng,anniversary of the founding of a school -校招,xiào zhāo,campus recruiting (abbr. for 校園招聘|校园招聘[xiao4 yuan2 zhao1 pin4]) -校方,xiào fāng,"the school (as a party in a contract, dispute etc); the school authorities" -校历,xiào lì,school calendar -校服,xiào fú,school uniform -校样,jiào yàng,proofs (printing) -校歌,xiào gē,school song -校正,jiào zhèng,to proofread and correct; to edit and rectify; to correct; to calibrate -校准,jiào zhǔn,to calibrate -校监,xiào jiàn,supervisor (of school); principal -校舍,xiào shè,school building -校花,xiào huā,the prettiest girl in the school (see also 校草[xiao4 cao3]); school beauty queen; campus belle; prom queen -校草,xiào cǎo,the most handsome boy in the school (see also 校花[xiao4 hua1]) -校规,xiào guī,school rules and regulations -校订,jiào dìng,revision -校训,xiào xùn,school motto -校车,xiào chē,school bus -校运会,xiào yùn huì,(school) field day; sports day -校释,jiào shì,to collate and annotate; (on book titles) collated and annotated -校长,xiào zhǎng,"(college, university) president; headmaster; CL:個|个[ge4],位[wei4],名[ming2]" -校阅,jiào yuè,to check through (a document); to proofread; to review (troops) -校际,xiào jì,interschool; intercollegiate -校霸,xiào bà,school bully -校风,xiào fēng,the tone of a school; campus atmosphere -校验,jiào yàn,to check; to examine -校验码,jiào yàn mǎ,check digit -校闹,xiào nào,disruptive activities targeted at a school by an aggrieved party (neologism formed by analogy with 醫鬧|医闹[yi1 nao4]) -柏,bǎi,variant of 柏[bai3] -栩,xǔ,used in 栩栩[xu3 xu3]; jolcham oak (Quercus serrata) -栩栩,xǔ xǔ,vivid -栩栩如生,xǔ xǔ rú shēng,vivid and lifelike (idiom); true to life; realistic -栩栩生辉,xǔ xǔ shēng huī,resplendent -株,zhū,tree trunk; stump (tree root); a plant; classifier for trees or plants; strain (biology); to involve others (in shady business) -株守,zhū shǒu,to stick to sth stubbornly; never let go -株式会社,zhū shì huì shè,Japanese limited company; corporation; public company; Ltd; p.l.c.; Corp; Japanese pr. kabushiki-gaisha -株治,zhū zhì,to involve others (in a law case) -株洲,zhū zhōu,"Zhuzhou, prefecture-level city, on the Xiangjiang river in Hunan" -株洲市,zhū zhōu shì,"Zhuzhou, prefecture-level city, on the Xiangjiang river in Hunan" -株洲县,zhū zhōu xiàn,"Zhuzhou county in Zhuzhou 株洲, Hunan" -株距,zhū jù,spacing; distance between plants (within a row) -株连,zhū lián,to involve others (in a crime); guilt by association -筏,fá,variant of 筏[fa2] -栱,gǒng,post -栲,kǎo,"chinquapin (Castanopsis fargesii and other spp.), genus of evergreen trees" -栲属,kǎo shǔ,"Castanopsis, genus of evergreen trees" -栲栳,kǎo lǎo,round-bottomed wicker basket -栲胶,kǎo jiāo,tannin -栳,lǎo,basket -栴,zhān,used in 栴檀[zhan1 tan2] -栴檀,zhān tán,sandalwood -核,hé,pit; stone; nucleus; nuclear; to examine; to check; to verify -核不扩散,hé bù kuò sàn,nuclear nonproliferation -核事件,hé shì jiàn,nuclear incident -核仁,hé rén,nucleolus (within nucleus of cell) -核僵持,hé jiāng chí,nuclear equipoise; nuclear stalemate -核儿,hú er,pit (stone of a fruit) -核冬天,hé dōng tiān,nuclear winter -核准,hé zhǔn,to authorize; to investigate then ratify -核出口控制,hé chū kǒu kòng zhì,nuclear export control -核分裂,hé fēn liè,nuclear fission -核动力,hé dòng lì,nuclear power -核动力航空母舰,hé dòng lì háng kōng mǔ jiàn,nuclear-powered aircraft carrier -核势,hé shì,nuclear potential -核原料,hé yuán liào,nuclear material -核反应,hé fǎn yìng,nuclear reaction -核反应堆,hé fǎn yìng duī,nuclear reactor -核反击,hé fǎn jī,nuclear counter strike -核合成,hé hé chéng,nucleosynthesis -核问题,hé wèn tí,the nuclear problem -核四,hé sì,"Fourth Nuclear Power Plant near New Taipei City 新北市[Xin1 bei3 shi4], Taiwan; also called Lungmen Nuclear Power Plant" -核国家,hé guó jiā,nuclear nations -核地雷,hé dì léi,nuclear land mine; nuclear mine -核均势,hé jūn shì,nuclear parity -核型,hé xíng,karyotype (genetics) -核大国,hé dà guó,a nuclear power (country) -核威慑,hé wēi shè,nuclear deterrence -核威慑力量,hé wēi shè lì liang,nuclear deterrent -核威慑政策,hé wēi shè zhèng cè,policy of nuclear intimidation -核子,hé zǐ,nuclear; nucleus -核子医学,hé zǐ yī xué,nuclear medicine -核定,hé dìng,to audit and determine; to check and ratify; to appraise and decide; determination; on a deemed basis (taxation); to deem -核实,hé shí,to verify; to check -核对,hé duì,to check; to verify; to audit; to examine -核对峙,hé duì zhì,nuclear stalemate -核对帐目,hé duì zhàng mù,to verify accounting records -核导弹,hé dǎo dàn,nuclear missile -核小体,hé xiǎo tǐ,nucleosome -核屏蔽,hé píng bì,nuclear shielding -核工业,hé gōng yè,nuclear industry -核工业部,hé gōng yè bù,Ministry of Nuclear Industry -核工程,hé gōng chéng,nuclear engineering -核废物,hé fèi wù,nuclear waste -核弹,hé dàn,nuclear warhead -核弹头,hé dàn tóu,nuclear reentry vehicle; nuclear warhead -核心,hé xīn,core; nucleus -核战,hé zhàn,nuclear warfare -核战斗部,hé zhàn dòu bù,nuclear warhead -核技术,hé jì shù,nuclear technology -核推进,hé tuī jìn,nuclear propulsion -核扩散,hé kuò sàn,nuclear proliferation -核查,hé chá,to examine; to inspect -核查小组,hé chá xiǎo zǔ,inspection team -核柱,hé zhù,nuclear column -核桃,hé tao,"walnut; CL:個|个[ge4],顆[ke1]" -核桃仁,hé tao rén,walnut kernel -核模型,hé mó xíng,nuclear model -核武,hé wǔ,nuclear weapon -核武器,hé wǔ qì,nuclear weapon -核武库,hé wǔ kù,nuclear arsenal -核热,hé rè,nuclear heat -核燃料,hé rán liào,nuclear fuel -核燃料后处理,hé rán liào hòu chǔ lǐ,nuclear fuel reprocessing -核爆炸,hé bào zhà,nuclear explosion -核爆炸装置,hé bào zhà zhuāng zhì,nuclear explosion device -核物理,hé wù lǐ,nuclear physics -核球,hé qiú,core; pellet; central bulge; caryosphere (biology) -核当量,hé dāng liàng,nuclear yield -核发电,hé fā diàn,nuclear power generation -核发电厂,hé fā diàn chǎng,nuclear power plant -核相互作用,hé xiāng hù zuò yòng,nuclear interaction -核磁共振,hé cí gòng zhèn,nuclear magnetic resonance (NMR) -核算,hé suàn,to calculate; accounting -核糖,hé táng,ribose -核糖核酸,hé táng hé suān,ribonucleic acid (RNA) -核糖体,hé táng tǐ,ribosome -核素,hé sù,nuclide -核结构,hé jié gòu,nuclear structure -核聚变,hé jù biàn,nuclear fusion -核能,hé néng,nuclear energy -核能源,hé néng yuán,nuclear power -核自旋,hé zì xuán,nuclear spin -核苷,hé gān,nucleoside -核苷酸,hé gān suān,nucleotide -核裁军,hé cái jūn,nuclear disarmament -核裂变,hé liè biàn,atomic fission; nuclear fission; fission -核装置,hé zhuāng zhì,nuclear device -核设施,hé shè shī,nuclear facility; nuclear installation -核试,hé shì,nuclear weapons test -核试爆,hé shì bào,a nuclear test -核试验,hé shì yàn,nuclear test -核试验堆,hé shì yàn duī,nuclear test reactor -核试验场,hé shì yàn chǎng,nuclear test site -核谈判,hé tán pàn,nuclear negotiations -核证模型,hé zhèng mó xíng,verification model -核变形,hé biàn xíng,nuclear deformation -核军备,hé jūn bèi,nuclear arms -核辐射,hé fú shè,nuclear radiation -核转变,hé zhuǎn biàn,nuclear transformation; nuclear transmutation -核轰炸,hé hōng zhà,nuclear bomb -核轰炸机,hé hōng zhà jī,nuclear bomber (aircraft) -核连锁反应,hé lián suǒ fǎn yìng,nuclear chain reaction -核酮糖,hé tóng táng,ribulose (type of sugar) -核酸,hé suān,nucleic acid; (coll.) nucleic acid test (abbr. for 核酸檢測|核酸检测[he2suan1 jian3ce4]) -核销,hé xiāo,to audit and write off -核门槛,hé mén jiàn,nuclear threshold -核防御,hé fáng yù,nuclear defense -核电,hé diàn,nuclear power -核电厂,hé diàn chǎng,nuclear power plant -核电磁脉冲,hé diàn cí mài chōng,nuclear electro-magnetic pulse -核电站,hé diàn zhàn,nuclear power plant -核电荷数,hé diàn hè shù,electric charge on nucleus; atomic number -核显,hé xiǎn,(computing) integrated GPU (GPU built into a CPU) -核驳,hé bó,to reject (a patent application etc) -核碱基,hé jiǎn jī,nucleobase -核黄素,hé huáng sù,riboflavin (vitamin B2) -根,gēn,"root; basis; classifier for long slender objects, e.g. cigarettes, guitar strings; CL:條|条[tiao2]; radical (chemistry)" -根基,gēn jī,foundation -根底,gēn dǐ,foundation; grounding; background; what lies at the bottom of sth; root; cause -根式,gēn shì,(math.) a radical; a radical expression -根性,gēn xìng,one's true nature (Buddhism) -根据,gēn jù,according to; based on; basis; foundation; CL:個|个[ge4] -根据地,gēn jù dì,base of operations -根据规定,gēn jù guī dìng,according to provisions; as stipulated in the rules -根本,gēn běn,fundamental; basic; root; simply; absolutely (not); (not) at all; CL:個|个[ge4] -根本法,gēn běn fǎ,fundamental law; body of basic laws -根柢,gēn dǐ,root; foundation -根汁汽水,gēn zhī qì shuǐ,root beer -根河,gēn hé,"Genhe, county-level city, Mongolian Gegeen-gol xot, in Hulunbuir 呼倫貝爾|呼伦贝尔[Hu1 lun2 bei4 er3], Inner Mongolia" -根河市,gēn hé shì,"Genhe, county-level city, Mongolian Gegeen-gol xot, in Hulunbuir 呼倫貝爾|呼伦贝尔[Hu1 lun2 bei4 er3], Inner Mongolia" -根治,gēn zhì,to bring under permanent control; to effect a radical cure -根深叶茂,gēn shēn yè mào,deep roots and vigorous foliage (idiom); (fig.) well established and growing strongly -根深蒂固,gēn shēn dì gù,deep-rooted (problem etc) -根源,gēn yuán,origin; root (cause) -根特,gēn tè,"Ghent, city in Belgium" -根状茎,gēn zhuàng jīng,rhizome (biol.); root stock -根由,gēn yóu,the whys and the wherefores; the detailed story; root cause -根究,gēn jiū,to investigate (sth) thoroughly; to get to the bottom of -根管治疗,gēn guǎn zhì liáo,root canal therapy (dentistry) -根系,gēn xì,root system -根绝,gēn jué,to eradicate -根茬,gēn chá,stubble -根茎,gēn jīng,stolon; runner; rhizome; rhizoma -根号,gēn hào,radical sign √ (math.) -根西岛,gēn xī dǎo,Guernsey (Channel Islands) -根除,gēn chú,to eradicate -根音,gēn yīn,root of chord -根须,gēn xū,roots -格,gé,square; frame; rule; (legal) case; style; character; standard; pattern; (grammar) case; (classical) to obstruct; to hinder; (classical) to arrive; to come; (classical) to investigate; to study exhaustively -格但斯克,gé dàn sī kè,"Gdansk, city on Baltic in north Poland" -格位,gé wèi,case (linguistics) -格列高利历,gé liè gāo lì lì,Gregorian calendar -格力,gé lì,Gree (brand) -格勒,gé lè,(onom.) laughing sound; glug-glug haha! -格勒诺布尔,gé lè nuò bù ěr,Grenoble (French town) -格外,gé wài,especially; particularly -格子,gé zi,lattice; check (pattern of squares) -格子呢,gé zi ní,tartan; plaid -格子棉布,gé zi mián bù,gingham -格子花呢,gé zi huā ní,tartan; plaid -格子间,gé zi jiān,cubicle -格局,gé jú,structure; pattern; layout -格式,gé shì,form; specification; format -格式化,gé shì huà,to format -格式塔,gé shì tǎ,Gestalt (loanword); see 格斯塔[Ge2 si1 ta3] -格式塔疗法,gé shì tǎ liáo fǎ,Gestalt therapy; holistic therapy -格律,gé lǜ,"forms of versification; conventions regarding set number of words and lines, choice of tonal patterns and rhyme schemes for various types of Classical Chinese poetic composition; metrical verse" -格恩西岛,gé ēn xī dǎo,Guernsey (Channel Islands) -格拉,gé lā,Gera (city in Germany) -格拉斯哥,gé lā sī gē,"Glasgow, Scotland" -格拉汉姆,gé lā hàn mǔ,Graham or Graeme (name) -格拉纳达,gé lā nà dá,"Granada, Spain" -格拉茨,gé lā cí,Graz (city in Austria) -格挡,gé dǎng,to parry; to fend off; to block (a blow) -格斯塔,gé sī tǎ,Gestalt (loanword); coherent whole; technical word used in psychology meaning the whole is more than the sum of its parts; holistic; integrated; total; also written 格式塔 -格林,gé lín,Green or Greene (name) -格林多,gé lín duō,Corinthians -格林奈尔大学,gé lín nài ěr dà xué,"Grinnell College (private liberal arts college in Grinnell, Iowa, USA)" -格林威治,gé lín wēi zhì,Greenwich -格林威治村,gé lín wēi zhì cūn,Greenwich -格林威治标准时间,gé lín wēi zhì biāo zhǔn shí jiān,(Tw) Greenwich Mean Time (GMT) -格林尼治,gé lín ní zhì,"Greenwich (former location of Greenwich observatory, at zero longitude); refers to Greenwich mean time" -格林尼治本初子午线,gé lín ní zhì běn chū zǐ wǔ xiàn,the Greenwich meridian -格林尼治标准时间,gé lín ní zhì biāo zhǔn shí jiān,Greenwich Mean Time (GMT) -格林斯班,gé lín sī bān,"Alan Greenspan (1926-), US economist" -格林纳达,gé lín nà dá,Grenada -格栅,gé shān,grille -格格,gé ge,"princess (loanword from Manchu, used in the Qing Dynasty)" -格格不入,gé gé bù rù,(idiom) inharmonious; incompatible -格格笑,gé gé xiào,giggle -格洛斯特,gé luò sī tè,Gloucester city in southwest England -格洛斯特郡,gé luò sī tè jùn,Gloucestershire county in southwest England -格洛纳斯,gé luò nà sī,"GLONASS (Globalnaya Navigatsionaya Satelitnaya Sistema or Global Navigation Satellite System), the Russian equivalent of GPS" -格涅沙,gé niè shā,"Ganesha (the elephant-headed God in Hinduism, son of Shiva and Parvati)" -格尔夫波特,gé ěr fū bō tè,Gulf Port (Florida or Mississippi) -格尔木,gé ěr mù,"Golmud or Ge'ermu city (Tibetan: na gor mo grong khyer) in Haixi Mongol and Tibetan autonomous prefecture 海西蒙古族藏族自治州[Hai3 xi1 Meng3 gu3 zu2 Zang4 zu2 zi4 zhi4 zhou1], Qinghai" -格尔木市,gé ěr mù shì,"Golmud or Ge'ermu city (Tibetan: na gor mo grong khyer) in Haixi Mongol and Tibetan autonomous prefecture 海西蒙古族藏族自治州[Hai3 xi1 Meng3 gu3 zu2 Zang4 zu2 zi4 zhi4 zhou1], Qinghai" -格物,gé wù,"to study the underlying principles, esp. in neo-Confucian rational learning 理學|理学[li3 xue2]; word for Western natural sciences during late Qing" -格物致知,gé wù zhì zhī,to study the underlying principle to acquire knowledge (idiom); pursuing knowledge to the end -格瑞那达,gé ruì nà dá,"Grenada, island country in the Caribbean Sea (Tw)" -格瓦斯,gé wǎ sī,(loanword) kvass -格筛,gé shāi,grizzly (mining) -格网,gé wǎng,(math.) lattice -格罗宁根,gé luó níng gēn,"Groningen, province and city in the Netherlands" -格罗兹尼,gé luó zī ní,"Grozny, capital of Chechen Republic, Russia" -格致,gé zhì,to study the underlying principle to acquire knowledge (abbr. for 格物致知[ge2 wu4 zhi4 zhi1]); word for Western natural sciences during late Qing -格莱美奖,gé lái měi jiǎng,Grammy Award (US prize for music recording); also written 葛萊美獎|葛莱美奖 -格萨尔,gé sà ěr,"King Gesar, hero of a Tibetan and Mongolian epic cycle" -格兰氏阴性,gé lán shì yīn xìng,Gram negative (of bacteria); also written 革蘭氏陰性|革兰氏阴性 -格兰特,gé lán tè,Grant (name) -格兰芬多,gé lán fēn duō,Gryffindor (Harry Potter) -格兰菜,gé lán cài,see 芥藍|芥蓝[gai4 lan2] -格言,gé yán,maxim -格调,gé diào,style (of art or literature); form; one's work style; moral character -格里姆斯塔,gé lǐ mǔ sī tǎ,"Grimstad (city in Agder, Norway)" -格里高利,gé lǐ gāo lì,Gregory or Grigory (name) -格陵兰,gé líng lán,Greenland -格陵兰岛,gé líng lán dǎo,Greenland -格雷,gé léi,Grey; Gray -格雷伯爵茶,gé léi bó jué chá,Earl Grey tea -格雷氏解剖学,gé léi shì jiě pōu xué,Gray's Anatomy (medical reference book) -格雷茅斯,gé léi máo sī,"Greymouth, town in New Zealand; also written 格雷默斯[Ge2 lei2 mo4 si1]" -格斗,gé dòu,to wrestle -格鲁吉亚,gé lǔ jí yà,Georgia (country) -格鲁吉亚人,gé lǔ jí yà rén,Georgian (person) -格鲁派,gé lǔ pài,Gelugpa school of Tibetan Buddhism -栽,zāi,to plant; to grow; to insert; to erect (e.g. a bus stop sign); to impose sth on sb; to stumble; to fall down -栽倒,zāi dǎo,to take a fall -栽培,zāi péi,to grow; to cultivate; to train; to educate; to patronize -栽子,zāi zi,seedling; young plant -栽植,zāi zhí,to plant; to transplant -栽种,zāi zhòng,to plant; to grow -栽种机,zāi zhòng jī,"a mechanical planter (for rice, plants)" -栽筋斗,zāi jīn dǒu,to tumble; to fall head over heels; (fig.) to take a tumble -栽赃,zāi zāng,to frame sb (by planting sth on them) -栽跟头,zāi gēn tou,to fall head over heels; (fig.) to come a cropper -桀,jié,(emperor of Xia dynasty); cruel -桀王,jié wáng,"King Jie, the final ruler of the Xia dynasty (until c. 1600 BC), a notoriously cruel and immoral tyrant" -桀贪骜诈,jié tān ào zhà,"brutal, greedy, arrogant and deceitful (idiom)" -桀骜不逊,jié ào bù xùn,see 桀驁不馴|桀骜不驯[jie2 ao4 bu4 xun4] -桀骜不顺,jié ào bù shùn,see 桀驁不馴|桀骜不驯[jie2 ao4 bu4 xun4] -桀骜不驯,jié ào bù xùn,arrogant and obstinate (idiom); unyielding -桁,háng,cangue (stocks to punish criminals) -桁,héng,pole plate; purlin (cross-beam in roof); ridge-pole -桁架,héng jià,truss (weight-bearing construction of cross-beams) -桁梁,héng liáng,brace girder -桁杨,háng yáng,lit. stocks and knives; fig. any punishment equipment; torture instrument -桁杨刀锯,háng yáng dāo jù,lit. stocks and knives; fig. any punishment equipment; torture instrument -桂,guì,surname Gui; abbr. for Guangxi Autonomous Region 廣西壯族自治區|广西壮族自治区[Guang3xi1 Zhuang4zu2 Zi4zhi4qu1] -桂,guì,cassia; laurel -桂冠,guì guān,laurel (as a symbol of victory or merit) -桂圆,guì yuán,see 龍眼|龙眼[long2 yan3] -桂平,guì píng,"Guiping, county-level city in Guigang 貴港|贵港[Gui4 gang3], Guangxi" -桂平市,guì píng shì,"Guiping, county-level city in Guigang 貴港|贵港[Gui4 gang3], Guangxi" -桂木属,guì mù shǔ,genus Artocarpus -桂东,guì dōng,"Guidong county in Chenzhou 郴州[Chen1 zhou1], Hunan" -桂东县,guì dōng xiàn,"Guidong county in Chenzhou 郴州[Chen1 zhou1], Hunan" -桂林,guì lín,Guilin prefecture-level city in Guangxi -桂林市,guì lín shì,Guilin prefecture-level city in Guangxi -桂林医学院,guì lín yī xué yuàn,Guilin Medical University -桂枝,guì zhī,cinnamon (Ramulus Cinnamomi) -桂格,guì gé,Quaker (company) -桂皮,guì pí,Chinese cinnamon (Cinnamonum cassia); cassia bark -桂系军阀,guì xì jūn fá,"Guangxi warlord faction, from 1911-1930" -桂纶镁,guì lún měi,"Guey Lun-mei (1983-), Taiwanese actress" -桂花,guì huā,osmanthus flowers; Osmanthus fragrans -桂阳,guì yáng,"Guiyang county in Chenzhou 郴州[Chen1 zhou1], Hunan" -桂阳县,guì yáng xiàn,"Guiyang county in Chenzhou 郴州[Chen1 zhou1], Hunan" -桂鱼,guì yú,mandarin fish -桃,táo,peach -桃仁,táo rén,"peach kernel, used in Chinese medicine" -桃园,táo yuán,Taoyuan city and county in Taiwan -桃园三结义,táo yuán sān jié yì,"Oath of the Peach Garden, sworn by Liu Bei 劉備|刘备[Liu2 Bei4], Zhang Fei 張飛|张飞[Zhang1 Fei1] and Guan Yu 關羽|关羽[Guan1 Yu3] at the start of the Romance of Three Kingdoms 三國演義|三国演义[San1 guo2 Yan3 yi4]" -桃园市,táo yuán shì,"Taoyuan city in north Taiwan, capital of Taoyuan county" -桃园结义,táo yuán jié yì,to make a pact of brotherhood (from “Romance of the Three Kingdoms” 三國演義|三国演义[San1 guo2 Yan3 yi4]) (idiom) -桃园县,táo yuán xiàn,Taoyuan county in Taiwan -桃城,táo chéng,"Taocheng district of Hengshui city 衡水市[Heng2 shui3 shi4], Hebei" -桃城区,táo chéng qū,"Taocheng district of Hengshui city 衡水市[Heng2 shui3 shi4], Hebei" -桃太郎,táo tài láng,"Momotaro or Peach Boy, the hero of a Japanese folk tale; (Tw) Japanese person" -桃子,táo zi,peach -桃山,táo shān,"Taoshan district of Qitaihe city 七台河[Qi1 tai2 he2], Heilongjiang" -桃山区,táo shān qū,"Taoshan district of Qitaihe city 七台河[Qi1 tai2 he2], Heilongjiang" -桃心,táo xīn,heart symbol ♥ -桃树,táo shù,peach tree; CL:株[zhu1] -桃汛,táo xùn,spring flood (at peach-blossom time) -桃江,táo jiāng,"Taojiang county in Yiyang 益陽|益阳[Yi4 yang2], Hunan" -桃江县,táo jiāng xiàn,"Taojiang county in Yiyang 益陽|益阳[Yi4 yang2], Hunan" -桃源,táo yuán,"Taoyuan county in Changde 常德[Chang2 de2], Hunan; Taoyuan township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -桃源,táo yuán,see 桃花源[tao2 hua1 yuan2] -桃源县,táo yuán xiàn,"Taoyuan county in Changde 常德[Chang2 de2], Hunan" -桃源乡,táo yuán xiāng,"Taoyuan township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -桃红,táo hóng,pink -桃腮粉脸,táo sāi fěn liǎn,rosy-cheeked (idiom) -桃色,táo sè,pink; peach color; illicit love; sexual -桃色新闻,táo sè xīn wén,sex scandal -桃色案件,táo sè àn jiàn,case involving sex scandal (law) -桃花,táo huā,peach blossom; (fig.) love affair -桃花心木,táo huā xīn mù,mahogany -桃花扇,táo huā shàn,"The Peach Blossom Fan, historical play about the last days of the Ming dynasty by Kong Shangren 孔尚任[Kong3 Shang4 ren4]" -桃花水母,táo huā shuǐ mǔ,freshwater jellyfish (Craspedacusta) -桃花汛,táo huā xùn,spring flood (at peach-blossom time) -桃花源,táo huā yuán,"the Peach Blossom Spring, a hidden land of peace and prosperity; utopia" -桃花运,táo huā yùn,luck with the ladies; a romance; good luck -桃莉羊,táo lì yáng,"(Tw) Dolly (1996-2003), female sheep, first mammal to be cloned from an adult somatic cell" -桃金娘,táo jīn niáng,rose myrtle (Myrtus communis) -桃金娘科,táo jīn niáng kē,"Myrtaceae (family including myrtle, rosemary, oregano etc)" -桄,guāng,used in 桄榔[guang1lang2] -桄,guàng,woven wood and bamboo utensil; classifier for threads and strings -桄榔,guāng láng,arenga or sugar palm (Arenga pinnata) -桅,wéi,mast -桅杆,wéi gān,mast -桅竿,wéi gān,ship mast; mast; also written 桅杆 -框,kuàng,frame (e.g. door frame); casing; fig. framework; template; to circle (i.e. draw a circle around sth); to frame; to restrict; Taiwan pr. [kuang1] -框图,kuàng tú,flowchart; block diagram -框子,kuàng zi,"frame (of spectacles, small ornament etc)" -框架,kuàng jià,(construction) frame; (fig.) framework -框框,kuàng kuang,a frame; a circle; set pattern; convention; restriction -案,àn,(legal) case; incident; record; file; table -案件,àn jiàn,"case; instance; CL:宗[zong1],樁|桩[zhuang1],起[qi3]" -案例,àn lì,"case (of fraud, hepatitis, international cooperation etc); instance; example; CL:個|个[ge4]" -案例法,àn lì fǎ,case law -案兵束甲,àn bīng shù jiǎ,to rest weapons and loosen armor (idiom); to relax from fighting -案卷,àn juàn,records; files; archives -案子,àn zi,"long table; counter; (coll.) case (criminal, medical etc); matter; project; job" -案底,àn dǐ,criminal record -案情,àn qíng,details of a case; case -案文,àn wén,text -案板,àn bǎn,kneading or chopping board -案牍,àn dú,official documents or correspondence -案由,àn yóu,main points of a case; brief; summary -案甲休兵,àn jiǎ xiū bīng,to put down weapon and let soldiers rest (idiom); to relax from fighting -案发,àn fā,(of a crime) to occur; (old) (of a crime) to be discovered; to investigate a crime on the spot -案发现场,àn fā xiàn chǎng,crime scene -案秤,àn chèng,counter scale; bench scale -案称,àn chèng,counter scale -案语,àn yǔ,variant of 按語|按语[an4 yu3] -案头,àn tóu,on one's desk -案首,àn shǒu,candidate who ranked 1st in imperial examination on prefecture or county level (in Ming and Qing dynasties) -案验,àn yàn,(old) to investigate the evidence of a case -桉,ān,Eucalyptus globulus; Taiwan pr. [an4] -桉树,ān shù,eucalyptus -桉叶油,ān yè yóu,eucalyptus oil -桌,zhuō,table; desk; classifier for tables of guests at a banquet etc -桌上型,zhuō shàng xíng,desktop -桌上型电脑,zhuō shàng xíng diàn nǎo,desktop computer -桌子,zhuō zi,"table; desk; CL:張|张[zhang1],套[tao4]" -桌巾,zhuō jīn,tablecloth -桌布,zhuō bù,"tablecloth; (computing) desktop background; wallpaper; CL:條|条[tiao2],塊|块[kuai4],張|张[zhang1]" -桌案,zhuō àn,table -桌椅板凳,zhuō yǐ bǎn dèng,chairs and tables; household furniture -桌机,zhuō jī,desktop computer -桌灯,zhuō dēng,desk lamp -桌球,zhuō qiú,"table tennis; table tennis ball (Tw); billiards; pool; snooker (HK, Singapore, Malaysia)" -桌游,zhuō yóu,board game -桌面,zhuō miàn,desktop; tabletop -桌面儿,zhuō miàn er,erhua variant of 桌面[zhuo1 mian4] -桌面儿上,zhuō miàn er shàng,on the table; fig. everything open and above board -桌面系统,zhuō miàn xì tǒng,desktop system -桎,zhì,fetters -桎梏,zhì gù,(literary) shackles -桐,tóng,"tree name (variously Paulownia, Firmiana or Aleurites)" -桐人,tóng rén,puppet burial object; wooden effigy buried to put a curse on sb -桐城,tóng chéng,"Tongcheng, a county-level city in Anqing 安慶|安庆[An1qing4], Anhui" -桐城市,tóng chéng shì,"Tongcheng, a county-level city in Anqing 安慶|安庆[An1qing4], Anhui" -桐庐,tóng lú,"Tonglu county in Hangzhou 杭州[Hang2 zhou1], Zhejiang" -桐庐县,tóng lú xiàn,"Tonglu county in Hangzhou 杭州[Hang2 zhou1], Zhejiang" -桐木偶,tóng mù ǒu,puppet burial object; wooden effigy buried to put a curse on sb -桐柏,tóng bǎi,"Tongbai county in Nanyang 南陽|南阳[Nan2 yang2], Henan" -桐柏山,tóng bǎi shān,"Tongbai mountain range, the watershed between Huai 淮河 and Han 漢江|汉江 rivers" -桐柏县,tóng bǎi xiàn,"Tongbai county in Nanyang 南陽|南阳[Nan2 yang2], Henan" -桐梓,tóng zǐ,"Taongzi county in Zunyi 遵義|遵义[Zun1 yi4], Guizhou" -桐梓县,tóng zǐ xiàn,"Taongzi county in Zunyi 遵義|遵义[Zun1 yi4], Guizhou" -桐油,tóng yóu,"tung oil, from the Japanese wood-oil tree Aleurites cordata, used in making lacquer" -桐乡,tóng xiāng,"Tongxiang, county-level city in Jiaxing 嘉興|嘉兴[Jia1 xing1], Zhejiang" -桐乡市,tóng xiāng shì,"Tongxiang, county-level city in Jiaxing 嘉興|嘉兴[Jia1 xing1], Zhejiang" -桑,sāng,surname Sang -桑,sāng,(bound form) mulberry tree -桑内斯,sāng nèi sī,"Sandnes (city in Rogaland, Norway)" -桑地诺民族解放阵线,sāng dì nuò mín zú jiě fàng zhèn xiàn,Sandinista National Liberation Front -桑坦德,sāng tǎn dé,"Santander, capital of Spanish autonomous region Cantabria 坎塔布里亞|坎塔布里亚[Kan3 ta3 bu4 li3 ya4]" -桑塔纳,sāng tǎ nà,Santana (name) -桑娇维塞,sāng jiāo wéi sāi,Sangiovese (grape type) -桑巴,sāng bā,samba (dance) (loanword) -桑帕约,sāng pà yuē,"Sampaio (name); Jorge Sampaio (1939-), Portuguese lawyer and politician, president of Portugal 1996-2006; Sampaio, town in Brazil" -桑德拉,sāng dé lā,Sandra (name) -桑德斯,sāng dé sī,"Sanders (name); Bernie Sanders, United States Senator from Vermont and 2016 Presidential candidate" -桑德尔福德,sāng dé ěr fú dé,"Sandefjord (city in Vestfold, Norway)" -桑托里尼岛,sāng tuō lǐ ní dǎo,Santorini (volcanic island in the Aegean sea) -桑拿,sāng ná,sauna (loanword) -桑日,sāng rì,"Sangri county, Tibetan: Zangs ri rdzong, in Lhokha prefecture 山南地區|山南地区[Shan1 nan2 di4 qu1], Tibet" -桑日县,sāng rì xiàn,"Sangri county, Tibetan: Zangs ri rdzong, in Lhokha prefecture 山南地區|山南地区[Shan1 nan2 di4 qu1], Tibet" -桑梓,sāng zǐ,(literary) one's native place -桑植,sāng zhí,"Shangzhi county in Zhangjiajie 張家界|张家界[Zhang1 jia1 jie4], Hunan" -桑植县,sāng zhí xiàn,"Shangzhi county in Zhangjiajie 張家界|张家界[Zhang1 jia1 jie4], Hunan" -桑树,sāng shù,"mulberry tree, with leaves used to feed silkworms" -桑海,sāng hǎi,Songhay people of Mali and the Sahara -桑科,sāng kē,Moraceae (type of flowering plant) -桑给巴尔,sāng jǐ bā ěr,Zanzibar -桑耶,sāng yē,Samye town and monastery in central Tibet -桑葚,sāng shèn,mulberry fruit (Fructus mori) -桑蚕,sāng cán,silkworm -桑那,sāng nà,sauna (loanword) -桑间濮上,sāng jiān pú shàng,"Sangjian by the Pu River, a place in the ancient state of Wei known for wanton behavior; lovers' rendezvous" -桑,sāng,old variant of 桑[sang1] -桓,huán,surname Huan -桓,huán,Chinese soapberry (Sapindus mukurossi); big; pillar (old) -桓仁,huán rén,"Huanren Manchu Autonomous County in Benxi 本溪市[Ben3xi1 Shi4], Liaoning" -桓仁满族自治县,huán rén mǎn zú zì zhì xiàn,"Huanren Manchu Autonomous County in Benxi 本溪市[Ben3xi1 Shi4], Liaoning" -桓台,huán tái,"Huantai county in Zibo 淄博[Zi1 bo2], Shandong" -桓台县,huán tái xiàn,"Huantai county in Zibo 淄博[Zi1 bo2], Shandong" -桓桓,huán huán,mighty; powerful -桓玄,huán xuán,"Huan Xuan (369-404), general involved in the break-up of Eastern Jin" -桔,jié,Platycodon grandiflorus; water bucket -桔,jú,variant of 橘[ju2] -桔子,jú zi,"tangerine; also written 橘子; CL:個|个[ge4],瓣[ban4]" -桔梗,jié gěng,Chinese bellflower -桔槔,jié gāo,"well sweep (device for raising and lowering a bucket in a well, using a pivoted pole)" -桕,jiù,Tallow tree; Sapium sebiferum -桫,suō,horse chestnut; Stewartia pseudocamellia (botany) -桫椤,suō luó,spinulose tree fern; Cyathea spinulosa (botany) -杯,bēi,variant of 杯[bei1] -桲,bó,flail -桲,po,used in 榲桲|榅桲[wen1po5]; Taiwan pr. [bo2] -桴,fú,beam; rafter -桴鼓相应,fú gǔ xiāng yìng,lit. the hammer fits the drum (idiom); appropriate relation between the different parts; closely interrelated -桶,tǒng,"bucket; (trash) can; barrel (of oil etc); CL:個|个[ge4],隻|只[zhi1]" -桶口,tǒng kǒu,bunghole; see 桶孔[tong3 kong3] -桶孔,tǒng kǒng,bunghole -桷,jué,rafter; malus toringo -柳,liǔ,old variant of 柳[liu3] -杆,gǎn,stick; pole; lever; classifier for long objects such as guns -杆子,gǎn zi,pole; stick; club; gang of bandits -杆弟,gān dì,caddie (golf) -杆秤,gǎn chèng,a steelyard (a type of balance) -杆菌,gǎn jūn,bacillus (any rod-shaped bacteria) -梁,liáng,Liang Dynasty (502-557); Later Liang Dynasty (907-923); surname Liang -梁,liáng,roof beam; beam (structure); bridge -梁上君子,liáng shàng jūn zǐ,lit. the gentleman on the roof beam; fig. a thief -梁唐晋汉周书,liáng táng jìn hàn zhōu shū,another name for History of the Five Dynasties between Tang and Song 舊五代史|旧五代史[Jiu4 Wu3 dai4 shi3] -梁启超,liáng qǐ chāo,"Liang Qichao (1873-1929), influential journalist and a leader of the failed reform movement of 1898" -梁园,liáng yuán,"Liangyuan district of Shangqiu city 商丘市[Shang1 qiu1 shi4], Henan" -梁园区,liáng yuán qū,"Liangyuan district of Shangqiu city 商丘市[Shang1 qiu1 shi4], Henan" -梁子湖,liáng zi hú,"Liangzihu district of Ezhou city 鄂州市[E4 zhou1 shi4], Hubei" -梁子湖区,liáng zi hú qū,"Liangzihu district of Ezhou city 鄂州市[E4 zhou1 shi4], Hubei" -梁山,liáng shān,"Liangshan city and County in Jining 濟寧|济宁[Ji3 ning2], Shandong" -梁山伯与祝英台,liáng shān bó yǔ zhù yīng tái,"The Butterfly Lovers, Chinese folktale of the tragic love between Liang Shanbo and Zhu Yingtai" -梁山好汉,liáng shān hǎo hàn,"the heroes of Liangshan Marsh (in the novel ""Water Margin"" 水滸傳|水浒传[Shui3 hu3 Zhuan4])" -梁山市,liáng shān shì,Liangshan city in Shandong -梁山县,liáng shān xiàn,"Liangshan County in Jining 濟寧|济宁[Ji3 ning2], Shandong" -梁平,liáng píng,"Liangping, a district of Chongqing 重慶|重庆[Chong2qing4]" -梁平区,liáng píng qū,"Liangping, a district of Chongqing 重慶|重庆[Chong2qing4]" -梁振英,liáng zhèn yīng,"Leung Chun-ying (1954-), 3rd Chief Executive of Hong Kong" -梁书,liáng shū,"History of Liang of the Southern Dynasties, eighth of the 24 dynastic histories 二十四史[Er4 shi2 si4 Shi3], compiled by Yao Silian 姚思廉[Yao2 Si1 lian2] in 636 during Tang dynasty, 56 scrolls" -梁朝,liáng cháo,Liang Dynasty (502-557) -梁木,liáng mù,beam; rafter; lintel; person able to bear heavy responsibility; mainstay (of organization); pillar (of state) -梁架,liáng jià,roof beam; rafters -梁河,liáng hé,"Lianghe county in Dehong Dai and Jingpo autonomous prefecture 德宏傣族景頗族自治州|德宏傣族景颇族自治州[De2 hong2 Dai3 zu2 Jing3 po1 zu2 zi4 zhi4 zhou1], Yunnan" -梁河县,liáng hé xiàn,"Lianghe county in Dehong Dai and Jingpo autonomous prefecture 德宏傣族景頗族自治州|德宏傣族景颇族自治州[De2 hong2 Dai3 zu2 Jing3 po1 zu2 zi4 zhi4 zhou1], Yunnan" -梁湘,liáng xiāng,"Liang Xiang (1919-1989), first governor of Hainan" -梁漱溟,liáng shù míng,"Liang Shuming (1893-1988), modern philosopher and teacher in the neo-Confucian tradition" -梁祝,liáng zhù,"The Butterfly Lovers, Chinese folktale; abbr. for 梁山伯與祝英台|梁山伯与祝英台[Liang2 Shan1 bo2 yu3 Zhu4 Ying1 tai2]" -梁赞,liáng zàn,"Ryazan, Russian city about 200 km southeast of Moscow" -梁辰鱼,liáng chén yú,"Liang Chenyu (1521-1594), Ming dramatist of the Kunshan opera school" -梁静茹,liáng jìng rú,"Fish Leong (1978-), Malaysian pop singer; also Leong Chui Peng or Jasmine Leong" -梁龙,liáng lóng,diplodocus -梃,tǐng,a club (weapon) -梅,méi,surname Mei -梅,méi,plum; plum flower; Japanese apricot (Prunus mume) -梅塞德斯奔驰,méi sài dé sī bēn chí,Mercedes Benz; abbr. to 奔馳|奔驰[Ben1 chi2] -梅子,méi zi,plum -梅山,méi shān,"Meishan Township in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -梅山乡,méi shān xiāng,"Meishan Township in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -梅州,méi zhōu,Meizhou prefecture-level city in Guangdong -梅州市,méi zhōu shì,"Meizhou, prefecture-level city in Guangdong province" -梅德韦杰夫,méi dé wéi jié fū,"Medvedyev (name); Dmitry Anatolyevich Medvedev (1965-), Russian lawyer and politician, president of Russian Federation from 2008" -梅斯,méi sī,Metz (city in France) -梅斯梅尔,méi sī méi ěr,"Mesmer (name); Franz Anton Mesmer (1734-1815), Austrian doctor who introduced hypnosis" -梅林,méi lín,Merlin -梅核气,méi hé qì,"(TCM) plum-pit qi, a feeling of a lump in the throat (globus pharyngis) or of stagnant phlegm" -梅森,méi sēn,"Martin Mersenne (1588-1648, French mathematician)" -梅森素数,méi sēn sù shù,Mersenne prime number (math.) -梅毒,méi dú,syphilis -梅氏,méi shì,"Charles Messier (1730-1817), French astronomer who catalogued nebulas and galaxies" -梅氏腺,méi shì xiàn,Mehlis gland -梅江,méi jiāng,"Meijiang district of Meizhou city 梅州市, Guangdong" -梅江区,méi jiāng qū,"Meijiang district of Meizhou city 梅州市, Guangdong" -梅河口,méi hé kǒu,"Meihekou, county-level city in Tonghua 通化, Jilin" -梅河口市,méi hé kǒu shì,"Meihekou, county-level city in Tonghua 通化, Jilin" -梅洛,méi luò,Melo (city in Uruguay); Merlot (grape type) -梅派,méi pài,the Mei Lanfang School; see 梅蘭芳|梅兰芳[Mei2 Lan2 fang1] -梅瑟,méi sè,Moses (Catholic translation); also 摩西 (Protestant translation) -梅红,méi hóng,pinkish-red (color) -梅纳德,méi nà dé,Maynard (name) -梅县,méi xiàn,"Meixian county in Meizhou 梅州, Guangdong" -梅花,méi huā,plum blossom; clubs ♣ (a suit in card games); wintersweet (dialect) -梅花拳,méi huā quán,"Meihua Quan - ""Plum Blossom Fist"" (Chinese Martial Art)" -梅花鹿,méi huā lù,sika deer -梅萨林,méi sà lín,muslin or mousseline silk fabric -梅兰芳,méi lán fāng,"Mei Lanfang (1894-1961), famous master of Beijing opera, specialist in female roles" -梅西,méi xī,"Lionel Messi (1987-), Argentine footballer" -梅西耶,méi xī yē,"Charles Messier (1730-1817), French astronomer who catalogued nebulas and galaxies" -梅西耶星表,méi xī yē xīng biǎo,Messier catalog of nebulae and clusters (1784) -梅西叶,méi xī yè,"Charles Messier (1730-1817), French astronomer who catalogued nebulas and galaxies" -梅西叶星表,méi xī yè xīng biǎo,Messier catalog of nebulae and clusters (1784) -梅里斯,méi lǐ sī,"Meilisi Daur district of Qiqihar city 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -梅里斯区,méi lǐ sī qū,"Meilisi Daur district of Qiqihar city 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -梅里斯达斡尔族区,méi lǐ sī dá wò ěr zú qū,"Meilisi Daur district of Qiqihar city 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -梅里美,méi lǐ měi,"Prosper Mérimée (1803-1870), French scholar and writer, author of novel Carmen on which Bizet based his opera" -梅里雪山,méi lǐ xuě shān,"Meili Snow Mountains, with peaks up to 6000 m., in Diqing Tibetan Autonomous Prefecture 迪慶藏族自治州|迪庆藏族自治州[Di2 qing4 Zang4 zu2 Zi4 zhi4 zhou1], Yunnan" -梅雨,méi yǔ,East Asian rainy season (in late spring and early summer) -梆,bāng,watchman's rattle -梆子,bāng zi,watchman's clapper; wooden clappers with bars of unequal length; abbr. for 梆子腔[bang1 zi5 qiang1] -梆子腔,bāng zi qiāng,"a general term for local operas in Shanxi, Shaanxi, Henan, Hebei, Shandong etc; the music of such operas" -梏,gù,braces (med.); fetters; manacles -梓,zǐ,"Chinese catalpa (Catalpa ovata), a tree that serves as a symbol of one's hometown and whose wood is used to make various items; (bound form) printing blocks" -梓潼,zǐ tóng,"Zitong county in Mianyang 綿陽|绵阳[Mian2 yang2], north Sichuan" -梓潼县,zǐ tóng xiàn,"Zitong county in Mianyang 綿陽|绵阳[Mian2 yang2], north Sichuan" -梓童,zǐ tóng,(often used in traditional novels) term used by an emperor to address the empress -栀,zhī,gardenia; cape jasmine (Gardenia jasminoides); same as 梔子|栀子[zhi1 zi5] -栀子,zhī zi,cape jasmine (Gardenia jasminoides) -栀子花,zhī zi huā,cape jasmine (Gardenia jasminoides) -梗,gěng,"branch; stem; stalk; CL:根[gen1]; to block; to hinder; (neologism that evolved from 哏[gen2], initially in Taiwan, during the first decade of the 21st century) memorable creative idea (joke, catchphrase, meme, neologism, witty remark etc); prominent feature of a creative work (punchline of a joke, trope in a drama, special ingredient in a dish, riff in a pop song etc)" -梗咽,gěng yè,variant of 哽咽[geng3ye4] -梗图,gěng tú,(Tw) image macro; visual meme -梗塞,gěng sè,to clog; to block; to obstruct -梗概,gěng gài,broad outline; gist; summary -梗死,gěng sǐ,(medicine) to have an infarction -梗王,gěng wáng,(coll.) person who makes people laugh; funny guy -梗直,gěng zhí,variant of 耿直[geng3 zhi2] -梗阻,gěng zǔ,to obstruct; to hamper; (medicine) obstruction -枧,jiǎn,bamboo conduit; wooden peg; spout; same as 筧|笕 -条,tiáo,"strip; item; article; clause (of law or treaty); classifier for long thin things (ribbon, river, road, trousers etc)" -条件,tiáo jiàn,condition; circumstance; term; factor; requirement; prerequisite; qualification; situation; state; condition; CL:個|个[ge4] -条件反射,tiáo jiàn fǎn shè,conditioned reflex -条件反应,tiáo jiàn fǎn yìng,conditioned response -条件句,tiáo jiàn jù,conditional clause -条件式,tiáo jiàn shì,conditional -条件概率,tiáo jiàn gài lǜ,conditional probability -条例,tiáo lì,regulations; rules; code of conduct; ordinances; statutes -条凳,tiáo dèng,bench -条分缕析,tiáo fēn lǚ xī,"to analyze thoroughly, point by point (idiom)" -条子,tiáo zi,short note; slip of paper; stripe; (slang) cop; (old) prostitute -条幅,tiáo fú,wall scroll (for painting or calligraphy); banner -条幅广告,tiáo fú guǎng gào,banner advertisement -条几,tiáo jī,long narrow table -条形,tiáo xíng,a bar; a strip -条形图,tiáo xíng tú,bar chart -条形燃料,tiáo xíng rán liào,fuel rods -条形码,tiáo xíng mǎ,barcode -条播,tiáo bō,to drill (i.e. plant seeds in spaced rows) -条文,tiáo wén,clause; explanatory section in a document -条斑窃蠹,tiáo bān qiè dù,furniture beetle -条畅,tiáo chàng,orderly and logical (of writing); luxuriant; flourishing; prosperous -条板箱,tiáo bǎn xiāng,crate -条案,tiáo àn,long narrow table -条条大路通罗马,tiáo tiáo dà lù tōng luó mǎ,all roads lead to Rome; use different means to obtain the same result (idiom) -条条框框,tiáo tiáo kuàng kuàng,fixed framework (idiom); restriction of social conventions and taboos (usually derogatory); regulations and restrictions -条款,tiáo kuǎn,clause (of contract or law); CL:項|项[xiang4] -条理,tiáo lǐ,arrangement; order; tidiness -条痕,tiáo hén,weal (e.g. from whipping); streak -条目,tiáo mù,"clauses and sub-clauses (in formal document); entry (in a dictionary, encyclopedia etc)" -条码,tiáo mǎ,barcode -条约,tiáo yuē,treaty; pact; CL:個|个[ge4] -条纹,tiáo wén,stripe -条纹噪鹛,tiáo wén zào méi,(bird species of China) striated laughingthrush (Garrulax striatus) -条规,tiáo guī,rule -条贯,tiáo guàn,(literary) systematic arrangement; coherent presentation -条陈,tiáo chén,to lay out (an argument) item by item; memorandum to a superior -枭,xiāo,owl; valiant; trafficker -枭雄,xiāo xióng,ambitious and ruthless character; formidable person -枭首,xiāo shǒu,to behead -枭首示众,xiāo shǒu shì zhòng,to behead sb and display the head in public -梢,shāo,tip of branch -梢公,shāo gōng,variant of 艄公[shao1 gong1] -梣,chén,Chinese ash (Fraxinus chinensis) -梣树,chén shù,Chinese ash (Fraxinus chinensis) -梧,wú,Sterculia platanifolia -梧州,wú zhōu,"Wuzhou, prefecture-level city in Guangxi" -梧州市,wú zhōu shì,"Wuzhou, prefecture-level city in Guangxi" -梧桐,wú tóng,wutong (Firmiana platanifolia); Chinese parasol tree -梧桐科,wú tóng kē,"Sterculiaceae, family of Malvale trees incl. Cacao, Cola and Firmiana" -梧栖,wú qī,"Wuqi or Wuci Town in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -梧栖镇,wú qī zhèn,"Wuqi or Wuci Town in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -梨,lí,pear; CL:個|个[ge4] -梨俱吠陀,lí jù fèi tuó,"Rigveda, Indian religious poem" -梨园子弟,lí yuán zǐ dì,Chinese opera performers -梨子,lí zi,pear; CL:個|个[ge4] -梨属,lí shǔ,"Pyrus, tree genus containing pears" -梨果,lí guǒ,pome -梨树,lí shù,"Lishu county in Siping 四平, Jilin; Lishu district of Jixi city 雞西|鸡西[Ji1 xi1], Heilongjiang" -梨树,lí shù,pear tree -梨树区,lí shù qū,"Lishu district of Jixi city 雞西|鸡西[Ji1 xi1], Heilongjiang" -梨树县,lí shù xiàn,"Lishu county in Siping 四平, Jilin" -梨涡,lí wō,dimples (of a woman) -梨花带雨,lí huā dài yǔ,lit. like raindrops on a pear blossom (idiom); fig. tear-stained face of a beauty -梭,suō,(textiles) shuttle -梭哈,suō hā,"five-card stud (card game) (from English ""show hand"")" -梭子,suō zi,(textiles) shuttle; cartridge clip; classifier for bullet clips and bursts of gunfire -梭子鱼,suō zi yú,barracuda -梭标,suō biāo,variant of 梭鏢|梭镖[suo1 biao1] -梭镖,suō biāo,spear -梭鱼,suō yú,barracuda -梯,tī,ladder; stairs -梯也尔,tī yě ěr,Adolphe Thiers -梯子,tī zi,ladder; stepladder -梯己,tī ji,intimate; private saving of family members -梯度,tī dù,gradient -梯度回波,tī dù huí bō,gradient echo -梯式配股,tī shì pèi gǔ,laddering (of stock sales) -梯形,tī xíng,trapezoid; ladder-shaped; terraced -梯恩梯,tī ēn tī,TNT (trinitrotoluene) (loanword) -梯恩梯当量,tī ēn tī dāng liàng,TNT equivalent -梯板,tī bǎn,gangplank; gangway -梯次队形,tī cì duì xíng,echelon formation (military) -梯氏鸫,tī shì dōng,(bird species of China) Tickell's thrush (Turdus unicolor) -梯田,tī tián,stepped fields; terracing -梯级,tī jí,stair; rung of a ladder -梯队,tī duì,echelon (military); (of an organisation) group of persons of one level or grade -械,xiè,appliance; tool; weapon; shackles; also pr. [jie4] -械系,xiè xì,to arrest and shackle; to clap in irons -械斗,xiè dòu,armed confrontation; bust-up between gangs -梳,shū,to comb; (bound form) a comb -梳乎厘,shū hū lí,soufflé (loanword) -梳妆,shū zhuāng,to dress and groom oneself -梳妆室,shū zhuāng shì,boudoir; lady's dressing room -梳妆台,shū zhuāng tái,dressing table -梳子,shū zi,comb; CL:把[ba3] -梳弄,shū nòng,(old) to deflorate a prostitute -梳洗,shū xǐ,to make oneself presentable; to freshen up -梳理,shū lǐ,to comb; fig. to sort out -梳篦,shū bì,combs (in general); (archaic) to comb one's hair -梳芙厘,shū fú lí,soufflé (loanword) -梳头,shū tóu,to comb one's hair -梵,fàn,"abbr. for 梵教[Fan4 jiao4] Brahmanism; abbr. for Sanskrit 梵語|梵语[Fan4 yu3] or 梵文[Fan4 wen2]; abbr. for 梵蒂岡|梵蒂冈[Fan4 di4 gang1], the Vatican" -梵克雅宝,fàn kè yǎ bǎo,Van Cleef & Arpels (French luxury jewelry company) -梵册贝叶,fàn cè bèi yè,Sanskrit on Talipot palm leaves (idiom); Buddhist scripture -梵刹,fàn chà,Buddhist temple; monastery -梵呗,fàn bài,(Buddhism) chanting of prayers -梵哑铃,fàn yǎ líng,violin (loanword) -梵天,fàn tiān,Nirvana (in Buddhist scripture); Lord Brahma (the Hindu Creator) -梵婀玲,fàn ē líng,violin (loanword) -梵帝冈,fàn dì gāng,the Vatican; variant of 梵蒂岡|梵蒂冈[Fan4 di4 gang1] -梵教,fàn jiào,Brahmanism -梵文,fàn wén,Sanskrit -梵书,fàn shū,"Brahmana, ancient Hindu texts" -梵汉对音,fàn hàn duì yīn,Sanskrit-Chinese transliteration -梵蒂冈,fàn dì gāng,Vatican City -梵蒂冈城,fàn dì gāng chéng,"Vatican City, capital of Holy See" -梵语,fàn yǔ,Sanskrit (language) -梵谛冈,fàn dì gāng,Vatican -梵谷,fàn gǔ,"Vincent Van Gogh (1853-1890), Dutch post-Impressionist painter (Tw)" -梵高,fán gāo,"Vincent Van Gogh (1853-1890), Dutch post-Impressionist painter" -弃,qì,to abandon; to relinquish; to discard; to throw away -弃世,qì shì,to leave this world; to die -弃之如敝屣,qì zhī rú bì xǐ,to toss away like a pair of worn-out shoes (idiom) -弃保潜逃,qì bǎo qián táo,to jump bail -弃剧,qì jù,to quit watching a TV series -弃取,qì qǔ,(literary) to choose between rejecting and accepting -弃婴,qì yīng,to abandon an infant; abandoned baby -弃守,qì shǒu,to give up defending; to yield; to surrender -弃市,qì shì,public execution (old) -弃恶从善,qì è cóng shàn,to renounce evil and turn to virtue (idiom) -弃舍,qì shě,to abandon; to give up -弃暗投明,qì àn tóu míng,to renounce the dark and seek the light; to give up one's wrong way of life and turn to a better one -弃核,qì hé,to renounce nuclear weapons -弃樱,qì yīng,abandoned baby -弃权,qì quán,to waive a right; to abstain (from voting); (sports) to forfeit (a game); to voluntarily withdraw from a match -弃用,qì yòng,to stop using; to abandon; abandoned; deprecated -弃约背盟,qì yuē bèi méng,to abrogate an agreement; to break one's oath (idiom) -弃绝,qì jué,to abandon; to forsake -弃置,qì zhì,to throw away; to discard -弃旧图新,qì jiù tú xīn,to turn over a new leaf -弃船,qì chuán,to abandon ship -弃若敝屣,qì ruò bì xǐ,to throw away like worn out shoes -弃农经商,qì nóng jīng shāng,to abandon farming and become a businessman (idiom) -弃邪归正,qì xié guī zhèng,to give up evil and return to virtue -弃养,qì yǎng,"to abandon (a child, elderly family member, pet etc); (literary) (of one's parents) to pass away" -棉,mián,generic term for cotton or kapok; cotton; padded or quilted with cotton -棉布,mián bù,cotton cloth -棉条,mián tiáo,(textiles) sliver; tampon (abbr. for 衛生棉條|卫生棉条[wei4sheng1 mian2tiao2]) -棉棒,mián bàng,cotton swab; cotton bud -棉毛,mián máo,knitted cotton -棉球,mián qiú,cotton ball; swab; tampon -棉田,mián tián,cotton field -棉签,mián qiān,variant of 棉籤|棉签[mian2qian1] -棉签,mián qiān,cotton swab -棉纱,mián shā,cotton yarn -棉絮,mián xù,cotton wadding -棉线,mián xiàn,cotton thread; yarn cotton -棉花,mián hua,cotton -棉花拳击,mián huā quán jī,"Mianhua Quanji - ""Cotton Boxing"" (Chinese Martial Art)" -棉花棒,mián huā bàng,cotton swab; cotton bud -棉花糖,mián huā táng,cotton candy; candyfloss; marshmallow -棉药签,mián yào qiān,medical swab -棉兰,mián lán,Medan (city in Indonesia) -棉兰老岛,mián lán lǎo dǎo,Mindanao (island in the Philippines) -棉衣,mián yī,cotton-padded clothes; CL:件[jian4] -棉被,mián bèi,"comforter; quilt; CL:條|条[tiao2],面[mian4]" -棉裤,mián kù,quilted cotton trousers; cotton-padded trousers (worn in winter) -棉袄,mián ǎo,cotton-padded jacket -棉豆,mián dòu,"lima bean, aka butter bean (Phaseolus lunatus)" -棉铃,mián líng,cotton boll (fruit) -棉凫,mián fú,(bird species of China) cotton pygmy goose (Nettapus coromandelianus) -棋,qí,variant of 棋[qi2] -棋,qí,"chess; chess-like game; a game of chess; CL:盤|盘[pan2]; chess piece; CL:個|个[ge4],顆|颗[ke1]" -棋具,qí jù,checkers (board and pieces for go 圍棋|围棋 or Chinese chess 象棋 etc) -棋子,qí zǐ,"chess piece; CL:個|个[ge4],顆|颗[ke1]; (fig.) a pawn (used by others for their own purposes)" -棋局,qí jú,state of play in a game of chess; (old) chessboard -棋手,qí shǒu,chess player -棋格状,qí gé zhuàng,checkered pattern; chessboard -棋王,qí wáng,chess champion -棋盘,qí pán,chessboard -棋艺,qí yì,chess skill -棋谱,qí pǔ,kifu (record of a game of go or shogi) -棋赛,qí sài,chess game -棋逢对手,qí féng duì shǒu,to be evenly matched; to meet one's match -棋逢敌手,qí féng dí shǒu,see 棋逢對手|棋逢对手[qi2 feng2 dui4 shou3] -棋高一着,qí gāo yī zhāo,to be a step ahead of the opponent (idiom); to outsmart one's opponent -棍,gùn,stick; rod; truncheon; scoundrel; villain -棍子,gùn zi,stick; rod -棍杖,gùn zhàng,staff; rod -棍棒,gùn bàng,club; staff; stick -棍网球,gùn wǎng qiú,lacrosse -棒,bàng,stick; club; cudgel; smart; capable; strong; wonderful; classifier for legs of a relay race -棒冰,bàng bīng,popsicle -棒喝,bàng hè,practice in which a novice monk is shouted at or hit with a stick with the purpose of bringing about instant awakening (Buddhism); to rebuke sternly -棒国,bàng guó,(derog.) Korea -棒坛,bàng tán,baseball circles; baseball world -棒子,bàng zi,stick; club; cudgel; maize (corn); ear of maize; corncob; (derog.) Korean -棒子国,bàng zi guó,(derog.) Korea -棒子面,bàng zi miàn,maize cornflour; corn mush; polenta -棒子面儿,bàng zi miàn er,erhua variant of 棒子麵|棒子面[bang4 zi5 mian4] -棒旋星系,bàng xuán xīng xì,barred spiral galaxy -棒材,bàng cái,bar; rod -棒棒哒,bàng bàng dā,(Internet slang) awesome; amazing -棒棒机,bàng bàng jī,bar phone (cell phone shaped like a bar of candy) -棒棒糖,bàng bàng táng,lollipop; sucker; CL:根[gen1] -棒棒腿,bàng bàng tuǐ,chicken drumstick (Tw) -棒极了,bàng jí le,super; excellent -棒槌,bàng chuí,wooden club (used to beat clothes in washing) -棒杀,bàng shā,to bludgeon to death; (fig.) to defeat sb by publicly criticizing them -棒球,bàng qiú,"baseball; CL:個|个[ge4],隻|只[zhi1]" -棒球迷,bàng qiú mí,baseball fan -棒硫,bàng liú,roll sulfur -棒磨机,bàng mó jī,rod mill -棒糖,bàng táng,sucker; lollipop; CL:根[gen1] -棒约翰,bàng yuē hàn,Papa John's (pizza chain) -棒赛,bàng sài,"(Tw) to defecate; to take a crap (from Taiwanese 放屎, Tai-lo pr. [pàng-sái])" -棕,zōng,palm; palm fiber; coir (coconut fiber); brown -棕三趾鹑,zōng sān zhǐ chún,(bird species of China) barred buttonquail (Turnix suscitator) -棕喉雀鹛,zōng hóu què méi,(bird species of China) rufous-throated fulvetta (Alcippe rufogularis) -棕噪鹛,zōng zào méi,(bird species of China) buffy laughingthrush (Garrulax berthemyi) -棕垫,zōng diàn,palm fiber mat -棕夜鹭,zōng yè lù,(bird species of China) rufous night heron (Nycticorax caledonicus) -棕尾伯劳,zōng wěi bó láo,(bird species of China) red-tailed shrike (Lanius phoenicuroides) -棕尾虹雉,zōng wěi hóng zhì,(bird species of China) Himalayan monal (Lophophorus impejanus) -棕扇尾莺,zōng shàn wěi yīng,(bird species of China) zitting cisticola (Cisticola juncidis) -棕斑鸠,zōng bān jiū,(bird species of China) laughing dove (Spilopelia senegalensis) -棕朱雀,zōng zhū què,(bird species of China) dark-rumped rosefinch (Carpodacus edwardsii) -棕枕山雀,zōng zhěn shān què,(bird species of China) rufous-naped tit (Periparus rufonuchalis) -棕枝主日,zōng zhī zhǔ rì,Palm Sunday (Sunday before Easter) -棕枝全日,zōng zhī quán rì,Palm Sunday (Christian Festival one week before Easter) -棕树,zōng shù,palm tree -棕榈,zōng lǘ,palm tree -棕榈属,zōng lǘ shǔ,palm tree genus (Areca spp.) -棕榈树,zōng lǘ shù,palm tree -棕榈油,zōng lǘ yóu,palm oil -棕榈科,zōng lǘ kē,"Arecaceae or Palmae, the palm family" -棕榈襞,zōng lǘ bì,(anatomy) the palmate folds of the cervical canal; plicae palmatae -棕毛,zōng máo,palm fiber; coir -棕毯,zōng tǎn,coir mat; palm fiber matting -棕熊,zōng xióng,brown bear -棕眉山岩鹨,zōng méi shān yán liù,(bird species of China) Siberian accentor (Prunella montanella) -棕眉柳莺,zōng méi liǔ yīng,(bird species of China) yellow-streaked warbler (Phylloscopus armandii) -棕矮星,zōng ǎi xīng,brown dwarf star -棕红,zōng hóng,reddish brown -棕编,zōng biān,woven palm fiber (used in handicraft); coir; woven coconut fiber -棕缚,zōng fù,palm fiber; rope of palm fiber; coir (coconut fiber) -棕绷,zōng bēng,rectangular frame with a palm fiber mat woven across it (placed on a bed frame as the sleeping surface) -棕绳,zōng shéng,rope of palm fiber; coir (coconut fiber) -棕肛凤鹛,zōng gāng fèng méi,(bird species of China) rufous-vented yuhina (Yuhina occipitalis) -棕背伯劳,zōng bèi bó láo,(bird species of China) long-tailed shrike (Lanius schach) -棕背田鸡,zōng bèi tián jī,(bird species of China) black-tailed crake (Porzana bicolor) -棕背雪雀,zōng bèi xuě què,(bird species of China) Blanford's snowfinch (Pyrgilauda blanfordi) -棕背黑头鸫,zōng bèi hēi tóu dōng,(bird species of China) Kessler's thrush (Turdus kessleri) -棕胸佛法僧,zōng xiōng fó fǎ sēng,(bird species of China) Indian roller (Coracias benghalensis) -棕胸岩鹨,zōng xiōng yán liù,(bird species of China) rufous-breasted accentor (Prunella strophiata) -棕胸竹鸡,zōng xiōng zhú jī,(bird species of China) mountain bamboo partridge (Bambusicola fytchii) -棕胸雅鹛,zōng xiōng yǎ méi,(bird species of China) buff-breasted babbler (Pellorneum tickelli) -棕腹啄木鸟,zōng fù zhuó mù niǎo,(bird species of China) rufous-bellied woodpecker (Dendrocopos hyperythrus) -棕腹杜鹃,zōng fù dù juān,(bird species of China) Malaysian hawk-cuckoo (Hierococcyx fugax) -棕腹林鸲,zōng fù lín qú,(bird species of China) rufous-breasted bush robin (Tarsiger hyperythrus) -棕腹柳莺,zōng fù liǔ yīng,(bird species of China) buff-throated warbler (Phylloscopus subaffinis) -棕腹树鹊,zōng fù shù què,(bird species of China) rufous treepie (Dendrocitta vagabunda) -棕腹隼雕,zōng fù sǔn diāo,(bird species of China) rufous-bellied eagle (Lophotriorchis kienerii) -棕臀噪鹛,zōng tún zào méi,(bird species of China) rufous-vented laughingthrush (Garrulax gularis) -棕色,zōng sè,brown -棕草鹛,zōng cǎo méi,(bird species of China) Tibetan babax (Babax koslowi) -棕叶,zòng yè,leaf (usually bamboo or reed leaf) used to wrap 粽子[zong4 zi5] sticky rice dumplings -棕蓑猫,zōng suō māo,see 蟹獴[xie4 meng3] -棕薮鸲,zōng sǒu qú,(bird species of China) rufous-tailed scrub robin (Erythropygia galactotes) -棕褐短翅莺,zōng hè duǎn chì yīng,(bird species of China) brown bush warbler (Locustella luteoventris) -棕褐色,zōng hè sè,tan; sepia -棕雨燕,zōng yǔ yàn,(bird species of China) Asian palm swift (Cypsiurus balasiensis) -棕顶树莺,zòng dǐng shù yīng,(bird species of China) grey-sided bush warbler (Cettia brunnifrons) -棕颏噪鹛,zōng kē zào méi,(bird species of China) rufous-chinned laughingthrush (Garrulax rufogularis) -棕头幽鹛,zōng tóu yōu méi,(bird species of China) puff-throated babbler (Pellorneum ruficeps) -棕头歌鸲,zōng tóu gē qú,(bird species of China) rufous-headed robin (Larvivora ruficeps) -棕头钩嘴鹛,zōng tóu gōu zuǐ méi,(bird species of China) red-billed scimitar babbler (Pomatorhinus ochraceiceps) -棕头雀鹛,zōng tóu què méi,(bird species of China) spectacled fulvetta (Fulvetta ruficapilla) -棕头鸦雀,zōng tóu yā què,(bird species of China) vinous-throated parrotbill (Sinosuthora webbiana) -棕头鸥,zōng tóu ōu,(bird species of China) brown-headed gull (Chroicocephalus brunnicephalus) -棕颈犀鸟,zōng jǐng xī niǎo,(bird species of China) rufous-necked hornbill (Aceros nipalensis) -棕颈钩嘴鹛,zōng jǐng gōu zuǐ méi,(bird species of China) streak-breasted scimitar babbler (Pomatorhinus ruficollis) -棕颈雪雀,zōng jǐng xuě què,(bird species of China) rufous-necked snowfinch (Pyrgilauda ruficollis) -棕颈鸭,zōng jǐng yā,(bird species of China) Philippine duck (Anas luzonica) -棕额长尾山雀,zōng é cháng wěi shān què,(bird species of China) rufous-fronted bushtit (Aegithalos iouschistos) -棕黄,zōng huáng,light brown -棕黑,zōng hēi,dark brown -枨,chéng,door post -枣,zǎo,(bound form) jujube; Chinese date (Zizyphus jujuba) -枣子,zǎo zi,dates; jujube -枣强,zǎo qiáng,"Zaoqiang county in Hengshui 衡水[Heng2 shui3], Hebei" -枣强县,zǎo qiáng xiàn,"Zaoqiang county in Hengshui 衡水[Heng2 shui3], Hebei" -枣树,zǎo shù,jujube tree; date tree; Zizyphus vulgaris; CL:棵[ke1] -枣泥,zǎo ní,jujube paste -枣庄,zǎo zhuāng,"Zaozhuang, prefecture-level city in Shandong" -枣庄市,zǎo zhuāng shì,"Zaozhuang, prefecture-level city in Shandong" -枣阳,zǎo yáng,"Zaoyang, county-level city in Xiangfan 襄樊[Xiang1 fan2], Hubei" -枣阳市,zǎo yáng shì,"Zaoyang, county-level city in Xiangfan 襄樊[Xiang1 fan2], Hubei" -棘,jí,thorns -棘手,jí shǒu,thorny (problem); intractable -棘楚,jí chǔ,thorny problem; troublesome affair -棘皮动物,jí pí dòng wù,"echinoderm, the phylum containing sea urchins, sea cucumbers etc" -棘轮,jí lún,ratchet -棘鼻青岛龙,jí bí qīng dǎo lóng,"Tsintaosaurus spinorhinus, a 10 meter long hadrosaur with a single horn on its duck-billed snout" -棚,péng,shed; canopy; shack -棚子,péng zi,shack; shed; CL:間|间[jian1] -棚户,péng hù,shacks; shack-dwellers; slum-dwellers -棚户区,péng hù qū,shantytown -棚架,péng jià,trellis; scaffolding -棚架格子,péng jià gé zi,trellis latticework -棚顶,péng dǐng,canopy; roof; ceiling -栋,dòng,classifier for houses or buildings; ridgepole (old) -栋梁,dòng liáng,ridgepole; ridgepole and beams; person able to bear heavy responsibility; mainstay (of organization); pillar (of state) -棠,táng,cherry-apple -棠梨,táng lí,birch-leaved pear (Pyrus betulaefolia) -棣,dì,Kerria japonica -栈,zhàn,a wooden or bamboo pen for sheep or cattle; wood or bamboo trestlework; a warehouse; (computing) stack -栈主,zhàn zhǔ,innkeeper -栈单,zhàn dān,cargo receipt; landing account; warehouse or storage receipt; CL:張|张[zhang1] -栈地址,zhàn dì zhǐ,stack address (computing) -栈存储器,zhàn cún chǔ qì,stack memory (computing) -栈山航海,zhàn shān háng hǎi,to have a long and hard journey (idiom) -栈径,zhàn jìng,a plank road (built on trestles across the face of a cliff) -栈恋,zhàn liàn,sentimental attachment to a person or place -栈房,zhàn fáng,warehouse; storehouse; inn -栈板,zhàn bǎn,pallet -栈架,zhàn jià,trestle -栈桥,zhàn qiáo,a pier; a landing-stage; a loading trestle for goods or passengers; a platform -栈桥式码头,zhàn qiáo shì mǎ tou,jetty; pier -栈租,zhàn zū,warehouse rent; cost of storage -栈豆,zhàn dòu,fodder -栈车,zhàn chē,ancient vehicle made of wood and bamboo; CL:輛|辆[liang4] -栈道,zhàn dào,plank walkway constructed on the face of a cliff; (archaic) elevated passageway connecting the upper levels of adjacent towers -栈阁,zhàn gé,plank road built along the side of a cliff; CL:條|条[tiao2] -栈顶,zhàn dǐng,stack top (computing) -森,sēn,Mori (Japanese surname) -森,sēn,(bound form) densely wooded; (fig.) (bound form) multitudinous; gloomy; forbidding -森喜朗,sēn xǐ lǎng,"MORI Yoshirō (1937-), Japanese rugby player and politician, prime minister 2000-2001, famous for numerous gaffes" -森严,sēn yán,strict; rigid; tight (security) -森巴舞,sēn bā wǔ,samba (Tw) (loanword) -森林,sēn lín,forest; CL:片[pian4] -森林培育,sēn lín péi yù,forestry; silviculture -森林浴,sēn lín yù,"forest bathing: spending time in a forest, walking or deep-breathing etc, as therapy (orthographic borrowing from Japanese 森林浴 ""shinrin'yoku"")" -森林脑炎,sēn lín nǎo yán,forest encephalitis -森森,sēn sēn,dense (of trees); thick; ghastly; eerie -森海塞尔,sēn hǎi sè ěr,Sennheiser (brand) -森然,sēn rán,"(of tall trees) dense, thick; awe-inspiring" -森田,sēn tián,Morita (Japanese surname) -森罗,sēn luó,"many things arranged together, or connected together; to go on limitlessly" -森罗宝殿,sēn luó bǎo diàn,Yama's palace -森罗殿,sēn luó diàn,Yama's palace -森美兰,sēn měi lán,"Sembilan, state of southwest Malaysia" -棰,chuí,to flog; whip -棱,léng,square beam; variant of 稜|棱[leng2] -栖,qī,to perch; to rest (of birds); to dwell; to live; to stay -栖住,qī zhù,to dwell; to live -栖地,qī dì,habitat -栖息,qī xī,(of a bird) to perch; (of creatures in general) to inhabit; to dwell -栖息地,qī xī dì,habitat -栖木,qī mù,roost; perch -栖身,qī shēn,to stay at; to live in (temporarily) -栖霞,qī xiá,"Qixia, county-level city in Yantai 煙台|烟台, Shandong" -栖霞区,qī xiá qū,Qixia District of Nanjing City 南京市 in Jiangsu 江蘇|江苏 -栖霞市,qī xiá shì,"Qixia, county-level city in Yantai 煙台|烟台, Shandong" -棵,kē,"classifier for trees, cabbages, plants etc" -梾,lái,used in 棶木|梾木[lai2 mu4] -梾木,lái mù,large-leaved dogwood (Cornus macrophylla) -棹,zhuō,variant of 桌[zhuo1] -棺,guān,coffin -棺木,guān mù,coffin -棺材,guān cai,"coffin; CL:具[ju4],口[kou3]" -棺材瓤子,guān cai ráng zi,geezer with one foot in the grave (used jokingly or as an imprecation) -棺椁,guān guǒ,inner and outer coffins; coffin -棻,fēn,aromatic wood; perfume; fragrance -棻芳,fēn fāng,perfume; fragrant -棼,fén,beams in roof; confused -碗,wǎn,variant of 碗[wan3] -椅,yǐ,chair -椅凳,yǐ dèng,bench; chairs and stools -椅子,yǐ zi,"chair; CL:把[ba3],張[zhang1]" -椅背,yǐ bèi,the back of a chair -椆,chóu,species of tree resistant to cold weather -椆水,chóu shuǐ,"old name of an unidentified river in Henan Province, mentioned by 莊子|庄子[Zhuang1 zi3]" -椆苕,diào tiáo,species of tree (old) -乘,chéng,old variant of 乘[cheng2] -椋,liáng,used in 椋鳥|椋鸟[liang2 niao3] -椋鸟,liáng niǎo,starling; gray starling (Sturnus cineraceus) -植,zhí,to plant -植入,zhí rù,to implant -植入式广告,zhí rù shì guǎng gào,product placement -植株,zhí zhū,plant (horticulture) -植根,zhí gēn,to take root; to establish a base -植根于,zhí gēn yú,to be rooted to; to take root in -植树,zhí shù,to plant trees -植树节,zhí shù jié,"Arbor Day (March 12th), also known as National Tree Planting Day 全民義務植樹日|全民义务植树日[Quan2 min2 Yi4 wu4 Zhi2 shu4 ri4]" -植树造林,zhí shù zào lín,afforestation -植民,zhí mín,variant of 殖民; colony -植牙,zhí yá,dental implant -植物,zhí wù,plant; vegetation; CL:種|种[zhong3] -植物人,zhí wù rén,person in a vegetative state; human vegetable -植物人状态,zhí wù rén zhuàng tài,vegetative state (i.e. in a coma) -植物化学成分,zhí wù huà xué chéng fèn,phytochemical -植物园,zhí wù yuán,botanical garden; arboretum -植物学,zhí wù xué,botany -植物学家,zhí wù xué jiā,botanist -植物油,zhí wù yóu,vegetable oil -植物牛油,zhí wù niú yóu,margarine -植物状态,zhí wù zhuàng tài,vegetative state (medicine) -植物界,zhí wù jiè,Kingdom Plantae (biology) -植物群,zhí wù qún,flora -植物肉,zhí wù ròu,plant-based meat -植物脂肪,zhí wù zhī fáng,vegetable fat -植田,zhí tián,Ueda (Japanese surname and place name) -植皮,zhí pí,to graft skin; skin grafting -植脂末,zhí zhī mò,non-dairy creamer powder -植苗,zhí miáo,tree planting -植被,zhí bèi,vegetation; plant cover -植发,zhí fà,to get a hair transplant -椎,chuí,hammer; mallet (variant of 槌[chui2]); to hammer; to bludgeon (variant of 捶[chui2]) -椎,zhuī,(bound form) vertebra -椎间盘,zhuī jiān pán,intervertebral disk -椎骨,zhuī gǔ,vertebra -桠,yā,forking branch -桠杈,yā chà,variant of 丫杈[ya1 cha4] -椐,jū,Zelkowa acuminata -椒,jiāo,pepper -椒江,jiāo jiāng,"Jiaojiang district of Taizhou city 台州市[Tai1 zhou1 shi4], Zhejiang" -椒江区,jiāo jiāng qū,"Jiaojiang district of Taizhou city 台州市[Tai1 zhou1 shi4], Zhejiang" -碇,dìng,variant of 碇[ding4] -椥,zhī,used in 檳椥|槟椥[Bin1 zhi1] -椪,pèng,used in 椪柑[peng4 gan1] -椪柑,pèng gān,"ponkan, a variety of tangerine" -椰,yē,(bound form) coconut palm; Taiwan pr. [ye2] -椰奶,yē nǎi,coconut milk -椰子,yē zi,a coconut palm; a coconut -椰子汁,yē zi zhī,coconut water -椰子猫,yē zi māo,"Asian palm civet (Paradoxurus hermaphroditus), also called toddy cat" -椰林,yē lín,coconut grove -椰林飘香,yē lín piāo xiāng,piña colada -椰果,yē guǒ,nata de coco (a chewy jelly made from fermented coconut water) -椰枣,yē zǎo,date palm; date (fruit) -椰壳,yē ké,coconut shell -椰壳纤维,yē ké xiān wéi,coconut fiber; coir -椰汁,yē zhī,coconut water -椰油,yē yóu,coconut oil -椰浆,yē jiāng,coconut milk -椰丝,yē sī,shredded coconut -椰菜,yē cài,cabbage; broccoli; cauliflower -椰菜花,yē cài huā,cauliflower (Brassica oleracea var. botrytis) -椰蓉,yē róng,desiccated coconut; shredded coconut -椴,duàn,Chinese linden (Tilia chinensis) -棕,zōng,variant of 棕[zong1] -缄,jiān,(wooden) box; cup; old variant of 緘|缄[jian1]; letter -椹,shèn,variant of 葚[shen4] -椽,chuán,beam; rafter; classifier for rooms -椽子,chuán zi,beam; rafter -笺,jiān,variant of 箋|笺[jian1] -椿,chūn,Chinese toon (Toona sinensis); tree of heaven (Ailanthus altissima); (literary metaphor) father -椿象,chūn xiàng,stinkbug -楂,chá,fell trees; raft; to hew -楂,zhā,Chinese hawthorn -匾,pián,basket-couch in coffin -杨,yáng,surname Yang -杨,yáng,poplar -杨丞琳,yáng chéng lín,"Rainie Yang (1984-), Taiwanese entertainer" -杨俊,yáng jùn,"Yang Jun (571-600), son of the first Sui emperor 楊堅|杨坚[Yang2 Jian1]" -杨亿,yáng yì,"Yang Yi (974-1020), Northern Song dynasty writer and poet" -杨凝式,yáng níng shì,Yang Ningshi (873-954) calligrapher of the Five Dynasties period -杨利伟,yáng lì wěi,"Yang Liwei (1965-), astronaut, first Chinese citizen in space" -杨坚,yáng jiān,"first Sui emperor Yang Jian (541-604), reigned 581-604" -杨妃,yáng fēi,see 楊貴妃|杨贵妃[Yang2 Gui4 fei1] -杨守仁,yáng shǒu rén,"Yang Shouren (1912-2005), PRC agricultural scientist; Yang Shouren (16th century), Ming dynasty scholar" -杨家将,yáng jiā jiàng,"Yang Saga, a popular fiction from the Northern Song, depicting the heroic Yang family 楊業|杨业 of warriors" -杨宝森,yáng bǎo sēn,"Yang Baosen (1909-1958), Beijing opera star, one of the Four great beards 四大鬚生|四大须生" -杨尚昆,yáng shàng kūn,"Yang Shangkun (1907-1998), former president of PRC and military leader" -杨建利,yáng jiàn lì,"Yang JianLi, PRC human rights activist" -杨振宁,yáng zhèn nìng,"Chen-Ning Franklin Yang (1922-), theoretical physicist, co-developer of Yang-Mills gauge theory, 1957 Nobel laureate" -杨斌,yáng bīn,"Yang Bin (1963-), Chinese-Dutch businessman" -杨月清,yáng yuè qīng,"Yang Yueqing, Chinese-Canadian woman documentary film director" -杨朱,yáng zhū,"Yang Zhu (c. 440-360 BC), Chinese philosopher advocating ethical egoism" -杨柳,yáng liǔ,willow tree; poplar and willow; name of traditional tune -杨桃,yáng táo,carambola; star fruit -杨梅,yáng méi,"red bayberry (Myrica rubra), aka Chinese bayberry" -杨森,yáng sēn,"Yang Sen (1884-1977), Sichuan warlord and general" -杨业,yáng yè,"Yang Ye (died 986), Chinese military general of the Northern Han and the Northern Song dynasties, defended the Song against invasion by the Liao 遼|辽[Liao2]" -杨树,yáng shù,poplar tree; various trees of genus Populus -杨浦区,yáng pǔ qū,"Yangpu district, central Shanghai" -杨深秀,yáng shēn xiù,"Yang Shenxiu (1849-1898), one of the Six Gentlemen Martyrs 戊戌六君子[Wu4 xu1 Liu4 jun1 zi5] of the unsuccessful reform movement of 1898" -杨洁篪,yáng jié chí,"Yang Jiechi (1950-), Chinese politician and diplomat, foreign minister of PRC 2007-2013" -杨澄中,yáng chéng zhōng,"Yang Chengzhong (1913-1987), Chinese nuclear physicist" -杨澜,yáng lán,"Yang Lan (1968-), Chinese media proprietor, journalist, and talk show hostess" -杨炯,yáng jiǒng,"Yang Jiong (650-693?), one of the Four Great Poets of the Early Tang 初唐四傑|初唐四杰[Chu1 Tang2 Si4 jie2]" -杨玉环,yáng yù huán,"Yang Yuhuan, aka Yang Guifei 楊貴妃|杨贵妃[Yang2 Gui4 fei1] (719-756), famous Tang beauty, consort of Emperor Xuanzhong 唐玄宗[Tang2 Xuan2 zong1]" -杨百翰,yáng bǎi hàn,Brigham Young -杨百翰大学,yáng bǎi hàn dà xué,Brigham Young University -杨福家,yáng fú jiā,"Yang Fujia (1936-), nuclear physicist" -杨秀清,yáng xiù qīng,"Yang Xiuqing (1821-1856), organizer and commander-in-chief of the Taiping Rebellion" -杨维,yáng wéi,"Yang Wei (1979-), PRC badminton player, women's doubles specialist" -杨致远,yáng zhì yuǎn,"Jerry Yang (1968-), Taiwan-US millionaire and creator of Yahoo" -杨虎城,yáng hǔ chéng,"Yang Hucheng (1893-1949), Chinese warlord and Nationalist general" -杨贵妃,yáng guì fēi,"Yang Guifei (719-756), famous Tang beauty, consort of Emperor Xuanzhong 唐玄宗[Tang2 Xuan2 zong1]" -杨过,yáng guò,"Yang Guo, protagonist of ""The Return of the Condor Heroes"" 神鵰俠侶|神雕侠侣[Shen2diao1 Xia2lu:3]; (used jocularly as a verb ""to have tested positive"", since 楊|杨[Yang2] and 陽|阳[yang2] are homonyms)" -杨采妮,yáng cǎi nī,"Charlie Young (1974-), Hong Kong actress and singer" -杨锐,yáng ruì,"Yang Rui (1855-1898), one of the Six Gentlemen Martyrs 戊戌六君子 of the unsuccessful reform movement of 1898; Yang Rui (1963-), host of ""Dialogue"" on CCTV News" -杨开慧,yáng kāi huì,"Yang Kaihui (1901-1930), Mao Zedong's second wife" -杨陵,yáng líng,"Yangling District in Xianyang City 咸陽市|咸阳市[Xian2 yang2 Shi4], Shaanxi" -杨陵区,yáng líng qū,"Yangling District in Xianyang City 咸陽市|咸阳市[Xian2 yang2 Shi4], Shaanxi" -枫,fēng,maple (genus Acer) -枫木,fēng mù,maple -枫树,fēng shù,maple -枫糖,fēng táng,maple syrup -枫叶,fēng yè,maple leaf -枫香木,fēng xiāng mù,Chinese sweetgum (Liquidambar formosana) -枫香树,fēng xiāng shù,Chinese sweetgum (Liquidambar formosana) -楔,xiē,wedge; to hammer in (variant of 揳[xie1]) -楔嘴鹩鹛,xiē zuǐ liáo méi,(bird species of China) Cachar wedge-billed babbler (Sphenocichla roberti) -楔子,xiē zi,wedge; peg; stopper; prologue (in some modern novels); prologue or interlude in Yuan dynasty drama -楔尾伯劳,xiē wěi bó láo,(bird species of China) Chinese grey shrike (Lanius sphenocercus) -楔尾绿鸠,xiē wěi lǜ jiū,(bird species of China) wedge-tailed green pigeon (Treron sphenurus) -楔尾鸥,xiē wěi ōu,(bird species of China) Ross's gull (Rhodostethia rosea) -楔形,xiē xíng,cuneiform (letters); wedge-shape -楔形文字,xiē xíng wén zì,cuneiform (Babylonian script) -楔形物,xiē xíng wù,wedge -楗,jiàn,"material (such as rocks, earth, bamboo etc) used to hastily repair a dike; (literary) door bar (vertical bar used to prevent the horizontal movement of a door bolt)" -楙,mào,Cydonia japonica -楚,chǔ,surname Chu; abbr. for Hubei 湖北省[Hu2bei3 Sheng3] and Hunan 湖南省[Hu2nan2 Sheng3] provinces together; Chinese kingdom during the Spring and Autumn and Warring States Periods (722-221 BC) -楚,chǔ,distinct; clear; orderly; pain; suffering; deciduous bush used in Chinese medicine (genus Vitex); punishment cane (old) -楚国,chǔ guó,"the state of Chu, one of the most important of the small states contending for power in China between 770 and 223 BC, located around present-day Hubei" -楚州,chǔ zhōu,"Chuzhou district of Huai'an city 淮安市[Huai2 an1 shi4], Jiangsu" -楚州区,chǔ zhōu qū,"Chuzhou district of Huai'an city 淮安市[Huai2 an1 shi4], Jiangsu" -楚怀王,chǔ huái wáng,King Huai of Chu (reigned 328-299 BC); later King Huai of Chu (reigned 208-205 BC) -楚楚,chǔ chǔ,neat; lovely -楚楚可怜,chǔ chǔ kě lián,"(idiom) pitiable; sweet, innocent and vulnerable" -楚河汉界,chǔ hé hàn jiè,lit. the river that divides Chu and Han; fig. a line that divides rival territories; the mid-line between sides on a Chinese chessboard -楚汉战争,chǔ hàn zhàn zhēng,"Chu-Han Contention (206-202 BC), power struggle between Liu Bang 劉邦|刘邦[Liu2 Bang1] of Han and Xiang Yu 項羽|项羽[Xiang4 Yu3] of Chu" -楚汉相争,chǔ hàn xiāng zhēng,see 楚漢戰爭|楚汉战争[Chu3 Han4 Zhan4 zheng1] -楚庄王,chǔ zhuāng wáng,"King Zhuang of Chu (reigned 613-591 BC), one of the Five Hegemons 春秋五霸" -楚辞,chǔ cí,"Songs of Chu, an anthology of poetic songs, many from the state of Chu 楚[Chu3], collected in the Han dynasty 漢朝|汉朝[Han4chao2]" -楚雄,chǔ xióng,"Chuxiong, county-level city, capital of Chuxiong Yi Autonomous Prefecture 楚雄彞族自治州|楚雄彝族自治州[Chu3 xiong2 Yi2 zu2 Zi4 zhi4 zhou1] in central Yunnan" -楚雄州,chǔ xióng zhōu,abbr. for Chuxiong Yi Autonomous Prefecture 楚雄彞族自治州|楚雄彝族自治州[Chu3 xiong2 Yi2 zu2 Zi4 zhi4 zhou1] -楚雄市,chǔ xióng shì,"Chuxiong, county-level city, capital of Chuxiong Yi Autonomous Prefecture 楚雄彞族自治州|楚雄彝族自治州[Chu3 xiong2 Yi2 zu2 Zi4 zhi4 zhou1] in central Yunnan" -楚雄彝族自治州,chǔ xióng yí zú zì zhì zhōu,"Chuxiong Yi Autonomous Prefecture in central Yunnan, capital Chuxiong city 楚雄市[Chu3 xiong2 Shi4]" -楛,hù,(tree) -楛,kǔ,broken utensil -楝,liàn,Melia japonica -楞,léng,"variant of 稜|棱[leng2], corner; square beam; edge; arris (curve formed by two surfaces meeting at an edge); used in 楞迦[Leng2 jia1], Sri Lanka" -楞,lèng,variant of 愣[leng4]; to look distracted; to stare blankly; distracted; blank -楞严,lèng yán,one who surmounts all obstacles (Buddhism) -楞子眼,léng zi yǎn,vacant look of a drunk or imbecile -楞迦,léng jiā,"Lanka (old term for Sri Lanka, Ceylon)" -楞迦岛,léng jiā dǎo,"Lanka (old term for Sri Lanka, Ceylon)" -楠,nán,Machilus nanmu; Chinese cedar; Chinese giant redwood -楠木,nán mù,Phoebe zhennan; Machilus nanmu; Chinese cedar; Chinese giant redwood -楠格哈尔省,nán gé hā ěr shěng,Nangarhar province of Afghanistan -楠梓,nán zǐ,"Nanzi or Nantzu district of Kaohsiung city 高雄市[Gao1 xiong2 shi4], south Taiwan" -楠梓区,nán zǐ qū,"Nanzi or Nantzu district of Kaohsiung city 高雄市[Gao1 xiong2 shi4], south Taiwan" -楠竹,nán zhú,see 毛竹[mao2 zhu2] -楠西,nán xī,"Nanhsi township in Tainan county 台南縣|台南县[Tai2 nan2 xian4], Taiwan" -楣,méi,lintel; crossbeam -楦,xuàn,(wooden) shoe last; variant of 楦[xuan4] -楦,xuàn,to block (a hat); to stretch (a shoe) -楦子,xuàn zi,shoe tree; hat block -楦头,xuàn tou,toe box (of a shoe); shoe last (shoemaker's tool) -桢,zhēn,evergreen shrub -楫,jí,oar (archaic) -业,yè,surname Ye -业,yè,line of business; industry; occupation; job; employment; school studies; enterprise; property; (Buddhism) karma; deed; to engage in; already -业主,yè zhǔ,owner; proprietor -业内,yè nèi,(within) the industry; the profession -业务,yè wù,business; professional work; service; CL:項|项[xiang4] -业务员,yè wù yuán,salesperson -业务模式,yè wù mó shì,business model -业务过失,yè wù guò shī,professional negligence -业大,yè dà,part-time college (abbr. for 業餘大學|业余大学[ye4 yu2 da4 xue2]) -业已,yè yǐ,already -业师,yè shī,teacher; one's teacher -业态,yè tài,(retail industry) format -业根,yè gēn,the root cause (of evil); bane (Buddhism) -业海,yè hǎi,sea of evil; endless crime -业满,yè mǎn,to have paid one's karmic debts (Buddhism) -业界,yè jiè,industry -业界标准,yè jiè biāo zhǔn,industry standard -业精于勤,yè jīng yú qín,mastery of study lies in diligence (idiom). You can only master a subject by assiduous study.; Excellence in work is only possible with diligence.; Practice makes perfect. -业经,yè jīng,already -业绩,yè jì,"achievement; accomplishment; (in more recent usage) performance (of a business, employee etc); results" -业者,yè zhě,dealer; trader; person or company engaged in some industry or trade -业荒于嬉,yè huāng yú xī,to be distracted from one's work and fail to achieve results (idiom) -业配,yè pèi,(Tw) (media) writing an article or creating a video favorable to a business in return for payment from the business (abbr. for 業務配合|业务配合[ye4 wu4 pei4 he2]) -业配文,yè pèi wén,(Tw) advertorial -业障,yè zhàng,"karmic hindrance (Buddhism); karmic consequences that stand in the way of enlightenment; (term of abuse, especially toward the younger generation) devil spawn; (fig.) money" -业余,yè yú,in one's spare time; outside working hours; amateur (historian etc) -业余大学,yè yú dà xué,college for people who attend after work -业余爱好者,yè yú ài hào zhě,hobbyist; amateur -业余教育,yè yú jiào yù,spare-time education; evening classes -业余者,yè yú zhě,amateur -业龙,yè lóng,evil dragon -楮,chǔ,Broussonetia kasinoki -楮纸,chǔ zhǐ,kozogami -梅,méi,variant of 梅[mei2] -极,jí,"extremely; pole (geography, physics); utmost; top" -极了,jí le,extremely; exceedingly -极值,jí zhí,maxima and minima; extremum -极光,jí guāng,aurora (meteorology) -极其,jí qí,extremely -极刑,jí xíng,supreme penalty; execution -极力,jí lì,to make a supreme effort; at all costs -极化,jí huà,polarization -极北,jí běi,extreme north -极北朱顶雀,jí běi zhū dǐng què,(bird species of China) Arctic redpoll (Acanthis hornemanni) -极北柳莺,jí běi liǔ yīng,(bird species of China) Arctic warbler (Phylloscopus borealis) -极南,jí nán,extreme south -极右分子,jí yòu fèn zǐ,an extreme right-winger -极右翼,jí yòu yì,extreme right (politics) -极品,jí pǐn,best quality; item of the highest quality; (slang) outrageous; annoying in the extreme; gross; person with these qualities -极地,jí dì,polar region -极大,jí dà,maximum; enormous -极大值,jí dà zhí,maximum value -极好,jí hǎo,fabulous; superb; excellent -极客,jí kè,(loanword) (coll.) geek -极小,jí xiǎo,minimal; extremely small -极少,jí shǎo,very little; very few -极少数,jí shǎo shù,extremely few; a small minority -极差,jí chā,range (of a set of data) (statistics) -极度,jí dù,extremely -极坐标,jí zuò biāo,polar coordinates (math.) -极坐标系,jí zuò biāo xì,system of polar coordinates -极径,jí jìng,modulus (distance from the origin in polar coordinates) -极性,jí xìng,"(chemical, electrical) polarity; polarized" -极有可能,jí yǒu kě néng,extremely possible; probable -极东,jí dōng,the Far East; East Asia -极核,jí hé,polar nucleus -极乐,jí lè,bliss; extreme happiness -极乐世界,jí lè shì jiè,paradise (mainly Buddhist); Elysium; (Budd.) Sukhavati -极权,jí quán,totalitarian -极权主义,jí quán zhǔ yì,totalitarianism -极深研几,jí shēn yán jǐ,deep and detailed investigation (idiom) -极为,jí wéi,extremely; exceedingly -极盛时期,jí shèng shí qī,most flourishing period; Golden Age -极目远望,jí mù yuǎn wàng,as far as the eye can see -极短篇小说,jí duǎn piān xiǎo shuō,flash fiction -极端,jí duān,extreme -极端主义,jí duān zhǔ yì,extremism -极端之恶,jí duān zhī è,(philosophy) radical evil -极端分子,jí duān fèn zǐ,extremist -极简主义,jí jiǎn zhǔ yì,minimalism -极细小,jí xì xiǎo,extremely small; infinitesimal -极致,jí zhì,peak; pinnacle; ultimate -极角,jí jiǎo,polar angle; argument (angle in polar coordinates) -极超,jí chāo,hyper-; ultra- -极轴,jí zhóu,polar axis (x-axis in polar coordinates) -极辣,jí là,very spicy -极道,jí dào,yakuza -极限,jí xiàn,limit; extreme boundary -极限运动,jí xiàn yùn dòng,extreme sport -极点,jí diǎn,extreme point; pole; the origin (in polar coordinates) -楷,jiē,Chinese pistachio tree (Pistacia chinensis) -楷,kǎi,model; pattern; regular script (calligraphic style) -楷字,kǎi zì,regular script (Chinese calligraphic style) -楷书,kǎi shū,regular script (Chinese calligraphic style) -楷模,kǎi mó,model; example -楷体,kǎi tǐ,regular script (Chinese calligraphic style) -楸,qiū,Catalpa; Mallotus japonicus -楸树,qiū shù,"Catalpa bungei or Manchurian Catalpa, a tea plant" -楹,yíng,pillar -楹联,yíng lián,couplet (hung on the columns of a hall) -榀,pǐn,classifier for roof beams and trusses -概,gài,(bound form) general; approximate; without exception; categorically; (bound form) bearing; deportment -概型,gài xíng,(math.) a scheme -概型理论,gài xíng lǐ lùn,scheme theory (math.) -概形,gài xíng,scheme (in algebraic geometry) -概念,gài niàn,concept; idea; CL:個|个[ge4] -概念依存模型,gài niàn yī cún mó xíng,conceptual dependency model -概念化,gài niàn huà,conceptualization -概念地图,gài niàn dì tú,mind map -概念驱动加工,gài niàn qū dòng jiā gōng,concept-driven processing -概念验证,gài niàn yàn zhèng,proof of concept -概括,gài kuò,to summarize; to generalize; briefly; in broad outline -概括化,gài kuò huà,generalization -概数,gài shù,"approximate number; imprecise indication of quantity (e.g. 十幾|十几[shi2 ji3], 兩三百|两三百[liang3 san1 bai3], 一千多[yi1 qian1 duo1])" -概况,gài kuàng,general situation; summary -概测法,gài cè fǎ,rough-and-ready method; rule of thumb -概率,gài lǜ,probability (math.) -概率论,gài lǜ lùn,probability (math.) -概而不论,gài ér bù lùn,fuzzy about the details -概而言之,gài ér yán zhī,same as 總而言之|总而言之[zong3 er2 yan2 zhi1] -概要,gài yào,outline -概览,gài lǎn,general overview; to skim through -概观,gài guān,to survey; to take stock of; overview -概论,gài lùn,outline; introduction; survey; general discussion -概述,gài shù,overview -榆,yú,elm -榆中,yú zhōng,"Yuzhong county in Lanzhou 蘭州|兰州[Lan2 zhou1], Gansu" -榆中县,yú zhōng xiàn,"Yuzhong county in Lanzhou 蘭州|兰州[Lan2 zhou1], Gansu" -榆木,yú mù,elm; elmwood -榆木脑壳,yú mù nǎo ké,(coll.) a blockhead; a thickhead -榆木脑袋,yú mù nǎo dai,(coll.) thickhead; (coll.) thick skull (i.e. the brain of a thickhead) -榆林,yú lín,"Yulin, prefecture-level city in Shaanxi" -榆林市,yú lín shì,"Yulin, prefecture-level city in Shaanxi" -榆树,yú shù,"Yushu, county-level city in Changchun 長春|长春, Jilin" -榆树,yú shù,elm -榆树市,yú shù shì,"Yushu, county-level city in Changchun 長春|长春, Jilin" -榆次,yú cì,"Yuci district of Jinzhong city 晉中市|晋中市[Jin4 zhong1 shi4], Shanxi" -榆次区,yú cì qū,"Yuci district of Jinzhong city 晉中市|晋中市[Jin4 zhong1 shi4], Shanxi" -榆社,yú shè,"Yushe county in Jinzhong 晉中|晋中[Jin4 zhong1], Shanxi" -榆社县,yú shè xiàn,"Yushe county in Jinzhong 晉中|晋中[Jin4 zhong1], Shanxi" -榆罔,yú wǎng,"Yuwang (c. 2000 BC), last of the legendary Flame Emperors 炎帝[Yan2 di4], defeated by the Yellow Emperor 黃帝|黄帝[Huang2 di4]" -榆阳,yú yáng,"Yuyang District of Yulin City 榆林市[Yu2 lin2 Shi4], Shaanxi" -榆阳区,yú yáng qū,"Yuyang District of Yulin City 榆林市[Yu2 lin2 Shi4], Shaanxi" -榔,láng,tall tree (archaic) -榔榆,láng yú,Chinese or lacebark elm (Ulmus parvifolia) -榔槺,láng kāng,cumbersome; awkward and clumsy -榔头,láng tou,hammer; large hammer; sledgehammer -榕,róng,"Rong, another name for Fuzhou 福州[Fu2 zhou1]" -榕,róng,Chinese banyan (Ficus microcarpa) -榕城区,róng chéng qū,"Rongcheng district of Jieyang City 揭陽市|揭阳市, Guangdong" -榕树,róng shù,banyan -榕江,róng jiāng,"Rongjiang county in Qiandongnan Miao and Dong autonomous prefecture 黔東南州|黔东南州[Qian2 dong1 nan2 zhou1], Guizhou" -榕江县,róng jiāng xiàn,"Rongjiang county in Qiandongnan Miao and Dong autonomous prefecture 黔東南州|黔东南州[Qian2 dong1 nan2 zhou1], Guizhou" -矩,jǔ,variant of 矩[ju3] -榛,zhēn,(bound form) hazelnut tree (Corylus heterophylla) -榛仁,zhēn rén,"hazelnut kernel; hazelnut ""meat""" -榛仁儿,zhēn rén er,erhua variant of 榛仁[zhen1 ren2] -榛子,zhēn zi,hazelnut -榛实,zhēn shí,hazelnut -榛果,zhēn guǒ,filbert; hazelnut; cobnut -榛栗,zhēn lì,hazelnut -榛榛,zhēn zhēn,overgrown with wild plants -榛色,zhēn sè,filbert -榛莽,zhēn mǎng,(literary) luxuriant vegetation -榛芜,zhēn wú,wilderness; bushy and weedy; humble; inferior -榛薮,zhēn sǒu,dense wood -榛鸡,zhēn jī,hazel grouse -搒,bàng,to row; oar; Taiwan pr. [beng4] -搒,pèng,to whip; Taiwan pr. [beng4] -榜,bǎng,notice or announcement; list of names; public roll of successful examinees -榜单,bǎng dān,list of successful applicants for college admission; list of people or entities ranked highest according to some metric -榜样,bǎng yàng,example; model; CL:個|个[ge4] -榜眼,bǎng yǎn,candidate who came second in the Han-lin examination; see 狀元|状元[zhuang4 yuan2] -榜笞,bàng chī,to beat; to flog; to whip -榜葛剌,bǎng gé là,"old Chinese name for Bengal, now written 孟加拉[Meng4 jia1 la1]" -榜首,bǎng shǒu,top of the list -榧,fěi,Torreya nucifera -榨,zhà,"to press; to extract (juice); device for extracting juice, oils etc" -榨取,zhà qǔ,to extract; to squeeze out (juice etc); (fig.) to exploit -榨汁机,zhà zhī jī,juicer; blender -榨油,zhà yóu,to extract oil from vegetables; to press -榨菜,zhà cài,hot pickled mustard tuber -榨酒池,zhà jiǔ chí,winepress -杩,mà,headboard -榫,sǔn,(cabinetmaking) tenon -榫眼,sǔn yǎn,mortise (slot cut into wood to receive a tenon) -榫销,sǔn xiāo,dowel; carpenter's pin -榫凿,sǔn záo,mortise chisel -榫头,sǔn tou,tenon (wooden projection to fit into a mortise) -榭,xiè,pavilion -荣,róng,surname Rong -荣,róng,glory; honor; thriving -荣任,róng rèn,to be appointed or elevated to a post -荣光,róng guāng,glory -荣光颂,róng guāng sòng,Gloria (in Catholic mass) -荣威,róng wēi,Roewe (brand) -荣宗耀祖,róng zōng yào zǔ,to bring honor to one's ancestors (idiom); also written 光宗耀祖 -荣市,róng shì,"Vinh, Vietnam" -荣幸,róng xìng,honored (to have the privilege of ...) -荣成,róng chéng,"Rongcheng, county-level city in Weihai 威海, Shandong" -荣成市,róng chéng shì,"Rongcheng, county-level city in Weihai 威海, Shandong" -荣成湾,róng chéng wān,Roncheng bay near Weihai 威海市 on north coast of Shandong -荣昌,róng chāng,"Rongchang, a district of Chongqing 重慶|重庆[Chong2qing4]" -荣昌区,róng chāng qū,"Rongchang, a district of Chongqing 重慶|重庆[Chong2qing4]" -荣景,róng jǐng,period of prosperity -荣格,róng gé,"Carl Gustav Jung (1875-1961), Swiss psychiatrist" -荣归,róng guī,to return home with honor -荣归主,róng guī zhǔ,Gloria (section of Catholic mass) -荣归故里,róng guī gù lǐ,to return home with honor -荣毅仁,róng yì rén,"Rong Yiren (1916-2005), PRC Vice President from 1993-1998, played an important role in opening Chinese economy to Western investors" -荣民,róng mín,retired soldier; veteran -荣河县,róng hé xiàn,"Ronghe former county in 運城|运城[Yun4 cheng2], Shanxi, present Linyi county 臨猗縣|临猗县[Lin2 yi1 xian4]" -荣获,róng huò,be honored with -荣登,róng dēng,"(of a list, music chart etc) to reach the top" -荣禄大夫,róng lù dà fū,a rank in government service -荣县,róng xiàn,"Rong county in Zigong 自貢|自贡[Zi4 gong4], Sichuan" -荣美,róng měi,glorious -荣耀,róng yào,honor; glory -荣华,róng huá,glory and splendor -荣华富贵,róng huá fù guì,"glory, splendor, wealth and rank (idiom); high position and great wealth" -荣誉,róng yù,honor; credit; glory; (honorable) reputation; honorary -荣誉博士,róng yù bó shì,honorary doctorate; Doctor Honoris Causae -荣誉博士学位,róng yù bó shì xué wèi,honorary doctorate; Doctor Honoris Causae -荣誉学位,róng yù xué wèi,honorary degree; (U.K. etc) honours degree -荣誉教授,róng yù jiào shòu,emeritus professor -荣誉军人,róng yù jūn rén,disabled soldier; serviceman wounded in action -荣军,róng jūn,abbr. for 榮譽軍人|荣誉军人[rong2 yu4 jun1 ren2] -荣辱,róng rǔ,honor and disgrace; reputation -荣辱与共,róng rǔ yǔ gòng,(of friends or partners) to share both the honor and the disgrace (idiom) -荣辱观,róng rǔ guān,"precepts regarding what is honorable and what is shameful (in particular, refers to the Socialist Concepts on Honors and Disgraces, PRC official moral principles promulgated from 2006); abbr. for 社會主義榮辱觀|社会主义荣辱观; also known as the Eight Honors and Eight Shames 八榮八恥|八荣八耻[Ba1 Rong2 Ba1 Chi3]" -榱,cuī,rafter (classical) -榅,wēn,used in 榲桲|榅桲[wen1po5] -榅桲,wēn po,quince (Cydonia oblonga) -榴,liú,pomegranate -榴弹,liú dàn,high explosive shell; grenade -榴弹炮,liú dàn pào,howitzer -榴弹发射器,liú dàn fā shè qì,grenade launcher -榴梿,liú lián,variant of 榴蓮|榴莲[liu2 lian2] -榴梿果,liú lián guǒ,durian fruit; also written 留蓮果|留莲果 -榴莲,liú lián,durian fruit; Durio zibethinus -榴莲族,liú lián zú,worker who is capable but unpleasant to deal with -榴莲果,liú lián guǒ,durian fruit; also written 榴槤果|榴梿果 -榴霰弹,liú xiàn dàn,shrapnel shell; shrapnel; also pr. [liu2 san3 dan4] -榷,què,"footbridge; toll, levy; monopoly" -榻,tà,couch -榻床,tà chuáng,divan; couch -榻榻米,tà tà mǐ,tatami (loanword from Japanese) -桤,qī,alder -桤木,qī mù,alder -桤树,qī shù,long peduncled alder (Alnus cremastogyne); Alnus trebeculata -槁,gǎo,variant of 槁[gao3]; dried up -槁,gǎo,dried up (wood); dead tree -槃,pán,variant of 盤|盘; wooden tray -槊,shuò,long lance -构,gòu,to construct; to form; to make up; to compose; literary composition; paper mulberry (Broussonetia papyrifera) -构件,gòu jiàn,member; component; part -构图,gòu tú,(art) composition -构型,gòu xíng,"structure; (spatial) configuration; arrangement; (chemistry) configuration (molecular, electron etc)" -构建,gòu jiàn,to construct (sth abstract) -构思,gòu sī,to design; to plot; to plan out; to compose; to draw a mental sketch; conception; plan; idea; composition -构想,gòu xiǎng,to conceive; concept -构想图,gòu xiǎng tú,notional diagram (i.e. made-up picture or artist's impression for news story) -构成,gòu chéng,to constitute; to form; to compose; to make up; to configure (computing) -构架,gòu jià,structure -构筑,gòu zhù,to build; to construct -构词,gòu cí,composite word -构词学,gòu cí xué,morphology (linguistics) -构词法意识,gòu cí fǎ yì shí,morphological awareness -构造,gòu zào,structure; composition; tectonic (geology); CL:個|个[ge4] -构造运动,gòu zào yùn dòng,tectonic movement; movement of earth's crust -构陷,gòu xiàn,to frame; to bring false charges against -槌,chuí,mallet; pestle; beetle (for wedging or ramming) -槌球,chuí qiú,croquet -枪,qiāng,surname Qiang -枪,qiāng,"gun; firearm; rifle; spear; thing with shape or function similar to a gun; CL:支[zhi1],把[ba3],桿|杆[gan3],條|条[tiao2],枝[zhi1]; to substitute for another person in a test; to knock; classifier for rifle shots" -枪伤,qiāng shāng,gunshot wound -枪刺,qiāng cì,bayonet -枪匪,qiāng fěi,bandits with guns; an armed criminal; a gunman -枪口,qiāng kǒu,muzzle of a gun -枪子,qiāng zǐ,bullet -枪崩,qiāng bēng,to shoot -枪弹,qiāng dàn,bullet -枪战,qiāng zhàn,gun battle; firefight -枪手,qiāng shǒu,gunman; sharpshooter; sb who takes an exam for sb else; sb who produces a piece of work for sb else to pass off as their own -枪打出头鸟,qiāng dǎ chū tóu niǎo,the shot hits the bird that pokes its head out (idiom); nonconformity gets punished -枪托,qiāng tuō,butt of a gun; stock -枪把儿,qiāng bà er,butt of a gun -枪击,qiāng jī,to shoot with a gun; shooting incident -枪击案,qiāng jī àn,a shooting -枪支,qiāng zhī,a gun; guns in general -枪毙,qiāng bì,to execute by firing squad; to shoot dead; fig. to discard; to get rid of -枪替,qiāng tì,to substitute for sb in sitting an examination -枪林箭雨,qiāng lín jiàn yǔ,"forest of spear, rain of arrows" -枪枝,qiāng zhī,a gun; guns in general; same as 槍支|枪支 -枪栓,qiāng shuān,gun bolt -枪杆,qiāng gǎn,gun barrel -枪杆儿,qiāng gǎn er,gun barrel -枪杆子,qiāng gǎn zi,gun barrel -枪械,qiāng xiè,firearm -枪榴弹,qiāng liú dàn,rifle grenade -枪机,qiāng jī,bolt of gun -枪杀,qiāng shā,to shoot dead -枪决,qiāng jué,to execute by firing squad; same as 槍斃|枪毙 -枪法,qiāng fǎ,marksmanship -枪灰色,qiāng huī sè,gunmetal gray -枪乌贼,qiāng wū zéi,squid -枪版,qiāng bǎn,"amateur pirated DVD, made e.g. by shooting a running movie" -枪眼,qiāng yǎn,loophole (for firing); embrasure -枪炮,qiāng pào,firearm -枪筒,qiāng tǒng,barrel of a gun -枪管,qiāng guǎn,gun barrel -枪声,qiāng shēng,crack; shooting sound; gunshot -枪膛,qiāng táng,bore of a gun -枪术,qiāng shù,qiang (spear) -枪衣,qiāng yī,gun cover -枪闩,qiāng shuān,breech bolt (e.g. of rifle) -槎,chá,a raft made of bamboo or wood; to fell trees; to hew -槐,huái,Chinese scholar tree (Sophora japonica); Japanese pagoda tree -槐树,huái shù,locust tree (Sophora japonica) -槐荫,huái yìn,"Huaiyin district of Jinan city 濟南市|济南市[Ji3 nan2 shi4], Shandong" -槐荫区,huái yìn qū,"Huaiyin district of Jinan city 濟南市|济南市[Ji3 nan2 shi4], Shandong" -梅,méi,old variant of 梅[mei2] -杠,gàng,"coffin-bearing pole (old); thick pole; bar; rod; thick line; to mark with a thick line; to sharpen (a knife, razor etc); to get into a dispute with; standard; criterion; hyphen; dash" -杠上,gàng shàng,to get into a dispute with -杠刀,gàng dāo,to sharpen a knife (or razor etc) -杠夫,gàng fū,pole carrier; coffin-bearer -杠子,gàng zi,thick bar; solid carrying pole -杠掉,gàng diào,to cross out -杠杆,gàng gǎn,lever; pry bar; crowbar; financial leverage -杠杠的,gáng gáng de,"(slang, originally northeast dialect) excellent; great" -杠荡,gàng dàng,to shake; to rock -杠铃,gàng líng,barbell -杠头,gàng tóu,(old) chief coffin bearer; (fig.) argumentative person; a kind of bread made with a dough flattened using a rolling pin 槓子|杠子[gang4 zi5] -杠龟,gàng guī,"(Tw) to lose one's shirt (gambling); to meet with failure (from Taiwanese 摃龜, Tai-lo pr. [kòng-ku])" -槔,gāo,water pulley -桌,zhuō,old variant of 桌[zhuo1] -槜,zuì,see 槜李[zui4 li3]; see 槜李[Zui4 li3] -槜李,zuì lǐ,ancient place in modern day Zhejiang Province -槜李,zuì lǐ,plum with bright red skin -梿,lián,"see 槤枷|梿枷[lian2 jia1], flail; to thresh (using a flail)" -梿枷,lián jiā,variant of 連枷|连枷[lian2 jia1] -椠,qiàn,wooden tablet; edition -椁,guǒ,outer coffin -概,gài,old variant of 概[gai4] -槭,qì,maple; also pr. [zu2]; Taiwan pr. [cu4] -槭木,qì mù,maple (timber) -槭树,qì shù,maple -槭糖浆,qì táng jiāng,maple syrup -槲,hú,Mongolian oak (Quercus dentata); see also 槲樹|槲树[hu2 shu4] -槲寄生,hú jì shēng,mistletoe -槲树,hú shù,Mongolian oak (Quercus dentata); Daimyo oak -槲栎,hú lì,oriental white oak (Quercus aliena) -槲鸫,hú dōng,(bird species of China) mistle thrush (Turdus viscivorus) -桨,jiǎng,oar; paddle; CL:隻|只[zhi1] -桨手,jiǎng shǒu,rower; oarsman -桨板,jiǎng bǎn,stand-up paddleboarding (SUP); stand-up paddleboard; blade of a propeller; blade of an oar -槺,kāng,empty space inside a building -规,guī,variant of 規|规[gui1] -槽,cáo,trough; manger; groove; channel; (Tw) (computing) hard drive -槽位,cáo wèi,slot -槽坊,cáo fang,brewery; papermaking craft shop (in former times) -槽孔,cáo kǒng,slot; groove; slotted hole -槽牙,cáo yá,molar tooth -槽车,cáo chē,tanker (truck) -槽钢,cáo gāng,steel groove; V-shaped steel bar -槽头,cáo tóu,feeding trough in stable -槽点,cáo diǎn,(slang) an aspect that invites ridicule (e.g. a film's plot inconsistencies or unrealistic character behavior) -槽齿目,cáo chǐ mù,Thecodontia (obsolete taxonomic grouping of reptiles) -槽齿类,cáo chǐ lèi,thecodont (type of reptile that existed in the Permian and Triassic Periods) -槿,jǐn,Hibiscus syriacus; transient -桩,zhuāng,"stump; stake; pile; classifier for events, cases, transactions, affairs etc" -桩构栈道,zhuāng gòu zhàn dào,pile trestle -桩桩件件,zhuāng zhuāng jiàn jiàn,each and every one -桩脚,zhuāng jiǎo,pier foundation (architecture); (Tw) politically influential figure enlisted to support one side in an election -乐,lè,surname Le -乐,yuè,surname Yue -乐,lè,happy; cheerful; to laugh -乐,yuè,music -乐不可支,lè bù kě zhī,overjoyed (idiom); as pleased as punch -乐不思蜀,lè bù sī shǔ,indulge in pleasure and forget home and duty (idiom) -乐之,lè zhī,Ritz (cracker brand) -乐事,lè shì,Lay's (brand) -乐事,lè shì,pleasure -乐亭,lào tíng,"Laoting county in Tangshan 唐山[Tang2 shan1], Hebei" -乐亭县,lào tíng xiàn,"Laoting county in Tangshan 唐山[Tang2 shan1], Hebei" -乐儿,lè er,see 樂子|乐子[le4 zi5] -乐句,yuè jù,musical phrase -乐呵呵,lè hē hē,happily; giddily -乐善好施,lè shàn hào shī,kind and charitable -乐器,yuè qì,musical instrument; CL:件[jian4] -乐园,lè yuán,paradise -乐团,yuè tuán,band; orchestra -乐土,lè tǔ,happy place; paradise; haven -乐在其中,lè zài qí zhōng,to take pleasure in sth (idiom) -乐坛,yuè tán,music circles; music world -乐天,lè tiān,Lotte (South Korean conglomerate) -乐天,lè tiān,carefree; happy-go-lucky; optimistic -乐天派,lè tiān pài,happy-go-lucky people; optimists -乐天知命,lè tiān zhī mìng,to be content with what one is -乐子,lè zi,fun; pleasure; laughing matter -乐学者,yuè xué zhě,musicologist -乐安,lè ān,"Le'an county in Fuzhou 撫州|抚州, Jiangxi" -乐安县,lè ān xiàn,"Le'an county in Fuzhou 撫州|抚州, Jiangxi" -乐山,lè shān,Leshan prefecture-level city in Sichuan -乐山市,lè shān shì,Leshan prefecture-level city in Sichuan -乐师,yuè shī,musician -乐平,lè píng,"Leping, county-level city in Jingdezhen 景德鎮|景德镇, Jiangxi" -乐平市,lè píng shì,"Leping, county-level city in Jingdezhen 景德鎮|景德镇, Jiangxi" -乐府,yuè fǔ,yuefu (Chinese style of lyric poetry) -乐府诗集,yuè fǔ shī jí,"Collection of Yuefu Songs and Ballads, compiled in the 11th century by Guo Maoqian 郭茂倩[Guo1 Mao4 qian4]" -乐律,yuè lǜ,tuning; temperament -乐意,lè yì,to be willing to do sth; to be ready to do sth; to be happy to do sth; content; satisfied -乐感,yuè gǎn,musicality; feel for music -乐手,yuè shǒu,instrumental performer -乐捐,lè juān,to donate -乐于,lè yú,willing (to do sth); to take pleasure in -乐于助人,lè yú zhù rén,willing to help others -乐施会,lè shī huì,Oxfam (Oxford Committee for Famine Relief) -乐昌,lè chāng,"Lechang, county-level city in Shaoguan 韶關|韶关[Shao2 guan1], Guangdong" -乐昌之镜,lè chāng zhī jìng,happy wife-husband reunion -乐昌分镜,lè chāng fēn jìng,happy wife-husband reunion -乐昌市,lè chāng shì,"Lechang, county-level city in Shaoguan 韶關|韶关[Shao2 guan1], Guangdong" -乐曲,yuè qǔ,musical composition -乐东,lè dōng,"Ledong Lizu autonomous county, Hainan" -乐东县,lè dōng xiàn,"Ledong Lizu autonomous county, Hainan" -乐东黎族自治县,lè dōng lí zú zì zhì xiàn,"Ledong Lizu autonomous county, Hainan" -乐业,lè yè,"Leye county in Baise 百色[Bai3 se4], Guangxi" -乐业县,lè yè xiàn,"Leye county in Baise 百色[Bai3 se4], Guangxi" -乐极生悲,lè jí shēng bēi,"extreme joy turns to sorrow (idiom); Don't celebrate too soon, things could still go wrong!" -乐此不疲,lè cǐ bù pí,to enjoy sth and never tire of it (idiom) -乐歪,lè wāi,to be thrilled; (of sb's mouth) to form a grin -乐活,lè huó,LOHAS (lifestyles of health and sustainability) -乐浪郡,lè làng jùn,"Lelang commandery (108 BC-313 AD), one of four Han dynasty commanderies in north Korea" -乐清,yuè qīng,"Yueqing, county-level city in Wenzhou 溫州|温州[Wen1 zhou1], Zhejiang" -乐清市,yuè qīng shì,"Yueqing, county-level city in Wenzhou 溫州|温州[Wen1 zhou1], Zhejiang" -乐滋滋,lè zī zī,(coll.) contented; happy -乐理,yuè lǐ,music theory -乐福鞋,lè fú xié,loafer shoes (loanword) -乐章,yuè zhāng,movement (of a symphony) -乐经,yuè jīng,"Book of Music, said to be one of the Six Classics lost after Qin's burning of the books in 212 BC, but may simply refer to Book of Songs 詩經|诗经" -乐羊羊,lè yáng yáng,"Happy sheep (group of five cartoon sheep), mascot of 2010 Guangzhou Asian games 廣州亞運會|广州亚运会" -乐至,lè zhì,"Lezhi county in Ziyang 資陽|资阳[Zi1 yang2], Sichuan" -乐至县,lè zhì xiàn,"Lezhi county in Ziyang 資陽|资阳[Zi1 yang2], Sichuan" -乐华梅兰,lè huá méi lán,Leroy Merlin (PRC DIY chain) -乐蒂,lè dì,"Betty Loh Ti, Chinese actress" -乐蜀,lè shǔ,"Luxor, city in Egypt (Cantonese transliteration)" -乐见,lè jiàn,"to be pleased to see (a circumstance, occurrence etc); to look favorably on" -乐见其成,lè jiàn qí chéng,to look favorably on sth; would be glad see it happen -乐观,lè guān,optimistic; hopeful -乐观主义,lè guān zhǔ yì,optimism -乐观其成,lè guān qí chéng,to look favorably on sth; would be glad to see it happen -乐谱,yuè pǔ,a musical score; sheet music -乐购,lè gòu,"Tesco, UK-based supermarket chain" -乐趣,lè qù,delight; pleasure; joy -乐迷,yuè mí,music fan -乐透,lè tòu,lottery; lotto (loanword) -乐道,lè dào,to take delight in talking about sth; to find pleasure in following one's convictions -乐都,lè dū,"Ledu county in Haidong prefecture 海東地區|海东地区[Hai3 dong1 di4 qu1], Qinghai" -乐都县,lè dū xiàn,"Ledu county in Haidong prefecture 海東地區|海东地区[Hai3 dong1 di4 qu1], Qinghai" -乐开花,lè kāi huā,to burst with joy -乐陵,lào líng,"Laoling, county-level city in Dezhou 德州[De2 zhou1], Shandong" -乐陵市,lè líng shì,"Leling, county-level city in Dezhou 德州[De2 zhou1], Shandong" -乐陶陶,lè táo táo,joyful; cheerful -乐队,yuè duì,band; pop group; CL:支[zhi1] -乐音,yuè yīn,musical note; tone -乐颠了馅,lè diān le xiàn,ecstatic; overjoyed -乐高,lè gāo,Lego (toys) -乐龄,lè líng,golden years (after the age of about 60) -枞,cōng,fir tree -枞,zōng,used in 樅陽|枞阳[Zong1yang2] -枞树,cōng shù,fir -枞阳,zōng yáng,"Zongyang, a county in Tongling City 銅陵市|铜陵市[Tong2ling2 Shi4], Anhui" -枞阳县,zōng yáng xiàn,"Zongyang, a county in Tongling City 銅陵市|铜陵市[Tong2ling2 Shi4], Anhui" -樆,chī,manjack or cordia (genus Cordia) -樆,lí,rowan or mountain ash (genus Sorbus) -樊,fán,surname Fan -樊,fán,(literary) fence -樊城,fán chéng,"Fancheng District of Xiangfan city 襄樊市[Xiang1 fan2 shi4], Hubei" -樊城区,fán chéng qū,"Fancheng District of Xiangfan city 襄樊市[Xiang1 fan2 shi4], Hubei" -樊笼,fán lóng,bird cage; (fig.) prison; confinement -樊篱,fán lí,(lit.) fence; hedge; (fig.) restriction -橹,lǔ,old variant of 櫓|橹[lu3] -梁,liáng,variant of 梁[liang2] -楼,lóu,surname Lou -楼,lóu,"house with more than 1 story; storied building; floor; CL:層|层[ceng2],座[zuo4],棟|栋[dong4]" -楼上,lóu shàng,upstairs; (Internet slang) previous poster in a forum thread -楼下,lóu xià,downstairs -楼主,lóu zhǔ,original poster (in an online forum); landlord of a building (traditional) -楼子,lóu zi,pavilion; variant of 婁子|娄子[lou2 zi5] -楼宇,lóu yǔ,building -楼层,lóu céng,story; floor -楼市,lóu shì,real estate market -楼座,lóu zuò,gallery seat (in theater) -楼厢,lóu xiāng,loft -楼房,lóu fáng,"a building of two or more stories; CL:棟|栋[dong4],幢[zhuang4],座[zuo4]" -楼板,lóu bǎn,"floor; floor (ie. metal plate, concrete slab, wooden planking etc)" -楼梯,lóu tī,stair; staircase; CL:個|个[ge4] -楼梯口,lóu tī kǒu,head of a flight of stairs -楼梯台,lóu tī tái,staircase balcony; landing -楼梯间,lóu tī jiān,staircase; flight of stairs -楼橹,lóu lǔ,watch tower; movable battlefield turret -楼盘,lóu pán,building under construction; commercial property; real estate (for sale or rent) -楼台,lóu tái,(dialect) balcony; terrace; (literary) high building; tower; (old) stage for theatrical performance -楼船,lóu chuán,ship with several decks; turreted junk -楼花,lóu huā,apartment building offered for sale before construction is completed; off-plan property -楼兰,lóu lán,"Loulan, aka Kroraina, ancient oasis town on the Silk Road near Lop Nor 羅布泊|罗布泊[Luo2 bu4 po1]" -楼道,lóu dào,corridor; passageway (in storied building) -楼阁,lóu gé,building; pavilion -楼阁塔,lóu gé tǎ,multistory pagoda -楼面,lóu miàn,floor -楼顶,lóu dǐng,top of a building -樗,chū,simaroubaceae -樘,chěng,a pillar -樘,táng,pillar; door post; door or window frame; classifier for doors or windows -标,biāo,"mark; sign; label; to mark with a symbol, label, lettering etc; to bear (a brand name, registration number etc); prize; award; bid; target; quota; (old) the topmost branches of a tree; visible symptom; classifier for military units" -标价,biāo jià,to mark the price; marked price -标兵,biāo bīng,parade guards (usually spaced out along parade routes); example; model; pacesetter -标售,biāo shòu,to sell by tender -标图,biāo tú,mark on map or chart -标地,biāo dì,plot of land -标定,biāo dìng,to stake out (the boundaries of a property etc); to demarcate; (engineering etc) to calibrate -标尺,biāo chǐ,surveyor's rod; staff; staff gauge; rear sight -标帜,biāo zhì,banner; standard; variant of 標誌|标志[biao1zhi4] -标底,biāo dǐ,base number (of a tender); starting price (for auction) -标度,biāo dù,scale -标得,biāo dé,to win (sth) in a bid -标新取异,biāo xīn qǔ yì,to start on sth new and different (idiom); to display originality -标新立异,biāo xīn lì yì,to make a show of being original or unconventional (idiom) -标新竞异,biāo xīn jìng yì,to start on sth new and different (idiom); to display originality -标新领异,biāo xīn lǐng yì,"to bring in the new (idiom); new directions, different creation" -标明,biāo míng,to mark; to indicate -标普,biāo pǔ,Standard and Poor (share index); abbr. for 標準普爾|标准普尔[Biao1 zhun3 Pu3 er3] -标书,biāo shū,bid or tender submission or delivery; bid or tender document -标会,biāo huì,private loan association where money is allocated through bidding; meeting of such an association; to win the bidding at such a meeting -标本,biāo běn,specimen; sample; the root cause and symptoms of a disease -标本虫,biāo běn chóng,spider beetle -标杆,biāo gān,surveyor's pole; post (used for a landmark); (fig.) goal; model; benchmark -标架,biāo jià,a coordinate frame -标柱,biāo zhù,distance marker; pole marking distance on racetrack -标格,biāo gé,style; character -标榜,biāo bǎng,to flaunt; to advertise; to parade; boost; excessive praise -标枪,biāo qiāng,javelin -标桩,biāo zhuāng,(marking) stake -标注,biāo zhù,to mark out; to tag; to put a sign on sth explaining or calling attention to; to annotate (e.g. a character with its pinyin) -标清,biāo qīng,standard definition (TV or video image quality) -标准,biāo zhǔn,standard; norm; criterion; (adjective) standard; good; correct; conforming to a standard -标准像,biāo zhǔn xiàng,official portrait -标准化,biāo zhǔn huà,standardization -标准尺寸,biāo zhǔn chǐ cùn,gauge -标准差,biāo zhǔn chā,(statistics) standard deviation -标准时,biāo zhǔn shí,standard time -标准普尔,biāo zhǔn pǔ ěr,"Standard and Poor's (S&P), company specializing in financial market ratings; S&P financial index" -标准杆,biāo zhǔn gān,par (golf) -标准模型,biāo zhǔn mó xíng,Standard Model (of particle physics) -标准状态,biāo zhǔn zhuàng tài,standard conditions for temperature and pressure -标准状况,biāo zhǔn zhuàng kuàng,standard conditions for temperature and pressure -标准组织,biāo zhǔn zǔ zhī,standards organization; standards body -标准规格,biāo zhǔn guī gé,standard; norm -标准语,biāo zhǔn yǔ,standard language -标准间,biāo zhǔn jiān,standard (hotel) room; two-person room of standard size and amenities; abbr. to 標間|标间[biao1 jian1] -标准音,biāo zhǔn yīn,standard pronunciation; standard tone (e.g. A = 440 Hz) -标灯,biāo dēng,beacon light; beacon -标牌,biāo pái,label; tag; sign; (brass etc) inscribed plate -标界,biāo jiè,to demarcate a boundary; dividing line -标的,biāo dì,target; aim; objective; what one hopes to gain -标砖,biāo zhuān,marker brick (in building); keystone -标示,biāo shì,to indicate -标称,biāo chēng,"nominal (voltage, horsepower etc)" -标竿,biāo gān,benchmark; pole serving as mark or symbol; pole with a trophy hung on it -标签,biāo qiān,label; tag; (computing) tab (GUI element) -标签页,biāo qiān yè,tab (of a browser window) -标线,biāo xiàn,marking line (painted on a road to guide motorists); reticle; graticule -标绘,biāo huì,to plot (on a chart); to mark -标致,biāo zhì,Peugeot -标致,biāo zhi,(of a woman) beautiful; pretty -标号,biāo hào,grade -标记,biāo jì,sign; mark; symbol; to mark up; (computing) token -标志,biāo zhì,sign; mark; symbol; logo; to symbolize; to indicate; to mark -标志性,biāo zhì xìng,iconic -标语,biāo yǔ,"written slogan; placard; CL:幅[fu2],張|张[zhang1],條|条[tiao2]" -标语牌,biāo yǔ pái,placard -标识,biāo zhì,variant of 標誌|标志[biao1zhi4] -标卖,biāo mài,to sell at marked price; to sell by tender -标配,biāo pèi,to provide as a standard feature; standard feature; standard equipment; standard configuration; (abbr. for 標準配置|标准配置[biao1 zhun3 pei4 zhi4]) -标量,biāo liàng,scalar quantity -标金,biāo jīn,standard gold bar; deposit when submitting a tender -标间,biāo jiān,"abbr. for 標準間|标准间[biao1 zhun3 jian1], standard (hotel) room" -标音法,biāo yīn fǎ,phonetic transcription; system of representing spoken sounds -标题,biāo tí,title; heading; headline; caption; subject -标题新闻,biāo tí xīn wén,headline news; title story -标题栏,biāo tí lán,title bar (of a window) (computing) -标题语,biāo tí yǔ,title word; entry (in dictionary) -标题党,biāo tí dǎng,"""sensational headline writers"", people who write misleading titles in order to generate clicks from Internet users; clickbait" -标高,biāo gāo,elevation; level -标点,biāo diǎn,punctuation; a punctuation mark; to punctuate; CL:個|个[ge4] -标点符号,biāo diǎn fú hào,punctuation; a punctuation mark -樛,jiū,surname Jiu -樛,jiū,to hang down -枢,shū,(bound form) hinge; pivot (usu. fig.) -枢垣,shū yuán,censorate -枢密院,shū mì yuàn,privy council -枢机,shū jī,cardinal (Catholicism) -枢机主教,shū jī zhǔ jiào,cardinal (of the Catholic Church) -枢纽,shū niǔ,hub (e.g. of traffic network); hinge; pivot; fulcrum -枢轴,shū zhóu,pivot; fulcrum -樟,zhāng,camphor; Cinnamonum camphara -樟宜,zhāng yí,"Changi, area in the east of Singapore, where Singapore Changi Airport is located" -樟木,zhāng mù,"Dram (Chinese Zhangmu), town at Tibet-Nepal border" -樟树,zhāng shù,"Zhangshu, county-level city in Yichun 宜春[Yi2 chun1], Jiangxi" -樟树,zhāng shù,camphor; Cinnamonum camphara -樟树市,zhāng shù shì,"Zhangshu, county-level city in Yichun 宜春, Jiangxi" -樟脑,zhāng nǎo,camphor C10H16O -樟脑丸,zhāng nǎo wán,camphor balls; moth balls -樟脑球,zhāng nǎo qiú,camphor balls; moth balls -模,mó,to imitate; model; norm; pattern -模,mú,mold; die; matrix; pattern -模仿,mó fǎng,to imitate; to copy; to emulate; to mimic; model -模仿品,mó fǎng pǐn,imitation product; counterfeit; fake -模似,mó sì,to simulate; to emulate -模具,mú jù,mold; matrix; pattern or die; Taiwan pr. [mo2 ju4] -模因,mó yīn,meme (loanword) -模型,mó xíng,model; mold; matrix; pattern -模块,mó kuài,module (in software); functional unit; component part -模块化,mó kuài huà,modularity -模块化理论,mó kuài huà lǐ lùn,modularity theory -模块单元,mó kuài dān yuán,modular unit -模块式,mó kuài shì,modular -模块板,mó kuài bǎn,module board -模压,mú yā,mold pressing -模子,mú zi,mold; matrix; pattern or die -模写,mó xiě,variant of 摹寫|摹写[mo2 xie3] -模式,mó shì,mode; method; pattern -模式标本,mó shì biāo běn,type specimen (used to define a species) -模式种,mó shì zhǒng,type species (used to define a genus in taxonomy) -模形,mó xíng,pattern -模态,mó tài,"modal (computing, linguistics)" -模拟,mó nǐ,"imitation; to simulate; to imitate; analog (device, as opposed to digital)" -模拟信号,mó nǐ xìn hào,analog signal -模拟器,mó nǐ qì,emulator -模拟放大器,mó nǐ fàng dà qì,analog amplifier -模数,mó shù,analog-to-digital; abbr. for 模擬到數字|模拟到数字 -模数转换器,mó shù zhuǎn huàn qì,analog-to-digital converter (ADC) -模板,mú bǎn,template; (architecture) formwork -模样,mú yàng,look; style; appearance; approximation; about; CL:個|个[ge4]; also pr. [mo2 yang4] -模版,mú bǎn,variant of 模板[mu2ban3] -模特,mó tè,(fashion) model (loanword) -模特儿,mó tè er,(fashion) model (loanword) -模棱,mó léng,ambiguous; undecided and unclear -模棱两可,mó léng liǎng kě,equivocal; ambiguous -模范,mó fàn,model; fine example -模糊,mó hu,vague; indistinct; fuzzy -模糊不清,mó hu bù qīng,indistinct; fuzzy; blurred with age -模糊数学,mó hu shù xué,fuzzy mathematics -模糊逻辑,mó hu luó ji,fuzzy logic -模组,mó zǔ,(hardware or software) module (computing) -模胡,mó hu,variant of 模糊[mo2 hu5] -模里西斯,mó lǐ xī sī,Mauritius (Tw) -样,yàng,"manner; pattern; way; appearance; shape; classifier: kind, type" -样例,yàng lì,sample; model; example -样儿,yàng er,see 樣子|样子[yang4zi5] -样品,yàng pǐn,sample; specimen -样单,yàng dān,sample sheet; form; (computing) stylesheet -样子,yàng zi,appearance; manner; pattern; model -样式,yàng shì,type; style -样张,yàng zhāng,(printing) proof; specimen page; sample photograph; (fashion design) pattern sheet -样本,yàng běn,sample; specimen -样板,yàng bǎn,template; prototype; model; example -样板戏,yàng bǎn xì,model theater (operas and ballets produced during the Cultural Revolution) -样条函数,yàng tiáo hán shù,spline function (math.) -样样,yàng yàng,all kinds -样机,yàng jī,prototype -样章,yàng zhāng,sample chapter -样貌,yàng mào,appearance; manifestation -樨,xī,Osmanthus fragrans -樵,qiáo,firewood; gather wood -樵夫,qiáo fū,woodman; woodcutter -樵子,qiáo zǐ,woodcutter -朴,pǔ,plain and simple; Taiwan pr. [pu2] -朴实,pǔ shí,plain; simple; guileless; down-to-earth; sincere and honest -朴实无华,pǔ shí wú huá,(idiom) simple; plain; unadorned -朴次茅斯,pǔ cì máo sī,"Portsmouth, southern English seaport" -朴素,pǔ sù,plain and simple; unadorned; simple living; not frivolous -朴门,pǔ mén,permaculture (loanword) -树,shù,tree; CL:棵[ke1]; to cultivate; to set up -树上开花,shù shàng kāi huā,to deck the tree with false blossoms; to make something of no value appear valuable (idiom) -树人,shù rén,to prepare children to become capable citizens -树倒猢狲散,shù dǎo hú sūn sàn,When the tree topples the monkeys scatter. (idiom); fig. an opportunist abandons an unfavorable cause; Rats leave a sinking ship. -树冠,shù guān,treetop -树化玉,shù huà yù,wood jade (type of petrified wood) -树丛,shù cóng,thicket; undergrowth -树大招风,shù dà zhāo fēng,lit. a tall tree attracts the wind (idiom); fig. a famous or rich person attracts criticism -树屋,shù wū,tree house -树干,shù gàn,tree trunk -树懒,shù lǎn,sloth (zoology) -树挂,shù guà,ice (rime) formed on a tree -树敌,shù dí,to antagonize people; to make an enemy of sb -树木,shù mù,tree -树林,shù lín,"Shulin city in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -树林,shù lín,woods; grove; forest -树林市,shù lín shì,"Shulin city in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -树枝,shù zhī,branch; twig -树枝状晶,shù zhī zhuàng jīng,dendrite (crystallography) -树根,shù gēn,tree roots -树梢,shù shāo,the tip of a tree; treetop -树栖,shù qī,arboreal; tree-dwelling -树桩,shù zhuāng,tree stump -树欲静而风不止,shù yù jìng ér fēng bù zhǐ,"lit. the trees long for peace but the wind will never cease (idiom); fig. the world changes, whether you want it or not" -树洞,shù dòng,tree hollow; (slang) anonymous platform for sharing secrets; (slang) confidant -树液,shù yè,tree sap -树状细胞,shù zhuàng xì bāo,dendritic cell -树獭,shù tǎ,sloth (family Bradypodidae) -树皮,shù pí,tree bark -树碑立传,shù bēi lì zhuàn,lit. to erect a stele and write a biography (idiom); to monumentalize; to glorify; to sing the praises of -树种,shù zhǒng,tree species -树突,shù tū,dendrite (branched projection of a neuron) -树突状细胞,shù tū zhuàng xì bāo,dendritic cell -树立,shù lì,to set up; to establish -树篱,shù lí,hedge -树脂,shù zhī,resin -树胶,shù jiāo,tree resin; gum -树苗,shù miáo,sapling -树莓,shù méi,bramble; raspberry -树莓派,shù méi pài,Raspberry Pi (computing) -树叶,shù yè,tree leaves -树葡萄,shù pú tao,jaboticaba; Brazilian grape tree -树葬,shù zàng,burial of cremated remains at the foot of a tree -树荫,shù yīn,shade of a tree; Taiwan pr. [shu4 yin4] -树蛙,shù wā,tree frog -树袋熊,shù dài xióng,koala -树身,shù shēn,tree trunk -树阴,shù yīn,shade (of a tree) -树鹨,shù liù,(bird species of China) olive-backed pipit (Anthus hodgsoni) -树麻雀,shù má què,(bird species of China) Eurasian tree sparrow (Passer montanus) -桦,huà,(botany) birch (genus Betula) -桦南,huà nán,"Huanan county in Kiamusze or Jiamusi city 佳木斯[Jia1 mu4 si1], Heilongjiang" -桦南县,huà nán xiàn,"Huanan county in Kiamusze or Jiamusi city 佳木斯[Jia1 mu4 si1], Heilongjiang" -桦川,huà chuān,"Huachuan county in Kiamusze or Jiamusi city 佳木斯[Jia1 mu4 si1], Heilongjiang" -桦川县,huà chuān xiàn,"Huachuan county in Kiamusze or Jiamusi city 佳木斯[Jia1 mu4 si1], Heilongjiang" -桦木,huà mù,birch -桦木科,huà mù kē,Betulaceae (broadleaf tree family including birch and alder) -桦树,huà shù,birch -桦甸,huà diàn,"Huadian, county-level city in Jilin prefecture 吉林, Jilin province" -桦甸市,huà diàn shì,"Huadian, county-level city in Jilin prefecture 吉林, Jilin province" -樽,zūn,goblet; bottle; wine-jar -樾,yuè,shade of trees -橄,gǎn,used in 橄欖|橄榄[gan3lan3] -橄榄,gǎn lǎn,Chinese olive; olive -橄榄山,gǎn lǎn shān,Mount of Olives (in the Christian passion story) -橄榄岩,gǎn lǎn yán,peridotite (geology) -橄榄枝,gǎn lǎn zhī,olive branch; symbol of peace -橄榄树,gǎn lǎn shù,olive tree -橄榄油,gǎn lǎn yóu,olive oil -橄榄球,gǎn lǎn qiú,"football played with oval-shaped ball (rugby, American football, Australian rules etc)" -橄榄石,gǎn lǎn shí,"olivine (rock-forming mineral magnesium-iron silicate (Mg,Fe)2SiO4); peridot" -橄榄绿,gǎn lǎn lǜ,olive-green (color) -橇,qiāo,sled; sleigh -桡,ráo,radius (anatomy); bone of the forearm -桡骨,ráo gǔ,radius (anatomy); bone of the forearm -桥,qiáo,bridge; CL:座[zuo4] -桥台,qiáo tái,abutment (architecture) -桥墩,qiáo dūn,bridge pier -桥式整流器,qiáo shì zhěng liú qì,(electricity) bridge rectifier -桥接,qiáo jiē,bridging (in computer networks) -桥接器,qiáo jiē qì,bridge (networking) -桥本,qiáo běn,Hashimoto (Japanese surname and place name) -桥本龙太郎,qiáo běn lóng tài láng,"HASHIMOTO Ryūtarō (1937-2006), Japanese politician, prime minister 1996-1998" -桥东,qiáo dōng,"Qiaodong District (various); Qiaodong District of Shijiazhuang City 石家莊市|石家庄市[Shi2 jia1 zhuang1 Shi4], Hebei" -桥东区,qiáo dōng qū,"Qiaodong District (various); Qiaodong District of Shijiazhuang City 石家莊市|石家庄市[Shi2 jia1 zhuang1 Shi4], Hebei" -桥梁,qiáo liáng,bridge (lit. and fig.) -桥段,qiáo duàn,"(cinema, literature etc) scene; trope; plot device; (songwriting) bridge" -桥牌,qiáo pái,contract bridge (card game) -桥脑,qiáo nǎo,(anatomy) pons -桥西,qiáo xī,"Qiaoxi District (various); Qiaoxi District of Shijiazhuang City 石家莊市|石家庄市[Shi2 jia1 zhuang1 Shi4], Hebei" -桥西区,qiáo xī qū,"Qiaoxi District (various); Qiaoxi District of Shijiazhuang City 石家莊市|石家庄市[Shi2 jia1 zhuang1 Shi4], Hebei" -桥镇,qiáo zhèn,"Bridgetown, capital of Barbados (Tw)" -桥面,qiáo miàn,roadway; floor; deck; bridge floor -桥头,qiáo tóu,"Qiaotou or Chiaotou township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -桥头,qiáo tóu,either end of a bridge; a bridgehead -桥头堡,qiáo tóu bǎo,bridgehead (military); stronghold serving as a base for advancing further into enemy territory; bridge tower (ornamental structure at either end of a bridge); (fig.) gateway (place that provides access to other places beyond it); bridgehead (key location serving as a base for further expansion) -桥头乡,qiáo tóu xiāng,"Qiaotou or Chiaotou township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -橐,tuó,sack; tube open at both ends; (onom.) footsteps -橐中装,tuó zhōng zhuāng,gems; jewels; valuables -橐囊,tuó náng,sacks; bags -橐橐,tuó tuó,(onom.) footsteps -橐笥,tuó sì,bag; satchel -橐笔,tuó bǐ,to make one's living by writing -橐驼,tuó tuó,camel; hunchback -橐龠,tuó yuè,bellows for blowing up the fire in a furnace etc -橘,jú,mandarin orange (Citrus reticulata); tangerine -橘味,jú wèi,tangerine flavor; yuri (genre of fiction featuring lesbian romantic or sexual relationships) -橘子,jú zi,"tangerine; CL:個|个[ge4],瓣[ban4]" -橘子水,jú zi shuǐ,"orangeade; orange squash; CL:瓶[ping2],杯[bei1],罐[guan4],盒[he2]" -橘子汁,jú zi zhī,"orange juice; CL:瓶[ping2],杯[bei1],罐[guan4],盒[he2]; see also 橙汁[cheng2 zhi1]" -橘子酱,jú zi jiàng,orange jam; marmalade -橘柑,jú gān,tangerine; orange -橘树,jú shù,orange tree -橘皮组织,jú pí zǔ zhī,cellulite -橘红,jú hóng,orange (color); orange peel (used in TCM) -橘络,jú luò,pith of mandarin orange -橘色,jú sè,orange (color) -橘里橘气,jú lǐ jú qì,lesbian-like (i.e. exhibiting lesbian traits) (coined c. 2018) -橘录,jú lù,classification of orange trees by 12th century Song dynasty botanist Han Yanzhi 韓彥直|韩彦直[Han2 Yan4 zhi2] -橘黄色,jú huáng sè,tangerine yellow; saffron (color) -橙,chéng,orange tree; orange (color) -橙剂,chéng jì,Agent Orange (herbicide) -橙子,chéng zi,orange -橙斑翅柳莺,chéng bān chì liǔ yīng,(bird species of China) buff-barred warbler (Phylloscopus pulcher) -橙汁,chéng zhī,"orange juice; CL:瓶[ping2],杯[bei1],罐[guan4],盒[he2]" -橙皮,chéng pí,orange peel -橙皮果酱,chéng pí guǒ jiàng,(orange) marmalade -橙红色,chéng hóng sè,red-orange color; dark orange -橙翅噪鹛,chéng chì zào méi,(bird species of China) Elliot's laughingthrush (Trochalopteron elliotii) -橙胸咬鹃,chéng xiōng yǎo juān,(bird species of China) orange-breasted trogon (Harpactes oreskios) -橙胸绿鸠,chéng xiōng lǜ jiū,(bird species of China) orange-breasted green pigeon (Treron bicinctus) -橙腹叶鹎,chéng fù yè bēi,(bird species of China) orange-bellied leafbird (Chloropsis hardwickii) -橙色,chéng sè,orange (color) -橙色剂,chéng sè jì,Agent Orange (herbicide) -橙色战剂,chéng sè zhàn jì,Agent Orange (herbicide) -橙头地鸫,chéng tóu dì dōng,(bird species of China) orange-headed thrush (Geokichla citrina) -橙黄,chéng huáng,orange yellow; tangerine yellow; chrome yellow -橛,jué,a peg; low post -橛,jué,old variant of 橛[jue2] -机,jī,surname Ji -机,jī,(bound form) machine; mechanism; (bound form) aircraft; (bound form) an opportunity; (bound form) crucial point; pivot; (bound form) quick-witted; flexible; (bound form) organic -机不可失,jī bù kě shī,No time to lose! (idiom) -机不离手,jī bù lí shǒu,to be unable to do without one's cell phone -机件,jī jiàn,component (mechanics) -机伶,jī ling,variant of 機靈|机灵[ji1 ling5] -机制,jī zhì,mechanism -机加酒,jī jiā jiǔ,flight and hotel (travel package) (abbr. for 機票加酒店|机票加酒店[ji1 piao4 jia1 jiu3 dian4]) -机动,jī dòng,"locomotive; motorized; power-driven; adaptable; flexible (use, treatment, timing etc)" -机动性,jī dòng xìng,flexibility -机动车,jī dòng chē,motor vehicle -机动车辆,jī dòng chē liàng,motor vehicle -机务段,jī wù duàn,locomotive depot -机哩瓜拉,jī lī guā lā,(Taiwan) see 嘰哩咕嚕|叽哩咕噜[ji1 li5 gu1 lu1] -机器,jī qì,"machine; CL:臺|台[tai2],部[bu4],個|个[ge4]" -机器人,jī qì rén,robot; android -机器人学,jī qì rén xué,robotics -机器翻译,jī qì fān yì,machine translation -机器脚踏车,jī qì jiǎo tà chē,(dialect) motorcycle; abbr. to 機車|机车[ji1 che1] -机场,jī chǎng,"airport; airfield; (slang) service provider for Shadowsocks or similar software for circumventing Internet censorship; CL:家[jia1],處|处[chu4]" -机场大厦,jī chǎng dà shà,airport terminal -机子,jī zi,machine; device -机宜,jī yí,guidelines; what to do (under given circumstances) -机密,jī mì,secret; classified (information) -机密性,jī mì xìng,confidentiality -机密文件,jī mì wén jiàn,secret document -机尾,jī wěi,the rear (tail) of a plane etc -机巧,jī qiǎo,cunning; dexterous; ingenious -机床,jī chuáng,machine tool; a lathe; CL:張|张[zhang1] -机库,jī kù,(aircraft) hangar -机建费,jī jiàn fèi,airport construction fee (abbr. for 機場建設費|机场建设费) -机房,jī fáng,machine room; engine room; computer room -机掰,jī bāi,variant of 雞掰|鸡掰[ji1 bai1] -机敏,jī mǐn,agility -机智,jī zhì,quick-witted; resourceful -机会,jī huì,opportunity; chance; occasion; CL:個|个[ge4] -机会主义,jī huì zhǔ yì,opportunism; pragmatism -机会成本,jī huì chéng běn,opportunity cost -机杼,jī zhù,a loom -机械,jī xiè,machine; machinery; mechanical; (old) cunning; scheming -机械化,jī xiè huà,to mechanize -机械工,jī xiè gōng,a mechanic -机械工人,jī xiè gōng rén,mechanic -机械工程,jī xiè gōng chéng,mechanical engineering -机械师,jī xiè shī,"mechanic; engineer; machinist; machine operator; CL:個|个[ge4],位[wei4]" -机械性,jī xiè xìng,mechanical -机械战警,jī xiè zhàn jǐng,RoboCop (movie) -机械码,jī xiè mǎ,machine code -机械翻译,jī xiè fān yì,machine translation -机械能,jī xiè néng,mechanical energy -机械语言,jī xiè yǔ yán,machine language -机械钟,jī xiè zhōng,mechanical clock -机构,jī gòu,mechanism; structure; organization; agency; institution; CL:所[suo3] -机枪,jī qiāng,machine gun -机壳,jī qiào,"case, casing, cabinet or housing (of a computer, photocopier etc)" -机油,jī yóu,engine oil -机率,jī lǜ,probability; odds (Tw) -机理,jī lǐ,mechanism -机甲,jī jiǎ,mecha (human-operated robots in Japanese manga) -机票,jī piào,air ticket; passenger ticket; CL:張|张[zhang1] -机箱,jī xiāng,computer case -机组,jī zǔ,flight crew (on a plane); unit (apparatus) -机缘,jī yuán,chance; opportunity; destiny -机翻,jī fān,machine translation (abbr. for 機器翻譯|机器翻译[ji1 qi4 fan1 yi4]) -机翼,jī yì,wing (of an aircraft) -机能,jī néng,function -机舱,jī cāng,cabin of a plane -机制,jī zhì,machine-processed; machine-made -机诈,jī zhà,deceitful -机谋,jī móu,stratagem; scheme; shrewdness -机警,jī jǐng,perceptive; astute; sharp; sharp-witted; vigilant; alert -机变,jī biàn,improvisation; flexible; adaptable; pragmatic -机踏车,jī tà chē,motorcycle (Tw); abbr. for 機器腳踏車|机器脚踏车[ji1 qi4 jiao3 ta4 che1] -机身,jī shēn,body of a vehicle or machine; fuselage of a plane -机车,jī chē,locomotive; train engine car; (Tw) scooter; (Tw) (slang) hard to get along with; to be a pain in the ass; (Tw) damn!; crap! -机轴,jī zhóu,arbor; shaft (in a machine) -机遇,jī yù,opportunity; favorable circumstance; stroke of luck -机运,jī yùn,chance and opportunity -机长,jī zhǎng,captain; chief pilot -机关,jī guān,mechanism; gear; machine-operated; office; agency; organ; organization; establishment; institution; body; stratagem; scheme; intrigue; plot; trick; CL:個|个[ge4] -机关报,jī guān bào,official (government-operated) newspaper -机关布景,jī guān bù jǐng,machine-operated stage scenery -机关枪,jī guān qiāng,machine gun; also written 機槍|机枪[ji1 qiang1] -机关炮,jī guān pào,machine cannon; machine-gun cannon -机关车,jī guān chē,locomotive -机电,jī diàn,machinery and power-generating equipment; electromechanical -机灵,jī ling,clever; quick-witted -机灵鬼,jī líng guǐ,(jocular) clever and quick-witted person -机顶盒,jī dǐng hé,set-top box -机头,jī tóu,the front (nose) of a plane etc -机头座,jī tóu zuò,"headstock; turning head of a screw, drill, lathe etc" -机体,jī tǐ,organism (biology); airframe (aeronautics) -橡,xiàng,oak; Quercus serrata -橡子,xiàng zǐ,acorn -橡子面,xiàng zi miàn,acorn flour -橡子面儿,xiàng zi miàn er,erhua variant of 橡子麵|橡子面[xiang4 zi5 mian4] -橡实,xiàng shí,acorn -橡木,xiàng mù,oaken -橡树,xiàng shù,oak -橡皮,xiàng pí,rubber; an eraser; CL:塊|块[kuai4] -橡皮擦,xiàng pí cā,eraser; rubber; CL:塊|块[kuai4] -橡皮泥,xiàng pí ní,plasticine; modeling clay -橡皮球,xiàng pí qiú,rubber ball -橡皮筋,xiàng pí jīn,rubber band -橡皮线,xiàng pí xiàn,wire (sheathed in rubber); cable -橡皮膏,xiàng pí gāo,sticking plaster; adhesive bandage -橡胶,xiàng jiāo,rubber; caoutchouc -橡胶树,xiàng jiāo shù,rubber tree -椭,tuǒ,ellipse -椭圆,tuǒ yuán,oval; ellipse; elliptic -椭圆函数,tuǒ yuán hán shù,(math.) elliptic function -椭圆形,tuǒ yuán xíng,oval -椭圆形办公室,tuǒ yuán xíng bàn gōng shì,Oval office (in the White House) -椭圆曲线,tuǒ yuán qū xiàn,(math.) elliptic curve -椭圆机,tuǒ yuán jī,elliptical machine (exercise) -椭圆积分,tuǒ yuán jī fēn,(math.) elliptic integral -椭球,tuǒ qiú,(math.) ellipsoid -蕊,ruǐ,variant of 蕊[rui3] -横,héng,"horizontal; across; crosswise; horizontal stroke (in Chinese characters); to place (sth) flat (on a surface); to cross (a river, etc); in a jumble; chaotic; (in fixed expressions) harsh and unreasonable; violent" -横,hèng,harsh and unreasonable; unexpected -横七竖八,héng qī shù bā,in disorder; at sixes and sevens (idiom) -横三竖四,héng sān shù sì,in disorder; in a tremendous mess -横刀夺爱,héng dāo duó ài,to rob sb of sth they cherish (idiom) -横切,héng qiē,to cut across; a horizontal cut -横剖面,héng pōu miàn,horizontal section -横加,héng jiā,violently; flagrantly -横加指责,héng jiā zhǐ zé,to blame unscrupulously -横匾,héng biǎn,horizontal tablet (for an inscription) -横向,héng xiàng,horizontal; orthogonal; perpendicular; lateral; crosswise -横吹,héng chuī,military wind and percussion music played on horseback under the Han; transverse flute; to play such a flute -横尸遍野,héng shī biàn yě,corpses strew the field; deadly (conflict) -横山,héng shān,"Hengshan County in Yulin 榆林[Yu2 lin2], Shaanxi; Hengshan township in Hsinchu County 新竹縣|新竹县[Xin1 zhu2 Xian4], northwest Taiwan; Yokoyama (Japanese surname)" -横山县,héng shān xiàn,"Hengshan County in Yulin 榆林[Yu2 lin2], Shaanxi" -横山乡,héng shān xiāng,"Hengshan township in Hsinchu County 新竹縣|新竹县[Xin1 zhu2 Xian4], northwest Taiwan" -横峰,héng fēng,"Hengfeng county in Shangrao 上饒|上饶, Jiangxi" -横峰县,héng fēng xiàn,"Hengfeng county in Shangrao 上饒|上饶, Jiangxi" -横幅,héng fú,horizontal scroll; banner; streamer -横幅标语,héng fú biāo yǔ,slogan banner -横坐标,héng zuò biāo,horizontal coordinate; abscissa -横征暴敛,héng zhēng bào liǎn,to tax by force and extort levies (idiom); to screw taxes out of the people by force -横心,héng xīn,to steel oneself; to harden one's heart -横截,héng jié,to cut across; cross-sectional; transverse -横截线,héng jié xiàn,transversal line -横截面,héng jié miàn,cross-section -横批,héng pī,horizontal scroll (for inscription) -横折,héng zhé,(horizontal-starting right angle character stroke) -横挑鼻子竖挑眼,héng tiāo bí zi shù tiāo yǎn,to pick on sth incessantly (idiom); to criticize right and left -横振动,héng zhèn dòng,transverse vibration -横扫,héng sǎo,to sweep away; to sweep across -横扫千军,héng sǎo qiān jūn,total annihilation -横排,héng pái,horizontal setting (printing) -横摇,héng yáo,rolling motion (of a boat) -横摺,héng zhé,horizontal fold or tuck -横斑林莺,héng bān lín yīng,(bird species of China) barred warbler (Sylvia nisoria) -横斑腹小鸮,héng bān fù xiǎo xiāo,(bird species of China) spotted owlet (Athene brama) -横斜,héng xié,oblique; slanting -横斜钩,héng xié gōu,⺄ stroke in Chinese characters -横断,héng duàn,"to cross (a road, an ocean etc); to cut across" -横断山脉,héng duàn shān mài,"Hengduan mountains, several parallel mountain ranges on the border between west Yunnan and Sichuan and east Tibet" -横断步道,héng duàn bù dào,pedestrian crossing -横断物,héng duàn wù,transverse object -横断面,héng duàn miàn,horizontal section -横是,héng shi,probably; most likely -横暴,hèng bào,brutal; violent -横木,héng mù,horizontal beam; wooden crossbar; thwart -横桁帆,héng héng fān,boom sail -横梁,héng liáng,beam -横楣,héng méi,lintel -横楣子,héng méi zi,lintel -横杠,héng gàng,bar; horizontal bar -横标,héng biāo,banner; horizontal slogan or advertisement -横步,héng bù,sidestep (in dance); step sideways -横死,hèng sǐ,to die by violence -横波,héng bō,transverse wave -横流,héng liú,to overflow; transverse flow; to flow over; cross flow -横渡,héng dù,to cross (a body of water) -横溢,héng yì,to overflow; brimming with -横滨,héng bīn,"Yokohama, Japan" -横滨市,héng bīn shì,"Yokohama, major port city in Kanagawa prefecture 神奈川縣|神奈川县[Shen2 nai4 chuan1 xian4], Japan" -横生,héng shēng,to grow without restraint; overflowing with; to happen unexpectedly -横生枝节,héng shēng zhī jié,to deliberately complicate an issue (idiom) -横直,héng zhí,(colloquial) whatever; come what may -横眉,héng méi,to concentrate one's eyebrows; to frown; to scowl -横眉冷对千夫指,héng méi lěng duì qiān fū zhǐ,to face a thousand pointing fingers with a cool scowl (citation from Lu Xun); to treat with disdain; to defy -横眉怒目,héng méi nù mù,lit. furrowed brows and blazing eyes; to dart looks of hate at sb (idiom) -横眉立目,héng méi lì mù,to scowl and stare down; to defy -横眉竖眼,héng méi shù yǎn,to scowl fiercely; to glare -横眼,héng yǎn,from the side of the eye; askance -横神经,héng shén jīng,transverse commissure -横祸,hèng huò,unexpected calamity -横棱纹,héng léng wén,crosswise pattern -横空,héng kōng,filling the atmosphere; covering the sky -横空出世,héng kōng chū shì,(idiom) to come to the fore in spectacular fashion; to emerge from obscurity to achieve great success -横穿,héng chuān,to cross; to traverse -横笔,héng bǐ,bristles lying down (brush movement in painting) -横筋斗,héng jīn dǒu,cartwheel -横纹,héng wén,horizontal stripe; striation -横纹肌,héng wén jī,striated muscle -横结肠,héng jié cháng,transverse colon (anatomy); second section of large intestine -横纲,héng gāng,yokozuna -横线,héng xiàn,horizontal line; (math.) horizontal axis -横县,héng xiàn,"Heng county in Nanning 南寧|南宁[Nan2 ning2], Guangxi" -横翻筋斗,héng fān jīn dǒu,to turn cartwheels -横肉,héng ròu,fierce-looking -横膈,héng gé,diaphragm -横膈膜,héng gé mó,diaphragm (anatomy) -横卧,héng wò,to recline -横蛮,hèng mán,see 蠻橫|蛮横[man2 heng4] -横行,héng xíng,to go on the rampage; to riot; to run amuck -横行霸道,héng xíng bà dào,to oppress; to rule as a despot; to tyrannize -横街,héng jiē,side street; road branching from the main street -横冲直撞,héng chōng zhí zhuàng,"(idiom) to barge through, jostling and elbowing; to charge around; to rampage" -横说竖说,héng shuō shù shuō,to explain sth over and over again; to repeat -横竖,héng shu,anyway -横竖劲儿,héng shù jìn er,firmness of determination -横财,hèng cái,easy money; windfall; ill-gotten gains; undeserved fortune; illegal profit -横贯,héng guàn,horizontal traverse; to cut across; to cross transversally -横越,héng yuè,to cross; to pass over; to traverse; trans- -横跨,héng kuà,to span; to stretch across; to travel across -横路,héng lù,side street; crossroad -横躺,héng tǎng,to lie flat -横躺竖卧,héng tǎng shù wò,to lie down all over the place; exhausted and in disarray -横过,héng guò,to traverse -横钩,héng gōu,horizontal stroke with a hook at the end (in Chinese characters) -横陈,héng chén,to lie in disarray; to cut across; to traverse -横队,héng duì,rank; row; troops (or vehicles etc) lined up side by side -横隔,héng gé,tabula (horizontal floor of polyp) -横隔膜,héng gé mó,diaphragm (anatomy) -横须贺,héng xū hè,Yokosuka (port and navy base in the Tokyo bay) -横须贺市,héng xū hè shì,"Yokosuka city and US naval base to the west of Yokohama, Japan" -横头横脑,héng tóu héng nǎo,coarse and arrogant; always in the right -横额,héng é,horizontal tablet (for an inscription) -横飞,héng fēi,"(of spittle, blood, bullets etc) to fly through the air" -横骨,héng gǔ,pubic bone -橾,qiāo,old variant of 鍬|锹[qiao1] -橾,shū,the hole in the center of a wheel accommodating the axle (archaic) -檀,tán,surname Tan -檀,tán,sandalwood; hardwood; purple-red -檀君,tán jūn,"Tangun, legendary founder of Korea in 2333 BC" -檀君王,tán jūn wáng,"Tangun, legendary founder of Korea in 2333 BC" -檀越,tán yuè,(Buddhism) benefactor (designation of a lay person by a monk) -檀香,tán xiāng,sandalwood -檀香山,tán xiāng shān,"Honolulu, capital of Hawaii; also transliterated as 火奴魯魯|火奴鲁鲁" -檩,lǐn,cross-beam; ridge-pole -檃,yǐn,tool used for shaping wood (old) -檃栝,yǐn kuò,straightening machine; also pr. [yin3 gua1] -檄,xí,dispatch; order -檄文,xí wén,"(old, now used figuratively) official call to arms; official denunciation" -檄书,xí shū,"(old, now used figuratively) official call to arms; official denunciation" -柽,chēng,tamarisk -檎,qín,used in 林檎[lin2qin2] -檐,yán,eaves; ledge or brim -檑,léi,logs rolled down in defense of city -档,dǎng,(Tw) gear (variant of 擋|挡[dang3]) -档,dàng,"(bound form) shelves (for files); pigeonholes; (bound form) files; crosspiece (of a table etc); (bound form) (of goods) grade; vendor's open-air stall; (Tw) timeslot for a show or program; classifier for shows; classifier for events, affairs etc; Taiwan pr. [dang3]" -档口,dàng kǒu,stall; booth -档子,dàng zi,"classifier for affairs, events etc" -档期,dàng qī,"slot within a schedule; timeslot (for a TV program, a session with a photographer etc); range of dates in which an event is to be held (film screening, exhibition etc)" -档案,dàng àn,file; record; archive -档案传输协定,dàng àn chuán shū xié dìng,File Transfer Protocol (FTP) -档案分配区,dàng àn fēn pèi qū,file allocation table; FAT -档案执行,dàng àn zhí xíng,file execution; executable file -档案夹,dàng àn jiā,file folder; portfolio -档案属性,dàng àn shǔ xìng,file attribute -档案建立,dàng àn jiàn lì,file creation -档案服务,dàng àn fú wù,file service -档案盒,dàng àn hé,archive box -档案总管,dàng àn zǒng guǎn,(computing) file manager -档案袋,dàng àn dài,archive envelope; portfolio -档案转送,dàng àn zhuǎn sòng,file transfer -档案转送存取及管理,dàng àn zhuǎn sòng cún qǔ jí guǎn lǐ,"File Transfer, Access and Management; FTAM" -档案馆,dàng àn guǎn,archive library -档次,dàng cì,grade; class; quality; level -档车,dǎng chē,see 打檔車|打档车[da3 dang3 che1] -檗,bò,Phellodendron amurense -桧,huì,used in 秦檜|秦桧[Qin2 Hui4]; Taiwan pr. [Kuai4] -桧,guì,Chinese juniper (Juniperus chinensis); (old) coffin lid decoration; Taiwan pr. [kuai4] -桧木,guì mù,false cypress (genus Chamaecyparis) -桧柏,guì bǎi,Chinese juniper (Juniperus chinensis) -楫,jí,variant of 楫[ji2] -檠,qíng,instrument for straightening bows -检,jiǎn,to check; to examine; to inspect; to exercise restraint -检修,jiǎn xiū,to overhaul; to examine and fix (a motor); to service (a vehicle) -检出,jiǎn chū,to detect -检孕棒,jiǎn yùn bàng,home pregnancy test kit -检字法,jiǎn zì fǎ,indexing system for Chinese characters in a dictionary -检字表,jiǎn zì biǎo,word index (of a dictionary) -检定,jiǎn dìng,a test; determination; to check up on; to examine; to assay -检察,jiǎn chá,to inspect; (law) to prosecute; to investigate -检察官,jiǎn chá guān,public prosecutor; public procurator (judicial officer whose job may involve both criminal investigation and public prosecution) -检察总长,jiǎn chá zǒng zhǎng,(Tw) Prosecutor-General -检察院,jiǎn chá yuàn,prosecutor's office; procuratorate -检尸,jiǎn shī,autopsy; necropsy; postmortem examination -检控,jiǎn kòng,to prosecute (criminal); the prosecution -检控官,jiǎn kòng guān,prosecutor; procurator -检控方,jiǎn kòng fāng,the prosecuting side (in a trial); the prosecution -检方,jiǎn fāng,the prosecution; prosecutors -检束,jiǎn shù,to regulate; to check and restrict -检查,jiǎn chá,inspection; to examine; to inspect; CL:次[ci4] -检查员,jiǎn chá yuán,inspector -检查哨,jiǎn chá shào,inspection post; checkpoint -检查站,jiǎn chá zhàn,checkpoint -检校,jiǎn jiào,to check; to verify; to proof-read -检毒盒,jiǎn dú hé,detection kit -检毒箱,jiǎn dú xiāng,detection kit -检波,jiǎn bō,to detect (e.g. radio waves) -检测,jiǎn cè,to detect; to test; detection; sensing -检测仪,jiǎn cè yí,sensor; detector -检测器,jiǎn cè qì,detector -检漏,jiǎn lòu,to check for leaks -检疫,jiǎn yì,quarantine -检票,jiǎn piào,to inspect a ticket; to examine a ballot -检索,jiǎn suǒ,to retrieve (data); to look up; retrieval; search -检举,jiǎn jǔ,to report (an offense to the authorities); to inform against sb -检视,jiǎn shì,to inspect; to examine -检讨,jiǎn tǎo,to examine or inspect; self-criticism; review -检证,jiǎn zhèng,verification; inspection -检警调,jiǎn jǐng diào,"(Tw) public prosecutors, the police, and the Investigation Bureau (abbr. for 檢察官、警察、調查局|检察官、警察、调查局[jian3 cha2 guan1 , jing3 cha2 , diao4 cha2 ju2])" -检录,jiǎn lù,roll-call (e.g. at athletics event); check the record -检阅,jiǎn yuè,to inspect; to review (troops etc); military review -检验,jiǎn yàn,to inspect; to examine; to test -检验医学,jiǎn yàn yī xué,laboratory medicine -检点,jiǎn diǎn,to examine; to check; to keep a lookout; cautious; restrained (in speech or mannerisms) -樯,qiáng,boom; mast -檫,chá,Chinese sassafras; Sassafras tzumu -檬,méng,used in 檸檬|柠檬[ning2meng2] -梼,táo,dunce; blockhead -梼杌,táo wù,legendary beast -台,tái,desk; table; counter -台子,tái zi,desk; (pool etc) table -台安县,tái ān xiàn,"Tai'an county in Anshan 鞍山[An1 shan1], Liaoning" -台布,tái bù,tablecloth -台历,tái lì,desk calendar -台灯,tái dēng,desk lamp; table lamp -台秤,tái chèng,platform scale; (dialect) counter scale; bench scale -台钟,tái zhōng,desk clock -台面,tái miàn,tabletop; countertop; (fig.) public view; plain sight; (gambling) stake -槟,bīng,betel palm (Areca catechu); betel nut; Taiwan pr. [bin1] -槟城,bīng chéng,Penang (Malaysian state) -槟子,bīn zi,binzi; a species of apple which is slightly sour and astringent -槟州,bīng zhōu,Penang (Malaysian state) -槟椥,bīn zhī,"Ben Tre, province and city in Vietnam" -槟榔,bīng lang,betel palm (Areca catechu); betel nut -槟榔屿,bīng lang yǔ,"(old name) Penang Island, Malaysia" -槟榔西施,bīng lang xī shī,"(Tw) betel nut beauty: a skimpily-dressed, attractive girl who sells betel nut from a glass-walled roadside booth" -槟知,bīn zhī,"Ben Tre, province and city in Vietnam" -檵,jì,"fringe flower (Loropetalum chinense), evergreen shrub" -檵,qǐ,"variant of 杞[qi3], wolfberry shrub (Lycium chinense)" -檵木,jì mù,"fringe flower (Loropetalum chinense), evergreen shrub" -檵花,jì huā,"fringe flower (Loropetalum chinense), evergreen shrub" -柠,níng,used in 檸檬|柠檬[ning2meng2] -柠檬,níng méng,lemon -柠檬水,níng méng shuǐ,lemonade -柠檬汁,níng méng zhī,lemon juice -柠檬片,níng méng piàn,slice of lemon -柠檬茶,níng méng chá,lemon tea -柠檬草,níng méng cǎo,lemongrass -柠檬酸,níng méng suān,citric acid -柠檬酸循环,níng méng suān xún huán,citric acid cycle; Krebs cycle; tricarboxylic acid cycle -柠檬鸡,níng méng jī,lemon chicken -槛,jiàn,banister; balustrade; cage for animal or prisoner; to transport caged prisoner on a cart -槛,kǎn,door sill; threshold -槛花笼鹤,jiàn huā lóng hè,"a flower in a cage, a crane in a basket (idiom); prisoner" -槛车,jiàn chē,"cart with cage, used to escort prisoner" -棹,zhào,oar (archaic); scull; paddle; to row; a boat -柜,guì,cupboard; cabinet; wardrobe -柜台,guì tái,variant of 櫃檯|柜台[gui4 tai2] -柜员机,guì yuán jī,ATM -柜子,guì zi,cupboard; cabinet -柜台,guì tái,"sales counter; front desk; bar; (of markets, medicines etc) OTC (over-the-counter)" -柜台,guì tái,variant of 櫃檯|柜台[gui4 tai2] -櫆,kuí,"see 櫆師|櫆师[kui2 shi1] Polaris, the north star" -櫆师,kuí shī,Polaris; the north star; same as 北斗[Bei3 dou3] -凳,dèng,variant of 凳[deng4] -橹,lǔ,scull (single oar worked from side to side over the stern of a boat) (free word) -榈,lǘ,palm tree -栉,zhì,comb; to comb; to weed out; to eliminate; Taiwan pr. [jie2] -栉孔扇贝,zhì kǒng shàn bèi,"Farrer's scallop (Chlamys farreri), aka Chinese scallop" -栉比,zhì bǐ,lined up close (like teeth of a comb) -栉水母,zhì shuǐ mǔ,comb jellies (Ctenophora) -栉风沐雨,zhì fēng mù yǔ,lit. to comb one's hair in the wind and wash it in the rain (idiom); fig. to work in the open regardless of the weather -椟,dú,cabinet; case; casket -橼,yuán,Citrus medica -栎,lì,oak; Quercus serrata -栎树,lì shù,oak tree -橱,chú,wardrobe; closet; cabinet -橱子,chú zi,wardrobe; closet; cabinet -橱柜,chú guì,cupboard; cupboard that can also be used as a table; sideboard -橱窗,chú chuāng,display window -槠,zhū,Quercus glanca -栌,lú,capital (of column); smoke tree -枥,lì,type of oak; stable (for horses) -橥,zhū,Zelkova acuminata -榇,chèn,Sterculia plantanifolia; coffin -蘖,niè,new shoot growing from cut branch or stump -蘖枝,niè zhī,branch stem -栊,lóng,(literary) window; (literary) cage for animals -榉,jǔ,Zeikowa acuminata -榉木,jǔ mù,beech -棂,líng,(bound form) a (window) lattice; latticework -樱,yīng,cherry -樱井,yīng jǐng,Sakurai (Japanese surname and place name) -樱岛,yīng dǎo,"Sakurajima, an active volcano in Kagoshima prefecture, Japan" -樱桃,yīng táo,cherry -樱桃园,yīng táo yuán,"The Cherry Orchard, a play by Chekhov 契訶夫|契诃夫[Qi4 he1 fu1]" -樱桃小口,yīng táo xiǎo kǒu,see 櫻桃小嘴|樱桃小嘴[ying1 tao2 xiao3 zui3] -樱桃小嘴,yīng táo xiǎo zuǐ,"lit. cherry mouth (idiom); fig. a delicate, ruby-lipped mouth" -樱桃小番茄,yīng táo xiǎo fān qié,see 聖女果|圣女果[sheng4 nu:3 guo3] -樱桃萝卜,yīng táo luó bo,summer radish (the small red kind) -樱花,yīng huā,"oriental cherry (Prunus serrulata or Prunus yedoensis), prized for its blossom; also known as sakura (Japanese) or Yoshino cherry" -樱花妹,yīng huā mèi,(coll.) Japanese girl -樱花草,yīng huā cǎo,primrose -栏,lán,fence; railing; hurdle; column or box (of text or other data) -栏位,lán wèi,"(numeric, data) field (Tw)" -栏圈,lán quān,pen; animal yard -栏杆,lán gān,railing; banister -栏架,lán jià,hurdle -栏栅,lán zhà,barrier -栏柜,lán guì,variant of 攔櫃|拦柜[lan2 gui4] -栏目,lán mù,regular column or segment (in a publication or broadcast program); program (TV or radio) -权,quán,surname Quan -权,quán,authority; power; right; (literary) to weigh; expedient; temporary -权且,quán qiě,temporarily; for the time being -权位,quán wèi,power and position (politics) -权充,quán chōng,to act temporarily as -权利,quán lì,right (i.e. an entitlement to sth); (classical) power and wealth -权利法案,quán lì fǎ àn,bill of rights -权利声明,quán lì shēng míng,copyright statement -权利要求,quán lì yāo qiú,"claim to rights (copyright, patent etc)" -权力,quán lì,power; authority -权力的游戏,quán lì de yóu xì,Game of Thrones (TV series) -权力纷争,quán lì fēn zhēng,power struggle -权力斗争,quán lì dòu zhēng,power struggle -权势,quán shì,power; influence -权威,quán wēi,authority; authoritative; power and prestige -权威性,quán wēi xìng,authoritative; (having) authority -权宜,quán yí,expedient -权宜之策,quán yí zhī cè,stratagem of convenience (idiom); stop-gap measure; makeshift plan; interim step -权宜之计,quán yí zhī jì,plan of convenience (idiom); stop-gap measure; makeshift stratagem; interim step -权欲熏心,quán yù xūn xīn,obsessed by a craving for power; power-hungry -权时,quán shí,(literary) temporarily -权杖,quán zhàng,scepter -权柄,quán bǐng,authority -权界,quán jiè,extent of one's rights; limits of one's authority -权当,quán dāng,to act as if; to treat sth as if it were -权益,quán yì,rights; interests; rights and benefits -权能,quán néng,power -权术,quán shù,art of politics; political tricks (often derog.); power play; to play at politics; underhand trickery -权衡,quán héng,to consider; to weigh (a matter); to balance (pros and cons) -权衡利弊,quán héng lì bì,to weigh the pros and cons (idiom) -权谋,quán móu,trickery; tactics -权证,quán zhèng,warrant (finance) -权变,quán biàn,to do whatever is expedient -权变理论,quán biàn lǐ lùn,contingency theory (theory of leadership) -权贵,quán guì,influential officials; bigwigs -权舆,quán yú,to sprout; (fig). to begin; beginning -权游,quán yóu,Game of Thrones (TV series); abbr. for 權力的遊戲|权力的游戏[Quan2 li4 de5 You2 xi4] -权重,quán zhòng,weight (i.e. importance attached to sth) -权钥,quán yào,keys of authority -权限,quán xiàn,scope of authority; extent of power; (access etc) privileges -椤,luó,see 桫欏|桫椤[suo1 luo2] -栾,luán,surname Luan -栾,luán,Koelreuteria paniculata -栾城,luán chéng,"Luancheng county in Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1], Hebei" -栾城县,luán chéng xiàn,"Luancheng county in Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1], Hebei" -栾川,luán chuān,"Luanchuan county in Luoyang 洛陽|洛阳, Henan" -栾川县,luán chuān xiàn,"Luanchuan county in Luoyang 洛陽|洛阳, Henan" -榄,lǎn,(bound form) olive -榄角,lǎn jiǎo,black olive (Canarium tramdenum) -郁,yù,variant of 鬱|郁[yu4] -棂,líng,variant of 櫺|棂[ling2] -棂床,líng chuáng,variant of 靈床|灵床[ling2chuang2] -欠,qiàn,to owe; to lack; (literary) to be deficient in; (bound form) yawn; to raise slightly (a part of one's body) -欠佳,qiàn jiā,suboptimal; subpar; not good enough -欠债,qiàn zhài,to owe a debt; the sum owed -欠妥,qiàn tuǒ,improper; inappropriate; unsatisfactory; inadequate -欠安,qiàn ān,ill (euphemism) -欠扁,qiàn biǎn,annoying; infuriating; deserving of a good spanking -欠抽,qiàn chōu,(coll.) to deserve a slap in the face -欠揍,qiàn zòu,to need a spanking -欠条,qiàn tiáo,IOU; certificate of indebtedness -欠款,qiàn kuǎn,to owe a debt; balance due; debts -欠缺,qiàn quē,to be deficient in; lapse; deficiency -欠薪,qiàn xīn,to owe wages; back pay; wages arrears -欠费,qiàn fèi,to be in arrears; to be out of credit; amount owing -欠账,qiàn zhàng,to owe a debt; debt; obligation -欠身,qiàn shēn,to half rise out of one's chair (a polite gesture) -欠项,qiàn xiàng,liabilities; debt -次,cì,"next in sequence; second; the second (day, time etc); secondary; vice-; sub-; infra-; inferior quality; substandard; order; sequence; hypo- (chemistry); classifier for enumerated events: time" -次一个,cì yī gè,next one (in order) -次之,cì zhī,"to rank second (in terms of some attribute: size, frequency, quality etc)" -次亚硫酸钠,cì yà liú suān nà,sodium hyposulfide Na2S2O3 (hypo) -次元,cì yuán,"dimension (loanword, from Japanese)" -次品,cì pǐn,substandard products; defective; seconds -次大陆,cì dà lù,subcontinent (e.g. the Indian subcontinent) -次女,cì nǚ,second daughter -次子,cì zǐ,second son -次官,cì guān,undersecretary; secondary official -次序,cì xù,sequence; order -次后,cì hòu,afterwards; then -次数,cì shù,number of times; frequency; order number (in a series); power (math.); degree of a polynomial (math.) -次文化,cì wén huà,subculture -次方,cì fāng,(raised to the) nth power -次方言,cì fāng yán,subdialect -次于,cì yú,second after; second only to -次日,cì rì,next day; the morrow -次正装,cì zhèng zhuāng,smart casual attire -次氯酸,cì lǜ suān,hypochlorous acid HOCl (bleach) -次溴酸,cì xiù suān,hypobromous acid HOBr -次生,cì shēng,derivative; secondary; sub- -次生林,cì shēng lín,secondary growth of forest -次生灾害,cì shēng zāi hài,secondary disaster (e.g. epidemic following floods) -次第,cì dì,order; sequence; one after another -次等,cì děng,second-class; second-rate -次级,cì jí,secondary -次级房屋信贷危机,cì jí fáng wū xìn dài wēi jī,subprime mortgage crisis -次级抵押贷款,cì jí dǐ yā dài kuǎn,subprime mortgage -次级贷款,cì jí dài kuǎn,subprime lending; abbr. to 次貸|次贷[ci4 dai4] -次经,cì jīng,non-canonical text; dubious classic text; Apocrypha -次声波,cì shēng bō,infrasonic wave -次要,cì yào,secondary -次贫,cì pín,extremely poor but not destitute -次货,cì huò,inferior goods; substandard products -次贷,cì dài,subprime lending; abbr. for 次級貸款|次级贷款[ci4 ji2 dai4 kuan3] -次贷危机,cì dài wēi jī,subprime mortgage crisis; abbr. for 次級房屋信貸危機|次级房屋信贷危机[ci4 ji2 fang2 wu1 xin4 dai4 wei1 ji1] -次重量级,cì zhòng liàng jí,middle heavyweight (boxing etc) -次长,cì zhǎng,deputy chief -次韵,cì yùn,reply to a poem in the same rhyme -欣,xīn,happy -欣喜,xīn xǐ,happy -欣喜若狂,xīn xǐ ruò kuáng,to be wild with joy (idiom) -欣幸,xīn xìng,delighted; overjoyed -欣弗,xīn fú,brand name of an antibiotic injection blamed for a number of deaths in 2006 -欣慰,xīn wèi,to be gratified -欣欣向荣,xīn xīn xiàng róng,(idiom) flourishing; thriving -欣然,xīn rán,gladly; cheerfully -欣赏,xīn shǎng,to appreciate; to enjoy; to admire -欣逢,xīn féng,on the happy occasion of -欲,yù,to wish for; to desire; variant of 慾|欲[yu4] -欲取姑予,yù qǔ gū yǔ,variant of 欲取姑與|欲取姑与[yu4 qu3 gu1 yu3]; to make concessions for the sake of future gains (idiom) -欲取姑与,yù qǔ gū yǔ,to make concessions for the sake of future gains (idiom) -欲女,yù nǚ,sex-crazed woman -欲念,yù niàn,desire -欲振乏力,yù zhèn fá lì,to try to rouse oneself but lack the strength (idiom) -欲擒故纵,yù qín gù zòng,"In order to capture, one must let loose.; to loosen the reins only to grasp them better" -欲求,yù qiú,to desire; wants; appetites -欲海,yù hǎi,ocean of lust (Buddhist term); worldly desires -欲滴,yù dī,(suffix) replete (with moisture); glistening; plump and tender; lovely; alluring -欲益反损,yù yì fǎn sǔn,"wishing for profit, but causing loss (idiom); good intentions that lead to disaster; It all ends in tears." -欲绝,yù jué,heartbroken; inconsolable -欲经,yù jīng,Kama Sutra -欲罢不能,yù bà bù néng,want to stop but can't (idiom); to be unable to stop oneself; to feel an urge to continue -欲盖弥彰,yù gài mí zhāng,trying to hide it makes it more conspicuous (idiom); A cover up only makes matters worse. -欲言又止,yù yán yòu zhǐ,to want to say sth but then hesitate -欲速则不达,yù sù zé bù dá,(idiom) (the Analects) haste makes waste; things can't be rushed -欲速而不达,yù sù ér bù dá,see 欲速則不達|欲速则不达[yu4 su4 ze2 bu4 da2] -欶,shuò,to suck; to drink -欷,xī,to sob -欷吁,xī xū,see 唏噓|唏嘘[xi1 xu1] -欷歔,xī xū,(onom.) to sob -欸,āi,(indicating response); (sadly sighing); also pr. [ei4] -欸,ǎi,(literary) to rebuke loudly; (literary) to sigh -欸,ēi,hey (used to draw attention) -欸,éi,eh; huh (used to express surprise) -欸,ěi,hmm (used to express disapproval) -欸,èi,yes (used to express agreement) -欹,yī,interjection -欺,qī,to take unfair advantage of; to deceive; to cheat -欺世盗名,qī shì dào míng,(idiom) to fool the world and usurp a good name -欺人太甚,qī rén tài shèn,to bully intolerably (idiom) -欺以其方,qī yǐ qí fāng,deceived by a pretense of reason (idiom) -欺侮,qī wǔ,to bully -欺凌,qī líng,to bully and humiliate -欺君罔上,qī jūn wǎng shàng,to dupe one's sovereign -欺哄,qī hǒng,to dupe; to deceive -欺压,qī yā,to bully; to push around -欺生,qī shēng,to cheat strangers; to bully strangers; (of domesticated animals) to be rebellious with unfamiliar people -欺男霸女,qī nán bà nǚ,to oppress the people; to act tyrannically -欺瞒,qī mán,to fool; to hoodwink; to dupe -欺蒙,qī méng,to deceive; to dupe -欺诈,qī zhà,to cheat -欺诈者,qī zhà zhě,deceiver -欺负,qī fu,to bully -欺辱,qī rǔ,to humiliate; humiliation -欺骗,qī piàn,to deceive; to cheat -欻,chuā,(onom.) crashing sound -欻,xū,suddenly; also pr. [hu1] -钦,qīn,surname Qin -钦,qīn,to respect; to admire; to venerate; by the emperor himself -钦仰,qīn yǎng,to admire and respect -钦佩,qīn pèi,to admire; to look up to; to respect sb greatly -钦北,qīn běi,"Qinbei district of Qinzhou city 欽州市|钦州市[Qin1 zhou1 shi4], Guangxi" -钦北区,qīn běi qū,"Qinbei district of Qinzhou city 欽州市|钦州市[Qin1 zhou1 shi4], Guangxi" -钦南,qīn nán,"Qinnan district of Qinzhou city 欽州市|钦州市[Qin1 zhou1 shi4], Guangxi" -钦南区,qīn nán qū,"Qinnan district of Qinzhou city 欽州市|钦州市[Qin1 zhou1 shi4], Guangxi" -钦命,qīn mìng,Imperial order or edict (old) -钦奈,qīn nài,"Chennai, capital of southeast Indian state Tamil Nadu 泰米爾納德邦|泰米尔纳德邦[Tai4 mi3 er3 Na4 de2 bang1]; formerly called Madras 馬德拉斯|马德拉斯[Ma3 de2 la1 si1]" -钦定,qīn dìng,to authorize; to designate; (old) to be compiled and published by imperial command -钦州,qīn zhōu,"Qinzhou, prefecture-level city in Guangxi" -钦州市,qīn zhōu shì,"Qinzhou, prefecture-level city in Guangxi" -钦差,qīn chāi,imperial envoy -钦挹,qīn yì,to admire and respect; to look up to -钦敬,qīn jìng,to admire and respect -钦犯,qīn fàn,criminal whose arrest has been ordered by the emperor -钦羡,qīn xiàn,to admire; to hold in high esteem -钦赐,qīn cì,(of an emperor) to bestow -款,kuǎn,"section; paragraph; funds; CL:筆|笔[bi3],個|个[ge4]; classifier for versions or models (of a product)" -款伏,kuǎn fú,to obey; faithfully following instructions; to admit guilt -款儿,kuǎn er,haughty manner; proud bearing -款冬,kuǎn dōng,"coltsfoot (Tussilago farfara), plant in sunflower family Asteracae used a cough suppressant" -款到发货,kuǎn dào fā huò,dispatch upon receipt of payment -款子,kuǎn zi,a sum of money; CL:筆|笔[bi3] -款宴,kuǎn yàn,to host a banquet -款式,kuǎn shì,pattern; style; design; CL:種|种[zhong3] -款式,kuǎn shi,elegant; elegance; good taste -款待,kuǎn dài,to entertain; to be hospitable to -款新,kuǎn xīn,new (model); recently developed (product) -款服,kuǎn fú,to obey; faithfully following instructions; to admit guilt -款款,kuǎn kuǎn,leisurely; sincerely -款步,kuǎn bù,to walk slowly; with deliberate steps -款段,kuǎn duàn,(literary) pony; (of a horse) walking leisurely -款语移时,kuǎn yǔ yí shí,to talk slowly and in depth (idiom) -款项,kuǎn xiàng,funds; a sum of money; CL:宗[zong1] -欿,kǎn,discontented with oneself -欿然,kǎn rán,dissatisfied; discontented; lacking happiness -歃,shà,to drink -歃血,shà xuè,to smear one's lips with the blood of a sacrifice as a means of pledging allegiance (old) -歃血为盟,shà xuè wéi méng,to smear the lips with blood when taking an oath (idiom); to swear a sacred oath -歆,xīn,pleased; moved -歇,xiē,to rest; to take a break; to stop; to halt; (dialect) to sleep; a moment; a short while -歇了吧,xiē le ba,(dialect) give me a break!; forget about it! -歇宿,xiē sù,to lodge; to stay (for the night) -歇山顶,xiē shān dǐng,(East Asian) hip-and-gable roof -歇后语,xiē hòu yǔ,"anapodoton (a saying in which the second part, uttered after a pause or totally left out, is the intended meaning of the allegory presented in the first part)" -歇心,xiē xīn,to drop the matter; to stop worrying -歇息,xiē xi,to have a rest; to stay for the night; to go to bed; to sleep -歇手,xiē shǒu,to rest; to take a break -歇斯底里,xiē sī dǐ lǐ,hysteria (loanword); hysterical -歇业,xiē yè,to close down (temporarily or permanently); to go out of business -歇气,xiē qì,to have a break; to rest -歇脚,xiē jiǎo,to stop on the way for a rest -歇艎,xiē huáng,large warship -歇菜,xiē cài,Stop it! (Beijing and Internet slang); Game over!; You're dead! -歇顶,xiē dǐng,to be balding; to be thinning on top -歉,qiàn,to apologize; to regret; deficient -歉意,qiàn yì,apology; regret -歉收,qiàn shōu,crop failure; poor harvest -歉疚,qiàn jiù,remorseful; guilt-ridden -歌,gē,"song; CL:支[zhi1],首[shou3]; to sing" -歌仔戏,gē zǎi xì,type of opera from Taiwan and Fujian -歌儿,gē er,song -歌利亚,gē lì yà,Goliath -歌剧,gē jù,"Western opera; CL:場|场[chang3],齣|出[chu1]" -歌剧院,gē jù yuàn,opera house -歌剧院魅影,gē jù yuàn mèi yǐng,The Phantom of the Opera by Andrew Lloyd Webber -歌功颂德,gē gōng sòng dé,to sing sb's praises (mostly derogatory) -歌台,gē tái,boisterous live show held during the Ghost Festival 中元節|中元节[Zhong1 yuan2 jie2] in Singapore and other parts of Southeast Asia -歌吟,gē yín,to sing; to recite -歌唱,gē chàng,to sing -歌唱家,gē chàng jiā,singer -歌唱赛,gē chàng sài,song contest -歌喉,gē hóu,singing voice -歌单,gē dān,playlist; song sheet -歌坛,gē tán,singing stage; music business (esp. pop music) -歌女,gē nǚ,female singer (archaic) -歌姬,gē jī,female singer -歌子,gē zi,song -歌厅,gē tīng,karaoke hall; singing hall (venue for concerts of popular songs) -歌德,gē dé,"Johann Wolfgang von Goethe (1749-1832), German poet and dramatist" -歌德,gē dé,to sing the praises of sb -歌手,gē shǒu,singer -歌星,gē xīng,singing star; famous singer -歌曲,gē qǔ,song -歌百灵,gē bǎi líng,(bird species of China) Australasian bush lark (Mirafra javanica) -歌碟,gē dié,disc; record (music) -歌筵,gē yán,a feast which also has a singing performance -歌罗西,gē luó xī,Colossia -歌罗西书,gē luó xī shū,Epistle of St Paul to the Colossians -歌声,gē shēng,singing voice; fig. original voice of a poet -歌舞,gē wǔ,singing and dancing -歌舞伎,gē wǔ jì,kabuki -歌舞升平,gē wǔ shēng píng,lit. to celebrate peace with songs and dance (idiom); fig. to make a show of happiness and prosperity -歌舞团,gē wǔ tuán,song and dance troupe -歌词,gē cí,song lyric; lyrics -歌咏,gē yǒng,to sing -歌诗达邮轮,gē shī dá yóu lún,Costa Cruises (brand) -歌谣,gē yáo,folksong; ballad; nursery rhyme -歌迷,gē mí,fan of a singer -歌颂,gē sòng,to sing the praises of; to extol; to eulogize -叹,tàn,variant of 嘆|叹[tan4] -叹号,tàn hào,exclamation mark (punct.) -欧,ōu,Europe (abbr. for 歐洲|欧洲[Ou1zhou1]); surname Ou -欧,ōu,(used for transliteration); old variant of 謳|讴[ou1] -欧亚,ōu yà,Europe and Asia; Eurasia -欧亚大陆,ōu yà dà lù,Eurasia -欧亚红尾鸲,ōu yà hóng wěi qú,(bird species of China) common redstart (Phoenicurus phoenicurus) -欧亚鸲,ōu yà qú,(bird species of China) European robin (Erithacus rubecula) -欧仁,ōu rén,Eugene (name) -欧伯林,ōu bó lín,Oberlin -欧佩克,ōu pèi kè,OPEC; Organization of the Petroleum Exporting Countries -欧元,ōu yuán,euro (currency) -欧元区,ōu yuán qū,Eurozone -欧共体,ōu gòng tǐ,"abbr. for 歐洲共同體|欧洲共同体, European Community (old term for the EU, European Union)" -欧冠,ōu guàn,UEFA Champions League -欧分,ōu fēn,euro cent -欧吉桑,ōu jí sāng,older man; man of mature years (Japanese loanword) -欧咪呀给,ōu mī yā gěi,"(Tw) gift given when visiting sb (esp. a local specialty brought back from one's travels, or a special product of one's own country taken overseas) (loanword from Japanese ""omiyage"")" -欧夜鹰,ōu yè yīng,(bird species of China) European nightjar (Caprimulgus europaeus) -欧姆,ōu mǔ,ohm (loanword) -欧姆蛋,ōu mǔ dàn,omelette -欧姆龙,ōu mǔ lóng,Omron Corporation (Japanese electronics company) -欧安组织,ōu ān zǔ zhī,"Organization for Security and Cooperation in Europe (OSCE), abbr. for 歐洲安全與合作組織|欧洲安全与合作组织[Ou1 zhou1 An1 quan2 yu3 He2 zuo4 Zu3 zhi1]" -欧宝,ōu bǎo,Opel (car brand) -欧尼,ōu ní,"(female usage) older sister (loanword from Korean ""eonni"")" -欧巴,ōu bā,"(female usage) older brother (loanword from Korean ""oppa""); male friend" -欧巴桑,ōu ba sāng,older female; woman of mature years (Japanese loanword) -欧巴马,ōu bā mǎ,"Taiwanese variant of 奧巴馬|奥巴马[Ao4 ba1 ma3], Barack Obama (1961-), US Democrat politician, president 2009-2017" -欧几里得,ōu jǐ lǐ dé,"Euclid of Alexandria (c. 300 BC), Greek geometer and author Elements 幾何原本|几何原本" -欧几里德,ōu jǐ lǐ dé,"Euclid of Alexandria (c. 300 BC), Greek geometer and author of Elements 幾何原本|几何原本" -欧式,ōu shì,in the European style; Euclidean -欧式几何,ōu shì jǐ hé,Euclidean geometry -欧式几何学,ōu shì jǐ hé xué,Euclidean geometry -欧拉,ōu lā,"Leonhard Euler (1707-1783), Swiss mathematician" -欧文,ōu wén,"Owen (name); Erwin (name); Irvine, California" -欧文斯,ōu wén sī,Owens (name) -欧斑鸠,ōu bān jiū,(bird species of China) European turtle dove (Streptopelia turtur) -欧朋,ōu péng,Opera (web browser) -欧柏林,ōu bó lín,Oberlin -欧查果,ōu chá guǒ,medlar -欧柳莺,ōu liǔ yīng,(bird species of China) willow warbler (Phylloscopus trochilus) -欧榛,ōu zhēn,common hazel (tree) (Corylus avellana) -欧歌鸫,ōu gē dōng,(bird species of China) song thrush (Turdus philomelos) -欧氏,ōu shì,Euclid; abbr. for 歐幾里得|欧几里得 -欧氏几何学,ōu shì jǐ hé xué,Euclidean geometry -欧泊,ōu bó,opal (Sanskrit: upala) -欧洲,ōu zhōu,Europe (abbr. for 歐羅巴洲|欧罗巴洲[Ou1luo2ba1 Zhou1]) -欧洲中央银行,ōu zhōu zhōng yāng yín háng,European Central Bank -欧洲之星,ōu zhōu zhī xīng,Eurostar (train line) -欧洲人,ōu zhōu rén,European (person) -欧洲共同市场,ōu zhōu gòng tóng shì chǎng,"European common market (old term for EU, European Union)" -欧洲共同体,ōu zhōu gòng tóng tǐ,"European Community, old term for EU, European Union 歐盟|欧盟[Ou1 meng2]" -欧洲刑警组织,ōu zhōu xíng jǐng zǔ zhī,Europol (European Police Office) -欧洲原子能联营,ōu zhōu yuán zǐ néng lián yíng,Euratom -欧洲大陆,ōu zhōu dà lù,continent of Europe -欧洲安全和合作组织,ōu zhōu ān quán hé hé zuò zǔ zhī,Organization for Security and Cooperation in Europe (OSCE) -欧洲安全与合作组织,ōu zhōu ān quán yǔ hé zuò zǔ zhī,Organization for Security and Cooperation in Europe (OSCE) -欧洲山杨,ōu zhōu shān yáng,European poplar (Populus tremula) -欧洲杯,ōu zhōu bēi,European Cup (e.g. soccer) -欧洲核子中心,ōu zhōu hé zǐ zhōng xīn,"European Organization for Nuclear Research CERN, at Geneva" -欧洲核子研究中心,ōu zhōu hé zǐ yán jiū zhōng xīn,"European Organization for Nuclear Research CERN, at Geneva" -欧洲歌唱大赛,ōu zhōu gē chàng dà sài,Eurovision Song Contest -欧洲法院,ōu zhōu fǎ yuàn,European Court of Justice -欧洲理事会,ōu zhōu lǐ shì huì,European Council -欧洲联盟,ōu zhōu lián méng,European Union (EU) -欧洲自由贸易联盟,ōu zhōu zì yóu mào yì lián méng,European Free Trade Association -欧洲航天局,ōu zhōu háng tiān jú,European Space Agency (ESA) -欧洲语言,ōu zhōu yǔ yán,European language -欧洲议会,ōu zhōu yì huì,European Parliament -欧洲货币,ōu zhōu huò bì,Euro; European currency -欧洲防风,ōu zhōu fáng fēng,parsnip (Pastinaca sativa) -欧洲电视,ōu zhōu diàn shì,European TV; Eurovision -欧珀莱,ōu pò lái,"Aupres, Shiseido's line in China" -欧当归,ōu dāng guī,(botany) lovage; Levisticum officinale -欧盟,ōu méng,European Union; EU -欧盟委员会,ōu méng wěi yuán huì,Commission of European Union -欧石鸻,ōu shí héng,(bird species of China) Eurasian stone-curlew (Burhinus oedicnemus) -欧米伽,ōu mǐ gā,omega (Greek letter Ωω) -欧米茄表公司,ōu mǐ jiā biǎo gōng sī,"Omega SA, Swiss luxury watchmaker" -欧纳西斯,ōu nà xī sī,see 奧納西斯|奥纳西斯[Ao4 na4 xi1 si1] -欧罗巴,ōu luó bā,Europe -欧罗巴洲,ōu luó bā zhōu,Europe; abbr. to 歐洲|欧洲[Ou1 zhou1] -欧美,ōu měi,Europe and America; the West -欧芹,ōu qín,parsley (Petroselinum sativum) -欧若拉,ōu ruò lā,"Aurora, Roman goddess of dawn" -欧莱雅,ōu lái yǎ,L'Oréal (French cosmetics company) -欧莳萝,ōu shí luó,cumin (Cuminum cyminum) -欧蝶鱼,ōu dié yú,plaice -欧猪,ōu zhū,"(economics) (derog.) PIGS (Portugal, Italy, Greece and Spain); PIIGS (Portugal, Italy, Ireland, Greece and Spain)" -欧车前,ōu chē qián,psyllium (genus Plantago) -欧里庇得斯,ōu lǐ bì dé sī,"Euripides (c. 480-406 BC), Greek tragedian, author of Medea, Trojan Women etc" -欧金斑鸻,ōu jīn bān héng,(bird species of China) European golden plover (Pluvialis apricaria) -欧金翅雀,ōu jīn chì què,(bird species of China) European greenfinch (Chloris chloris) -欧阳,ōu yáng,two-character surname Ouyang -欧阳予倩,ōu yáng yú qiàn,"Ouyang Yuqian (1889-1962), Chinese actor" -欧阳修,ōu yáng xiū,"Ouyang Xiu (1007-1072), Northern Song dynasty prose writer and historian" -欧阳询,ōu yáng xún,"Ouyang Xun (557-641), one of Four Great Calligraphers of early Tang 唐初四大家[Tang2 chu1 Si4 Da4 jia1]" -欧鸽,ōu gē,(bird species of China) stock dove (Columba oenas) -歔,xū,to snort -歙,shè,name of a district in Anhui -歙县,shè xiàn,"She County in Huangshan 黃山|黄山[Huang2 shan1], Anhui" -歛,hān,to desire; to give -歛,liǎn,variant of 斂|敛[lian3] -欤,yú,"(literary) (final particle similar to 嗎|吗[ma5], 呢[ne5] or 啊[a1])" -欢,huān,joyous; happy; pleased -欢势,huān shi,lively; full of vigor; vibrant; spirited -欢呼,huān hū,to cheer for; to acclaim -欢呼雀跃,huān hū què yuè,cheering excitedly (idiom); jubilant -欢喜,huān xǐ,happy; joyous; delighted; to like; to be fond of -欢喜冤家,huān xǐ yuān jia,quarrelsome but loving couple -欢天喜地,huān tiān xǐ dì,delighted; with great joy; in high spirits -欢娱,huān yú,to amuse; to divert; happy; joyful; pleasure; amusement -欢宴,huān yàn,feast; celebration -欢容,huān róng,happy; joyous -欢实,huān shi,lively; full of vigor; vibrant; spirited -欢度,huān dù,to merrily spend (an occasion); to celebrate -欢心,huān xīn,favor; liking; love; jubilation; joy -欢快,huān kuài,cheerful and lighthearted; lively -欢悦,huān yuè,happiness; joy; to be happy; to be joyous -欢愉,huān yú,happy; joyous; delighted -欢庆,huān qìng,to celebrate -欢畅,huān chàng,happy; cheerful; jubilant -欢乐,huān lè,gaiety; gladness; glee; merriment; pleasure; happy; joyous; gay -欢乐时光,huān lè shí guāng,happy time; happy hour (in bars etc) -欢欣,huān xīn,elated -欢欣雀跃,huān xīn què yuè,elated; overjoyed -欢欣鼓舞,huān xīn gǔ wǔ,elated and excited (idiom); overjoyed -欢欢喜喜,huān huān xǐ xǐ,happily -欢笑,huān xiào,to laugh happily; a belly-laugh -欢聚,huān jù,to get together socially; to celebrate; party; celebration -欢聚一堂,huān jù yī táng,to gather happily under one roof -欢声,huān shēng,cheers; cries of joy or approval -欢声笑语,huān shēng xiào yǔ,cheers and laughter -欢蹦乱跳,huān bèng luàn tiào,glowing with health and vivacity (idiom) -欢迎,huān yíng,to welcome; welcome -欢迎光临,huān yíng guāng lín,welcome -欢送,huān sòng,to see off; to send off -欢送会,huān sòng huì,farewell party -欢腾,huān téng,jubilation; great celebration; CL:片[pian4] -止,zhǐ,to stop; to prohibit; until; only -止咳,zhǐ ké,to suppress coughing -止咳糖浆,zhǐ ké táng jiāng,cough suppressant syrup; cough mixture -止境,zhǐ jìng,limit; boundary; end -止息,zhǐ xī,to cease; to end -止损,zhǐ sǔn,(finance) stop-loss; to sell a security in response to its price dropping to one's stop-loss point 止損點|止损点[zhi3 sun3 dian3] -止损单,zhǐ sǔn dān,stop-loss order (finance) -止损点,zhǐ sǔn diǎn,(finance) stop-loss point (price at which one resolves to sell a security at a loss in order to avoid the possibility of having to sell later at an even lower price) -止步,zhǐ bù,to halt; to stop; to go no farther -止汗剂,zhǐ hàn jì,anti-perspirant -止滑,zhǐ huá,to prevent slipping; anti-slip -止疼片,zhǐ téng piān,painkiller; analgesic -止痛,zhǐ tòng,to relieve pain; to stop pain; analgesic -止痛剂,zhǐ tòng jì,an analgesic; pain killer -止痛法,zhǐ tòng fǎ,method of relieving pain -止痛片,zhǐ tòng piàn,painkiller -止痛药,zhǐ tòng yào,painkiller; analgesic; anodyne -止血,zhǐ xuè,to staunch (bleeding); hemostatic (drug) -止血垫,zhǐ xuè diàn,dressing; pad to stop bleeding -止血栓,zhǐ xuè shuān,plug to stop bleeding; tampon (medicine) -止血贴,zhǐ xuè tiē,Band-Aid; plaster -止闹按钮,zhǐ nào àn niǔ,snooze button -正,zhēng,first month of the lunar year -正,zhèng,straight; upright; proper; main; principal; to correct; to rectify; exactly; just (at that time); right (in that place); (math.) positive -正丁醚,zhèng dīng mí,butyl ether -正中,zhèng zhōng,middle; center; right in the middle or center; nub -正中下怀,zhèng zhòng xià huái,exactly what one wants -正中要害,zhèng zhòng yào hài,to hit the nail on the head (idiom) -正主,zhèng zhǔ,central figure; rightful owner; (slang) idol of a fan -正事,zhèng shì,one's proper business -正交,zhèng jiāo,orthogonality -正交群,zhèng jiāo qún,orthogonal group (math.) -正人,zhèng rén,upstanding person; upright person -正人君子,zhèng rén jūn zi,upright gentleman; man of honor -正仓院,zhēng cāng yuàn,"Shōsō-in, a timber structure in Nara, Japan, built to house hundreds of artifacts bequeathed to the Tōdai-ji temple by the Japanese emperor Shōmu, who died in 756" -正值,zhèng zhí,just at the time of; honest; upright; (math.) positive value -正传,zhèng zhuàn,main subject of long novel; true biography -正儿八板,zhèng ér bā bǎn,earnest; authentic -正儿八经,zhèng ér bā jīng,serious; earnest; real; true -正六边形,zhèng liù biān xíng,regular hexagon -正切,zhèng qiē,(math.) tangent (trigonometric function) -正则,zhèng zé,regular (figure in geometry) -正则参数,zhèng zé cān shù,regular parametrization -正则表达式,zhèng zé biǎo dá shì,regular expression (computing) -正割,zhèng gē,"secant (of angle), written sec θ" -正剧,zhèng jù,bourgeois tragedy -正化,zhèng huà,normalization; to normalize -正午,zhèng wǔ,midday; noon; noonday -正半轴,zhèng bàn zhóu,positive semiaxis (in coordinate geometry) -正反,zhèng fǎn,positive and negative; pros and cons; inside and outside -正反两面,zhèng fǎn liǎng miàn,two-way; reversible; both sides of the coin -正史,zhèng shǐ,"the 24 or 25 official dynastic histories; true history, as opposed to fictional adaptation or popular legends" -正名,zhèng míng,to replace the current name or title of sth with a new one that reflects its true nature; rectification of names (a tenet of Confucian philosophy) -正向,zhèng xiàng,"forward (direction); positive (thinking, mood, values etc)" -正向前看,zhèng xiàng qián kàn,look-ahead assertion -正向力,zhèng xiàng lì,normal force (physics) -正品,zhèng pǐn,certified goods; quality product; normal product; A-class goods -正在,zhèng zài,just at (that time); right in (that place); right in the middle of (doing sth) -正型标本,zhèng xíng biāo běn,holotype -正外部性,zhèng wài bù xìng,"positive influence, effect that people's doings or behavior have on others (society)" -正多胞形,zhèng duō bāo xíng,convex polytope -正多面体,zhèng duō miàn tǐ,regular polyhedron -正大光明,zhèng dà guāng míng,just and honorable -正太,zhèng tài,"young, cute boy; derived from Japanese loanword shotacon 正太控[zheng4 tai4 kong4]" -正太控,zhèng tài kòng,shotacon (Japanese loanword); manga or anime genre depicting young boys in an erotic manner -正好,zhèng hǎo,just (in time); just right; just enough; to happen to; to chance to; by chance; it just so happens that -正如,zhèng rú,just as; precisely as -正妹,zhèng mèi,(Tw) beautiful woman; sexy woman -正子,zhèng zǐ,positron; also called 正電子|正电子[zheng4 dian4 zi3] -正字,zhèng zì,to correct an erroneously written character; regular script (calligraphy); standard form (of a character or spelling) -正字法,zhèng zì fǎ,orthography -正字通,zhèng zì tōng,"Zhengzitong, Chinese character dictionary with 33,549 entries, edited by Ming scholar Zhang Zilie 張自烈|张自烈[Zhang1 Zi4 lie4] in 17th century" -正安,zhèng ān,"Zheng'an county in Zunyi 遵義|遵义[Zun1 yi4], Guizhou" -正安县,zhèng ān xiàn,"Zheng'an county in Zunyi 遵義|遵义[Zun1 yi4], Guizhou" -正宗,zhèng zōng,orthodox school; fig. traditional; old school; authentic; genuine -正定,zhèng dìng,"Zhengding county in Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1], Hebei" -正定县,zhèng dìng xiàn,"Zhengding county in Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1], Hebei" -正室,zhèng shì,primary wife (in contrast to concubine); legal wife -正宫娘娘,zhèng gōng niáng niáng,empress -正宁,zhèng níng,"Zhengning county in Qingyang 慶陽|庆阳[Qing4 yang2], Gansu" -正宁县,zhèng níng xiàn,"Zhengning county in Qingyang 慶陽|庆阳[Qing4 yang2], Gansu" -正对,zhèng duì,directly facing -正巧,zhèng qiǎo,just by chance; to happen to (just at the right time); opportune -正常,zhèng cháng,regular; normal; ordinary -正常化,zhèng cháng huà,normalization (of diplomatic relations etc) -正常工作,zhèng cháng gōng zuò,normal operation; proper functioning -正常成本,zhèng cháng chéng běn,normal cost (accountancy) -正常菌群,zhèng cháng jūn qún,microbiome; microbiota -正式,zhèng shì,formal; official -正式投票,zhèng shì tóu piào,formal vote -正弦,zhèng xián,(math.) sine -正弦定理,zhèng xián dìng lǐ,law of sines -正弦形,zhèng xián xíng,sinusoidal (shaped like a sine wave) -正弦波,zhèng xián bō,sine wave; simple harmonic vibration -正德,zhèng dé,"Zhengde Emperor, reign name of eleventh Ming emperor Zhu Houzhao 朱厚照[Zhu1 Hou4 zhao4] (1491-1521), reigned 1505-1521, temple name 明武宗[Ming2 Wu3 zong1]" -正念,zhèng niàn,correct mindfulness (Buddhism) -正意,zhèng yì,sense (in DNA) -正态分布,zhèng tài fēn bù,(math.) normal distribution; Gaussian distribution -正房,zhèng fáng,central building (in a traditional house); primary wife -正投影,zhèng tóu yǐng,orthogonal projection -正教,zhèng jiào,lit. true religion; orthodox religion; orthodox Christianity; Islam (in the writing of Chinese or Hui theologians) -正教真诠,zhèng jiào zhēn quán,"Exegesis of true religion by Wang Daiyu 王岱輿|王岱舆[Wang2 Dai4 yu2], a study of Islam; also translated as Real hermeneutics of orthodox religion" -正整数,zhèng zhěng shù,positive integer -正数,zhèng shù,positive number -正文,zhèng wén,main text (as opposed to footnotes); main body (of a book) -正断层,zhèng duàn céng,normal fault (geology) -正方,zhèng fāng,the side in favor of the proposition (in a formal debate) -正方向,zhèng fāng xiàng,forward direction; (analytic geometry) positive direction -正方形,zhèng fāng xíng,square -正方体,zhèng fāng tǐ,a rectangular parallelepiped -正日,zhèng rì,"the day (of a festival, ceremony etc)" -正旦,zhèng dàn,starring female role in a Chinese opera -正是,zhèng shì,is precisely -正时,zhèng shí,timing (of an engine) -正书,zhèng shū,regular script (Chinese calligraphic style) -正月,zhēng yuè,first month of the lunar year -正月初一,zhēng yuè chū yī,New Year's Day in the lunar calendar -正朔,zhēng shuò,first day of the first lunar month; (old) calendar promulgated by the first emperor of a dynasty -正本,zhèng běn,original (of a document); reserved copy (of a library book) -正业,zhèng yè,one's regular job -正极,zhèng jí,positive pole -正楷,zhèng kǎi,regular script (Chinese calligraphic style) -正模标本,zhèng mó biāo běn,holotype -正正,zhèng zhèng,neat; orderly; just in time -正步,zhèng bù,goose-step (for military parades) -正步走,zhèng bù zǒu,to march at parade step; March! (military command) -正殿,zhèng diàn,main hall of a Buddhist temple -正比,zhèng bǐ,direct ratio; directly proportional -正比例,zhèng bǐ lì,direct proportionality -正气,zhèng qì,healthy atmosphere; moral spirit; unyielding integrity; probity; (TCM) vital energy (resistance to diseases) -正法,zhèng fǎ,to execute; the law -正派,zhèng pài,upright -正港,zhèng gǎng,"(Tw) (slang) authentic; genuine (from Taiwanese, Tai-lo pr. [tsiànn-káng])" -正然,zhèng rán,in the process of (doing something or happening); while (doing) -正版,zhèng bǎn,genuine; legal; see also 盜版|盗版[dao4 ban3] -正牙带环,zhèng yá dài huán,orthodontic brace -正生,zhèng shēng,starring male role in a Chinese opera -正用,zhèng yòng,correct usage -正当,zhèng dāng,timely; just (when needed) -正当,zhèng dàng,honest; reasonable; fair; sensible -正当中,zhèng dāng zhōng,dead center; the very middle -正当年,zhèng dāng nián,to be in the prime of life -正当性,zhèng dàng xìng,(political) legitimacy -正当时,zhèng dāng shí,the right time for sth; the right season (for planting cabbage) -正当理由,zhèng dàng lǐ yóu,proper reason; reasonable grounds -正当防卫,zhèng dàng fáng wèi,reasonable self-defense; legitimate defense -正畸,zhèng jī,orthodontics -正直,zhèng zhí,upright; upstanding; honest -正相关,zhèng xiāng guān,positive correlation -正眼,zhèng yǎn,facing directly (with one's eyes); (to look sb) in the eyes -正确,zhèng què,correct; sound; right; proper -正确处理,zhèng què chǔ lǐ,to handle correctly -正确处理人民内部矛盾,zhèng què chǔ lǐ rén mín nèi bù máo dùn,"On the correct handling of internal contradictions among the people, Mao Zedong's tract of 1957" -正确路线,zhèng què lù xiàn,correct line (i.e. the party line) -正祖,zhèng zǔ,"Jeonjo (1752-1800), 22nd king of Korean Joseon dynasty" -正统,zhèng tǒng,"Zhengtong Emperor, reign name of sixth Ming Emperor Zhu Qizhen 朱祁鎮|朱祁镇[Zhu1 Qi2 zhen4] (1427-1464), reigned 1435-1449, temple name Yingzong 英宗[Ying1 zong1]" -正统,zhèng tǒng,orthodoxy; tradition; orthodox; traditional; principles of dynastic succession; (of an heir) legitimate -正经,zhèng jīng,decent; honorable; proper; serious; according to standards -正经八摆,zhèng jīng bā bǎi,variant of 正經八百|正经八百[zheng4 jing1 ba1 bai3] -正经八板,zhèng jīng bā bǎn,see 正經八百|正经八百[zheng4 jing1 ba1 bai3] -正经八百,zhèng jīng bā bǎi,very serious; solemn -正义,zhèng yì,justice; righteousness; just; righteous -正义斗争,zhèng yì dòu zhēng,righteous struggle -正义魔人,zhèng yì mó rén,(Tw) sanctimonious person; self-appointed moral arbiter -正义党,zhèng yì dǎng,Justicialist Party -正职,zhèng zhí,main job; day job; steady full-time job (as opposed to temporary or casual); chief or principal post (as opposed to deputy) -正能量,zhèng néng liàng,positive energy; positivity -正脚鞋,zhèng jiǎo xié,shoe that can be worn on either foot -正脸,zhèng liǎn,a person's face as seen from the front -正色,zhèng sè,stern; grim; resolute; firm; unflinching; fundamental colors -正着,zhèng zháo,head-on; red-handed -正蓝旗,zhèng lán qí,"Plain Blue banner or Shuluun Höh khoshuu in Xilingol League 錫林郭勒盟|锡林郭勒盟[Xi1 lin2 guo1 le4 Meng2], Inner Mongolia; also written 正蘭旗|正兰旗" -正兰旗,zhèng lán qí,"Plain Blue banner or Shuluun Höh khoshuu in Xilingol League 錫林郭勒盟|锡林郭勒盟[Xi1 lin2 guo1 le4 Meng2], Inner Mongolia" -正号,zhèng hào,(math.) plus sign (+) -正装,zhèng zhuāng,formal dress -正襟危坐,zhèng jīn wēi zuò,to sit upright and still (idiom) -正要,zhèng yào,to be just about to; to be on the point of -正规,zhèng guī,regular; according to standards -正规教育,zhèng guī jiào yù,regular education -正规军,zhèng guī jūn,regular army; standing army -正视,zhèng shì,to face squarely; to meet head on; to face up to -正角,zhèng jiǎo,positive angle -正角,zhèng jué,good guy (in a story); hero -正言厉色,zhèng yán lì sè,solemn in word and countenance (idiom); strict and unsmiling; also written 正顏厲色|正颜厉色 -正词法,zhèng cí fǎ,orthography (linguistics) -正误,zhèng wù,true or false?; correct or incorrect; to correct errors (in a document) -正误表,zhèng wù biǎo,corrigenda -正象,zhèng xiàng,to be just like -正负,zhèng fù,positive and negative -正负号,zhèng fù hào,plus or minus sign ± (math.) -正负电子,zhèng fù diàn zǐ,electrons and positrons -正路,zhèng lù,the right way -正轨,zhèng guǐ,the right track -正逢其时,zhèng féng qí shí,to come at the right time; to be opportune -正道,zhèng dào,the correct path; the right way (Buddhism) -正邪,zhèng xié,opposition between vital energy 正氣|正气[zheng4 qi4] and pathogeny 邪氣|邪气[xie2 qi4] (TCM) -正邪相争,zhèng xié xiāng zhēng,term in TCM describing the progress of disease as an opposition between vital energy 正氣|正气[zheng4 qi4] and pathogeny 邪氣|邪气[xie2 qi4] -正锋,zhèng fēng,frontal attack (brush movement in painting) -正镶白旗,zhèng xiāng bái qí,"Plain and Bordered White banner or Shuluun Hövööt Chagaan khoshuu in Xilingol League 錫林郭勒盟|锡林郭勒盟[Xi1 lin2 guo1 le4 Meng2], Inner Mongolia" -正长石,zhèng cháng shí,"orthoclase KAlSi3O8 (rock-forming mineral, type of feldspar)" -正门,zhèng mén,main entrance; main gate; portal -正阳,zhèng yáng,"Zhengyang county in Zhumadian 駐馬店|驻马店[Zhu4 ma3 dian4], Henan" -正阳县,zhèng yáng xiàn,"Zhengyang county in Zhumadian 駐馬店|驻马店[Zhu4 ma3 dian4], Henan" -正离子,zhèng lí zǐ,positive ion; cation (physics) -正电,zhèng diàn,positive charge (electricity) -正电子,zhèng diàn zǐ,positron (antiparticle of the electron) -正电子断层,zhèng diàn zǐ duàn céng,"PET, positron emission tomography (medical imaging method)" -正电子照射断层摄影,zhèng diàn zǐ zhào shè duàn céng shè yǐng,positrion emission tomography (PET) -正电子发射层析,zhèng diàn zǐ fā shè céng xī,positron emission tomography (PET) -正电子发射断层照相术,zhèng diàn zǐ fā shè duàn céng zhào xiāng shù,positron emission tomography (PET) -正电子发射计算机断层,zhèng diàn zǐ fā shè jì suàn jī duàn céng,"PET, positron emission tomography (medical imaging method)" -正电子发射体层,zhèng diàn zǐ fā shè tǐ céng,"PET, positron emission tomography (medical imaging method)" -正面,zhèng miàn,front; obverse side; right side; positive; direct; open -正音,zhèng yīn,standard pronunciation; to correct sb's pronunciation -正颜厉色,zhèng yán lì sè,solemn in countenance (idiom); strict and unsmiling -正餐,zhèng cān,(regular) meal; full meal; main course -正骨,zhèng gǔ,bonesetting; Chinese osteopathy -正骨八法,zhèng gǔ bā fǎ,the eight methods of bonesetting; Chinese osteopathy -正体,zhèng tǐ,standard form (of a Chinese character); plain font style (as opposed to bold or italic); printed style (as opposed to cursive); (Tw) traditional (i.e. unsimplified) characters -正体字,zhèng tǐ zì,standard form of a Chinese character; (Tw) traditional (i.e. unsimplified) characters -正点,zhèng diǎn,(of a train etc) on time; punctual; (slang) awesome; (Tw) on the hour -此,cǐ,this; these -此事,cǐ shì,this matter -此事体大,cǐ shì tǐ dà,see 茲事體大|兹事体大[zi1 shi4 ti3 da4] -此伏彼起,cǐ fú bǐ qǐ,see 此起彼伏[ci3 qi3 bi3 fu2] -此刻,cǐ kè,this moment; now; at present -此前,cǐ qián,before this; before then; previously -此地,cǐ dì,here; this place -此地无银三百两,cǐ dì wú yín sān bǎi liǎng,lit. 300 silver taels not hidden here (idiom); fig. to reveal what one intends to hide -此外,cǐ wài,besides; in addition; moreover; furthermore -此后,cǐ hòu,after this; afterwards; hereafter -此时,cǐ shí,now; this moment -此时以前,cǐ shí yǐ qián,heretofore -此时此刻,cǐ shí cǐ kè,at this very moment -此时此地,cǐ shí cǐ dì,here and now; as things stand -此次,cǐ cì,this time -此消彼长,cǐ xiāo bǐ zhǎng,(idiom) one declines while the other flourishes; one loses out when the other one gains (as in a trade-off or a zero-sum game) -此致,cǐ zhì,(used at the end of a letter to introduce a polite salutation) -此致敬礼,cǐ zhì jìng lǐ,respectfully yours (at the end of a letter) -此处,cǐ chù,this place; here (literary) -此言不虚,cǐ yán bù xū,see 此言非虛|此言非虚[ci3 yan2 fei1 xu1] -此言非虚,cǐ yán fēi xū,that is true -此话怎讲,cǐ huà zěn jiǎng,How do you mean?; How could that be the case?; How so? -此起彼伏,cǐ qǐ bǐ fú,"up here, down there (idiom); to rise and fall in succession; no sooner one subsides, the next arises; repeating continuously; occurring again and again (of applause, fires, waves, protests, conflicts, uprisings etc)" -此起彼落,cǐ qǐ bǐ luò,to rise and fall in succession (idiom); repeating continuously -此路不通,cǐ lù bù tōng,this road is blocked; fig. This method does not work.; Doing this is no good. -此道,cǐ dào,such matters; things like this; this line of work; this pursuit; this hobby; this endeavor -此间,cǐ jiān,here; this place -此际,cǐ jì,then; as a result -此类,cǐ lèi,this kind; these kinds; such -步,bù,surname Bu -步,bù,a step; a pace; walk; march; stages in a process; situation -步人后尘,bù rén hòu chén,to follow in other people's footsteps -步伐,bù fá,pace; (measured) step; march -步入,bù rù,to step into; to enter -步兵,bù bīng,infantry; foot; infantryman; foot soldier -步哨,bù shào,sentry; sentinel -步子,bù zi,step; pace -步履,bù lǚ,gait; to walk -步履紊乱,bù lǚ wěn luàn,to be in complete disorder -步履维艰,bù lǚ wéi jiān,to have difficulty walking (idiom); to walk with difficulty -步履蹒跚,bù lǚ pán shān,to walk unsteadily; to hobble along -步态,bù tài,gait; tread -步态蹒跚,bù tài pán shān,to walk unsteadily -步摇,bù yáo,dangling ornament worn by women -步操,bù cāo,"foot drill (military, physical exercises etc)" -步斗踏罡,bù dǒu tà gāng,"to worship the astral deities (idiom, refers to Daoist astrology)" -步月,bù yuè,to stroll beneath the moon -步枪,bù qiāng,"rifle; CL:把[ba3],枝[zhi1]" -步步,bù bù,step by step; at every step -步步为营,bù bù wéi yíng,to advance gradually and entrench oneself at every step; to consolidate at every step -步步高升,bù bù gāo shēng,to climb step by step; to rise steadily; on the up and up -步武,bù wǔ,to walk in someone's steps; to follow in someone's footsteps (literary); a step (literary) -步法,bù fǎ,footwork -步测,bù cè,pacing -步犁,bù lí,walking plow -步罡踏斗,bù gāng tà dǒu,"to worship the astral deities (idiom, refers to Daoist astrology)" -步行,bù xíng,to go on foot; to walk -步行区,bù xíng qū,pedestrian area -步行者,bù xíng zhě,pedestrian -步行虫,bù xíng chóng,ground beetle -步行街,bù xíng jiē,car-free zone; pedestrian street -步话机,bù huà jī,walkie-talkie -步调,bù diào,gait; marching order; step; pace -步调一致,bù diào yī zhì,to be united in action -步足,bù zú,"ambulatory leg (of a crab, lobster, spider etc)" -步辇,bù niǎn,(literary) palanquin; sedan chair; (literary) to ride in a palanquin -步进制,bù jìn zhì,step by step system -步进马达,bù jìn mǎ dá,stepper motor -步道,bù dào,walking path; pathway -步韵,bù yùn,to write a poem using another poem's rhymes -步骤,bù zhòu,procedure; step -武,wǔ,surname Wu -武,wǔ,martial; military -武丁,wǔ dīng,"Wu Ding (c. 14th century BC), legendary founder and wise ruler of Shang dynasty" -武仙座,wǔ xiān zuò,Hercules (constellation) -武侯,wǔ hóu,"Wuhou district of Chengdu city 成都市[Cheng2 du1 shi4], Sichuan" -武侯区,wǔ hóu qū,"Wuhou district of Chengdu city 成都市[Cheng2 du1 shi4], Sichuan" -武侯祠,wǔ hóu cí,"temple dedicated to the memory of Zhuge Liang 諸葛亮|诸葛亮[Zhu1 ge3 Liang4] (There is one in Chengdu, and many others in various parts of China.)" -武侠,wǔ xiá,"martial arts chivalry (Chinese literary, theatrical and cinema genre); knight-errant" -武侠小说,wǔ xiá xiǎo shuō,a martial arts (wuxia) novel -武则天,wǔ zé tiān,"Wu Zetian (624-705), Tang empress, reigned 690-705" -武力,wǔ lì,military force -武功,wǔ gōng,"Wugong County in Xianyang 咸陽|咸阳[Xian2 yang2], Shaanxi" -武功,wǔ gōng,martial art; military accomplishments; (Peking opera) martial arts feats -武功山,wǔ gōng shān,Mt Wugong in Jiangxi -武功县,wǔ gōng xiàn,"Wugong County in Xianyang 咸陽|咸阳[Xian2 yang2], Shaanxi" -武功镇,wǔ gōng zhèn,Wugong village in Shaanxi -武勇,wǔ yǒng,military skills; valor; valorous -武胜,wǔ shèng,"Wusheng county in Guang'an 廣安|广安[Guang3 an1], Sichuan" -武胜县,wǔ shèng xiàn,"Wusheng county in Guang'an 廣安|广安[Guang3 an1], Sichuan" -武器,wǔ qì,weapon; arms; CL:種|种[zhong3] -武器禁运,wǔ qì jìn yùn,embargo on arms sale -武器系统,wǔ qì xì tǒng,weapon system -武器级,wǔ qì jí,weapons-grade -武城,wǔ chéng,"Wucheng county in Dezhou 德州[De2 zhou1], Shandong" -武城县,wǔ chéng xiàn,"Wucheng county in Dezhou 德州[De2 zhou1], Shandong" -武坛,wǔ tán,martial arts circles -武士,wǔ shì,warrior; samurai -武士刀,wǔ shì dāo,katana -武士彟,wǔ shì huò,"Wu Shihuo (7th century), father of Tang empress Wu Zetian 武則天|武则天" -武士道,wǔ shì dào,"bushidō or way of the warrior, samurai code of chivalry" -武夷山,wǔ yí shān,"Mt Wuyi in Fujian; Wuyishan nature reserve; Wuyishan, county-level city in Nanping 南平[Nan2 ping2] Fujian" -武夷山市,wǔ yí shān shì,"Wuyishan, county-level city in Nanping 南平[Nan2 ping2] Fujian" -武威,wǔ wēi,"Wuwei, prefecture-level city in Gansu" -武威市,wǔ wēi shì,"Wuwei, prefecture-level city in Gansu" -武安,wǔ ān,"Wu'an, county-level city in Handan 邯鄲|邯郸[Han2 dan1], Hebei" -武安市,wǔ ān shì,"Wu'an, county-level city in Handan 邯鄲|邯郸[Han2 dan1], Hebei" -武官,wǔ guān,military official; military attaché -武定,wǔ dìng,"Wuding reign name (543-550) during Eastern Wei of the Northern Dynasties 東魏|东魏[Dong1 Wei4]; Wuding County in Chuxiong Yi Autonomous Prefecture 楚雄彞族自治州|楚雄彝族自治州[Chu3 xiong2 Yi2 zu2 Zi4 zhi4 zhou1], Yunnan" -武定县,wǔ dìng xiàn,"Wuding County in Chuxiong Yi Autonomous Prefecture 楚雄彞族自治州|楚雄彝族自治州[Chu3 xiong2 Yi2 zu2 Zi4 zhi4 zhou1], Yunnan" -武宣,wǔ xuān,"Wuxuan county in Laibin 來賓|来宾[Lai2 bin1], Guangxi" -武宣县,wǔ xuān xiàn,"Wuxuan county in Laibin 來賓|来宾[Lai2 bin1], Guangxi" -武宁,wǔ níng,"Wuning county in Jiujiang 九江, Jiangxi" -武宁县,wǔ níng xiàn,"Wuning county in Jiujiang 九江, Jiangxi" -武将,wǔ jiàng,general; military leader; fierce man -武山,wǔ shān,"Wushan county in Tianshui 天水[Tian1 shui3], Gansu" -武山县,wǔ shān xiàn,"Wushan county in Tianshui 天水[Tian1 shui3], Gansu" -武山鸡,wǔ shān jī,see 烏骨雞|乌骨鸡[wu1 gu3 ji1]; black-boned chicken; silky fowl; silkie -武冈,wǔ gāng,"Wugang, county-level city in Shaoyang 邵陽|邵阳[Shao4 yang2], Hunan" -武冈市,wǔ gāng shì,"Wugang, county-level city in Shaoyang 邵陽|邵阳[Shao4 yang2], Hunan" -武川,wǔ chuān,"Wuchuan county in Hohhot 呼和浩特[Hu1 he2 hao4 te4], Inner Mongolia" -武川县,wǔ chuān xiàn,"Wuchuan county in Hohhot 呼和浩特[Hu1 he2 hao4 te4], Inner Mongolia" -武平,wǔ píng,"Wuping, county-level city in Longyan 龍岩|龙岩, Fujian" -武平县,wǔ píng xiàn,"Wuping county in Longyan 龍岩|龙岩, Fujian" -武库,wǔ kù,arsenal; store of arms -武康镇,wǔ kāng zhèn,"Wukang town, Zhejiang 浙江" -武强,wǔ qiáng,"Wuqiang county in Hengshui 衡水[Heng2 shui3], Hebei" -武强县,wǔ qiáng xiàn,"Wuqiang county in Hengshui 衡水[Heng2 shui3], Hebei" -武德,wǔ dé,ethics (in the military or the martial arts) -武打,wǔ dǎ,acrobatic fighting in Chinese opera or dance -武打片,wǔ dǎ piàn,action movie; kungfu movie -武断,wǔ duàn,arbitrary; subjective; dogmatic -武旦,wǔ dàn,female military role in a Chinese opera -武昌,wǔ chāng,"Wuchang district of Wuhan city 武漢市|武汉市[Wu3 han4 shi4], Hubei" -武昌区,wǔ chāng qū,"Wuchang district of Wuhan city 武漢市|武汉市[Wu3 han4 shi4], Hubei" -武昌起义,wǔ chāng qǐ yì,"Wuchang Uprising of October 10th, 1911, which led to Sun Yat-sen's Xinhai Revolution and the fall of the Qing dynasty" -武松,wǔ sōng,"Wu Song, a heroic outlaw of Liangshan Marsh in the classic novel Water Margin 水滸傳|水浒传[Shui3 hu3 Zhuan4], whose exploits include killing a tiger with his bare hands" -武林,wǔ lín,martial arts (social) circles -武水,wǔ shuǐ,the Wu river in Hunan and Guangdong; formerly Shuang river 瀧水|泷水 -武江,wǔ jiāng,"Wujiang district of Shaoguan City 韶關市|韶关市, Guangdong" -武江区,wǔ jiāng qū,"Wujiang district of Shaoguan City 韶關市|韶关市, Guangdong" -武清,wǔ qīng,Wuqing rural district in Tianjin 天津[Tian1 jin1] -武清区,wǔ qīng qū,Wuqing rural district in Tianjin 天津[Tian1 jin1] -武溪,wǔ xī,Wu river in Hunan and Guangdong; formerly Shuang river 瀧水|泷水 -武汉,wǔ hàn,"Wuhan city on Changjiang, subprovincial city and capital of Hubei province" -武汉大学,wǔ hàn dà xué,Wuhan University -武汉市,wǔ hàn shì,"Wuhan city on Changjiang, subprovincial city and capital of Hubei province" -武汉钢铁公司,wǔ hàn gāng tiě gōng sī,Wuhan Iron and Steel -武王伐纣,wǔ wáng fá zhòu,King Wu of Zhou 周武王[Zhou1 Wu3 wang2] overthrows tyrant Zhou of Shang 商紂王|商纣王[Shang1 Zhou4 wang2] -武生,wǔ shēng,male military role in a Chinese opera -武田,wǔ tián,Takeda (Japanese surname) -武略,wǔ lüè,military strategy -武当山,wǔ dāng shān,Wudang Mountain range in northwest Hubei -武穴,wǔ xué,"Wuxue, county-level city in Huanggang 黃岡|黄冈[Huang2 gang1], Hubei" -武穴市,wǔ xué shì,"Wuxue, county-level city in Huanggang 黃岡|黄冈[Huang2 gang1], Hubei" -武统,wǔ tǒng,to unify by using military force (usu. in relation to Taiwan) -武经七书,wǔ jīng qī shū,"Seven Military Classics of ancient China viz ""Six Secret Strategic Teachings"" 六韜|六韬[Liu4 tao1], ""Methods of Sima"" 司馬法|司马法[Si1 ma3 Fa3], ""The Art of War"" 孫子兵法|孙子兵法[Sun1 zi3 Bing1 fa3], ""Wuzi"" 吳子|吴子[Wu2 zi3], ""Wei Liaozi"" 尉繚子|尉缭子[Wei4 Liao2 zi5], ""Three Strategies of Huang Shigong"" 黃石公三略|黄石公三略[Huang2 Shi2 gong1 San1 lu:e4] and ""Duke Li of Wei Answering Emperor Taizong of Tang"" 唐太宗李衛公問對|唐太宗李卫公问对[Tang2 Tai4 zong1 Li3 Wei4 Gong1 Wen4 dui4]" -武经总要,wǔ jīng zǒng yào,"""Collection of the Most Important Military Techniques"", book published in 1044 during the Northern Song Dynasty" -武义,wǔ yì,"Wuyi county in Jinhua 金華|金华[Jin1 hua2], Zhejiang" -武义县,wǔ yì xiàn,"Wuyi county in Jinhua 金華|金华[Jin1 hua2], Zhejiang" -武圣,wǔ shèng,the Saint of War (i.e. the deified Guan Yu 關羽|关羽[Guan1 Yu3]) -武职,wǔ zhí,military official; military position (i.e. job) -武举,wǔ jǔ,successful military candidate in the imperial provincial examination -武艺,wǔ yì,martial art; military skill -武艺高强,wǔ yì gāo qiáng,highly skilled in martial arts -武术,wǔ shù,military skill or technique (in former times); all kinds of martial art sports (some claiming spiritual development); self-defense; tradition of choreographed fights from opera and film (recent usage); also called kungfu 功夫; CL:種|种[zhong3] -武装,wǔ zhuāng,arms; equipment; to arm; military; armed (forces) -武装分子,wǔ zhuāng fèn zǐ,armed groups; fighters; gunmen -武装力量,wǔ zhuāng lì liàng,armed force -武装冲突,wǔ zhuāng chōng tū,armed conflict -武装部队,wǔ zhuāng bù duì,armed forces -武警,wǔ jǐng,armed police -武警战士,wǔ jǐng zhàn shì,armed fighters; armed police; militia -武警部队,wǔ jǐng bù duì,People's Armed Police -武进,wǔ jìn,"Wujin district of Changzhou city 常州市[Chang2 zhou1 shi4], Jiangsu" -武进区,wǔ jìn qū,"Wujin district of Changzhou city 常州市[Chang2 zhou1 shi4], Jiangsu" -武邑,wǔ yì,"Wuyi county in Hengshui 衡水[Heng2 shui3], Hebei" -武邑县,wǔ yì xiàn,"Wuyi county in Hengshui 衡水[Heng2 shui3], Hebei" -武都,wǔ dū,"Wudu district of Longnan city 隴南市|陇南市[Long3 nan2 shi4], Gansu" -武都区,wǔ dū qū,"Wudu district of Longnan city 隴南市|陇南市[Long3 nan2 shi4], Gansu" -武都市,wǔ dū shì,Wudu city in Gansu -武乡,wǔ xiāng,"Wuxiang county in Changzhi 長治|长治[Chang2 zhi4], Shanxi" -武乡县,wǔ xiāng xiàn,"Wuxiang county in Changzhi 長治|长治[Chang2 zhi4], Shanxi" -武陟,wǔ zhì,"Wuzhi county in Jiaozuo, Henan" -武陟县,wǔ zhì xiàn,"Wuzhi county in Jiaozuo, Henan" -武陵,wǔ líng,"Wuling district of Changde city 常德市[Chang2 de2 shi4], Hunan" -武陵区,wǔ líng qū,"Wuling district of Changde city 常德市[Chang2 de2 shi4], Hunan" -武陵源,wǔ líng yuán,"Wulingyuan scenic area, in Zhangjiajie city 張家界市|张家界市[Zhang1 jia1 jie4 shi4], Hunan" -武隆,wǔ lóng,"Wulong, a district of Chongqing 重慶|重庆[Chong2qing4]" -武隆区,wǔ lóng qū,"Wulong, a district of Chongqing 重慶|重庆[Chong2qing4]" -武鸣,wǔ míng,"Wuming county in Nanning 南寧|南宁[Nan2 ning2], Guangxi" -武鸣县,wǔ míng xiàn,"Wuming county in Nanning 南寧|南宁[Nan2 ning2], Guangxi" -歧,qí,divergent; side road -歧异,qí yì,difference; discrepancy -歧义,qí yì,ambiguity; several possible meanings -歧见,qí jiàn,disagreement; differing interpretations -歧视,qí shì,to discriminate against; discrimination -歧路,qí lù,divergent path; (fig.) wrong path -歧路灯,qí lù dēng,"Lamp in the Side Street, novel by Qing dynasty writer Li Lüyuan 李綠園|李绿园[Li3 Lu:4 yuan2]; also written 岐路燈|岐路灯[Qi2 lu4 Deng1]" -歧途,qí tú,fork in a road; wrong road -歨,bù,old variant of 步[bu4] -歪,wāi,askew; at a crooked angle; devious; noxious; (coll.) to lie on one's side -歪,wǎi,to sprain (one's ankle) (Tw) -歪嘴,wāi zuǐ,twisted mouth; wry mouth -歪打正着,wāi dǎ zhèng zháo,to succeed by a lucky stroke -歪斜,wāi xié,crooked; askew; oblique; slanting; out of plumb -歪曲,wāi qū,to distort; to misrepresent -歪果仁,wāi guǒ rén,Internet slang for 外國人|外国人[wai4 guo2 ren2] -歪歪扭扭,wāi wāi niǔ niǔ,crooked; askew -歪歪斜斜,wāi wāi xié xié,shuddering; trembling; a trembling scrawl (of handwriting) -歪理,wāi lǐ,fallacious reasoning; preposterous argument -歪瓜劣枣,wāi guā liè zǎo,ugly; repulsive; also written 歪瓜裂棗|歪瓜裂枣[wai1 gua1 lie4 zao3] -歪瓜裂枣,wāi guā liè zǎo,ugly; repulsive -歪门邪道,wāi mén xié dào,dishonest practices -歪风,wāi fēng,unhealthy trend; noxious influence -歪风邪气,wāi fēng xié qì,"noxious winds, evil influences (idiom); malignant social trends" -歪点子,wāi diǎn zi,illegal device; devious; crooked -歰,sè,archaic variant of 澀|涩[se4] -岁,suì,classifier for years (of age); year; year (of crop harvests) -岁不我与,suì bù wǒ yǔ,Time and tide wait for no man (idiom) -岁修,suì xiū,start of the year -岁俸,suì fèng,annual salary -岁入,suì rù,annual revenue; annual income -岁出,suì chū,annual expenditure -岁差,suì chā,(astronomy) precession -岁序,suì xù,succession of seasons -岁数,suì shu,age (number of years old) -岁时,suì shí,season; time of the year -岁暮,suì mù,end of the year -岁月,suì yuè,years; time -岁月如梭,suì yuè rú suō,time flies (idiom) -岁月如流,suì yuè rú liú,the passage of the years; the flow of time -岁月峥嵘,suì yuè zhēng róng,eventful years; momentous times -岁月流逝,suì yuè liú shì,as time goes by (idiom) -岁末,suì mò,end of the year -岁岁平安,suì suì píng ān,May you have peace year after year (New Year's greeting) -岁计,suì jì,annual budget -岁计余绌,suì jì yú chù,annual budgetary surplus or deficit (accountancy) -岁阑,suì lán,late season of a year -岁静,suì jìng,"(neologism) (slang) person who likes to pretend that everything is fine in their society (derived from 歲月靜好|岁月静好[sui4 yue4 jing4 hao3], ""it is a time of peace and harmony"")" -岁首,suì shǒu,start of the year -历,lì,old variant of 歷|历[li4] -历,lì,to experience; to undergo; to pass through; all; each; every; history -历下,lì xià,"Lixia district of Jinan city 濟南市|济南市[Ji3 nan2 shi4], Shandong" -历下区,lì xià qū,"Lixia district of Jinan city 濟南市|济南市[Ji3 nan2 shi4], Shandong" -历久弥坚,lì jiǔ mí jiān,to become more resolute with the passing of time (idiom) -历久弥新,lì jiǔ mí xīn,lit. long in existence but ever new (idiom); fig. timeless; unfading -历代,lì dài,successive generations; successive dynasties; past dynasties -历代志上,lì dài zhì shàng,First book of Chronicles -历代志下,lì dài zhì xià,Second book of Chronicles -历任,lì rèn,(of one person) to hold the successive posts of; (of several persons) the successive (presidents etc) -历来,lì lái,always; throughout (a period of time); (of) all-time -历来最低点,lì lái zuì dī diǎn,all time low (point) -历史,lì shǐ,"history; CL:門|门[men2],段[duan4]" -历史上,lì shǐ shàng,historical; in history -历史久远,lì shǐ jiǔ yuǎn,ancient history -历史事件,lì shǐ shì jiàn,historical incident -历史人物,lì shǐ rén wù,historical person -历史剧,lì shǐ jù,historical drama -历史博物馆,lì shǐ bó wù guǎn,historical museum -历史唯物主义,lì shǐ wéi wù zhǔ yì,historical materialism (Marx's theory of history) -历史学,lì shǐ xué,history -历史学家,lì shǐ xué jiā,historian -历史家,lì shǐ jiā,historian -历史性,lì shǐ xìng,historic -历史悠久,lì shǐ yōu jiǔ,long-established; time-honored -历史意义,lì shǐ yì yì,historic significance -历史成本,lì shǐ chéng běn,historic cost (accounting) -历史新高,lì shǐ xīn gāo,all-time high -历史时期,lì shǐ shí qī,historical period -历史沿革,lì shǐ yán gé,historical development; background -历史版本,lì shǐ bǎn běn,"historical version; a previous version (of an app, document etc)" -历史背景,lì shǐ bèi jǐng,historical background -历史观点,lì shǐ guān diǎn,historical standpoint -历史遗产,lì shǐ yí chǎn,heritage; historical legacy -历史遗迹,lì shǐ yí jì,historic site -历史重演,lì shǐ chóng yǎn,history repeats itself -历城,lì chéng,"Licheng district of Jinan city 濟南市|济南市[Ji3 nan2 shi4], Shandong" -历城区,lì chéng qū,"Licheng district of Jinan city 濟南市|济南市[Ji3 nan2 shi4], Shandong" -历届,lì jiè,"all previous (meetings, sessions etc)" -历年,lì nián,over the years; bygone years -历数,lì shǔ,to enumerate; to count (one by one) -历时,lì shí,to last; to take (time); period; diachronic -历朝通俗演义,lì cháo tōng sú yǎn yì,Dramatized history of successive dynasties (from Han to Republican China) by Cai Dongfan 蔡東藩|蔡东藩 -历次,lì cì,each (item in sequence); successive -历历可数,lì lì kě shǔ,each one distinguishable -历历在目,lì lì zài mù,vivid in one's mind (idiom) -历法,lì fǎ,variant of 曆法|历法 calendar -历尽,lì jìn,to have experienced a lot of; to have been through -历尽沧桑,lì jìn cāng sāng,to have been through the hardships of life; to have been through the mill -历程,lì chéng,course; process -历经,lì jīng,to experience; to go through -历练,lì liàn,to learn through experience; experience; practiced; experienced -历险,lì xiǎn,to experience adventures -归,guī,surname Gui -归,guī,to return; to go back to; to give back to; (of a responsibility) to be taken care of by; to belong to; to gather together; (used between two identical verbs) despite; to marry (of a woman) (old); division on the abacus with a one-digit divisor -归仁,guī rén,"Gueiren, a district in Tainan 台南|台南[Tai2 nan2], Taiwan" -归位,guī wèi,to put sth back where it belongs; to return to the original position; to return to one's seat (in a classroom) -归并,guī bìng,to put together; to add; to merge -归来,guī lái,to return; to come back -归依,guī yī,to convert to (a religion); to rely upon; refuge; mainstay -归侨,guī qiáo,Chinese person who returns to China after living as an expatriate -归入,guī rù,to assign (to a class); to classify as; to include -归公,guī gōng,to commandeer; to take over for the state -归功,guī gōng,to give credit; to give sb his due; attribution -归化,guī huà,"old name for district of Hohhot city 呼和浩特[Hu1 he2 hao4 te4], Inner Mongolia" -归化,guī huà,naturalization -归口,guī kǒu,to return to one's original trade; to put (a business etc) under the administration of the relevant central authority; (the) relevant (department in charge of sth) -归向,guī xiàng,to turn toward -归咎,guī jiù,to put the blame on; to accuse -归因,guī yīn,to attribute; to ascribe -归因理论,guī yīn lǐ lùn,attribution theory (psychology) -归国,guī guó,to go home (to one's native country); to return from abroad -归天,guī tiān,to die -归宿,guī sù,place to return to; home; final destination; ending -归宁,guī níng,(literary) (of a married woman) to visit one's parents -归属,guī shǔ,to belong to; to be affiliated to; to fall under the jurisdiction of; a place where one feels that one belongs; one's final destination (where one need look no further) -归属感,guī shǔ gǎn,sense of belonging -归属权,guī shǔ quán,right of attribution -归心,guī xīn,converted to (religion) -归心似箭,guī xīn sì jiàn,with one's heart set on speeding home (idiom) -归心者,guī xīn zhě,religious convert -归拢,guī lǒng,to gather; to rake together; to pile up -归于,guī yú,to belong to; affiliated to; to result in sth; to incline towards -归根,guī gēn,to return home (after a lifetime's absence); to go back to one's roots -归根到底,guī gēn dào dǐ,after all; in the final analysis; ultimately -归根究底,guī gēn jiū dǐ,(idiom) in the final analysis -归根结底,guī gēn jié dǐ,in the final analysis; ultimately -归根结柢,guī gēn jié dǐ,variant of 歸根結底|归根结底[gui1 gen1 jie2 di3] -归根结蒂,guī gēn jié dì,ultimately; in the final analysis; after all; when all is said and done -归案,guī àn,to bring to justice; to file away (a document) -归档,guī dàng,to file away; to place on file -归正,guī zhèng,to return to the right path; to mend one's ways; to reform; Reformed (church etc) -归牧,guī mù,to return from pasture -归省,guī xǐng,to go home for a visit; to return to one's parents' home to pay respects -归真,guī zhēn,to die (Buddhism); to return to Allah (Islam) -归真返璞,guī zhēn fǎn pú,see 返璞歸真|返璞归真[fan3 pu2 gui1 zhen1] -归程,guī chéng,return trip; homeward journey -归纳,guī nà,to sum up; to summarize; to conclude from facts; induction (method of deduction in logic) -归纳推理,guī nà tuī lǐ,inductive reasoning -归纳法,guī nà fǎ,induction (method of deduction in logic) -归结,guī jié,to sum up; to conclude; to put in a nutshell; conclusion; end (of a story etc) -归绥,guī suí,"old name for Hohhot city 呼和浩特[Hu1 he2 hao4 te4], Inner Mongolia" -归经,guī jīng,channel tropism (TCM) -归罪,guī zuì,to blame sb -归置,guī zhi,(coll.) to put (things) back; to tidy up; to put in order -归西,guī xī,"to die (euphemism, lit. to return West or to the Western Paradise)" -归谬法,guī miù fǎ,reductio ad absurdum; arguing by contradiction; also called 反證法|反证法 -归路,guī lù,the way back; return route -归途,guī tú,the way back; one's journey home -归还,guī huán,to return sth; to revert -归附,guī fù,"to realign one's allegiance (to another religion, ruler etc); to submit" -归除,guī chú,long division; calculation on the abacus -归队,guī duì,to return to one's unit; to go back to one's station in life -归隐,guī yǐn,to go back to one's native place and live in seclusion -归零,guī líng,to reset to zero; (fig.) to start again from scratch; to go back to square one -归零地,guī líng dì,Ground Zero -归顺,guī shùn,to surrender and pay allegiance to -归类,guī lèi,to classify; to categorize -歹,dǎi,bad; wicked; evil; Kangxi radical 78 -歹人,dǎi rén,bad person; evildoer; robber -歹势,dǎi shì,"(Tw) excuse me; to be sorry (from Taiwanese, Tai-lo pr. [pháinn-sè])" -歹命,dǎi mìng,"(Tw) to have been dealt a hard lot in life (from Taiwanese, Tai-lo pr. [pháinn-miā])" -歹徒,dǎi tú,evildoer; malefactor; gangster; hoodlum -歹意,dǎi yì,evil intent; malice -歹毒,dǎi dú,vicious; ruthless; malevolent -歺,cān,second-round simplified character for 餐[can1] -歺,dǎi,old variant of 歹[dai3] -死,sǐ,to die; impassable; uncrossable; inflexible; rigid; extremely; damned -死不了,sǐ bù liǎo,Portulaca Sundial (a type of plant) -死不改悔,sǐ bù gǎi huǐ,not to repent even facing death (idiom); unrepentant; very obstinate -死不瞑目,sǐ bù míng mù,lit. not close one's eyes after dying (idiom); fig. to die with an unresolved grievance -死不要脸,sǐ bù yào liǎn,to know no shame; to be totally shameless -死中求生,sǐ zhōng qiú shēng,to seek life in death (idiom); to fight for one's life -死乞白赖,sǐ qi bái lài,to pester someone again and again -死亡,sǐ wáng,to die; death -死亡人数,sǐ wáng rén shù,number of people killed; death toll -死亡率,sǐ wáng lǜ,mortality rate -死亡笔记,sǐ wáng bǐ jì,"Death note (Japanese: デスノート), translation of cult manga series by author ŌBA Tsugumi 大場鶇|大场鸫[Da4 chang3 Dong1] (pen-name) and illustrator OBATA Takeshi 小畑健[Xiao3 tian2 Jian4]" -死人,sǐ rén,dead person; (coll.) to die; (of a death) to happen -死人不管,sǐ rén bù guǎn,(coll.) to wash one's hands of a matter -死仗,sǐ zhàng,to fight bitterly; hard struggle -死信,sǐ xìn,lost letter; letter containing news of sb's death -死伤,sǐ shāng,casualties; dead and injured -死伤者,sǐ shāng zhě,casualty (of an accident); dead and wounded -死刑,sǐ xíng,death penalty; capital punishment -死刑缓期执行,sǐ xíng huǎn qī zhí xíng,deferred death sentence; abbr. to 死緩|死缓[si3 huan3] -死别,sǐ bié,to be parted by death -死到临头,sǐ dào lín tóu,Death is near at hand. (idiom) -死劲,sǐ jìn,all one's strength; with might and main -死劲儿,sǐ jìn er,erhua variant of 死勁|死劲[si3 jin4] -死区,sǐ qū,dead zone; blind spot -死去,sǐ qù,to die -死去活来,sǐ qù huó lái,to hover between life and death (idiom); to suffer terribly; within an inch of one's life -死命,sǐ mìng,doom; death; desperately -死囚,sǐ qiú,prisoner that awaits execution; convict sentenced to death; someone on death row -死因,sǐ yīn,cause of death -死因不明,sǐ yīn bù míng,unknown cause of death -死城,sǐ chéng,ghost town -死士,sǐ shì,person willing to sacrifice his life (for a good cause) -死宅,sǐ zhái,"die-hard otaku (sb who hardly ever emerges from their home, where they play games, watch movies etc)" -死守,sǐ shǒu,to defend one's property to the death; to cling obstinately to old habits; die-hard -死定,sǐ dìng,to be screwed; to be toast -死寂,sǐ jì,deathly stillness -死对头,sǐ duì tou,arch-enemy; sworn enemy -死局,sǐ jú,hopeless situation; deadlock -死尸,sǐ shī,a corpse; a dead body -死巷,sǐ xiàng,blind alley; dead end -死后,sǐ hòu,after death; posthumous -死心,sǐ xīn,to give up; to admit failure; to drop the matter; to reconcile oneself to loss; to have no more illusions about -死心塌地,sǐ xīn tā dì,to be hell-bent on; dead set on sth; unswerving -死心眼儿,sǐ xīn yǎn er,stubborn; obstinate; having a one-track mind -死心踏地,sǐ xīn tà dì,see 死心塌地[si3 xin1 ta1 di4] -死忠,sǐ zhōng,die-hard (fan etc) -死战,sǐ zhàn,fight to the death; desperate struggle -死敌,sǐ dí,mortal enemy; arch-enemy -死文字,sǐ wén zì,dead language; indecipherable script -死于安乐,sǐ yú ān lè,"see 生於憂患,死於安樂|生于忧患,死于安乐[sheng1 yu2 you1 huan4 , si3 yu2 an1 le4]" -死于非命,sǐ yú fēi mìng,violent death (idiom); to die in a disaster; an unnatural death -死有余辜,sǐ yǒu yú gū,(idiom) to be so evil that even death would be insufficient punishment -死期,sǐ qī,time of death; limited to a fixed period of time; fixed term -死板,sǐ bǎn,rigid; inflexible -死棋,sǐ qí,dead piece (in Chess); stupid move; hopeless case -死机,sǐ jī,to crash (of a computer) -死死,sǐ sǐ,rigid; unwavering; unbendable; firm (hold on sth); tenacious -死气沉沉,sǐ qì chén chén,dead atmosphere; lifeless; spiritless -死气白赖,sǐ qi bái lài,variant of 死乞白賴|死乞白赖[si3 qi5 bai2 lai4] -死水,sǐ shuǐ,stagnant water; backwater -死活,sǐ huó,life or death; fate; no matter what; anyway; for the life of me -死活不顾,sǐ huó bù gù,regardless of life or death (idiom) -死海,sǐ hǎi,the Dead Sea -死海古卷,sǐ hǎi gǔ juàn,Dead Sea Scrolls -死海经卷,sǐ hǎi jīng juàn,Dead Sea Scrolls -死灰复燃,sǐ huī fù rán,lit. ashes burn once more (idiom); fig. sb lost returns to have influence; sth malevolent returns to haunt one -死无对证,sǐ wú duì zhèng,the dead cannot testify (idiom); dead men tell no tales -死无葬身之地,sǐ wú zàng shēn zhī dì,to die without a burial site; to die a pauper; a tragic end -死球,sǐ qiú,(ball sports) dead ball -死生,sǐ shēng,life or death; critical (event) -死产,sǐ chǎn,stillbirth -死当,sǐ dàng,to flunk (Tw); (computing) to crash; to stop working -死症,sǐ zhèng,incurable disease; terminal illness -死皮,sǐ pí,dead skin -死皮赖脸,sǐ pí lài liǎn,brazen faced (idiom); shameless -死硬,sǐ yìng,stiff; rigid; obstinate -死磕,sǐ kē,(coll.) to fight to the death -死神,sǐ shén,mythological figure (such as the Grim Reaper) in charge of taking the souls of those who die; (fig.) death -死穴,sǐ xué,lethal point (acupuncture); vulnerable spot; Achilles' heel -死节,sǐ jié,to die or be martyred for a noble cause; to be faithful unto death -死结,sǐ jié,tight knot; intractable problem -死结难解,sǐ jié nán jiě,enigmatic knot hard to untie (idiom); thorny problem; intractable difficulty -死绝,sǐ jué,to die out; to be exterminated; to become extinct -死线,sǐ xiàn,deadline (loanword) -死缓,sǐ huǎn,deferred death sentence; commuted death sentence with forced labor and judicial review after two years (PRC) (legal) -死缠烂打,sǐ chán làn dǎ,(coll.) to pester; to harass -死罪,sǐ zuì,capital offense; crime punishable by death; my deepest apologies -死翘翘,sǐ qiào qiào,to die; to drop dead -死者,sǐ zhě,the dead; the deceased -死而不僵,sǐ ér bù jiāng,dead but showing no signs of rigor mortis; to die hard (idiom); to die yet not be vanquished (idiom) -死而后已,sǐ ér hòu yǐ,until death puts an end (idiom); one's whole life; unto one's dying day -死而无悔,sǐ ér wú huǐ,"to die without regret (idiom, from Analects)" -死背,sǐ bèi,to learn by rote -死胡同,sǐ hú tòng,dead end; blind alley -死藤水,sǐ téng shuǐ,ayahuasca -死里逃生,sǐ lǐ táo shēng,"mortal danger, escape alive (idiom); a narrow escape; to survive by the skin of one's teeth" -死要面子,sǐ yào miàn zi,to regard face as all-important; to consider loss of face unthinkable -死要面子活受罪,sǐ yào miàn zi huó shòu zuì,to go through hell for the sake of keeping up appearances (idiom) -死角,sǐ jiǎo,gap in coverage; gap in protection or defenses; neglected or overlooked area; dead end -死讯,sǐ xùn,news of sb's death -死记,sǐ jì,to learn by rote; to cram -死记硬背,sǐ jì yìng bèi,to learn by rote; to mechanically memorize -死猪不怕开水烫,sǐ zhū bù pà kāi shuǐ tàng,"lit. a dead pig doesn't fear scalding water (idiom); fig. a person who has nothing more to lose will go to any lengths, regardless of the consequences" -死账,sǐ zhàng,dormant bank account -死路,sǐ lù,dead end; (fig.) the road to disaster -死路一条,sǐ lù yī tiáo,(idiom) dead end; road to ruin -死锁,sǐ suǒ,deadlock (computing) -死难,sǐ nàn,to die in an accident; to die for a just cause -死难者,sǐ nàn zhě,victim of an accident; casualty; martyr for one's country -死顽固,sǐ wán gù,very stubborn; very stubborn person; die-hard -死马当活马医,sǐ mǎ dàng huó mǎ yī,lit. to give medicine to a dead horse (idiom); fig. to keep trying everything in a desperate situation -死鬼,sǐ guǐ,devil (used jocularly or contemptuously); the departed -死面,sǐ miàn,unleavened dough -死点,sǐ diǎn,blind spot; dead center -死党,sǐ dǎng,best friends; inseparable sidekick; diehard followers -殁,mò,to end; to die -夭,yāo,to die prematurely (variant of 夭[yao1]) -殂,cú,to die -殃,yāng,calamity -殃及,yāng jí,to bring disaster to -殄,tiǎn,to exterminate -殆,dài,(literary) dangerous; perilous; (literary) almost; well-nigh -殆尽,dài jìn,almost exhausted; nearly depleted; practically nothing left -殉,xùn,to be buried with the dead; to die for a cause -殉国,xùn guó,to die for one's country -殉情,xùn qíng,to die together in the name of love; to sacrifice oneself for love -殉教,xùn jiào,to die for one's religion -殉死,xùn sǐ,to be buried alive as sacrifice (together with husband or superior) -殉节,xùn jié,"to sacrifice one's life by loyalty (to one's prince, one's husband etc)" -殉职,xùn zhí,to die in the line of duty -殉葬,xùn zàng,(of servants etc) to be buried alive with the deceased; (of utensils etc) to be buried with the dead -殉道,xùn dào,to die for a just cause -殉难,xùn nàn,to sacrifice oneself in a just cause; a victim of a disaster -殊,shū,different; unique; special; very; (classical) to behead; to die; to cut off; to separate; to surpass -殊不知,shū bù zhī,little imagined; scarcely realized -殊域周咨录,shū yù zhōu zī lù,Ming dynasty record (1574) of exploration and foreign relations -殊姿,shū zī,differing attitude; different posture -殊荣,shū róng,special glory; distinction; rare honor; one's laurels; it's a privilege (to meet you) -殊死,shū sǐ,to behead; capital punishment; desperate struggle; life-and-death -殊深轸念,shū shēn zhěn niàn,extreme solicitude (idiom); expressing the deepest condolences; to feel deeply concerned -殊异,shū yì,entirely different; quite separate -殊致,shū zhì,(literary) mixed; inconsistent; (literary) spectacular scenery -殊色,shū sè,beautiful girl; a beauty -殊途同归,shū tú tóng guī,different routes to the same destination (idiom); fig. different means of achieve the same end -殊乡,shū xiāng,foreign land; faraway land -殍,piǎo,die of starvation -殖,zhí,to grow; to reproduce -殖利,zhí lì,to generate a profit; profit; yield -殖民,zhí mín,colony; colonial -殖民主义,zhí mín zhǔ yì,colonialism -殖民地,zhí mín dì,colony -殖民者,zhí mín zhě,colonizer; colonist; settler -殗,yè,sickness; repeated -残,cán,to destroy; to spoil; to ruin; to injure; cruel; oppressive; savage; brutal; incomplete; disabled; to remain; to survive; remnant; surplus -残值,cán zhí,residual value -残兵败将,cán bīng bài jiàng,"ruined army, defeated general (idiom); scattered remnants" -残冬腊月,cán dōng là yuè,final days of the lunar year -残卷,cán juàn,surviving section of a classic work; remaining chapters (while reading a book) -残品,cán pǐn,defective goods -残喘,cán chuǎn,remaining breath; last gasp -残垣,cán yuán,(literary) ruined walls; ruins -残垣败壁,cán yuán bài bì,lit. walls reduced to rubble (idiom); fig. scene of devastation; ruins -残垣断壁,cán yuán duàn bì,lit. walls reduced to rubble (idiom); fig. scene of devastation; ruins -残奥,cán ào,Paralympics; same as Paralympic Games 殘奧會|残奥会[Can2 Ao4 hui4] -残奥会,cán ào huì,Paralympic Games -残存,cán cún,to survive; remnant -残害,cán hài,to injure; to devastate; to slaughter -残局,cán jú,endgame (in chess); desperate situation; aftermath (of a failure) -残年短景,cán nián duǎn jǐng,at the end of the year (idiom) -残废,cán fèi,deformity; handicapped -残忍,cán rěn,cruel; mean; merciless; ruthless -残念,cán niàn,"(coll.) to regret; what a pity! (loanword from Japanese ""zannen"")" -残败,cán bài,dilapidated; in ruins -残敌,cán dí,remnant enemy troops -残暴,cán bào,brutal; vicious; ruthless -残月,cán yuè,waning moon -残本,cán běn,extant fragment (of book) -残株,cán zhū,stubble -残次品,cán cì pǐn,defective goods -残杀,cán shā,to massacre; to slaughter -残杀者,cán shā zhě,killer; butcher; slaughterer -残毒,cán dú,cruelty -残民害物,cán mín hài wù,to harm people and damage property (idiom) -残渣,cán zhā,remainder; filtered out residue; sediment; waste product; debris; detritus; rubbish -残渣余孽,cán zhā yú niè,evil elements who have escaped eradication -残留,cán liú,to remain; to be left over; residual; remnant; residue -残留物,cán liú wù,remnant; residue; material left over -残疾,cán jí,disabled; handicapped; deformity on a person or animal -残疾人,cán jí rén,disabled person -残疾儿,cán jí ér,a child with a birth defect; a deformed child -残破,cán pò,broken; dilapidated -残缺,cán quē,badly damaged; shattered -残羹,cán gēng,leftovers from a meal -残羹剩饭,cán gēng shèng fàn,leftovers from a meal; fig. remnants handed down from others -残肢,cán zhī,stump (of a limb); severed limb -残膜,cán mó,leftover agricultural plastic (as waste or rubbish that needs to be disposed of or recycled) -残花败柳,cán huā bài liǔ,"broken flower, withered willow (idiom); fig. fallen woman" -残茶剩饭,cán chá shèng fàn,"spoilt tea, leftover food (idiom); remains after a meal; crumbs from the feast" -残茎,cán jīng,stubble (the stems of plants after harvest) -残虐,cán nüè,cruel; to treat cruelly -残部,cán bù,defeated remnants; scattered survivors -残酷,cán kù,cruel; cruelty -残酷无情,cán kù wú qíng,cruel and unfeeling (idiom) -残障,cán zhàng,handicapped -残余,cán yú,remnant; relic; residue; vestige; surplus; to remain; to leave surplus -残余沾染,cán yú zhān rǎn,residual contamination -残余物,cán yú wù,litter; trash -残香,cán xiāng,lingering fragrance -残骸,cán hái,remains; wreckage -殛,jí,to put to death -殒,yǔn,(literary) to perish; to die -殒命,yǔn mìng,to die; to perish -殒落,yǔn luò,see 隕落|陨落[yun3 luo4] -殒身不恤,yǔn shēn bù xù,to die without regrets (idiom); to sacrifice oneself without hesitation -殇,shāng,to die in childhood; war dead -殪,yì,to exterminate -殚,dān,entirely; to exhaust -殚力,dān lì,to strive; endeavor -殚心,dān xīn,to devote one's entire mind -殚闷,dān mèn,to faint; to swoon; to lose consciousness -殚残,dān cán,to destroy -殚竭,dān jié,to use up; to exhaust -殚精极虑,dān jīng jí lǜ,to exhaust one's thoughts and ingenuity (idiom); to think sth through thoroughly; to rack one's brains; to leave no stone unturned -殚精竭虑,dān jīng jié lǜ,to exhaust one's thoughts and ingenuity (idiom); to think sth through thoroughly; to rack one's brains; to leave no stone unturned -僵,jiāng,variant of 僵[jiang1] -僵尸,jiāng shī,gyonshi; jiang shi; Chinese vampire; zombie -僵尸粉,jiāng shī fěn,"""zombie fans"", fake followers that can be bought to boost one's popularity on Weibo, Baidu etc" -殓,liàn,to prepare a dead body for coffin -殓房,liàn fáng,morgue -殡,bìn,a funeral; to encoffin a corpse; to carry to burial -殡仪员,bìn yí yuán,undertaker; funeral arranger -殡仪馆,bìn yí guǎn,the undertaker's; funeral parlor -殡殓,bìn liàn,to bury sb -殡葬,bìn zàng,funeral and interment -殡车,bìn chē,hearse -歼,jiān,"to annihilate; abbr. for 殲擊機|歼击机[jian1 ji1 ji1], fighter plane" -歼击,jiān jī,"to annihilate; to attack and destroy; Jianji, PRC fighter plane based on Soviet MiG; usually 殲擊8型|歼击8型" -歼击机,jiān jī jī,fighter plane -歼灭,jiān miè,to wipe out; to crush; to annihilate -殳,shū,surname Shu -殳,shū,"bamboo or wooden spear; Kangxi radical 79, occurring in 段[duan4], 毅[yi4], 殺|杀[sha1] etc" -段,duàn,surname Duan -段,duàn,"paragraph; section; segment; stage (of a process); classifier for stories, periods of time, lengths of thread etc" -段位,duàn wèi,rank; class; (Japanese martial arts and board games) dan -段子,duàn zi,item of storytelling or performed dialogue (folk arts); sketch -段数,duàn shù,rank; level -段氏,duàn shì,a branch of the Xianbei 鮮卑|鲜卑 nomadic people -段玉裁,duàn yù cái,"Duan Yucai (1735-1815), author of Commentary on Shuowen Jiezi (1815) 說文解字註|说文解字注[Shuo1 wen2 Jie3 zi4 Zhu4]" -段祺瑞,duàn qí ruì,"Duan Qirui (1864-1936), commander of Beiyang Army under Yuan Shikai, then politician and powerful warlord" -段荃法,duàn quán fǎ,"Duan Quanfa (1939-2010), Chinese writer" -段落,duàn luò,phase; time interval; paragraph; (written) passage -段错误,duàn cuò wù,segmentation fault -殷,yīn,"surname Yin; dynasty name at the end the Shang dynasty, after its move to Yinxu 殷墟[Yin1xu1] in present-day Henan" -殷,yān,dark red -殷,yīn,flourishing; abundant; earnest; hospitable -殷,yǐn,roll of thunder -殷切,yīn qiè,ardent; eager; earnest -殷勤,yīn qín,politely; solicitously; eagerly attentive -殷商,yīn shāng,final name of the Shang dynasty after their move to Yinxu 殷墟 in modern Henan province -殷墟,yīn xū,"Yinxu, ruins of Yinshang 殷商 city at Anyang 安陽|安阳 in Henan province, a World Heritage site" -殷富,yīn fù,well off; prosperous -殷实,yīn shí,thriving; well-off; substantial -殷弘绪,yīn hóng xù,"François Xavier d'Entrecolles (1664-1741), French Jesuit missionary to Kangxi court" -殷忧启圣,yīn yōu qǐ shèng,deep suffering can lead to enlightenment (idiom); storms make oaks take deeper root -殷殷,yīn yīn,earnest; ardent (hope etc) -殷红,yān hóng,dark red -殷都,yīn dū,"Yindu district of Anyang city 安陽市|安阳市[An1 yang2 shi4], Henan" -殷都区,yīn dū qū,"Yindu district of Anyang city 安陽市|安阳市[An1 yang2 shi4], Henan" -殸,qìng,variant of 磬[qing4] -殹,yì,(archaic) (meaning unclear); (final particle) -杀,shā,to kill; to slay; to murder; to attack; to weaken; to reduce; (dialect) to smart; (used after a verb) extremely -杀一儆百,shā yī jǐng bǎi,lit. kill one to warn a hundred (idiom); to punish an individual as an example to others; pour encourager les autres -杀一警百,shā yī jǐng bǎi,variant of 殺一儆百|杀一儆百[sha1 yi1 jing3 bai3] -杀人,shā rén,homicide; to murder; to kill (a person) -杀人不眨眼,shā rén bù zhǎ yǎn,to murder without blinking an eye (idiom); ruthless; cold-blooded -杀人不过头点地,shā rén bù guò tóu diǎn dì,"It's all exaggeration, you don't need to take it seriously; a fuss about nothing; nothing to write home about" -杀人如麻,shā rén rú má,lit. to kill people like scything flax (idiom); fig. to kill people like flies -杀人放火,shā rén fàng huǒ,to kill and burn (idiom); murder and arson -杀人未遂,shā rén wèi suì,attempted murder -杀人案,shā rén àn,murder case; homicide case -杀人案件,shā rén àn jiàn,"(case of, incident of) murder" -杀人灭口,shā rén miè kǒu,(idiom) to kill sb to prevent them from revealing sth -杀人犯,shā rén fàn,murderer; homicide -杀人狂,shā rén kuáng,homicidal maniac -杀人越货,shā rén yuè huò,to kill sb for his property (idiom); to murder for money -杀人鲸,shā rén jīng,killer whale (Orcinus orca) -杀伤,shā shāng,to kill or injure -杀伤力,shā shāng lì,destructive power; harmfulness -杀价,shā jià,to beat down the price; to haggle; to slash one's prices -杀出重围,shā chū chóng wéi,to force one's way out of encirclement; to break through -杀君马者道旁儿,shā jūn mǎ zhě dào páng ér,"lit. bystanders killed the king's horse (idiom) (based on an ancient story in which people along the road cheered a horseman on as he galloped past, until the horse died of exhaustion); fig. beware of becoming complacent when everyone is cheering you on" -杀婴,shā yīng,infanticide -杀害,shā hài,to murder -杀富济贫,shā fù jì pín,robbing the rich to help the poor -杀彘教子,shā zhì jiào zǐ,to kill a pig as a lesson to the children (idiom); parents must teach by example -杀戮,shā lù,to massacre; to slaughter -杀手,shā shǒu,killer; murderer; hit man; (sports) formidable player -杀手级应用,shā shǒu jí yìng yòng,killer application; killer app -杀手锏,shā shǒu jiǎn,(fig.) trump card -杀掉,shā diào,to kill -杀敌,shā dí,to attack the enemy -杀机,shā jī,desire to commit murder; great danger -杀死,shā sǐ,to kill -杀毒,shā dú,to disinfect; (computing) to destroy a computer virus -杀毒软件,shā dú ruǎn jiàn,antivirus software -杀气,shā qì,murderous spirit; aura of death; to vent one's anger -杀气腾腾,shā qì téng téng,ferocious; murderous-looking -杀灭,shā miè,to exterminate -杀熟,shā shú,"to swindle associates, friends or relatives" -杀牛宰羊,shā niú zǎi yáng,slaughter the cattle and butcher the sheep; to prepare a big feast (idiom) -杀球,shā qiú,to spike the ball (volleyball etc); to smash (tennis etc) -杀生,shā shēng,to take the life of a living creature -杀真菌,shā zhēn jūn,fungicidal; to have a fungicidal effect -杀真菌剂,shā zhēn jūn jì,fungicide -杀绝,shā jué,to exterminate -杀草快,shā cǎo kuài,diquat -杀菌,shā jūn,to kill germs; to disinfect; to sterilize -杀菌剂,shā jūn jì,a disinfectant -杀虎斩蛟,shā hǔ zhǎn jiāo,lit. to kill the tiger and behead the scaly dragon -杀螺剂,shā luó jì,snail poison -杀虫,shā chóng,insecticide -杀虫剂,shā chóng jì,insecticide; pesticide -杀虫药,shā chóng yào,insecticide -杀蠹药,shā dù yào,mothicide -杀猪宰羊,shā zhū zǎi yáng,to kill the pigs and slaughter the sheep (idiom) -杀身之祸,shā shēn zhī huò,(idiom) getting killed -杀身成仁,shā shēn chéng rén,(idiom) to die a martyr; to be martyred -杀软,shā ruǎn,antivirus software; abbr. for 殺毒軟件|杀毒软件[sha1 du2 ruan3 jian4] -杀进,shā jìn,to storm (a city etc); to raid -杀进杀出,shā jìn shā chū,"to execute a lightning raid; (investment) to buy, then quickly sell; (tourism) to visit a destination for only a short stay" -杀鸡儆猴,shā jī jǐng hóu,lit. killing the chicken to warn the monkey (idiom); fig. to punish an individual as an example to others; pour encourager les autres -杀鸡取卵,shā jī qǔ luǎn,lit. to kill the chicken to get the eggs (idiom); fig. to kill the goose that lays the golden eggs -杀鸡吓猴,shā jī xià hóu,lit. killing the chicken to scare the monkey (idiom); to punish an individual as an example to others; pour encourager les autres -杀鸡宰鹅,shā jī zǎi é,kill the chickens and butcher the geese (idiom) -杀鸡焉用牛刀,shā jī yān yòng niú dāo,don't use a sledgehammer on a nut; aquila non capit muscam -杀鸡给猴看,shā jī gěi hóu kàn,lit. to kill a chicken in front of a monkey; fig. to make an example of sb (by punishment) to frighten others -杀鸡警猴,shā jī jǐng hóu,lit. killing the chicken to warn the monkey (idiom); to punish an individual as an example to others; pour encourager les autres -杀青,shā qīng,"to put the last hand to (a book, a film etc); to finalize; to kill-green (a step in the processing of tea leaves)" -杀头,shā tóu,to behead -杀风景,shā fēng jǐng,variant of 煞風景|煞风景[sha1 feng1 jing3] -杀马特,shā mǎ tè,"Chinese subculture of young urban migrants, usually of low education, with exaggerated hairstyles, heavy make-up, flamboyant costumes, piercings etc (loanword from ""smart"")" -杀鼠药,shā shǔ yào,rat poison -壳,qiào,variant of 殼|壳[qiao4] -壳,ké,"(coll.) shell (of an egg, nut, crab etc); case; casing; housing (of a machine or device)" -壳,qiào,(bound form) shell; Taiwan pr. [ke2] -壳儿,ké er,shell; crust -壳幔,ké màn,crust-mantle (geology) -壳牌,qiào pái,see 殼牌公司|壳牌公司[Qiao4 pai2 gong1 si1] -壳牌公司,qiào pái gōng sī,Shell (oil company) -壳菜,qiào cài,mussels (as food) -壳质,qiào zhì,chitin -壳郎猪,ké lang zhū,(coll.) feeder pig -淆,xiáo,variant of 淆[xiao2] -肴,yáo,variant of 肴[yao2] -殿,diàn,palace hall -殿下,diàn xià,Your Majesty (honorific); His or Her Highness -殿堂,diàn táng,palace; hall; temple buildings -殿宇,diàn yǔ,(literary) halls (of a palace or a temple) -殿后,diàn hòu,to bring up the rear -殿卫,diàn wèi,fullback (sports) -殿试,diàn shì,"court examination, the top grade imperial exam" -殿军,diàn jūn,runner-up -毁,huǐ,to destroy; to ruin; to defame; to slander -毁三观,huǐ sān guān,"(Internet slang) (of a situation, video clip etc) to make one think ""wtf!""" -毁来性,huǐ lái xìng,destructive; crushing (defeat) -毁伤,huǐ shāng,to injure; to damage -毁坏,huǐ huài,to damage; to devastate; to vandalize; damage; destruction -毁家纾难,huǐ jiā shū nàn,to sacrifice one's wealth to save the state (idiom) -毁容,huǐ róng,to disfigure; to spoil the beauty of -毁掉,huǐ diào,to destroy -毁损,huǐ sǔn,"impair, damage" -毁灭,huǐ miè,to perish; to ruin; to destroy -毁灭性,huǐ miè xìng,destructive; devastating -毁约,huǐ yuē,to break a promise; breach of contract -毁谤,huǐ bàng,slander; libel; to malign; to disparage -毁誉参半,huǐ yù cān bàn,(idiom) to receive both praise and criticism; to get mixed reviews -毁除,huǐ chú,to destroy -毅,yì,firm and resolute; staunch -毅力,yì lì,perseverance; willpower -毅然,yì rán,firmly; resolutely; without hesitation -毅然决然,yì rán jué rán,without hesitation; resolutely; firmly -殴,ōu,surname Ou -殴,ōu,to beat up; to hit sb -殴打,ōu dǎ,to beat up; to come to blows; battery (law) -殴打罪,ōu dǎ zuì,assault and battery (law) -殴斗,ōu dòu,to have a fist fight; fist fight; brawl -毋,wú,surname Wu -毋,wú,(literary) no; don't; to not have; nobody -毋宁,wú nìng,not as good as; would rather -毋庸,wú yōng,no need for -毋忘,wú wàng,Don't forget! (literary) -毌,guàn,archaic variant of 貫|贯[guan4] -母,mǔ,mother; elderly female relative; origin; source; (of animals) female -母乳,mǔ rǔ,breast milk -母乳代用品,mǔ rǔ dài yòng pǐn,breast milk substitute -母乳化奶粉,mǔ rǔ huà nǎi fěn,infant formula -母乳喂养,mǔ rǔ wèi yǎng,breastfeeding -母公司,mǔ gōng sī,parent company -母函数,mǔ hán shù,generating function (math.) -母哈,mǔ hā,female husky (dog) -母丧,mǔ sāng,the death of one's mother -母夜叉,mǔ yè chā,witch; shrew; vixen -母女,mǔ nǚ,mother and daughter; mother-daughter -母子,mǔ zǐ,mother and child; parent and subsidiary (companies); principal and interest -母子垂直感染,mǔ zǐ chuí zhí gǎn rǎn,mother-to-infant transmission -母带,mǔ dài,master tape -母弹,mǔ dàn,parent shell (of a cluster bomb) -母爱,mǔ ài,maternal love -母星,mǔ xīng,(science fiction) home planet; (astronomy) parent star -母板,mǔ bǎn,motherboard -母校,mǔ xiào,alma mater -母机,mǔ jī,machine tool; mother ship -母权制,mǔ quán zhì,matriarchy -母港,mǔ gǎng,home port (of a ship or fleet) -母汤,mǔ tāng,"(Tw) (slang) don't; must not; won't do (from Taiwanese 毋通, Tai-lo pr. [m̄-thang], similar to Mandarin 不要[bu4 yao4] or 不行[bu4 xing2])" -母犬,mǔ quǎn,female dog; bitch -母球,mǔ qiú,cue ball (in billiards) -母系,mǔ xì,maternal; matriarchal -母系社会,mǔ xì shè huì,matrilineality -母细胞,mǔ xì bāo,(biology) mother cell; matricyte -母线,mǔ xiàn,generating line; generatrix (in geometry); bus (in electronics); bus bar -母群体,mǔ qún tǐ,(statistics) population; parent population -母老虎,mǔ lǎo hǔ,tigress; (fig.) fierce woman; vixen -母胎,mǔ tāi,mother's womb -母胎单身,mǔ tāi dān shēn,never been in a romantic relationship -母船,mǔ chuán,mother ship -母蜂,mǔ fēng,queen bee -母亲,mǔ qīn,mother; also pr. [mu3 qin5]; CL:個|个[ge4] -母亲节,mǔ qīn jié,Mother's Day -母语,mǔ yǔ,native language; mother tongue; (linguistics) parent language -母质,mǔ zhì,parent material (e.g. the eroded rock making up sediment) -母鸡,mǔ jī,"hen; don't know (humorous slang mimicking Cantonese 唔知, Jyutping: m4 zi1)" -母难日,mǔ nàn rì,(old) birthday -母音,mǔ yīn,vowel -母音调和,mǔ yīn tiáo hé,vowel harmony (in phonetics) -母题,mǔ tí,motif (loanword); main idea; theme -母体,mǔ tǐ,"(zoology, medicine) mother's body; (chemistry etc) parent; matrix; (statistics) population; parent population" -母党,mǔ dǎng,mother's kinfolk -每,měi,each; every -每下愈况,měi xià yù kuàng,see 每況愈下|每况愈下[mei3 kuang4 yu4 xia4] -每人,měi rén,each person; everybody; per person -每个人,měi ge rén,everybody; everyone -每分每秒,měi fēn měi miǎo,all the time -每夜,měi yè,nightly -每天,měi tiān,every day; everyday -每常,měi cháng,frequently (in the past); regularly -每年,měi nián,every year; each year; yearly -每年一度,měi nián yī dù,once a year (every year) -每日,měi rì,daily; (soup etc) of the day -每日快报,měi rì kuài bào,Daily Express (newspaper) -每日新闻,měi rì xīn wén,"Mainichi Shimbun, a Japanese daily newspaper" -每日邮报,měi rì yóu bào,Daily Mail (newspaper) -每日镜报,měi rì jìng bào,Daily Mirror (newspaper) -每日限价,měi rì xiàn jià,limit on daily price variation -每日电讯报,měi rì diàn xùn bào,Daily Telegraph (newspaper) -每时每刻,měi shí měi kè,at all times; at every moment -每时每日,měi shí měi rì,every day and every hour; hourly and daily (idiom) -每月,měi yuè,each month -每次,měi cì,every time -每每,měi měi,often -每况愈下,měi kuàng yù xià,to steadily deteriorate -每当,měi dāng,whenever; every time -每处,měi chù,everywhere; anywhere -每逢,měi féng,every time; on each occasion; whenever -每逢佳节倍思亲,měi féng jiā jié bèi sī qīn,doubly homesick for our dear ones at each festive day (from a poem by Wang Wei 王維|王维[Wang2 Wei2]) -每周,měi zhōu,every week -每周一次,měi zhōu yī cì,once a week -每隔,měi gé,at intervals of; every (so often) -毒,dú,poison; to poison; poisonous; malicious; cruel; fierce; narcotics -毒刑,dú xíng,torture; cruel corporal punishment -毒刺,dú cì,venomous sting -毒剂,dú jì,a poison; a toxic agent; poison gas; a chemical weapon -毒剂弹,dú jì dàn,gas projectile -毒力,dú lì,virulence -毒化,dú huà,to poison (usu. figuratively); to debase; to pervert; to harm -毒参,dú shēn,hemlock (Conium maculatum) -毒品,dú pǐn,drugs; narcotics; poison -毒唯,dú wéi,fan of one particular member of a pop idol band who denigrates and defames the other members -毒奶,dú nǎi,poisoned milk; contaminated milk; refers to 2008 PRC scandal involving milk products adulterated with melamine 三聚氰胺[san1 ju4 qing2 an4] -毒奶粉,dú nǎi fěn,poisoned milk powder; refers to 2008 PRC scandal involving milk powder adulterated with melamine 三聚氰胺[san1 ju4 qing2 an4] -毒害,dú hài,to harm (sb's health) with narcotics etc; to poison (people's minds); to corrupt; pernicious influence -毒性,dú xìng,toxicity -毒手,dú shǒu,deadly blow; vicious attack; treacherous assault -毒打,dú dǎ,to viciously beat (sb) up; CL:頓|顿[dun4] -毒株,dú zhū,(virus) strain -毒枭,dú xiāo,drug lord -毒杀,dú shā,to kill by poisoning -毒气,dú qì,"poison gas; toxic gas; manifestation of passion, anger etc (Buddhism)" -毒气弹,dú qì dàn,poison gas shell; poison gas grenade -毒液,dú yè,venom; poisonous fluid -毒爪,dú zhuǎ,forcipules (the venomous pair of pincer-like appendages of a centipede) -毒牙,dú yá,venomous fang -毒物,dú wù,poisonous substance; poison -毒理学,dú lǐ xué,toxicology -毒瓦斯,dú wǎ sī,poisonous gas; stinking fart -毒瘤,dú liú,malignant tumor -毒瘾,dú yǐn,drug addiction -毒素,dú sù,toxin; (fig.) pernicious influence -毒肽,dú tài,phallotoxin (biochemistry) -毒腺,dú xiàn,poison gland -毒舌,dú shé,venomous tongue; sharp-tongued; harsh -毒莠定,dú yǒu dìng,picloram -毒蕈,dú xùn,poisonous mushroom; toadstool -毒药,dú yào,poison -毒蛇,dú shé,viper -毒虫,dú chóng,poisonous insect (or spider etc); venomous snake; (slang) junkie -毒蝇伞,dú yíng sǎn,fly Amanita or fly agaric (Amanita muscaria) -毒贩,dú fàn,drug dealer; drug trafficker -毒资,dú zī,drug money -毒辣,dú là,cruel; sinister; vicious -毒鸡汤,dú jī tāng,(coll.) profit-motivated article cynically disguised as feel-good content 雞湯|鸡汤[ji1 tang1] and designed to go viral -毒颚,dú è,forcipules (the venomous pair of pincer-like appendages of a centipede) -毒驾,dú jià,to drive under the influence of drugs -毓,yù,(literary) to produce; to foster; to nurture -毓婷,yù tíng,"Yuting, trade name of an emergency birth control tablet containing the hormonal medication levonorgestrel" -比,bǐ,Belgium; Belgian; abbr. for 比利時|比利时[Bi3 li4 shi2] -比,bī,euphemistic variant of 屄[bi1] -比,bǐ,to compare; (followed by a noun and adjective) more {adj.} than {noun}; ratio; to gesture; (Taiwan pr. [bi4] in some compounds derived from Classical Chinese) -比一比,bǐ yi bǐ,to make a comparison; to engage in a contest -比上不足比下有余,bǐ shàng bù zú bǐ xià yǒu yú,to fall short of the best but be better than the worst; can pass muster -比下去,bǐ xià qù,to defeat; to be superior to -比不上,bǐ bù shàng,can't compare with -比不了,bǐ bù liǎo,cannot compare to; to be no match for -比丘,bǐ qiū,"Buddhist monk (loanword from Sanskrit ""bhiksu"")" -比丘尼,bǐ qiū ní,"Buddhist nun (loanword from Sanskrit ""bhiksuni"")" -比亚,bǐ yà,"Bia, daughter of Pallas and Styx in Greek mythology, personification of violence" -比亚迪,bǐ yà dí,BYD Company (company name) -比亚迪汽车,bǐ yà dí qì chē,"BYD Auto, PRC car company" -比亚韦斯托克,bǐ yà wéi sī tuō kè,"Białystok, city in Poland" -比什凯克,bǐ shí kǎi kè,"Bishkek, capital of Kyrgyzstan" -比佛利山,bǐ fó lì shān,Beverly Hills -比作,bǐ zuò,to liken to; to compare to -比来,bǐ lái,lately; recently -比例,bǐ lì,proportion; scale -比例尺,bǐ lì chǐ,scale; architect's scale; engineer's scale -比值,bǐ zhí,ratio -比做,bǐ zuò,to liken to; to compare to -比价,bǐ jià,to compare prices; to compare offers; price ratio; price parity; rate of exchange -比分,bǐ fēn,score -比利,bǐ lì,"Pelé (1940-), Edson Arantes Do Nascimento, Brazilian football star" -比利时,bǐ lì shí,Belgium -比利牛斯,bǐ lì niú sī,Pyrenees mountains -比利牛斯山,bǐ lì niú sī shān,Pyrenees mountains -比划,bǐ hua,to gesture; to gesticulate; to practice the moves of a martial art by imitating the teacher; to fight; to come to blows -比勒费尔德,bǐ lè fèi ěr dé,Bielefeld (city in Germany) -比勒陀利亚,bǐ lè tuó lì yà,"Pretoria, capital of South Africa" -比及,bǐ jí,(literary) when; by the time; Taiwan pr. [bi4 ji2] -比哈尔邦,bǐ hā ěr bāng,"Bihar, state in eastern India" -比喻,bǐ yù,to compare; to liken to; metaphor; analogy; figure of speech; figuratively -比喻义,bǐ yù yì,figurative meaning (of a word) -比埃兹巴伯,bǐ āi zī bā bó,Beelzebub -比基尼,bǐ jī ní,bikini (loanword) -比基尼岛,bǐ jī ní dǎo,"Bikini atoll, French nuclear test site in South Pacific" -比坚尼,bǐ jiān ní,see 比基尼[bi3 ji1 ni2] -比如,bǐ rú,for example; for instance; such as -比如县,bǐ rú xiàn,"Biru county, Tibetan: 'Bri ru rdzong, in Nagchu prefecture 那曲地區|那曲地区[Na4 qu3 di4 qu1], central Tibet" -比如说,bǐ rú shuō,for example -比威力,bǐ wēi lì,yield-to-weight ratio (of a nuclear weapon) -比安,bǐ ān,"Bienne, Switzerland" -比容,bǐ róng,specific volume -比对,bǐ duì,comparison; to verify by comparing -比干,bǐ gān,Bi Gan (Chinese god of wealth) -比年,bǐ nián,(literary) every year; year after year; (literary) in recent years; Taiwan pr. [bi4 nian2] -比心,bǐ xīn,(Internet slang) to form a hand heart using one's thumb and forefinger (or by using both hands) -比手划脚,bǐ shǒu huà jiǎo,to gesticulate; to make lively gestures (while talking); also written 比手畫腳|比手画脚 -比手画脚,bǐ shǒu huà jiǎo,to gesticulate; to make lively gestures (while talking); also written 比手劃腳|比手划脚 -比才,bì cái,"Bizet (name); Georges Bizet (1838-1875), French musician, composer of opera Carmen" -比拚,bǐ pàn,(Tw) to compete; contest -比拼,bǐ pīn,to compete fiercely; contest -比捕,bǐ bǔ,(old) to set a time limit for the arrest of a criminal; Taiwan pr. [bi4 bu3] -比拟,bǐ nǐ,to compare; to draw a parallel; to match; analogy; metaphor; comparison -比斯开湾,bǐ sī kāi wān,Bay of Biscay -比方,bǐ fang,analogy; instance; for instance -比方说,bǐ fang shuō,for example; for instance -比杆赛,bǐ gān sài,stroke play (golf) -比武,bǐ wǔ,martial arts competition; tournament; to compete in a contest -比比皆是,bǐ bǐ jiē shì,can be found everywhere -比湿,bǐ shī,specific humidity -比为,bǐ wéi,to liken to; to compare to -比照,bǐ zhào,according to; in the light of; contrast -比热,bǐ rè,specific heat -比烂,bǐ làn,to compare two unsatisfactory things; to argue that others have similar or worse faults (as a response to criticism); whataboutery -比尔,bǐ ěr,Bill (name) -比尔博,bǐ ěr bó,"Bilbo Baggins, hero of Tolkien's The Hobbit 霍比特人" -比特,bǐ tè,bit (binary digit) (loanword) -比特币,bǐ tè bì,Bitcoin (cryptocurrency) -比特犬,bǐ tè quǎn,pit bull (loanword) -比特纳,bǐ tè nà,(surname) Bittner or Büttner -比率,bǐ lǜ,ratio; rate; proportion -比画,bǐ hua,variant of 比劃|比划[bi3 hua5] -比登天还难,bǐ dēng tiān hái nán,lit. even harder than reaching the sky (idiom); fig. extremely difficult; far from an easy task -比目鱼,bǐ mù yú,flatfish; flounder -比索,bǐ suǒ,"Bissau, capital of Guinea-Bissau (Tw)" -比索,bǐ suǒ,peso (currency in Latin America) (loanword) -比绍,bǐ shào,"Bissau, capital of Guinea-Bissau" -比翼,bǐ yì,(flying) wing to wing -比翼双飞,bǐ yì shuāng fēi,lit. a pair of birds flying close together (idiom); fig. two hearts beating as one; name of a sweet and sour chicken wing dish -比翼齐飞,bǐ yì qí fēi,to fly wing to wing (idiom); two hearts beating as one; (of a couple) inseparable -比肩,bǐ jiān,to be shoulder to shoulder; (fig.) to be as good as; to match; Taiwan pr. [bi4 jian1] -比腕力,bǐ wàn lì,arm wrestling (Tw) -比色分析,bǐ sè fēn xī,colorimetric analysis -比萨,bǐ sà,"Pisa, town in Toscana, Italy" -比萨,bǐ sà,pizza (loanword) -比萨斜塔,bǐ sà xié tǎ,Leaning Tower of Pisa -比萨饼,bǐ sà bǐng,pizza (loanword); CL:張|张[zhang1] -比冲,bǐ chōng,(rocketry) specific impulse -比试,bǐ shì,to have a competition; to measure with one's hand or arm; to make a gesture of measuring -比赛,bǐ sài,"competition (sports etc); match; CL:場|场[chang3],次[ci4]; to compete" -比赛场,bǐ sài chǎng,stadium; playing field for a competition -比赛项目,bǐ sài xiàng mù,sporting event; item on program of sports competition -比赞,bǐ zàn,to give a thumbs-up -比起,bǐ qǐ,compared with -比较,bǐ jiào,to compare; to contrast; comparatively; relatively; quite; comparison -比较分析,bǐ jiào fēn xī,comparative analysis -比较文学,bǐ jiào wén xué,comparative literature -比较级,bǐ jiào jí,comparative degree -比较而言,bǐ jiào ér yán,comparatively speaking -比邻,bǐ lín,neighbor; next-door neighbor; near; next to -比重,bǐ zhòng,proportion; specific gravity -比量,bǐ liang,"to measure roughly (with the hand, a stick, string etc)" -比附,bǐ fù,to draw a parallel -毖,bì,careful; to prevent -毗,pí,to adjoin; to border on -毗湿奴,pí shī nú,Vishnu (Hindu deity) -毗耶娑,pí yē suō,"Vyasa, Indian sage and scribe, supposed author of epic 摩訶婆羅多|摩诃婆罗多[Mo2 he1 po2 luo2 duo1] and a major figure in it" -毗连,pí lián,to adjoin -毗邻,pí lín,bordering; adjacent to -毗,pí,variant of 毗[pi2] -毚,chán,cunning; artful -毛,máo,surname Mao -毛,máo,"hair; feather; down; wool; mildew; mold; coarse or semifinished; young; raw; careless; unthinking; nervous; scared; (of currency) to devalue or depreciate; classifier for Chinese fractional monetary unit ( = 角[jiao3] , = one-tenth of a yuan or 10 fen 分[fen1])" -毛主席,máo zhǔ xí,"Chairman Mao; Mao Zedong 毛澤東|毛泽东 (1893-1976), Chinese Communist leader" -毛主席语录,máo zhǔ xí yǔ lù,"Quotations from Chairman Mao Tse-tung, published from 1964 to about 1976" -毛主义,máo zhǔ yì,Maoism -毛利,máo lì,gross profit -毛利人,máo lì rén,"Maori, indigenous Polynesian people of New Zealand" -毛刷,máo shuā,brush -毛刺,máo cì,barb; whiskers -毛南族,máo nán zú,Maonan ethnic group of Guangxi -毛口,máo kǒu,metal filings (e.g. from a drill or lathe); burr -毛哔叽,máo bì jī,serge -毛囊,máo náng,hair follicle -毛坑,máo kēng,variant of 茅坑[mao2 keng1] -毛坯,máo pī,semifinished products -毛塑像,máo sù xiàng,statue of Chairman Mao Zedong (1893-1976) 毛澤東|毛泽东[Mao2 Ze2 dong1] -毛姆,máo mǔ,"Maugham (family name); W. Somerset Maugham (1874-1965), English writer" -毛子,máo zi,hairy fellow; foreigner; Russian (derog.); bandit (old); tuft of fine hair -毛子国,máo zi guó,(derog.) Russia -毛孔,máo kǒng,pore -毛孩子,máo hái zi,(coll.) infant; ignorant child -毛小囊,máo xiǎo náng,follicle -毛巾,máo jīn,towel; CL:條|条[tiao2] -毛厕,máo si,variant of 茅廁|茅厕[mao2 si5] -毛手毛脚,máo shǒu máo jiǎo,carelessly and haphazardly; to paw; to grope; to get fresh -毛拉,máo lā,Mullah (religious leader in Islam) -毛收入,máo shōu rù,gross income; gross profit -毛料,máo liào,rough lumber; woollen cloth -毛根,máo gēn,a strand of hair; pipe cleaner -毛条,máo tiáo,"wool top, semiprocessed raw wool" -毛概,máo gài,Introduction to Maoism (subject); abbr. for 毛澤東思想概論|毛泽东思想概论[Mao2 Ze2 dong1 Si1 xiang3 Gai4 lun4] -毛毛,máo mao,(pet name for a baby or small child) -毛毛虫,máo mao chóng,caterpillar -毛毛雨,máo mao yǔ,drizzle; light rain; (fig.) mere trifle; sth that has only a weak effect -毛毯,máo tǎn,blanket -毛毡,máo zhān,felt -毛洋槐,máo yáng huái,"rose acacia (Robinia hispida, a false acacia)" -毛派,máo pài,Maoist -毛泽东,máo zé dōng,"Mao Zedong (1893-1976), leader of the Chinese Communist Party 1935-1976" -毛泽东主义,máo zé dōng zhǔ yì,Maoism -毛泽东思想,máo zé dōng sī xiǎng,Mao Zedong Thought -毛泽东选集,máo zé dōng xuǎn jí,Selected Works of Mao Zedong -毛片,máo piàn,pornographic film; rushes (of a movie); (old) fur color -毛玻璃,máo bō li,frosted glass -毛病,máo bìng,fault; defect; shortcomings; ailment; CL:個|个[ge4] -毛痣,máo zhì,hairy nevus -毛皮,máo pí,fur; pelt -毛窝,máo wō,"cotton-padded shoes; (old) shoes made of woven grass, padded with feathers" -毛竹,máo zhú,"moso bamboo (Phyllostachys edulis), used as timber etc" -毛笔,máo bǐ,"writing brush; CL:枝[zhi1],管[guan3]" -毛细,máo xì,capillary -毛细孔,máo xì kǒng,pore -毛细血管,máo xì xuè guǎn,capillary blood vessels -毛绒玩具,máo róng wán jù,plush toy; cuddly toy -毛绒绒,máo róng róng,fluffy; furry -毛线,máo xiàn,knitting wool; wool yarn -毛线衣,máo xiàn yī,sweater; woolen knitwear; wool -毛线针,máo xiàn zhēn,knitting needle -毛织物,máo zhī wù,woolen textiles -毛织运动衫,máo zhī yùn dòng shān,jersey -毛肚,máo dǔ,tripe (gastronomy) -毛腰,máo yāo,(dialect) to bend over -毛脚渔鸮,máo jiǎo yú xiāo,(bird species of China) Blakiston's fish owl (Bubo blakistoni) -毛腿夜鹰,máo tuǐ yè yīng,(bird species of China) great eared nightjar (Lyncornis macrotis) -毛腿沙鸡,máo tuǐ shā jī,(bird species of China) Pallas's sandgrouse (Syrrhaptes paradoxus) -毛色,máo sè,(of an animal) appearance or color of coat -毛茛,máo gèn,buttercup -毛茶,máo chá,unprocessed sun-dried tea leaves used to make black or green tea -毛茸茸,máo róng róng,hairy; downy -毛虫,máo chóng,caterpillar -毛血旺,máo xuè wàng,duck's blood and beef tripe in spicy soup -毛衣,máo yī,(wool) sweater; CL:件[jian4] -毛诞节,máo dàn jié,"Mao Zedong’s birthday, December 26th" -毛豆,máo dòu,"immature green soy beans, either still in the pod (edamame) or removed from the pod" -毛象,máo xiàng,mammoth -毛猪,máo zhū,live pig -毛遂,máo suì,"Mao Sui (third century BC), who proverbially offered his services to the King of Chu 楚, see 毛遂自薦|毛遂自荐[Mao2 Sui4 zi4 jian4]" -毛遂自荐,máo suì zì jiàn,Mao Sui recommends himself (idiom); to offer one's services (in the style of Mao Sui offering his services to king of Chu 楚 of the Warring states) -毛选,máo xuǎn,Selected Works of Mao Zedong (abbr. for 毛澤東選集|毛泽东选集[Mao2 Ze2 dong1 Xuan3 ji2]) -毛边,máo biān,"(textiles, papermaking etc) raw edge; rough edge" -毛边纸,máo biān zhǐ,"fine paper made from bamboo, used for calligraphy, painting etc; also written 毛邊|毛边[mao2 bian1]" -毛邓三,máo dèng sān,"Mao Zedong Thought, Deng Xiaoping Theory & the Three Represents (abbr. for 毛澤東思想|毛泽东思想[Mao2 Ze2 dong1 Si1 xiang3] + 鄧小平理論|邓小平理论[Deng4 Xiao3 ping2 Li3 lun4] + 三個代表|三个代表[San1 ge4 Dai4 biao3])" -毛酸浆,máo suān jiāng,husk ground-cherry; Physalis pubescens -毛里塔尼亚,máo lǐ tǎ ní yà,Mauritania -毛里求斯,máo lǐ qiú sī,Mauritius -毛重,máo zhòng,gross weight -毛锥,máo zhuī,"writing brush (old); Castanopsis fordii, a species of evergreen tree common in the south of China whose calybia (nuts) resemble the tip of a writing brush" -毛驴,máo lǘ,donkey; CL:頭|头[tou2] -毛骨悚然,máo gǔ sǒng rán,to have one's hair stand on end (idiom); to feel one's blood run cold -毛发,máo fà,hair -毛鸭蛋,máo yā dàn,"balut (boiled duck egg with a partly-developed embryo, which is eaten from the shell)" -毛霉菌病,máo méi jūn bìng,mucormycosis -毪,mú,a type of woolen fabric made in Tibet -毪子,mú zi,a type of woolen fabric made in Tibet -毫,háo,"hair; drawing brush; (in the) least; one thousandth; currency unit, 0.1 yuan" -毫不,háo bù,hardly; not in the least; not at all -毫不介意,háo bu jiè yì,"to not mind (at all, a bit); to not care in the slightest" -毫不客气,háo bù kè qi,no trace of politeness; unrestrained (criticism) -毫不怀疑,háo bù huái yí,without the slightest doubt -毫不犹豫,háo bù yóu yù,without the slightest hesitation -毫不留情,háo bù liú qíng,to show no quarter; ruthless; relentless -毫不费力,háo bù fèi lì,effortless; not expending the slightest effort -毫不逊色,háo bù xùn sè,not inferior in any respect -毫不迟疑,háo bù chí yí,without the slightest hesitation -毫克,háo kè,milligram -毫升,háo shēng,milliliter -毫安,háo ān,milliampere -毫巴,háo bā,"millibar (mbar or mb), unit of pressure (equal to hectopascal)" -毫微,háo wēi,(prefix) nano- -毫微米,háo wēi mǐ,millimicron or one-millionth of a millimeter -毫毛,háo máo,"fine hair (on the body); down; (often used figuratively as in 動毫毛|动毫毛[dong4 hao2 mao2] ""to harm sb in the slightest way"")" -毫无,háo wú,not in the least; to completely lack -毫无二致,háo wú èr zhì,there cannot be another one like it -毫无保留,háo wú bǎo liú,to hold nothing back; without reservation -毫无效果,háo wú xiào guǒ,to no avail; achieving nothing; totally ineffective; to have no effect; to fall flat (esp. of joke or speech that is completely ignored) -毫无疑问,háo wú yí wèn,certainty; without a doubt -毫无逊色,háo wú xùn sè,not in the least inferior (idiom) -毫瓦,háo wǎ,milliwatt -毫秒,háo miǎo,"millisecond, ms" -毫米,háo mǐ,millimeter -毫米水银柱,háo mǐ shuǐ yín zhù,millibar (unit of pressure) -毫米汞柱,háo mǐ gǒng zhù,millimeter of mercury; mmHg (unit of pressure) -毫米波,háo mǐ bō,millimeter wave (radio signal) -毫厘不爽,háo lí bù shuǎng,not to deviate an iota (idiom); to be extremely accurate -毫针,háo zhēn,acupuncture needle -毫发,háo fà,a hair; the slightest -毫发不爽,háo fà bù shuǎng,not to deviate one hair's breadth (idiom); to be extremely accurate -毯,tǎn,blanket; rug -毯子,tǎn zi,"blanket; CL:條|条[tiao2],張|张[zhang1],床[chuang2],面[mian4]" -毳,cuì,crisp; brittle; fine animal hair -毹,shū,rug -毽,jiàn,shuttlecock -毽子,jiàn zi,"a kind of shuttlecock used to play games in which it is kept in the air without using the hands, primarily by kicking; game played with such a shuttlecock" -毵,sān,long-haired; shaggy -牦,máo,yak (Bos grunniens) -牦牛,máo niú,yak (Bos grunniens) -氅,chǎng,overcoat -氆,pǔ,used in 氆氌|氆氇[pu3 lu5] -氆氇,pǔ lu,woolen fabric made in Tibet -毡,zhān,felt (fabric) -毡子,zhān zi,felt (fabric) -毡靴,zhān xuē,felt boots; valenki (traditional Russian footwear) -毡,zhān,variant of 氈|毡[zhan1] -氇,lǔ,used in 氆氌|氆氇[pu3lu5] -氍,qú,woolen rug -氏,shì,clan name; maiden name -氏,zhī,see 月氏[Yue4 zhi1] and 閼氏|阏氏[yan1 zhi1] -氏族,shì zú,clan -氐,dī,name of an ancient tribe -氐,dǐ,foundation; on the whole -民,mín,surname Min -民,mín,(bound form) the people; inhabitants of a country -民不聊生,mín bù liáo shēng,"The people have no way to make a living (idiom, from Record of the Grand Historian 史記|史记[Shi3 ji4]); no way of getting by" -民主,mín zhǔ,democracy -民主主义,mín zhǔ zhǔ yì,democracy -民主主义者,mín zhǔ zhǔ yì zhě,democrats -民主化,mín zhǔ huà,to convert to democracy; democratic transformation -民主建港协进联盟,mín zhǔ jiàn gǎng xié jìn lián méng,"Democratic Alliance for the Betterment and Progress of Hong Kong (DAB), a pro-Beijing political party in Hong Kong" -民主政治,mín zhǔ zhèng zhì,democracy; democratic -民主派,mín zhǔ pài,"(Hong Kong politics) the pro-democracy camp (founded 1987), aka the pan-democrats" -民主墙,mín zhǔ qiáng,"Democracy Wall, Beijing (1978-1979), and bulletin boards inspired by it, in some Hong Kong universities" -民主进步党,mín zhǔ jìn bù dǎng,"DPP (Democratic Progressive Party, Taiwan); abbr. to 民進黨|民进党" -民主集中制,mín zhǔ jí zhōng zhì,democratic centralism -民主革命,mín zhǔ gé mìng,"democratic revolution; bourgeois revolution (in Marx-Leninist theory, a prelude to the proletarian revolution)" -民主党,mín zhǔ dǎng,Democratic Party -民主党人,mín zhǔ dǎng rén,Democrat (Democratic Party member or supporter) -民事,mín shì,civil case; agricultural affairs; civil -民事诉讼,mín shì sù sòng,common plea; civil appeal (as opposed to criminal case) -民事责任,mín shì zé rèn,civil liability (law) -民以食为天,mín yǐ shí wéi tiān,"Food is the God of the people. (idiom); People view food as the primary need.; Food first, ethical niceties second" -民企,mín qǐ,privately-operated enterprise (abbr. for 民營企業|民营企业[min2 ying2 qi3 ye4]) -民俗,mín sú,popular custom -民俗学,mín sú xué,folklore -民兵,mín bīng,people's militia; militia; militiaman -民勤,mín qín,"Minqin county in Wuwei 武威[Wu3 wei1], Gansu" -民勤县,mín qín xiàn,"Minqin county in Wuwei 武威[Wu3 wei1], Gansu" -民和,mín hé,"Minhe Hui and Tu autonomous county in Haidong prefecture 海東地區|海东地区[Hai3 dong1 di4 qu1], Qinghai" -民和回族土族自治县,mín hé huí zú tǔ zú zì zhì xiàn,"Minhe Hui and Tu autonomous county in Haidong prefecture 海東地區|海东地区[Hai3 dong1 di4 qu1], Qinghai" -民和县,mín hé xiàn,"Minhe Hui and Tu autonomous county in Haidong prefecture 海東地區|海东地区[Hai3 dong1 di4 qu1], Qinghai" -民国,mín guó,"Republic of China (1912-1949); used in Taiwan as the name of the calendar era (e.g. 民國六十年|民国六十年 is 1971, the 60th year after 1911)" -民国通俗演义,mín guó tōng sú yǎn yì,"Dramatized history of Republican China until 1927 by Cai Dongfan 蔡東藩|蔡东藩, and later chapters by Xu Qinfu 許廑父|许廑父" -民团,mín tuán,civil corps; militia -民女,mín nǚ,woman from an ordinary family -民宅,mín zhái,house; people's homes -民家,mín jiā,minka; commoner's house; Bai ethnic group -民宿,mín sù,"(orthographic borrowing from Japanese 民宿 ""minshuku"") property rented via Airbnb or similar platform; guesthouse; bed-and-breakfast; homestay; pension" -民居,mín jū,houses; homes -民工,mín gōng,migrant worker (who moved from a rural area of China to a city to find work); temporary worker enlisted on a public project -民庭,mín tíng,civil court -民建联,mín jiàn lián,"Democratic Alliance for the Betterment and Progress of Hong Kong (DAB), a pro-Beijing political party in Hong Kong (abbr. for 民主建港協進聯盟|民主建港协进联盟[Min2 zhu3 Jian4 gang3 Xie2 jin4 Lian2 meng2])" -民心,mín xīn,popular sentiment -民怨,mín yuàn,popular grievance; complaints of the people -民怨沸腾,mín yuàn fèi téng,seething discontent (idiom); popular grievances boil over -民怨鼎沸,mín yuàn dǐng fèi,seething discontent (idiom); popular grievances boil over -民情,mín qíng,circumstances of the people; popular sentiment; the mood of the people; popular customs -民意,mín yì,public opinion; popular will; public will -民意测验,mín yì cè yàn,opinion poll -民意调查,mín yì diào chá,opinion poll -民愤,mín fèn,public outrage -民房,mín fáng,private house -民政,mín zhèng,civil administration -民政局,mín zhèng jú,Bureau of Civil Affairs -民政厅,mín zhèng tīng,provincial department of civil affairs -民政部,mín zhèng bù,Ministry of Civil Affairs (MCA) of the PRC -民数记,mín shù jì,Book of Numbers; Fourth Book of Moses -民族,mín zú,nationality; ethnic group; CL:個|个[ge4] -民族主义,mín zú zhǔ yì,"nationalism; national self-determination; principle of nationalism, the first of Dr Sun Yat-sen's 孫中山|孙中山 Three Principles of the People 三民主義|三民主义 (at the time, meaning parity between China and the great powers); racism" -民族主义情绪,mín zú zhǔ yì qíng xù,nationalist feelings; nationalist sentiment -民族团结,mín zú tuán jié,national unity -民族大学,mín zú dà xué,University for Nationalities (university of ethnic studies) -民族大迁徙,mín zú dà qiān xǐ,great migration of peoples -民族学,mín zú xué,ethnology; anthropology -民族工业,mín zú gōng yè,national industry; industry run by Chinese nationals or ethnic Chinese -民族平等,mín zú píng děng,equality of ethnic groups -民族志,mín zú zhì,ethnography -民族社会主义,mín zú shè huì zhǔ yì,national socialism; Nazism -民族自决,mín zú zì jué,self-determination -民族舞蹈,mín zú wǔ dǎo,folk dance -民族英雄,mín zú yīng xióng,national hero -民族杂居地区,mín zú zá jū dì qū,mixed ethnic area -民乐,mín yuè,"Minyue county in Zhangye 張掖|张掖[Zhang1 ye4], Gansu" -民乐,mín yuè,"folk music, esp. for traditional instruments" -民乐县,mín yuè xiàn,"Minyue county in Zhangye 張掖|张掖[Zhang1 ye4], Gansu" -民权,mín quán,"Minquan county in Shangqiu 商丘[Shang1 qiu1], Henan" -民权,mín quán,civil liberties -民权主义,mín quán zhǔ yì,"democracy; civil liberties; principle of democracy, the second of Dr Sun Yat-sen's 孫中山|孙中山 Three Principles of the People 三民主義|三民主义 (at the time, meaning widespread popular involvement in affairs of state)" -民权县,mín quán xiàn,"Minquan county in Shangqiu 商丘[Shang1 qiu1], Henan" -民歌,mín gē,"folk song; CL:支[zhi1],首[shou3]" -民歌手,mín gē shǒu,folk singer -民法,mín fǎ,civil law -民法典,mín fǎ diǎn,civil code -民营,mín yíng,"privately run (i.e. by a company, not the state)" -民营企业,mín yíng qǐ yè,privately-operated enterprise -民营化,mín yíng huà,privatization -民爆,mín bào,civil explosives -民生,mín shēng,people's livelihood; people's welfare -民生主义,mín shēng zhǔ yì,"principle of people's livelihood, the third of Dr Sun Yat-sen's 孫中山|孙中山 Three Principles of the People 三民主義|三民主义 (at the time, meaning redistribution of wealth, self-sufficiency and internal trade)" -民生凋敝,mín shēng diāo bì,the people's livelihood is reduced to destitution (idiom); a time of famine and impoverishment -民用,mín yòng,(for) civilian use -民盟,mín méng,China Democratic League (political party); abbr. for 中國民主同盟|中国民主同盟 -民众,mín zhòng,the populace; the masses; the common people -民科,mín kē,pseudoscientist; crank; crackpot (abbr. for 民間科學家|民间科学家) -民穷财尽,mín qióng cái jìn,"the people are impoverished, their means exhausted (idiom); to drive the nation to bankruptcy" -民答那峨海,mín dā nà é hǎi,Mindanao Sea -民粹主义,mín cuì zhǔ yì,populism -民粹派,mín cuì pài,"the Narodniks, Russian populist group in the 19th century" -民脂民膏,mín zhī mín gāo,"lit. the fat and wealth of the people (idiom); the nation's hard-won wealth (esp. as an object of unscrupulous exploitation); the people's blood, sweat and tears" -民航,mín háng,civil aviation -民航班机,mín háng bān jī,civilian plane; commercial flight -民调,mín diào,opinion poll -民谚,mín yàn,folk saying; proverb -民谣,mín yáo,ballad; folk song -民警,mín jǐng,civil police; PRC police; abbr. for 人民警察 -民变,mín biàn,mass uprising; popular revolt; civil commotion -民变峰起,mín biàn fēng qǐ,seething discontent (idiom); widespread popular grievances -民丰,mín fēng,"Minfeng County in Hotan Prefecture 和田地區|和田地区[He2 tian2 Di4 qu1], Xinjiang" -民丰县,mín fēng xiàn,"Minfeng County in Hotan Prefecture 和田地區|和田地区[He2 tian2 Di4 qu1], Xinjiang" -民资,mín zī,private capital -民贼独夫,mín zéi dú fū,tyrant and oppressor of the people (idiom); traitorous dictator -民办,mín bàn,run by the local people; privately operated -民进党,mín jìn dǎng,"DPP (Democratic Progressive Party, Taiwan); abbr. for 民主進步黨|民主进步党" -民运,mín yùn,civil transport; movement aimed at the masses; democracy movement (abbr.) -民选,mín xuǎn,democratically elected -民间,mín jiān,among the people; popular; folk; non-governmental; involving people rather than governments -民间传说,mín jiān chuán shuō,popular tradition; folk legend -民间故事,mín jiān gù shi,folk story; folktale -民间组织,mín jiān zǔ zhī,association; organization; humanitarian organization; NGO -民间习俗,mín jiān xí sú,folk customs -民间舞,mín jiān wǔ,folk dance -民间舞蹈,mín jiān wǔ dǎo,folk dance -民间艺术,mín jiān yì shù,folk art -民间音乐,mín jiān yīn yuè,folk music -民雄,mín xióng,"Minxiong or Minhsiung Township in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -民雄乡,mín xióng xiāng,"Minxiong or Minhsiung Township in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -民风,mín fēng,popular customs; folkways; the character of the people of a nation (or region etc) -氓,máng,used in 流氓[liu2 mang2] -氓,méng,common people -氕,piē,"protium 1H; light hydrogen, the most common isotope of hydrogen, having no neutron, so atomic weight 1" -氖,nǎi,neon (chemistry) -氘,dāo,"deuterium 2H; heavy hydrogen, isotope of hydrogen having 1 neutron in its nucleus, so atomic weight 2" -氘核,dāo hé,deuteron -氙,xiān,xenon (chemistry) -氚,chuān,(chemistry) tritium -氛,fēn,miasma; vapor -氛围,fēn wéi,ambience; atmosphere -氜,rì,"old name for 氦[hai4], helium" -氜,yáng,old variant of 陽|阳[yang2] -氟,fú,fluorine (chemistry) -氟利昂,fú lì áng,freon (chemistry) -氟化,fú huà,fluoridation; fluorination -氟化氢,fú huà qīng,hydrofluoric acid -氟化物,fú huà wù,fluoride -氟石,fú shí,fluorite CaF2; fluorspar; fluor -氟硅酸,fú guī suān,fluorosilicic acid H2SiF6; fluorosilicate -氟骨病,fú gǔ bìng,see 氟骨症[fu2 gu3 zheng4] -氟骨症,fú gǔ zhèng,osteofluorosis; skeletal fluorosis -氡,dōng,radon (chemistry) -气,qì,gas; air; smell; weather; to make angry; to annoy; to get angry; vital energy; qi -气不公,qì bù gōng,indignant -气不平,qì bù píng,angry at unfairness -气不忿儿,qì bù fèn er,furious; indignant -气不过,qì bu guò,so angry it's unbearable; bitter about unbearable grievances -气人,qì rén,to anger; to annoy -气候,qì hòu,(meteorology) climate; (fig.) climate; prevailing conditions (in human affairs); CL:種|种[zhong3] -气候学,qì hòu xué,climatology -气候学家,qì hòu xué jiā,a climatologist -气候暖化,qì hòu nuǎn huà,climate warming -气候状况,qì hòu zhuàng kuàng,climatic conditions; atmospheric conditions -气候变化,qì hòu biàn huà,climate change -气冷式反应堆,qì lěng shì fǎn yìng duī,gas-cooled reactor -气凝胶,qì níng jiāo,aerogel -气切,qì qiē,tracheotomy (abbr. for 氣管切開術|气管切开术[qi4 guan3 qie1 kai1 shu4]) -气力,qì lì,strength; energy; vigor; talent -气功,qì gōng,"qigong, a traditional Chinese system of cultivating vital energy 氣|气[qi4] through coordinated breathing, movement and meditation" -气动,qì dòng,pneumatic -气动噪声,qì dòng zào shēng,aerodynamic noise -气动式,qì dòng shì,pneumatic -气动控制,qì dòng kòng zhì,pneumatic control -气动泵,qì dòng bèng,pneumatic pump -气动葫芦,qì dòng hú lu,pneumatic hoist pulley -气动开关,qì dòng kāi guān,pneumatic switch -气动闸,qì dòng zhá,pneumatic brake -气势,qì shì,imposing manner; loftiness; grandeur; energetic looks; vigor -气势凌人,qì shì líng rén,arrogant and overbearing -气势宏伟,qì shì hóng wěi,imposing; majestic -气势汹汹,qì shì xiōng xiōng,aggressive; truculent; overbearing -气包子,qì bāo zi,quick-tempered person -气化,qì huà,to vaporize; evaporation; carburetion; 氣|气[qi4] transformation in TCM (i.e. transformation of yin yang vital breath); unvoicing of voiced consonant -气口,qì kǒu,location on wrist over the radial artery where pulse is taken in TCM -气吁吁,qì xū xū,to pant; to gasp for breath -气味,qì wèi,odor; scent -气呼呼,qì hū hū,panting with rage -气咻咻,qì xiū xiū,to pant; to gasp for breath -气哼哼,qì hēng hēng,enraged; furious; livid -气喘,qì chuǎn,to gasp for breath; asthma -气喘吁吁,qì chuǎn xū xū,to pant; to gasp for breath -气喘喘,qì chuǎn chuǎn,breathless -气喘如牛,qì chuǎn rú niú,to breathe heavily like an ox (idiom); to huff and puff -气喘病,qì chuǎn bìng,asthma -气囊,qì náng,air sac; aerostat gasbag -气圈,qì quān,(planet) atmosphere; (medical) air ring; air cushion -气团,qì tuán,air mass -气场,qì chǎng,qi field (in qigong or feng shui); vibe (of a person or place); aura; atmosphere -气塞,qì sāi,airlock; air block; fipple (in the mouthpiece of wind instrument) -气垫,qì diàn,air cushion (as on hovercraft) -气垫船,qì diàn chuán,hovercraft; air cushion vehicle -气压,qì yā,atmospheric pressure; barometric pressure -气压表,qì yā biǎo,barometer -气压计,qì yā jì,barometer -气坏,qì huài,furious; very angry -气壮山河,qì zhuàng shān hé,magnificent; inspiring -气孔,qì kǒng,air-bubble; pore; stoma -气宇,qì yǔ,bearing; manner -气宇轩昂,qì yǔ xuān áng,to have an imposing or impressive appearance; impressive appearance; straight and impressive looking -气定神闲,qì dìng shén xián,calm and composed (idiom) -气密,qì mì,airtight -气度,qì dù,bearing; manner; presence -气度恢宏,qì dù huī hóng,broad-minded; magnanimous -气急败坏,qì jí bài huài,flustered and exasperated; utterly discomfited -气息,qì xī,breath; smell; odor; flavor -气息奄奄,qì xī yǎn yǎn,to have only a breath of life (idiom) -气恼,qì nǎo,to be annoyed; to get angry -气态,qì tài,gaseous state (physics); manner; air; bearing -气愤,qì fèn,indignant; furious -气数,qì shu,fate; destiny; one's lot -气旋,qì xuán,cyclone -气昂昂,qì áng áng,full of vigor; spirited; valiant -气根,qì gēn,aerial root (botany) -气概,qì gài,lofty quality; mettle; spirit -气枪,qì qiāng,an air gun -气楼,qì lóu,small ventilation tower on roof of building -气死,qì sǐ,to infuriate; to be furious; to die from an excess of anger -气氛,qì fēn,atmosphere; mood -气冲冲,qì chōng chōng,furious; enraged -气冲牛斗,qì chōng niú dǒu,(idiom) extremely angry; infuriated -气冲霄汉,qì chōng xiāo hàn,(idiom) dauntless; courageous; spirited -气泡,qì pào,bubble; blister (in metal); (of beverages) sparkling; carbonated -气泡布,qì pào bù,bubble wrap -气泡膜,qì pào mó,bubble wrap -气泵,qì bèng,air pump -气派,qì pài,impressive; stylish; magnificent; imposing manner; dignified air -气流,qì liú,stream of air; airflow; slipstream; draft; breath; turbulence (of aircraft) -气温,qì wēn,air temperature; CL:個|个[ge4] -气溶胶,qì róng jiāo,aerosol -气溶胶侦察仪,qì róng jiāo zhēn chá yí,aerosol detector -气滞,qì zhì,stagnation of 氣|气[qi4] (TCM) -气潭,qì tán,air pocket -气炸,qì zhà,to burst with rage; to blow one's top -气焊,qì hàn,gas welding -气焰,qì yàn,arrogance; haughtiness -气煤,qì méi,gas coal -气球,qì qiú,balloon -气瓶,qì píng,gas cylinder; air bottle; air tank (diving) -气生根,qì shēng gēn,aerial root (botany) -气田,qì tián,gas field -气盛,qì shèng,red-blooded; full of vim; impetuous -气笑,qì xiào,to be angry about sth but also find it laughable -气筒,qì tǒng,inflator; bicycle pump -气管,qì guǎn,windpipe; trachea; respiratory tract; air duct; gas pipe -气管切开术,qì guǎn qiē kāi shù,tracheotomy (medicine) -气管插管术,qì guǎn chā guǎn shù,endotracheal intubation (medicine) -气管炎,qì guǎn yán,"bacterial tracheitis (inflammation of the windpipe, often caused by Staphylococcus aureus); henpecked (a pun on 妻子管得嚴|妻子管得严[qi1 zi5 guan3 de5 yan2] used in comic theater)" -气管痉挛,qì guǎn jìng luán,breathing convulsions (as in asthma); tracheospasm -气节,qì jié,moral integrity; unflinching righteousness -气笼,qì lóng,air pipe; bamboo air pipe used to aerate granary -气粗,qì cū,irascible; overbearing -气绝,qì jué,to take one's last breath; dying -气缸,qì gāng,cylinder (engine) -气胸,qì xiōng,pneumothorax (medicine) -气胶,qì jiāo,aerosol -气色,qì sè,complexion -气虚,qì xū,deficiency of 氣|气[qi4] (TCM) -气血,qì xuè,qi and blood (two basic bodily fluids of Chinese medicine) -气话,qì huà,angry words; sth said in the moment of anger -气象,qì xiàng,meteorological condition; weather; meteorology; atmosphere; ambience; scene -气象台,qì xiàng tái,meteorological office; weather forecasting office -气象学,qì xiàng xué,meteorology -气象学者,qì xiàng xué zhě,a meteorologist -气象局,qì xiàng jú,weather bureau; meteorological office -气象厅,qì xiàng tīng,meteorological office -气象站,qì xiàng zhàn,weather station -气象卫星,qì xiàng wèi xīng,weather satellite -气象观测站,qì xiàng guān cè zhàn,weather station -气贯长虹,qì guàn cháng hóng,spirit reaches to the rainbow; full of noble aspiration and daring -气质,qì zhì,personality traits; temperament; disposition; aura; air; feel; vibe; refinement; sophistication; class -气逆,qì nì,reverse flow of 氣|气[qi4] (TCM) -气道,qì dào,flue; air duct; air passage; respiratory tract -气量,qì liàng,(lit. quantity of spirit); moral character; degree of forbearance; broad-mindedness or otherwise; tolerance; magnanimity -气锤,qì chuí,air hammer; pneumatic hammer -气钻,qì zuàn,pneumatic drill -气门,qì mén,valve (esp. tire valve); accelerator (obsolete term for 油門|油门); stigma (zool.); spiracle -气闸,qì zhá,pneumatic brake; airlock -气阱,qì jǐng,air pocket -气陷,qì xiàn,collapse of 氣|气[qi4] (TCM) -气隙,qì xì,air vent; air gap -气雾免疫,qì wù miǎn yì,aerosol immunization -气雾剂,qì wù jì,aerosol -气雾室,qì wù shì,cloud chamber -气韵,qì yùn,"(of literature, art) distinct style; flavor; spirit; character" -气头上,qì tóu shàng,in a fit of anger (idiom); in a temper -气馁,qì něi,to be discouraged -气体,qì tǐ,gas (i.e. gaseous substance) -气体扩散,qì tǐ kuò sàn,gaseous diffusion -气魄,qì pò,spirit; boldness; positive outlook; imposing attitude -气鸣乐器,qì míng yuè qì,aerophone (music) -气鼓鼓,qì gǔ gǔ,seething; fuming -氤,yīn,used in 氤氳|氤氲[yin1 yun1] -氤氲,yīn yūn,"(literary) (of smoke, mist) dense; thick" -氦,hài,helium (chemistry) -氧,yǎng,oxygen (chemistry) -氧乙炔,yǎng yǐ quē,oxyacetylene -氧乙炔炬,yǎng yǐ quē jù,an oxyacetylene torch -氧乙炔焊,yǎng yǐ quē hàn,oxyacetylene welding -氧乙炔焊炬,yǎng yǐ quē hàn jù,oxyacetylene torch -氧割,yǎng gē,to cut using oxyacetylene torch -氧化,yǎng huà,to oxidize -氧化剂,yǎng huà jì,oxidant; oxidizing agent -氧化汞,yǎng huà gǒng,mercuric oxide (HgO) -氧化物,yǎng huà wù,oxide -氧化罐,yǎng huà guàn,Hopcalite canister; Hopcalite cartridge -氧化钙,yǎng huà gài,"calcium oxide, CaO; (slang) (used as a substitute for 肏[cao4], since CaO resembles cào)" -氧化铀,yǎng huà yóu,uranium oxide -氧化铝,yǎng huà lǚ,aluminum oxide -氧化锌,yǎng huà xīn,zinc oxide -氧化镁,yǎng huà měi,magnesium oxide MgO -氧原子,yǎng yuán zǐ,oxygen atom -氧合器,yǎng hé qì,oxygenator -氧基,yǎng jī,alkoxy (chemistry) -氧效应,yǎng xiào yìng,oxygen effect -氧气,yǎng qì,oxygen -氧炔吹管,yǎng quē chuī guǎn,oxyacetylene torch -氨,ān,ammonia -氨吖啶,ān ā dìng,aminoacridine or aminacrine (antiseptic and disinfectant) -氨哮素,ān xiào sù,clenbuterol -氨基,ān jī,amino; amino group -氨基比林,ān jī bǐ lín,aminopyrine (loanword) -氨基甲酸酯类化合物,ān jī jiǎ suān zhǐ lèi huà hé wù,carbamate -氨基苯酸,ān jī běn suān,aminobenzoic acid -氨基葡糖,ān jī pú táng,glucosamine (abbr. for 氨基葡萄糖[an1 ji1 pu2 tao5 tang2]) -氨基葡萄糖,ān jī pú tao táng,glucosamine (C6H13NO5) -氨基酸,ān jī suān,amino acid -氨气,ān qì,ammonia (gas) -氨水,ān shuǐ,ammonia solution -氨纶,ān lún,spandex; elastane -氨苄青霉素,ān biàn qīng méi sù,ampicillin (medicine) -氪,kè,krypton (chemistry) -氪气石,kè qì shí,kryptonite -氪肝,kè gān,"(slang) to put in long hours, typically late into the night, playing a video game (rather than pay for power-ups)" -氪金,kè jīn,to make an in-app purchase in a game -氢,qīng,hydrogen (chemistry) -氢化,qīng huà,hydrogenation -氢化氰,qīng huà qíng,hydrocyanic acid; hydrogen cyanide -氢原子,qīng yuán zǐ,hydrogen atom -氢弹,qīng dàn,H-bomb; hydrogen bomb -氢氟烃,qīng fú tīng,hydrofluorocarbon -氢氟酸,qīng fú suān,hydrofluoric acid HF -氢气,qīng qì,hydrogen (gas) -氢氧,qīng yǎng,hydroxide (e.g. caustic soda NaOH) -氢氧化,qīng yǎng huà,hydroxide (e.g. caustic soda NaOH) -氢氧化物,qīng yǎng huà wù,hydroxide -氢氧化钠,qīng yǎng huà nà,caustic soda; sodium hydroxide NaOH -氢氧化钙,qīng yǎng huà gài,calcium hydroxide Ca(OH)2; slaked lime -氢氧化钾,qīng yǎng huà jiǎ,potassium hydroxide -氢氧化铝,qīng yǎng huà lǚ,aluminum hydroxide -氢氧化镁,qīng yǎng huà měi,magnesium hydroxide Mg(OH)2 -氢氧根,qīng yǎng gēn,hydroxide radical (-OH) -氢氧根离子,qīng yǎng gēn lí zǐ,hydroxide ion OH- -氢氧离子,qīng yǎng lí zǐ,hydroxide ion OH- -氢氯酸,qīng lǜ suān,hydrochloric acid HCl; also written 鹽酸|盐酸[yan2 suan1] -氢溴酸,qīng xiù suān,hydrobromic acid HBr -氢能源,qīng néng yuán,hydrogen energy (energy derived from using hydrogen as a fuel) -氢酶,qīng méi,hydrogenase (enzyme) -氢键,qīng jiàn,hydrogen bond -氢卤酸,qīng lǔ suān,"hydrohalic acid (e.g. hydrofluoric acid HF 氫氟酸|氢氟酸[qing1 fu2 suan1], hydrochloric acid HCl 鹽酸|盐酸[yan2 suan1] etc)" -氩,yà,argon (chemistry) -氮,dàn,nitrogen (chemistry) -氮气,dàn qì,nitrogen -氮氧化物,dàn yǎng huà wù,nitrogen oxide -氮烯,dàn xī,nitrene (chemistry) -氮芥气,dàn jiè qì,nitrogen mustard -氯,lǜ,chlorine (chemistry) -氯丁橡胶,lǜ dīng xiàng jiāo,neoprene -氯乙烯,lǜ yǐ xī,vinyl chloride (chloroethene C2H3Cl) -氯仿,lǜ fǎng,chloroform (trichloromethane CHCl3) -氯化氢,lǜ huà qīng,hydrogen chloride HCl -氯化氰,lǜ huà qíng,cyanogen chloride CNCl -氯化物,lǜ huà wù,chloride -氯化苦,lǜ huà kǔ,chloropicrin -氯化钠,lǜ huà nà,sodium chloride NaCl; common salt -氯化钙,lǜ huà gài,calcium chloride -氯化钾,lǜ huà jiǎ,potassium chloride -氯化铵,lǜ huà ǎn,ammonium chloride -氯化铝,lǜ huà lǚ,aluminum chloride -氯化锌,lǜ huà xīn,zinc chloride -氯单质,lǜ dān zhì,molecular chlorine -氯喹,lǜ kuí,chloroquine (antimalarial drug) -氯安酮,lǜ ān tóng,see 氯胺酮[lu:4 an4 tong2]; ketamine -氯林可霉素,lǜ lín kě méi sù,clindamycin -氯气,lǜ qì,chlorine -氯洁霉素,lǜ jié méi sù,clindamycin -氯甲烷,lǜ jiǎ wán,methyl chloride CH3Cl -氯痤疮,lǜ cuó chuāng,chloracne -氯磷定,lǜ lín dìng,pralidoxime chloride -氯纶,lǜ lún,polyvinyl chloride fiber; PRC brand name for PVC fiber -氯胺酮,lǜ àn tóng,ketamine (C13H16ClNO) -氯苯,lǜ běn,chlorobenzene C6H5Cl -氯酸,lǜ suān,chloric acid HClO3; chlorate -氯酸钠,lǜ suān nà,sodium chlorate NaClO3 -氯酸钾,lǜ suān jiǎ,potassium chlorate -氯霉素,lǜ méi sù,"chloramphenicol (antibiotic), aka chloromycetin" -氰,qíng,cyanogen (CN)2; ethanedinitrile; Taiwan pr. [qing1] -氰化物,qíng huà wù,cyanide -氰化钠,qíng huà nà,sodium cyanide NaCN -氰化钾,qíng huà jiǎ,potassium cyanide KCN -氰基,qíng jī,"cyan; cyanide radical -CN, stable triple bond with chemical properties like halogens" -氰基细菌,qíng jī xì jūn,cyanobacteria -氰氨化钙,qíng ān huà gài,calcium cyanamide -氰溴甲苯,qíng xiù jiǎ běn,cyanobenzyl bromide -氰苷,qíng gān,cyanogenetic glucoside -氰酸,qíng suān,cyanic acid HCN -氰酸盐,qíng suān yán,cyanate -氲,yūn,used in 氤氳|氤氲[yin1 yun1] -水,shuǐ,surname Shui -水,shuǐ,water; river; liquid; beverage; additional charges or income; (of clothes) classifier for number of washes -水上,shuǐ shàng,"Shuishang Township in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -水上,shuǐ shàng,on water; aquatic -水上摩托,shuǐ shàng mó tuō,jet ski -水上摩托车,shuǐ shàng mó tuō chē,jet ski -水上芭蕾,shuǐ shàng bā lěi,synchronized swimming -水上运动,shuǐ shàng yùn dòng,water sports; aquatic motion; movement over water -水上乡,shuǐ shàng xiāng,"Shuishang Township in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -水上电单车,shuǐ shàng diàn dān chē,see 水上摩托車|水上摩托车[shui3 shang4 mo2 tuo1 che1] -水上飞板,shuǐ shàng fēi bǎn,flyboard -水上飞机,shuǐ shàng fēi jī,seaplane -水下,shuǐ xià,under the water; submarine -水下核爆炸,shuǐ xià hé bào zhà,nuclear underwater burst; underwater nuclear explosion -水下核试验,shuǐ xià hé shì yàn,underwater nuclear test -水中捞月,shuǐ zhōng lāo yuè,lit. to scoop the moon out of the water (idiom); fig. a hopeless endeavor -水井,shuǐ jǐng,(water) well -水亮,shuǐ liàng,moist and glossy; wet look (of lipstick) -水仙,shuǐ xiān,narcissus; daffodil; legendary aquatic immortal; refers to those buried at sea; person who wanders abroad and does not return -水仙花,shuǐ xiān huā,daffodil; narcissus; CL:棵[ke1] -水位,shuǐ wèi,water level -水俣市,shuǐ yǔ shì,"Minamata City in Kumamoto prefecture, Japan" -水俣病,shuǐ yǔ bìng,"Minamata disease (neurological disease caused by mercury poisoning due to industrial pollution in Japan, first identified in 1956)" -水兵,shuǐ bīng,enlisted sailor in navy -水冰,shuǐ bīng,water ice (i.e. frozen H2O) -水冷,shuǐ lěng,to water-cool -水凼,shuǐ dàng,pond -水分,shuǐ fèn,moisture content; (fig.) overstatement; padding -水刑,shuǐ xíng,water-boarding (torture) -水刑逼供,shuǐ xíng bī gòng,"water-boarding, interrogation technique used by CIA" -水利,shuǐ lì,water conservancy; irrigation works -水利家,shuǐ lì jiā,water manager; hydraulic engineer -水利工程,shuǐ lì gōng chéng,hydraulic engineering -水利部,shuǐ lì bù,Ministry of Water Resources (PRC) -水到渠成,shuǐ dào qú chéng,"lit. where water flows, a canal is formed (idiom); fig. when conditions are right, success will follow naturally" -水力,shuǐ lì,hydraulic power -水力压裂,shuǐ lì yā liè,hydraulic fracturing; fracking -水力学,shuǐ lì xué,hydraulics -水力发电,shuǐ lì fā diàn,hydroelectricity -水力发电站,shuǐ lì fā diàn zhàn,hydroelectric power plant -水力鼓风,shuǐ lì gǔ fēng,hydraulic bellows; water-driven ventilation (for metal smelting furnace) -水务,shuǐ wù,water supply -水务局,shuǐ wù jú,(municipal) water authority -水勺,shuǐ sháo,ladle; dipper (for water) -水化,shuǐ huà,to hydrate -水印,shuǐ yìn,watermark -水原,shuǐ yuán,"Suweon City, capital of Gyeonggi province 京畿道[Jing1 ji1 dao4], South Korea" -水原市,shuǐ yuán shì,"Suweon City, capital of Gyeonggi province 京畿道[Jing1 ji1 dao4], South Korea" -水合,shuǐ hé,hydration reaction -水合物,shuǐ hé wù,hydrate; hydrated compound -水圈,shuǐ quān,the earth's ocean; the hydrosphere (geology) -水土,shuǐ tǔ,water and soil; surface water; natural environment (extended meaning); climate -水土不服,shuǐ tǔ bù fú,not acclimatized -水土保持,shuǐ tǔ bǎo chí,soil conservation -水坑,shuǐ kēng,puddle; water hole; sump -水垢,shuǐ gòu,limescale -水城,shuǐ chéng,"Shuicheng county in Liupanshui 六盤水|六盘水[Liu4 pan2 shui3], Guizhou" -水城县,shuǐ chéng xiàn,"Shuicheng county in Liupanshui 六盤水|六盘水[Liu4 pan2 shui3], Guizhou" -水域,shuǐ yù,waters; body of water -水培,shuǐ péi,to grow plants hydroponically -水培法,shuǐ péi fǎ,hydroponics -水基,shuǐ jī,water-based -水塘,shuǐ táng,pool -水墨,shuǐ mò,ink (used in painting) -水墨画,shuǐ mò huà,ink and wash painting -水压,shuǐ yā,water pressure -水坝,shuǐ bà,dam; dike -水壶,shuǐ hú,kettle; canteen; watering can -水天一色,shuǐ tiān yī sè,water and sky merge in one color (idiom) -水客,shuǐ kè,"smuggler, esp. of electronic goods from Macao or Hong Kong to Guangdong; boatman; fisherman; itinerant trader" -水害,shuǐ hài,flood damage -水富,shuǐ fù,"Shuifu county in Zhaotong 昭通[Zhao1 tong1], Yunnan" -水富县,shuǐ fù xiàn,"Shuifu county in Zhaotong 昭通[Zhao1 tong1], Yunnan" -水师,shuǐ shī,navy (in Qing times) -水幕,shuǐ mù,"water screen (screen formed of sprayed water droplets, used for displaying projected images, for temperature control, or for air purification)" -水平,shuǐ píng,level (of achievement etc); standard; horizontal -水平仪,shuǐ píng yí,level (device to determine horizontal); spirit level; surveyor's level -水平尺,shuǐ píng chǐ,spirit level -水平尾翼,shuǐ píng wěi yì,(aviation) tailplane; horizontal stabilizer -水平轴,shuǐ píng zhóu,horizontal shaft; horizontal axis (math.) -水平面,shuǐ píng miàn,horizontal plane; level surface; water level -水底,shuǐ dǐ,the bottom of a body of water -水底相机,shuǐ dǐ xiàng jī,underwater camera -水库,shuǐ kù,reservoir; CL:座[zuo4] -水弹枪,shuǐ dàn qiāng,gel blaster; gel gun -水彩,shuǐ cǎi,watercolor -水彩画,shuǐ cǎi huà,watercolor; aquarelle -水彩笔,shuǐ cǎi bǐ,colored markers -水性,shuǐ xìng,"swimming ability; characteristics of a body of water (depth, currents etc); aqueous; water-based (paint etc)" -水性杨花,shuǐ xìng yáng huā,fickle (woman) -水患,shuǐ huàn,flooding; inundation -水户市,shuǐ hù shì,"Mito City, capital of Ibaraki Prefecture, Japan" -水手,shuǐ shǒu,mariner; sailor; seaman -水文,shuǐ wén,hydrology -水族,shuǐ zú,Shui ethnic group of Guangxi -水族,shuǐ zú,collective term for aquatic animals -水族箱,shuǐ zú xiāng,aquarium; fish tank -水族馆,shuǐ zú guǎn,aquarium (open to the public) -水星,shuǐ xīng,Mercury (planet) -水晶,shuǐ jīng,crystal -水晶宫,shuǐ jīng gōng,The Crystal Palace -水晶球,shuǐ jīng qiú,crystal ball -水暖工,shuǐ nuǎn gōng,plumber; heating engineer -水曜日,shuǐ yào rì,Wednesday (used in ancient Chinese astronomy) -水杉,shuǐ shān,metasequoia -水林,shuǐ lín,"Shuilin township in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -水林乡,shuǐ lín xiāng,"Shuilin township in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -水果,shuǐ guǒ,fruit; CL:個|个[ge4] -水果刀,shuǐ guǒ dāo,paring knife; fruit knife; CL:把[ba3] -水果酒,shuǐ guǒ jiǔ,(Tw) fruit wine -水柱,shuǐ zhù,stream of water (as from a fountain or a faucet); jet of water -水栗,shuǐ lì,see 荸薺|荸荠[bi2 qi2] -水桶,shuǐ tǒng,bucket -水栖,shuǐ qī,aquatic; living in water -水杨酸,shuǐ yáng suān,salicylic acid -水枪,shuǐ qiāng,water pistol (toy); water gun; sprinkler; water cannon -水槽,shuǐ cáo,sink -水横枝,shuǐ héng zhī,"cape jasmine (Gardenia jasminoides), esp. grown as bonsai" -水母,shuǐ mǔ,jellyfish; medusa -水母体,shuǐ mǔ tǐ,jellyfish; medusa -水气,shuǐ qì,water vapor; steam -水汀,shuǐ tīng,steam (Shanghainese) -水池,shuǐ chí,pond; pool; sink; washbasin -水污染,shuǐ wū rǎn,water pollution -水汪汪,shuǐ wāng wāng,watery; waterlogged (soil); limpid; bright and intelligent (eyes) -水汽,shuǐ qì,water vapor; steam; moisture -水泡,shuǐ pào,bubble; blister -水波,shuǐ bō,wave; (water) ripple -水波炉,shuǐ bō lú,superheated steam oven -水泥,shuǐ ní,cement; CL:袋[dai4] -水泵,shuǐ bèng,water pump -水泄不通,shuǐ xiè bù tōng,"lit. not one drop can trickle through (idiom); fig. impenetrable (crowd, traffic)" -水流,shuǐ liú,river; stream -水淋淋,shuǐ lín lín,dripping wet -水深,shuǐ shēn,depth (of waterway); sounding -水深火热,shuǐ shēn huǒ rè,deep water and scorching fire; abyss of suffering (idiom) -水浅养不住大鱼,shuǐ qiǎn yǎng bù zhù dà yú,"lit. shallow waters cannot harbor big fish (idiom); fig. ambitious, talented people cannot reach their full potential in a small organization" -水清无鱼,shuǐ qīng wú yú,lit. water that is too clean holds no fish (idiom); fig. one who is too severe has no friends -水渠,shuǐ qú,canal -水源,shuǐ yuán,water source; water supply; headwaters of a river -水准,shuǐ zhǔn,level (of achievement etc); standard; level (surveying) -水准仪,shuǐ zhǔn yí,level (device to determine horizontal); spirit level; surveyor's level -水沟,shuǐ gōu,gutter; sewer -水温,shuǐ wēn,water temperature -水温表,shuǐ wēn biǎo,engine temperature gauge; coolant temperature gauge -水溶,shuǐ róng,water soluble -水溶性,shuǐ róng xìng,soluble (in water); solubility -水滴,shuǐ dī,drop -水滴石穿,shuǐ dī shí chuān,dripping water penetrates the stone (idiom); constant perseverance yields success; You can achieve your aim if you try hard without giving up.; Persistent effort overcomes any difficulty. -水滴鱼,shuǐ dī yú,blobfish (Psychrolutes marcidus) -水浒,shuǐ hǔ,"edge of the water; shore or sea, lake or river; seashore" -水浒传,shuǐ hǔ zhuàn,"Water Margin or Outlaws of the Marsh by Shi Nai'an 施耐庵[Shi1 Nai4 an1], one of the Four Classic Novels of Chinese literature" -水浒全传,shuǐ hǔ quán zhuàn,"Water Margin or Outlaws of the Marsh by Shi Nai'an 施耐庵, one of the Four Classic Novels of Chinese literature; also written 水滸傳|水浒传" -水浒后传,shuǐ hǔ hòu zhuàn,"Water Margin Sequel, by Chen Chen 陳忱|陈忱[Chen2 Chen2]" -水漉漉,shuǐ lù lù,dripping wet -水渍,shuǐ zì,water spot; water stain; wet spot; damp patch; water damage -水涨船高,shuǐ zhǎng chuán gāo,"the tide rises, the boat floats (idiom); fig. to change with the overall trend; to develop according to the situation" -水潭,shuǐ tán,puddle; pool -水火不容,shuǐ huǒ bù róng,completely incompatible; lit. incompatible as fire and water -水火无情,shuǐ huǒ wú qíng,fire and flood have no mercy (idiom) -水灾,shuǐ zāi,flood; flood damage -水炮,shuǐ pào,water cannon -水炮车,shuǐ pào chē,"water cannon vehicle, common name for specialized crowd management vehicle 人群管理特別用途車|人群管理特别用途车[ren2 qun2 guan3 li3 te4 bie2 yong4 tu2 che1]" -水煎包,shuǐ jiān bāo,"pan-fried bun (covered and steamed after pan-frying), usually with pork or vegetable filling" -水烟,shuǐ yān,shredded tobacco for water pipes -水烟壶,shuǐ yān hú,bong; water pipe (for tobacco etc); hookah -水烟管,shuǐ yān guǎn,bong; water pipe (for tobacco etc); hookah -水烟袋,shuǐ yān dài,water bong; water pipe; hookah -水煮蛋,shuǐ zhǔ dàn,boiled egg; soft-boiled egg -水煮鱼,shuǐ zhǔ yú,Sichuan poached sliced fish in hot chili oil -水牛,shuǐ niú,water buffalo -水牛儿,shuǐ niú er,(dialect) snail -水牢,shuǐ láo,"prison cell containing water, in which prisoners are forced to be partly immersed" -水猴子,shuǐ hóu zi,mythical monster that preys on swimmers -水獭,shuǐ tǎ,otter -水玉,shuǐ yù,crystal; old word for 水晶 -水珠,shuǐ zhū,droplet; dewdrop -水球,shuǐ qiú,water polo -水球场,shuǐ qiú chǎng,water polo pool -水瓶座,shuǐ píng zuò,Aquarius (constellation and sign of the zodiac) -水生,shuǐ shēng,"aquatic (plant, animal)" -水产,shuǐ chǎn,aquatic product -水产品,shuǐ chǎn pǐn,"aquatic products (including fish, crabs, seaweed etc)" -水产展,shuǐ chǎn zhǎn,seafood show (trade fair) -水产业,shuǐ chǎn yè,aquaculture -水产养殖,shuǐ chǎn yǎng zhí,aquaculture -水田,shuǐ tián,paddy field; rice paddy -水田芥,shuǐ tián jiè,watercress -水痘,shuǐ dòu,chickenpox; Varicella zoster (med.) -水疗,shuǐ liáo,hydrotherapy; aquatherapy -水疱,shuǐ pào,blister -水盂,shuǐ yú,water pot or goblet (for Chinese calligraphy) -水盆,shuǐ pén,basin -水相,shuǐ xiàng,aqueous solution -水碾,shuǐ niǎn,water mill -水磨沟,shuǐ mò gōu,"Shuimogou district (Uighur: Shuymogu Rayoni) of Urumqi city 烏魯木齊市|乌鲁木齐市[Wu1 lu3 mu4 qi2 Shi4], Xinjiang" -水磨沟区,shuǐ mò gōu qū,"Shuimogou district (Uighur: Shuymogu Rayoni) of Urumqi city 烏魯木齊市|乌鲁木齐市[Wu1 lu3 mu4 qi2 Shi4], Xinjiang" -水磨石,shuǐ mó shí,terrazzo -水神,shuǐ shén,river God -水禽,shuǐ qín,waterfowl -水稻,shuǐ dào,rice; paddy; CL:株[zhu1] -水洼,shuǐ wā,puddle -水立方,shuǐ lì fāng,"Water Cube, nickname of Beijing National Aquatics Center 北京國家游泳中心|北京国家游泳中心, swimming venue of Beijing 2008 Olympic Games" -水筲,shuǐ shāo,well bucket; pail made of bamboo strips -水管,shuǐ guǎn,water pipe -水管工,shuǐ guǎn gōng,plumber -水管工人,shuǐ guǎn gōng rén,plumber -水管面,shuǐ guǎn miàn,"tube pasta (e.g. penne, rigatoni, ziti); macaroni" -水箱,shuǐ xiāng,water tank; radiator (automobile); cistern; lavabo -水帘洞,shuǐ lián dòng,cave with a waterfall at its mouth -水系,shuǐ xì,drainage system -水纹,shuǐ wén,ripples -水丝,shuǐ sī,(silver) of low purity; low grade -水绿,shuǐ lǜ,light green -水缸,shuǐ gāng,water jar -水罐,shuǐ guàn,"container for holding and pouring water (or other liquid): jug, pitcher, clay jar, jerry can, water bottle etc" -水翼船,shuǐ yì chuán,hydrofoil -水老鸦,shuǐ lǎo yā,common name for cormorant -水耕法,shuǐ gēng fǎ,hydroponics -水肺,shuǐ fèi,scuba -水能,shuǐ néng,hydroelectric power -水能源,shuǐ néng yuán,hydroelectric power -水肿,shuǐ zhǒng,(medicine) to suffer from edema (dropsy) -水花,shuǐ huā,splash; algal bloom; chickenpox (dialect) -水草,shuǐ cǎo,water plants; habitat with water source and grass -水菖蒲,shuǐ chāng pú,Acorus calamus; sweet sedge or sweet flag -水落归槽,shuǐ luò guī cáo,spilt water returns to the trough (idiom); fig. people remember where they belong -水落石出,shuǐ luò shí chū,"lit. as the water recedes, the rocks appear (idiom); fig. the truth comes to light" -水蒲苇莺,shuǐ pú wěi yīng,(bird species of China) sedge warbler (Acrocephalus schoenobaenus) -水蒸气,shuǐ zhēng qì,vapor -水蕹菜,shuǐ wèng cài,"water spinach or ong choy (Ipomoea aquatica), used as a vegetable in south China and southeast Asia" -水萝卜,shuǐ luó bo,summer radish (the small red kind) -水虎鱼,shuǐ hǔ yú,piranha (fish) -水处理,shuǐ chǔ lǐ,water treatment -水蛇,shuǐ shé,water snake -水蛇座,shuǐ shé zuò,Hydrus (constellation) -水蛇腰,shuǐ shé yāo,slender and supple waist; lithe body; feminine pose -水蛭,shuǐ zhì,leech -水蛭素,shuǐ zhì sù,hirudin -水蜜桃,shuǐ mì táo,honey peach; juicy peach -水螅,shuǐ xī,Hydra (freshwater polyp) -水螅体,shuǐ xī tǐ,sessile polyp; sea anemone -水行侠,shuǐ xíng xiá,"Aquaman, DC comic book superhero (Tw)" -水表,shuǐ biǎo,water meter; indicator of water level -水袖,shuǐ xiù,flowing sleeves (part of theatrical costume) -水解,shuǐ jiě,hydrolysis (chemical reaction with water) -水豚,shuǐ tún,capybara -水貂,shuǐ diāo,"mink (Mustela lutreola, M. vison)" -水货,shuǐ huò,smuggled goods; unauthorized goods -水费,shuǐ fèi,water bill -水质,shuǐ zhì,water quality -水质污染,shuǐ zhì wū rǎn,water pollution -水路,shuǐ lù,waterway -水军,shuǐ jūn,(archaic) navy; person employed to post messages on the Internet (abbr. for 網絡水軍|网络水军[Wang3 luo4 shui3 jun1]) -水轮,shuǐ lún,waterwheel; millwheel -水逆,shuǐ nì,(astrology) Mercury retrograde (abbr. for 水星逆行[shui3 xing1 ni4 xing2]); (coll.) to have a period of bad luck; (TCM) water retention in the abdomen causing the vomiting of liquids as soon as one drinks -水运,shuǐ yùn,waterborne transport -水道,shuǐ dào,"watercourse (river, canal, drain etc); water route; lane (in a swimming pool)" -水边,shuǐ biān,"edge of the water; waterside; shore (of sea, lake or river)" -水乡,shuǐ xiāng,"patchwork of waterways, esp. in Jiangsu; same as 江南水鄉|江南水乡[Jiang1 nan2 shui3 xiang1]" -水里,shuǐ lǐ,"Shuili Township in Nantou County 南投縣|南投县[Nan2 tou2 Xian4], central Taiwan" -水里乡,shuǐ lǐ xiāng,"Shuili Township in Nantou County 南投縣|南投县[Nan2 tou2 Xian4], central Taiwan" -水量,shuǐ liàng,volume of water; quantity of flow -水钹,shuǐ bó,splash cymbal (drum kit component) -水银,shuǐ yín,mercury; quicksilver -水银灯,shuǐ yín dēng,mercury-vapor lamp -水门事件,shuǐ mén shì jiàn,Watergate scandal -水门汀,shuǐ mén tīng,cement (Shanghainese) (loanword) -水闸,shuǐ zhá,sluice; water gate; waterlocks; floodgate; lock; dam -水陆,shuǐ lù,water and land; by water and land (transport); amphibian; delicacies from land and sea -水陆交通,shuǐ lù jiāo tōng,water and land transport -水陆两用,shuǐ lù liǎng yòng,amphibious (vehicle) -水陆师,shuǐ lù shī,army and navy (in Qing times) -水障碍,shuǐ zhàng ài,water hazard (golf) -水雉,shuǐ zhì,(bird species of China) pheasant-tailed jacana (Hydrophasianus chirurgus) -水鸡,shuǐ jī,moorhen (genus Gallinula); gallinule; frog -水雷,shuǐ léi,naval mine -水电,shuǐ diàn,hydroelectric power; plumbing and electricity -水电工,shuǐ diàn gōng,plumbing and electrical work; tradesman who does both plumbing and electrical work -水电站,shuǐ diàn zhàn,hydroelectric power plant -水灵,shuǐ líng,(of fruit etc) fresh; (of a person etc) full of life; healthy-looking; (of eyes) moist and bright; lustrous -水灵灵,shuǐ líng líng,see 水靈|水灵[shui3 ling2] -水面,shuǐ miàn,water surface -水饺,shuǐ jiǎo,"boiled dumpling (made by wrapping a pasta skin around a filling, like ravioli)" -水饺儿,shuǐ jiǎo er,erhua variant of 水餃|水饺[shui3 jiao3] -水马,shuǐ mǎ,water-filled barrier -水体,shuǐ tǐ,body of water -水鸟,shuǐ niǎo,waterbird -水鹁鸪,shuǐ bó gū,turtle dove or similar bird; oriental turtle dove (Streptopelia orientalis) -水鹨,shuǐ liù,(bird species of China) water pipit (Anthus spinoletta) -水鹿,shuǐ lù,sambar (Cervus unicolor) -水龙,shuǐ lóng,hose; pipe; fire hose; (botany) water primrose (Jussiaea repens) -水龙卷,shuǐ lóng juǎn,waterspout (meteorology) -水龙带,shuǐ lóng dài,layflat industrial hose; fire hose -水龙头,shuǐ lóng tóu,faucet; tap -氵,shuǐ,"""water"" radical in Chinese characters (Kangxi radical 85), occurring in 沒|没[mei2], 法[fa3], 流[liu2] etc; see also 三點水|三点水[san1 dian3 shui3]" -冰,bīng,variant of 冰[bing1] -永,yǒng,forever; always; perpetual -永不,yǒng bù,never; will never -永不生锈的螺丝钉,yǒng bù shēng xiù de luó sī dīng,"a ""screw that never rusts"" — sb who selflessly and wholeheartedly serves the Communist Party, like Lei Feng 雷鋒|雷锋[Lei2 Feng1], to whom the metaphor is attributed" -永世,yǒng shì,eternal; forever -永久,yǒng jiǔ,everlasting; perpetual; lasting; forever; permanent -永久冻土,yǒng jiǔ dòng tǔ,permafrost -永久和平,yǒng jiǔ hé píng,lasting peace; enduring peace -永久居民,yǒng jiǔ jū mín,permanent resident; person with the right to live in a country or territory -永久居留权,yǒng jiǔ jū liú quán,permanent residency -永久居留证,yǒng jiǔ jū liú zhèng,permanent residency permit -永久性,yǒng jiǔ xìng,permanent -永久磁铁,yǒng jiǔ cí tiě,a permanent magnet -永久虚电路,yǒng jiǔ xū diàn lù,Permanent Virtual Circuit; PVC -永仁,yǒng rén,"Yongren County in Chuxiong Yi Autonomous Prefecture 楚雄彞族自治州|楚雄彝族自治州[Chu3 xiong2 Yi2 zu2 Zi4 zhi4 zhou1], Yunnan" -永仁县,yǒng rén xiàn,"Yongren County in Chuxiong Yi Autonomous Prefecture 楚雄彞族自治州|楚雄彝族自治州[Chu3 xiong2 Yi2 zu2 Zi4 zhi4 zhou1], Yunnan" -永修,yǒng xiū,"Yongxiu county in Jiujiang 九江, Jiangxi" -永修县,yǒng xiū xiàn,"Yongxiu county in Jiujiang 九江, Jiangxi" -永冻土,yǒng dòng tǔ,permafrost -永别,yǒng bié,to part forever; eternal parting (i.e. death) -永动机,yǒng dòng jī,perpetual motion machine -永胜,yǒng shèng,"Yongsheng county in Lijiang 麗江|丽江[Li4 jiang1], Yunnan" -永胜县,yǒng shèng xiàn,"Yongsheng county in Lijiang 麗江|丽江[Li4 jiang1], Yunnan" -永吉,yǒng jí,"Yongji county in Jilin prefecture 吉林, Jilin province" -永吉县,yǒng jí xiàn,"Yongji county in Jilin prefecture 吉林, Jilin province" -永和,yǒng hé,"Yonghe or Yungho city in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -永和市,yǒng hé shì,"Yonghe or Yungho city in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -永和县,yǒng hé xiàn,"Yonghe county in Linfen 臨汾|临汾[Lin2 fen2], Shanxi" -永善,yǒng shàn,"Yongshan county in Zhaotong 昭通[Zhao1 tong1], Yunnan" -永善县,yǒng shàn xiàn,"Yongshan county in Zhaotong 昭通[Zhao1 tong1], Yunnan" -永嘉,yǒng jiā,"Yongjia county in Wenzhou 溫州|温州[Wen1 zhou1], Zhejiang; reign name 307-313 of Jin Emperor Huai 晉懷帝|晋怀帝[Jin4 Huai2 di4]" -永嘉县,yǒng jiā xiàn,"Yongjia county in Wenzhou 溫州|温州[Wen1 zhou1], Zhejiang" -永嘉郡,yǒng jiā jùn,Yongjia prefecture in Zhejiang -永垂不朽,yǒng chuí bù xiǔ,eternal glory; will never be forgotten -永城,yǒng chéng,"Yongcheng, county-level city in Shangqiu 商丘[Shang1 qiu1], Henan" -永城市,yǒng chéng shì,"Yongcheng, county-level city in Shangqiu 商丘[Shang1 qiu1], Henan" -永寿,yǒng shòu,"Yongshou County in Xianyang 咸陽|咸阳[Xian2 yang2], Shaanxi" -永寿县,yǒng shòu xiàn,"Yongshou County in Xianyang 咸陽|咸阳[Xian2 yang2], Shaanxi" -永存,yǒng cún,everlasting; to endure forever -永安,yǒng ān,"Yong'an, a county-level city in Sanming City 三明市[San1ming2 Shi4], Fujian; Yong'an, the name of numerous other places" -永安市,yǒng ān shì,"Yong'an, a county-level city in Sanming City 三明市[San1ming2 Shi4], Fujian" -永安乡,yǒng ān xiāng,"Yong'an or Yung'an township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -永定,yǒng dìng,"Yongding, county-level city in Longyan 龍岩|龙岩, Fujian; Yongding district of Zhangjiajie city 張家界市|张家界市[Zhang1 jia1 jie4 shi4], Hunan" -永定区,yǒng dìng qū,"Yongding district of Zhangjiajie city 張家界市|张家界市[Zhang1 jia1 jie4 shi4], Hunan" -永定河,yǒng dìng hé,Yongding River to the West of Beijing -永定县,yǒng dìng xiàn,"Yongding county in Longyan 龍岩|龙岩, Fujian" -永定门,yǒng dìng mén,"Yongdingmen, front gate of the outer section of Beijing's old city wall, torn down in the 1950s and reconstructed in 2005" -永宁,yǒng níng,"Yongning county in Yinchuan 銀川|银川[Yin2 chuan1], Ningxia" -永宁县,yǒng níng xiàn,"Yongning county in Yinchuan 銀川|银川[Yin2 chuan1], Ningxia" -永居,yǒng jū,permanent residency (abbr. for 永久居留權|永久居留权[yong3 jiu3 ju1 liu2 quan2]) -永川,yǒng chuān,"Yongchuan, a district of Chongqing 重慶|重庆[Chong2qing4]" -永川区,yǒng chuān qū,"Yongchuan, a district of Chongqing 重慶|重庆[Chong2qing4]" -永州,yǒng zhōu,"Yongzhou, prefecture-level city in Hunan" -永州市,yǒng zhōu shì,"Yongzhou, prefecture-level city in Hunan" -永平,yǒng píng,"Yongping county in Dali Bai autonomous prefecture 大理白族自治州[Da4 li3 Bai2 zu2 zi4 zhi4 zhou1], Yunnan" -永平县,yǒng píng xiàn,"Yongping county in Dali Bai autonomous prefecture 大理白族自治州[Da4 li3 Bai2 zu2 zi4 zhi4 zhou1], Yunnan" -永年,yǒng nián,"Yongnian county in Handan 邯鄲|邯郸[Han2 dan1], Hebei" -永年县,yǒng nián xiàn,"Yongnian county in Handan 邯鄲|邯郸[Han2 dan1], Hebei" -永康,yǒng kāng,"Yongkang, county-level city in Jinhua 金華|金华[Jin1 hua2], Zhejiang; Yungkang city in Tainan county 台南縣|台南县[Tai2 nan2 xian4], Taiwan" -永康市,yǒng kāng shì,"Yongkang, county-level city in Jinhua 金華|金华[Jin1 hua2], Zhejiang; Yungkang city in Tainan county 台南縣|台南县[Tai2 nan2 xian4], Taiwan" -永德,yǒng dé,"Yongde county in Lincang 臨滄|临沧[Lin2 cang1], Yunnan" -永德县,yǒng dé xiàn,"Yongde county in Lincang 臨滄|临沧[Lin2 cang1], Yunnan" -永志不忘,yǒng zhì bù wàng,never to be forgotten -永恒,yǒng héng,eternal; everlasting; fig. to pass into eternity (i.e. to die) -永新,yǒng xīn,"Yongxin county in Ji'an 吉安, Jiangxi" -永新县,yǒng xīn xiàn,"Yongxin county in Ji'an 吉安, Jiangxi" -永昌,yǒng chāng,"Yongchang county in Jinchang 金昌[Jin1 chang1], Gansu 甘肅|甘肃[Gan1 su4]; ancient prefecture in Yunnan 雲南|云南[Yun2 nan2], modern Baoshan 保山[Bao3 shan1]" -永昌县,yǒng chāng xiàn,"Yongchang county in Jinchang 金昌[Jin1 chang1], Gansu" -永春,yǒng chūn,"Yongchun County in Quanzhou 泉州[Quan2 zhou1], Fujian" -永春县,yǒng chūn xiàn,"Yongchun County in Quanzhou 泉州[Quan2 zhou1], Fujian" -永乐,yǒng lè,"Yongle Emperor, reign name of third Ming emperor Zhu Di 朱棣[Zhu1 Di4] (1360-1424), reigned 1403-1424, temple name 明成祖[Ming2 Cheng2 zu3]" -永乐大典,yǒng lè dà diǎn,the Yongle Great Encyclopedia (1408) -永永远远,yǒng yǒng yuǎn yuǎn,for ever and ever -永泰,yǒng tài,"Yongtai, a county in Fuzhou City 福州市[Fu2zhou1 Shi4], Fujian" -永泰县,yǒng tài xiàn,"Yongtai, a county in Fuzhou City 福州市[Fu2zhou1 Shi4], Fujian" -永清,yǒng qīng,"Yongqing county in Langfang 廊坊[Lang2 fang2], Hebei" -永清县,yǒng qīng xiàn,"Yongqing county in Langfang 廊坊[Lang2 fang2], Hebei" -永济,yǒng jì,"Yongji, county-level city in Yuncheng 運城|运城[Yun4 cheng2], Shanxi" -永济市,yǒng jì shì,"Yongji, county-level city in Yuncheng 運城|运城[Yun4 cheng2], Shanxi" -永无宁日,yǒng wú níng rì,(in such circumstances) there will be no peace; one can never breathe easy -永无止境,yǒng wú zhǐ jìng,without end; never-ending -永珍,yǒng zhēn,"Vientiane, capital of Laos (Tw)" -永生,yǒng shēng,to live forever; eternal life; all one's life -永登,yǒng dēng,"Yongdeng county in Lanzhou 蘭州|兰州[Lan2 zhou1], Gansu" -永登县,yǒng dēng xiàn,"Yongdeng county in Lanzhou 蘭州|兰州[Lan2 zhou1], Gansu" -永眠,yǒng mián,eternal rest (i.e. death) -永矢,yǒng shǐ,forever -永磁,yǒng cí,permanent magnetism -永福,yǒng fú,"Yongfu county in Guilin 桂林[Gui4 lin2], Guangxi" -永福县,yǒng fú xiàn,"Yongfu county in Guilin 桂林[Gui4 lin2], Guangxi" -永续,yǒng xù,sustainable; perpetual -永续城市,yǒng xù chéng shì,sustainable city (Tw) -永兴,yǒng xīng,"Yongxing county in Chenzhou 郴州[Chen1 zhou1], Hunan" -永兴县,yǒng xīng xiàn,"Yongxing county in Chenzhou 郴州[Chen1 zhou1], Hunan" -永诀,yǒng jué,to part forever; eternal parting (i.e. death) -永诀式,yǒng jué shì,funeral -永丰,yǒng fēng,"Yongfeng county in Ji'an 吉安, Jiangxi" -永丰县,yǒng fēng xiàn,"Yongfeng county in Ji'an 吉安, Jiangxi" -永贞内禅,yǒng zhēn nèi shàn,Yongzhen abdication of 805 -永贞革新,yǒng zhēn gé xīn,"Yongzhen Reform, Tang dynasty failed reform movement of 805 led by Wang Shuwen 王叔文[Wang2 Shu1 wen2]" -永逝,yǒng shì,gone forever; to die -永远,yǒng yuǎn,forever; eternal -永靖,yǒng jìng,"Yongjing County in Linxia Hui Autonomous Prefecture 臨夏回族自治州|临夏回族自治州[Lin2 xia4 Hui2 zu2 Zi4 zhi4 zhou1], Gansu; Yongjing or Yungching Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -永靖县,yǒng jìng xiàn,"Yongjing County in Linxia Hui Autonomous Prefecture 臨夏回族自治州|临夏回族自治州[Lin2 xia4 Hui2 zu2 Zi4 zhi4 zhou1], Gansu" -永靖乡,yǒng jìng xiāng,"Yongjing or Yungching Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -永顺,yǒng shùn,Yongshun County in Xiangxi Tujia and Miao Autonomous Prefecture 湘西土家族苗族自治州[Xiang1 xi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1] -永顺县,yǒng shùn xiàn,Yongshun County in Xiangxi Tujia and Miao Autonomous Prefecture 湘西土家族苗族自治州[Xiang1 xi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1] -氹,dàng,variant of 凼[dang4] -氹仔,dàng zǎi,"Taipa, an island of Macau" -氺,shuǐ,archaic variant of 水[shui3] -氽,tǔn,to float; to deep-fry -氽汤,tǔn tāng,to prepare a soup -氽烫,tǔn tàng,to blanch (cooking) -泛,fàn,variant of 泛[fan4] -氿,guǐ,mountain spring -汀,tīng,sandbar; shoal; sandbank -汀曲,tīng qū,a bend in a stream -汀洲,tīng zhōu,shoal; islet in a stream -汀渚,tīng zhǔ,shoal; islet in a stream -汀线,tīng xiàn,lines formed by waves on a beach -汁,zhī,juice -汁水,zhī shuǐ,(dialect) juice -汁液,zhī yè,juice -求,qiú,to seek; to look for; to request; to demand; to beseech -求之不得,qiú zhī bù dé,lit. seek but fail to get (idiom); fig. exactly what one’s been looking for -求乞,qiú qǐ,to beg -求人,qiú rén,to ask for help; to ask a favor; to recruit talented people -求人不如求己,qiú rén bù rú qiú jǐ,"if you want sth done well, do it yourself (idiom)" -求仁得仁,qiú rén dé rén,lit. to seek virtue and acquire it (idiom); fig. to have one's wish fulfilled -求值,qiú zhí,"(math.) to evaluate (an expression, function etc)" -求偶,qiú ǒu,to seek a marriage partner; (of an animal) to seek a mate; to court -求偿,qiú cháng,to seek compensation; indemnity -求全责备,qiú quán zé bèi,to demand perfection (idiom) -求助,qiú zhù,to request help; to appeal (for help) -求助于人,qiú zhù yú rén,to call upon others for help -求取,qiú qǔ,to seek after; to strive for -求同,qiú tóng,to seek consensus; to seek conformity -求同存异,qiú tóng cún yì,"to seek common ground, putting differences aside (idiom)" -求告,qiú gào,to implore; to beseech -求和,qiú hé,to sue for peace; to look for a draw (chess); summation (math.) -求好心切,qiú hǎo xīn qiè,to demand the highest standards of sb (or oneself) (idiom); to strive to achieve the best possible results; to be a perfectionist -求婚,qiú hūn,to propose marriage -求子,qiú zǐ,(of a childless couple) to pray for a son; to try to have a child -求存,qiú cún,survival; the struggle to eke out a living; to seek for continued existence -求学,qiú xué,to pursue one's studies; to attend school; to seek knowledge -求学无坦途,qiú xué wú tǎn tú,The path of learning can never be smooth.; There is no royal road to learning. (idiom) -求导,qiú dǎo,to find the derivative (math.) -求得,qiú dé,to ask for sth and receive it; to try to obtain; to look for and obtain -求情,qiú qíng,to plea for leniency; to ask for a favor -求情告饶,qiú qíng gào ráo,to beg for forgiveness (idiom) -求爱,qiú ài,to woo -求怜经,qiú lián jīng,Kyrie Eleison (section of Catholic mass); Miserere nobis; Lord have mercy upon us -求援,qiú yuán,to ask for help -求救,qiú jiù,to seek help (when in distress or having difficulties) -求教,qiú jiào,to ask for advice; seeking instruction -求是,qiú shì,to seek the truth -求欢,qiú huān,to proposition a woman -求爷爷告奶奶,qiú yé ye gào nǎi nai,lit. to beg grandpa and call on grandma (idiom); fig. to go about begging for help -求生,qiú shēng,to seek survival; to possess the will to live -求生意志,qiú shēng yì zhì,the will to live -求田问舍,qiú tián wèn shè,lit. to be interested exclusively in the acquisition of estate (idiom); fig. to have no lofty aspirations in life -求知,qiú zhī,anxious to learn; keen for knowledge -求知欲,qiú zhī yù,desire for knowledge -求索,qiú suǒ,to search for sth; to seek; to quest; to explore -求职,qiú zhí,to seek employment -求职信,qiú zhí xìn,cover letter; job application -求职者,qiú zhí zhě,job applicant -求亲,qiú qīn,to make an offer of marriage (to another family on behalf of one's son or daughter); to seek a marriage alliance -求亲靠友,qiú qīn kào yǒu,to rely on the help of relatives and friends -求解,qiú jiě,to require a solution; to seek to solve (an equation) -求证,qiú zhèng,to seek proof; to seek confirmation -求购,qiú gòu,to seek to purchase; to be looking to buy (sth) -求道于盲,qiú dào yú máng,see 問道於盲|问道于盲[wen4 dao4 yu2 mang2] -求医,qiú yī,to seek medical treatment; to see a doctor -求医癖,qiú yī pǐ,Munchausen syndrome -求锤得锤,qiú chuí dé chuí,(neologism c. 2017) (slang) to demand proof of what one believes to be an unfounded accusation only to have irrefutable evidence duly supplied -求饶,qiú ráo,to beg forgiveness -汆,cuān,quick-boil; to boil for a short time -汊,chà,branching stream -泛,fàn,variant of 泛[fan4] -汐,xī,night tides; evening ebbtide; Taiwan pr. [xi4] -汐止,xī zhǐ,"Xizhi or Hsichih city in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -汐止市,xī zhǐ shì,"Xizhi or Hsichih city in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -汔,qì,near -汕,shàn,bamboo fish trap; used in names of places connected with Shantou 汕頭|汕头[Shan4 tou2] -汕尾,shàn wěi,"Shanwei, prefecture-level city in Guangdong" -汕尾市,shàn wěi shì,"Shanwei, prefecture-level city in Guangdong province" -汕头,shàn tóu,"Shantou (formerly romanized as Swatow), prefecture-level city in Guangdong" -汕头大学,shàn tóu dà xué,Shantou University -汕头市,shàn tóu shì,Shantou prefecture-level city in Guangdong -汗,hán,"see 可汗[ke4 han2], 汗國|汗国[han2 guo2]" -汗,hàn,"perspiration; sweat; CL:滴[di1],頭|头[tou2],身[shen1]; to be speechless (out of helplessness, embarrassment etc) (Internet slang used as an interjection)" -汗国,hán guó,khanate (Mongol state) -汗如雨下,hàn rú yǔ xià,sweating like rain (idiom); to perspire profusely; sweating like a pig -汗孔,hàn kǒng,sweat pore -汗斑,hàn bān,"common name for 花斑癬|花斑癣[hua1 ban1 xuan3], tinea versicolor" -汗毛,hàn máo,hair; soft hair; down -汗毛孔,hàn máo kǒng,sweat pore -汗水,hàn shuǐ,sweat; perspiration -汗津津,hàn jīn jīn,sweaty -汗流浃背,hàn liú jiā bèi,to sweat profusely (idiom); drenched in sweat -汗液,hàn yè,sweat -汗漫,hàn màn,vast; without boundaries; power (of a river or ocean) -汗牛充栋,hàn niú chōng dòng,lit. enough books to make a pack-ox sweat or to fill a house to the rafters (idiom); fig. many books -汗珠,hàn zhū,beads of sweat -汗珠子,hàn zhū zi,beads of sweat -汗粒,hàn lì,bead of sweat -汗背心,hàn bèi xīn,tank top; sleeveless undershirt -汗腺,hàn xiàn,sweat gland -汗臭,hàn chòu,body odor -汗血宝马,hàn xuè bǎo mǎ,Ferghana horse -汗血马,hàn xuè mǎ,(in ancient times) Ferghana horse; (later) fine horse -汗衫,hàn shān,vest; undershirt; shirt -汗褂儿,hàn guà er,undershirt -汗褟儿,hàn tā er,undershirt (dialect) -汗颜,hàn yán,to blush with shame (literary) -汗马,hàn mǎ,(lit.) to exert one's horse; (fig.) war exploits; warhorse (abbr. for 汗血馬|汗血马[han4 xue4 ma3]) -汗马功劳,hàn mǎ gōng láo,war exploits; (fig.) heroic contribution -汗腾格里峰,hán téng gé lǐ fēng,Khan Tengri or Mt Hantengri on the border between Xinjiang and Kazakhstan -污垢,wū gòu,dirt; filth; grime -污,wū,variant of 污[wu1] -汛,xùn,high water; flood; to sprinkle water -汛情,xùn qíng,water levels during the flood season -汛期,xùn qī,flood season -汜,sì,stream which returns after branching -汝,rǔ,thou -汝南,rǔ nán,"Runan county in Zhumadian 駐馬店|驻马店[Zhu4 ma3 dian4], Henan" -汝南县,rǔ nán xiàn,"Runan county in Zhumadian 駐馬店|驻马店[Zhu4 ma3 dian4], Henan" -汝城,rǔ chéng,"Rucheng county in Chenzhou 郴州[Chen1 zhou1], Hunan" -汝城县,rǔ chéng xiàn,"Rucheng county in Chenzhou 郴州[Chen1 zhou1], Hunan" -汝州,rǔ zhōu,"Ruzhou, county-level city in Pingdingshan 平頂山|平顶山[Ping2 ding3 shan1], Henan" -汝州市,rǔ zhōu shì,"Ruzhou, county-level city in Pingdingshan 平頂山|平顶山[Ping2 ding3 shan1], Henan" -汝阳,rǔ yáng,"Ruyang county in Luoyang 洛陽|洛阳, Henan" -汝阳县,rǔ yáng xiàn,"Ruyang county in Luoyang 洛陽|洛阳, Henan" -汞,gǒng,mercury (chemistry) -汞溴红,gǒng xiù hóng,merbromin; mercurochrome -汞灯,gǒng dēng,mercury-vapor lamp -江,jiāng,surname Jiang -江,jiāng,"river; CL:條|条[tiao2],道[dao4]" -江八点,jiāng bā diǎn,"Jiang Zemin's 江澤民|江泽民[Jiang1 Ze2min2] eight propositions on developing relations between the two sides of the Taiwan Straits, presented in a 1995 speech" -江北,jiāng běi,"Jiangbei, a district of Chongqing 重慶|重庆[Chong2qing4]; Chongqing's main airport; Jiangbei, a district of Ningbo City 寧波市|宁波市[Ning2bo1 Shi4], Zhejiang" -江北区,jiāng běi qū,"Jiangbei, a district of Chongqing 重慶|重庆[Chong2qing4]; Jiangbei, a district of Ningbo City 寧波市|宁波市[Ning2bo1 Shi4], Zhejiang" -江南,jiāng nán,"south of Changjiang or Yangtze river; south of the lower reaches of Changjiang; often refers to south Jiangsu, south Anhui and north Zhejiang provinces; a province during Qing times; in literature, refers to the sunny south; Gangnam (district in Seoul, South Korea)" -江南区,jiāng nán qū,"Jiangnan District of Nanning city 南寧市|南宁市[Nan2 ning2 Shi4], Guangxi; Gangnam District, Seoul" -江南四大才子,jiāng nán sì dà cái zǐ,"Four great southern talents of the Ming, namely: Tang Bohu 唐伯虎, Zhu Zhishan 祝枝山, Wen Zhengming 文徵明|文征明 and Xu Zhenqing 徐禎卿|徐祯卿" -江南大学,jiāng nán dà xué,Jiangnan University (Jiangsu Province) -江南水乡,jiāng nán shuǐ xiāng,"patchwork of waterways, esp. in Jiangsu" -江南省,jiāng nán shěng,"name of Qing dynasty province covering south Jiangsu, south Anhui and north Zhejiang provinces, with capital at Nanjing" -江原道,jiāng yuán dào,"Gangwon Province of Korea during Joseon Dynasty; Kangwon province of North Korea; Gangwon province in northeast South Korea, capital Chuncheon 春川[Chun1 chuan1]" -江口,jiāng kǒu,"Jiangkou, a county in Tongren 銅仁市|铜仁市[Tong2ren2 Shi4], Guizhou" -江口县,jiāng kǒu xiàn,"Jiangkou, a county in Tongren 銅仁市|铜仁市[Tong2ren2 Shi4], Guizhou" -江城区,jiāng chéng qū,"Jiangcheng district of Yangjiang city 陽江市|阳江市[Yang2 jiang1 shi4], Guangdong" -江城哈尼族彝族自治县,jiāng chéng hā ní zú yí zú zì zhì xiàn,"Jiangcheng Hani and Yi autonomous county in Pu'er 普洱[Pu3 er3], Yunnan" -江城县,jiāng chéng xiàn,"Jiangcheng Hani and Yi autonomous county in Pu'er 普洱[Pu3 er3], Yunnan" -江夏,jiāng xià,"Jiangxia district of Wuhan city 武漢市|武汉市[Wu3 han4 shi4], Hubei" -江夏区,jiāng xià qū,"Jiangxia district of Wuhan city 武漢市|武汉市[Wu3 han4 shi4], Hubei" -江孜,jiāng zī,"Gyangzê town and county, Tibetan: Rgyal rtse, in Shigatse prefecture, Tibet" -江孜县,jiāng zī xiàn,"Gyangzê county, Tibetan: Rgyal rtse rdzong, in Shigatse prefecture, Tibet" -江孜镇,jiāng zī zhèn,"Gyangzê town, Tibetan: Rgyal rtse, in Shigatse prefecture, Tibet" -江安,jiāng ān,"Jiang'an county in Yibin 宜賓|宜宾[Yi2 bin1], Sichuan" -江安县,jiāng ān xiàn,"Jiang'an county in Yibin 宜賓|宜宾[Yi2 bin1], Sichuan" -江宁,jiāng níng,Jiangning district of Nanjing City 南京市 in Jiangsu 江蘇|江苏 -江宁区,jiāng níng qū,Jiangning district of Nanjing City 南京市 in Jiangsu 江蘇|江苏 -江山,jiāng shān,"Jiangshan, county-level city in Quzhou 衢州[Qu2 zhou1], Zhejiang" -江山,jiāng shān,rivers and mountains; landscape; country; state power -江山市,jiāng shān shì,"Jiangshan, county-level city in Quzhou 衢州[Qu2 zhou1], Zhejiang" -江山易改禀性难移,jiāng shān yì gǎi bǐng xìng nán yí,"rivers and mountains are easy to change, man's character much harder" -江岸,jiāng àn,"Jiang'an district of Wuhan city 武漢市|武汉市[Wu3 han4 shi4], Hubei" -江岸区,jiāng àn qū,"Jiang'an district of Wuhan city 武漢市|武汉市[Wu3 han4 shi4], Hubei" -江川,jiāng chuān,"Jiangchuan county in Yuxi 玉溪[Yu4 xi1], Yunnan" -江川县,jiāng chuān xiàn,"Jiangchuan county in Yuxi 玉溪[Yu4 xi1], Yunnan" -江州,jiāng zhōu,"Jiangzhou district of Chongzuo city 崇左市[Chong2 zuo3 shi4], Guangxi" -江州区,jiāng zhōu qū,"Jiangzhou district of Chongzuo city 崇左市[Chong2 zuo3 shi4], Guangxi" -江干,jiāng gān,"Jianggan District of Hangzhou city 杭州市[Hang2 zhou1 shi4], Zhejiang" -江干区,jiāng gān qū,"Jianggan District of Hangzhou city 杭州市[Hang2 zhou1 shi4], Zhejiang" -江平,jiāng píng,"Jiang Ping (1920-), academic lawyer, writer on ethnicity and legal systems" -江户,jiāng hù,Edo (old name of Tokyo) -江东,jiāng dōng,"Jiangdong district of Ningbo city 寧波市|宁波市[Ning2 bo1 shi4], Zhejiang" -江东区,jiāng dōng qū,"Jiangdong district of Ningbo city 寧波市|宁波市[Ning2 bo1 shi4], Zhejiang" -江水,jiāng shuǐ,river water -江永,jiāng yǒng,"Jiangyong county in Yongzhou 永州[Yong3 zhou1], Hunan" -江永县,jiāng yǒng xiàn,"Jiangyong county in Yongzhou 永州[Yong3 zhou1], Hunan" -江河,jiāng hé,Yangtze and Yellow rivers -江河,jiāng hé,river -江河日下,jiāng hé rì xià,rivers pour away by the day (idiom); going from bad to worse; deteriorating day by day -江河湖海,jiāng hé hú hǎi,"rivers, lakes and oceans; bodies of water" -江油,jiāng yóu,"Jiangyou prefecture-level city in Mianyang 綿陽|绵阳[Mian2 yang2], north Sichuan" -江油市,jiāng yóu shì,"Jiangyou prefecture-level city in Mianyang 綿陽|绵阳[Mian2 yang2], north Sichuan" -江津,jiāng jīn,"Jiangjin, a district of Chongqing 重慶|重庆[Chong2qing4]" -江津区,jiāng jīn qū,"Jiangjin, a district of Chongqing 重慶|重庆[Chong2qing4]" -江流,jiāng liú,river; river flow; current -江浙,jiāng zhè,abbr. for Jiangsu 江蘇|江苏[Jiang1 su1] and Zhejiang 浙江[Zhe4 jiang1] -江浦,jiāng pǔ,"Jiangpu county, old name of Pukou district 浦口區|浦口区[Pu3 kou3 qu1] of Nanjing, Jiangsu" -江浦县,jiāng pǔ xiàn,"Jiangpu county, old name of Pukou district 浦口區|浦口区[Pu3 kou3 qu1] of Nanjing, Jiangsu" -江海,jiāng hǎi,"Jianghai district of Jiangmen city 江門市|江门市, Guangdong" -江海区,jiāng hǎi qū,"Jianghai district of Jiangmen city 江門市|江门市, Guangdong" -江淮官话,jiāng huái guān huà,Jianghuai Mandarin -江湖,jiāng hú,"rivers and lakes; all corners of the country; remote areas to which hermits retreat; section of society operating independently of mainstream society, out of reach of the law; the milieu in which wuxia tales play out (cf. 武俠|武侠[wu3 xia2]); (in late imperial times) world of traveling merchants, itinerant doctors, fortune tellers etc; demimonde; (in modern times) triads; secret gangster societies; underworld" -江湖一点诀,jiāng hú yī diǎn jué,special technique; trick of the trade; knack -江湖艺人,jiāng hú yì rén,itinerant entertainer -江湖医生,jiāng hú yī shēng,quack; charlatan; itinerant doctor and swindler -江湖骗子,jiāng hú piàn zi,swindler; itinerant con-man -江源,jiāng yuán,"Jiangyuan district in Baishan city 白山市, Jilin" -江源,jiāng yuán,river source -江源区,jiāng yuán qū,"Jiangyuan district in Baishan city 白山市, Jilin" -江汉,jiāng hàn,"Jianghan district of Wuhan city 武漢市|武汉市[Wu3 han4 shi4], Hubei" -江汉区,jiāng hàn qū,"Jianghan district of Wuhan city 武漢市|武汉市[Wu3 han4 shi4], Hubei" -江泽民,jiāng zé mín,"Jiang Zemin (1926-2022), politician, president of PRC 1993-2003" -江珧柱,jiāng yáo zhù,(seafood) adductor muscle of a scallop or pen shell -江畔,jiāng pàn,riverbank -江米,jiāng mǐ,polished glutinous rice -江米酒,jiāng mǐ jiǔ,glutinous rice wine; fermented glutinous rice -江华瑶族自治县,jiāng huá yáo zú zì zhì xiàn,"Jianghua Yaozu autonomous county in Yongzhou 永州[Yong3 zhou1], Hunan" -江华县,jiāng huá xiàn,"Jianghua Yaozu autonomous county in Yongzhou 永州[Yong3 zhou1], Hunan" -江苏,jiāng sū,"Jiangsu province (Kiangsu) in southeast China, abbr. 蘇|苏, capital Nanjing 南京" -江苏省,jiāng sū shěng,"Jiangsu Province (Kiangsu) in southeast China, abbr. 蘇|苏[Su1], capital Nanjing 南京[Nan2 jing1]" -江蓠,jiāng lí,"red algae; Gracilaria, several species, some edible; Japanese ogonori" -江西,jiāng xī,"Jiangxi province (Kiangsi) in southeast China, abbr. 贛|赣[Gan4], capital Nanchang 南昌[Nan2 chang1]" -江西省,jiāng xī shěng,"Jiangxi Province (Kiangsi) in southeast China, abbr. 贛|赣[Gan4], capital Nanchang 南昌[Nan2 chang1]" -江豚,jiāng tún,river dolphin -江猪,jiāng zhū,"Chinese river dolphin, Lipotes vexillifer" -江轮,jiāng lún,river steamer -江达,jiāng dá,"Jomdo county, Tibetan: 'Jo mda' rdzong, in Chamdo prefecture 昌都地區|昌都地区[Chang1 du1 di4 qu1], Tibet" -江达县,jiāng dá xiàn,"Jomdo county, Tibetan: 'Jo mda' rdzong, in Chamdo prefecture 昌都地區|昌都地区[Chang1 du1 di4 qu1], Tibet" -江边,jiāng biān,river bank -江郎才尽,jiāng láng cái jìn,Jiang Yan has exhausted his talent (idiom); fig. to have used up one's creative powers; to have writer's block -江都,jiāng dū,"Jiangdu, county-level city in Yangzhou 揚州|扬州[Yang2 zhou1], Jiangsu" -江都市,jiāng dū shì,"Jiangdu, county-level city in Yangzhou 揚州|扬州[Yang2 zhou1], Jiangsu" -江酌之喜,jiāng zhuó zhī xǐ,feast at the birth of a child -江门,jiāng mén,Jiangmen prefecture-level city in Guangdong -江门市,jiāng mén shì,Jiangmen prefecture-level city in Guangdong -江阴,jiāng yīn,"Jiangyin, county-level city in Wuxi 無錫|无锡[Wu2 xi1], Jiangsu" -江阴市,jiāng yīn shì,"Jiangyin, county-level city in Wuxi 無錫|无锡[Wu2 xi1], Jiangsu" -江陵,jiāng líng,"Jiangling county in Jingzhou 荊州|荆州[Jing1 zhou1], Hubei" -江陵县,jiāng líng xiàn,"Jiangling county in Jingzhou 荊州|荆州[Jing1 zhou1], Hubei" -江阳区,jiāng yáng qū,"Jiangyang district of Luzhou city 瀘州市|泸州市[Lu2 zhou1 shi4], Sichuan" -江青,jiāng qīng,"Jiang Qing (1914-1991), Mao Zedong's fourth wife and leader of the Gang of Four" -江面,jiāng miàn,the surface of the river -池,chí,surname Chi -池,chí,pond; reservoir; moat -池上,chí shàng,"Chihshang or Chihshang township in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan" -池上乡,chí shàng xiāng,"Chishang or Chihshang township in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan" -池中物,chí zhōng wù,person of no particular talent -池塘,chí táng,pool; pond -池子,chí zi,pond; bathhouse pool; dance floor of a ballroom; (old) stalls (front rows in a theater) -池州,chí zhōu,Chizhou prefecture-level city in Anhui -池州市,chí zhōu shì,Chizhou prefecture-level city in Anhui -池沼,chí zhǎo,pool; pond -池汤,chí tāng,large pool in a bathhouse -池田,chí tián,Ikeda (Japanese surname) -池鹭,chí lù,(bird species of China) Chinese pond heron (Ardeola bacchus) -池盐,chí yán,salt from a salt lake -污,wū,dirty; filthy; foul; corrupt; to smear; to defile; dirt; filth -污七八糟,wū qī bā zāo,variant of 烏七八糟|乌七八糟[wu1 qi1 ba1 zao1] -污名,wū míng,bad reputation; stigma -污名化,wū míng huà,to stigmatize -污吏,wū lì,a corrupt official -污垢,wū gòu,filth -污损,wū sǔn,to contaminate -污染,wū rǎn,to pollute; to contaminate (lit. and fig.) -污染区,wū rǎn qū,contaminated area -污染物,wū rǎn wù,pollutant -污水,wū shuǐ,sewage -污水坑,wū shuǐ kēng,cesspit -污水管,wū shuǐ guǎn,sewage pipe -污水处理厂,wū shuǐ chǔ lǐ chǎng,water treatment plant -污泥,wū ní,mud; sludge -污渍,wū zì,stain -污浊,wū zhuó,dirty; muddy; foul (sewer) -污痕,wū hén,blot -污秽,wū huì,(literary) dirty; filthy; (literary) dirt; filth -污糟,wū zāo,filthy; unhygienic; squalid; gross -污蔑,wū miè,variant of 污衊|污蔑[wu1 mie4] -污蔑,wū miè,to slander; to smear; to tarnish -污言秽语,wū yán huì yǔ,(idiom) filthy speech; obscenities -污迹,wū jì,blotch; stain -污辱,wū rǔ,to humiliate; to insult; to tarnish; to sully -污点,wū diǎn,stain; taint -汧,qiān,name of a river flowing through Gansu to Shaanxi Province -汧,qiān,marsh; float -汨,mì,"name of a river, the southern tributary of Miluo river 汨羅江|汨罗江[Mi4 luo2 jiang1]" -汨水,mì shuǐ,"name of a river, the southern tributary of Miluo river 汨羅江|汨罗江[Mi4 luo2 jiang1]" -汨罗,mì luó,"Miluo city in Hunan; Miluo river in Hunan, famous for Dragon Boat festival" -汨罗市,mì luó shì,"Miluo county-level city in Yueyang prefecture 岳陽|岳阳, Hunan" -汨罗江,mì luó jiāng,"Miluo river in Jiangxi and Hunan provinces, flows into Dongting lake" -汩,gǔ,confused; extinguished; (onom.) used in 汩汩[gu3 gu3] -汩汩,gǔ gǔ,(onom.) gurgling sound of flowing water -汪,wāng,surname Wang -汪,wāng,"expanse of water; ooze; (onom.) bark; classifier for liquids: pool, puddle" -汪啸风,wāng xiào fēng,"Wang Xiaofeng (1944-), fourth governor of Hainan" -汪星人,wāng xīng rén,dog (Internet slang) -汪东城,wāng dōng chéng,"Jiro Wang (1981-), Taiwanese singer and actor" -汪汪,wāng wāng,gleaming with tears; woof woof (sound of a dog barking); (literary) (of a body of water) broad and deep -汪洋,wāng yáng,vast body of water; CL:片[pian4] -汪清,wāng qīng,"Wangqing County in Yanbian Korean Autonomous Prefecture 延邊朝鮮族自治州|延边朝鲜族自治州[Yan2 bian1 Chao2 xian3 zu2 Zi4 zhi4 zhou1], Jilin" -汪清县,wāng qīng xiàn,"Wangqing County in Yanbian Korean Autonomous Prefecture 延邊朝鮮族自治州|延边朝鲜族自治州[Yan2 bian1 Chao2 xian3 zu2 Zi4 zhi4 zhou1], Jilin" -汪精卫,wāng jīng wèi,"Wang Ching-wei (1883-1944), left-wing Guomingdang politician, subsequently Japanese collaborator" -汪道涵,wāng dào hán,"Wang Daohan (1915-2005), former president of the Association for Relations Across the Taiwan Straits" -汰,tài,to discard; to eliminate -汰旧换新,tài jiù huàn xīn,out with the old and in with the new (idiom) -汲,jí,surname Ji -汲,jí,to draw (water) -汲取,jí qǔ,to draw; to derive; to absorb -汲引,jí yǐn,to draw water; (fig.) to promote sb to a more senior position -汲水,jí shuǐ,to draw water -汴,biàn,name of a river in Henan; Henan -汴京,biàn jīng,"Bianjing, Northern Song capital, now called Kaifeng 開封|开封[Kai1 feng1], Henan" -汴州,biàn zhōu,old name of Kaifeng 開封|开封[Kai1 feng1] -汴梁,biàn liáng,old name of Kaifeng 開封|开封[Kai1 feng1] -汶,wèn,"Wen River in northwest Sichuan (same as 汶川); classical name of river in Shandong, used to refer to Qi 齊國|齐国" -汶上,wèn shàng,"Wenshang County in Jining 濟寧|济宁[Ji3 ning2], Shandong; classically, upper reaches of Wen River in Shandong, used to refer to Qi 齊國|齐国[Qi2 guo2]" -汶上县,wèn shàng xiàn,"Wenshang County in Jining 濟寧|济宁[Ji3 ning2], Shandong" -汶川,wèn chuān,"Wenchuan County (Tibetan: wun khron rdzong) in Ngawa Tibetan and Qiang Autonomous Prefecture 阿壩藏族羌族自治州|阿坝藏族羌族自治州[A1 ba4 Zang4 zu2 Qiang1 zu2 Zi4 zhi4 zhou1], northwest Sichuan" -汶川地震,wèn chuān dì zhèn,Great Sichuan Earthquake (2008) -汶川大地震,wèn chuān dà dì zhèn,Great Sichuan Earthquake (2008) -汶川县,wèn chuān xiàn,"Wenchuan County (Tibetan: wun khron rdzong) in Ngawa Tibetan and Qiang Autonomous Prefecture 阿壩藏族羌族自治州|阿坝藏族羌族自治州[A1 ba4 Zang4 zu2 Qiang1 zu2 Zi4 zhi4 zhou1], northwest Sichuan" -汶莱,wèn lái,"Brunei Darussalam, independent sultanate in northwest Borneo; also written 文萊|文莱" -决,jué,to decide; to determine; to execute (sb); (of a dam etc) to breach or burst; definitely; certainly -决一雌雄,jué yī cí xióng,see 一決雌雄|一决雌雄[yi1 jue2 ci2 xiong2] -决不,jué bù,not at all; simply (can) not -决胜,jué shèng,to determine victory; to obtain victory -决胜千里,jué shèng qiān lǐ,to be able to plan victory from a thousand miles away (idiom) -决胜负,jué shèng fù,to determine success or failure -决口,jué kǒu,(of a watercourse) to breach its banks; (of a dam) to burst -决定,jué dìng,"to decide (to do something); to resolve; decision; CL:個|个[ge4],項|项[xiang4]; certainly" -决定性,jué dìng xìng,decisive; conclusive -决定簇,jué dìng cù,determinant (causing immunological response); epitope -决定论,jué dìng lùn,determinism -决心,jué xīn,determination; resolution; determined; firm and resolute; to make up one's mind; CL:個|个[ge4] -决意,jué yì,to be determined -决战,jué zhàn,decisive battle; to fight a decisive battle; to fight for supremacy in ... -决断,jué duàn,to make a decision; resolution; decisiveness; resolute -决明,jué míng,(botany) cassia -决明子,jué míng zǐ,(botany) cassia seed -决策,jué cè,strategic decision; decision-making; policy decision; to determine policy -决策树,jué cè shù,decision tree -决策者,jué cè zhě,policymaker -决算,jué suàn,final account; to calculate the final bill; fig. to draw up plans to deal with sth -决绝,jué jué,to sever all relations with sb; determined; decisive -决而不行,jué ér bù xíng,making decisions without implementing them -决裂,jué liè,to rupture; to burst open; to break; to break off relations with; a rupture -决议,jué yì,a resolution; to pass a resolution -决议案,jué yì àn,resolution (of a meeting) -决赛,jué sài,finals (of a competition) -决选名单,jué xuǎn míng dān,short list -决堤,jué dī,(of a watercourse) to breach its dike; (of dikes) to collapse -决斗,jué dòu,to duel; a duel; decisive struggle -汽,qì,steam; vapor -汽修,qì xiū,auto repair -汽化,qì huà,to boil; to vaporize -汽化器,qì huà qì,carburetor; vaporizer -汽提,qì tí,stripping (chemistry) -汽暖,qì nuǎn,gas heating -汽水,qì shuǐ,soda pop; carbonated soft drink -汽油,qì yóu,gasoline -汽油机,qì yóu jī,gasoline engine -汽灯,qì dēng,gas lamp -汽碾,qì niǎn,steamroller -汽笛,qì dí,steam whistle; ship horn -汽缸,qì gāng,cylinder (of steam engine or internal combustion engine) -汽船,qì chuán,steamboat; steamship -汽艇,qì tǐng,motor boat -汽车,qì chē,car; automobile; bus; CL:輛|辆[liang4] -汽车夏利股份有限公司,qì chē xià lì gǔ fèn yǒu xiàn gōng sī,"Tianjin FAW Xiali Motor Company, Ltd., established 1997" -汽车展览会,qì chē zhǎn lǎn huì,car show; automobile expo -汽车厂,qì chē chǎng,car factory -汽车戏院,qì chē xì yuàn,drive-in theater -汽车技工,qì chē jì gōng,auto mechanic -汽车旅馆,qì chē lǚ guǎn,motel -汽车炸弹,qì chē zhà dàn,car bomb -汽车炸弹事件,qì chē zhà dàn shì jiàn,car bombing -汽车站,qì chē zhàn,bus stop; bus station -汽车号牌,qì chē hào pái,vehicle registration plate; license plate -汽轮机,qì lún jī,steam turbine -汽轮发电机,qì lún fā diàn jī,steam turbine electric generator -汽运,qì yùn,bus transport -汽配,qì pèi,auto parts -汽酒,qì jiǔ,sparkling wine -汽锅,qì guō,steamer (for cooking) -汽阀,qì fá,steam valve -汾,fén,name of a river -汾河,fén hé,Fen River -汾西,fén xī,"Fenxi county in Linfen 臨汾|临汾[Lin2 fen2], Shanxi" -汾西县,fén xī xiàn,"Fenxi county in Linfen 臨汾|临汾[Lin2 fen2], Shanxi" -汾酒,fén jiǔ,Fenjiu (sorghum-based Chinese liquor) -汾阳,fén yáng,"Fenyang, county-level city in Lüliang 呂梁|吕梁[Lu:3 liang2], Shanxi 山西" -汾阳市,fén yáng shì,"Fenyang, county-level city in Lüliang 呂梁|吕梁[Lu:3 liang2], Shanxi 山西" -沁,qìn,to seep; to percolate -沁人心脾,qìn rén xīn pí,to penetrate deeply into the heart (idiom); to gladden the heart; to refresh the mind -沁入,qìn rù,(usually of sth intangible) to seep into; to permeate -沁水,qìn shuǐ,"Qinshui county in Jincheng 晉城|晋城[Jin4 cheng2], Shanxi" -沁水县,qìn shuǐ xiàn,"Qinshui county in Jincheng 晉城|晋城[Jin4 cheng2], Shanxi" -沁源,qìn yuán,"Qinyuan County in Changzhi 長治|长治[Chang2zhi4], Shanxi" -沁源县,qìn yuán xiàn,"Qinyuan County in Changzhi 長治|长治[Chang2zhi4], Shanxi" -沁县,qìn xiàn,"Qin county in Changzhi 長治|长治[Chang2 zhi4], Shanxi" -沁阳,qìn yáng,"Qinyang, county-level city in Jiaozuo 焦作[Jiao1 zuo4], Henan" -沁阳市,qìn yáng shì,"Qinyang, county-level city in Jiaozuo 焦作[Jiao1 zuo4], Henan" -沂,yí,"Yi River, Shandong" -沂南,yí nán,"Yinan county in Linyi 臨沂|临沂[Lin2 yi2], Shandong" -沂南县,yí nán xiàn,"Yinan county in Linyi 臨沂|临沂[Lin2 yi2], Shandong" -沂水,yí shuǐ,"Yishui county in Linyi 臨沂|临沂[Lin2 yi2], Shandong" -沂水县,yí shuǐ xiàn,"Yishui county in Linyi 臨沂|临沂[Lin2 yi2], Shandong" -沂源,yí yuán,"Yiyuan county in Zibo 淄博[Zi1 bo2], Shandong" -沂源县,yí yuán xiàn,"Yiyuan county in Zibo 淄博[Zi1 bo2], Shandong" -沃,wò,fertile; rich; to irrigate; to wash (of river) -沃伦,wò lún,Warren (name) -沃克斯豪尔,wò kè sī háo ěr,Vauxhall (English car brand and city) -沃土,wò tǔ,fertile land -沃壤,wò rǎng,fertile soil -沃州,wò zhōu,Vaud province of Switzerland -沃水,wò shuǐ,Wo river in Shanxi -沃灌,wò guàn,to irrigate; to wash with water -沃尔夫,wò ěr fū,"Wolf, Woolf (name)" -沃尔夫斯堡,wò ěr fū sī bǎo,Wolfsburg -沃尔夫奖,wò ěr fū jiǎng,the Wolf Prize (for science and arts) -沃尔沃,wò ěr wò,Volvo (Swedish car company) -沃尔玛,wò ěr mǎ,"Wal-Mart, Walmart (retailer)" -沃尔芬森,wò ěr fēn sēn,"Wolfson, Wulfsohn etc (name)" -沃特森,wò tè sēn,Watson (name) -沃罗涅日,wò luó niè rì,"Voronezh, city in the southwest of European Russia" -沃衍,wò yǎn,rich and fertile (soil) -沃达丰,wò dá fēng,Vodafone (telephone company) -沃野,wò yě,fertile land -沃顿,wò dùn,Wharton (name) -沃饶,wò ráo,see 饒沃|饶沃[rao2 wo4] -沅,yuán,Yuan river in Guizhou and Hunan -沅水,yuán shuǐ,Yuan River -沅江,yuán jiāng,"river in Hunan, flowing into Lake Dongting 洞庭湖; Yuanjiang, county-level city in Yiyang 益陽|益阳[Yi4 yang2], Hunan" -沅江九肋,yuán jiāng jiǔ lèi,rare talent; lit. legendary nine-ribbed turtle of Yuan river -沅江市,yuán jiāng shì,"Yuanjiang, county-level city in Yiyang 益陽|益阳[Yi4 yang2], Hunan" -沅陵,yuán líng,"Yuanling county in Huaihua 懷化|怀化[Huai2 hua4], Hunan" -沅陵县,yuán líng xiàn,"Yuanling county in Huaihua 懷化|怀化[Huai2 hua4], Hunan" -沆,hàng,a ferry; fog; flowing -沆瀣,hàng xiè,(literary) evening mist -沆瀣一气,hàng xiè yī qì,to act in collusion (idiom); in cahoots with; villains will look after one another -沇,yǎn,surname Yan -沇,yǎn,archaic variant of 兗|兖[yan3] -沈,shěn,surname Shen -沈,chén,variant of 沉[chen2] -沈丘,shěn qiū,"Shenqiu county in Zhoukou 周口[Zhou1 kou3], Henan" -沈丘县,shěn qiū xiàn,"Shenqiu county in Zhoukou 周口[Zhou1 kou3], Henan" -沈北新,shěn běi xīn,"Shenbeixin district of Shenyang city 瀋陽市|沈阳市, Liaoning" -沈北新区,shěn běi xīn qū,"Shenbeixin district of Shenyang city 瀋陽市|沈阳市, Liaoning" -沈国放,shěn guó fàng,"Shen Guofang (1952-), PRC assistant minister of foreign affairs (2003-2005)" -沈从文,shěn cóng wén,"Shen Congwen (1902-1988), novelist" -沈复,shěn fù,"Shen Fu (1763-c. 1810), Qing dynasty writer, author of Six Records of a Floating Life 浮生六記|浮生六记[Fu2 Sheng1 Liu4 Ji4]" -沈括,shěn kuò,"Shen Kuo (1031-1095), Chinese polymath, scientist and statesman of Song dynasty, author of Dream Pool Essays 夢溪筆談|梦溪笔谈[Meng4 Xi1 Bi3 tan2]" -沈河,shěn hé,"Shenhe district of Shenyang city 瀋陽市|沈阳市, Liaoning" -沈河区,shěn hé qū,"Shenhe district of Shenyang city 瀋陽市|沈阳市, Liaoning" -沈莹,shěn yíng,"Shen Ying of Wu, governor (268-280) of coastal province of Wu and compiler of Seaboard Geographic Gazetteer 臨海水土誌|临海水土志" -沈约,shěn yuē,"Shen Yue (441-513), writer and historian during Liang of Southern dynasties 南朝梁, compiler of History of Song of the Southern dynasties 宋書|宋书" -沈葆桢,shěn bǎo zhēn,"Shen Baozhen (1820-1879), Qing Minister of the Navy, founded Fuzhou Naval College 船政學堂|船政学堂[Chuan2 zheng4 Xue2 tang2] in 1866" -沈鱼落雁,chén yú luò yàn,variant of 沉魚落雁|沉鱼落雁[chen2 yu2 luo4 yan4] -沉,chén,to submerge; to immerse; to sink; to keep down; to lower; to drop; deep; profound; heavy -沉不住气,chén bù zhù qì,to lose one's cool; to get impatient; unable to remain calm -沉井,chén jǐng,open caisson -沉住气,chén zhù qì,to keep cool; to stay calm -沉凝,chén níng,stagnant; congealed; fig. grave in manner; low (of voice) -沉吟,chén yín,to mutter to oneself irresolutely -沉寂,chén jì,silence; stillness -沉得住气,chén de zhù qì,to stay calm; to keep one's composure -沉思,chén sī,to contemplate; to ponder; contemplation; meditation -沉闷,chén mèn,oppressive (of weather); heavy; depressed; not happy; (of sound) dull; muffled -沉沉,chén chén,deeply; heavily -沉没,chén mò,to sink -沉没成本,chén mò chéng běn,sunk cost (economics) -沉浮,chén fú,lit. sinking and floating; to bob up and down on water; ebb and flow; fig. rise and fall; ups and downs of fortune; vicissitudes -沉浸,chén jìn,to soak; to permeate; to immerse -沉浸式,chén jìn shì,immersive -沉沦,chén lún,"to sink into (vice, depravity etc); to pass into oblivion; downfall; passing" -沉湎,chén miǎn,deeply immersed; fig. wallowing in; deeply engrossed in -沉湎酒色,chén miǎn jiǔ sè,to wallow in alcohol and sex (idiom); overindulgence in wine and women; an incorrigible drunkard and lecher -沉溺,chén nì,to indulge in; to wallow; absorbed in; deeply engrossed; addicted -沉潜,chén qián,to lurk under water; to immerse oneself in (study etc); to lie low; to keep a low profile; quiet; reserved; self-possessed -沉潭,chén tán,"to sink sb to the bottom of a pond (a kind of private punishment, especially for unfaithful wives)" -沉淀,chén diàn,(chemistry) to settle; to precipitate; (chemistry) sediment; precipitate; (fig.) to accumulate -沉淀物,chén diàn wù,precipitate; sediment -沉甸甸,chén diàn diàn,heavy -沉痛,chén tòng,grief; remorse; deep in sorrow; bitter (anguish); profound (condolences) -沉痼,chén gù,chronic illness; fig. deeply entrenched problem -沉疴,chén kē,grave disease -沉睡,chén shuì,to be fast asleep; (fig.) to lie dormant; to lie undiscovered -沉积,chén jī,sediment; deposit; sedimentation (geology) -沉积作用,chén jī zuò yòng,sedimentation (geology) -沉积岩,chén jī yán,sedimentary rock (geology) -沉积带,chén jī dài,sedimentary belt (geology) -沉积物,chén jī wù,sediment -沉稳,chén wěn,steady; calm; unflustered -沉箱,chén xiāng,caisson; sink box -沉缓,chén huǎn,unhurried; deliberate -沉船,chén chuán,shipwreck; sunken boat; sinking ship -沉船事故,chén chuán shì gù,a shipwreck; a sinking -沉落,chén luò,to sink; to fall -沉着,chén zhuó,steady; calm and collected; not nervous -沉着应战,chén zhuó yìng zhàn,to remain calm in the face of adversity (idiom) -沉迷,chén mí,to be engrossed; to be absorbed with; to lose oneself in; to be addicted to -沉邃,chén suì,deep and profound -沉醉,chén zuì,to become intoxicated -沉重,chén zhòng,heavy; hard; serious; critical -沉重打击,chén zhòng dǎ jī,to hit hard -沉降,chén jiàng,to subside; to cave in; subsidence -沉陷,chén xiàn,"to sink; to cave in; (of a building etc) to subside; (fig.) to get lost (in contemplation, daydreams etc)" -沉雷,chén léi,deep growling thunder -沉静,chén jìng,peaceful; quiet; calm; gentle -沉静寡言,chén jìng guǎ yán,see 沉默寡言[chen2 mo4 gua3 yan2] -沉香,chén xiāng,Chinese eaglewood; agarwood tree; lignum aloes (Aquilaria agallocha) -沉郁,chén yù,melancholy; gloomy -沉鱼落雁,chén yú luò yàn,"lit. fish sink, goose alights (idiom, from Zhuangzi 莊子|庄子[Zhuang1 zi3]); fig. female beauty captivating even the birds and beasts" -沉默,chén mò,taciturn; uncommunicative; silent -沉默寡言,chén mò guǎ yán,habitually silent (idiom); reticent; uncommunicative -沉默是金,chén mò shì jīn,silence is golden (idiom) -沌,dùn,used in 混沌[hun4dun4] -沏,qī,to steep (tea) -沐,mù,to bathe; to cleanse; to receive; to be given -沐川,mù chuān,"Muchuan county in Leshan 樂山|乐山[Le4 shan1], Sichuan" -沐川县,mù chuān xiàn,"Muchuan county in Leshan 樂山|乐山[Le4 shan1], Sichuan" -沐恩,mù ēn,to receive favor -沐浴,mù yù,to take a bath; to bathe; to immerse -沐浴乳,mù yù rǔ,body wash (liquid soap); shower gel -沐浴油,mù yù yóu,bath oil -沐浴球,mù yù qiú,shower puff; bath sponge; bath ball (containing aromas or salts) -沐浴用品,mù yù yòng pǐn,bath product -沐浴花,mù yù huā,shower puff; shower sponge -沐浴露,mù yù lù,shower gel -沐猴而冠,mù hóu ér guàn,lit. a monkey wearing a hat (idiom); fig. worthless person in imposing attire -沐雨栉风,mù yǔ zhì fēng,to work unceasingly regardless of the weather (idiom) -没,méi,(negative prefix for verbs) have not; not -没,mò,drowned; to end; to die; to inundate -没上没下,méi shàng méi xià,no respect for seniors; lacking in manners -没了,méi le,"to be dead; not to be, or cease to exist" -没事,méi shì,it's not important; it's nothing; never mind; to have nothing to do; to be free; to be all right (out of danger or trouble) -没事儿,méi shì er,to have spare time; free from work; it's not important; it's nothing; never mind -没人住,méi rén zhù,unoccupied -没人味,méi rén wèi,to be lacking in human character -没人味儿,méi rén wèi er,erhua variant of 沒人味|没人味[mei2 ren2 wei4] -没什么,méi shén me,it doesn't matter; it's nothing; never mind; think nothing of it; it's my pleasure; you're welcome -没来由,méi lái yóu,without any reason; for no reason -没六儿,méi liù er,variant of 沒溜兒|没溜儿[mei2 liu4 r5] -没分寸,méi fēn cùn,inappropriate; bad-mannered -没劲,méi jìn,to have no strength; to feel weak; exhausted; feeling listless; boring; of no interest -没劲儿,méi jìn er,erhua variant of 沒勁|没劲[mei2 jin4] -没口,méi kǒu,unreservedly; profusely -没吃没穿,méi chī méi chuān,to be without food or clothing (idiom); to be very poor -没命,méi mìng,to lose one's life; to die; recklessly; desperately -没品,méi pǐn,lacking in class; tacky; tasteless -没问题,méi wèn tí,no problem -没多久,méi duō jiǔ,before long; soon after -没大没小,méi dà méi xiǎo,impolite; cheeky; impudent -没天理,méi tiān lǐ,(old) unprincipled; incorrect; (modern) unnatural; against reason; incredible -没奈何,mò nài hé,to have no alternative; to be helpless -没完没了,méi wán méi liǎo,without end; incessantly; on and on -没底,méi dǐ,unsure; uncertain; unending -没影,méi yǐng,to vanish; to be nowhere to be found; unfounded (story) -没得挑剔,méi dé tiāo ti,excellent in every respect; flawless -没得说,méi de shuō,really good; excellent -没心没肺,méi xīn méi fèi,simple-minded; thoughtless; heartless; nitwitted -没心眼,méi xīn yǎn,outspoken; artless; tactless -没想到,méi xiǎng dào,didn't expect -没意思,méi yì si,boring; of no interest -没戏,méi xì,(coll.) not a chance; no way; hopeless -没搞头,méi gǎo tou,(coll.) not worth bothering with; pointless -没收,mò shōu,to confiscate; to seize -没救,méi jiù,hopeless; incurable -没日没夜,méi rì méi yè,day and night; regardless of the time of day or night -没有,méi yǒu,haven't; hasn't; doesn't exist; to not have; to not be -没有不透风的墙,méi yǒu bù tòu fēng de qiáng,(idiom) no secret can be kept forever -没有事,méi yǒu shì,not a bit; nothing is up; nothing alarming is happening -没有人烟,méi yǒu rén yān,uninhabited -没有什么,méi yǒu shén me,it is nothing; there's nothing ... about it -没有什么不可能,méi yǒu shén me bù kě néng,nothing is impossible; there's nothing impossible about it -没有劲头,méi yǒu jìn tóu,to have no strength; to feel weak; feeling listless -没有劲头儿,méi yǒu jìn tóu er,erhua variant of 沒有勁頭|没有劲头[mei2 you3 jin4 tou2] -没有品味,méi yǒu pǐn wèi,tasteless -没有差别,méi yǒu chā bié,there is no difference; it makes no difference -没有形状,méi yǒu xíng zhuàng,shapeless -没有意思,méi yǒu yì si,boring; of no interest -没有意义,méi yǒu yì yì,not to have any meaning; meaningless -没有止尽,méi yǒu zhǐ jìn,endless -没有法,méi yǒu fǎ,at a loss; unable to do anything about it; to have no choice -没有脸皮,méi yǒu liǎn pí,ashamed; embarrassed; not having the face (to meet people); not daring (out of shame) -没有关系,méi yǒu guān xi,see 沒關係|没关系[mei2 guan1 xi5] -没水平,méi shuǐ píng,disgraceful; poor quality; substandard -没水准,méi shuǐ zhǔn,lacking class; boorish; poor quality; substandard -没治,méi zhì,hopeless; helpless; incurable; fantastic; out of this world -没法,méi fǎ,at a loss; unable to do anything about it; to have no choice -没法儿,méi fǎ er,(coll.) can't do anything about it; (coll.) there's no way that ...; it's simply not credible that ...; (coll.) couldn't be (better) (i.e. simply wonderful) -没准,méi zhǔn,not sure; maybe -没准儿,méi zhǔn er,erhua variant of 沒準|没准[mei2 zhun3] -没准头,méi zhǔn tou,(coll.) unreliable -没溜儿,méi liù er,(dialect) silly -没用,méi yòng,useless -没的说,méi de shuō,see 沒說的|没说的[mei2 shuo1 de5] -没眼看,méi yǎn kàn,(coll.) can't bear to look at it; hideous; appalling -没种,méi zhǒng,not to have the guts (to do sth); cowardly -没空儿,méi kòng er,having no time -没精打彩,méi jīng dǎ cǎi,listless; dispirited; washed out -没精打采,méi jīng dǎ cǎi,listless; dispirited; washed out; also written 沒精打彩|没精打彩[mei2 jing1 da3 cai3] -没经验,méi jīng yàn,inexperienced -没羞没臊,méi xiū méi sào,shameless -没脸,méi liǎn,ashamed; embarrassed; not having the face (to meet people); not daring (out of shame) -没脸没皮,méi liǎn méi pí,shameless; brazen -没落,mò luò,to decline; to wane -没药,mò yào,myrrh (Commiphora myrrha) -没亲没故,méi qīn méi gù,without relatives or friends -没说的,méi shuō de,nothing to pick on; really good; nothing to discuss; settled matter; no problem -没谁了,méi le,(coll.) nobody can beat that; extraordinary; remarkable -没谱,méi pǔ,to be clueless; to have no plan -没谱儿,méi pǔ er,erhua variant of 沒譜|没谱[mei2 pu3] -没起子,méi qǐ zi,(dialect) (of a person) useless; pathetic; spineless -没趣,méi qù,embarrassing; dull; unsatisfactory -没辙,méi zhé,at one's wit's end; unable to find a way out -没办法,méi bàn fǎ,there is nothing to be done; one can't do anything about it -没错,méi cuò,that's right; sure!; rest assured!; that's good; can't go wrong -没长眼,méi zhǎng yǎn,see 沒長眼睛|没长眼睛[mei2 zhang3 yan3 jing5] -没长眼睛,méi zhǎng yǎn jing,(coll.) are you blind or something?; look where you're going -没门儿,méi mén er,no way; impossible -没关系,méi guān xi,it doesn't matter -没电,méi diàn,discharged; flat; dead (of batteries) -没头没脸,méi tóu méi liǎn,"lit. without head, without face (idiom); fig. frenzily; haphazardly" -没头苍蝇,méi tóu cāng ying,see 無頭蒼蠅|无头苍蝇[wu2 tou2 cang1 ying5] -没齿不忘,mò chǐ bù wàng,lit. will not be forgotten even after one's teeth fall out; to remember as long as one lives; unforgettable (idiom) -没齿难忘,mò chǐ nán wàng,hard to forget even after one's teeth fall out (idiom); to remember a benefactor as long as one lives; undying gratitude -沓,tà,surname Ta -沓,dá,"classifier for sheets of papers etc: pile, pad; Taiwan pr. [ta4]" -沓,tà,again and again; many -沔,miǎn,inundation; name of a river -冲,chōng,(of water) to dash against; to mix with water; to infuse; to rinse; to flush; to develop (a film); to rise in the air; to clash; to collide with -冲刷,chōng shuā,to cleanse; to scrub; to scour; to wash down; to erode; to wash away -冲剂,chōng jì,medicine to be taken after being mixed with water (or other liquid) -冲印,chōng yìn,to develop and print (photographic film) -冲塌,chōng tā,to cause (a dam) to collapse -冲压,chòng yā,to stamp; to press (sheet metal); Taiwan pr. [chong1 ya1] -冲天,chōng tiān,to soar; to rocket -冲挹,chōng yì,to defer to; to be submissive -冲掉,chōng diào,to wash out; to leach -冲击,chōng jī,variant of 衝擊|冲击[chong1 ji1] -冲昏头脑,chōng hūn tóu nǎo,lit. to be muddled in the brain (idiom); fig. excited and unable to act rationally; to go to one's head -冲服,chōng fú,to take medicine in solution; infusion -冲服剂,chōng fú jì,dose of medicine to be taken in solution; infusion -冲决,chōng jué,to burst (e.g. a dam) -冲冲,chōng chōng,excitedly -冲泡,chōng pào,to add water (or other liquid) to (another ingredient such as powdered milk or tea leaves); to infuse (tea) -冲洗,chōng xǐ,to rinse; to wash; to develop (photographic film) -冲凉,chōng liáng,(dialect) to take a shower -冲淋浴,chōng lín yù,to take a shower -冲淡,chōng dàn,to dilute -冲澡,chōng zǎo,to take a shower -冲牙器,chōng yá qì,water pick; oral irrigator -冲积,chōng jī,to alluviate; alluviation; alluvial -冲积层,chōng jī céng,alluvial deposit; alluvium -冲积平原,chōng jī píng yuán,alluvial plain -冲绳,chōng shéng,"Okinawa, Japan" -冲绳岛,chōng shéng dǎo,Okinawa Island -冲绳县,chōng shéng xiàn,"Okinawa prefecture, Japan" -冲绳群岛,chōng shéng qún dǎo,the Okinawa archipelago -冲蚀,chōng shí,to erode; erosion -冲调,chōng tiáo,"to reconstitute (a powdered beverage) by adding water, milk etc" -冲账,chōng zhàng,(accounting) to strike a balance; to reverse an entry; to write off -冲走,chōng zǒu,to flush away -冲销,chōng xiāo,(accounting) to charge against; to write off -冲龄,chōng líng,childhood (typically used in reference to an emperor) -沙,shā,surname Sha -沙,shā,granule; hoarse; raspy; sand; powder; CL:粒[li4]; abbr. for Tsar or Tsarist Russia -沙丁胺醇,shā dīng àn chún,"salbutamol (a beta 2 agonist used in treating asthma); also known as albuterol, proventil and ventolin" -沙丁鱼,shā dīng yú,sardine (loanword) -沙丘,shā qiū,sand dune; sandy hill -沙丘鹤,shā qiū hè,(bird species of China) sandhill crane (Grus canadensis) -沙井,shā jǐng,manhole -沙井口,shā jǐng kǒu,manhole -沙依巴克,shā yī bā kè,"Saybagh district (Uighur: Saybagh Rayoni) of Urumqi city 烏魯木齊市|乌鲁木齐市[Wu1 lu3 mu4 qi2 Shi4], Xinjiang" -沙依巴克区,shā yī bā kè qū,"Saybagh district (Uighur: Saybagh Rayoni) of Urumqi city 烏魯木齊市|乌鲁木齐市[Wu1 lu3 mu4 qi2 Shi4], Xinjiang" -沙俄,shā é,Tsarist Russia; abbr. for 沙皇俄國|沙皇俄国[Sha1 huang2 E2 guo2] -沙僧,shā sēng,Sha Wujing -沙利度胺,shā lì dù àn,thalidomide -沙加缅度,shā jiā miǎn duó,Sacramento -沙参,shā shēn,ladybell root (Radix adenophorae) -沙司,shā sī,sauce (loanword) -沙和尚,shā hé shang,Sha Wujing -沙哑,shā yǎ,hoarse; husky; raspy -沙囊,shā náng,sandbag; variant of 砂囊[sha1 nang2] -沙国,shā guó,"Saudi Arabia (Tw), abbr. for 沙烏地阿拉伯王國|沙乌地阿拉伯王国" -沙土,shā tǔ,sandy soil -沙地,shā dì,sandy beach or river bank; sand dune; sandy land -沙地话,shā dì huà,see 啟海話|启海话[Qi3 hai3 hua4] -沙坑,shā kēng,"sandbox; jumping pit (athletics); sand trap, bunker (golf)" -沙坑杆,shā kēng gān,sand wedge (golf) -沙坡头,shā pō tóu,"Shapo district of Zhongwei city 中衛市|中卫市[Zhong1 wei4 shi4], Ningxia" -沙坡头区,shā pō tóu qū,"Shapo district of Zhongwei city 中衛市|中卫市[Zhong1 wei4 shi4], Ningxia" -沙坪坝,shā píng bà,"Shapingba, a district of Chongqing 重慶|重庆[Chong2qing4]" -沙坪坝区,shā píng bà qū,Shapingba District of Chongqing 重慶|重庆[Chong2 qing4] -沙坪坝区,shā píng bà qū,"Shapingba, a district of Chongqing 重慶|重庆[Chong2qing4]" -沙堡,shā bǎo,sandcastle -沙场,shā chǎng,sandpit; battleground; battlefield -沙尘,shā chén,airborne sand and dust -沙尘暴,shā chén bào,sand and dust storm -沙坝,shā bà,a sandbank; a sand bar -沙士,shā shì,sarsaparilla; root beer; SARS (severe acute respiratory syndrome) (loanword) -沙姆沙伊赫,shā mǔ shā yī hè,"Sharm el-Sheikh, city in Egypt" -沙威玛,shā wēi mǎ,"shawarma, Middle Eastern sandwich wrap (loanword)" -沙子,shā zi,"sand; grit; CL:粒[li4],把[ba3]" -沙家浜,shā jiā bāng,"""Sha Family's Creek"", a Beijing opera classified as model theater 樣板戲|样板戏[yang4 ban3 xi4]" -沙展,shā zhǎn,sergeant (loanword) -沙岩,shā yán,sandstone -沙巴,shā bā,"Sabah, state of Malaysia in north Borneo 婆羅洲|婆罗洲" -沙市,shā shì,"Shashi district of Jingzhou city 荊州市|荆州市[Jing1 zhou1 shi4], Hubei" -沙市区,shā shì qū,"Shashi district of Jingzhou city 荊州市|荆州市[Jing1 zhou1 shi4], Hubei" -沙弥,shā mí,novice Buddhist monk -沙律,shā lǜ,salad (loanword) -沙悟净,shā wù jìng,Sha Wujing -沙拉,shā lā,salad (loanword) -沙拉甩干器,shā lā shuǎi gān qì,salad spinner -沙捞越,shā lāo yuè,"Sarawak, state of Malaysia in northwest Borneo 婆羅洲|婆罗洲" -沙文主义,shā wén zhǔ yì,chauvinism -沙暴,shā bào,sandstorm -沙朗,shā lǎng,sirloin (loanword) -沙朗牛排,shā lǎng niú pái,sirloin steak -沙林,shā lín,sarin (loanword) -沙果,shā guǒ,Chinese pearleaf crabapple (Malus asiatica) -沙棘,shā jí,sea-buckthorn -沙棘属,shā jí shǔ,genus Hippophae; sea-buckthorns -沙槌,shā chuí,maraca -沙池,shā chí,sandpit (for children's play or for long jump etc); sandbox -沙沙,shā shā,rustle -沙河,shā hé,"Shahe, county-level city in Xingtai 邢台[Xing2 tai2], Hebei" -沙河口区,shā hé kǒu qū,"Shahekou district of Dalian 大連市|大连市[Da4 lian2 shi4], Liaoning" -沙河市,shā hé shì,"Shahe, county-level city in Xingtai 邢台[Xing2 tai2], Hebei" -沙法维王朝,shā fǎ wéi wáng cháo,Persian Safavid Dynasty 1501-1722 -沙洋,shā yáng,"Shayang county in Jingmen 荊門|荆门[Jing1 men2], Hubei" -沙洋县,shā yáng xiàn,"Shayang county in Jingmen 荊門|荆门[Jing1 men2], Hubei" -沙洲,shā zhōu,sandbank; sandbar -沙漏,shā lòu,hourglass; sand filter -沙漠,shā mò,desert; CL:個|个[ge4] -沙漠之狐,shā mò zhī hú,Desert Fox -沙漠化,shā mò huà,desertification -沙滩,shā tān,beach; sandy shore; CL:片[pian4] -沙滩排球,shā tān pái qiú,beach volleyball -沙滩鞋,shā tān xié,beach shoes; wetsuit booties -沙湾,shā wān,"Shawan district of Leshan city 樂山市|乐山市[Le4 shan1 shi4], Sichuan; Shawan county or Saven nahisi in Tacheng prefecture 塔城地區|塔城地区[Ta3 cheng2 di4 qu1], Xinjiang" -沙湾区,shā wān qū,"Shawan district of Leshan city 樂山市|乐山市[Le4 shan1 shi4], Sichuan" -沙湾县,shā wān xiàn,"Shawan county or Saven nahisi in Tacheng prefecture 塔城地區|塔城地区[Ta3 cheng2 di4 qu1], Xinjiang" -沙乌地阿拉伯,shā wū dì ā lā bó,Saudi Arabia (Tw) -沙爹,shā diē,satay (sauce) -沙爹酱,shā diē jiàng,satay sauce -沙特,shā tè,Saudi; abbr. for Saudi Arabia -沙特阿拉伯,shā tè ā lā bó,Saudi Arabia -沙特阿拉伯人,shā tè ā lā bó rén,a Saudi; Saudi Arabian person -沙特鲁,shā tè lǔ,Châteauroux; Chateauroux (French town) -沙琪玛,shā qí mǎ,"sachima, sweet (Manchu) pastry made of fried strips of dough coated with syrup, pressed together, then cut into blocks" -沙瓦,shā wǎ,a sour (type of cocktail) (loanword) -沙瓦玛,shā wǎ mǎ,"shawarma, Middle Eastern sandwich wrap (loanword)" -沙田,shā tián,"Sha Tin town in New Territories, Hong Kong" -沙画,shā huà,sand picture -沙畹,shā wǎn,Chavannes (name) -沙发,shā fā,"sofa (loanword); CL:條|条[tiao2],張|张[zhang1]; (Internet slang) the first reply or replier to a forum post" -沙发客,shā fā kè,couchsurfing; couchsurfer -沙发床,shā fā chuáng,sofa bed; sleeper sofa -沙白喉林莺,shā bái hóu lín yīng,(bird species of China) desert whitethroat (Sylvia minula) -沙皇,shā huáng,czar (loanword) -沙皇俄国,shā huáng é guó,Tsarist Russia -沙皮狗,shā pí gǒu,Chinese shar-pei (dog breed) -沙盒,shā hé,(computing) sandbox -沙盘,shā pán,"sand table (military); 3D terrain (or site) model (for real estate marketing, geography class etc); sand tray (on which to write characters)" -沙盘推演,shā pán tuī yǎn,to plan a military mission on a sand table (idiom); to rehearse a planned action or activity; to conduct a dry run -沙眼,shā yǎn,trachoma -沙石,shā shí,sand and stones -沙碛,shā qì,(literary) desert; sandy shore -沙砾,shā lì,grains of sand -沙祖康,shā zǔ kāng,"Sha Zukang (1947-), Chinese diplomat" -沙粒,shā lì,grain of sand -沙糖,shā táng,variant of 砂糖[sha1tang2] -沙县,shā xiàn,"Shaxian, a district of Sanming City 三明市[San1ming2 Shi4], Fujian" -沙县区,shā xiàn qū,"Shaxian, a district of Sanming City 三明市[San1ming2 Shi4], Fujian" -沙色朱雀,shā sè zhū què,(bird species of China) pale rosefinch (Carpodacus synoicus) -沙茶,shā chá,"satay (spicy peanut sauce), also spelled sate" -沙蝗,shā huáng,desert locust -沙虫,shā chóng,sandworm -沙蚕,shā cán,"genus Nereis, with species including the sandworm and the clam worm" -沙袋,shā dài,sandbag -沙袋鼠,shā dài shǔ,swamp wallaby (Wallabia bicolor) -沙西米,shā xī mǐ,sashimi (loanword) -沙质,shā zhì,sandy -沙那,shā nà,"Sana'a, capital of Yemen (Tw)" -沙里亚,shā lǐ yà,sharia (Islamic law) (loanword) -沙锅,shā guō,variant of 砂鍋|砂锅[sha1 guo1] -沙门,shā mén,"monk (Sanskrit: Sramana, originally refers to north India); Buddhist monk" -沙门氏菌,shā mén shì jūn,Salmonella -沙门菌,shā mén jūn,salmonella -沙雅,shā yǎ,"Shayar nahiyisi (Shaya county) in Aksu 阿克蘇地區|阿克苏地区[A1 ke4 su1 di4 qu1], west Xinjiang" -沙雅县,shā yǎ xiàn,"Shayar nahiyisi (Shaya county) in Aksu 阿克蘇地區|阿克苏地区[A1 ke4 su1 di4 qu1], west Xinjiang" -沙雕,shā diāo,sand sculpture -沙头角,shā tóu jiǎo,Sha Tau Kok (town in Hong Kong) -沙鱼,shā yú,variant of 鯊魚|鲨鱼[sha1 yu2] -沙鹿,shā lù,"Shalu Town in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -沙鹿镇,shā lù zhèn,"Shalu Town in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -沙丽,shā lì,sari (loanword) -沙鼠,shā shǔ,gerbil -沙龙,shā lóng,salon (loanword) -沛,pèi,copious; abundant -沛公,pèi gōng,Duke of Pei (i.e. 劉邦|刘邦[Liu2 Bang1]) -沛县,pèi xiàn,"Pei county in Xuzhou 徐州[Xu2 zhou1], Jiangsu" -沫,mò,foam; suds -沭,shù,river in Shandong -沭阳,shù yáng,"Shuyang County in Suqian 宿遷|宿迁[Su4 qian1], Jiangsu" -沭阳县,shù yáng xiàn,"Shuyang County in Suqian 宿遷|宿迁[Su4 qian1], Jiangsu" -沮,jǔ,to destroy; to stop -沮丧,jǔ sàng,dispirited; dejected; dismayed -沱,tuó,tearful; to branch (of river) -沱沱河,tuó tuó hé,source of Changjiang or Yangtze river -沱茶,tuó chá,"a cake of tea, commonly Pu'er tea 普洱茶[Pu3 er3 cha2], compacted into a bowl or nest shape; dome shaped tea-brick; caked tea" -河,hé,"river; CL:條|条[tiao2],道[dao4]" -河伯,hé bó,name or river God associated with Yellow river -河内,hé nèi,"Hanoi, capital of Vietnam" -河北,hé běi,"Hebei province (Hopeh) in north China surrounding Beijing, short name 冀, capital Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1]" -河北区,hé běi qū,Hebei district of Tianjin municipality 天津市[Tian1 jin1 shi4] -河北工业大学,hé běi gōng yè dà xué,Hebei University of Technology -河北日报,hé běi rì bào,"Hebei Daily, newspaper founded in 1949" -河北梆子,hé běi bāng zǐ,Hebei opera -河北省,hé běi shěng,"Hebei Province (Hopeh) in north China surrounding Beijing, short name 冀[Ji4], capital Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1]" -河北科技大学,hé běi kē jì dà xué,Hebei University of Science and Technology -河南,hé nán,"Henan province (Honan) in central China, abbr. 豫, capital Zhengzhou 鄭州|郑州[Zheng4 zhou1]" -河南省,hé nán shěng,"Henan province (Honan) in central China, abbr. 豫[Yu4], capital Zhengzhou 鄭州|郑州[Zheng4 zhou1]" -河南县,hé nán xiàn,"Henan Mengguzu Autonomous County in Qinghai; in Huangnan Tibetan Autonomous Prefecture 黃南藏族自治州|黄南藏族自治州[Huang2 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -河南蒙古族自治县,hé nán méng gǔ zú zì zhì xiàn,"Henan Mengguzu Autonomous County in Qinghai; in Huangnan Tibetan Autonomous Prefecture 黃南藏族自治州|黄南藏族自治州[Huang2 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -河卵石,hé luǎn shí,pebble -河叉,hé chà,river mouth -河口,hé kǒu,estuary; the mouth of a river -河口区,hé kǒu qū,"Hekou district of Dongying city 東營市|东营市[Dong1 ying2 shi4], Shandong" -河口瑶族自治县,hé kǒu yáo zú zì zhì xiàn,"Hekou Yaozu autonomous county in Honghe Hani and Yi autonomous prefecture 紅河哈尼族彞族自治州|红河哈尼族彝族自治州[Hong2 he2 Ha1 ni2 zu2 Yi2 zu2 Zi4 zhi4 zhou1], Yunnan" -河外星系,hé wài xīng xì,extragalactic star system; galaxy (not including our Galaxy) -河外星云,hé wài xīng yún,extragalactic nebula -河套,hé tào,the Great Bend of the Yellow River in Inner Mongolia -河套,hé tào,river bend -河姆渡,hé mǔ dù,"Hemudu neolithic archaeological site near Ningbo in Zhejiang, going back to c. 5000 BC" -河姆渡遗址,hé mǔ dù yí zhǐ,"Hemudu neolithic archaeological site near Ningbo 長江|长江 in Zhejiang, going back to c. 5000 BC" -河岸,hé àn,riverside; river bank -河川,hé chuān,rivers -河工,hé gōng,"river conservancy works (dike maintenance, dredging etc); river conservancy worker" -河床,hé chuáng,riverbed -河心,hé xīn,middle of the river -河曲,hé qǔ,"Hequ county in Xinzhou 忻州[Xin1 zhou1], Shanxi" -河曲,hé qū,bend (of a river); meander -河曲县,hé qǔ xiàn,"Hequ county in Xinzhou 忻州[Xin1 zhou1], Shanxi" -河村,hé cūn,Kawamura (name) -河东,hé dōng,"Hedong district of Linyi city 臨沂市|临沂市[Lin2 yi2 shi4], Shandong" -河东区,hé dōng qū,"Hedong district of Tianjin municipality 天津市[Tian1 jin1 shi4]; Hedong district of Linyi city 臨沂市|临沂市[Lin2 yi2 shi4], Shandong" -河东狮,hé dōng shī,shrew; see also 河東獅吼|河东狮吼[He2 dong1 shi1 hou3] -河东狮吼,hé dōng shī hǒu,lit. the lioness from Hedong roars (idiom); fig. refers to a shrewish wife or a henpecked husband -河槽,hé cáo,river bed; channel -河殇,hé shāng,"River Elegy, influential 1988 CCTV documentary series, said to have stimulated the Beijing Spring democracy movement of 1980s" -河水,hé shuǐ,river water -河水不犯井水,hé shuǐ bù fàn jǐng shuǐ,lit. river water does not interfere with well water (idiom); Do not interfere with one another.; Mind your own business. -河池,hé chí,Hechi prefecture-level city in Guangxi; Zhuang: Hozciz -河池市,hé chí shì,Hechi prefecture-level city in Guangxi; Zhuang: Hozciz -河洛人,hé luò rén,"Hoklo people, southern Chinese people of Taiwan" -河津,hé jīn,"Hejin, county-level city in Yuncheng 運城|运城[Yun4 cheng2], Shanxi" -河津市,hé jīn shì,"Hejin, county-level city in Yuncheng 運城|运城[Yun4 cheng2], Shanxi" -河流,hé liú,river; CL:條|条[tiao2] -河清海晏,hé qīng hǎi yàn,the Yellow River is clear and the sea is calm; the world is at peace (idiom) -河渠,hé qú,rivers and canals; waterway -河港,hé gǎng,river port -河源,hé yuán,Heyuan prefecture-level city in Guangdong -河源市,hé yuán shì,Heyuan prefecture-level city in Guangdong 廣東省|广东省[Guang3 dong1 Sheng3] -河沟,hé gōu,brook; ditch -河漫滩,hé màn tān,floodplain -河滨,hé bīn,brook; rivulet -河滩,hé tān,river bank; river shore; strand -河乌,hé wū,(bird species of China) white-throated dipper (Cinclus cinclus) -河狸,hé lí,beaver -河畔,hé pàn,riverside; river plain -河盲症,hé máng zhèng,river blindness; onchocerciasis -河神,hé shén,river god -河童,hé tóng,"kappa, a child-size humanoid water creature in Japanese folklore" -河粉,hé fěn,rice noodles in wide strips -河蚌,hé bàng,mussels; bivalves grown in rivers and lakes -河蟹,hé xiè,"river crab; Internet censorship (pun on ""harmonious"" 和諧|和谐[he2 xie2], which is blocked by the great firewall of China)" -河西,hé xī,"land west of the Yellow river; Shaanxi, Qinghai and Gansu provinces" -河西区,hé xī qū,Hexi district of Tianjin municipality 天津市[Tian1 jin1 shi4] -河西堡,hé xī pù,"Hexipu, a town in Yongchang County 永昌縣|永昌县[Yong3chang1 Xian4], Jinchang 金昌[Jin1chang1], Gansu" -河西堡镇,hé xī pù zhèn,"Hexipu, a town in Yongchang County 永昌縣|永昌县[Yong3chang1 Xian4], Jinchang 金昌[Jin1chang1], Gansu" -河西走廊,hé xī zǒu láng,"Hexi Corridor (or Gansu Corridor), a string of oases running the length of Gansu, forming part of the Northern Silk Road" -河谷,hé gǔ,river valley -河豚,hé tún,blowfish; puffer (Tetraodontidae) -河豚毒素,hé tún dú sù,tetrodotoxin (TTX) -河运,hé yùn,river transport -河道,hé dào,river course; river channel -河边,hé biān,river bank -河间市,hé jiān shì,"Hejian, county-level city in Cangzhou 滄州|沧州[Cang1 zhou1], Hebei" -河面,hé miàn,surface of a river -河马,hé mǎ,hippopotamus -河鼓二,hé gǔ èr,Altair (star) -沸,fèi,to boil -沸水,fèi shuǐ,boiling water -沸沸扬扬,fèi fèi yáng yáng,bubbling and gurgling; hubbubing; abuzz -沸石,fèi shí,zeolite -沸腾,fèi téng,(of a liquid) to boil; (of sentiments etc) to boil over; to flare up; to be impassioned -沸点,fèi diǎn,boiling point -油,yóu,"oil; fat; grease; petroleum; to apply tung oil, paint or varnish; oily; greasy; glib; cunning" -油乎乎,yóu hū hū,greasy; oily -油井,yóu jǐng,oil well -油亮,yóu liàng,glossy; shiny -油价,yóu jià,oil (petroleum) price -油光,yóu guāng,glossy; gleaming; shiny (due to greasiness); slick; greasy; oily -油光光,yóu guāng guāng,glossy; gleaming; shiny (due to greasiness); slick; greasy; oily -油光可鉴,yóu guāng kě jiàn,lit. oily and shiny to the point of reflecting (idiom); lustrous -油光水滑,yóu guāng shuǐ huá,sleek; shiny and smooth -油光漆,yóu guāng qī,varnish -油加利,yóu jiā lì,variant of 尤加利[you2 jia1 li4] -油印,yóu yìn,to mimeograph -油嘴,yóu zuǐ,eloquent and cunning; silver tongued -油嘴滑舌,yóu zuǐ huá shé,glib; oily-mouthed and smooth talking -油垢,yóu gòu,greasy dirt -油塔,yóu tǎ,oil tank -油墨,yóu mò,printing ink -油子,yóu zi,dense and sticky substance; (dialect) wily old fox -油尖旺,yóu jiān wàng,"Yau Tsim Mong district of Kowloon, Hong Kong" -油尺,yóu chǐ,dipstick; oil measuring rod -油布,yóu bù,tarpaulin -油底壳,yóu dǐ ké,oil sump -油库,yóu kù,fuel depot; fuel farm -油料,yóu liào,oilseed; oil; fuel -油料作物,yóu liào zuò wù,"oil crop (rape, peanut, soy, sesame etc); oil-bearing crop" -油旋,yóu xuán,"Youxuan, a kind of a pastry" -油松,yóu sōng,Chinese red pine -油桃,yóu táo,nectarine -油桐,yóu tóng,Chinese wood-oil tree (Vernicia fordii) -油条,yóu tiáo,youtiao (deep-fried breadstick); CL:根[gen1]; slick and sly person -油棕,yóu zōng,oil palm -油橄榄,yóu gǎn lǎn,olive (Olea europaea) -油气,yóu qì,oil and gas -油气田,yóu qì tián,oilfields and gasfields -油水,yóu shuǐ,grease; profit; ill-gotten gains -油汗,yóu hàn,oily sweat; (dialect) aphid -油污,yóu wū,greasy dirt; sludge (from an oil spill) -油汪汪,yóu wāng wāng,dripping with oil -油油,yóu yóu,oily -油泡,yóu pào,to sauté; bubbles that appear in the oil when deep-frying -油泵,yóu bèng,oil pump -油滑,yóu huá,oily; greasy; unctuous; slippery (character) -油漆,yóu qī,oil paints; lacquer; to paint; CL:層|层[ceng2] -油泼扯面,yóu pō chě miàn,"broad, belt-shaped noodles, popular in Shaanxi, also known as 𰻞𰻞麵|𰻝𰻝面[biang2biang2mian4]" -油泼面,yóu pō miàn,see 油潑扯麵|油泼扯面[you2po1 che3mian4] -油灰刀,yóu huī dāo,putty knife -油炸,yóu zhá,to deep fry -油炸圈饼,yóu zhá quān bǐng,doughnut -油炸鬼,yóu zhá guǐ,(coll.) youtiao (deep-fried breadstick) -油然而生,yóu rán ér shēng,arising involuntarily (idiom); spontaneous; to spring up unbidden (of emotion) -油烟,yóu yān,soot; lampblack -油灯,yóu dēng,oil lamp -油猾,yóu huá,sly; slick -油田,yóu tián,oil field -油画,yóu huà,oil painting -油症,yóu zhèng,"Yusho disease or Yu-cheng disease, mass poisoning caused by rice bran oil in northern Kyushu, Japan (1968), and in Taiwan (1979)" -油砂,yóu shā,oil sand (mining) -油管,yóu guǎn,oil pipe; (slang) YouTube -油箱,yóu xiāng,oil tank -油纸,yóu zhǐ,oilpaper -油罐车,yóu guàn chē,oil tanker truck; fuel tanker -油耗,yóu hào,fuel consumption -油脂,yóu zhī,grease; oil; fat -油腔滑调,yóu qiāng huá diào,flippant and insincere (piece of writing or speech); glib-tongued; oily -油膏,yóu gāo,balm -油腻,yóu nì,greasy food; oily food; (of food) greasy; oily; fatty; (neologism c. 2017) (of a middle-aged man) obnoxious; pretentious; vulgar -油船,yóu chuán,(oil) tanker; tank ship -油花,yóu huā,grease or fat blobs at the surface of a liquid; tricky and dissolute -油菜,yóu cài,oilseed rape (Brassica napus); flowering edible rape (Brassica chinensis var. oleifera) -油菜籽,yóu cài zǐ,oilseed rape (Brassica campestris); rapeseed; coleseed -油荤,yóu hūn,meat foods -油豆腐,yóu dòu fu,fried tofu (cubes) -油轮,yóu lún,tanker (ship); CL:艘[sou1] -油酸,yóu suān,oleic acid -油锅,yóu guō,a deep fryer -油门,yóu mén,accelerator (pedal); gas pedal; throttle -油鸡,yóu jī,a variety of chicken -油鞋,yóu xié,waterproof shoes; oiled shoes (for wet weather) -油页岩,yóu yè yán,oil shale -油饭,yóu fàn,fried sticky rice -油饼,yóu bǐng,deep-fried doughcake; oilcake (animal fodder) -油盐酱醋,yóu yán jiàng cù,"(lit.) oil, salt, soy sauce and vinegar; (fig.) the trivia of everyday life" -油麦,yóu mài,naked oat (old) -油麦菜,yóu mài cài,Indian lettuce -油黑,yóu hēi,glossy black -治,zhì,to rule; to govern; to manage; to control; to harness (a river); to treat (a disease); to wipe out (a pest); to punish; to research -治下,zhì xià,under the jurisdiction of -治保,zhì bǎo,law enforcement and protection of the public (as provided in the PRC by local security committees 治保會|治保会[zhi4bao3hui4]) -治伤,zhì shāng,to treat an injury -治丧,zhì sāng,to organize and carry out a funeral -治国,zhì guó,to rule a country -治国理政,zhì guó lǐ zhèng,to manage state affairs; to govern the country -治外法权,zhì wài fǎ quán,"diplomatic immunity; (history) extraterritoriality, the rights (under unequal treaties) of a foreigner to live in China outside Chinese jurisdiction" -治多,zhì duō,"Zhidoi County (Tibetan: 'bri stod rdzong) in Yushu Tibetan Autonomous Prefecture 玉樹藏族自治州|玉树藏族自治州[Yu4 shu4 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -治多县,zhì duō xiàn,"Zhidoi County (Tibetan: 'bri stod rdzong) in Yushu Tibetan Autonomous Prefecture 玉樹藏族自治州|玉树藏族自治州[Yu4 shu4 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -治大国若烹小鲜,zhì dà guó ruò pēng xiǎo xiān,ruling a large nation is like cooking a small delicacy (idiom); effective government requires minimal intervention -治好,zhì hǎo,to cure -治学,zhì xué,scholarship; high-level study; to do scholarly research; to pursue a high level of study -治安,zhì ān,law and order; public security -治愚,zhì yú,to eliminate backward (unscientific) ways of thinking -治未病,zhì wèi bìng,preventative treatment (medicine) -治本,zhì běn,to tackle a problem at its root; to effect a permanent solution (contrasted with 治標|治标[zhi4biao1]) -治标,zhì biāo,to treat only the symptoms but not the root cause -治标不治本,zhì biāo bù zhì běn,to treat the symptoms but not the root cause -治死,zhì sǐ,to put to death -治气,zhì qì,to get angry -治理,zhì lǐ,to govern; to administer; to manage; to control; governance -治病,zhì bìng,to treat an illness -治病救人,zhì bìng jiù rén,to treat the disease to save the patient; to criticize a person in order to help him -治疗,zhì liáo,to treat (an illness); medical treatment; therapy -治疗法,zhì liáo fǎ,therapy -治疗炎症,zhì liáo yán zhèng,anti-inflammatory (medicine) -治愈,zhì yù,to cure; to restore to health; uplifting; heartwarming -治愈系,zhì yù xì,uplifting; rejuvenating; heartwarming -治丝益棼,zhì sī yì fén,lit. try to straighten out silk threads only to tangle them further (idiom); fig. to try to help but end up making things worse -治罪,zhì zuì,to punish sb (for a crime) -治装,zhì zhuāng,to prepare necessities (chiefly clothes) for a journey abroad -治装费,zhì zhuāng fèi,expenses for 治裝|治装[zhi4 zhuang1] -治军,zhì jūn,running of armed forces; military management; to govern armed forces; to direct troops -沼,zhǎo,pond; pool -沼气,zhǎo qì,marsh gas; methane CH4 -沼泽,zhǎo zé,marsh; swamp; wetlands; glade -沼泽地,zhǎo zé dì,marsh; swamp; everglade -沼泽地带,zhǎo zé dì dài,marsh; swamp; everglade -沼泽大尾莺,zhǎo zé dà wěi yīng,(bird species of China) striated grassbird (Megalurus palustris) -沼泽山雀,zhǎo zé shān què,(bird species of China) marsh tit (Poecile palustris) -沼狸,zhǎo lí,meerkat; see 狐獴[hu2 meng3] -沼狸,zhǎo li,see 狐獴[hu2 meng3] -沽,gū,abbr. for Tianjin 天津 (also 津沽) -沽,gū,to buy; to sell -沽名钓誉,gū míng diào yù,to angle for fame (idiom); to fish for compliments -沽源,gū yuán,"Guyuan county in Zhangjiakou 張家口|张家口[Zhang1 jia1 kou3], Hebei" -沽源县,gū yuán xiàn,"Guyuan county in Zhangjiakou 張家口|张家口[Zhang1 jia1 kou3], Hebei" -沾,zhān,to moisten; to be infected by; to receive benefit or advantage through a contact; to touch -沾光,zhān guāng,to bask in the light; fig. to benefit from association with sb or sth; reflected glory -沾化,zhān huà,"Zhanhu county in Binzhou 濱州|滨州[Bin1 zhou1], Shandong" -沾化县,zhān huà xiàn,"Zhanhu county in Binzhou 濱州|滨州[Bin1 zhou1], Shandong" -沾唇,zhān chún,"to moisten one's lips; to sip (wine, tea etc); esp. used with negatives: never touch a drop of the stuff" -沾染,zhān rǎn,to pollute (often fig.); to be infected by; to gain a small advantage -沾染世俗,zhān rǎn shì sú,to be corrupted by the ways of the world (idiom) -沾染控制,zhān rǎn kòng zhì,contamination control -沾染程度检查仪,zhān rǎn chéng dù jiǎn chá yí,contamination meter -沾沾自喜,zhān zhān zì xǐ,immeasurably self-satisfied -沾满,zhān mǎn,"muddy; covered in (mud, dust, sweat, blood etc); daubed in" -沾湿,zhān shī,to moisten; to dampen; to be steeped in; to be imbued with -沾濡,zhān rú,to moisten -沾花惹草,zhān huā rě cǎo,to fondle the flowers and trample the grass (idiom); to womanize; to frequent brothels; to sow one's wild oats -沾边,zhān biān,to have a connection with; to be close (to reality); to be relevant; to have one's hand in -沾酱,zhān jiàng,dip (cookery) -沾黏,zhān nián,(Tw) to stick (to sth); adhesion (medicine) -沿,yán,"along; to follow (a line, tradition etc); to carry on; to trim (a border with braid, tape etc); border; edge" -沿例,yán lì,following the model; according to precedent -沿儿,yán er,"edge (used directly after a noun, e.g. roadside 馬路沿兒|马路沿儿)" -沿岸,yán àn,coastal area; littoral or riparian -沿岸地区,yán àn dì qū,coastal area -沿条儿,yán tiáo er,tape seam (in dressmaking); tape trim -沿江,yán jiāng,along the river; the region around the river -沿河土家族自治县,yán hé tǔ jiā zú zì zhì xiàn,"Yanhe Tujia Autonomous County in Tongren 銅仁市|铜仁市[Tong2ren2 Shi4], Guizhou" -沿河县,yán hé xiàn,"Yanhe Tujia Autonomous County in Tongren 銅仁市|铜仁市[Tong2ren2 Shi4], Guizhou" -沿洄,yán huí,to go with the stream -沿海,yán hǎi,coastal -沿海地区,yán hǎi dì qū,coastland; coastal areas -沿海州,yán hǎi zhōu,coastal region; refers to Russian far east Primorsky Krai -沿滩,yán tān,"Yantan District of Zigong City 自貢市|自贡市[Zi4 gong4 Shi4], Sichuan" -沿滩区,yán tān qū,"Yantan District of Zigong City 自貢市|自贡市[Zi4 gong4 Shi4], Sichuan" -沿用,yán yòng,to continue to use (old methods); to apply as before; according to usage -沿线,yán xiàn,along the line (e.g. railway); the region near the line -沿着,yán zhe,to go along; to follow -沿袭,yán xí,to carry on as before; to follow (an old custom etc) -沿路,yán lù,along the way; on the way; area beside a road -沿途,yán tú,along the sides of the road; by the wayside -沿边,yán biān,close to the border; along the border -沿边儿,yán biān er,"to trim (border with braid, tape etc)" -沿革,yán gé,evolution of sth over time; course of development; history -况,kuàng,moreover; situation -况且,kuàng qiě,moreover; besides; in addition; furthermore -况味,kuàng wèi,circumstances; atmosphere; mood -况复,kuàng fù,moreover -泄,xiè,variant of 洩|泄[xie4] -泄出,xiè chū,to leak out; to release (liquid or gas) -泄殖肛孔,xiè zhí gāng kǒng,cloaca (of bird or reptile) -泄漏天机,xiè lòu tiān jī,to divulge the will of heaven (idiom); to leak a secret; to let the cat out of the bag -泄泻,xiè xiè,diarrhea -泄露,xiè lù,to leak (information); to divulge; also pr. [xie4 lou4] -泄露天机,xiè lù tiān jī,to divulge the will of heaven (idiom); to leak a secret; to let the cat out of the bag -泅,qiú,to swim (bound form) -泅水,qiú shuǐ,to swim -泅渡,qiú dù,to swim across -泅游,qiú yóu,to swim -泆,yì,"licentious, libertine, dissipate" -泉,quán,spring (small stream); mouth of a spring; coin (archaic) -泉山,quán shān,"Quanshan district of Xuzhou city 徐州市[Xu2 zhou1 shi4], Jiangsu" -泉山区,quán shān qū,"Quanshan district of Xuzhou city 徐州市[Xu2 zhou1 shi4], Jiangsu" -泉州,quán zhōu,"Quanzhou, prefecture-level city in Fujian" -泉州市,quán zhōu shì,"Quanzhou, prefecture-level city in Fujian" -泉币,quán bì,coin (archaic) -泉水,quán shuǐ,spring water; CL:股[gu3] -泉港,quán gǎng,"Quangang, a district of Quanzhou City 泉州市[Quan2zhou1 Shi4], Fujian" -泉港区,quán gǎng qū,"Quangang, a district of Quanzhou City 泉州市[Quan2zhou1 Shi4], Fujian" -泉涌,quán yǒng,to gush -泉源,quán yuán,springhead; fountainhead; (fig.) source -泉眼,quán yǎn,mouth of a spring or fountain -泉石膏肓,quán shí gāo huāng,lit. mountain springs and rocks in one's heart (idiom); a deep love of mountain scenery -泉华,quán huá,to sinter (metallurgy) -泉路,quán lù,netherworld -泊,bó,to anchor; touch at; to moor -泊,pō,lake; Taiwan pr. [bo2] -泊位,bó wèi,berth -泊松,bó sōng,"S.D. Poisson (1781-1840), French mathematician; also pr. [Po1 song1]" -泊松分布,bó sōng fēn bù,Poisson distribution (in statistics) -泊车,bó chē,to park (a vehicle) (loanword); parking; parked car -泊头市,bó tóu shì,"Botou, county-level city in Cangzhou 滄州|沧州[Cang1 zhou1], Hebei" -泌,bì,used in 泌陽|泌阳[Bi4 yang2] -泌,mì,(bound form) to secrete -泌乳,mì rǔ,lactation -泌尿,mì niào,to urinate; urination -泌尿器,mì niào qì,urinary tract; urinary organs -泌尿系统,mì niào xì tǒng,urinary system -泌阳,bì yáng,"Biyang county in Zhumadian 駐馬店|驻马店[Zhu4 ma3 dian4], Henan" -泌阳县,bì yáng xiàn,"Biyang county in Zhumadian 駐馬店|驻马店[Zhu4 ma3 dian4], Henan" -泐,lè,to write -泓,hóng,clear; vast and deep; classifier for a body of clear water -泔,gān,slop from rinsing rice -泔水,gān shuǐ,slop; swill -法,fǎ,France; French; abbr. for 法國|法国[Fa3 guo2]; Taiwan pr. [Fa4] -法,fǎ,law; method; way; to emulate; (Buddhism) dharma; (abbr. for 法家[Fa3 jia1]) the Legalists; (physics) farad (abbr. for 法拉[fa3 la1]) -法事,fǎ shì,religious ceremony; ritual -法人,fǎ rén,legal person; corporation; see also 自然人[zi4 ran2 ren2] -法令,fǎ lìng,decree; ordinance -法令纹,fǎ lìng wén,nasolabial fold; smile lines; laugh lines -法克,fǎ kè,fuck (loanword) -法儿,fǎ er,way; method; means; Taiwan pr. [fa1 r5] -法典,fǎ diǎn,legal code; statute -法利赛人,fǎ lì sài rén,Pharisee -法制,fǎ zhì,legal system and institutions -法制日报,fǎ zhì rì bào,"Legal Daily, newspaper published by PRC Ministry of Justice" -法制晚报,fǎ zhì wǎn bào,"Legal Evening News, a Beijing-based legal affairs newspaper launched in 2004 and shut down in 2019" -法制办公室,fǎ zhì bàn gōng shì,"Legislative Affairs Office, LAO (PRC)" -法则,fǎ zé,law; rule; code -法力,fǎ lì,magic power -法勒斯,fǎ lè sī,Perez (son of Judah) -法名,fǎ míng,name in religion (of Buddhist or Daoist within monastery); same as 法號|法号[fa3 hao4] -法向力,fǎ xiàng lì,normal force (physics) -法向量,fǎ xiàng liàng,normal vector -法商,fǎ shāng,"""legal quotient"" (LQ), a measure of one's awareness and knowledge of the law and one's standard of honorable conduct" -法国,fǎ guó,France; French -法国人,fǎ guó rén,Frenchman; French person -法国大革命,fǎ guó dà gé mìng,French Revolution (1789-1799) -法国梧桐,fǎ guó wú tóng,plane tree (Platanus x acerifolia) -法国百合,fǎ guó bǎi hé,artichoke -法国航空,fǎ guó háng kōng,Air France -法国航空公司,fǎ guó háng kōng gōng sī,Air France -法国号,fǎ guó hào,French horn -法国长棍,fǎ guó cháng gùn,baguette -法国革命,fǎ guó gé mìng,French Revolution (1789) -法场,fǎ chǎng,execution ground -法塔赫,fǎ tǎ hè,"Fatah, Palestinian organization" -法压壶,fǎ yā hú,French press; press pot -法外,fǎ wài,outside the law; beyond the law; extrajudicial -法外之地,fǎ wài zhī dì,lawless area -法子,fǎ zi,way; method; Taiwan pr. [fa2 zi5] -法学,fǎ xué,law; legal studies -法学博士,fǎ xué bó shì,Doctor of Laws; Legum Doctor -法学士,fǎ xué shì,Bachelor of Laws; Legum Baccalaureus -法学家,fǎ xué jiā,jurist; member of the pre-Han legalist school -法学院,fǎ xué yuàn,law school -法官,fǎ guān,judge (in court) -法定,fǎ dìng,statutory; law-based; legal -法定人数,fǎ dìng rén shù,quorum -法定代表人,fǎ dìng dài biǎo rén,"(law) legal representative of a corporation (e.g. chairman of the board of a company, principal of a school etc)" -法定货币,fǎ dìng huò bì,fiat currency -法家,fǎ jiā,"the Legalist school of political philosophy, which rose to prominence in the Warring States period (475-221 BC) (The Legalists believed that social harmony could only be attained through strong state control, and advocated for a system of rigidly applied punishments and rewards for specific behaviors.); a Legalist" -法宝,fǎ bǎo,"Buddha's teaching; Buddhist monk's apparel, staff etc; (Daoism) magic weapon; talisman; fig. specially effective device; magic wand" -法属圭亚那,fǎ shǔ guī yà nà,French Guiana -法属波利尼西亚,fǎ shǔ bō lì ní xī yà,French Polynesia -法师,fǎ shī,one who has mastered the sutras (Buddhism) -法币,fǎ bì,"Fabi, first currency issued by the 國民黨|国民党[Guo2 min2 dang3] in 1935, in use until 1948" -法度,fǎ dù,(a) law -法库,fǎ kù,"Faku county in Shenyang 瀋陽|沈阳, Liaoning" -法库县,fǎ kù xiàn,"Faku county in Shenyang 瀋陽|沈阳, Liaoning" -法庭,fǎ tíng,court of law -法式,fǎ shì,French style -法式,fǎ shì,rule; method; model -法式色拉酱,fǎ shì sè lā jiàng,French dressing; vinaigrette -法律,fǎ lǜ,"law; CL:條|条[tiao2], 套[tao4], 個|个[ge4]" -法律制裁,fǎ lǜ zhì cái,legal sanction; prescribed punishment; punishable by law -法律约束力,fǎ lǜ yuē shù lì,legal force (i.e. binding in law) -法律责任,fǎ lǜ zé rèn,legal responsibility; liability -法拉,fǎ lā,"farad, SI unit of electrical capacitance (loanword)" -法拉利,fǎ lā lì,Ferrari -法拉盛,fǎ lā shèng,"Flushing Chinatown, a predominantly Chinese and Korean neighborhood of Queens, New York City" -法拉第,fǎ lā dì,"Faraday (name); Michael Faraday (1791-1867), British experimental physicist prominent in the development of electricity" -法拍,fǎ pāi,judicial auction; to sell by judicial auction -法政,fǎ zhèng,law and government; law and politics -法文,fǎ wén,French language -法新社,fǎ xīn shè,Agence France Presse; AFP news agency -法会,fǎ huì,(Buddhist) religious assembly -法服,fǎ fú,see 法衣[fa3 yi1] -法杖,fǎ zhàng,magic staff -法案,fǎ àn,bill; proposed law -法棍,fǎ gùn,baguette (bread) -法槌,fǎ chuí,gavel -法治,fǎ zhì,rule of law; to rule by law -法海,fǎ hǎi,"Fahai, name of the evil Buddhist monk in Tale of the White Snake 白蛇傳|白蛇传[Bai2 she2 Zhuan4]" -法源,fǎ yuán,Origin of Dharma (in Buddhism); source of the law -法源寺,fǎ yuán sì,Fayuan or Source of the Law temple in Beijing -法尔卡什,fǎ ěr kǎ shí,Farkas (Hungarian name) -法特瓦,fǎ tè wǎ,fatwa (loanword) -法王,fǎ wáng,Sakyamuni -法理,fǎ lǐ,legal principle; jurisprudence -法益,fǎ yì,interests protected by law -法盲,fǎ máng,person who has no understanding of legal matters -法相宗,fǎ xiàng zōng,Yogācāra school of Buddhism; Dharma-character school of Buddhism -法眼,fǎ yǎn,discerning eye -法码,fǎ mǎ,variant of 砝碼|砝码[fa3 ma3] -法筵,fǎ yán,"the seat of the Law, on which the one who explains the doctrine is seated (Buddhism)" -法纪,fǎ jì,law and order; rules and discipline -法网,fǎ wǎng,French Open (tennis tournament) -法网,fǎ wǎng,the net of justice; the long arm of the law -法网难逃,fǎ wǎng nán táo,it is hard to escape the net of justice (idiom) -法线,fǎ xiàn,normal line to a surface -法罗群岛,fǎ luó qún dǎo,Faroe Islands -法老,fǎ lǎo,pharaoh (loanword) -法耶德,fǎ yē dé,"Fayed (name); Mohamed Abdel Moneim Fayed (1933-), controversial Egyptian-born businessman and philanthropist, owner of Harrods (London) and Fulham football club" -法航,fǎ háng,Air France -法兹鲁拉,fǎ zī lǔ lā,"Maulana Fazlullah, Pakistan Taleban leader" -法华经,fǎ huá jīng,The Lotus Sutra -法蒂玛,fǎ dì mǎ,Fatimah (name) -法兰,fǎ lán,flange (loanword) -法兰克,fǎ lán kè,the Franks (Germanic people who arrived in Europe from 600 AD and took over France) -法兰克林,fǎ lán kè lín,Franklin (name); Benjamin Franklin (1706-1790) -法兰克福,fǎ lán kè fú,Frankfurt (Germany) -法兰克福汇报,fǎ lán kè fú huì bào,Frankfurter Allgemeine Zeitung -法兰克福学派,fǎ lán kè fú xué pài,Frankfurt School -法兰克福证券交易所,fǎ lán kè fú zhèng quàn jiāo yì suǒ,Frankfurt Stock Exchange (FSE) -法兰克福车展,fǎ lán kè fú chē zhǎn,the Frankfurt Motor Show -法兰德斯,fǎ lán dé sī,"Flanders, region (state) of Belgium 比利時|比利时[Bi3 li4 shi2]" -法兰斯,fǎ lán sī,France (phonetic transliteration) -法兰绒,fǎ lán róng,flannel (loanword); Taiwan pr. [fa4 lan2 rong2] -法兰西,fǎ lán xī,France -法兰西斯,fǎ lán xī sī,Francis (name) -法兰西体育场,fǎ lán xī tǐ yù chǎng,Stade de France -法号,fǎ hào,name in religion (of Buddhist or Daoist within monastery) -法术,fǎ shù,magic -法衣,fǎ yī,"robe of a Buddhist priest; ceremonial garment of a Daoist priest; robe of a judge, nun, priest etc; cassock; vestment" -法制,fǎ zhì,made in France -法西斯,fǎ xī sī,fascist (loanword) -法西斯主义,fǎ xī sī zhǔ yì,fascism -法规,fǎ guī,legislation; statute -法语,fǎ yǔ,French (language) -法警,fǎ jǐng,bailiff -法赫德,fǎ hè dé,King Fahd of Saudi Arabia -法军,fǎ jūn,French army -法轮,fǎ lún,the Eternal Wheel of life in Buddhism -法轮功,fǎ lún gōng,"Falun Gong (Chinese spiritual movement founded in 1992, regarded as a cult by the PRC government)" -法轮大法,fǎ lún dà fǎ,another name for 法輪功|法轮功[Fa3 lun2 gong1] -法轮常转,fǎ lún cháng zhuàn,the Wheel turns constantly (idiom); Buddhist teaching will overcome everything -法办,fǎ bàn,to bring to justice; to punish according to the law -法郎,fǎ láng,franc; CL:個|个[ge4] -法医,fǎ yī,forensic investigator; forensic detective -法医学,fǎ yī xué,forensics -法门,fǎ mén,gate to enlightment (Buddhism); Buddhism; way; method; (old) south gate of a palace -法院,fǎ yuàn,court of law; court -法院裁决,fǎ yuàn cái jué,court ruling -法隆寺,fǎ lōng sì,"Hōryūji, complex of Buddhist temples near Nara 奈良, Japan, dating back to the Asuka period 飛鳥時代|飞鸟时代 (c. 600)" -法马,fǎ mǎ,variant of 砝碼|砝码[fa3 ma3] -法马古斯塔,fǎ mǎ gǔ sī tǎ,"Famagusta (Ammochostos), Cyprus" -法鲁克,fǎ lǔ kè,"Farouk of Egypt (1920-1965), king of Egypt 1936-1952" -泖,mǎo,still water -泗,sì,river in Shandong -泗,sì,nasal mucus -泗水,sì shuǐ,Si River in Shandong -泗水,sì shuǐ,"Sishui County in Jining 濟寧|济宁[Ji3 ning2], Shandong; Surabaya, capital of East Java province of Indonesia" -泗水县,sì shuǐ xiàn,"Sishui County in Jining 濟寧|济宁[Ji3 ning2], Shandong" -泗洪,sì hóng,"Sihong County in Suqian 宿遷|宿迁[Su4 qian1], Jiangsu" -泗洪县,sì hóng xiàn,"Sihong County in Suqian 宿遷|宿迁[Su4 qian1], Jiangsu" -泗县,sì xiàn,"Si County or Sixian, a county in Suzhou 宿州[Su4 zhou1], Anhui" -泗阳,sì yáng,"Siyang County in Suqian 宿遷|宿迁[Su4 qian1], Jiangsu" -泗阳县,sì yáng xiàn,"Siyang County in Suqian 宿遷|宿迁[Su4 qian1], Jiangsu" -泙,píng,sound of water splashing -泛,fàn,"(bound form) general; non-specific; extensive; pan-; to flood; (literary) to float about; to be suffused with (a color, emotion, odor etc)" -泛代数,fàn dài shù,universal algebra -泛光灯,fàn guāng dēng,floodlight -泛函,fàn hán,a functional (math.) -泛函分析,fàn hán fēn xī,(math.) functional analysis -泛大洋,fàn dà yáng,Panthalassis (geology) -泛大陆,fàn dà lù,Pangea (geology) -泛定方程,fàn dìng fāng chéng,universal differential equation -泛得林,fàn dé lín,"ventolin, aka salbutamol, an asthma drug (Tw)" -泛性恋,fàn xìng liàn,pansexuality -泛指,fàn zhǐ,to make a general reference; to be used in a general sense -泛民主派,fàn mín zhǔ pài,pan-Democratic alliance (Hong Kong) -泛泛之交,fàn fàn zhī jiāo,nodding acquaintance; slight familiarity -泛泛而谈,fàn fàn ér tán,to speak in general terms -泛滥,fàn làn,to be in flood; to overflow (the banks); to inundate; to spread unchecked -泛滥成灾,fàn làn chéng zāi,lit. to flood (idiom); fig. rampant; in plague proportions -泛珠三角,fàn zhū sān jiǎo,Pan-Pearl River delta; The nine provinces of Southern China around Guangzhou and the Pearl River delta; South China -泛珠江三角,fàn zhū jiāng sān jiǎo,the Pan-Pearl river delta (economic zone including the 5 provinces around Guangzhou and Hong Kong) -泛白,fàn bái,to be suffused with white; faded; bleached; to blanch -泛神论,fàn shén lùn,"pantheism, theological theory equating God with the Universe" -泛称,fàn chēng,to refer broadly to; general term -泛红,fàn hóng,to blush; to redden; flushed -泛美,fàn měi,Pan American -泛自然神论,fàn zì rán shén lùn,"pandeism, theological theory that God created the Universe and became one with it" -泛舟,fàn zhōu,to go boating -泛论,fàn lùn,to discuss in general terms; general exposition; general discussion -泛读,fàn dú,"(language education) to read swiftly, aiming to get the gist; extensive reading" -泛起,fàn qǐ,to appear; to emerge; to surface -泛酸,fàn suān,pantothenic acid; vitamin B5; to surge up (of acid in the stomach) -泛音,fàn yīn,overtone; a harmonic -泠,líng,surname Ling -泠,líng,sound of water flowing -泡,pāo,puffed; swollen; spongy; small lake (esp. in place names); classifier for urine or feces -泡,pào,bubble; foam; blister; to soak; to steep; to infuse; to dawdle; to loiter; to pick up (a girl); to get off with (a sexual partner); classifier for occurrences of an action; classifier for number of infusions -泡吧,pào bā,"to spend time in a bar (alcohol, Internet etc); to go clubbing" -泡妞,pào niū,to pick up girls; to play around with girls; to chase after girls -泡子,pāo zi,small lake; pond -泡子,pào zi,light bulb -泡影,pào yǐng,(lit.) froth and shadows; (fig.) illusion; mirage -泡打粉,pào dǎ fěn,baking powder -泡桐,pāo tóng,Paulownia (genus) -泡椒,pào jiāo,pickled pepper -泡水,pào shuǐ,to infuse; to soak in water -泡沫,pào mò,foam; (soap) bubble; (economic) bubble -泡沫塑料,pào mò sù liào,styrofoam -泡沫经济,pào mò jīng jì,bubble economy -泡泡,pào pao,bubbles -泡泡口香糖,pào pào kǒu xiāng táng,bubble-gum -泡泡浴,pào pào yù,bubble bath -泡泡浴露,pào pào yù lù,bubble bath lotion -泡泡糖,pào pào táng,bubble gum -泡泡纱,pào pào shā,seersucker (cotton cloth with pattern of dimples) -泡泡袜,pào pao wà,loose socks; baggy socks -泡汤,pào tāng,to dawdle; to go slow deliberately; to fizzle out; to have all one's hopes dashed; (Tw) to have a soak in a hot spring -泡温泉,pào wēn quán,to soak in a spa or hot spring -泡漩,pào xuán,eddy; whirlpool -泡澡,pào zǎo,to bathe; to immerse oneself in a warm bath -泡病号,pào bìng hào,to dilly-dally on the pretence of being ill; to malinger -泡发,pào fā,"to reconstitute (dried mushrooms, seaweed etc)" -泡罩塔,pào zhào tǎ,distillation tower; bubble tower; plate column -泡脚,pào jiǎo,to soak the feet -泡芙,pào fú,cream puff (loanword); profiterole -泡芙人,pào fú rén,(coll.) skinny fat person (person who is MONW: metabolically obese normal weight) -泡茶,pào chá,to make tea -泡菜,pào cài,pickled cabbage -泡蘑菇,pào mó gu,to procrastinate; to shilly-shally and waste time -泡制,pào zhì,to infuse; to brew (a herbal remedy or beverage) -泡货,pāo huò,light but bulky goods -泡饭,pào fàn,to soak cooked rice in soup or water; cooked rice reheated in boiling water -泡馍,pào mó,meat and bread soup (a specialty of Shaanxi cuisine) -泡腾,pào téng,to bubble; to fizz; to effervesce -泡面,pào miàn,instant noodles; (Tw) pirated software -波,bō,Poland; Polish; abbr. for 波蘭|波兰[Bo1 lan2] -波,bō,wave; ripple; storm; surge -波什格伦,bō shén gé lún,"Porsgrunn (city in Telemark, Norway)" -波来古,bō lái gǔ,"Pleiku, Vietnam" -波光,bō guāng,gleaming reflection of waves in sunlight -波函数,bō hán shù,wave function (in quantum mechanics) -波利尼西亚,bō lì ní xī yà,Polynesia -波动,bō dòng,to undulate; to fluctuate; wave motion; rise and fall -波动力学,bō dòng lì xué,wave mechanics (physics) -波动性,bō dòng xìng,fluctuation -波卡,bō kǎ,burqa (loanword) -波及,bō jí,to spread to; to involve; to affect -波哥大,bō gē dà,"Bogota, capital of Colombia" -波塞冬,bō sāi dōng,"Poseidon, God of the sea in Greek mythology" -波士尼亚,bō shì ní yà,Bosnia (Tw) -波士尼亚与赫塞哥维纳,bō shì ní yà yǔ hè sè gē wéi nà,Bosnia and Herzegovina (Tw) -波士顿,bō shì dùn,"Boston, capital of Massachusetts" -波士顿大学,bō shì dùn dà xué,Boston University -波士顿红袜,bō shì dùn hóng wà,Boston Red Sox (baseball) team -波多马克河,bō duō mǎ kè hé,see 波托馬克河|波托马克河[Bo1 tuo1 ma3 ke4 He2] -波多黎各,bō duō lí gè,"Puerto Rico, self-governing unincorporated territory of the United States" -波季,bō jì,"Poti, strategic seaport in Abkhazia, Republic of Georgia" -波密,bō mì,"Bomi county, Tibetan: Spo mes rdzong, in Nyingchi prefecture 林芝地區|林芝地区[Lin2 zhi1 di4 qu1], Tibet" -波密县,bō mì xiàn,"Bomi county, Tibetan: Spo mes rdzong, in Nyingchi prefecture 林芝地區|林芝地区[Lin2 zhi1 di4 qu1], Tibet" -波导,bō dǎo,waveguide (electronics) -波峰,bō fēng,wave crest -波希米亚,bō xī mǐ yà,"Bohemia, historical country of central Europe" -波带片,bō dài piān,zone plate -波幅,bō fú,amplitude -波弗特海,bō fú tè hǎi,"Beaufort Sea (off Alaska, Yukon and Northwest Territory)" -波形,bō xíng,wave form -波德,bō dé,"Johann Elert Bode (1747-1826), German astronomer" -波德戈里察,bō dé gē lǐ chá,"Podgorica, capital of Montenegro" -波德申,bō dé shēn,Port Dickson (holiday destination in Malaysia) -波德里查,bō dé lǐ chá,"Podgorica, capital of Montenegro (Tw)" -波恩,bō ēn,"Bonn, a small town on the Rhine, Cold War capital of West Germany 1949-1990" -波恩大学,bō ēn dà xué,University of Bonn -波托马克河,bō tuō mǎ kè hé,Potomac River -波折,bō zhé,twists and turns -波拉波拉岛,bō lā bō lā dǎo,"Bora Bora, island of the Society Islands group in French Polynesia" -波拿巴,bō ná bā,"Bonaparte (name); Napoleon Bonaparte (1769-1821), Emperor of France 1804-1815" -波推,bō tuī,see 胸推[xiong1 tui1] -波提乏,bō tí fá,"Potiphar, the captain of the pharaoh's guard (in the account of Joseph in the Book of Genesis)" -波数,bō shù,wave number (reciprocal of frequency) -波斑鸨,bō bān bǎo,(bird species of China) MacQueen's bustard (Chlamydotis macqueenii) -波斯,bō sī,Persia -波斯尼亚,bō sī ní yà,Bosnia -波斯尼亚和黑塞哥维那,bō sī ní yà hé hēi sài gē wéi nà,Bosnia and Herzegovina -波斯尼亚和黑塞哥维那共和国,bō sī ní yà hé hēi sài gē wéi nà gòng hé guó,"Republic of Bosnia and Herzegovina (1992-1995), predecessor of Bosnia and Herzegovina 波斯尼亞和黑塞哥維那|波斯尼亚和黑塞哥维那[Bo1 si1 ni2 ya4 he2 Hei1 sai4 ge1 wei2 na4]" -波斯尼亚语,bō sī ní yà yǔ,Bosnian (language) -波斯教,bō sī jiào,Zoroastrianism -波斯普鲁斯,bō sī pǔ lǔ sī,Bosphorus -波斯普鲁斯海峡,bō sī pǔ lǔ sī hǎi xiá,the Bosphorus (strait) -波斯湾,bō sī wān,Persian Gulf -波斯语,bō sī yǔ,Persian (language); Farsi -波斯猫,bō sī māo,Persian (cat) -波方程,bō fāng chéng,wave equation (math. physics) -波旁,bō páng,Bourbon -波昂,bō áng,"Bonn, city in Germany (Tw)" -波普艺术,bō pǔ yì shù,pop art (loanword) -波札那,bō zhá nà,Botswana (Tw) -波束,bō shù,beam -波森莓,bō sēn méi,boysenberry (hybrid of raspberry and blackberry) -波段,bō duàn,wave band -波比,bō bǐ,burpee (loanword) -波比跳,bō bǐ tiào,burpee (loanword) -波比运动,bō bǐ yùn dòng,burpee (loanword) -波江座,bō jiāng zuò,Eridanus (constellation) -波河,bō hé,"Po River, longest river in Italy" -波波头,bō bō tóu,bob (hairstyle) -波洛涅斯,bō luò niè sī,"Polonius (name); Shakespearean character, father of Ophelia, accidentally killed by Hamlet" -波浪,bō làng,wave -波浪号,bō làng hào,tilde ( ~ ) -波浪鼓,bō lang gǔ,variant of 撥浪鼓|拨浪鼓[bo1 lang5 gu3] -波涛,bō tāo,great waves; billows -波涛汹涌,bō tāo xiōng yǒng,waves surging forth; roaring sea -波涛磷磷,bō tāo lín lín,variant of 波濤粼粼|波涛粼粼[bo1 tao1 lin2 lin2] -波涛粼粼,bō tāo lín lín,crystalline waves (idiom) -波澜,bō lán,billows; great waves (fig. of a story with great momentum) -波澜壮阔,bō lán zhuàng kuò,surging forward with great momentum; unfolding on a magnificent scale -波澜老成,bō lán lǎo chéng,splendid and powerful (of story); majestic; awesome -波澜起伏,bō lán qǐ fú,one climax follows another (of thrilling story) -波尔卡,bō ěr kǎ,polka (dance) (loanword) -波尔多,bō ěr duō,Bordeaux -波尔多液,bō ěr duō yè,Bordeaux mixture -波尔布特,bō ěr bù tè,"Pol Pot (1925-1998), Cambodian communist leader" -波特,bō tè,Potter or Porter (surname) -波特,bō tè,(loanword) baud (computing); porter (beer) -波特率,bō tè lǜ,baud -波特兰市,bō tè lán shì,Portland (city) -波特酒,bō tè jiǔ,Port wine -波状,bō zhuàng,wave-shaped -波状热,bō zhuàng rè,undulant fever; brucellosis -波状云,bō zhuàng yún,undulatus -波粒二象性,bō lì èr xiàng xìng,wave-particle duality in quantum mechanics -波纹,bō wén,ripple; corrugation -波罗,bō luó,Polo (car made by Volkswagen); surname Polo -波罗的,bō luó dì,Baltic -波罗的海,bō luó dì hǎi,Baltic Sea -波罗蜜,bō luó mì,jackfruit; breadfruit; Artocarpus heterophyllus -波美度,bō měi dù,Baume degrees -波美拉尼亚,bō měi lā ní yà,"Pomerania, a historical region on the south shore of the Baltic Sea" -波美比重计,bō měi bǐ zhòng jì,Baume hydrometer -波义耳,bō yì ěr,"Boyle (name); Robert Boyle (1627-91), British and Irish scientist and pioneer chemist" -波茨坦,bō cí tǎn,"Potsdam, near Berlin, Germany" -波茨坦公告,bō cí tǎn gōng gào,Potsdam Declaration -波茨坦会议,bō cí tǎn huì yì,"Potsdam conference, July-August 1945, between Truman, Stalin and British prime ministers Churchill and Attlee" -波兹南,bō zī nán,Poznan (city in Poland) -波兹坦,bō zī tǎn,"Potsdam, Germany" -波兹曼,bō zī màn,"Ludwig Boltzmann (1844-1906), Austrian physicist and philosopher" -波莱罗,bō lái luó,bolero (dance) (loanword) -波荡,bō dàng,heave; surge -波兰,bō lán,Poland -波兰斯基,bō lán sī jī,Polanski (name) -波兰语,bō lán yǔ,Polish (language) -波西米亚,bō xī mǐ yà,"Bohemia, historical country of central Europe" -波西米亚,bō xī mǐ yà,bohemian (i.e. artistic and unconventional) -波语,bō yǔ,Polish language -波谱,bō pǔ,spectrum -波谷,bō gǔ,trough -波赫,bō hè,(Tw) abbr. for 波士尼亞與赫塞哥維納|波士尼亚与赫塞哥维纳[Bo1 shi4 ni2 ya4 yu3 He4 se4 ge1 wei2 na4] Bosnia and Herzegovina -波速,bō sù,wave velocity -波长,bō cháng,wavelength -波阿斯,bō ā sī,Boaz (son of Salmon and Rahab) -波阿次,bō ā cì,Boaz (name) -波阳,bō yáng,"Boyang county, former name of Poyang county 鄱陽縣|鄱阳县[Po2 yang2 xian4] in Shangrao 上饒|上饶[Shang4 rao2], Jiangxi" -波阳县,bō yáng xiàn,"Boyang county, former name of Poyang county 鄱陽縣|鄱阳县[Po2 yang2 xian4] in Shangrao 上饒|上饶[Shang4 rao2], Jiangxi" -波隆那,bō lōng nà,"Bologna, city in Northern Italy" -波霎,bō shà,(astronomy) pulsar -波霸,bō bà,"(slang) (loanword) big boobs; big-breasted; (coll.) tapioca balls, in 波霸奶茶[bo1 ba4 nai3 cha2]" -波霸奶茶,bō bà nǎi chá,bubble milk tea (Tw); Boba milk tea; tapioca milk tea; see also 珍珠奶茶[zhen1 zhu1 nai3 cha2] -波面,bō miàn,wave front -波音,bō yīn,Boeing (aerospace company) -波音,bō yīn,mordent (music) -波鸿,bō hóng,Bochum (city in Germany) -波丽士,bō lì shì,police (loanword) (Tw) -波黑,bō hēi,abbr. for 波斯尼亞和黑塞哥維那|波斯尼亚和黑塞哥维那[Bo1 si1 ni2 ya4 he2 Hei1 sai4 ge1 wei2 na4] Bosnia and Herzegovina -波点,bō diǎn,polka dot (abbr. for 波爾卡圓點|波尔卡圆点[bo1 er3 ka3 yuan2 dian3]) -泣,qì,to sob -泣谏,qì jiàn,to counsel a superior in tears indicating absolute sincerity -泥,ní,mud; clay; paste; pulp -泥,nì,restrained -泥人,ní rén,clay figurine -泥刀,ní dāo,trowel -泥古,nì gǔ,stick-in-the-mud; to stick to old ways; stubbornly conservative -泥古不化,nì gǔ bù huà,conservative and unable to adapt (idiom) -泥土,ní tǔ,earth; soil; mud; clay -泥坑,ní kēng,mud pit; mire; morass -泥垢,ní gòu,dirt; grime -泥塑,ní sù,clay modeling; clay figurine or statue -泥涂轩冕,ní tú xuān miǎn,to despise titles and high offices -泥子,nì zi,putty (used by plumbers and glaziers) -泥孩,ní hái,clay doll -泥守,nì shǒu,stubborn and conservative -泥封,ní fēng,"to seal jars etc with mud, clay or lute; lute; luting" -泥岩,ní yán,mudstone; shale -泥工,ní gōng,mason; masonry work -泥巴,ní bā,mud -泥敷剂,ní fū jì,poultice -泥水,ní shuǐ,muddy water; mud; masonry (craft) -泥水匠,ní shuǐ jiàng,mason -泥沙,ní shā,silt -泥沙俱下,ní shā jù xià,mud and sand flow together (idiom); good and bad mingle -泥沼,ní zhǎo,swamp -泥淖,ní nào,mud; muddy swamp; sump; fig. a sticky predicament -泥浆,ní jiāng,slurry; mud -泥潭,ní tán,quagmire -泥泞,ní nìng,muddy; mud -泥灰,ní huī,lime plaster (construction) -泥炭,ní tàn,peat -泥炭藓,ní tàn xiǎn,matted sphagnum moss (Sphagnum palustre) -泥煤,ní méi,peat -泥牛入海,ní niú rù hǎi,lit. a clay ox enters the sea (idiom); fig. to disappear with no hope of returning -泥犁,ní lí,(Buddhism) Naraka -泥瓦匠,ní wǎ jiàng,bricklayer; tiler; mason -泥盆纪,ní pén jì,Devonian (geological period 417-354m years ago) -泥石流,ní shí liú,landslide; torrent of mud and stones; mudslide -泥胎,ní tāi,clay idol -泥腿,ní tuǐ,peasant; yokel -泥腿子,ní tuǐ zi,peasant; yokel -泥菩萨,ní pú sà,clay Bodhisattva -泥质,ní zhì,muddy -泥质岩,ní zhì yán,mudstone (geology) -泥质页岩,ní zhì yè yán,mudstone -泥醉,ní zuì,blind drunk; drunk as drunk can be -泥金,ní jīn,to gild; gilt -泥铲,ní chǎn,trowel -泥鳅,ní qiu,loach; mud fish; CL:條|条[tiao2] -注,zhù,to inject; to pour into; to concentrate; to pay attention; stake (gambling); classifier for sums of money; variant of 註|注[zhu4] -注入,zhù rù,to pour into; to empty into -注册人,zhù cè rén,registrant -注册表,zhù cè biǎo,Windows registry -注塑,zhù sù,injection molding -注射,zhù shè,injection; to inject -注射剂,zhù shè jì,injection; shot -注射器,zhù shè qì,syringe -注射针,zhù shè zhēn,needle; hypodermic needle -注射针头,zhù shè zhēn tóu,see 注射針|注射针[zhu4 she4 zhen1] -注念,zhù niàn,(literary) to ponder -注意,zhù yì,to take note of; to pay attention to -注意力,zhù yì lì,attention -注意力不足过动症,zhù yì lì bù zú guò dòng zhèng,attention deficit hyperactivity disorder (ADHD) -注意力缺失症,zhù yì lì quē shī zhèng,attention deficit hyperactivity disorder (ADHD) -注意力缺陷多动症,zhù yì lì quē xiàn duō dòng zhèng,attention deficit hyperactivity disorder (ADHD) -注意力缺陷过动症,zhù yì lì quē xiàn guò dòng zhèng,attention deficit hyperactivity disorder (ADHD) -注明,zhù míng,to clearly indicate -注水,zhù shuǐ,to pour water into; to inject water into -注目,zhù mù,attention; to stare at; to fix attention on sth -注视,zhù shì,to look attentively at; to closely watch; to gaze at -注资,zhù zī,to inject funds; to put money into (the market) -注释,zhù shì,to annotate; to add a comment; explanatory note; annotation -注重,zhù zhòng,to pay attention to; to emphasize -注音,zhù yīn,to indicate the pronunciation of Chinese characters using Pinyin or Bopomofo etc; phonetic notation; (specifically) Bopomofo (abbr. for 注音符號|注音符号[zhu4 yin1 fu2 hao4]) -注音一式,zhù yīn yī shì,Mandarin Phonetic Symbols 1; Bopomofo; abbr. for 國語注音符號第一式|国语注音符号第一式[Guo2 yu3 zhu4 yin1 fu2 hao4 di4 yi1 shi4] -注音字母,zhù yīn zì mǔ,see 注音符號|注音符号[zhu4 yin1 fu2 hao4] -注音符号,zhù yīn fú hào,"Mandarin phonetic symbols (MPS), phonetic alphabet for Chinese used esp. in Taiwan, also known colloquially as Bopomofo (after the first four letters of the alphabet:ㄅㄆㄇㄈ)" -泫,xuàn,weep -泮,pàn,(literary) to melt; to dissolve -泯,mǐn,(bound form) to vanish; to die out; to obliterate -泯没,mǐn mò,to sink into oblivion; to be lost to memory; to vanish -泯灭,mǐn miè,to obliterate; to die out; to disappear -泰,tài,Mt Tai 泰山[Tai4 Shan1] in Shandong; abbr. for Thailand -泰,tài,safe; peaceful; most; grand -泰来,tài lái,"Tailai county in Qiqihar 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -泰来县,tài lái xiàn,"Tailai county in Qiqihar 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -泰加林,tài jiā lín,taiga (loanword) -泰勒,tài lè,Taylor (name) -泰北,tài běi,northern Thailand -泰半,tài bàn,more than half; a majority; most; mostly -泰和,tài hé,see 泰和縣|泰和县[Tai4 he2 xian4] -泰和,tài hé,calm and peaceful -泰和县,tài hé xiàn,"Taihe county, Jiangxi" -泰国,tài guó,Thailand; Thai -泰坦,tài tǎn,"Titan (race of deities in Greek mythology, moon of Saturn etc)" -泰坦尼克号,tài tǎn ní kè hào,"RMS Titanic, British passenger liner that sank in 1912" -泰坦巨龙,tài tǎn jù lóng,titanosaur -泰姬玛哈陵,tài jī mǎ hā líng,Taj Mahal; abbr. to 泰姬陵[Tai4 ji1 ling2] -泰姬陵,tài jī líng,Taj Mahal (mausoleum in India) -泰安,tài ān,"Tai'an city, prefecture-level city in Shandong; Tai'an township in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -泰安市,tài ān shì,"Tai'an, prefecture-level city in Shandong" -泰安县,tài ān xiàn,Tai'an county in Shandong -泰安乡,tài ān xiāng,"Taian township in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -泰宁,tài níng,"Taining, a county in Sanming City 三明市[San1ming2 Shi4], Fujian" -泰宁县,tài níng xiàn,"Taining, a county in Sanming City 三明市[San1ming2 Shi4], Fujian" -泰山,tài shān,"Mt Tai in Shandong, eastern mountain of the Five Sacred Mountains 五嶽|五岳[Wu3 yue4]" -泰山,tài shān,"Tarzan (fictional character reared by apes in the jungle); Taishan township in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -泰山北斗,tài shān běi dǒu,lit. Mount Tai and the North Star (idiom); fig. an outstanding figure in one's field -泰山区,tài shān qū,"Taishan district of Tai'an city 泰安市[Tai4 an1 shi4], Shandong" -泰山乡,tài shān xiāng,"Taishan township in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -泰山鸿毛,tài shān hóng máo,"as weighty as Mt Tai, as light as a feather (refers to death)" -泰州,tài zhōu,"Taizhou, prefecture-level city in Jiangsu" -泰州市,tài zhōu shì,"Taizhou, prefecture-level city in Jiangsu" -泰式,tài shì,"Thai-style (of food, massage etc)" -泰戈尔,tài gē ěr,"Rabindranath Tagore (1861-1941), Indian poet and writer" -泰拳,tài quán,"Muay Thai - ""Thai fist"" - Martial Art" -泰文,tài wén,Thai (language) -泰斗,tài dǒu,(abbr. for 泰山北斗[Tai4 Shan1 Bei3 dou3]) distinguished figure; doyen; revered authority -泰晤士,tài wù shì,"the Times (newspaper); River Thames, through London" -泰晤士报,tài wù shì bào,Times (newspaper) -泰晤士河,tài wù shì hé,River Thames -泰东,tài dōng,the Far East; East Asia -泰格尔,tài gé ěr,Tegel (name); Tiger (name) -泰武,tài wǔ,"Taiwu township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -泰武乡,tài wǔ xiāng,"Taiwu township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -泰水,tài shuǐ,(literary) mother-in-law; wife's mother -泰然,tài rán,calm; self-composed -泰然自若,tài rán zì ruò,cool and collected (idiom); showing no sign of nerves; perfectly composed -泰然处之,tài rán chǔ zhī,to handle the situation calmly (idiom); unruffled; to treat the situation lightly -泰尔,tài ěr,Tyre (city in Lebanon) -泰瑟,tài sè,Taser (electroshock weapon) -泰瑟枪,tài sè qiāng,Taser (electroshock weapon) -泰瑟尔岛,tài sè ěr dǎo,"Texel island, Netherlands" -泰卢固语,tài lú gù yǔ,"Telugu or Telegu, the official language of Andhra Pradesh, India" -泰米尔,tài mǐ ěr,Tamil -泰米尔伊拉姆猛虎解放组织,tài mǐ ěr yī lā mǔ měng hǔ jiě fàng zǔ zhī,Liberation Tigers of Tamil Eelam -泰米尔猛虎组织,tài mǐ ěr měng hǔ zǔ zhī,Tamil Tigers -泰米尔纳德,tài mǐ ěr nà dé,"Tamil Nadu, southeast Indian state, capital Chennai 欽奈|钦奈[Qin1 nai4]; formerly Madras state 馬德拉斯邦|马德拉斯邦[Ma3 de2 la1 si1 bang1]" -泰米尔纳德邦,tài mǐ ěr nà dé bāng,"Tamil Nadu, southeast Indian state, capital Chennai 欽奈|钦奈[Qin1 nai4]; formerly Madras state 馬德拉斯邦|马德拉斯邦[Ma3 de2 la1 si1 bang1]" -泰米尔语,tài mǐ ěr yǔ,Tamil language -泰县,tài xiàn,Tai county in Jiangsu -泰兴,tài xīng,"Taixing, county-level city in Taizhou 泰州[Tai4 zhou1], Jiangsu" -泰兴市,tài xīng shì,"Taixing, county-level city in Taizhou 泰州[Tai4 zhou1], Jiangsu" -泰华,tài huà,Mt Tai 泰山 and Mt Hua 華山|华山; another name for Mt Hua -泰西,tài xī,(old) the West; the Occident -泰西大儒,tài xī dà rú,Great European Scholar (honorific title of Matteo Ricci) -泰语,tài yǔ,Thai (language) -泰象啤,tài xiàng pí,Chang Beer -泰迪熊,tài dí xióng,teddy bear (loanword) -泰达,tài dá,TEDA (Tianjin Economic Development Area) -泰铢,tài zhū,Thai baht -泰阿,tài ē,name of a famous sword mentioned in ancient texts -泰雅族,tài yǎ zú,"Atayal or Tayal, one of the indigenous ethnic groups of Taiwan" -泰顺,tài shùn,"Taishun county in Wenzhou 溫州|温州[Wen1 zhou1], Zhejiang" -泰顺县,tài shùn xiàn,"Taishun county in Wenzhou 溫州|温州[Wen1 zhou1], Zhejiang" -泱,yāng,"agitated (wind, cloud); boundless" -泱泱,yāng yāng,grand; magnificent; vast -泳,yǒng,swimming; to swim -泳儿,yǒng ér,"Vincy Chan, Hong Kong female singer" -泳帽,yǒng mào,swimming cap -泳池,yǒng chí,swimming pond -泳衣,yǒng yī,swimsuit; bathing suit -泳装,yǒng zhuāng,swimsuit -泳裤,yǒng kù,swim trunks -泳镜,yǒng jìng,swimming goggles -泵,bèng,pump (loanword) -泵柄,bèng bǐng,pump handle -泵浦,bèng pǔ,pump (loanword) -泵灯,bèng dēng,lamp; turn signal -泵站,bèng zhàn,pumping station -洄,huí,eddying; whirling (of water); to go against the current -洄游,huí yóu,(of fish) to migrate -洇,yān,variant of 湮[yan1] -洇,yīn,to soak; to blotch; to splotch -洇湿,yīn shī,to soak -洋,yáng,ocean; vast; foreign; silver dollar or coin -洋中脊,yáng zhōng jǐ,mid-ocean ridge (geology) -洋人,yáng rén,foreigner; Westerner -洋务,yáng wù,foreign affairs (in Qing times); foreign learning -洋务学堂,yáng wù xué táng,college of Western learning in late Qing -洋务派,yáng wù pài,the foreign learning or Westernizing faction in the late Qing -洋务运动,yáng wù yùn dòng,"Self-Strengthening Movement (period of reforms in China c 1861-1894), also named 自強運動|自强运动" -洋化,yáng huà,to Westernize -洋味,yáng wèi,Western taste; Western style -洋员,yáng yuán,Westerner employed in Qing China (as professor or military advisor etc) -洋垃圾,yáng lā jī,trash or used goods from Western countries; the dregs of society of Western countries; Taiwan pr. [yang2 le4 se4] -洋基,yáng jī,see 洋基隊|洋基队[Yang2 ji1 dui4]; New York Yankees (US baseball team) -洋基队,yáng jī duì,New York Yankees (US baseball team) -洋场,yáng chǎng,(old) foreign concession -洋场恶少,yáng chǎng è shào,a rich young bully of old Shanghai -洋妞,yáng niū,young foreign girl -洋娃娃,yáng wá wa,doll (of Western appearance) -洋学,yáng xué,Western learning -洋学堂,yáng xué táng,"school after the Western model, teaching subjects such as foreign languages, math, physics, chemistry etc (old)" -洋将,yáng jiàng,(Tw) (sports) foreign player; import -洋山深水港,yáng shān shēn shuǐ gǎng,Yangshan Deep-Water Port (near Shanghai) -洋山港,yáng shān gǎng,see 洋山深水港[Yang2 shan1 Shen1 shui3 gang3] -洋布,yáng bù,machine-woven cloth (old) -洋底,yáng dǐ,ocean floor; bottom of the ocean -洋底地壳,yáng dǐ dì qiào,oceanic crust (geology) -洋房,yáng fáng,Western-style house -洋教,yáng jiào,foreign religion (esp. Western Christianity in Qing China) -洋文,yáng wén,foreign language (esp. Western) (old) -洋服,yáng fú,Western-style clothes -洋枪,yáng qiāng,western style guns (in former times) -洋槐,yáng huái,black locust tree (Robinia pseudoacacia) -洋槐树,yáng huái shù,black locust tree (Robinia pseudoacacia) -洋壳,yáng qiào,oceanic crust (geology) -洋气,yáng qì,Western style; foreign flavor; trendy; fashionable -洋油,yáng yóu,imported oil; kerosene -洋洋,yáng yáng,vast; impressive; self-satisfied; immensely pleased with oneself -洋洋大篇,yáng yáng dà piān,lit. an ocean of writing; an impressive literary work (idiom) -洋洋得意,yáng yáng dé yì,immensely pleased with oneself (idiom); proud; complacent -洋洋洒洒,yáng yáng sǎ sǎ,"voluminous; flowing (of speeches, articles etc) (idiom)" -洋洋自得,yáng yáng zì dé,immensely pleased with oneself (idiom); proud; complacent -洋流,yáng liú,ocean current -洋浦,yáng pǔ,see 洋浦經濟開發區|洋浦经济开发区[Yang2 pu3 jing1 ji4 kai1 fa1 qu1] -洋浦经济开发区,yáng pǔ jīng jì kāi fā qū,"Yangpu Economic Development Zone, Hainan" -洋泾浜英语,yáng jīng bāng yīng yǔ,pidgin English -洋溢,yáng yì,brimming with; steeped in -洋漂族,yáng piāo zú,lit. ocean drifting people; job-hopping foreigner -洋火,yáng huǒ,(coll.) matches (old) -洋灰,yáng huī,cement -洋燕,yáng yàn,(bird species of China) Pacific swallow (Hirundo tahitica) -洋片,yáng piàn,children's game played with illustrated cards; pogs; menko (Japan) -洋琴,yáng qín,variant of 揚琴|扬琴[yang2 qin2] -洋琵琶,yáng pí pá,mandolin -洋甘菊,yáng gān jú,Matricaria recutita; chamomile -洋画儿,yáng huà er,children's game played with illustrated cards; pogs; menko (Japan) -洋白菜,yáng bái cài,cabbage (round cabbage most commonly found in Western countries) -洋相,yáng xiàng,social gaffe or blunder; faux pas; see 出洋相[chu1 yang2 xiang4] -洋粉,yáng fěn,agar -洋红,yáng hóng,carmine; magenta -洋紫荆,yáng zǐ jīng,Hong Kong orchid (Bauhinia blakeana) -洋紫苏,yáng zǐ sū,sage (herb) -洋县,yáng xiàn,"Yang County in Hanzhong 漢中|汉中[Han4 zhong1], Shaanxi" -洋罪,yáng zuì,terrible pain; torture; (coll.) pain suffered at the hands of foreigners -洋脊,yáng jǐ,mid-ocean ridge -洋腔洋调,yáng qiāng yáng diào,to speak with a foreign accent or using words from a foreign language (usually derogatory) (idiom) -洋芋,yáng yù,(dialect) potato -洋芋片,yáng yù piàn,(Tw) potato chip -洋芫荽,yáng yán sui,parsley -洋菜,yáng cài,agar -洋蒲桃,yáng pú táo,love apple; wax apple; Syzygium samarangense (botany) -洋葱,yáng cōng,onion (Allium cepa); bulb onion -洋葱圈,yáng cōng quān,onion ring -洋蓟,yáng jì,artichoke -洋姜,yáng jiāng,Jerusalem artichoke -洋苏,yáng sū,sage (herb) -洋行,yáng háng,(old) foreign firm -洋装,yáng zhuāng,Western-style dress -洋话,yáng huà,foreign language (esp. Western) -洋货,yáng huò,Western goods; imported goods (in former times) -洋车,yáng chē,rickshaw -洋钱,yáng qián,foreign money; flat silver (former coinage); also written 銀元|银元 -洋镐,yáng gǎo,pickaxe -洋铁箔,yáng tiě bó,tinfoil; CL:張|张[zhang1] -洋面,yáng miàn,ocean surface -洋香菜,yáng xiāng cài,parsley -洋鬼,yáng guǐ,see 洋鬼子[yang2 gui3 zi5] -洋鬼子,yáng guǐ zi,foreign devil; term of abuse for Westerners -洋碱,yáng jiǎn,soap -洌,liè,pure; to cleanse -洎,jì,to reach; when -洗,xǐ,to wash; to bathe; to develop (photographs); to shuffle (cards etc); to erase (a recording) -洗冤,xǐ yuān,to right a wrong; to redress an injustice -洗冤集录,xǐ yuān jí lù,"""Collected Cases of Injustice Rectified"" (1247) by Song Ci 宋慈[Song4 Ci2], said to be the world's first forensic science text" -洗刷,xǐ shuā,"to wipe clean; to scrub; (fig.) to get rid of (a bad reputation, a misconception etc)" -洗剪吹,xǐ jiǎn chuī,"shampoo, haircut and blow-dry" -洗劫,xǐ jié,to loot; to ransack; to pillage -洗劫一空,xǐ jié yī kōng,to steal everything -洗地,xǐ dì,to clean the floor; (Internet slang) (lit.) to wash (the blood) off the floor; (fig.) to cover up evidence of sb's wrongdoing; to defend (a wrongdoer); (coll.) to carpet-bomb -洗心革面,xǐ xīn gé miàn,lit. to wash one's heart and renew one's face (idiom); to repent sincerely and mend one's mistaken ways; to turn over a new leaf -洗手,xǐ shǒu,to wash one's hands; to go to the toilet -洗手不干,xǐ shǒu bù gàn,to totally stop doing something; to reform one's ways -洗手乳,xǐ shǒu rǔ,liquid hand soap -洗手台,xǐ shǒu tái,vanity unit -洗手池,xǐ shǒu chí,bathroom sink; wash basin -洗手液,xǐ shǒu yè,liquid hand soap -洗手盆,xǐ shǒu pén,bathroom sink; wash basin -洗手间,xǐ shǒu jiān,toilet; lavatory; washroom -洗染店,xǐ rǎn diàn,commercial laundry; cleaners -洗浴,xǐ yù,to bathe -洗浴中心,xǐ yù zhōng xīn,bathing and recreation center -洗消,xǐ xiāo,decontamination -洗消剂,xǐ xiāo jì,decontaminant; decontaminating agent -洗消场,xǐ xiāo chǎng,decontaminating field -洗净,xǐ jìng,to wash clean -洗沟,xǐ gōu,to roll a ball into the gutter (ten-pin bowling) -洗涤,xǐ dí,to rinse; to wash; washing -洗涤剂,xǐ dí jì,cleaning agent; detergent -洗涤器,xǐ dí qì,washing appliance -洗涤桶,xǐ dí tǒng,washtub -洗涤槽,xǐ dí cáo,washing tank; sink -洗涤机,xǐ dí jī,washer; washing machine; rinsing machine -洗涤间,xǐ dí jiān,washroom; washhouse -洗涤灵,xǐ dí líng,dishwashing liquid -洗漱,xǐ shù,to wash the face and rinse the mouth -洗洁剂,xǐ jié jì,detergent -洗洁精,xǐ jié jīng,dishwashing liquid -洗澡,xǐ zǎo,to bathe; to take a shower -洗澡间,xǐ zǎo jiān,bathroom; restroom; shower room; CL:間|间[jian1] -洗濯,xǐ zhuó,to wash; to cleanse; to launder -洗炼,xǐ liàn,variant of 洗練|洗练[xi3 lian4] -洗牌,xǐ pái,to shuffle cards -洗牙,xǐ yá,(dentistry) to perform or undergo scaling (removal of dental plaque and calculus) -洗甲水,xǐ jiǎ shuǐ,nail polish remover -洗白,xǐ bái,to make sth clean and white; (fig.) to whitewash; to launder money -洗盆,xǐ pén,basin (water container) -洗碗,xǐ wǎn,to wash the dishes -洗碗机,xǐ wǎn jī,dishwasher -洗碗池,xǐ wǎn chí,kitchen sink -洗碗精,xǐ wǎn jīng,dishwashing liquid -洗礼,xǐ lǐ,baptism (lit. or fig.) -洗稿,xǐ gǎo,"to modify a text so it can be plagiarized without detection (neologism c. 2014, formed by analogy with 洗錢|洗钱[xi3 qian2], to launder money)" -洗绿,xǐ lǜ,to greenwash -洗练,xǐ liàn,agile; nimble; deft -洗者若翰,xǐ zhě ruò hàn,St John the Baptist -洗耳恭听,xǐ ěr gōng tīng,to listen with respectful attention; (a polite request to sb to speak); we are all ears -洗胃,xǐ wèi,(medicine) to give or receive gastric lavage; to get one's stomach pumped -洗脱,xǐ tuō,to cleanse; to purge; to wash away -洗肾,xǐ shèn,to have dialysis treatment -洗脑,xǐ nǎo,to brainwash -洗脸,xǐ liǎn,to wash the face -洗脸盆,xǐ liǎn pén,washbowl; basin for washing hands and face -洗脸盘,xǐ liǎn pán,a hand basin -洗脸台,xǐ liǎn tái,commode; dressing table; sink -洗衣,xǐ yī,laundry -洗衣店,xǐ yī diàn,laundry (commercial establishment) -洗衣房,xǐ yī fáng,laundry room -洗衣板,xǐ yī bǎn,washboard; (jocular) flat chest -洗衣机,xǐ yī jī,washing machine; washer; CL:臺|台[tai2] -洗衣粉,xǐ yī fěn,laundry detergent; washing powder -洗衣网,xǐ yī wǎng,mesh laundry bag (for keeping garments separate from others in the washing machine) -洗钱,xǐ qián,to launder money -洗雪,xǐ xuě,to erase; to wipe out (a previous humiliation etc) -洗面,xǐ miàn,facial cleansing -洗面乳,xǐ miàn rǔ,cleansing lotion -洗面奶,xǐ miàn nǎi,cleansing lotion -洗头,xǐ tóu,to wash one's hair; to have a shampoo -洗马,xiǎn mǎ,(official title) herald to the crown prince (in imperial China) -洗发乳,xǐ fà rǔ,shampoo -洗发剂,xǐ fà jì,shampoo -洗发水,xǐ fà shuǐ,shampoo (liquid) -洗发水儿,xǐ fà shuǐ er,shampoo -洗发皂,xǐ fà zào,shampoo -洗发粉,xǐ fà fěn,shampoo powder -洗发精,xǐ fà jīng,shampoo -洗发露,xǐ fà lù,shampoo -洗黑钱,xǐ hēi qián,money laundering -洙,zhū,surname Zhu -洙,zhū,name of a river -洚,jiàng,flood -洛,luò,"surname Luo; old name of several rivers (in Henan, Shaanxi, Sichuan and Anhui)" -洛,luò,used in transliteration -洛佩斯,luò pèi sī,Lopez (name) -洛佩兹,luò pèi zī,Lopez (name) -洛伦茨,luò lún cí,"Lorentz (name); Hendrik Lorentz (1853-1928), Dutch physicist, 1902 Nobel laureate" -洛克人,luò kè rén,Rockman or Mega Man (video game series) -洛克菲勒,luò kè fēi lè,Rockefeller -洛克西德,luò kè xī dé,Lockheed (US aerospace company) -洛南,luò nán,"Luonan County in Shangluo 商洛[Shang1 luo4], Shaanxi" -洛南县,luò nán xiàn,"Luonan County in Shangluo 商洛[Shang1 luo4], Shaanxi" -洛可可,luò kě kě,rococo (loanword); very ornate -洛基,luò jī,"Loki, god of fire and mischievous destroyer in Norse mythology" -洛基山,luò jī shān,Rocky Mountains; also written 洛磯山|洛矶山 -洛子峰,luò zǐ fēng,"Lhotse Mountain, between Tibet and Nepal" -洛宁,luò níng,"Luoning county in Luoyang 洛陽|洛阳, Henan" -洛宁县,luò níng xiàn,"Luoning county in Luoyang 洛陽|洛阳, Henan" -洛川,luò chuān,"Luochuan county in Yan'an 延安[Yan2 an1], Shaanxi" -洛川县,luò chuān xiàn,"Luochuan county in Yan'an 延安[Yan2 an1], Shaanxi" -洛希尔,luò xī ěr,Rothschild (name) -洛德,luò dé,Lord (name) -洛必达法则,luò bì dá fǎ zé,L'Hôpital's rule (math.) -洛扎,luò zhā,"Lhozhag county, Tibetan: Lho brag rdzong, in Lhokha prefecture 山南地區|山南地区[Shan1 nan2 di4 qu1], Tibet" -洛扎县,luò zhā xiàn,"Lhozhag county, Tibetan: Lho brag rdzong, in Lhokha prefecture 山南地區|山南地区[Shan1 nan2 di4 qu1], Tibet" -洛杉矶,luò shān jī,"Los Angeles, California" -洛杉矶时报,luò shān jī shí bào,Los Angeles Times -洛杉矶湖人,luò shān jī hú rén,Los Angeles Lakers (NBA team) -洛林,luò lín,Lorraine (region in France) -洛桑,luò sāng,Lausanne (city in Switzerland) -洛江,luò jiāng,"Luojiang, a district of Quanzhou City 泉州市[Quan2zhou1 Shi4], Fujian" -洛江区,luò jiāng qū,"Luojiang, a district of Quanzhou City 泉州市[Quan2zhou1 Shi4], Fujian" -洛河,luò hé,"name of several rivers; North Luo river, tributary of Wei river 渭河|渭河[Wei4 He2] in Shaanxi" -洛浦,luò pǔ,"Lop County in Hotan Prefecture 和田地區|和田地区[He2 tian2 Di4 qu1], Xinjiang" -洛浦县,luò pǔ xiàn,"Lop County in Hotan Prefecture 和田地區|和田地区[He2 tian2 Di4 qu1], Xinjiang" -洛皮塔,luò pí tǎ,"Lawpita Falls on the Balu Chaung river, location of Myanmar's biggest hydroelectric plant" -洛皮塔瀑布,luò pí tǎ pù bù,"Lawpita Falls on the Balu Chaung river, location of Myanmar's biggest hydroelectric plant" -洛矶山,luò jī shān,Rocky Mountains -洛矶山脉,luò jī shān mài,Rocky Mountains -洛神花,luò shén huā,roselle (Hibiscus sabdariffa) -洛美,luò měi,"Lomé; Lome, capital of Togo" -洛锡安区,luò xī ān qū,"Lothian, Scottish region around Edinburgh" -洛阳,luò yáng,"Luoyang prefecture-level city in Henan, an old capital from pre-Han times" -洛阳市,luò yáng shì,"Luoyang prefecture-level city in Henan, an old capital from pre-Han times" -洛阳纸贵,luò yáng zhǐ guì,lit. paper has become expensive in Luoyang (because everyone is making a copy of a popular story) (idiom); fig. (of a product) to sell like hotcakes -洛隆,luò lóng,"Lhorong county, Tibetan: Lho rong rdzong, in Chamdo prefecture 昌都地區|昌都地区[Chang1 du1 di4 qu1], Tibet" -洛隆县,luò lóng xiàn,"Lhorong county, Tibetan: Lho rong rdzong, in Chamdo prefecture 昌都地區|昌都地区[Chang1 du1 di4 qu1], Tibet" -洛龙,luò lóng,Luolong district of Luoyang City 洛陽市|洛阳市 in Henan province 河南 -洛龙区,luò lóng qū,Luolong district of Luoyang City 洛陽市|洛阳市 in Henan province 河南 -洞,dòng,cave; hole; zero (unambiguous spoken form when spelling out numbers); CL:個|个[ge4] -洞口,dòng kǒu,"Dongkou county in Shaoyang 邵陽|邵阳[Shao4 yang2], Hunan" -洞口,dòng kǒu,cave mouth; tunnel entrance -洞口县,dòng kǒu xiàn,"Dongkou county in Shaoyang 邵陽|邵阳[Shao4 yang2], Hunan" -洞天,dòng tiān,paradise; heavenly or beautiful place; fairyland -洞子,dòng zi,cave; pit; (coll.) greenhouse -洞孔,dòng kǒng,hole -洞察,dòng chá,to see clearly -洞察一切,dòng chá yī qiè,to see everything clearly -洞察力,dòng chá lì,insight -洞府,dòng fǔ,cave dwelling; legendary abode of immortals -洞庭湖,dòng tíng hú,Dongting Lake in northeast Hunan province -洞悉,dòng xī,to clearly understand -洞房,dòng fáng,secret inner room; bridal room -洞房花烛,dòng fáng huā zhú,bridal room and ornamented candles; wedding festivities (idiom) -洞房花烛夜,dòng fáng huā zhú yè,wedding night -洞泄,dòng xiè,lienteric diarrhea (TCM) -洞洞鞋,dòng dòng xié,Crocs shoes (or any similar shoe) -洞穴,dòng xué,cave; cavern -洞穿,dòng chuān,to penetrate; to pierce; to see clearly; to have an insight into -洞窟,dòng kū,a cave -洞若观火,dòng ruò guān huǒ,lit. to see sth as clearly as one sees a blazing fire (idiom); fig. to grasp the situation thoroughly -洞螈,dòng yuán,olm (Proteus anguinus) -洞见,dòng jiàn,insight; to see clearly -洞鉴,dòng jiàn,to examine deeply; to inspect closely -洞开,dòng kāi,to be wide open -洞头,dòng tóu,"Dontou county in Wenzhou 溫州|温州[Wen1 zhou1], Zhejiang" -洞头县,dòng tóu xiàn,"Dontou county in Wenzhou 溫州|温州[Wen1 zhou1], Zhejiang" -洣,mǐ,"Mi river in Hunan, tributary of Xiangjiang 湘江" -洣水,mǐ shuǐ,"Mi river in Hunan, tributary of Xiangjiang 湘江" -津,jīn,abbr. for Tianjin 天津[Tian1 jin1] -津,jīn,saliva; sweat; a ferry crossing; a ford (river crossing) -津南,jīn nán,Jinnan suburban district of Tianjin municipality 天津市[Tian1 jin1 shi4] -津南区,jīn nán qū,Jinnan suburban district of Tianjin municipality 天津市[Tian1 jin1 shi4] -津塔,jīn tǎ,"Jin Tower; abbr. for 天津環球金融中心|天津环球金融中心[Tian1 jin1 Huan2 qiu2 Jin1 rong2 Zhong1 xin1] Tianjin World Financial Center, skyscraper a.k.a. the Tianjin Tower" -津岛,jīn dǎo,"Tsushima, a city in Aichi prefecture, Japan" -津巴布韦,jīn bā bù wéi,Zimbabwe -津市,jīn shì,"Jinshi, county-level city in Changde 常德[Chang2 de2], Hunan" -津市市,jīn shì shì,"Jinshi, county-level city in Changde 常德[Chang2 de2], Hunan" -津梁,jīn liáng,lit. ferry bridge; fig. interim measure over some difficulty; a guide -津沽,jīn gū,another name for Tianjin 天津 -津津,jīn jīn,enthusiastic; ardent; (with) great relish -津津有味,jīn jīn yǒu wèi,with keen interest (idiom); with great pleasure; with gusto; eagerly -津津乐道,jīn jīn lè dào,to discuss sth enthusiastically -津浪,jīn làng,tsunami; same as 海嘯|海啸 -津液,jīn yè,bodily fluids (general term in Chinese medicine) -津泽,jīn zé,fluids (esp. in plants); sap -津要,jīn yào,(literary) key location; key post (important job) -津贴,jīn tiē,allowance -洧,wěi,name of a river -洧水,wěi shuǐ,river in Henan -洨,xiáo,Xiao River in Hebei province -洨,xiáo,"(Tw) (vulgar) semen (from Taiwanese 潲, Tai-lo pr. [siâu])" -洨河,xiáo hé,Xiao River in Hebei -泄,xiè,(bound form) to leak out; to discharge; (fig.) to divulge -泄劲,xiè jìn,to lose heart; to feel discouraged -泄密,xiè mì,to leak secrets -泄底,xiè dǐ,to divulge the inside story -泄怒,xiè nù,to give vent to anger -泄恨,xiè hèn,to give vent to anger -泄欲,xiè yù,to sate one's lust -泄欲工具,xiè yù gōng jù,sexual object -泄愤,xiè fèn,to give vent to anger -泄殖腔,xiè zhí qiāng,"cloaca; cloacal cavity (of bird, reptile etc)" -泄气,xiè qì,to leak (gas); to be discouraged; to despair; (disparaging) pathetic; to vent one's anger; (of a tire) to be flat -泄洪,xiè hóng,to release flood water; flood discharge -泄洪闸,xiè hóng zhá,sluice-gate; flood discharge valve -泄流,xiè liú,drainage -泄漏,xiè lòu,(of a liquid or gas) to leak; to divulge; to leak (information) -泄泻,xiè xiè,loose bowels; diarrhea; to have the runs -泄痢,xiè lì,to have diarrhea -泄私愤,xiè sī fèn,to vent personal spite; to act out of malice (esp. of crime) -洪,hóng,surname Hong -洪,hóng,flood; big; great -洪亮,hóng liàng,loud and clear; resonant -洪亮吉,hóng liàng jí,"Hong Liangji (1746-1809), poet and historian" -洪佛,hóng fó,Hung Fut style kung fu -洪博培,hóng bó péi,"Jon Huntsman, Jr. (1960-), US politician, Governor of Utah 2005-2009, Ambassador to China 2009-2011" -洪堡,hóng bǎo,Humboldt -洪家,hóng jiā,the Hong family (household); Hung Gar Kung Fu - Martial Art -洪山,hóng shān,"Hongshan district of Wuhan city 武漢市|武汉市[Wu3 han4 shi4], Hubei" -洪山区,hóng shān qū,"Hongshan district of Wuhan city 武漢市|武汉市[Wu3 han4 shi4], Hubei" -洪庙村,hóng miào cūn,"Hongmiao village in Mudan District 牡丹區|牡丹区[Mu3 dan5 Qu1] of Heze City, Shandong" -洪森,hóng sēn,"Hun Sen (1952-), prime minister of Cambodia since 1985" -洪武,hóng wǔ,"Hongwu Emperor, also written Hung-wu Ti, reign name of first Ming emperor Zhu Yuanzhang 朱元璋[Zhu1 Yuan2 zhang1] (1328-1398), reigned 1386-1398, temple name 明太祖[Ming2 Tai4 zu3]" -洪水,hóng shuǐ,deluge; flood -洪水期,hóng shuǐ qī,flood season -洪水滔滔,hóng shuǐ tāo tāo,(idiom) to have flooding over a vast area -洪水猛兽,hóng shuǐ měng shòu,lit. severe floods and fierce beasts (idiom); fig. great scourges; extremely dangerous or threatening things -洪汛期,hóng xùn qī,flood season -洪江,hóng jiāng,"Hongjiang, county-level city in Huaihua 懷化|怀化[Huai2 hua4], Hunan; Hongjiang district of Huaihua city 懷化市|怀化市[Huai2 hua4 shi4], Hunan" -洪江区,hóng jiāng qū,"Hongjiang district of Huaihua city 懷化市|怀化市[Huai2 hua4 shi4], Hunan" -洪江市,hóng jiāng shì,"Hongjiang, county-level city in Huaihua 懷化|怀化[Huai2 hua4], Hunan" -洪洞,hóng tóng,"Hongtong county in Linfen 臨汾|临汾[Lin2 fen2], Shanxi" -洪洞县,hóng tóng xiàn,"Hongtong county in Linfen 臨汾|临汾[Lin2 fen2], Shanxi" -洪流,hóng liú,"a powerful current; a flood (often fig., e.g. a flood of ideas)" -洪渊,hóng yuān,vast and profound -洪湖,hóng hú,"Honghu, county-level city in Jingzhou 荊州|荆州[Jing1 zhou1], Hubei" -洪湖市,hóng hú shì,"Honghu, county-level city in Jingzhou 荊州|荆州[Jing1 zhou1], Hubei" -洪涝,hóng lào,flood; inundation; flooding -洪泽,hóng zé,"Hongze county in Huai'an 淮安[Huai2 an1], Jiangsu" -洪泽湖,hóng zé hú,Hongze Lake in Jiangsu province -洪泽县,hóng zé xiàn,"Hongze county in Huai'an 淮安[Huai2 an1], Jiangsu" -洪灾,hóng zāi,flood -洪熙,hóng xī,"Hongxi Emperor, reign name of fourth Ming emperor Zhu Gaochi 朱高熾|朱高炽[Zhu1 Gao1 chi4] (1378-1425), reigned (1424-1425), temple name 明仁宗[Ming2 Ren2 zong1]" -洪炉,hóng lú,great furnace (metaphor for a place where character is forged) -洪福,hóng fú,good fortune; great blessing -洪福齐天,hóng fú qí tiān,flood of good fortune fills the heavens (idiom); a lucky sign -洪秀全,hóng xiù quán,"Hong Xiuquan or Hung Hsiu-ch'üan (1814-1864), leader of the Taiping rebellion or Taiping Heavenly Kingdom" -洪秀柱,hóng xiù zhù,"Hung Hsiu-chu (1948-), Taiwanese KMT politician" -洪都拉斯,hóng dū lā sī,Honduras -洪门,hóng mén,see 天地會|天地会[Tian1 di4 hui4] -洪雅,hóng yǎ,"Hongya County in Meishan 眉山市[Mei2 shan1 Shi4], Sichuan" -洪雅族,hóng yǎ zú,"Hoanya, one of the indigenous peoples of Taiwan" -洪雅县,hóng yǎ xiàn,"Hongya County in Meishan 眉山市[Mei2 shan1 Shi4], Sichuan" -洫,xù,to ditch; a moat -洮,táo,to cleanse; name of a river -洮北,táo běi,"Taobei district of Baicheng city 白城市, Jilin" -洮北区,táo běi qū,"Taobei district of Baicheng city 白城市, Jilin" -洮南,táo nán,"Taonan, county-level city in Baicheng 白城, Jilin" -洮南市,táo nán shì,"Taonan, county-level city in Baicheng 白城, Jilin" -洱,ěr,see 洱海[Er3 hai3] -洱海,ěr hǎi,Erhai Lake -洱源,ěr yuán,"Eryuan county in Dali Bai autonomous prefecture 大理白族自治州[Da4 li3 Bai2 zu2 zi4 zhi4 zhou1], Yunnan" -洱源县,ěr yuán xiàn,"Eryuan county in Dali Bai autonomous prefecture 大理白族自治州[Da4 li3 Bai2 zu2 zi4 zhi4 zhou1], Yunnan" -洲,zhōu,continent; island in a river -洲府,zhōu fǔ,state government -洲际,zhōu jì,intercontinental -洲际导弹,zhōu jì dǎo dàn,intercontinental ballistic missile ICBM -洲际弹道导弹,zhōu jì dàn dào dǎo dàn,intercontinental ballistic missile ICBM -洳,rù,damp; boggy; marshy -洵,xún,truly; whirlpool -汹,xiōng,torrential rush; tumultuous -汹涌,xiōng yǒng,"to surge up violently (of ocean, river, lake etc); turbulent" -洹,huán,name of a river -活,huó,to live; alive; living; work; workmanship -活下,huó xià,to survive -活下去,huó xià qù,to survive; to keep on living -活不下去,huó bù xià qu,impossible to make a living -活久见,huó jiǔ jiàn,"(neologism c. 2006) if you live long enough, you'll see everything; Just incredible!" -活人,huó rén,living person -活人让尿憋死,huó rén ràng niào biē sǐ,lit. such a fool as to die from holding in one's pee (idiom); fig. unable to solve a problem due to the inflexibility of one's thinking -活似,huó sì,see 活像[huo2 xiang4] -活佛,huó fó,Living Buddha; title of Mongolian Lamas from 17th century -活便,huó biàn,nimble; agile; convenient -活像,huó xiàng,to look exactly like; to be the spitting image of -活儿,huó er,work; (lots of) things to do -活分,huó fēn,nimble -活力,huó lì,energy; vitality; vigor; vital force -活力四射,huó lì sì shè,dynamic; enthusiastic; energetic -活动,huó dòng,"to exercise; to move about; to operate; to use connections (personal influence); loose; shaky; active; movable; activity; campaign; maneuver; behavior; CL:項|项[xiang4],個|个[ge4]" -活动中心,huó dòng zhōng xīn,activity center; CL:處|处[chu4] -活动人士,huó dòng rén shì,activist -活动场地,huó dòng chǎng dì,"place for activities (playground, event venue etc)" -活动家,huó dòng jiā,activist -活动房,huó dòng fáng,prefabricated building; prefab -活动房屋,huó dòng fáng wū,prefabricated building; prefab; mobile home; caravan; trailer -活动扳手,huó dòng bān shǒu,adjustable spanner -活动挂图,huó dòng guà tú,flipchart -活动曲尺,huó dòng qū chǐ,sliding bevel (to measure angles) -活动桌面,huó dòng zhuō miàn,active desktop -活动看板,huó dòng kàn bǎn,calendar of events -活动能力,huó dòng néng lì,mobility; motility -活化,huó huà,activation -活化分析,huó huà fēn xī,activation analysis -活化石,huó huà shí,living fossil -活受罪,huó shòu zuì,(coll.) to go through sheer hell -活口,huó kǒu,sb who witnesses a crime and is not killed by the perpetrator; a captive who can provide information -活命,huó mìng,life; to survive; to save a life; to scrape a living -活埋,huó mái,to bury alive -活报剧,huó bào jù,"political street theater (loanword from Zhivaya Gazeta, or Living Newspaper, Russian theater form of the 1920s)" -活塞,huó sāi,piston; valve -活套,huó tào,noose; running knot -活好,huó hǎo,to live (one's life) well; (slang) to be good in bed -活字,huó zì,movable type -活字典,huó zì diǎn,walking dictionary; well-informed person -活字印刷,huó zì yìn shuā,printing with movable type -活存,huó cún,demand deposit (abbr. for 活期存款[huo2 qi1 cun2 kuan3]) -活学活用,huó xué huó yòng,to creatively combine learning with usage; to learn and apply pragmatically -活宝,huó bǎo,buffoon; clown; ridiculous person -活尸,huó shī,zombie -活度,huó dù,activity -活得不耐烦,huó de bù nài fán,to be tired of living; (coll.) to be asking for trouble -活性,huó xìng,(chemistry) activity; active; activated -活性剂,huó xìng jì,reagent (chemistry) -活性氧类,huó xìng yǎng lèi,activated oxygen species (AOS) -活性炭,huó xìng tàn,activated carbon -活捉,huó zhuō,to capture alive -活摘,huó zhāi,to harvest (an organ) from a living person -活期,huó qī,(banking) current (account); checking (account); demand (deposit etc) -活期存款,huó qī cún kuǎn,demand deposit -活期帐户,huó qī zhàng hù,current account (in bank) -活期贷款,huó qī dài kuǎn,demand loan (i.e. loan that the borrower can demanded back at any time) -活期资金,huó qī zī jīn,funds on call; invested sum that can be cashed -活板,huó bǎn,trapdoor -活检,huó jiǎn,biopsy; abbr. for 活體組織檢查|活体组织检查[huo2 ti3 zu3 zhi1 jian3 cha2] -活气,huó qì,spirited atmosphere -活泛,huó fan,flexible; adaptable -活活,huó huó,while still alive; simply; totally -活泼,huó po,lively; vivacious; brisk; active; (chemistry) reactive -活火,huó huǒ,flaming fire; flames -活火山,huó huǒ shān,active volcano -活版,huó bǎn,typography; movable type -活版印刷,huó bǎn yìn shuā,printing with movable type; typesetting -活物,huó wù,living animals -活瓣,huó bàn,valve -活生生,huó shēng shēng,real (people); living (artist); while still alive (e.g. skinned alive) -活用,huó yòng,to apply (knowledge etc) creatively and flexibly; to use a word flexibly (e.g. a noun as an adjective) -活神仙,huó shén xiān,a god living in our midst (sb who can predict the future like a prophet or who leads a life without constraints) -活禽,huó qín,live poultry -活组织检查,huó zǔ zhī jiǎn chá,biopsy -活结,huó jié,a slip-knot; a noose -活罪,huó zuì,bitter sufferings; great hardships -活脱,huó tuō,remarkably alike -活脱脱,huó tuō tuō,remarkably alike -活色生香,huó sè shēng xiāng,(of a flower) vividly colorful and fragrant; (of a woman) captivating; charming; (of writing or a painting etc) lifelike; vivid -活茬,huó chá,farm work -活菩萨,huó pú sà,a living Buddha; fig. compassionate person; saint -活着,huó zhe,alive -活血,huó xuè,to improve blood circulation (Chinese medicine) -活血止痛,huó xuè zhǐ tòng,to invigorate blood circulation and alleviate pain (idiom) -活见鬼,huó jiàn guǐ,what the hell; preposterous -活计,huó jì,handicraft; needlework; work -活该,huó gāi,(coll.) serve sb right; deservedly; ought; should -活路,huó lù,through road; way out; way to survive; means of subsistence -活路,huó lu,labor; physical work -活蹦乱跳,huó bèng luàn tiào,to leap and frisk about (idiom); lively; healthy and active -活跃,huó yuè,active; lively; excited; to enliven; to brighten up -活跃分子,huó yuè fèn zǐ,activist -活门,huó mén,valve -活雷锋,huó léi fēng,"selfless model citizen, just like Lei Feng 雷鋒|雷锋[Lei2 Feng1]" -活灵活现,huó líng huó xiàn,"living spirit, living image (idiom); true to life; vivid and realistic" -活靶子,huó bǎ zi,live target; target (of criticism etc) -活体,huó tǐ,living body; live specimen -活体检视,huó tǐ jiǎn shì,biopsy -活体组织检查,huó tǐ zǔ zhī jiǎn chá,biopsy; abbr. to 活檢|活检[huo2 jian3] -活鱼,huó yú,fresh fish; living fish -活龙活现,huó lóng huó xiàn,"living spirit, living image (idiom); true to life; vivid and realistic" -洼,wā,variant of 窪|洼[wa1] -洽,qià,accord; to make contact; to agree; to consult with; extensive -洽商,qià shāng,to negotiate; to talk over -洽询,qià xún,to inquire (of); to consult -洽谈,qià tán,to discuss -派,pā,used in 派司[pa1 si5] -派,pài,clique; school; group; faction; to dispatch; to send; to assign; to appoint; pi (Greek letter Ππ); the circular ratio pi = 3.1415926; (loanword) pie -派上用场,pài shàng yòng chǎng,to put to good use; to come in handy -派任,pài rèn,to set apart; to assign sb to a job -派克,pài kè,Pike or Peck (name); Parker Pen Company -派克大衣,pài kè dà yī,parka jacket (loanword); CL:件[jian4] -派兵,pài bīng,to dispatch troops -派出,pài chū,to send; to dispatch -派出所,pài chū suǒ,local police station -派别,pài bié,group; sect; clique; faction; school -派力奥,pài lì ào,Fiat Palio -派势,pài shì,style; manner -派司,pā si,(loanword); pass (for gaining admittance); to pass (in a game of bridge etc); to get through; to pass (an exam etc) -派单,pài dān,"to hand out leaflets; (of a platform, e.g. Uber, DiDi) to dispatch orders" -派定,pài dìng,to believe; to be convinced -派对,pài duì,party (loanword) -派性,pài xìng,factionalism; tribalism -派拉蒙影业,pài lā méng yǐng yè,Paramount Pictures (US movie company) -派斯托,pài sī tuō,pesto (Italian sauce) (loanword) -派生,pài shēng,to produce (from sth else); to derive (from raw material); derivative -派生词,pài shēng cí,derivative word -派系,pài xì,sect; faction -派给工作,pài gěi gōng zuò,to task -派翠西亚,pài cuì xī yà,Patricia -派购,pài gòu,fixed government purchase (esp of farm products) -派送,pài sòng,to send; to deliver; to distribute -派遣,pài qiǎn,to send (on a mission); to dispatch -派遗,pài yí,to send (sb) on a mission; to dispatch -派头,pài tóu,manner; style; panache -派驻,pài zhù,"to dispatch (sb) in an official capacity; to be posted (as an ambassador, foreign correspondent etc)" -流,liú,"to flow; to disseminate; to circulate or spread; to move or drift; to degenerate; to banish or send into exile; stream of water or sth resembling one; class, rate or grade" -流干,liú gān,to drain; to run dry -流亡,liú wáng,to force into exile; to be exiled; in exile -流亡政府,liú wáng zhèng fǔ,government-in-exile -流布,liú bù,to spread; to circulate; to disseminate -流俗,liú sú,prevalent fashion (often used pejoratively); vulgar customs -流传,liú chuán,to spread; to circulate; to hand down -流光溢彩,liú guāng yì cǎi,lit. flowing light and overflowing color; brilliant lights and vibrant colors (idiom) -流入,liú rù,to flow into; to drift into; influx; inflow -流冗,liú rǒng,the unemployed workforce -流出,liú chū,to flow out; to disgorge; to effuse -流刑,liú xíng,exile (as form of punishment) -流别,liú bié,branch (of a river); school (of thought) -流利,liú lì,fluent -流动,liú dòng,to flow; to circulate; to go from place to place; to be mobile; (of assets) liquid -流动人口,liú dòng rén kǒu,transient population; floating population -流动儿童,liú dòng ér tóng,children of migrants -流动性,liú dòng xìng,flowing; shifting; fluidity; mobility; liquidity (of funds) -流动性大沙漠,liú dòng xìng dà shā mò,shifting sand dunes -流动率,liú dòng lǜ,turnover (of staff) -流动负债,liú dòng fù zhài,current liability -流动资产,liú dòng zī chǎn,(financial reporting) current assets; liquid assets -流动资金,liú dòng zī jīn,money in circulation; fluid funds -流向,liú xiàng,direction of a current; direction of flow; to flow toward -流域,liú yù,river basin; valley; drainage area -流失,liú shī,"(of soil etc) to wash away; to be eroded; (fig.) (of talented staff, followers of a religious faith, investment funds etc) to go elsewhere; to fail to be retained" -流媒体,liú méi tǐ,streaming media -流宕忘反,liú dàng wàng fǎn,to stray and forget to return -流寇,liú kòu,roving bandit; rebel band -流居,liú jū,to live in exile -流岚,liú lán,mountain mist -流布,liú bù,to spread; to circulate; to disseminate -流年,liú nián,fleeting time; horoscope for the year -流年不利,liú nián bù lì,the year's horoscope augurs ill (idiom); an unlucky year -流弊,liú bì,malpractice; long-running abuse -流弹,liú dàn,stray bullet -流形,liú xíng,manifold (math.) -流感,liú gǎn,flu; influenza -流感季,liú gǎn jì,flu season -流感疫苗,liú gǎn yì miáo,influenza vaccine -流感病毒,liú gǎn bìng dú,influenza virus; flu virus -流播,liú bō,to circulate; to hand around -流放,liú fàng,to exile; to banish; to deport; to float (logs) downstream -流于,liú yú,to change (for the worse) -流于形式,liú yú xíng shì,to become a mere formality -流明,liú míng,lumen (unit of light flux) (loanword) -流星,liú xīng,meteor; shooting star; meteor hammer (abbr. for 流星錘|流星锤[liu2 xing1 chui2]) -流星赶月,liú xīng gǎn yuè,lit. a meteor catching up with the moon; swift action (idiom) -流星锤,liú xīng chuí,meteor hammer (ancient weapon consisting of two iron balls connected by a chain) -流星雨,liú xīng yǔ,meteor shower -流星体,liú xīng tǐ,meteoroid -流畅,liú chàng,"flowing (of speech, writing); fluent; smooth and easy" -流标,liú biāo,(of an auction) to be inconclusive -流毒,liú dú,to spread poison; pernicious influence -流民,liú mín,refugee -流氓,liú máng,rogue; hoodlum; gangster; immoral behavior -流氓国家,liú máng guó jiā,rogue state -流氓无产者,liú máng wú chǎn zhě,lumpenproletariat (in Marxist theory) -流氓罪,liú máng zuì,the crime of hooliganism -流氓软件,liú máng ruǎn jiàn,malware (computing) -流氓集团,liú máng jí tuán,gang of hoodlums -流水,liú shuǐ,running water; (business) turnover -流水不腐,liú shuǐ bù fǔ,flowing water does not rot -流水席,liú shuǐ xí,banquet where guests arrive at various times and are served with food as they arrive -流水帐,liú shuǐ zhàng,variant of 流水賬|流水账[liu2 shui3 zhang4] -流水线,liú shuǐ xiàn,assembly line; (computing) pipeline -流水账,liú shuǐ zhàng,day-to-day account; current account -流汗,liú hàn,to sweat -流沙,liú shā,quicksand -流沙包,liú shā bāo,"salted egg custard bun; lava bun (steamed bun with a sweet runny egg custard filling, a popular dim sum)" -流泆,liú yì,to indulge; licentious -流派,liú pài,tributary (stream); (fig.) school (of thought); genre; style -流浪,liú làng,to drift about; to wander; to roam; nomadic; homeless; unsettled (e.g. population); vagrant -流浪儿,liú làng ér,street urchin; waif -流浪汉,liú làng hàn,tramp; wanderer -流浪狗,liú làng gǒu,stray dog -流浪者,liú làng zhě,rover; vagabond; vagrant; wanderer -流淌,liú tǎng,to flow -流泪,liú lèi,to shed tears -流泻,liú xiè,to flow; to flood -流球,liú qiú,"variant of 琉球[Liu2 qiu2], Ryūkyū, e.g. the Ryūkyū Islands 琉球群島|琉球群岛[Liu2 qiu2 Qun2 dao3] stretching from Japan to Taiwan" -流球群岛,liú qiú qún dǎo,the Ryukyu or Luchu Islands (including Okinawa) -流理台,liú lǐ tái,"kitchen counter (generally including sink, food preparation area and gas range) (Tw)" -流产,liú chǎn,to have a miscarriage; (fig.) to fail; to fall through -流目,liú mù,to let one's eyes rove -流眄,liú miǎn,to ogle; to glance in a shifty manner -流程,liú chéng,course; stream; sequence of processes; work flow in manufacturing -流程图,liú chéng tú,flow chart -流程表,liú chéng biǎo,flow chart -流窜,liú cuàn,"to roam all over the place; to go into every nook and corner; to infiltrate; (of criminals, enemies etc) to be on the run; to flee and try to hide" -流窜犯,liú cuàn fàn,criminal at large -流纹岩,liú wén yán,"rhyolite (extrusive igneous rock, chemically equivalent to granite)" -流网,liú wǎng,drift net (fishing) -流线,liú xiàn,streamline (physics) -流线型,liú xiàn xíng,sleek; streamlined -流脑,liú nǎo,epidemic cerebrospinal meningitis (abbr. for 流行性腦膜炎|流行性脑膜炎[liu2 xing2 xing4 nao3 mo2 yan2]) -流脓,liú nóng,to discharge pus; to suppurate -流芳,liú fāng,to leave a good reputation -流芳百世,liú fāng bǎi shì,"(of one's name, reputation etc) to be immortalized (idiom); to leave a mark for generations to come" -流落,liú luò,to wander about destitute; to be stranded -流落他乡,liú luò tā xiāng,to wander far from home -流荡,liú dàng,to float; to tramp; to rove -流苏,liú sū,tassels -流苏鹬,liú sū yù,(bird species of China) ruff (Philomachus pugnax) -流萤,liú yíng,firefly -流血,liú xuè,to bleed; to shed blood -流行,liú xíng,"(of a contagious disease etc) to spread; to propagate; (of a style of clothing, song etc) popular; fashionable" -流行性,liú xíng xìng,qualities that make sth popular or fashionable; (of a disease) epidemic -流行性感冒,liú xíng xìng gǎn mào,influenza -流行株,liú xíng zhū,epidemic strain -流行病,liú xíng bìng,epidemic disease -流行病学,liú xíng bìng xué,epidemiology -流行语,liú xíng yǔ,popular jargon; catchword -流行音乐,liú xíng yīn yuè,pop music -流里流气,liú li liú qì,hooliganism; rowdyism -流览,liú lǎn,to skim; to browse -流言,liú yán,rumor; gossip; to spread rumors -流言蜚语,liú yán fēi yǔ,rumors and slanders (idiom); gossip; lies and slanders -流调,liú diào,epidemiological survey (abbr. for 流行病學調查|流行病学调查[liu2 xing2 bing4 xue2 diao4 cha2]) -流变,liú biàn,to flow and change; development and change (of society) -流变学,liú biàn xué,rheology -流变能力,liú biàn néng lì,rheology -流辈,liú bèi,a contemporary; similar class of people -流转,liú zhuǎn,to be on the move; to roam or wander; to circulate (of goods or capital) -流通,liú tōng,to circulate; to distribute; circulation; distribution -流逝,liú shì,(of time) to pass; to elapse -流速,liú sù,flow speed; rate of flow -流连,liú lián,to loiter (i.e. reluctant to leave); to linger on -流连忘返,liú lián wàng fǎn,to linger; to remain enjoying oneself and forget to go home -流量,liú liàng,flow rate; throughput of passengers; volume of traffic; (hydrology) discharge; data traffic; network traffic; website traffic; mobile data -流量明星,liú liàng míng xīng,"(neologism c. 2014) celebrity with a huge, devoted fan base; celebrity with a huge following on social media" -流量计,liú liàng jì,flowmeter -流离,liú lí,homeless and miserable; forced to leave home and wander from place to place; to live as a refugee -流离失所,liú lí shī suǒ,destitute and homeless (idiom); forced from one's home and wandering about; displaced -流离遇合,liú lí yù hé,to reunite after being homeless refugees -流离颠沛,liú lí diān pèi,destitute and homeless (idiom); displaced and without means -流露,liú lù,"to reveal (indirectly, implicitly); to show (interest, contempt etc) by means of one's actions, tone of voice etc" -流韵,liú yùn,musical sound; flowing rhythm (of poetry); cadence -流食,liú shí,(medicine) liquid food -流体,liú tǐ,fluid -流体力学,liú tǐ lì xué,fluid mechanics; hydrodynamics -流体动力学,liú tǐ dòng lì xué,fluid dynamics -流体核试验,liú tǐ hé shì yàn,hydronuclear explosion (HNE) -流丽,liú lì,smooth and ornate; flowing (style etc) -流鼻涕,liú bí tì,to have a runny nose -流鼻血,liú bí xiě,to bleed from the nose; (fig.) to be sexually aroused -浙,zhè,abbr. for Zhejiang 浙江 province in east China -浙江,zhè jiāng,"Zhejiang province (Chekiang) in east China, abbr. 浙, capital Hangzhou 杭州" -浙江三门县,zhè jiāng sān mén xiàn,Sanmen County in Zhejiang -浙江大学,zhè jiāng dà xué,Zhejiang University -浙江天台县,zhè jiāng tiān tái xiàn,Tiantai County in Zhejiang -浙江省,zhè jiāng shěng,"Zhejiang Province (Chekiang) in east China, abbr. 浙[Zhe4], capital Hangzhou 杭州[Hang2 zhou1]" -浙菜,zhè cài,Zhejiang cuisine -浙赣,zhè gàn,Zhejiang-Jiangxi -浚,jùn,to dredge (a river) -浚泥船,jùn ní chuán,dredger -浚渫,jùn xiè,to dredge -浚县,xùn xiàn,"Xun County in Hebi 鶴壁|鹤壁[He4 bi4], Henan" -浜,bāng,stream; creek -浜,bīn,Japanese variant of 濱|滨[bin1]; used in Japanese place names such as Yokohama 橫浜|横浜[Heng2 bin1] with phonetic value hama -浞,zhuó,(coll.) to drench -浠,xī,name of a river in Hubei -浠水,xī shuǐ,"Xishui county in Huanggang 黃岡|黄冈[Huang2 gang1], Hubei" -浠水县,xī shuǐ xiàn,"Xishui county in Huanggang 黃岡|黄冈[Huang2 gang1], Hubei" -浣,huàn,to wash; to rinse; any of three 10-day division of the month (during Tang dynasty); Taiwan pr. [huan3]; also pr. [wan3] -浣女,huàn nǚ,washerwoman -浣洗,huàn xǐ,to wash (clothes) -浣涤,huàn dí,to wash; to rinse -浣濯,huàn zhuó,to wash; to rinse -浣熊,huàn xióng,raccoon (Procyon lotor) -浣纱,huàn shā,to wash silk -浣纱记,huàn shā jì,"Huansahji or Washing the Silken Gauze, Yuan and Ming saga reworked by 梁辰魚|梁辰鱼 from History of the Southern States Wu and Yue, 吳越春秋|吴越春秋, a popular opera subject" -浣衣,huàn yī,to wash clothes -浣雪,huàn xuě,to cleanse oneself of false accusations -浦,pǔ,surname Pu -浦,pǔ,river bank; shore; river drainage ditch (old) -浦北,pǔ běi,"Pubei county in Qinzhou 欽州|钦州[Qin1 zhou1], Guangxi" -浦北县,pǔ běi xiàn,"Pubei county in Qinzhou 欽州|钦州[Qin1 zhou1], Guangxi" -浦口,pǔ kǒu,Pukou district of Nanjing City 南京市 in Jiangsu 江蘇|江苏 -浦口区,pǔ kǒu qū,Pukou district of Nanjing City 南京市 in Jiangsu 江蘇|江苏 -浦城,pǔ chéng,"Pucheng county in Nanping 南平[Nan2 ping2], Fujian" -浦城县,pǔ chéng xiàn,Pucheng county in Nanping 南平[Nan2 ping2] Fujian -浦东,pǔ dōng,"Pudong, subprovincial district of Shanghai" -浦东新区,pǔ dōng xīn qū,"Pudong New District, subprovincial district of Shanghai" -浦东机场,pǔ dōng jī chǎng,Pudong Airport (Shanghai) -浦江,pǔ jiāng,"Pujiang county in Jinhua 金華|金华[Jin1 hua2], Zhejiang" -浦江县,pǔ jiāng xiàn,"Pujiang county in Jinhua 金華|金华[Jin1 hua2], Zhejiang" -浦那,pǔ nà,"Pune, second city of Mahārāshtra 馬哈拉施特拉邦|马哈拉施特拉邦 in western India" -浦项,pǔ xiàng,Pohang (city in South Korea) -浩,hào,grand; vast (water) -浩劫,hào jié,calamity; catastrophe; apocalypse -浩博,hào bó,vast and plentiful; ample; very many -浩大,hào dà,vast; huge -浩如烟海,hào rú yān hǎi,vast as the open sea (idiom); fig. extensive (library) -浩室,hào shì,house (music genre) (loanword) -浩气,hào qì,vast spirit; nobility of spirit -浩浩,hào hào,vast; expansive (universe); torrential (floods) -浩浩荡荡,hào hào dàng dàng,grandiose; majestic -浩淼,hào miǎo,vast; extending into the distance -浩渺,hào miǎo,vast; extending into the distance -浩瀚,hào hàn,vast (of ocean); boundless -浩然,hào rán,"Hao Ran (1932-2008), journalist and proletarian novelist" -浩然,hào rán,vast; expansive; overwhelming -浩特,hào tè,nomadic camp; town or village (Mongolian: khot) -浩繁,hào fán,vast; voluminous; many and varied; numerous; extensive amount of; exhaustive; heavy (expenditure); arduous; strenuous; exhausting; draining; burdensome -浩茫,hào máng,boundless; unlimited -浩荡,hào dàng,vast and mighty (of river or ocean); broad and powerful -浩阔,hào kuò,vast -浪,làng,wave; breaker; unrestrained; dissipated; to stroll; to ramble -浪人,làng rén,vagrant; unemployed person; rōnin (wandering masterless samurai) -浪卡子,làng kǎ zǐ,"Nagarzê county, Tibetan: Sna dkar rtse rdzong, in Lhokha prefecture 山南地區|山南地区[Shan1 nan2 di4 qu1], Tibet" -浪卡子县,làng kǎ zǐ xiàn,"Nagarzê county, Tibetan: Sna dkar rtse rdzong, in Lhokha prefecture 山南地區|山南地区[Shan1 nan2 di4 qu1], Tibet" -浪女,làng nǚ,loose woman -浪子,làng zǐ,loafer; wastrel; prodigal son -浪子回头,làng zǐ huí tóu,the return of a prodigal son (idiom) -浪子回头金不换,làng zǐ huí tóu jīn bù huàn,a prodigal son returned home is worth more than gold -浪得虚名,làng dé xū míng,to have an undeserved reputation (idiom) -浪涌,làng yǒng,(electrical) surge -浪漫,làng màn,romantic -浪漫主义,làng màn zhǔ yì,romanticism -浪潮,làng cháo,wave; tides -浪涛,làng tāo,ocean wave; billows -浪谷,làng gǔ,trough of a wave; (fig.) low point; lowest level -浪船,làng chuán,swingboat -浪花,làng huā,spray; ocean spray; spindrift; fig. happenings from one's life; CL:朵[duo3] -浪莽,làng mǎng,vast -浪荡,làng dàng,to loiter; to hang around; dissolute; licentious -浪蚀,làng shí,wave erosion -浪费,làng fèi,to waste; to squander -浪费者,làng fèi zhě,waster; wastrel; squanderer -浪费金钱,làng fèi jīn qián,to squander money; to spend extravagantly -浪迹,làng jì,to roam about; to wander without a home -浪迹天涯,làng jì tiān yá,to roam far and wide (idiom); to travel the world -浪迹江湖,làng jì jiāng hú,to roam far and wide; to drift with the wind -浪头,làng tou,wave -浮,fú,to float; superficial; floating; unstable; movable; provisional; temporary; transient; impetuous; hollow; inflated; to exceed; superfluous; excessive; surplus -浮上,fú shàng,to float up; to rise to the surface; fig. to rise in the world -浮世,fú shì,(Buddhism) the world of the living -浮世绘,fú shì huì,ukiyo-e -浮光掠影,fú guāng lüè yǐng,flickering light and passing shadows (idiom); blurred scenery; cursory; superficial -浮冰,fú bīng,ice floe -浮冰群,fú bīng qún,ice pack -浮出,fú chū,to emerge -浮出水面,fú chū shuǐ miàn,to float up (idiom); to become evident; to surface; to appear -浮利,fú lì,"mere worldly, superficial gain, such as wealth and fame" -浮力,fú lì,buoyancy -浮力定律,fú lì dìng lǜ,Archimedes' principle (physical law of buoyancy) -浮力调整背心,fú lì tiáo zhěng bèi xīn,BCD; Buoyancy Compensation Device (diving) -浮力调整装置,fú lì tiáo zhěng zhuāng zhì,BCD; Buoyancy Compensation Device (diving) -浮动,fú dòng,to float and drift; unstable -浮动地狱,fú dòng dì yù,floating hell; slave ships -浮图,fú tú,variant of 浮屠[fu2 tu2]; alternative term for 佛陀[Fo2 tuo2] -浮土,fú tǔ,topsoil; surface dust -浮尘,fú chén,"dust (floating in the air or settled on a surface); large amount of airborne sand and dust, such as during a sandstorm" -浮士德博士,fú shì dé bó shì,Dr Faustus -浮家泛宅,fú jiā fàn zhái,lit. to live on a boat; to drift from place to place (idiom) -浮小麦,fú xiǎo mài,unripe wheat grain (used in TCM) -浮屠,fú tú,Buddha; Buddhist stupa (transliteration of Pali thupo) -浮山,fú shān,"Fushan county in Linfen 臨汾|临汾[Lin2 fen2], Shanxi" -浮山县,fú shān xiàn,"Fushan county in Linfen 臨汾|临汾[Lin2 fen2], Shanxi" -浮岩,fú yán,pumice -浮想,fú xiǎng,passing thought; an idea that comes into one's head; recollection -浮想联翩,fú xiǎng lián piān,to let one's imagination roam -浮梁,fú liáng,"Fuliang county in Jingdezhen 景德鎮|景德镇, Jiangxi" -浮梁县,fú liáng xiàn,"Fuliang county in Jingdezhen 景德鎮|景德镇, Jiangxi" -浮标,fú biāo,buoy -浮桥,fú qiáo,pontoon bridge -浮气,fú qì,feeble breath; frivolity; flippancy -浮沉,fú chén,ups and downs (of life etc); to drift along; to sink and emerge -浮沫,fú mò,froth; foam -浮泛,fú fàn,"to float about; (of a feeling) to show on the face; (of speech, friendship etc) shallow; vague" -浮浅,fú qiǎn,skin-deep; superficial; shallow -浮游,fú yóu,to float; to drift; to wander; variant of 蜉蝣[fu2 you2] -浮游生物,fú yóu shēng wù,plankton -浮滑,fú huá,(of language or behavior) flippant and insincere -浮漂,fú piāo,see 漂浮[piao1 fu2] -浮潜,fú qián,to snorkel; snorkeling -浮滥,fú làn,excessive; exorbitant; excessively -浮燥,fú zào,variant of 浮躁[fu2 zao4] -浮现,fú xiàn,to appear before one's eyes; to come into view; to float into appearance; to come back (of images from the past); to emerge; it emerges; it occurs (to me that..) -浮生六记,fú shēng liù jì,"Six Records of a Floating Life, autobiographical novel and description of Qing dynasty life by 沈復|沈复[Shen3 Fu4], published 1808" -浮石,fú shí,pumice -浮肿,fú zhǒng,(nonspecialist term for 水腫|水肿[shui3 zhong3]) to suffer from edema; swollen; bloated; puffy -浮肿病,fú zhǒng bìng,(medicine) edema; dropsy -浮华,fú huá,ostentatious; pretentious; showy -浮萍,fú píng,duckweed -浮着,fú zhe,afloat -浮薄,fú bó,frivolous; superficial -浮词,fú cí,florid but insubstantial remarks; misleading way of saying sth -浮夸,fú kuā,to exaggerate; to be boastful; pompous; grandiose -浮财,fú cái,movable property; money and belongings; non-real estate assets -浮贴,fú tiē,to glue something lightly enough that it can be removed later -浮质,fú zhì,aerosol -浮起,fú qǐ,to float; to emerge -浮躁,fú zào,fickle and impatient; restless; giddy; scatterbrained -浮选,fú xuǎn,flotation process -浮雕,fú diāo,relief sculpture -浮雕墙纸,fú diāo qiáng zhǐ,anaglypta (sculptured wallpaper) -浮云,fú yún,floating clouds; fleeting; transient -浮云朝露,fú yún zhāo lù,"floating clouds, morning dew (idiom); fig. ephemeral nature of human existence" -浮面,fú miàn,surface (of a liquid); superficial -浮点,fú diǎn,(computing) floating point -浮点型,fú diǎn xíng,(computing) floating-point; float -浮点数,fú diǎn shù,(computing) floating-point number; float -浮点运算,fú diǎn yùn suàn,floating point operation -浯,wú,(name of several rivers in China) -浴,yù,bath; to bathe -浴场,yù chǎng,bathing spot -浴室,yù shì,bathroom (room used for bathing); CL:間|间[jian1] -浴巾,yù jīn,bath towel; CL:條|条[tiao2] -浴帽,yù mào,shower cap; CL:頂|顶[ding3] -浴柜,yù guì,bathroom cabinet -浴池,yù chí,public bath -浴液,yù yè,body wash -浴汤,yù tāng,see 湯浴|汤浴[tang1 yu4] -浴火重生,yù huǒ chóng shēng,to rise from the ashes (idiom); to thrive again after surviving an ordeal -浴球,yù qiú,shower puff; bath sponge; bath ball (containing aromas or salts) -浴盆,yù pén,bathtub -浴帘,yù lián,shower curtain -浴缸,yù gāng,bathtub -浴花,yù huā,shower puff; shower sponge -浴血,yù xuè,blood-soaked -浴血苦战,yù xuè kǔ zhàn,a blood soaked and hard-fought struggle (idiom) -浴衣,yù yī,"bathrobe; yukata, lightweight informal kimono worn in summer" -浴袍,yù páo,bathrobe -浴霸,yù bà,"bathroom infrared heater, marketed as ""bath master""" -浴盐,yù yán,bath salts -海,hǎi,surname Hai -海,hǎi,"ocean; sea; CL:個|个[ge4],片[pian4]; great number of people or things; (dialect) numerous" -海上,hǎi shàng,maritime -海上奇书,hǎi shàng qí shū,literary journal published in 1892-93 by Han Bangqing 韓邦慶|韩邦庆 featuring serialized novels in Classical Chinese and Jiangsu vernacular -海上花列传,hǎi shàng huā liè zhuàn,"The Sing-Song Girls of Shanghai by Han Bangqing 韓邦慶|韩邦庆[Han2 Bang1 qing4], long novel of lower life in Classical Chinese and Jiangsu vernacular; translated into Putonghua as 海上花 by Iris Chang" -海上运动,hǎi shàng yùn dòng,"water sports (sailing, windsurfing etc)" -海事,hǎi shì,maritime affairs; accident at sea -海事局,hǎi shì jú,PRC Maritime Safety Agency -海事法院,hǎi shì fǎ yuàn,maritime court -海事处,hǎi shì chù,Marine Department (Hong Kong) -海于格松,hǎi yú gé sōng,"Haugesund (city in Rogaland, Norway)" -海伯利,hǎi bó lì,Highbury (name) -海信,hǎi xìn,Hisense (brand) -海伦,hǎi lún,"Hailun, county-level city in Suihua 綏化|绥化, Heilongjiang; Helen or Hélène (name)" -海伦市,hǎi lún shì,"Hailun, county-level city in Suihua 綏化|绥化, Heilongjiang" -海兔,hǎi tù,sea hare (Aplysia) -海内,hǎi nèi,the whole world; throughout the land; everything under the sun -海内外,hǎi nèi wài,domestic and international; at home and abroad -海刺芹,hǎi cì qín,sea holly (Eryngium maritimum) -海勃湾,hǎi bó wān,"Haibowan District of Wuhait City 烏海市|乌海市[Wu1 hai3 Shi4], Inner Mongolia" -海勃湾区,hǎi bó wān qū,"Haibowan District of Wuhait City 烏海市|乌海市[Wu1 hai3 Shi4], Inner Mongolia" -海北,hǎi běi,Haibei Tibetan autonomous prefecture in Qinghai -海北州,hǎi běi zhōu,Haibei Tibetan autonomous prefecture in Qinghai -海北藏族自治州,hǎi běi zàng zú zì zhì zhōu,Haibei Tibetan Autonomous Prefecture (Tibetan: Mtsho-byang Bod-rigs rang-skyong-khul) in Qinghai -海协会,hǎi xié huì,Association for Relations Across the Taiwan Straits (ARATS); abbr. for 海峽兩岸關係協會|海峡两岸关系协会[Hai3 xia2 Liang3 an4 Guan1 xi5 Xie2 hui4] -海南,hǎi nán,"Hainan Province, in the South China Sea, short name 瓊|琼[Qiong2], capital Haikou 海口[Hai3 kou3]; Hainan Island; Hainan District of Wuhai City 烏海市|乌海市[Wu1 hai3 Shi4], Inner Mongolia; Hainan Tibetan Autonomous Prefecture 海南藏族自治州[Hai3 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -海南区,hǎi nán qū,"Hainan District of Wuhait City 烏海市|乌海市[Wu1 hai3 Shi4], Inner Mongolia" -海南大学,hǎi nán dà xué,Hainan University -海南孔雀雉,hǎi nán kǒng què zhì,(bird species of China) Hainan peacock-pheasant (Polyplectron katsumatae) -海南山鹧鸪,hǎi nán shān zhè gū,(bird species of China) Hainan partridge (Arborophila ardens) -海南岛,hǎi nán dǎo,Hainan Island in South China Sea -海南州,hǎi nán zhōu,see 海南藏族自治州[Hai3 nan2 Zang4 zu2 Zi4 zhi4 zhou1] -海南柳莺,hǎi nán liǔ yīng,(bird species of China) Hainan leaf warbler (Phylloscopus hainanus) -海南省,hǎi nán shěng,"Hainan Province, in South China Sea, abbr. 瓊|琼[Qiong2], capital Haikou 海口[Hai3 kou3]" -海南藏族自治州,hǎi nán zàng zú zì zhì zhōu,"Hainan Tibetan autonomous prefecture (Tibetan Mtsho-lho Bod-rigs rang-skyong-khul), Qinghai" -海印寺,hǎi yìn sì,"Haein Temple in South Gyeongsang province of South Korea, the repository of Tripitaka Koreana 高麗大藏經|高丽大藏经[Gao1 li2 Da4 zang4 jing1], a World Heritage site" -海原,hǎi yuán,"Haiyuan county in Zhongwei 中衛|中卫[Zhong1 wei4], Ningxia" -海原县,hǎi yuán xiàn,"Haiyuan county in Zhongwei 中衛|中卫[Zhong1 wei4], Ningxia" -海参,hǎi shēn,sea cucumber -海参崴,hǎi shēn wǎi,"Haishenwai, traditional Chinese name for Vladivostok 符拉迪沃斯托克[Fu2 la1 di2 wo4 si1 tuo1 ke4]" -海口,hǎi kǒu,Haikou prefecture-level city and capital of Hainan Province 海南省[Hai3 nan2 Sheng3] -海口,hǎi kǒu,estuary; coastal inlet; river mouth; seaport; see also 誇海口|夸海口[kua1 hai3 kou3] -海口市,hǎi kǒu shì,Haikou prefecture-level city and capital of Hainan Province 海南省[Hai3 nan2 Sheng3] -海味,hǎi wèi,seafood -海员,hǎi yuán,sailor; mariner -海啸,hǎi xiào,tsunami -海地,hǎi dì,"Haiti, the western third of Caribbean island Hispaniola" -海地岛,hǎi dì dǎo,Hispaniola (Caribbean Island divided between Dominican Republic and Haiti) -海城,hǎi chéng,"Haicheng, county-level city in Anshan 鞍山[An1 shan1], Liaoning" -海城区,hǎi chéng qū,"Haicheng district of Beihai city 北海市[Bei3 hai3 shi4], Guangxi" -海城市,hǎi chéng shì,"Haicheng, county-level city in Anshan 鞍山[An1 shan1], Liaoning" -海域,hǎi yù,sea area; territorial waters; maritime space -海基会,hǎi jī huì,"Straits Exchange Foundation (SEF), semi-official organization established by the ROC government in Taiwan" -海堤,hǎi dī,levee; dyke; seawall -海报,hǎi bào,poster; playbill; notice -海涂,hǎi tú,tidal marsh; shoal; shallows -海涂围垦,hǎi tú wéi kěn,tideland reclamation -海外,hǎi wài,overseas; abroad -海外版,hǎi wài bǎn,foreign edition (of a newspaper) -海外华人,hǎi wài huá rén,overseas Chinese -海外赤子,hǎi wài chì zǐ,patriotic overseas compatriot -海子,hǎi zi,(dialect) wetlands; lake -海安,hǎi ān,"Hai'an county in Nantong 南通[Nan2 tong1], Jiangsu" -海安县,hǎi ān xiàn,"Hai'an county in Nantong 南通[Nan2 tong1], Jiangsu" -海宁,hǎi níng,"Haining, county-level city in Jiaxing 嘉興|嘉兴[Jia1 xing1], Zhejiang" -海宁市,hǎi níng shì,"Haining, county-level city in Jiaxing 嘉興|嘉兴[Jia1 xing1], Zhejiang" -海宝,hǎi bǎo,"Haibao, Expo 2010 mascot" -海尼根,hǎi ní gēn,Heineken (Dutch brewing company); see also 喜力[Xi3 li4] -海岬,hǎi jiǎ,headland -海岱,hǎi dài,"Haidai, historical region extending from the Bohai Sea to Mt Tai in Shandong" -海岸,hǎi àn,coastal; seacoast -海岸线,hǎi àn xiàn,coastline; seaboard; shoreline -海岸警卫队,hǎi àn jǐng wèi duì,coastguard -海岸护卫队,hǎi àn hù wèi duì,coast guard -海岛,hǎi dǎo,island -海岛市,hǎi dǎo shì,Municipality of the Islands (Macau); Concelho das Ilhas -海峡,hǎi xiá,strait; channel -海峡交流基金会,hǎi xiá jiāo liú jī jīn huì,Straits Exchange Foundation (SEF); abbr. to 海基會|海基会[Hai3 ji1 hui4] -海峡两岸关系协会,hǎi xiá liǎng àn guān xi xié huì,PRC Association for Relations Across the Taiwan Straits (ARATS) -海峡时报,hǎi xiá shí bào,The Straits Times -海峡群岛,hǎi xiá qún dǎo,Channel Islands -海岭,hǎi lǐng,mid-ocean ridge -海州,hǎi zhōu,"Haizhou district of Lianyungang city 連雲港市|连云港市[Lian2 yun2 gang3 shi4], Jiangsu; Haizhou district of Fuxin city 阜新市[Fu4 xin1 shi4], Liaoning" -海州区,hǎi zhōu qū,"Haizhou district of Lianyungang city 連雲港市|连云港市[Lian2 yun2 gang3 shi4], Jiangsu; Haizhou district of Fuxin city 阜新市[Fu4 xin1 shi4], Liaoning" -海巡,hǎi xún,coast guard -海市,hǎi shì,mirage (lit. or fig.) -海市蜃楼,hǎi shì shèn lóu,mirage (lit. or fig.) -海带,hǎi dài,kelp -海平面,hǎi píng miàn,sea level -海床,hǎi chuáng,seabed; seafloor; bottom of the ocean -海底,hǎi dǐ,seabed; seafloor; bottom of the ocean -海底捞,hǎi dǐ lāo,"Haidilao (aka Hai Di Lao), hot pot restaurant chain founded in Sichuan in 1994" -海底捞月,hǎi dǐ lāo yuè,see 水中撈月|水中捞月[shui3 zhong1 lao1 yue4] -海底捞针,hǎi dǐ lāo zhēn,see 大海撈針|大海捞针[da4 hai3 lao1 zhen1] -海底扩张,hǎi dǐ kuò zhāng,seafloor spreading (geology) -海底扩张说,hǎi dǐ kuò zhāng shuō,theory of seafloor spreading (geology) -海底椰,hǎi dǐ yē,"coco de mer or ""sea coconut"" (Lodoicea maldivica)" -海底轮,hǎi dǐ lún,"muladhara, the root or Saturn chakra, residing in the coccyx" -海康,hǎi kāng,"Haikang former county in Zhanjiang 湛江[Zhan4 jiang1], Guangdong; Haikang (company name)" -海待,hǎi dài,student who has returned from overseas but is yet to find a job (pun on 海帶|海带[hai3 dai4]); cf. 海歸|海归[hai3 gui1] -海德,hǎi dé,Hyde (surname) -海德保,hǎi dé bǎo,Heidelberg (Germany) -海德公园,hǎi dé gōng yuán,Hyde Park -海德堡,hǎi dé bǎo,Heidelberg -海德格尔,hǎi dé gé ěr,"Martin Heidegger (1889-1976), German philosopher" -海德尔堡,hǎi dé ěr bǎo,Heidelberg -海战,hǎi zhàn,naval battle -海扁,hǎi biǎn,(slang) to beat sb up -海拉尔,hǎi lā ěr,"Hailar District of Hulunbuir City 呼倫貝爾市|呼伦贝尔市[Hu1 lun2 bei4 er3 Shi4], Inner Mongolia" -海拉尔区,hǎi lā ěr qū,"Hailar District of Hulunbuir City 呼倫貝爾市|呼伦贝尔市[Hu1 lun2 bei4 er3 Shi4], Inner Mongolia" -海拔,hǎi bá,height above sea level; elevation -海损,hǎi sǔn,damage to goods during shipping -海斯,hǎi sī,Hayes (Microcomputer) -海日,hǎi rì,sun over sea -海明威,hǎi míng wēi,"Ernest Hemingway (1899-1961), American novelist and journalist" -海星,hǎi xīng,starfish; sea star -海星机场,hǎi xīng jī chǎng,"nickname of Beijing Daxing International Airport 北京大興國際機場|北京大兴国际机场[Bei3 jing1 Da4 xing1 Guo2 ji4 Ji1 chang3], whose terminal building looks like a giant alien starfish" -海晏,hǎi yàn,"Haiyan County in Haibei Tibetan Autonomous Prefecture 海北藏族自治州[Hai3 bei3 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -海晏县,hǎi yàn xiàn,"Haiyan County in Haibei Tibetan Autonomous Prefecture 海北藏族自治州[Hai3 bei3 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -海景,hǎi jǐng,seascape; sea view -海曙,hǎi shǔ,"Haishu district of Ningbo city 寧波市|宁波市[Ning2 bo1 shi4], Zhejiang" -海曙区,hǎi shǔ qū,"Haishu district of Ningbo city 寧波市|宁波市[Ning2 bo1 shi4], Zhejiang" -海东,hǎi dōng,"Haidong prefecture, Qinghai" -海东青,hǎi dōng qīng,(bird species of China) gyrfalcon (Falco rusticolus) -海林,hǎi lín,"Hailin, county-level city in Mudanjiang 牡丹江, Heilongjiang" -海林市,hǎi lín shì,"Hailin, county-level city in Mudanjiang 牡丹江, Heilongjiang" -海枯石烂,hǎi kū shí làn,lit. until the seas dry up and stones go soft (idiom); fig. forever; until the end of time -海枣,hǎi zǎo,date (fruit) -海棠,hǎi táng,Chinese flowering crab apple (Malus spectabilis) -海棠形,hǎi táng xíng,quatrefoil (usually elongated) -海棠花,hǎi táng huā,Chinese flowering crab-apple (Malus spectabilis) -海森伯,hǎi sēn bó,"Werner Heisenberg (1901-1976), German physicist" -海森堡,hǎi sēn bǎo,"Werner Heisenberg (1901-1976), German physicist" -海椒,hǎi jiāo,(dialect) hot pepper -海椰子,hǎi yē zi,"coco de mer or ""sea coconut"" (Lodoicea maldivica)" -海榴,hǎi liú,pomegranate -海归,hǎi guī,sb who has come back to China after gaining overseas experience (a pun on 海龜|海龟[hai3 gui1]); to return to China after a period of study or work overseas -海水,hǎi shuǐ,seawater -海水不可斗量,hǎi shuǐ bù kě dǒu liáng,"see 人不可貌相,海水不可斗量[ren2 bu4 ke3 mao4 xiang4 , hai3 shui3 bu4 ke3 dou3 liang2]" -海水倒灌,hǎi shuǐ dào guàn,saltwater intrusion -海水养殖,hǎi shuǐ yǎng zhí,aquaculture -海河,hǎi hé,"Hai He (a system of five waterways around Tianjin, flowing into Bohai 渤海 at Dagukou 大沽口)" -海法,hǎi fǎ,Haifa (city in Israel) -海波,hǎi bō,hypo (loanword); sodium thiosulfate Na2S2O3 used in fixing photos (formerly hyposulfite); wave (sea) -海洋,hǎi yáng,ocean; CL:個|个[ge4] -海洋学,hǎi yáng xué,oceanography -海洋性,hǎi yáng xìng,maritime -海洋性气候,hǎi yáng xìng qì hòu,maritime climate -海洋性贫血,hǎi yáng xìng pín xuè,thalassemia -海洋温差发电,hǎi yáng wēn chā fā diàn,ocean thermal energy conversion (OTEC) -海洛因,hǎi luò yīn,heroin (loanword) -海洛英,hǎi luò yīng,heroin (narcotic) (loanword) -海浪,hǎi làng,sea wave -海涅,hǎi niè,"Heinrich Heine (1797-1856), German lyric poet" -海涵,hǎi hán,(polite expression) to be magnanimous enough to forgive or tolerate (one's errors or shortcomings) -海淀,hǎi diàn,"Haidian, a district of Beijing" -海淀区,hǎi diàn qū,"Haidian, a district of Beijing" -海淀图书城,hǎi diàn tú shū chéng,"Haidian Book City, Beijing bookstore" -海淘,hǎi táo,online purchase of goods dispatched from overseas -海港,hǎi gǎng,seaport; harbor -海港区,hǎi gǎng qū,"harbor district; Haigang district of Qinhuangdao city 秦皇島市|秦皇岛市[Qin2 huang2 dao3 shi4], Hebei" -海沟,hǎi gōu,marine trench -海沧,hǎi cāng,"Haicang, a district of Xiamen City 廈門市|厦门市[Xia4men2 Shi4], Fujian" -海沧区,hǎi cāng qū,"Haicang, a district of Xiamen City 廈門市|厦门市[Xia4men2 Shi4], Fujian" -海潮,hǎi cháo,tide -海滨,hǎi bīn,shore; seaside -海滩,hǎi tān,beach; CL:片[pian4] -海湾,hǎi wān,(Persian) Gulf -海湾,hǎi wān,bay; gulf -海湾国家,hǎi wān guó jiā,nations of the Persian Gulf; Gulf states -海湾战争,hǎi wān zhàn zhēng,(Persian) Gulf War -海尔,hǎi ěr,Haier (PRC household appliance brand); Hale (name) -海尔德兰,hǎi ěr dé lán,"Gelderland, province of the Netherlands" -海牙,hǎi yá,The Hague (city in the Netherlands); Den Haag -海牛,hǎi niú,manatee -海狗,hǎi gǒu,fur seal -海狸,hǎi lí,beaver -海狸鼠,hǎi lí shǔ,(zoology) coypu; nutria -海狮,hǎi shī,sea lion -海獭,hǎi tǎ,sea otter -海王,hǎi wáng,"Poseidon, Greek god of the sea; Neptune, Roman god of the sea; Aquaman, DC comic book superhero; (slang) womanizer; player" -海王星,hǎi wáng xīng,Neptune (planet) -海珠,hǎi zhū,"Haizhu District of Guangzhou City 廣州市|广州市[Guang3 zhou1 Shi4], Guangdong" -海珠区,hǎi zhū qū,"Haizhu District of Guangzhou City 廣州市|广州市[Guang3 zhou1 Shi4], Guangdong" -海瑞,hǎi ruì,"Hai Rui (1514-1587), Ming politician, famous for honesty and integrity" -海瑞,hǎi ruì,"Hairui township in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan" -海瑞罢官,hǎi ruì bà guān,"Hai Rui dismissed from office, 1960 historical play by historian Wu Han 吳晗|吴晗" -海瑞乡,hǎi ruì xiāng,"Hairui township in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan" -海瓜子,hǎi guā zǐ,Tellina iridescens (a bivalve mollusk); any similar small clam -海产,hǎi chǎn,marine; produced in sea -海疆,hǎi jiāng,coastal border region -海登,hǎi dēng,Hayden or Haydn (name) -海百合,hǎi bǎi hé,sea lily; crinoid -海皇羹,hǎi huáng gēng,Cantonese seafood soup -海盗,hǎi dào,pirate -海盗行为,hǎi dào xíng wéi,piracy -海监船,hǎi jiàn chuán,naval surveillance vessel; maritime patrol boat -海相,hǎi xiàng,marine facies (geology) -海相沉积物,hǎi xiāng chén jī wù,oceanic sediment (geology) -海砂,hǎi shā,sea sand (sand of the ocean floor or seashore) -海砂屋,hǎi shā wū,"house built with cheap, unreliable concrete which contains a high quantity of sea sand" -海碗,hǎi wǎn,very large bowl -海神,hǎi shén,Emperor of the Sea; Neptune -海禁,hǎi jìn,prohibition on entering or leaving by sea -海空军,hǎi kōng jūn,navy and air force -海空军基地,hǎi kōng jūn jī dì,naval and air military base -海端,hǎi duān,"Haiduan or Haituan township in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan" -海端乡,hǎi duān xiāng,"Haiduan or Haituan township in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan" -海米,hǎi mǐ,dried shrimps -海纳百川,hǎi nà bǎi chuān,all rivers run into the sea; use different means to obtain the same result (idiom) -海绵,hǎi mián,(zoology) sea sponge; (esp.) dried sea sponge; sponge (made from polyester or cellulose etc); foam rubber -海绵宝宝,hǎi mián bǎo bǎo,"SpongeBob SquarePants (US TV animated series, 1999-)" -海绵状,hǎi mián zhuàng,spongy -海绵体,hǎi mián tǐ,erectile tissue (genital); corpus cavernosum -海肠子,hǎi cháng zi,(coll.) marine worm resembling intestines such as the spoon worm (echiuroid) or the peanut worm (Sipunculus nudus) -海胆,hǎi dǎn,sea urchin -海兴,hǎi xīng,"Haixing county in Cangzhou 滄州|沧州[Cang1 zhou1], Hebei" -海兴县,hǎi xīng xiàn,"Haixing county in Cangzhou 滄州|沧州[Cang1 zhou1], Hebei" -海航,hǎi háng,Hainan Airlines -海船,hǎi chuán,seagoing ship -海芋,hǎi yù,giant taro (Alocasia macrorrhizos); common calla -海苔,hǎi tái,nori -海草,hǎi cǎo,seagrass -海葵,hǎi kuí,sea anemone -海藻,hǎi zǎo,seaweed; marine alga; kelp -海虹,hǎi hóng,mussel -海蛞蝓,hǎi kuò yú,sea slug -海蜇,hǎi zhé,"Rhopilema esculenta, an edible jellyfish" -海蚀,hǎi shí,coastal erosion; marine abrasion -海螵蛸,hǎi piāo xiāo,cuttlebone (used in TCM) -海螺,hǎi luó,sea snail; whelk; conch -海蛎,hǎi lì,oyster -海蛎子,hǎi lì zi,oyster -海西,hǎi xī,Haixi Mongol and Tibetan autonomous prefecture (Tibetan: Mtsho-nub Sog-rigs dang Bod-rigs rang-skyong-khul) in Qinghai -海西州,hǎi xī zhōu,Haixi Mongol and Tibetan autonomous prefecture (Tibetan: Mtsho-nub Sog-rigs dang Bod-rigs rang-skyong-khul) in Qinghai -海西蒙古族藏族自治州,hǎi xī měng gǔ zú zàng zú zì zhì zhōu,Haixi Mongol and Tibetan autonomous prefecture (Tibetan: Mtsho-nub Sog-rigs dang Bod-rigs rang-skyong-khul) in Qinghai -海角,hǎi jiǎo,cape; promontory -海角天涯,hǎi jiǎo tiān yá,see 天涯海角[tian1 ya2 hai3 jiao3] -海誓山盟,hǎi shì shān méng,to pledge undying love (idiom); oath of eternal love; to swear by all the Gods -海警,hǎi jǐng,coast guard -海警局,hǎi jǐng jú,China Coast Guard -海丰,hǎi fēng,"Haifeng county in Shanwei 汕尾, Guangdong" -海丰县,hǎi fēng xiàn,"Haifeng county in Shanwei 汕尾, Guangdong" -海豚,hǎi tún,dolphin -海豚座,hǎi tún zuò,Delphinus (constellation) -海豚馆,hǎi tún guǎn,dolphinarium -海象,hǎi xiàng,walrus -海豹,hǎi bào,(zoology) seal -海豹科,hǎi bào kē,"Phocidae, family within Carnivora including seal" -海豹部队,hǎi bào bù duì,United States Navy SEALs -海贼,hǎi zéi,pirate -海贼版,hǎi zéi bǎn,pirate version; bootleg -海贼王,hǎi zéi wáng,One Piece (manga and anime) -海军,hǎi jūn,navy -海军上校,hǎi jūn shàng xiào,captain (= UK and US Navy equivalent) -海军中校,hǎi jūn zhōng xiào,commander (= UK and US Navy equivalent) -海军大校,hǎi jūn dà xiào,commodore (= US Navy equivalent) -海军官,hǎi jūn guān,naval officer -海军少校,hǎi jūn shào xiào,lieutenant commander -海军蓝,hǎi jūn lán,navy blue -海军陆战队,hǎi jūn lù zhàn duì,marine corps; marines -海迪,hǎi dí,Heidi -海运,hǎi yùn,shipping by sea -海运费,hǎi yùn fèi,shipping; sea transport -海选,hǎi xuǎn,"(in elections for village committees in the PRC since the 1990s) unrestricted nomination, a type of election where 1. everyone in the community is eligible to nominate somebody 2. voting is done by writing the name of one's nominee on the ballot, and 3. one's nominee can be anyone in the community (Nominees who receive the highest number of votes may be thereby elected or, more often, presented as the candidates in a further round of voting.); (in other contexts) selection of the best contender in a process open to all comers; (in the entertainment industry) open audition" -海边,hǎi biān,coast; seaside; seashore; beach -海部俊树,hǎi bù jùn shù,"KAIFU Toshiki (1931-), Japanese politician, prime minister 1989-1991" -海里,hǎi lǐ,nautical mile -海量,hǎi liàng,huge volume -海错,hǎi cuò,seafood delicacy -海门,hǎi mén,"Haimen, county-level city in Nantong 南通[Nan2 tong1], Jiangsu" -海门市,hǎi mén shì,"Haimen, county-level city in Nantong 南通[Nan2 tong1], Jiangsu" -海阔天空,hǎi kuò tiān kōng,wide sea and sky (idiom); boundless open vistas; the whole wide world; chatting about everything under the sun -海关,hǎi guān,customs (i.e. border crossing inspection); CL:個|个[ge4] -海关官员,hǎi guān guān yuán,customs officer -海关总署,hǎi guān zǒng shǔ,General Administration of Customs (GAC) -海关部门,hǎi guān bù mén,customs section -海防,hǎi fáng,coastal defense -海陵,hǎi líng,"Hailing district of Taizhou city 泰州市[Tai4 zhou1 shi4], Jiangsu" -海陵区,hǎi líng qū,"Hailing district of Taizhou city 泰州市[Tai4 zhou1 shi4], Jiangsu" -海陆,hǎi lù,sea and land -海陆煲,hǎi lù bāo,sea and land hotpot (Jiangsu specialty) -海陆空,hǎi lù kòng,"sea land air (transport, or military operations)" -海陆军,hǎi lù jūn,navy and army; military force -海阳,hǎi yáng,"Haiyang, county-level city in Yantai 煙台|烟台, Shandong" -海阳市,hǎi yáng shì,"Haiyang, county-level city in Yantai 煙台|烟台[Yan1tai2], Shandong" -海隅,hǎi yú,coastal area -海难,hǎi nàn,perils of the sea -海青天,hǎi qīng tiān,"popular nickname of Hai Rui 海瑞[Hai3 Rui4] (1514-1587), Ming politician, famous for honesty and integrity" -海面,hǎi miàn,the surface of the sea; ocean surface -海鞘,hǎi qiào,Ascidiacea; sea squirt -海顿,hǎi dùn,"Haydn (name); Franz Joseph Haydn (1732-1809), Austrian classical composer" -海风,hǎi fēng,sea breeze; sea wind (i.e. from the sea) -海马,hǎi mǎ,sea horse; hippocampus (abbr. for 海馬體|海马体[hai3ma3ti3]) -海马回,hǎi mǎ huí,hippocampus -海马体,hǎi mǎ tǐ,hippocampus -海魂衫,hǎi hún shān,Breton shirt; sailor's striped shirt -海鲜,hǎi xiān,seafood -海鲜酱,hǎi xiān jiàng,hoisin sauce (barbecue sauce); seafood sauce -海鲤,hǎi lǐ,sea bream -海鲈,hǎi lú,sea bass -海鸟,hǎi niǎo,seabird -海鸥,hǎi ōu,(bird species of China) mew gull (Larus canus) -海鹫,hǎi jiù,sea eagle; CL:隻|只[zhi1] -海鸬鹚,hǎi lú cí,(bird species of China) pelagic cormorant (Phalacrocorax pelagicus) -海盐,hǎi yán,"Haiyan county in Jiaxing 嘉興|嘉兴[Jia1 xing1], Zhejiang" -海盐,hǎi yán,sea salt -海盐县,hǎi yán xiàn,"Haiyan county in Jiaxing 嘉興|嘉兴[Jia1 xing1], Zhejiang" -海龟,hǎi guī,turtle; Internet slang for 海歸|海归[hai3 gui1] -浸,jìn,to immerse; to soak; to steep; gradually -浸信会,jìn xìn huì,Baptists -浸入,jìn rù,to soak; to dip -浸剂,jìn jì,infusion (pharm.) -浸染,jìn rǎn,to be contaminated; to be gradually influenced -浸水,jìn shuǐ,to immerse in water; to drench; to inundate; irrigation water -浸沉,jìn chén,to soak; to steep -浸没,jìn mò,to immerse; to swamp -浸泡,jìn pào,to steep; to soak; to immerse -浸洗,jìn xǐ,to immerse; to rinse -浸渍,jìn zì,to soak; to macerate -浸润,jìn rùn,to permeate; to percolate; fig. to saturate (with emotion) -浸湿,jìn shī,to soak; to saturate -浸礼教,jìn lǐ jiào,Baptist (Christian sect) -浸礼会,jìn lǐ huì,Baptists -浸种,jìn zhǒng,"to soak seeds (in water, to hasten germination, or in a chemical solution, to prevent damage from insects etc)" -浸猪笼,jìn zhū lóng,"to drown sb in a wicker basket, a form of 沉潭[chen2 tan2]" -浸透,jìn tòu,to soak; to saturate; to drench; to permeate -浃,jiā,soaked; to wet; to drench; Taiwan pr. [jia2] -浼,měi,to ask a favor of -浽,suī,see 浽溦[sui1 wei1] -浽溦,suī wēi,drizzle; fine rain -涂,tú,surname Tu -涂,tú,variant of 途[tu2] -涂山,tú shān,Mt Tu in Zhejiang -涂尔干,tú ěr gàn,"Durkheim (1858-1917), French sociologist" -涅,niè,(literary) alunite (formerly used as a black dye); (literary) to dye black -涅槃,niè pán,nirvana (Buddhism) -涅盘经,niè pán jīng,the Nirvana sutra: every living thing has Buddha nature. -涅瓦,niè wǎ,the Nyeva or Neva river (through St Petersburg) -涅瓦河,niè wǎ hé,Nyeva or Neva River (through St Petersburg) -涅白,niè bái,opaque white -涅石,niè shí,alumen; alunite (TCM) -涅磐,niè pán,variant of 涅槃[nie4 pan2] -泾,jīng,Jing River -泾川,jīng chuān,"Jingchuan county in Pingliang 平涼|平凉[Ping2 liang2], Gansu" -泾川县,jīng chuān xiàn,"Jingchuan county in Pingliang 平涼|平凉[Ping2 liang2], Gansu" -泾渭分明,jīng wèi fēn míng,as rivers Jing and Wei separate clearly (idiom); to be entirely different -泾源,jīng yuán,"Jingyuan county in Guyuan 固原[Gu4 yuan2], Ningxia" -泾源县,jīng yuán xiàn,"Jingyuan county in Guyuan 固原[Gu4 yuan2], Ningxia" -泾县,jīng xiàn,"Jing County or Jingxian, a county in Xuancheng 宣城[Xuan1cheng2], Anhui" -泾阳,jīng yáng,"Jingyang County in Xianyang 咸陽|咸阳[Xian2 yang2], Shaanxi" -泾阳县,jīng yáng xiàn,"Jingyang County in Xianyang 咸陽|咸阳[Xian2 yang2], Shaanxi" -消,xiāo,to diminish; to subside; to consume; to reduce; to idle away (the time); (after 不[bu4] or 只[zhi3] or 何[he2] etc) to need; to require; to take -消亡,xiāo wáng,to die out; to wither away -消保官,xiāo bǎo guān,consumer protection officer (Tw) -消停,xiāo tíng,to calm down; to stop; to pause; calmly; peaceful; restful -消元,xiāo yuán,elimination (math); to eliminate one variable from equations -消化,xiāo huà,to digest (food); (fig.) to absorb (information etc); to assimilate; to process -消化不良,xiāo huà bù liáng,indigestion -消化液,xiāo huà yè,digestive fluid -消化管,xiāo huà guǎn,digestive tube; gut -消化系统,xiāo huà xì tǒng,digestive system; gastrointestinal tract -消化腺,xiāo huà xiàn,digestive glands -消化道,xiāo huà dào,digestive tract -消化酒,xiāo huà jiǔ,digestif -消化酶,xiāo huà méi,digestive enzyme -消去,xiāo qù,to eliminate -消受,xiāo shòu,"to bear; to enjoy (usually in negative combination, meaning unable to enjoy)" -消基会,xiāo jī huì,"Consumers' Foundation, Chinese Taipei (CFCT) (abbr. for 中華民國消費者文教基金會|中华民国消费者文教基金会)" -消夏,xiāo xià,to spend the summer; to take a summer vacation -消夜,xiāo yè,nighttime snack; late-night supper -消失,xiāo shī,to disappear; to fade away -消弭,xiāo mǐ,(literary) to eliminate; to put an end to -消息,xiāo xi,news; information; CL:條|条[tiao2] -消息来源,xiāo xi lái yuán,web feed; news feed; syndicated feed -消息队列,xiāo xi duì liè,message queue (computing) -消息灵通,xiāo xi líng tōng,to be well-informed -消息灵通人士,xiāo xi líng tōng rén shì,well-informed source; person with inside information -消愁解闷,xiāo chóu jiě mèn,lit. to eliminate worry and dispel melancholy (idiom); diversion from boredom; to dispel depression or melancholy; to relieve stress; a relaxing pass-time -消损,xiāo sǔn,wear and tear; to wear away over time -消散,xiāo sàn,to dissipate -消暑,xiāo shǔ,to spend a summer holiday; (esp of Chinese medicine) to relieve summer heat -消极,xiāo jí,negative; passive; inactive -消极性,xiāo jí xìng,passive; passivity; negative; negativity -消歧义,xiāo qí yì,to remove ambiguity; disambiguation (in Wikipedia) -消杀,xiāo shā,"to sterilize; to disinfect; to kill; to exterminate (insects, pathogens etc)" -消毒,xiāo dú,to disinfect; to sterilize -消毒剂,xiāo dú jì,disinfectant -消毒洗手液,xiāo dú xǐ shǒu yè,hand sanitizer -消气,xiāo qì,to cool one's temper -消沉,xiāo chén,depressed; bad mood; low spirit -消泯,xiāo mǐn,to eliminate; to obliterate -消消停停,xiāo xiāo tíng tíng,intermittently -消渴,xiāo kě,"condition characterized by thirst, hunger, frequent urination and weight loss, identified in TCM with type 2 diabetes" -消灭,xiāo miè,to put an end to; to annihilate; to cause to perish; to perish; annihilation (in quantum field theory) -消火栓,xiāo huǒ shuān,fire hydrant -消灾,xiāo zāi,to avoid calamities -消灾避邪,xiāo zāi bì xié,to avoid calamities and evil spirits -消炎,xiāo yán,to reduce fever; antipyretic; to decrease inflammation -消炎片,xiāo yán piàn,"antipyretic tablet (to reduce fever), such as sulfanilamide" -消炎药,xiāo yán yào,anti-inflammatory medicine -消瘦,xiāo shòu,to waste away; to become thin -消石灰,xiāo shí huī,calcium hydroxide Ca(OH)2; slaked lime -消磨,xiāo mó,to wear down; to sap; to whittle away; to while away; to idle away -消磨时间,xiāo mó shí jiān,to kill time -消耗,xiāo hào,to consume; to use up; to deplete; to expend; (old) news; mail; message -消耗品,xiāo hào pǐn,consumable goods; expendable item -消耗战,xiāo hào zhàn,war of attrition -消耗量,xiāo hào liàng,rate of consumption -消声,xiāo shēng,sound dissipation; noise reduction -消声器,xiāo shēng qì,noise reduction equipment -消肿,xiāo zhǒng,to reduce swelling; detumescence; (fig.) to streamline (a bloated bureaucracy etc) -消蚀,xiāo shí,to corrode; to erode; to wear away (lit. and fig.) -消融,xiāo róng,to melt (e.g. an icecap) -消解,xiāo jiě,to eliminate; to dispel; resolution -消费,xiāo fèi,"to consume (goods and services, resources etc)" -消费价格指数,xiāo fèi jià gé zhǐ shù,consumer price index CPI -消费券,xiāo fèi quàn,voucher; coupon -消费品,xiāo fèi pǐn,consumer goods -消费器件,xiāo fèi qì jiàn,consumer -消费税,xiāo fèi shuì,consumption tax; sales tax -消费群,xiāo fèi qún,consumer group -消费者,xiāo fèi zhě,consumer -消费者保护,xiāo fèi zhě bǎo hù,consumer protection (law) -消费资料,xiāo fèi zī liào,consumption data; consumer goods -消费金融,xiāo fèi jīn róng,consumer finance -消退,xiāo tuì,to wane; to vanish gradually -消逝,xiāo shì,to fade away -消遣,xiāo qiǎn,to while the time away; amusement; pastime; recreation; to make sport of -消释,xiāo shì,to dispel (doubts); to clear up (misunderstanding) -消金,xiāo jīn,consumer finance (abbr. for 消費金融|消费金融[xiao1 fei4 jin1 rong2]) -消长,xiāo zhǎng,to ebb and rise; to decrease and then grow -消闲,xiāo xián,to spend one's leisure time; to idle away the time -消闲儿,xiāo xián er,erhua variant of 消閒|消闲[xiao1 xian2] -消防,xiāo fáng,firefighting; fire control -消防员,xiāo fáng yuán,firefighter; fireman -消防局,xiāo fáng jú,fire department -消防栓,xiāo fáng shuān,fire hydrant -消防署,xiāo fáng shǔ,fire station -消防车,xiāo fáng chē,fire engine; fire truck -消防通道,xiāo fáng tōng dào,fire exit; (firefighting) fire lane -消防队,xiāo fáng duì,fire brigade; fire department -消防队员,xiāo fáng duì yuán,fireman -消除,xiāo chú,to eliminate; to remove -消除对妇女一切形式歧视公约,xiāo chú duì fù nǚ yī qiè xíng shì qí shì gōng yuē,Convention on the Elimination of All Forms of Discrimination Against Women -消除歧义,xiāo chú qí yì,to disambiguate -消除锯齿,xiāo chú jù chǐ,anti-alias (computer graphics) -消隐,xiāo yǐn,to hide; to retreat into privacy -消音,xiāo yīn,to silence -消音器,xiāo yīn qì,silencer -消食,xiāo shí,to aid digestion -消食儿,xiāo shí er,erhua variant of 消食[xiao1 shi2] -消魂,xiāo hún,"overwhelmed (with joy, sorrow etc); to feel transported" -涉,shè,(literary) to wade across a body of water; (bound form) to experience; to undergo; to be involved; to concern -涉世,shè shì,to see the world; to go out into society; to gain experience -涉世未深,shè shì wèi shēn,unpracticed; inexperienced; naive; unsophisticated -涉事,shè shì,"to be involved in the matter (Example: 涉事三人[she4 shi4 san1 ren2], the three people involved); (archaic) to recount the events" -涉及,shè jí,to involve; to relate to; to concern; to touch upon -涉外,shè wài,concerning foreigners or foreign affairs -涉嫌,shè xián,to be a suspect (in a crime); to be suspected of -涉嫌人,shè xián rén,(criminal) suspect -涉想,shè xiǎng,to imagine; to consider -涉案,shè àn,"(of a perpetrator, victim, weapon, sum of money etc) to be involved in the case" -涉历,shè lì,to experience -涉水靴,shè shuǐ xuē,wading boots; high-topped waterproof boots -涉水鸟,shè shuǐ niǎo,a wading bird -涉渡,shè dù,to ford (a stream); to wade across -涉猎,shè liè,to skim (through a book); to read cursorily; to dip into -涉众,shè zhòng,the stakeholders; a stakeholder -涉笔,shè bǐ,"to start writing or painting (lit. ""wet the brush"")" -涉县,shè xiàn,"She county in Handan 邯鄲|邯郸[Han2 dan1], Hebei" -涉览,shè lǎn,to browse; to glance through; to read -涉讼,shè sòng,to be involved in a lawsuit -涉诈,shè zhà,to be linked to fraudulent activity -涉贿,shè huì,to be suspected of bribery -涉足,shè zú,to set foot in; to step into; to become involved for the first time -涉过,shè guò,"to ford (a stream, river etc)" -涉险,shè xiǎn,to take risks; involved in adventure -涉黑,shè hēi,gang-related -涉黑案,shè hēi àn,gang-related case; criminal case -涌,chōng,(used in place names) -涌,yǒng,variant of 湧|涌[yong3] -涎,xián,saliva -涎水,xián shuǐ,saliva -涎沫,xián mò,spittle -涑,sù,name of a river -涓,juān,surname Juan -涓,juān,brook; to select -涓吉,juān jí,to choose an auspicious day -涓埃,juān āi,tiny stream of dust; tiny things; negligible -涓埃之力,juān āi zhī lì,negligible force (idiom); tiny force -涓涓,juān juān,a trickle; tiny stream; sluggish; to flow sluggishly -涓滴,juān dī,tiny stream; trickle; drops; tiny trickle of funds -涓滴归公,juān dī guī gōng,every drop returns to the public good (idiom); not one penny is misused -涔,cén,overflow; rainwater; tearful -涕,tì,tears; nasal mucus -涕唾,tì tuò,nasal mucus and spittle -涕泗横流,tì sì héng liú,tears and mucus flowing profusely; sniveling; in a tragic state -涕泗滂沱,tì sì pāng tuó,a flood of tears and mucus; broken-hearted and weeping bitterly -涕泗纵横,tì sì zòng héng,tears and mucus flowing profusely; sniveling; in a tragic state -涕泣,tì qì,to weep; to shed tears -涕泪交流,tì lèi jiāo liú,tears and mucus flowing profusely (idiom); weeping tragically -涕零,tì líng,to shed tears; to weep -莅,lì,river in Hebei -莅,lì,"variant of 蒞|莅[li4], to attend" -涪,fú,(name of a river) -涪城,fú chéng,"Fucheng district of Mianyang city 綿陽市|绵阳市[Mian2 yang2 shi4], north Sichuan" -涪城区,fú chéng qū,"Fucheng district of Mianyang city 綿陽市|绵阳市[Mian2 yang2 shi4], north Sichuan" -涪陵,fú líng,"Fuling, a district in central Chongqing 重慶|重庆[Chong2qing4]" -涪陵区,fú líng qū,"Fuling, a district in central Chongqing 重慶|重庆[Chong2qing4]" -涫,guàn,(classical) to boil -涮,shuàn,to rinse; to trick; to fool sb; to cook by dipping finely sliced ingredients briefly in boiling water or soup (generally done at the dining table) -涮涮锅,shuàn shuàn guō,shabu-shabu (loanword); Japanese hot pot -涮火锅,shuàn huǒ guō,see 涮鍋子|涮锅子[shuan4 guo1 zi5] -涮羊肉,shuàn yáng ròu,Mongolian hot pot; instant-boiled mutton (dish) -涮锅子,shuàn guō zi,hot pot; a dish where thinly sliced meat and vegetables are boiled briefly in a broth and then served with dipping sauces -涯,yá,border; horizon; shore -液,yè,(bound form) a liquid; also pr. [yi4] -液冷,yè lěng,to liquid-cool -液力,yè lì,hydraulic power; (attributive) hydraulic -液化,yè huà,to liquefy -液化气,yè huà qì,liquid gas; bottled gas (fuel) -液化石油气,yè huà shí yóu qì,liquefied petroleum gas -液压,yè yā,hydraulic pressure -液压传动,yè yā chuán dòng,hydraulic drive; hydraulic transmission -液压千斤顶,yè yā qiān jīn dǐng,hydraulic jack -液态,yè tài,liquid (state) -液态奶,yè tài nǎi,"general term for milk packaged for the consumer, including long-life (UHT) milk, pasteurized milk and reconstituted milk" -液态水,yè tài shuǐ,liquid water (as opposed to steam or ice) -液晶,yè jīng,liquid crystal -液晶屏,yè jīng píng,liquid crystal screen -液晶显示,yè jīng xiǎn shì,LCD; liquid crystal display -液晶显示器,yè jīng xiǎn shì qì,liquid crystal display -液氨,yè ān,liquid ammonia -液氮,yè dàn,liquid nitrogen -液泡,yè pào,vacuole (biology) -液流,yè liú,stream; flow of liquid -液胞,yè bāo,vacuole -液面,yè miàn,surface (of a body of liquid) -液体,yè tǐ,liquid -涵,hán,to contain; to include; culvert -涵意,hán yì,content; meaning; connotation; implication; same as 涵義|涵义 -涵括,hán kuò,to encompass; to cover -涵摄,hán shè,to assimilate; to subsume -涵江,hán jiāng,"Hanjiang, a district of Putian City 莆田市[Pu2tian2 Shi4], Fujian" -涵江区,hán jiāng qū,"Hanjiang, a district of Putian City 莆田市[Pu2tian2 Shi4], Fujian" -涵洞,hán dòng,culvert -涵淡,hán dàn,waves -涵管,hán guǎn,culvert pipe -涵义,hán yì,content; meaning; connotation; implication -涵蓄,hán xù,variant of 含蓄[han2 xu4] -涵盖,hán gài,to cover; to comprise; to include -涵养,hán yǎng,"to cultivate (personal qualities); (of forests etc) to support; to provide a suitable environment for the replenishment of (natural resources: groundwater, animals, plants etc)" -涸,hé,to dry; to dry up -涸泽而渔,hé zé ér yú,see 竭澤而漁|竭泽而渔[jie2 ze2 er2 yu2] -涸辙之鲋,hé zhé zhī fù,lit. a fish in a dried-out rut (idiom); fig. a person in dire straits -凉,liáng,"the five Liang of the Sixteen Kingdoms, namely: Former Liang 前涼|前凉 (314-376), Later Liang 後涼|后凉 (386-403), Northern Liang 北涼|北凉 (398-439), Southern Liang 南涼|南凉[Nan2 Liang2] (397-414), Western Liang 西涼|西凉 (400-421)" -凉,liáng,cool; cold -凉,liàng,to let sth cool down -凉了半截,liáng le bàn jié,felt a chill (in one's heart); (one's heart) sank -凉亭,liáng tíng,pavilion -凉城,liáng chéng,"Liangcheng county in Ulaanchab 烏蘭察布|乌兰察布[Wu1 lan2 cha2 bu4], Inner Mongolia" -凉城县,liáng chéng xiàn,"Liangcheng county in Ulaanchab 烏蘭察布|乌兰察布[Wu1 lan2 cha2 bu4], Inner Mongolia" -凉山彝族自治州,liáng shān yí zú zì zhì zhōu,"Liangshan Yi autonomous prefecture, Sichuan" -凉州,liáng zhōu,"Liangzhou district of Wuwei city 武威市[Wu3 wei1 shi4], Gansu" -凉州区,liáng zhōu qū,"Liangzhou district of Wuwei city 武威市[Wu3 wei1 shi4], Gansu" -凉席,liáng xí,"summer sleeping mat (e.g. of woven split bamboo); CL:張|张[zhang1],領|领[ling3]" -凉快,liáng kuai,nice and cold; pleasantly cool -凉意,liáng yì,a slight chill -凉拌,liáng bàn,salad with dressing; cold vegetables dressed with sauce (e.g. coleslaw) -凉棚,liáng péng,mat awning; arbor -凉水,liáng shuǐ,cool water; unboiled water -凉凉,liáng liáng,slightly cold; cool; (neologism) (slang) to be done for; about to be obliterated; (of a place or a person) desolate -凉爽,liáng shuǎng,cool and refreshing -凉皮,liáng pí,liangpi (noodle-like dish) -凉粉,liáng fěn,liangfen (Chinese dish); grass jelly (Chinese dish) -凉茶,liáng chá,Chinese herb tea -凉鞋,liáng xié,sandal -凉面,liáng miàn,cold noodles -涿,zhuō,place name -涿州,zhuō zhōu,"Zhuozhou, county-level city in Baoding 保定[Bao3 ding4], Hebei" -涿州市,zhuō zhōu shì,"Zhuozhou, county-level city in Baoding 保定[Bao3 ding4], Hebei" -涿鹿,zhuō lù,"Zhuolu county in Zhangjiakou 張家口|张家口[Zhang1 jia1 kou3], Hebei" -涿鹿县,zhuō lù xiàn,"Zhuolu county in Zhangjiakou 張家口|张家口[Zhang1 jia1 kou3], Hebei" -淀,diàn,shallow lake -淄,zī,black; name of a river -淄博,zī bó,"Zibo, prefecture-level city in Shandong" -淄博市,zī bó shì,"Zibo, prefecture-level city in Shandong" -淄川,zī chuān,"Zichuan district of Zibo city 淄博市[Zi1 bo2 shi4], Shandong" -淄川区,zī chuān qū,"Zichuan district of Zibo city 淄博市[Zi1 bo2 shi4], Shandong" -淄蠹,zī dù,to be worn out -淅,xī,"(onom.) sound of rain, sleet etc" -淅川,xī chuān,"Xichuan county in Nanyang 南陽|南阳[Nan2 yang2], Henan" -淅川县,xī chuān xiàn,"Xichuan county in Nanyang 南陽|南阳[Nan2 yang2], Henan" -淅沥,xī lì,(onom.) patter of rain -淆,xiáo,confused and disorderly; mixed; Taiwan pr. [yao2] -淆乱,xiáo luàn,to confuse; to befuddle -淆杂,xiáo zá,to mix up; to muddle -淇,qí,name of a river -淇淋,qí lín,cream (loanword) -淇滨,qí bīn,"Qibin district of Hebi city 鶴壁市|鹤壁市[He4 bi4 shi4], Henan" -淇滨区,qí bīn qū,"Qibin district of Hebi city 鶴壁市|鹤壁市[He4 bi4 shi4], Henan" -淇县,qí xiàn,"Qi county in Hebi 鶴壁|鹤壁[He4 bi4], Henan" -淋,lín,to sprinkle; to drip; to pour; to drench -淋,lìn,to filter; to strain; to drain; gonorrhea; (TCM) strangury -淋巴,lín bā,lymph (loanword); lymphatic -淋巴液,lín bā yè,lymphatic fluid; lymph -淋巴瘤,lín bā liú,lymphoma -淋巴癌,lín bā ái,lymphoma -淋巴管,lín bā guǎn,lymphatic vessel -淋巴系统,lín bā xì tǒng,lymphatic system -淋巴细胞,lín bā xì bāo,lymphocyte -淋巴结,lín bā jié,lymph node; lymph gland -淋巴腺,lín bā xiàn,lymph gland; lymph node -淋浴,lín yù,to take a shower; shower -淋溶土,lìn róng tǔ,argosol (soil taxonomy) -淋溶层,lín róng céng,alluvium (soil deposited by rivers) -淋漓,lín lí,dripping wet; pouring; saturated; (fig.) uninhibited; fluid; emotionally unrestrained; extreme -淋漓尽致,lín lí jìn zhì,lit. extreme saturation (idiom); fig. vividly and thoroughly; in great detail; without restraint; (of a performance) brilliant -淋湿,lín shī,to get soaked -淋球菌,lìn qiú jūn,"gonococcus; Neisseria gonorrhoeae, the pathogen causing gonorrhea" -淋病,lìn bìng,gonorrhea; Taiwan pr. [lin2 bing4] -淋雨,lín yǔ,to get wet in the rain -淌,tǎng,to drip; to trickle; to shed (tears) -淌下,tǎng xià,to let drip; to trickle down; to shed (tears) -淌口水,tǎng kǒu shuǐ,to let saliva dribble from the mouth; to slobber -淌泪,tǎng lèi,to shed a tear -淌眼泪,tǎng yǎn lèi,to shed tears -淑,shū,(bound form) (of women) gentle; kind; lovely; admirable; (used in given names); Taiwan pr. [shu2] -淑世,shū shì,to make the world a better place -淑人君子,shū rén jūn zi,virtuous gentleman (idiom) -淑女,shū nǚ,wise and virtuous woman; lady -淑女车,shū nǚ chē,ladies bicycle -淑静,shū jìng,gentle; tender -凄,qī,intense cold; frigid; dismal; grim; bleak; sad; mournful -凄切,qī qiè,mournful -凄厉,qī lì,mournful (sound) -凄婉,qī wǎn,melancholy; moving and sad; sweet and piteous -凄寒,qī hán,cold and desolate -凄惋,qī wǎn,doleful; piteous; also written 淒婉|凄婉[qi1 wan3] -凄惶,qī huáng,distressed and terrified; distraught (literary) -凄暗,qī àn,dismal; somber -凄凉,qī liáng,desolate (place) -凄凄,qī qī,cold and dismal -凄清,qī qīng,somber; cheerless -凄美,qī měi,poignant; sad and beautiful -凄迷,qī mí,dreary and fuzzy (sight) -凄风苦雨,qī fēng kǔ yǔ,lit. bleak wind and icy rain (idiom); fig. hardships; miserable circumstances -凄黯,qī àn,dismal; somber; also written 淒暗|凄暗[qi1 an4] -淖,nào,surname Nao -淖,nào,slush; mud -淘,táo,to wash; to clean out; to cleanse; to eliminate; to dredge -淘客,táo kè,"talk (loanword); chatline of PRC Internet company Taobao, taokshop.com" -淘宝,táo bǎo,"Taobao, a Chinese online shopping website (abbr. for 淘寶網|淘宝网[Tao2 bao3 Wang3])" -淘宝网,táo bǎo wǎng,"Taobao Marketplace, a Chinese website for online shopping" -淘析,táo xī,to strain; to wash and filter -淘气,táo qì,naughty; mischievous -淘汰,táo tài,to wash out; (fig.) to cull; to weed out; to eliminate; to die out; to phase out -淘汰赛,táo tài sài,a knockout competition -淘河,táo hé,pelican -淘洗,táo xǐ,to wash -淘神,táo shén,troublesome; bothersome -淘箩,táo luó,basket (for washing rice) -淘米,táo mǐ,to rinse rice -淘选,táo xuǎn,to decant; to strain off -淘金,táo jīn,to pan for gold; to try to make a fortune -淘金潮,táo jīn cháo,gold rush -淘金热,táo jīn rè,gold rush -淘金者,táo jīn zhě,gold panner; prospector for gold -淙,cóng,noise of water -泪,lèi,tears -泪人,lèi rén,"person who is crying their eyes out, whose face is wet with tears" -泪光,lèi guāng,glistening teardrops -泪奔,lèi bēn,(slang) to get emotional -泪如雨下,lèi rú yǔ xià,tears falling like rain (idiom) -泪水,lèi shuǐ,teardrop; tears -泪水涟涟,lèi shuǐ lián lián,in floods of tears (idiom) -泪汪汪,lèi wāng wāng,tearful; brimming with tears -泪流满面,lèi liú mǎn miàn,cheeks streaming with tears (idiom) -泪液,lèi yè,tears; teardrops -泪滴,lèi dī,teardrop -泪珠,lèi zhū,a teardrop -泪痕,lèi hén,tear stains -泪眼,lèi yǎn,tearful eyes -泪眼婆娑,lèi yǎn pó suō,tearful (idiom) -泪管,lèi guǎn,tear duct -泪腺,lèi xiàn,Lacrimal gland -泪花,lèi huā,tears in the eyes -泪点,lèi diǎn,(anatomy) lacrimal punctum; (literary) tears; (neologism c. 2015) the point at which one is moved to tears -泪点低,lèi diǎn dī,(neologism) easily moved to tears -浙,zhè,variant of 浙[Zhe4] -淝,féi,name of a river -淞,sōng,name of a river in Jiangsu Province -淞,sōng,variant of 凇[song1] -淠,pì,luxuriant (of water plants) -淡,dàn,insipid; diluted; weak; mild; light in color; tasteless; indifferent; (variant of 氮[dan4]) nitrogen -淡光,dàn guāng,shimmer -淡入,dàn rù,to fade in (cinema) -淡出,dàn chū,"to fade out (cinema); to withdraw from (politics, acting etc); to fade from (memory)" -淡化,dàn huà,to water down; to play down; to trivialize; to weaken; to become dull with time; to desalinate; desalination -淡啤,dàn pí,light beer -淡喉鹩鹛,dàn hóu liáo méi,(bird species of China) pale-throated wren-babbler (Spelaeornis kinneari) -淡妆,dàn zhuāng,light makeup -淡妆浓抹,dàn zhuāng nóng mǒ,in light or heavy makeup (idiom) -淡季,dàn jì,off season; slow business season; see also 旺季[wang4 ji4] -淡定,dàn dìng,calm and collected; unperturbed -淡巴菰,dàn bā gū,tobacco (loanword) (old) -淡忘,dàn wàng,to gradually forget as time passes; to have (sth) fade from one's memory -淡水,dàn shuǐ,"Tamsui or Danshui, district of New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -淡水,dàn shuǐ,potable water (water with low salt content); fresh water -淡水区,dàn shuǐ qū,"Tamsui or Danshui District, New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -淡水湖,dàn shuǐ hú,freshwater lake -淡水鱼,dàn shuǐ yú,freshwater fish -淡泊,dàn bó,living a simple life -淡泊名利,dàn bó míng lì,not caring about fame and fortune (idiom); indifferent to worldly rewards -淡泊寡味,dàn bó guǎ wèi,insipid and tasteless (idiom) -淡泊明志,dàn bó míng zhì,living a simple life as one's ideal (idiom) -淡淡,dàn dàn,faint; dim; dull; insipid; unenthusiastic; indifferent -淡漠,dàn mò,apathetic; indifferent; unsympathetic -淡然,dàn rán,tranquil and calm; indifferent -淡眉柳莺,dàn méi liǔ yīng,(bird species of China) Hume's leaf warbler (Phylloscopus humei) -淡脚树莺,dàn jiǎo shù yīng,(bird species of China) pale-footed bush warbler (Urosphena pallidipes) -淡色崖沙燕,dàn sè yá shā yàn,(bird species of China) pale martin (Riparia diluta) -淡薄,dàn bó,thin; light; flagging; faint -淡蓝色,dàn lán sè,light blue -淡雅,dàn yǎ,simple and elegant -淡黄,dàn huáng,light yellow -淡黄腰柳莺,dàn huáng yāo liǔ yīng,(bird species of China) lemon-rumped warbler (Phylloscopus chloronotus) -淤,yū,silt; river sludge; to silt up; choked with silt; variant of 瘀[yu1] -淤伤,yū shāng,bruising -淤塞,yū sè,choked with silt; silted up -淤泥,yū ní,silt; sludge; ooze -淤浅,yū qiǎn,to silt up -淤滞,yū zhì,silted up; obstructed by silt; variant of 瘀滯|瘀滞[yu1 zhi4] -淤灌,yū guàn,to warp (fertilize land by flooding) -淤积,yū jī,to silt up; silt; sediment; ooze; slurry -淤血,yū xuè,variant of 瘀血[yu1 xue4] -淤血斑,yū xuè bān,bruise; patch of bruising -淤青,yū qīng,bruise; contusion -渌,lù,clear (water); strain liquids -淦,gàn,name of a river -净,jìng,"clean; completely; only; net (income, exports etc); (Chinese opera) painted face male role" -净值,jìng zhí,net value; net worth -净利,jìng lì,net profit -净利润,jìng lì rùn,net profit -净化,jìng huà,to purify -净含量,jìng hán liàng,net weight -净土,jìng tǔ,"(Buddhism) Pure Land, usually refers to Amitabha Buddha's Western Pure Land of Ultimate Bliss (Sukhavati in Sanskrit)" -净土宗,jìng tǔ zōng,Pure Land Buddhism -净手,jìng shǒu,to wash one's hands; (fig.) to go to the toilet -净收入,jìng shōu rù,net income; net profit -净水,jìng shuǐ,clean water; purified water -净水器,jìng shuǐ qì,water purifier -净现值,jìng xiàn zhí,net present value (NPV) -净尽,jìng jìn,to eliminate; to purge -净重,jìng zhòng,net weight -净零,jìng líng,net zero (net-zero carbon emissions) -淩,líng,variant of 凌[ling2] -凌虐,líng nüè,to maltreat; to tyrannize -沦,lún,"to sink (into ruin, oblivion); to be reduced to" -沦亡,lún wáng,(of a country) to perish; to be annexed; subjugation (to a foreign power) -沦丧,lún sàng,to be lost; to be ruined; to perish; to wither away -沦没,lún mò,to sink; to drown -沦没丧亡,lún mò sàng wáng,to die; to perish -沦浃,lún jiā,to be deeply affected; moved to the core -沦灭,lún miè,to perish; extinction -沦为,lún wéi,to sink down to; to be reduced to (sth inferior) -沦肌浃髓,lún jī jiā suǐ,lit. penetrate to the marrow (idiom); deeply affected; moved to the core -沦落,lún luò,to degenerate; impoverished; to fall (into poverty); to be reduced (to begging) -沦陷,lún xiàn,to fall into enemy hands; to be occupied; to degenerate; to submerge -沦陷区,lún xiàn qū,enemy-held territory -淫,yín,excess; excessive; wanton; lewd; lascivious; obscene; depraved -淫乱,yín luàn,promiscuous -淫威,yín wēi,abuse of authority; tyrannical abuse -淫娃,yín wá,dissolute girl; slut -淫妇,yín fù,loose woman; prostitute; Jezebel -淫媒,yín méi,procurer; pimp -淫媒罪,yín méi zuì,(law) procuring; pimping -淫径,yín jìng,evil ways; fornication -淫念,yín niàn,lust -淫欲,yín yù,lust -淫书,yín shū,obscene book; pornography -淫棍,yín gùn,womanizer; lecher -淫乐,yín lè,vice; degenerate pleasures -淫水,yín shuǐ,arousal fluid -淫猥,yín wěi,obscene; indecent -淫画,yín huà,obscene picture -淫秽,yín huì,obscene; indecent; bawdy -淫穴,yín xué,pussy; cunt; twat -淫羊藿,yín yáng huò,"Epimedium, genus of herbaceous flowering plant, cultivated in the Far East as aphrodisiac; also called barrenwort or horny goatweed (said to resemble crushed goat's testicles)" -淫荡,yín dàng,loose in morals; lascivious; licentious; lewd -淫虫,yín chóng,sex maniac -淫行,yín xíng,wanton or lascivious behavior; adulterous behavior -淫亵,yín xiè,obscene -淫词秽语,yín cí huì yǔ,(idiom) obscene words; dirty talk -淫词亵语,yín cí xiè yǔ,dirty words; dirty talk -淫贱,yín jiàn,"morally loose, lewd and low, lascivious and mean; wanton" -淫辱,yín rǔ,fornication and insults; to rape and insult -淫逸,yín yì,to indulge in; dissipation; debauchery -淫雨,yín yǔ,excessive rain -淫靡,yín mǐ,profligate; extravagantly showy; (of music) lascivious; decadent -淫风,yín fēng,lascivious; wanton -淫鬼,yín guǐ,lecherous devil -淫魔,yín mó,lewd demon; lecher; pervert -淬,cuì,dip into water; to temper -淬火,cuì huǒ,to quench; to temper; to harden by quenching -淮,huái,name of a river -淮上,huái shàng,"Huaishang, a district of Bengbu City 蚌埠市[Beng4bu4 Shi4], Anhui" -淮上区,huái shàng qū,"Huaishang, a district of Bengbu City 蚌埠市[Beng4bu4 Shi4], Anhui" -淮北,huái běi,Huaibei prefecture-level city in Anhui -淮北市,huái běi shì,Huaibei prefecture-level city in Anhui -淮南,huái nán,Huainan prefecture-level city in Anhui -淮南子,huái nán zi,miscellany of writing from the Western Han (aka Former Han) -淮南市,huái nán shì,Huainan prefecture-level city in Anhui -淮安,huái ān,Huai'an prefecture-level city in Jiangsu -淮安市,huái ān shì,Huai'an prefecture-level city in Jiangsu -淮山,huái shān,"Chinese yam (Dioscorea polystachya), aka nagaimo" -淮河,huái hé,"Huai River, main river of east China, between the Yellow River 黃河|黄河[Huang2 He2] and the Changjiang 長江|长江[Chang2 Jiang1]" -淮海,huái hǎi,"Huaihai, economic hub around Xuzhou 徐州[Xu2 zhou1], including parts of Jiangsu, Shandong, Henan and Anhui provinces" -淮海地区,huái hǎi dì qū,"Huaihai, economic hub around Xuzhou 徐州[Xu2 zhou1], including parts of Jiangsu, Shandong, Henan and Anhui provinces" -淮海战役,huái hǎi zhàn yì,"Huaihai Campaign (Nov 1948-Jan 1949), one of the three major campaigns by the People's Liberation Army near the end of the Chinese Civil War, considered the determining battle of the war" -淮滨,huái bīn,"Huaibin county in Xinyang 信陽|信阳, Henan" -淮滨县,huái bīn xiàn,"Huaibin county in Xinyang 信陽|信阳, Henan" -淮阴,huái yīn,"Huaiyin district of Huai'an city 淮安市[Huai2 an1 shi4], Jiangsu" -淮阴区,huái yīn qū,"Huaiyin district of Huai'an city 淮安市[Huai2 an1 shi4], Jiangsu" -淮阳,huái yáng,"Huaiyang county in Zhoukou 周口[Zhou1 kou3], Henan" -淮阳县,huái yáng xiàn,"Huaiyang county in Zhoukou 周口[Zhou1 kou3], Henan" -淯,yù,name of river; old name of Baihe 白河 in Henan; same as 育水 -淯水,yù shuǐ,name of river; old name of Baihe 白河 in Henan; same as 育水 -深,shēn,deep (lit. and fig.) -深不可测,shēn bù kě cè,deep and unmeasurable (idiom); unfathomable depths; incomprehensible; enigmatic and impossible to predict -深不见底,shēn bù jiàn dǐ,so deep one cannot see to the bottom; limitless -深井,shēn jǐng,Sham Tseng (area in Hong Kong) -深信,shēn xìn,to believe firmly -深信不疑,shēn xìn bù yí,to believe firmly without any doubt (idiom); absolute certainty about sth -深入,shēn rù,to penetrate deeply; thorough -深入人心,shēn rù rén xīn,to enter deeply into people's hearts; to have a real impact on the people (idiom) -深入浅出,shēn rù qiǎn chū,to explain a complicated subject matter in simple terms (idiom); (of language) simple and easy to understand -深入显出,shēn rù xiǎn chū,see 深入淺出|深入浅出[shen1 ru4 qian3 chu1] -深切,shēn qiè,deeply felt; heartfelt; sincere; honest -深刻,shēn kè,profound; deep; deep-going -深化,shēn huà,to deepen; to intensify -深厚,shēn hòu,deep; profound -深受,shēn shòu,to receive in no small measure -深吻,shēn wěn,French kissing -深喉,shēn hóu,deep throating (sex act); a deep throat (anonymous informant) -深圳,shēn zhèn,"Shenzhen subprovincial city in Guangdong, special economic zone close to Hong Kong" -深圳交易所,shēn zhèn jiāo yì suǒ,Shenzhen Stock Exchange SZSE -深圳市,shēn zhèn shì,"Shenzhen subprovincial city in Guangdong, special economic zone close to Hong Kong" -深圳河,shēn zhèn hé,"Shenzhen or Shamchun river Guangdong, the border between Hong Kong new territories and PRC" -深圳证券交易所,shēn zhèn zhèng quàn jiāo yì suǒ,"Shenzhen Stock Exchange, abbr. to 深交所[Shen1 Jiao1 suo3]" -深坑,shēn kēng,"Shenkeng township in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -深坑乡,shēn kēng xiāng,"Shenkeng township in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -深夜,shēn yè,very late at night -深奥,shēn ào,profound; abstruse; recondite; profoundly -深孚众望,shēn fú zhòng wàng,to enjoy the confidence of the people; to be very popular -深密,shēn mì,dense; thick -深层,shēn céng,deep layer; deep; deep-seated; underlying -深层政府,shēn céng zhèng fǔ,deep state -深层次,shēn céng cì,deep level; deep-seated; in-depth -深层清洁,shēn céng qīng jié,deep cleansing -深山,shēn shān,deep in the mountains -深州,shēn zhōu,"Shenzhou Hengshui 衡水[Heng2 shui3], Hebei" -深州市,shēn zhōu shì,"Shenzhou Hengshui 衡水[Heng2 shui3], Hebei" -深度,shēn dù,depth; (of a speech etc) profundity; advanced stage of development -深度学习,shēn dù xué xí,deep learning (artificial intelligence) -深度尺,shēn dù chǐ,depth indicator or gauge -深广,shēn guǎng,deep and wide; vast; profound (influence etc) -深得民心,shēn dé mín xīn,to win the hearts of the people; to be popular among the masses -深思,shēn sī,to ponder; to consider -深思熟虑,shēn sī shú lǜ,mature reflection; after careful deliberations -深情,shēn qíng,deep emotion; deep feeling; deep love; affectionate; loving -深情厚意,shēn qíng hòu yì,"profound love, generous friendship (idiom)" -深情厚谊,shēn qíng hòu yì,deep friendship -深情款款,shēn qíng kuǎn kuǎn,loving; caring; adoring -深恶痛绝,shēn wù tòng jué,to detest bitterly (idiom); implacable hatred; to abhor; anathema -深爱,shēn ài,to love dearly -深感,shēn gǎn,to feel deeply -深成岩,shēn chéng yán,plutonic rock; abyssal rock -深挖,shēn wā,to dredge -深挚,shēn zhì,heartfelt and genuine -深明大义,shēn míng dà yì,to have a high notion of one's duty; to be highly principled -深更半夜,shēn gēng bàn yè,in the dead of night (idiom) -深棕,shēn zōng,dark brown -深棕色,shēn zōng sè,dark brown -深柜,shēn guì,"(slang) (of an LGBT person etc) closeted; person who keeps their sexual orientation, gender identity or political opinions etc private" -深水埗,shēn shuǐ bù,"Sham Shui Po district of Kowloon, Hong Kong" -深水炸弹,shēn shuǐ zhà dàn,depth charge -深沉,shēn chén,"deep; profound; (of a person) reserved; undemonstrative; (of a voice, sound etc) deep; low-pitched" -深海,shēn hǎi,deep sea -深海围网,shēn hǎi wéi wǎng,purse-seine net (fishing) -深海烟囱,shēn hǎi yān cōng,deep-sea vent; black smoker -深深,shēn shēn,deep; profound -深渊,shēn yuān,abyss -深浅,shēn qiǎn,deep or shallow; depth (of the sea); limits of decorum -深港,shēn gǎng,Shenzhen and Hong Kong -深源地震,shēn yuán dì zhèn,deep earthquake (with epicenter more than 300 km deep) -深潭,shēn tán,deep natural pond; deep pit; abyss -深泽,shēn zé,"Shenze county in Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1], Hebei" -深泽县,shēn zé xiàn,"Shenze county in Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1], Hebei" -深灰色,shēn huī sè,dark gray -深知,shēn zhī,to know well; to be fully aware of -深秋,shēn qiū,late autumn -深究,shēn jiū,to perform an in-depth investigation -深空,shēn kōng,deep space (outer space) -深红色,shēn hóng sè,deep red; crimson; scarlet -深绿,shēn lǜ,dark green -深县,shēn xiàn,Shen county in Hebei -深耕,shēn gēng,deep plowing; thorough penetration; thorough development (of a market segment etc) -深耕细作,shēn gēng xì zuò,deep plowing and careful cultivation -深色,shēn sè,dark; dark colored -深蓝,shēn lán,"Deep Blue, chess-playing computer, first to defeat reigning world champion, developed by IBM (1985-1997)" -深蓝,shēn lán,dark blue -深藏,shēn cáng,to be deeply hidden; to lie deep (in some place) -深藏若虚,shēn cáng ruò xū,to hide one's treasure away so that no-one knows about it (idiom); fig. modest about one's talents; to hide one's light under a bushel -深处,shēn chù,abyss; depths; deepest or most distant part -深谈,shēn tán,to have an in depth conversation; to have intimate talks; to discuss thoroughly -深谙,shēn ān,to know (sth) very well; to be an expert in -深谋,shēn móu,forethought -深谋远虑,shēn móu yuǎn lǜ,lit. deep plans and distant thoughts; to plan far ahead (idiom) -深谋远略,shēn móu yuǎn lüè,a well-thought out long-term strategy -深谷,shēn gǔ,deep valley; ravine -深蹲,shēn dūn,squat (exercise) -深造,shēn zào,to pursue one's studies -深远,shēn yuǎn,far-reaching; profound and long-lasting -深邃,shēn suì,deep (valley or night); abstruse; hidden in depth -深重,shēn zhòng,very serious; grave; profound -深锁,shēn suǒ,locked up; closed off; (of one's brow) furrowed; frowning -深长,shēn cháng,"profound (meaning, implications etc)" -深闭固拒,shēn bì gù jù,"deep, closed and refusing (idiom); obstinate; stubborn and perverse" -深闺,shēn guī,lady's private room or bedroom; boudoir -深陷,shēn xiàn,"to be deeply in (trouble, debt etc); deep set (eyes)" -淳,chún,genuine; pure; honest -淳于,chún yú,two-character surname Chunyu -淳化,chún huà,"Chunhua County in Xianyang 咸陽|咸阳[Xian2 yang2], Shaanxi" -淳化县,chún huà xiàn,"Chunhua County in Xianyang 咸陽|咸阳[Xian2 yang2], Shaanxi" -淳厚,chún hòu,pure and honest; simple and kind -淳安,chún ān,"Chun'an county in Hangzhou 杭州[Hang2 zhou1], Zhejiang" -淳安县,chún ān xiàn,"Chun'an county in Hangzhou 杭州[Hang2 zhou1], Zhejiang" -淳朴,chún pǔ,simple and honest; unsophisticated; guileless -渊,yuān,deep pool; deep; profound -渊博,yuān bó,erudite; profound; learned; extremely knowledgeable -渊壑,yuān hè,deep valley -渊富,yuān fù,rich and variegated -渊广,yuān guǎng,broad and extensive (of knowledge etc) -渊虑,yuān lǜ,profound thoughts or ideas -渊冲,yuān chōng,erudite but open-minded -渊泉,yuān quán,deep springs -渊泓,yuān hóng,vast and profound -渊海,yuān hǎi,(lit.) abyss and ocean; (fig.) vast and profound -渊深,yuān shēn,profound (knowledge); erudite -渊渊,yuān yuān,deep and still; sound of a drum -渊源,yuān yuán,origin; source; relationship -渊玄,yuān xuán,profundity; depth -渊薮,yuān sǒu,(lit.) gathering place of fish or other creatures; (fig.) haunt; lair; nest; den; hotbed -渊诣,yuān yì,deep and profound meaning -渊谋,yuān móu,profound or erudite plans -渊识,yuān shí,erudite and sophisticated -渊谷,yuān gǔ,deep valley -渊远,yuān yuǎn,deep; profound -渊默,yuān mò,profound silence -涞,lái,brook; ripple -涞水,lái shuǐ,"Laishui county in Baoding 保定[Bao3 ding4], Hebei" -涞水县,lái shuǐ xiàn,"Laishui county in Baoding 保定[Bao3 ding4], Hebei" -涞源,lái yuán,"Laiyuan county in Baoding 保定[Bao3 ding4], Hebei" -涞源县,lái yuán xiàn,"Laiyuan county in Baoding 保定[Bao3 ding4], Hebei" -混,hún,muddy; turbid (variant of 渾|浑[hun2]); brainless; foolish (variant of 渾|浑[hun2]); Taiwan pr. [hun4] -混,hùn,to mix; to mingle; muddled; to drift along; to muddle along; to pass for; to get along with sb; thoughtless; reckless -混一,hùn yī,to amalgamate; to mix together as one -混世魔王,hùn shì mó wáng,devil incarnate (idiom); fiend in human form -混乱,hùn luàn,confusion; chaos; disorder -混事,hùn shì,to work half-heartedly; to get by in a job with the minimum effort -混交,hùn jiāo,mixed (growth of wood) -混交林,hùn jiāo lín,mixed forest -混作,hùn zuò,mixed cropping (i.e. growing two crops together) -混元,hùn yuán,time immemorial; origin of the universe; the world -混充,hùn chōng,to pass oneself off as sb; to palm sth off as -混入,hùn rù,to sneak into -混凝剂,hùn níng jì,coagulant -混凝土,hùn níng tǔ,concrete -混出名堂,hùn chū míng tang,to make it; to be somebody -混合,hùn hé,to mix; to blend; hybrid; composite -混合动力车,hùn hé dòng lì chē,hybrid vehicle -混合型汽车,hùn hé xíng qì chē,hybrid car -混合失语症,hùn hé shī yǔ zhèng,mixed aphasia -混合感染,hùn hé gǎn rǎn,mixed infection -混合所有制改革,hùn hé suǒ yǒu zhì gǎi gé,mixed ownership reform (strategy aimed at enhancing the efficiency and competitiveness of state-owned enterprises) -混合模型,hùn hé mó xíng,hybrid model -混合毒剂,hùn hé dú jì,tactical mixture of chemical agents -混合泳,hùn hé yǒng,medley (swimming) -混合物,hùn hé wù,mixture; composite -混合现实,hùn hé xiàn shí,(computing) mixed reality; MR -混合肥料,hùn hé féi liào,compost -混合体,hùn hé tǐ,mixture; blend -混同,hùn tóng,to mix up; to confuse one thing with another -混名,hùn míng,nickname -混名儿,hùn míng er,erhua variant of 混名[hun4 ming2] -混和,hùn huò,mixture; amalgam -混吣,hùn qìn,vulgar; foul-mouthed -混子,hùn zi,hoodlum; person unfit for society -混成词,hùn chéng cí,(linguistics) portmanteau -混战,hùn zhàn,chaotic warfare; confused fighting; melee; to join in such fighting -混搭,hùn dā,to mix and match (of clothing etc) -混改,hùn gǎi,mixed ownership reform (abbr. for 混合所有制改革[hun4 he2 suo3 you3 zhi4 gai3 ge2]) -混日子,hùn rì zi,to idle; to waste time -混氧燃料,hùn yǎng rán liào,mixed-oxide fuel (MOX) -混水摸鱼,hún shuǐ mō yú,to fish in troubled water (idiom); to take advantage of a crisis for personal gain; also written 渾水摸魚|浑水摸鱼 -混水墙,hún shuǐ qiáng,plastered masonry wall -混汞,hùn gǒng,mercury amalgam -混沌,hùn dùn,primal chaos (original state of the universe in Chinese mythology); (of a situation) confused; chaotic; (of a person) muddle-headed; simple-minded -混沌学,hùn dùn xué,chaos theory (math.) -混沌理论,hùn dùn lǐ lùn,(math.) chaos theory -混淆,hùn xiáo,to obscure; to confuse; to mix up; to blur; to mislead -混淆是非,hùn xiáo shì fēi,to confuse right and wrong (idiom) -混淆视听,hùn xiáo shì tīng,to obscure the facts (idiom); to mislead the public with prevarication and deliberate falsehoods -混淆黑白,hùn xiáo hēi bái,to confuse black and white; to say that black is white; fig. not to distinguish right from wrong -混混儿,hùn hùn er,ruffian; hoodlum -混浊,hùn zhuó,turbid; muddy; dirty -混为一谈,hùn wéi yī tán,to confuse one thing with another (idiom); to muddle -混熟,hùn shóu,to get familiar with -混球,hún qiú,bastard; wretch; scoundrel -混球儿,hún qiú er,erhua variant of 混球[hun2 qiu2] -混蒙,hùn mēng,to deceive; to mislead -混种,hùn zhǒng,hybrid; mixed-breed -混纺,hùn fǎng,mixed fabric; blended fabric -混编,hùn biān,mixed -混茫,hùn máng,dim; obscure -混号,hùn hào,nickname -混蛋,hún dàn,scoundrel; bastard; hoodlum; wretch -混血,hùn xuè,hybrid -混血儿,hùn xuè ér,person of mixed blood; half-breed; mulatto -混行,hún xíng,mixed use (e.g. pedestrians and vehicles); joint operation (e.g. trains and buses) -混账,hùn zhàng,shameful; absolutely disgraceful! -混迹,hùn jì,mixed in as part of a community; hiding one's identity; occupying a position while not deserving it -混进,hùn jìn,to infiltrate; to sneak into -混杂,hùn zá,to mix; to mingle -混杂物,hùn zá wù,adulteration; impurities -混音,hùn yīn,(audio) mixing -混饭,hùn fàn,to work for a living -淹,yān,to flood; to submerge; to drown; to irritate the skin (of liquids); to delay -淹博,yān bó,widely read; erudite -淹死,yān sǐ,to drown -淹水,yān shuǐ,to be flooded -淹没,yān mò,to submerge; to drown; to flood; to drown out (also fig.) -淹灭,yān miè,to submerge; to flood; to bury -淹灌,yān guàn,basin irrigation (e.g. paddy fields) -淹留,yān liú,to stay for a long period -淹盖,yān gài,to submerge; to flood; to drown out -淹头搭脑,yān tóu dā nǎo,listless -浅,jiān,sound of moving water -浅,qiǎn,shallow; light (color) -浅尝,qiǎn cháng,to merely have a sip or a bite (of one's food or drink); (fig.) to dabble in; to flirt with (a topic) -浅尝辄止,qiǎn cháng zhé zhǐ,lit. to stop after taking just a sip (idiom); fig. to gain only a superficial knowledge of sth and then stop -浅学,qiǎn xué,shallow study; superficial; scant knowledge -浅层文字,qiǎn céng wén zì,shallow orthography (governed by simple rules) -浅希近求,qiǎn xī jìn qiú,to aim low; to aim to get by; without lofty ambition -浅易,qiǎn yì,easy; simple; suitable for beginners -浅析,qiǎn xī,"primary, elementary or coarse analysis" -浅水,qiǎn shuǐ,shallow water -浅浮雕,qiǎn fú diāo,bas-relief -浅海,qiǎn hǎi,shallow sea; sea less than 200 meters deep -浅淡,qiǎn dàn,light (color); pale; vague (feeling) -浅深,qiǎn shēn,depth (archaic) -浅源地震,qiǎn yuán dì zhèn,shallow earthquake (with epicenter less than 70 km deep) -浅滩,qiǎn tān,shallows; shoal; sandbar -浅滩指示浮标,qiǎn tān zhǐ shì fú biāo,bar buoy; buoy marking shallows or sandbar -浅白,qiǎn bái,simple; easy to understand -浅短,qiǎn duǎn,narrow and shallow (knowledge or skill); superficial -浅礁,qiǎn jiāo,shallow reef; shoal -浅耕,qiǎn gēng,to scratch; shallow plowing -浅色,qiǎn sè,light color -浅草,qiǎn cǎo,"Asakusa, district of Tokyo with an atmosphere of old Japan, famous for the 7th century Buddhist temple, Sensō-ji" -浅薄,qiǎn bó,superficial -浅见,qiǎn jiàn,shallow opinion; humble opinion -浅说,qiǎn shuō,simple introduction; primer -浅近,qiǎn jìn,simple -浅陋,qiǎn lòu,shallow and crude; meager (knowledge or skill) -浅露,qiǎn lù,blunt; direct (i.e. not tactful) -浅显,qiǎn xiǎn,(of written or spoken material) easy to understand; accessible -浅显易懂,qiǎn xiǎn yì dǒng,easy to understand -浅鲜,qiǎn xiǎn,meager; slight -浅黄色,qiǎn huáng sè,buff; pale yellow -浅黑,qiǎn hēi,dark; gray; (of skin) lightly pigmented -添,tiān,to add; to increase; to replenish -添丁,tiān dīng,to add a son to the family -添乱,tiān luàn,(coll.) to cause trouble for sb; to inconvenience -添加,tiān jiā,to add; to increase -添加剂,tiān jiā jì,additive; food additive -添加物,tiān jiā wù,additive -添堵,tiān dǔ,to make people feel even more stressed or annoyed (coll.); to make traffic congestion even worse -添油加醋,tiān yóu jiā cù,lit. to add oil and vinegar; fig. adding details while telling a story (to make it more interesting) -添砖加瓦,tiān zhuān jiā wǎ,lit. contribute bricks and tiles for a building (idiom); fig. to do one's bit to help -添福添寿,tiān fú tiān shòu,to increase luck and longevity -添置,tiān zhì,to buy; to acquire; to add to one's possessions -添补,tiān bu,to fill (up); to replenish -添办,tiān bàn,to acquire -添麻烦,tiān má fan,to cause trouble for sb; to inconvenience -淼,miǎo,a flood; infinity -清,qīng,Qing (Wade-Giles: Ch'ing) dynasty of China (1644-1911); surname Qing -清,qīng,(of water etc) clear; clean; quiet; still; pure; uncorrupted; clear; distinct; to clear; to settle (accounts) -清一色,qīng yī sè,monotone; only one ingredient; (mahjong) all in the same suit -清亮,qīng liàng,(of sound) clear and resonant; bright; (of eyes) bright; (of water) crystal-clear; limpid; clear (in one's mind) -清亮,qīng liang,clear -清人,qīng rén,Qing dynasty person -清代,qīng dài,Qing dynasty (1644-1911) -清代通史,qīng dài tōng shǐ,"General History of the Qing dynasty, compiled under Xiao Yishan 蕭一山|萧一山[Xiao1 Yi1 shan1]" -清仓,qīng cāng,to take an inventory of stock; to clear out one's stock -清仓大甩卖,qīng cāng dà shuǎi mài,clearance sale; fire sale -清仓查库,qīng cāng chá kù,to make an inventory of warehouses -清偿,qīng cháng,to repay a debt in full; to redeem; to clear -清兵,qīng bīng,Qing troops; Manchu soldiers -清册,qīng cè,detailed list; inventory -清剿,qīng jiǎo,to suppress (insurgents); clean-up operation -清原,qīng yuán,"Qingyuan county in Fushun 撫順|抚顺, Liaoning" -清原满族自治县,qīng yuán mǎn zú zì zhì xiàn,"Qingyuan Manchu autonomous county in Fushun 撫順|抚顺, Liaoning" -清原县,qīng yuán xiàn,"Qingyuan county in Fushun 撫順|抚顺, Liaoning" -清史列传,qīng shǐ liè zhuàn,"Biographic History of Qing Dynasty by a succession of authors, published 1928 and revised 1987, with biographies of 2,900 notable Qing commoner citizens, 80 scrolls" -清史稿,qīng shǐ gǎo,"Draft History of the Qing Dynasty, sometimes listed as number 25 or 26 of the 24 dynastic histories 二十四史[Er4 shi2 si4 Shi3], compiled under Zhao Erxun 趙爾巽|赵尔巽[Zhao4 Er3 xun4] in 1927 during the Northern Warlords period, 536 scrolls" -清史馆,qīng shǐ guǎn,office set up in 1914 to compile official history of the Qing dynasty -清唱,qīng chàng,"to sing opera arias without staging, costume or makeup; to sing a cappella" -清单,qīng dān,list of items -清嗓,qīng sǎng,to clear one's throat; to hawk -清嗓子,qīng sǎng zi,to clear one's throat -清城,qīng chéng,"Qingcheng district of Qingyuan city 清遠市|清远市[Qing1 yuan3 shi4], Guangdong" -清城区,qīng chéng qū,"Qingcheng district of Qingyuan city 清遠市|清远市[Qing1 yuan3 shi4], Guangdong" -清场,qīng chǎng,to clear (a place); to evacuate -清太宗,qīng tài zōng,"posthumous title of Hong Taiji 皇太極|皇太极[Huang2 Tai4 ji2] (1592-1643), eighth son of Nurhaci 努爾哈赤|努尔哈赤[Nu3 er3 ha1 chi4], reigned 1626-1636 as Second Khan of Later Jin dynasty 後金|后金[Hou4 Jin1], then founded the Qing dynasty 大清[Da4 Qing1] and reigned 1636-1643 as Emperor" -清太祖,qīng tài zǔ,"posthumous title of Nurhaci 努爾哈赤|努尔哈赤[Nu3 er3 ha1 chi4] (1559-1626), founder and first Khan of the Manchu Later Jin dynasty 後金|后金[Hou4 Jin1] (from 1616)" -清婉,qīng wǎn,clear and soft (voice) -清官,qīng guān,honest and upright official (traditional) -清官难断家务事,qīng guān nán duàn jiā wù shì,even an honest and upright official will have difficulty resolving a family dispute (proverb) -清宛县,qīng wǎn xiàn,"Qingwan county in Baoding prefecture, Hebei" -清寒,qīng hán,poor; underprivileged; (of weather) crisp and clear -清实录,qīng shí lù,"Qing historical archive, currently 4484 scrolls" -清屏,qīng píng,(computing) to clear (all items on the display screen) -清州,qīng zhōu,"Cheongju, capital of North Chungcheong Province, South Korea 忠清北道[Zhong1 qing1 bei3 dao4]" -清州市,qīng zhōu shì,"Cheongju, capital of North Chungcheong Province, South Korea 忠清北道[Zhong1 qing1 bei3 dao4]" -清幽,qīng yōu,(of a location) quiet and secluded; beautiful and secluded -清廉,qīng lián,honest; uncorrupted -清廷,qīng tíng,the Qing court (as government of China) -清徐,qīng xú,"Qingxu county in Taiyuan 太原[Tai4 yuan2], Shanxi" -清徐县,qīng xú xiàn,"Qingxu county in Taiyuan 太原[Tai4 yuan2], Shanxi" -清彻,qīng chè,variant of 清澈[qing1 che4] -清心寡欲,qīng xīn guǎ yù,(idiom) uninterested in self-indulgence; abstemious; ascetic -清恬,qīng tián,pure and quiet (of life); tranquil and comfortable -清拆,qīng chāi,demolition (of buildings for new project) -清拆户,qīng chāi hù,demolition of homes; to destroy homes (for new building projects) -清扫,qīng sǎo,to tidy up; to mop up; a sweep (against crime) -清政府,qīng zhèng fǔ,Qing government (1644-1911) -清教徒,qīng jiào tú,Puritan -清新,qīng xīn,"Qingxin county in Qingyuan 清遠|清远[Qing1 yuan3], Guangdong" -清新,qīng xīn,fresh and clean -清新县,qīng xīn xiàn,"Qingxin county in Qingyuan 清遠|清远[Qing1 yuan3], Guangdong" -清新自然,qīng xīn zì rán,as fresh and clean as nature (idiom) -清早,qīng zǎo,first thing in the morning; at daybreak -清明,qīng míng,"Qingming or Pure Brightness, 5th of the 24 solar terms 二十四節氣|二十四节气[er4 shi2 si4 jie2 qi5] 5th-19th April; Pure Brightness Festival or Tomb Sweeping Day (in early April)" -清明,qīng míng,clear and bright; sober and calm; (of a government or administration) well ordered -清明节,qīng míng jié,"Qingming or Pure Brightness Festival or Tomb Sweeping Day, celebration for the dead (in early April)" -清晨,qīng chén,early morning -清晰,qīng xī,clear; distinct -清晰度,qīng xī dù,definition; sharpness; clarity -清朗,qīng lǎng,clear and bright; unclouded; clear and sonorous (voice); clear and lively (narrative) -清朝,qīng cháo,Qing dynasty (1644-1911) -清末,qīng mò,the final years of the Qing dynasty 清朝[Qing1 chao2]; late Qing -清末民初,qīng mò mín chū,"the late Qing and early Republic, i.e. China around 1911" -清查,qīng chá,to investigate thoroughly; to carefully inspect; to verify; to ferret out (undesirable elements) -清楚,qīng chu,clear; distinct; to understand thoroughly; to be clear about -清正,qīng zhèng,upright and honorable -清正廉明,qīng zhèng lián míng,upright and honest -清水,qīng shuǐ,Qingshui (place name); Shimizu (Japanese surname and place name) -清水,qīng shuǐ,fresh water; drinking water; clear water -清水寺,qīng shuǐ sì,"Kiyomizu temple in east Kyōto 京都, Japan" -清水河,qīng shuǐ hé,"Qingshuihe county in Hohhot 呼和浩特[Hu1 he2 hao4 te4], Inner Mongolia" -清水河县,qīng shuǐ hé xiàn,"Qingshuihe county in Hohhot 呼和浩特[Hu1 he2 hao4 te4], Inner Mongolia" -清水墙,qīng shuǐ qiáng,unplastered masonry wall -清水县,qīng shuǐ xiàn,"Qingshui county in Tianshui 天水[Tian1 shui3], Gansu" -清水镇,qīng shuǐ zhèn,"Qingshui or Chingshui Town in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -清江,qīng jiāng,Qingjiang river in Hubei -清河,qīng hé,"Qinghe county in Xingtai 邢台[Xing2 tai2], Hebei; Qinghe district of Tieling city 鐵嶺市|铁岭市[Tie3 ling3 shi4], Liaoning" -清河区,qīng hé qū,"Qinghe district of Tieling city 鐵嶺市|铁岭市[Tie3 ling3 shi4], Liaoning; Qinghe district of Huai'an city 淮安市[Huai2 an1 shi4], Jiangsu" -清河县,qīng hé xiàn,"Qinghe county in Xingtai 邢台[Xing2 tai2], Hebei" -清河门,qīng hé mén,"Qinghemen district of Fuxin city 阜新市, Liaoning" -清河门区,qīng hé mén qū,"Qinghemen district of Fuxin city 阜新市, Liaoning" -清油,qīng yóu,vegetable cooking oil -清泉,qīng quán,clear spring -清洗,qīng xǐ,to wash; to clean; to purge -清津市,qīng jīn shì,"Chongjin, capital of North Hamgyeong province 咸鏡北道|咸镜北道[Xian2 jing4 bei3 dao4], North Korea" -清流,qīng liú,"Qingliu, a county in Sanming City 三明市[San1ming2 Shi4], Fujian" -清流,qīng liú,"clean flowing water; (fig.) (literary) honorable person, untainted by association with disreputable influences; scholars who (in former times) kept themselves aloof from the corrupting influence of those in power" -清流县,qīng liú xiàn,"Qingliu, a county in Sanming City 三明市[San1ming2 Shi4], Fujian" -清浦,qīng pǔ,"Qingpu district of Huai'an city 淮安市[Huai2 an1 shi4], Jiangsu" -清浦区,qīng pǔ qū,"Qingpu district of Huai'an city 淮安市[Huai2 an1 shi4], Jiangsu" -清凉,qīng liáng,cool; refreshing; (of clothing) skimpy; revealing -清凉油,qīng liáng yóu,soothing ointment; balm -清淡,qīng dàn,"light (of food, not greasy or strongly flavored); insipid; slack (sales)" -清淤,qīng yū,to dredge; to remove sludge -清净,qīng jìng,peaceful; quiet; tranquil; purified of defiling illusion (Buddhism) -清汤,qīng tāng,broth; clear soup; consommé -清汤寡水,qīng tāng guǎ shuǐ,meager fare; (fig.) insipid; colorless -清涤,qīng dí,to rinse; to wash; to clean; to purge; to comb out -清洁,qīng jié,clean; to clean -清洁剂,qīng jié jì,detergent; cleaning solution -清洁器,qīng jié qì,cleaner -清洁工,qīng jié gōng,cleaner; janitor; garbage collector -清洁球,qīng jié qiú,scouring ball -清洁袋,qīng jié dài,waste disposal bag -清澄,qīng chéng,limpid -清澈,qīng chè,clear; limpid -清澈见底,qīng chè jiàn dǐ,water so clear you can see the bottom -清澈透底,qīng chè tòu dǐ,(of a body of water) clear enough to see the bottom; limpid -清涧,qīng jiàn,"Qingjian County in Yulin 榆林[Yu2 lin2], Shaanxi" -清涧县,qīng jiàn xiàn,"Qingjian County in Yulin 榆林[Yu2 lin2], Shaanxi" -清火,qīng huǒ,to clear internal heat (Chinese Medicine) -清炒,qīng chǎo,to stir-fry; to saute -清热,qīng rè,to alleviate fever (medicine); to clear internal heat (Chinese medicine) -清炖,qīng dùn,to stew meat without seasoning -清爽,qīng shuǎng,fresh and cool; relaxed -清玩,qīng wán,a refined and elegant object for enjoyment; curio -清理,qīng lǐ,to clear up; to tidy up; to dispose of -清理队伍,qīng lǐ duì wǔ,to purge the ranks -清莹,qīng yíng,limpid; glistening -清甜,qīng tián,"(of flavor, voice etc) clear and sweet" -清瘦,qīng shòu,meager -清癯,qīng qú,lean; thin; spare -清白,qīng bái,pure; innocent -清皇朝,qīng huáng cháo,Qing dynasty (1644-1911) -清盘,qīng pán,liquidation -清真,qīng zhēn,Islamic; Muslim; halal (of food); clean; pure -清真寺,qīng zhēn sì,mosque -清福,qīng fú,carefree and comfortable life (esp. in retirement) -清秀,qīng xiù,delicate and pretty -清空,qīng kōng,to clear; to empty -清算,qīng suàn,to settle accounts; to clear accounts; to liquidate; to expose and criticize -清算业务,qīng suàn yè wù,clearing bank -清算行,qīng suàn háng,clearing bank -清红帮,qīng hóng bāng,"traditional secret society, Chinese equivalent of Freemasons" -清纯,qīng chún,fresh and pure -清绮,qīng qǐ,beautiful; elegant -清脆,qīng cuì,sharp and clear; crisp; melodious; ringing; tinkling; silvery (of sound); fragile; frail; also written 輕脆|轻脆 -清苑,qīng yuàn,"Qingyuan county in Baoding 保定[Bao3 ding4], Hebei" -清苑县,qīng yuàn xiàn,"Qingyuan county in Baoding 保定[Bao3 ding4], Hebei" -清苦,qīng kǔ,destitute but honest; poor and simple; spartan; austere -清茶,qīng chá,green tea; only tea (without food) -清华,qīng huá,abbr. for 清華大學|清华大学[Qing1 hua2 Da4 xue2] -清华大学,qīng huá dà xué,"Tsinghua University, Beijing; National Tsing Hua University, Hsinchu, Taiwan" -清蒸,qīng zhēng,steamed in broth -清补凉,qīng bǔ liáng,"ching bo leung, an icy, sweet dessert soup" -清谈,qīng tán,light intellectual conversation -清谈节目,qīng tán jié mù,talk show -清议,qīng yì,fair criticism; just comment -清丰,qīng fēng,"Qingfeng county in Puyang 濮陽|濮阳[Pu2 yang2], Henan" -清丰县,qīng fēng xiàn,"Qingfeng county in Puyang 濮陽|濮阳[Pu2 yang2], Henan" -清贫,qīng pín,poor but upright; destitute -清越,qīng yuè,clear and melodious -清军,qīng jūn,the Qing army -清逸,qīng yì,fresh and elegant -清道,qīng dào,to clean the street; to clear the road (i.e. get rid of people for passage of royalty or VIP) -清道夫,qīng dào fū,street cleaner; garbage collector; (soccer) sweeper -清远,qīng yuǎn,"Qingyuan, prefecture-level city in Guangdong" -清远市,qīng yuǎn shì,"Qingyuan, prefecture-level city in Guangdong province" -清迈,qīng mài,"Chiang Mai, city in Thailand" -清酌,qīng zhuó,wine offered to gods in worship -清酒,qīng jiǔ,sake (Japanese rice wine) -清醒,qīng xǐng,clear-headed; sober; awake -清醒梦,qīng xǐng mèng,lucid dream -清镇,qīng zhèn,"Qingzhen, county-level city in Guiyang 貴陽|贵阳[Gui4 yang2], Guizhou" -清镇市,qīng zhèn shì,"Qingzhen, county-level city in Guiyang 貴陽|贵阳[Gui4 yang2], Guizhou" -清闲,qīng xián,idle; leisurely -清关,qīng guān,customs clearance -清除,qīng chú,to clear away; to eliminate; to get rid of -清队,qīng duì,to purge the ranks -清雅,qīng yǎ,refined; elegant -清零,qīng líng,to restore sth to its initial state; to reset (an odometer etc); to empty (a bank account); to eradicate (a disease); (computing) to clear (memory); to zero (a hard drive) -清静,qīng jìng,quiet; peaceful and quiet -清音,qīng yīn,(phonetics) voiceless sound -清风,qīng fēng,cool breeze; fig. pure and honest -清风两袖,qīng fēng liǎng xiù,honest and upright (idiom) -清风劲节,qīng fēng jìng jié,pure and high-minded (idiom) -清风明月,qīng fēng míng yuè,lit. cool breeze and bright moon (idiom); fig. peaceful and clear night; (allusively) living a solitary and quiet life -清香,qīng xiāng,sweet scent; fragrant odor -清高,qīng gāo,noble and virtuous; aloof from politics and material pursuits -清丽,qīng lì,"(of writing, scenery, a woman etc) graceful; elegant; charming; beautiful" -清点,qīng diǎn,to check; to make inventory -清点帐目,qīng diǎn zhàng mù,to check the accounts; to take stock -清党,qīng dǎng,to purge a political party of undesirable elements -渖,shěn,old variant of 瀋|沈[shen3] -涣,huàn,to dissipate; to dissolve -涣散,huàn sàn,to slacken; lax; slack; disorganized -涣然,huàn rán,as if melting -涣然冰释,huàn rán bīng shì,(idiom) to melt away; to dissipate; to vanish -渚,zhǔ,islet; bank -减,jiǎn,to lower; to decrease; to reduce; to subtract; to diminish -减低,jiǎn dī,to lower; to reduce -减低速度,jiǎn dī sù dù,to retard; to decelerate -减俸,jiǎn fèng,to lower salary; to reduce pay -减价,jiǎn jià,to cut prices; to discount; to mark down; price cutting -减免,jiǎn miǎn,"to reduce or waive (taxes, punishment, rent, tuition etc)" -减分,jiǎn fēn,to deduct points; to lose points -减刑,jiǎn xíng,to reduce penalty; shortened or commuted (judicial) sentence -减削,jiǎn xuē,to reduce; to cut down -减半,jiǎn bàn,to reduce by half -减去,jiǎn qù,minus; to subtract -减员,jiǎn yuán,to reduce the number of personnel; to experience a reduction in the number of personnel -减噪,jiǎn zào,noise reduction -减压,jiǎn yā,to reduce pressure; to relax -减压时间表,jiǎn yā shí jiān biǎo,decompression schedule (diving); also called 減壓程序|减压程序[jian3 ya1 cheng2 xu4] -减压病,jiǎn yā bìng,decompression sickness; the bends; also 減壓症|减压症[jian3 ya1 zheng4] -减压症,jiǎn yā zhèng,decompression sickness; the bends; also 減壓病|减压病[jian3 ya1 bing4] -减压程序,jiǎn yā chéng xù,decompression schedule -减压表,jiǎn yā biǎo,decompression table -减妆,jiǎn zhuāng,makeup box (old) -减小,jiǎn xiǎo,to reduce; to decrease; to diminish -减少,jiǎn shǎo,to lessen; to decrease; to reduce; to lower -减幅,jiǎn fú,amount of reduction; size of discount -减弱,jiǎn ruò,to weaken; to diminish -减息,jiǎn xī,to lower the interest rate -减慢,jiǎn màn,to slow down -减持,jiǎn chí,(of an investor) to reduce one's holdings -减振,jiǎn zhèn,shock absorption; vibration dampening -减掉,jiǎn diào,to subtract; to lose (weight) -减排,jiǎn pái,to reduce pollutant discharge; to reduce emissions -减损,jiǎn sǔn,to impair; to degrade; to decrease; to reduce; to weaken; to detract from; impairment (e.g. of financial assets) -减摇鳍,jiǎn yáo qí,fin stabilizer (in ships); anti-roll stabilizer -减数,jiǎn shù,(math.) subtrahend -减数分裂,jiǎn shù fēn liè,meiosis (in sexual reproduction) -减核,jiǎn hé,nuclear weapons reduction (abbr. for 裁減核武器|裁减核武器[cai2 jian3 he2 wu3 qi4]); disarmament -减毒活疫苗,jiǎn dú huó yì miáo,attenuated live vaccine -减法,jiǎn fǎ,subtraction -减灾,jiǎn zāi,"to take measures to mitigate the impact of disasters (including prevention, preparation, and support for stricken communities)" -减产,jiǎn chǎn,to produce less; to reduce output; lower yield -减益,jiǎn yì,debuff (gaming) -减碳,jiǎn tàn,to reduce carbon emissions -减租,jiǎn zū,to reduce rent -减税,jiǎn shuì,to cut taxes; tax cut -减缓,jiǎn huǎn,to slow down; to retard -减肥,jiǎn féi,to lose weight -减色,jiǎn sè,to fade; (fig.) to lose luster; (of an event etc) to be spoiled; (coinage) to become debased -减薪,jiǎn xīn,to cut wages -减号,jiǎn hào,minus sign - (math.) -减计,jiǎn jì,to write down (i.e. to decrease the expected value of a loan) -减负,jiǎn fù,to alleviate a burden on sb -减贫,jiǎn pín,to reduce poverty; poverty reduction -减轻,jiǎn qīng,to lighten; to ease; to alleviate -减退,jiǎn tuì,to ebb; to go down; to decline -减速,jiǎn sù,to reduce speed; to slow down -减速器,jiǎn sù qì,moderator; reducer (mechanical gearbox) -减速带,jiǎn sù dài,speed bump -减除,jiǎn chú,to reduce; to lessen (pain etc); to deduct (from taxes) -减震,jiǎn zhèn,shock absorption; damping -减震器,jiǎn zhèn qì,shock-absorber -减震鞋,jiǎn zhèn xié,cushioning shoe -减龄,jiǎn líng,to become more youthful -渝,yú,short name for Chongqing 重慶|重庆[Chong2 qing4]; old name of Jialing River 嘉陵江[Jia1 ling2 Jiang1] in Sichuan -渝中,yú zhōng,"Yuzhong, the central district of Chongqing 重慶|重庆[Chong2qing4]" -渝中区,yú zhōng qū,"Yuzhong, the central district of Chongqing 重慶|重庆[Chong2qing4]" -渝北,yú běi,"Yubei, a district of Chongqing 重慶|重庆[Chong2qing4]" -渝北区,yú běi qū,"Yubei, a district of Chongqing 重慶|重庆[Chong2qing4]" -渝水,yú shuǐ,"old name of Jialing River 嘉陵江[Jia1 ling2 Jiang1] in Sichuan through Chongqing; Yushui District of Xinyu city 新餘市|新余市[Xin1 yu2 shi4], Jiangxi" -渝水区,yú shuǐ qū,"Yushui District of Xinyu city 新餘市|新余市[Xin1 yu2 shi4], Jiangxi" -渠,qú,surname Qu -渠,jù,how can it be that? -渠,qú,(artificial) stream; canal; drain; ditch (CL:條|条[tiao2]); (literary) big; great; (dialect) he; she; him; her; (old) rim of a carriage wheel; felloe -渠沟,qú gōu,trench -渠县,qú xiàn,"Qu county in Dazhou 達州|达州[Da2 zhou1], Sichuan" -渠道,qú dào,irrigation ditch; (fig.) channel; means -渠魁,qú kuí,rebel leader; ringleader; bandit chieftain -渡,dù,to cross; to pass through; to ferry -渡假,dù jià,(Tw) to go on holidays; to spend one's vacation -渡口,dù kǒu,ferry crossing -渡河,dù hé,to cross a river -渡渡鸟,dù dù niǎo,the dodo (extinct bird) -渡船,dù chuán,ferry -渡轮,dù lún,ferry boat -渡轮船,dù lún chuán,ferry ship -渡过,dù guò,to cross over; to pass through -渡边,dù biān,Watanabe (Japanese surname) -渡头,dù tóu,ferry crossing point -渡鸦,dù yā,(bird species of China) common raven (Corvus corax) -渣,zhā,slag (in mining or smelting); dregs -渣子,zhā zi,dregs; bits; dregs (of society) -渣打银行,zhā dǎ yín háng,Standard Chartered Bank -渣滓,zhā zǐ,residue; dregs; disreputable people -渣男,zhā nán,(coll.) jerk; scumbag (esp. in romantic relationships) -渤,bó,"same as 渤海[Bo2 Hai3], Bohai Sea between Liaoning and Shandong; Gulf of Zhili or Chihli" -渤海,bó hǎi,"Bohai Sea, or Bo Hai, between Liaoning and Shandong; Parhae, Korean kingdom in Manchuria and Siberia 698-926" -渤海湾,bó hǎi wān,Bohai Bay -渤澥桑田,bó xiè sāng tián,"lit. blue seas where once was mulberry fields (idiom, from 史記|史记[Shi3 ji4], Record of the Grand Historian); time brings great changes; life's vicissitudes" -渥,wò,to enrich; to moisten -渥太华,wò tài huá,"Ottawa, capital of Canada" -涡,guō,name of a river -涡,wō,eddy; whirlpool -涡喷,wō pēn,turbojet -涡扇,wō shàn,turbofan -涡旋,wō xuán,eddy; vortex -涡核,wō hé,eye of a vortex -涡桨,wō jiǎng,turboprop -涡虫纲,wō chóng gāng,Turbellaria (an order of flatworms) -涡轮,wō lún,turbine -涡轮喷气发动机,wō lún pēn qì fā dòng jī,turbojet -涡轮轴发动机,wō lún zhóu fā dòng jī,turboshaft -涡阳,guō yáng,"Guoyang, a county in Bozhou 亳州[Bo2zhou1], Anhui" -涡阳县,guō yáng xiàn,"Guoyang, a county in Bozhou 亳州[Bo2zhou1], Anhui" -渫,xiè,surname Xie -渫,xiè,to get rid of; to discharge; to dredge -测,cè,to survey; to measure; to conjecture -测地曲率,cè dì qū lǜ,geodesic curvature -测地线,cè dì xiàn,geodesic; a geodesic (curve) -测地线曲率,cè dì xiàn qū lǜ,geodesic curvature -测报,cè bào,to estimate and report; to assess -测天,cè tiān,to make astronomical observation -测孕,cè yùn,pregnancy testing -测定,cè dìng,to determine (by measuring or surveying) -测序,cè xù,(DNA etc) sequencing -测度,cè dù,measure (math.) -测度,cè duó,to estimate; to conjecture -测径器,cè jìng qì,calipers -测心术,cè xīn shù,mind reading -测控,cè kòng,measurement and control -测深,cè shēn,to sound (sea depth) -测温,cè wēn,to measure temperature -测温枪,cè wēn qiāng,temperature gun -测知,cè zhī,to detect; to sense -测算,cè suàn,to take measurements and calculate -测绘,cè huì,to survey and draw; to map -测评,cè píng,to test and evaluate -测试,cè shì,to test (machinery etc); to test (a person's skill in a particular area); a test; (computing) beta (version of software) -测试器,cè shì qì,testing apparatus; monitoring device; checker; meter -测谎仪,cè huǎng yí,lie detector; polygraph -测谎器,cè huǎng qì,lie detector; polygraph -测距仪,cè jù yí,distance measuring equipment -测量,cè liáng,survey; to measure; to gauge; to determine -测量工具,cè liáng gōng jù,gauge; measuring tool -测量船,cè liáng chuán,survey vessel -测锤,cè chuí,bob of plumb line -测验,cè yàn,"test; to test; CL:次[ci4],個|个[ge4]" -渭,wèi,the Wei River in Shaanxi through the Guanzhong Plain 關中平原|关中平原[Guan1 zhong1 Ping2 yuan2] -渭南,wèi nán,"Weinan, prefecture-level city in Shaanxi" -渭南市,wèi nán shì,"Weinan, prefecture-level city in Shaanxi" -渭城,wèi chéng,"Weicheng District in Xianyang City 咸陽市|咸阳市[Xian2 yang2 Shi4], Shaanxi" -渭城区,wèi chéng qū,"Weicheng District in Xianyang City 咸陽市|咸阳市[Xian2 yang2 Shi4], Shaanxi" -渭水,wèi shuǐ,"Wei River in Shaanxi, through the Guanzhong Plain 關中平原|关中平原[Guan1 zhong1 Ping2 yuan2]" -渭河,wèi hé,Wei River in Shaanxi through the Guanzhong Plain 關中平原|关中平原[Guan1 zhong1 Ping2 yuan2] -渭源,wèi yuán,"Weiyuan county in Dingxi 定西[Ding4 xi1], Gansu" -渭源县,wèi yuán xiàn,"Weiyuan county in Dingxi 定西[Ding4 xi1], Gansu" -渭滨,wèi bīn,"Weibin District of Baoji City 寶雞市|宝鸡市[Bao3 ji1 Shi4], Shaanxi" -渭滨区,wèi bīn qū,"Weibin District of Baoji City 寶雞市|宝鸡市[Bao3 ji1 Shi4], Shaanxi" -港,gǎng,Hong Kong (abbr. for 香港[Xiang1gang3]); surname Gang -港,gǎng,harbor; port; CL:個|个[ge4] -港交所,gǎng jiāo suǒ,Hong Kong Stock Exchange; abbr. for 香港交易所 -港人,gǎng rén,Hong Kong person or people -港元,gǎng yuán,Hong Kong dollar -港务局,gǎng wù jú,port authority -港北,gǎng běi,"Gangbei district of Guigang city 貴港市|贵港市[Gui4 gang3 shi4], Guangxi" -港北区,gǎng běi qū,"Gangbei district of Guigang city 貴港市|贵港市[Gui4 gang3 shi4], Guangxi" -港区,gǎng qū,Minato area of downtown Tokyo -港区,gǎng qū,port area -港区国安法,gǎng qū guó ān fǎ,Hong Kong National Security Law (from 30th June 2020) -港南,gǎng nán,"Gangnan district of Guigang city 貴港市|贵港市[Gui4 gang3 shi4], Guangxi" -港南区,gǎng nán qū,"Gangnan district of Guigang city 貴港市|贵港市[Gui4 gang3 shi4], Guangxi" -港口,gǎng kǒu,port; harbor -港口区,gǎng kǒu qū,"Gangkou district of Fangchenggang city 防城港市[Fang2 cheng2 gang3 shi4], Guangxi" -港口城市,gǎng kǒu chéng shì,port city -港埠,gǎng bù,port; wharf; sea terminal -港岛,gǎng dǎo,Hong Kong Island; abbr. for 香港島|香港岛[Xiang1 gang3 dao3] -港币,gǎng bì,Hong Kong currency; Hong Kong dollar -港府,gǎng fǔ,Hong Kong government -港式,gǎng shì,Hong Kong style -港普,gǎng pǔ,Hong Kong pidgin (a mix of Standard Mandarin and Cantonese) -港深,gǎng shēn,abbr. for Hong Kong 香港[Xiang1 gang3] and Shenzhen 深圳[Shen1 zhen4] -港澳,gǎng ào,Hong Kong 香港[Xiang1 gang3] and Macao 澳門|澳门[Ao4 men2] -港澳地区,gǎng ào dì qū,Hong Kong and Macao area -港澳台,gǎng ào tái,"Hong Kong 香港, Macao 澳門|澳门 and Taiwan 臺灣|台湾[Tai2 wan1]" -港澳办,gǎng ào bàn,Hong Kong and Macao Affairs Office of the State Council (abbr. for 國務院港澳事務辦公室|国务院港澳事务办公室[Guo2 wu4 yuan4 Gang3 Ao4 Shi4 wu4 Ban4 gong1 shi4]) -港湾,gǎng wān,bay serving as a harbor -港独,gǎng dú,Hong Kong independence -港珠澳,gǎng zhū ào,"Hong Kong, Zhuhai and Macau (abbr. for 香港[Xiang1 gang3] + 珠海[Zhu1 hai3] + 澳門|澳门[Ao4 men2])" -港珠澳大桥,gǎng zhū ào dà qiáo,Hong Kong-Zhuhai-Macau Bridge -港督,gǎng dū,"governor of Hong Kong (during the period of British rule, 1841-1997)" -港股,gǎng gǔ,Hong Kong shares -港台,gǎng tái,Hong Kong and Taiwan -港英政府,gǎng yīng zhèng fǔ,British colonial administration of Hong Kong 1837-1941 and 1945-1997 -港警,gǎng jǐng,Hong Kong police -港警,gǎng jǐng,port police -港铁,gǎng tiě,(Hong Kong) MTR (Mass Transit Railway) -港闸,gǎng zhá,"Gangzha district of Nantong city 南通市[Nan2 tong1 shi4], Jiangsu" -港闸区,gǎng zhá qū,"Gangzha district of Nantong city 南通市[Nan2 tong1 shi4], Jiangsu" -港龙航空,gǎng lóng háng kōng,"Hong Kong Dragon Airlines (operating as Dragonair), Hong Kong-based international airline" -渲,xuàn,wash (color) -渲染,xuàn rǎn,rendering (computing); to add washes of ink or color to a drawing (Chinese painting); to exaggerate; to embellish -渴,kě,thirsty -渴不可耐,kě bù kě nài,to be so thirsty as to no longer be able to tolerate it -渴慕,kě mù,to thirst for -渴望,kě wàng,to thirst for; to long for -渴求,kě qiú,to long for; to crave for; to greatly desire -游,yóu,surname You -游,yóu,to swim; variant of 遊|游[you2] -游仙,yóu xiān,"Youxian district of Mianyang city 綿陽市|绵阳市[Mian2 yang2 shi4], north Sichuan" -游仙区,yóu xiān qū,"Youxian district of Mianyang city 綿陽市|绵阳市[Mian2 yang2 shi4], north Sichuan" -游动,yóu dòng,to move about; to go from place to place; roving; mobile -游弋,yóu yì,"(of a naval vessel) to cruise; to patrol; (of ducks, boats etc) to move about on a lake or river etc" -游戏手柄,yóu xì shǒu bǐng,gamepad -游戏池,yóu xì chí,paddling pool; wading pool -游击,yóu jī,guerrilla warfare -游标,yóu biāo,cursor (computing) (Tw); vernier -游水,yóu shuǐ,to swim -游泳,yóu yǒng,swimming; to swim -游泳圈,yóu yǒng quān,swim ring; swim tube; (fig.) (coll.) spare tire (roll of fat around the waist) -游泳池,yóu yǒng chí,swimming pool; CL:場|场[chang3] -游泳衣,yóu yǒng yī,swimsuit; bathing costume -游泳裤,yóu yǒng kù,see 泳褲|泳裤[yong3 ku4] -游泳镜,yóu yǒng jìng,swimming goggles -游泳馆,yóu yǒng guǎn,swimming pool -游移,yóu yí,to wander; to shift around; to waver; to vacillate -游移不定,yóu yí bù dìng,to oscillate without pause (idiom); to fluctuate; (of thoughts) to wander; to waver -游丝,yóu sī,gossamer; hairspring -游蛇,yóu shé,water snake; colubrid; racer -游说团,yóu shuì tuán,lobby group -游说团体,yóu shuì tuán tǐ,lobby group -游资,yóu zī,floating capital; idle fund; hot money -游赏,yóu shǎng,to enjoy the sights (of) -游走,yóu zǒu,to swim away -游隼,yóu sǔn,(bird species of China) peregrine falcon (Falco peregrinus) -渺,miǎo,(of an expanse of water) vast; distant and indistinct; tiny or insignificant -渺乎其微,miǎo hū qí wēi,remote and insignificant (idiom) -渺子,miǎo zǐ,muon (particle physics) -渺小,miǎo xiǎo,minute; tiny; negligible; insignificant -渺渺茫茫,miǎo miǎo máng máng,uncertain; unknown; fuzzy -渺无人烟,miǎo wú rén yān,remote and uninhabited (idiom); deserted; God-forsaken -渺无音信,miǎo wú yīn xìn,to receive no news whatsoever about sb -渺茫,miǎo máng,uncertain; remote; distant and indistinct; vague -渺视,miǎo shì,to think little of; to look down on -渺运,miǎo yùn,faraway; distant; remote -渺远,miǎo yuǎn,distantly remote; also written 邈遠|邈远[miao3 yuan3] -浑,hún,muddy; turbid; brainless; foolish; (bound form) simple; natural; (bound form) whole; entire; all over -浑仪注,hún yí zhù,book by Han dynasty astronomer Zhang Heng -浑厚,hún hòu,simple and honest; unsophisticated; (music etc) deep and resounding -浑圆,hún yuán,perfectly round; (fig.) accommodating; considerate; smooth (way of doing things) -浑天仪,hún tiān yí,armillary sphere (astronomy) -浑天说,hún tiān shuō,geocentric theory in ancient Chinese astronomy -浑如,hún rú,very similar -浑家,hún jiā,wife -浑小子,hún xiǎo zi,(derog.) young hooligan (sometimes said in jest) -浑水摸鱼,hún shuǐ mō yú,to fish in troubled water (idiom); to take advantage of a crisis for personal gain -浑沌,hún dùn,see 混沌[hun4dun4] -浑河,hún hé,Hun River -浑浑噩噩,hún hún è è,muddleheaded -浑源,hún yuán,"Hunyuan county in Datong 大同[Da4 tong2], Shanxi" -浑源县,hún yuán xiàn,"Hunyuan county in Datong 大同[Da4 tong2], Shanxi" -浑浊,hún zhuó,muddy; turbid -浑然,hún rán,completely; absolutely; undivided; totally mixed up; muddled -浑然一体,hún rán yī tǐ,to blend into one another; to blend together well -浑然不知,hún rán bù zhī,to be totally oblivious (to sth); to have no idea about sth -浑然不觉,hún rán bù jué,totally unaware -浑然天成,hún rán tiān chéng,to resemble nature itself; of the highest quality (idiom) -浑球,hún qiú,variant of 混球[hun2 qiu2] -浑球儿,hún qiú er,variant of 混球兒|混球儿[hun2 qiu2 r5] -浑脱,hún tuō,leather float; inflatable raft -浑茫,hún máng,the dark ages before civilization; limitless reaches; vague and confused -浑号,hún hào,nickname -浑蛋,hún dàn,variant of 混蛋[hun2 dan4] -浑身,hún shēn,all over; from head to foot -浑身上下,hún shēn shàng xià,all over; from head to toe -浑身解数,hún shēn xiè shù,to give it your all; to go at it with all you've got; to throw your whole weight behind it; also pr. [hun2 shen1 jie3 shu4] -湃,pài,used in 澎湃[peng2pai4] -湄,méi,brink; edge -湄公河,méi gōng hé,Mekong River -湄公河三角洲,méi gōng hé sān jiǎo zhōu,Mekong River Delta -湄南河,méi nán hé,"Chao Phraya River (aka Menam), the main river of Thailand" -湄洲岛,méi zhōu dǎo,Meizhou Island (Putian) -湄潭,méi tán,"Meitan county in Zunyi 遵義|遵义[Zun1 yi4], Guizhou" -湄潭县,méi tán xiàn,"Meitan county in Zunyi 遵義|遵义[Zun1 yi4], Guizhou" -湉,tián,"(literary) smoothly flowing, placid (water)" -湉湉,tián tián,"(literary) smoothly flowing, placid (water)" -凑,còu,"to gather together, pool or collect; to happen by chance; to move close to; to exploit an opportunity" -凑付,còu fu,to put together hastily; to make do with -凑份子,còu fèn zi,"to pool resources (for a gift, project etc)" -凑合,còu he,to bring together; to make do in a bad situation; to just get by; to improvise; passable; not too bad -凑巧,còu qiǎo,fortuitously; luckily; as chance has it -凑成,còu chéng,to put together; to make up (a set); to round up (a number to a convenient multiple); resulting in... -凑手,còu shǒu,at hand; within easy reach; convenient; handy -凑数,còu shù,to serve as a stopgap; to make up a shortfall in the number of people -凑热闹,còu rè nao,to join in the fun; to get in on the action; (fig.) to butt in; to create more trouble -凑趣,còu qù,to comply in order to please others; to accommodate sb else's taste; to make fun of -凑足,còu zú,"to scrape together enough (people, money etc)" -凑近,còu jìn,to approach; to lean close to -凑钱,còu qián,to raise enough money to do sth; to pool money; to club together (to do sth) -凑齐,còu qí,to collect all the bits to make a whole -湍,tuān,to rush (of water) -湍急,tuān jí,rapid (flow of water) -湍流,tuān liú,turbulence -湎,miǎn,drunk -湓,pén,flowing of water; name of a river -湔,jiān,to wash; to redress (a wrong); name of a river -湔洗,jiān xǐ,to wash -湔涤,jiān dí,to wash -湔雪,jiān xuě,to wipe away (a humiliation); to redress (a wrong) -湖,hú,"lake; CL:個|个[ge4],片[pian4]" -湖人,hú rén,Los Angeles Lakers; abbr. for 洛杉磯湖人|洛杉矶湖人[Luo4 shan1 ji1 Hu2 ren2] -湖光山色,hú guāng shān sè,scenic lakes and mountain (idiom); beautiful lake and mountain landscape -湖内,hú nèi,"Hunei township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -湖内乡,hú nèi xiāng,"Hunei township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -湖北,hú běi,"Hubei Province (Hupeh) in central China, abbr. 鄂[E4], capital Wuhan 武漢|武汉[Wu3 han4]" -湖北省,hú běi shěng,"Hubei Province (Hupeh) in central China, abbr. 鄂[E4], capital Wuhan 武漢|武汉[Wu3 han4]" -湖北花楸,hú běi huā qiū,Chinese Rowan tree; Sorbus hupehensis or Hupeh rowan -湖区,hú qū,"Lake District, north England" -湖南,hú nán,"Hunan province in south central China, abbr. 湘, capital Changsha 長沙|长沙[Chang2 sha1]" -湖南大学,hú nán dà xué,Hunan University -湖南省,hú nán shěng,"Hunan Province in south central China, abbr. 湘[Xiang1], capital Changsha 長沙|长沙[Chang2 sha1]" -湖口,hú kǒu,"Hukou County in Jiujiang 九江, Jiangxi; Hukou township in Hsinchu County 新竹縣|新竹县[Xin1 zhu2 Xian4], northwest Taiwan" -湖口县,hú kǒu xiàn,"Hukou county in Jiujiang 九江, Jiangxi" -湖口乡,hú kǒu xiāng,"Hukou township in Hsinchu County 新竹縣|新竹县[Xin1 zhu2 Xian4], northwest Taiwan" -湖州,hú zhōu,Huzhou prefecture-level city in Zhejiang -湖州市,hú zhōu shì,Huzhou prefecture-level city in Zhejiang -湖广,hú guǎng,Hubei and Hunan provinces (a Ming dynasty province) -湖沼,hú zhǎo,lakes and marshes -湖沼学,hú zhǎo xué,limnology -湖泊,hú pō,lake -湖滨,hú bīn,"Lakeside district; Hubin district of Sanmenxia city 三門峽市|三门峡市[San1 men2 xia2 shi4], Henan" -湖滨,hú bīn,lake front -湖滨区,hú bīn qū,"Lakeside district; Hubin district of Sanmenxia city 三門峽市|三门峡市[San1 men2 xia2 shi4], Henan" -湖畔,hú pàn,lakeside -湖西,hú xī,"Huhsi township in Penghu county 澎湖縣|澎湖县[Peng2 hu2 xian4] (Pescadores Islands), Taiwan" -湖西乡,hú xī xiāng,"Huhsi township in Penghu county 澎湖縣|澎湖县[Peng2 hu2 xian4] (Pescadores Islands), Taiwan" -湖边,hú biān,lakeside -湖里,hú lǐ,"Huli, a district of Xiamen City 廈門市|厦门市[Xia4men2 Shi4], Fujian" -湖里区,hú lǐ qū,"Huli, a district of Xiamen City 廈門市|厦门市[Xia4men2 Shi4], Fujian" -湘,xiāng,abbr. for Hunan 湖南 province in south central China; abbr. for Xiangjiang river in Hunan province -湘剧,xiāng jù,Xiang opera (Hunan) -湘勇,xiāng yǒng,"Hunan army, irregular force formed in 1850s to fight the Taiping heavenly kingdom rebellion" -湘妃竹,xiāng fēi zhú,"same as 斑竹[ban1 zhu2], mottled bamboo, since according to legend the spots on mottled bamboo are marks left by the tears shed by two of King Shun's 舜[Shun4] concubines (Ehuang 娥皇[E2 huang2] and Nüying 女英[Nu:3 ying1], known as the Concubines of the Xiang 湘妃[Xiang1 Fei1]) upon learning of his death" -湘东,xiāng dōng,"Xiangdong district of Pingxiang city 萍鄉市|萍乡市, Jiangxi" -湘东区,xiāng dōng qū,"Xiangdong district of Pingxiang city 萍鄉市|萍乡市, Jiangxi" -湘桂运河,xiāng guì yùn hé,"Hunan-Guangxi Canal, another name for Lingqu 靈渠|灵渠[Ling2 qu2], canal in Xing'an County 興安|兴安[Xing1 an1], Guangxi" -湘桥,xiāng qiáo,"Xiangqiao district of Chaozhou City 潮州市[Chao2 zhou1 Shi4], Guangdong" -湘桥区,xiāng qiáo qū,"Xiangqiao District of Chaozhou City 潮州市[Chao2 zhou1 Shi4], Guangdong" -湘江,xiāng jiāng,the Xiangjiang river in Hunan province -湘潭,xiāng tán,"Xiangtan, prefecture-level city in Hunan" -湘潭市,xiāng tán shì,"Xiangtan, prefecture-level city in Hunan" -湘潭县,xiāng tán xiàn,"Xiangtan county in Xiangtan 湘潭[Xiang1 tan2], Hunan" -湘绣,xiāng xiù,"Hunan embroidery, one of the four major traditional styles of Chinese embroidery (the other three being 蘇繡|苏绣[Su1 xiu4], 粵繡|粤绣[Yue4 xiu4] and 蜀繡|蜀绣[Shu3 xiu4])" -湘菜,xiāng cài,Hunan cuisine -湘西,xiāng xī,Xiangxi Tujia and Miao Autonomous Prefecture 湘西土家族苗族自治州[Xiang1 xi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1]; western Hunan -湘西土家族苗族自治州,xiāng xī tǔ jiā zú miáo zú zì zhì zhōu,"Xiangxi Tujia and Miao Autonomous Prefecture in northwest Hunan, capital Jishou 吉首[Ji2 shou3]" -湘语,xiāng yǔ,Xiang (Hunanese) dialect spoken in Hunan Province -湘军,xiāng jūn,"Hunan army, irregular force formed in 1850s to fight the Taiping heavenly kingdom rebellion" -湘乡,xiāng xiāng,"Xiangxiang, county-level city in Xiangtan 湘潭[Xiang1 tan2], Hunan" -湘乡市,xiāng xiāng shì,"Xiangxiang, county-level city in Xiangtan 湘潭[Xiang1 tan2], Hunan" -湘阴,xiāng yīn,"Xiangyin county in Yueyang 岳陽|岳阳[Yue4 yang2], Hunan" -湘阴县,xiāng yīn xiàn,"Xiangyin county in Yueyang 岳陽|岳阳[Yue4 yang2], Hunan" -湘黔,xiāng qián,Hunan-Guizhou -湛,zhàn,surname Zhan -湛,zhàn,deep; clear (water) -湛江,zhàn jiāng,Zhanjiang prefecture-level city in Guangdong Province 廣東省|广东省[Guang3 dong1 Sheng3] in south China -湛江市,zhàn jiāng shì,Zhanjiang prefecture-level city in Guangdong Province 廣東省|广东省[Guang3 dong1 Sheng3] in south China -湛江师范学院,zhàn jiāng shī fàn xué yuàn,Zhanjiang Normal University -湛河,zhàn hé,"Zhanhe district of Pingdingshan city 平頂山市|平顶山市[Ping2 ding3 shan1 shi4], Henan" -湛河区,zhàn hé qū,"Zhanhe district of Pingdingshan city 平頂山市|平顶山市[Ping2 ding3 shan1 shi4], Henan" -湛蓝,zhàn lán,azure -浈,zhēn,river in Guangdong province -浈江,zhēn jiāng,"Zhenjiang district of Shaoguan City 韶關市|韶关市, Guangdong" -浈江区,zhēn jiāng qū,"Zhenjiang district of Shaoguan City 韶關市|韶关市, Guangdong" -湟,huáng,name of a river -湟中,huáng zhōng,"Huangzhong county in Xining 西寧|西宁[Xi1 ning2], Qinghai" -湟中县,huáng zhōng xiàn,"Huangzhong county in Xining 西寧|西宁[Xi1 ning2], Qinghai" -湟水,huáng shuǐ,"Huangshui River, upper reaches of the Yellow River 黃河|黄河[Huang2 He2], flowing through Qinghai and Gansu" -湟源,huáng yuán,"Huangyuan county in Xining 西寧|西宁[Xi1 ning2], Qinghai" -湟源县,huáng yuán xiàn,"Huangyuan county in Xining 西寧|西宁[Xi1 ning2], Qinghai" -湟鱼,huáng yú,naked carp; Gymnocypris przewalskii -湣,mǐn,(ancient character used in posthumous titles of monarchs); old variant of 憫|悯[min3] -涌,yǒng,to bubble up; to rush forth -涌入,yǒng rù,to come pouring in; influx -涌出,yǒng chū,to gush; to gush out; to pour out -涌泉,yǒng quán,gushing spring -涌流,yǒng liú,to gush; to spurt -涌浪,yǒng làng,swell; billows; surging waves -涌溢,yǒng yì,to well up; to spill out (of water from a spring) -涌现,yǒng xiàn,to emerge in large numbers; to spring up; to emerge prominently -涌起,yǒng qǐ,to well up; to boil out; to bubble forth; to spurt -涌进,yǒng jìn,"to spill; to overflow (of water, crowds); to crowd (into a space)" -湫,jiǎo,marsh -湮,yān,(literary) to sink into oblivion; (literary) to silt up; Taiwan pr. [yin1] -湮,yīn,variant of 洇[yin1] -湮没,yān mò,to bury; to submerge; to pass into oblivion; to obliterate; to annihilate (physics) -湮没无闻,yān mò wú wén,to pass into oblivion -湮灭,yān miè,to sink into oblivion; to bury in obscurity -汤,tāng,surname Tang -汤,shāng,rushing current -汤,tāng,soup; hot or boiling water; decoction of medicinal herbs; water in which sth has been boiled -汤剂,tāng jì,decoction; potion -汤力水,tāng lì shuǐ,tonic water -汤加,tāng jiā,"Tonga, South Pacific archipelago kingdom" -汤加群岛,tāng jiā qún dǎo,Tonga -汤加里罗,tāng jiā lǐ luó,"Tongariro, volcanic area on North Island, New Zealand" -汤勺,tāng sháo,soup ladle -汤包,tāng bāo,steamed dumpling -汤匙,tāng chí,soup spoon; tablespoon; CL:把[ba3] -汤博乐,tāng bó lè,Tumblr (microblogging and social networking website) -汤原,tāng yuán,"Tangyuan county in Kiamusze or Jiamusi city 佳木斯[Jia1 mu4 si1], Heilongjiang" -汤原县,tāng yuán xiàn,"Tangyuan county in Kiamusze or Jiamusi city 佳木斯[Jia1 mu4 si1], Heilongjiang" -汤圆,tāng yuán,"boiled or deep-fried balls of glutinous rice flour, usually eaten during Lantern Festival" -汤块,tāng kuài,bouillon cube -汤姆,tāng mǔ,Tom (name) -汤姆孙,tāng mǔ sūn,Thompson or Thomson (name) -汤姆斯杯,tāng mǔ sī bēi,Thomas Cup (international badminton team competition) -汤姆索亚历险记,tāng mǔ suǒ yà lì xiǎn jì,Adventures of Tom Sawyer by Mark Twain -汤姆逊,tāng mǔ xùn,Thomson (name) -汤婆,tāng pó,hot-water bottle -汤婆子,tāng pó zi,hot-water bottle -汤川,tāng chuān,"Yukawa (name); YUKAWA Hideki (1907-1988), Japanese theoretical physicist and Nobel laureate" -汤川秀树,tāng chuān xiù shù,"YUKAWA Hideki (1907-1988), Japanese theoretical physicist and Nobel laureate" -汤料,tāng liào,raw materials for making soup; packaged soup mix -汤旺河,tāng wàng hé,"Tangwanghe district of Yichun city 伊春市[Yi1 chun1 shi4], Heilongjiang" -汤旺河区,tāng wàng hé qū,"Tangwanghe district of Yichun city 伊春市[Yi1 chun1 shi4], Heilongjiang" -汤普森,tāng pǔ sēn,Thompson (name) -汤武革命,tāng wǔ gé mìng,"the Tang and Wu Revolts: the overthrow (c. 1600 BC) of the Xia Dynasty by the first king, Tang 商湯|商汤[Shang1 Tang1], of the Shang Dynasty, and the overthrow (c. 1046 BC) of the Shang Dynasty by the Zhou Dynasty founder, King Wu 周武王[Zhou1 Wu3 wang2]" -汤汁,tāng zhī,soup; broth -汤泉,tāng quán,hot spring (archaic) -汤浴,tāng yù,(old) hot bath -汤玉麟,tāng yù lín,"Tang Yulin (1871-1937), minor warlord in northeast China, sometime governor of Chengde 承德, mostly poor in battle but very successful at accumulating personal wealth" -汤盘,tāng pán,soup plate -汤碗,tāng wǎn,soup bowl -汤种,tāng zhǒng,"water roux (aka tangzhong), a gelatinous paste made by heating a mixture of flour and water, used in breadmaking to produce a softer, fluffier loaf (loanword from Japanese 湯種 yudane)" -汤药,tāng yào,tisane; decoction (Chinese medicine) -汤阴,tāng yīn,"Tangyin county in Anyang 安陽|安阳[An1 yang2], Henan" -汤阴县,tāng yīn xiàn,"Tangyin county in Anyang 安陽|安阳[An1 yang2], Henan" -汤类,tāng lèi,soup dishes (on menu) -汤显祖,tāng xiǎn zǔ,"Tang Xianzu (1550-1616), Ming poet and dramatist, author of The Peony Pavilion 牡丹亭[Mu3 dan5 Ting2]" -汤饼筵,tāng bǐng yán,dinner party given on the third day after the birth of a baby (traditional) -汤面,tāng miàn,noodles in soup -湴,bàn,mud; slush; ooze -湴,pán,to wade through water or mud -淳,chún,old variant of 淳[chun2] -涅,niè,variant of 涅[nie4] -沩,guī,name of a river in Shanxi -溉,gài,to irrigate -溉涤,gài dí,to wash -溏,táng,half congealed; pond -溏便,táng biàn,(TCM) unformed stool; semiliquid stool -溏心,táng xīn,soft yolk (of a cooked egg) -源,yuán,root; source; origin -源代码,yuán dài mǎ,source code (computing) -源汇,yuán huì,"Yuanhui district of Luohe city 漯河市[Luo4 he2 shi4], Henan" -源汇区,yuán huì qū,"Yuanhui district of Luohe city 漯河市[Luo4 he2 shi4], Henan" -源器官,yuán qì guān,source organ -源城,yuán chéng,"Yuancheng district of Heyuan city 河源市[He2 yuan2 shi4], Guangdong" -源城区,yuán chéng qū,"Yuancheng district of Heyuan city 河源市[He2 yuan2 shi4], Guangdong" -源于,yuán yú,has its origins in -源氏物语,yuán shì wù yǔ,The Tale of Genji; Genji Monogatari -源泉,yuán quán,fountainhead; well-spring; water source; fig. origin -源流,yuán liú,(of watercourses) source and course; origin and development -源源不断,yuán yuán bù duàn,a steady flow (idiom); an unending stream -源源本本,yuán yuán běn běn,variant of 原原本本[yuan2 yuan2 ben3 ben3] -源码,yuán mǎ,source code (computing) -源程序,yuán chéng xù,source code (computing) -源自,yuán zì,to originate from -源赖朝,yuán lài cháo,"MINAMOTO no Yoritomo (1147-1199), Japanese warlord and founder of the Kamakura shogunate 鐮倉幕府|镰仓幕府[Lian2 cang1 mu4 fu3]" -源起,yuán qǐ,to originate -源远流长,yuán yuǎn liú cháng,lit. source is distant and the flow is long (idiom); fig. sth goes back to the dim and distant past; a lot of water has flowed under the bridge since then -源头,yuán tóu,source; fountainhead -源点,yuán diǎn,source -源点地址,yuán diǎn dì zhǐ,source address -准,zhǔn,"accurate; standard; definitely; certainly; about to become (bride, son-in-law etc); quasi-; para-" -准保,zhǔn bǎo,certainly; for sure -准信,zhǔn xìn,definite and reliable information -准备,zhǔn bèi,preparation; to prepare; to intend; to be about to; reserve (fund) -准备好了,zhǔn bèi hǎo le,to be ready -准备金,zhǔn bèi jīn,reserve fund -准则,zhǔn zé,norm; standard; criterion -准噶尔盆地,zhǔn gá ěr pén dì,"Junggar Basin, northern Xinjiang" -准噶尔翼龙,zhǔn gá ěr yì lóng,Dsungaripterus (genus of pterosaur) -准星,zhǔn xīng,front sight (firearms); the zero point indicator marked on a steelyard -准时,zhǔn shí,on time; punctual; on schedule -准决赛,zhǔn jué sài,semifinal -准的,zhǔn dì,standard; norm; criterion -准确,zhǔn què,accurate; exact; precise -准确性,zhǔn què xìng,accuracy -准稳旋涡结构,zhǔn wěn xuán wō jié gòu,quasi-stationary spiral structure QSSS (astrophysics) -准线,zhǔn xiàn,directrix line of a parabola; guide line -准绳,zhǔn shéng,yardstick; fig. criterion; ground rule -准谱儿,zhǔn pǔ er,definite idea; certainty; clear plan; definite guidelines -准头,zhǔn tóu,(physiognomy) the tip of the nose -准头,zhǔn tou,(coll.) accuracy -准点,zhǔn diǎn,on time; on schedule -溘,kè,suddenly -溘先朝露,kè xiān zhāo lù,the morning dew will swiftly dissipate (idiom); fig. ephemeral and precarious nature of human existence -溘然,kè rán,suddenly -溜,liū,to slip away; to escape in stealth; to skate -溜,liù,used in 冰溜[bing1 liu4] -溜之大吉,liū zhī dà jí,to steal away; to beat it -溜冰,liū bīng,ice skating; (slang) to do meth -溜冰场,liū bīng chǎng,ice rink; skating rink -溜冰鞋,liū bīng xié,skating shoes; ice skates; roller skates; roller blades -溜圆,liū yuán,perfectly round -溜旱冰,liū hàn bīng,roller blading (sport) -溜槽,liū cáo,sluice; chute -溜溜球,liū liū qiú,yo-yo (loanword) -溜索,liū suǒ,zip line -溜肩膀,liū jiān bǎng,sloping shoulders; irresponsible; work-shy -溜舐,liū shì,to flatter obsequiously; toady -溜号,liū hào,(coll.) to slink off -溜走,liū zǒu,to slip away; to leave secretly -溜达,liū da,to stroll; to go for a walk -溜边,liū biān,"to keep to the edge (of path, river etc); fig. to keep out of trouble; to avoid getting involved" -溜边儿,liū biān er,"to keep to the edge (of path, river etc); (fig.) to keep out of trouble; to avoid getting involved" -溜须拍马,liū xū pāi mǎ,to smooth whiskers and pat a horse's bottom (idiom); to use flatter to get what one wants; to toady; boot-licking -沟,gōu,ditch; gutter; groove; gully; ravine; CL:道[dao4] -沟壑,gōu hè,gorge; gulch; ravine; deep ditch -沟槽,gōu cáo,groove; furrow; trench -沟渠,gōu qú,channel; moat; irrigation canal -沟涧,gōu jiàn,gully; ravine -沟谷,gōu gǔ,gully -沟通,gōu tōng,to join; to connect; to link up; to communicate -沟道,gōu dào,groove -溟,míng,to drizzle; sea -溟岛,míng dǎo,an island in the sea -溟池,míng chí,the northern sea -溟海,míng hǎi,a dark sea -溟溟,míng míng,drizzling; gloomy; dim; obscure -溟漭,míng mǎng,vast and boundless -溟蒙,míng méng,drizzling; gloomy; dim; obscure -溢,yì,to overflow; (literary) excessive; old variant of 鎰|镒[yi4] -溢价,yì jià,premium; to pay a premium -溢出,yì chū,to overflow; to spill over; (computing) overflow -溢出效应,yì chū xiào yìng,spillover effect -溢于言表,yì yú yán biǎo,to exhibit one's feelings in one's speech -溢流孔,yì liú kǒng,bleed hole; overflow pipe; spill vent -溢满,yì mǎn,overflowing -溢美之词,yì měi zhī cí,flattering words; inflated praise -溥,pǔ,surname Pu -溥,pǔ,extensive; pervading -溥仪,pǔ yí,"Puyi, personal name of the last Qing emperor (reigned as child 1909-1911), the subject of Bertolucci's biopic The Last Emperor" -溥俊,pǔ jùn,a Qing prince who was the designated successor to emperor Guangxu until the Boxer uprising -溦,wēi,drizzle; fine rain -溧,lì,name of a river -溧水,lì shuǐ,"Lishui county in Nanjing 南京, Jiangsu" -溧水县,lì shuǐ xiàn,"Lishui county in Nanjing 南京, Jiangsu" -溧阳,lì yáng,"Liyang, county-level city in Changzhou 常州[Chang2 zhou1], Jiangsu" -溧阳市,lì yáng shì,"Liyang, county-level city in Changzhou 常州[Chang2 zhou1], Jiangsu" -溪,xī,creek; rivulet -溪口,xī kǒu,"Xikou or Hsikou Township in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -溪口乡,xī kǒu xiāng,"Xikou or Hsikou Township in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -溪壑,xī hè,valley; mountain gorge -溪州,xī zhōu,"Xizhou or Hsichou Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -溪州乡,xī zhōu xiāng,"Xizhou or Hsichou Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -溪径,xī jìng,path; (fig.) way; channel -溪流,xī liú,stream -溪湖,xī hú,"Xihu, a district of Benxi 本溪市[Ben3xi1 Shi4], Liaoning; Xihu Township in Changhua County 彰化縣|彰化县[Zhang1hua4 Xian4], Taiwan" -溪湖区,xī hú qū,"Xihu, a district of Benxi 本溪市[Ben3xi1 Shi4], Liaoning" -溪湖镇,xī hú zhèn,"Xihu or Hsihu Town in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -溪涧,xī jiàn,stream; mountain gorge -溪蟹,xī xiè,crab of the family Potamidae of freshwater crabs -溪谷,xī gǔ,valley; gorge -溪黄草,xī huáng cǎo,"Rabdosia lophanthoides (no common name), herb plant of Lamiaceae family (together with mint and lavender), used in TCM" -温,wēn,surname Wen -温,wēn,warm; lukewarm; to warm up; (bound form) temperature; (bound form) mild; soft; tender; to review (a lesson etc); (TCM) fever; epidemic; pestilence (old variant of 瘟[wen1]) -温乎,wēn hu,warm; lukewarm -温切斯特,wēn qiē sī tè,"Winchester (town in south England, capital of former kingdom of Wessex)" -温厚,wēn hòu,good-natured; warm and generous; gentle -温吞,wēn tūn,tepid; lukewarm; (fig.) apathetic; half-hearted; sluggish; mild-tempered -温和,wēn hé,mild; gentle; moderate -温和,wēn huo,lukewarm -温和性,wēn hé xìng,tenderness -温和派,wēn hé pài,moderate faction -温哥华,wēn gē huá,Vancouver (city in Canada) -温哥华岛,wēn gē huá dǎo,Vancouver Island -温压,wēn yā,temperature and pressure -温婉,wēn wǎn,sweet-tempered; gentle -温存,wēn cún,tender; affectionate; tenderness -温室,wēn shì,greenhouse -温室废气储存,wēn shì fèi qì chǔ cún,greenhouse gas sequestration -温室效应,wēn shì xiào yìng,greenhouse effect -温室气体,wēn shì qì tǐ,greenhouse gas -温家宝,wēn jiā bǎo,"Wen Jiabao (1942-), Premier of PRC from 2003-2013" -温宿,wēn sù,"Onsu nahiyisi (Wensu county) in Aksu 阿克蘇地區|阿克苏地区[A1 ke4 su1 di4 qu1], west Xinjiang" -温宿县,wēn sù xiàn,"Onsu nahiyisi (Wensu county) in Aksu 阿克蘇地區|阿克苏地区[A1 ke4 su1 di4 qu1], west Xinjiang" -温尼伯,wēn ní bó,"Winnipeg, capital of Manitoba, Canada" -温居,wēn jū,to have a housewarming party; to celebrate moving into a new home -温岭,wēn lǐng,"Wenling, county-level city in Taizhou 台州[Tai1 zhou1], Zhejiang" -温岭市,wēn lǐng shì,"Wenling, county-level city in Taizhou 台州[Tai1 zhou1], Zhejiang" -温州,wēn zhōu,"Wenzhou, prefecture-level city in Zhejiang" -温州市,wēn zhōu shì,"Wenzhou, prefecture-level city in Zhejiang" -温差,wēn chā,difference in temperature -温布尔登,wēn bù ěr dēng,Wimbledon (district of southwest London); Wimbledon Championships (tennis) -温布尔登网球公开赛,wēn bù ěr dēng wǎng qiú gōng kāi sài,Wimbledon Championships (tennis) -温布尔顿,wēn bù ěr dùn,Wimbledon -温布顿,wēn bù dùn,Wimbledon -温带,wēn dài,temperate zone -温床,wēn chuáng,hotbed; breeding ground; fig. breeding ground for crimes or sedition -温度,wēn dù,temperature; CL:個|个[ge4] -温度梯度,wēn dù tī dù,temperature gradient -温度表,wēn dù biǎo,thermometer -温度计,wēn dù jì,thermometer; thermograph -温得和克,wēn dé hé kè,"Windhoek, capital of Namibia" -温情,wēn qíng,tenderness; warmth; warmhearted; softhearted -温情脉脉,wēn qíng mò mò,full of tender feelings (idiom); tender-hearted -温故知新,wēn gù zhī xīn,"to review the old and know the new (idiom, from the Analects); to recall the past to understand the future" -温故而知新,wēn gù ér zhī xīn,"to review the old and know the new (idiom, from the Analects); to recall the past to understand the future" -温文,wēn wén,genteel -温文尔雅,wēn wén ěr yǎ,cultured and refined (idiom); gentle and cultivated -温斯顿,wēn sī dùn,Winston (name) -温暖,wēn nuǎn,warm -温柔,wēn róu,gentle and soft; tender; sweet (commonly used to describe a girl or woman) -温标,wēn biāo,temperature scale -温江,wēn jiāng,"Wenjiang district of Chengdu city 成都市[Cheng2 du1 shi4], Sichuan" -温江区,wēn jiāng qū,"Wenjiang district of Chengdu city 成都市[Cheng2 du1 shi4], Sichuan" -温泉,wēn quán,"Arishang Nahiyisi or Wenquan county in Börtala Mongol autonomous prefecture 博爾塔拉蒙古自治州|博尔塔拉蒙古自治州, Xinjiang" -温泉,wēn quán,hot spring; spa; onsen -温泉城,wēn quán chéng,hot springs -温泉县,wēn quán xiàn,"Arishang Nahiyisi or Wenquan county in Börtala Mongol autonomous prefecture 博爾塔拉蒙古自治州|博尔塔拉蒙古自治州, Xinjiang" -温泉蛋,wēn quán dàn,onsen tamago; hot spring egg (soft-boiled egg cooked slowly in hot spring water) -温温,wēn wēn,mild -温润,wēn rùn,gentle; kindly; mild and humid (climate) -温煦,wēn xù,warm -温热,wēn rè,tepid; to warm up (food etc) -温特图尔,wēn tè tú ěr,"Winterthur, Switzerland" -温理,wēn lǐ,to review (a lesson etc); to bring back to one's mind -温网,wēn wǎng,Wimbledon Championships (tennis); abbr. for 溫布爾登網球公開賽|温布尔登网球公开赛[Wen1 bu4 er3 deng1 Wang3 qiu2 Gong1 kai1 sai4] -温县,wēn xiàn,"Wen county in Jiaozuo 焦作[Jiao1 zuo4], Henan" -温习,wēn xí,to review (a lesson etc) -温良,wēn liáng,warm and kind -温良忍让,wēn liáng rěn ràng,submissive; accommodating -温良恭俭,wēn liáng gōng jiǎn,"temperate, kind, courteous and restrained" -温良恭俭让,wēn liáng gōng jiǎn ràng,"temperate, kind, courteous, restrained and magnanimous" -温蔼,wēn ǎi,gentle and kind -温血,wēn xuè,warm blooded (animal) -温觉,wēn jué,heat sensation -温酒,wēn jiǔ,"to warm up wine; wine served warm, generally referring to Chinese wine such as 黃酒|黄酒[huang2jiu3] or 白酒[bai2jiu3]" -温雅,wēn yǎ,gentle; urbane; refined -温静,wēn jìng,quiet and gentle -温顺,wēn shùn,docile; meek -温饱,wēn bǎo,to have enough food and warm clothes; adequately provided -温馨,wēn xīn,comfort; soft and fragrant; warm -温馨提示,wēn xīn tí shì,Please note:; tip; hint -温驯,wēn xùn,docile; meek; harmless; moderate and obedient; tame -温体肉,wēn tǐ ròu,meat that is not refrigerated after the animal is slaughtered -温盐环流,wēn yán huán liú,thermohaline circulation (oceanography) -浉,shī,"Shi, name of river in Xinyang 信陽|信阳, Henan" -浉河,shī hé,"Shi River in Xinyang 信陽|信阳[Xin4 yang2], Henan" -浉河区,shī hé qū,"Shihe District of Xinyang city 信陽市|信阳市[Xin4 yang2 Shi4], Henan" -溯,sù,to go upstream; to trace the source -溯源,sù yuán,to investigate the origin of sth; to trace a river upstream back to its source -溯溪,sù xī,river tracing; mountain stream climbing (recreational activity) -溱,zhēn,name of a river -溲,sōu,to urinate -溴,xiù,bromine (chemistry) -溴化氰,xiù huà qíng,cyanogen bromide -溴化钾,xiù huà jiǎ,potassium bromide -溴单质,xiù dān zhì,molecular bromine -溶,róng,to dissolve; soluble -溶剂,róng jì,solvent -溶化,róng huà,to melt; to dissolve (of sugar etc) -溶栓,róng shuān,thrombolysis (med.) -溶没,róng mò,to fade away; to disappear; to hide from view -溶洞,róng dòng,"(geology) solutional cave (typically, a limestone cave)" -溶液,róng yè,solution (chemistry) -溶源性,róng yuán xìng,lysogeny (reproduction cycle of bacteriophage 噬菌體|噬菌体[shi4 jun1 ti3]) -溶蚀,róng shí,dissolving; erosion by groundwater; corrosion -溶蚀作用,róng shí zuò yòng,dissolving; erosion by groundwater; corrosion -溶血,róng xuè,hemolysis (breakdown of red blood cells leading to anemia) -溶血病,róng xuè bìng,hemolytic disease of newborn (breakdown of red blood cells due to alloimmune reaction between mother and fetus) -溶解,róng jiě,to dissolve -溶解度,róng jiě dù,solubility -溶解性,róng jiě xìng,soluble; solubility -溶质,róng zhì,solute -溶酶储存疾病,róng méi chǔ cún jí bìng,lysosomal storage disease (LSD) -溶酶体,róng méi tǐ,lysosome -溶体,róng tǐ,solution -溷,hùn,privy; animal pen; muddy; disordered; to disturb -溷浊,hùn zhuó,variant of 混濁|混浊[hun4 zhuo2] -溺,nì,to drown; to indulge; addicted to; to spoil (a child) -溺,niào,variant of 尿[niao4] -溺亡,nì wáng,to drown -溺婴,nì yīng,to drown a newborn baby (as method of infanticide) -溺爱,nì ài,to spoil; to pamper; to dote on -溺死,nì sǐ,to drown -溺水,nì shuǐ,to drown -溺职,nì zhí,to neglect one's duty; dereliction of duty -溻,tā,(of clothes) to be soaked with sweat -湿,shī,variant of 濕|湿[shi1] -溽,rù,damp; muggy -滁,chú,name of a river in Anhui -滁州,chú zhōu,Chuzhou prefecture-level city in Anhui -滁州市,chú zhōu shì,Chuzhou prefecture-level city in Anhui -滂,pāng,rushing (water) -滂沱,pāng tuó,pouring; flooding -滂沱大雨,pāng tuó dà yǔ,torrents of rain (idiom) -沧,cāng,blue-green or azure (of water); vast (of water); cold -沧州,cāng zhōu,Cangzhou prefecture-level city in Hebei -沧州市,cāng zhōu shì,Cangzhou prefecture-level city in Hebei -沧桑,cāng sāng,great changes; ups and downs; vicissitudes; abbr. of 滄海桑田|沧海桑田[cang1 hai3 sang1 tian2] -沧桑感,cāng sāng gǎn,a sense of having been through good times and bad; a weathered and worn look -沧浪,cāng làng,"Canglang district of Suzhou city 蘇州市|苏州市[Su1 zhou1 shi4], Jiangsu" -沧浪亭,cāng làng tíng,"The Surging Waves Pavillion in Suzhou, Jiangsu" -沧浪区,cāng làng qū,"Canglang district of Suzhou city 蘇州市|苏州市[Su1 zhou1 shi4], Jiangsu" -沧海一粟,cāng hǎi yī sù,a drop in the ocean (idiom) -沧海桑田,cāng hǎi sāng tián,lit. the blue sea turned into mulberry fields (idiom); fig. the transformations of the world -沧海遗珠,cāng hǎi yí zhū,undiscovered talent (idiom) -沧源佤族自治县,cāng yuán wǎ zú zì zhì xiàn,"Cangyuan Va Autonomous County in Lincang 臨滄|临沧[Lin2 cang1], Yunnan" -沧源县,cāng yuán xiàn,"Cangyuan Va autonomous county in Lincang 臨滄|临沧[Lin2 cang1], Yunnan" -沧县,cāng xiàn,"Cang county in Cangzhou 滄州|沧州[Cang1 zhou1], Hebei" -沧龙,cāng lóng,mosasaur -沧龙科,cāng lóng kē,family Mosasauridae -灭,miè,to extinguish or put out; to go out (of a fire etc); to exterminate or wipe out; to drown -灭亡,miè wáng,to be destroyed; to become extinct; to perish; to die out; to destroy; to exterminate -灭口,miè kǒu,to kill sb to prevent them from divulging a secret; to silence sb -灭团,miè tuán,(video gaming) to eliminate an entire team; to get wiped out -灭失,miè shī,"loss (of sth through natural disaster, theft etc) (law)" -灭度,miè dù,to extinguish worries and the sea of grief; nirvana (Buddhism) -灭掉,miè diào,to eliminate -灭族,miè zú,extermination of an entire family (ancient Chinese punishment) -灭此朝食,miè cǐ zhāo shí,lit. not to have breakfast until the enemy is destroyed; anxious to do battle (idiom) -灭火,miè huǒ,to extinguish a fire; firefighting -灭火器,miè huǒ qì,fire extinguisher -灭种,miè zhǒng,to commit genocide; to become extinct; extinction of a race -灭种罪,miè zhǒng zuì,genocide -灭绝,miè jué,to become extinct; to die out; to lose (sth abstract) completely; to exterminate -灭绝人性,miè jué rén xìng,to be devoid of all humanity; inhuman; bestial -灭绝种族,miè jué zhǒng zú,to commit genocide -灭茬,miè chá,to clear stubble from fields (agriculture) -灭菌,miè jūn,to sterilize -灭虫宁,miè chóng nìng,"bephenium, anti-parasitic worm medicine" -灭门,miè mén,to exterminate an entire family -灭除,miè chú,to eliminate; to kill off -灭音器,miè yīn qì,muffler (of an internal combustion engine) -灭顶,miè dǐng,to be drowned (figurative and literal) -灭鼠药,miè shǔ yào,rat poison -滇,diān,abbr. for Yunnan Province 雲南|云南[Yun2 nan2] in southwest China -滇东,diān dōng,east Yunnan -滇池,diān chí,lake Dianchi in Yunnan -滇红,diān hóng,Dian Hong tea -滇藏,diān zàng,Yunnan and Tibet -滇藏川,diān zàng chuān,"Yunnan, Tibet and Sichuan" -滊,xì,name of a river -滊,xiē,saline pond -滋,zī,to grow; to nourish; to increase; to cause; juice; taste; (dialect) to spout; to spurt -滋事,zī shì,to cause trouble; to provoke a dispute -滋味,zī wèi,taste; flavor; feeling -滋扰,zī rǎo,to cause trouble; to provoke a dispute -滋润,zī rùn,moist; humid; to moisten; to provide moisture; comfortably off -滋生,zī shēng,to breed; to flourish; to cause; to provoke; to create -滋芽,zī yá,(dialect) to sprout; to germinate -滋蔓,zī màn,to grow and spread -滋补,zī bǔ,nourishing; nutritious -滋补品,zī bǔ pǐn,tonic; invigorant -滋贺,zī hè,Shiga prefecture in central Japan -滋贺县,zī hè xiàn,Shiga prefecture in central Japan -滋长,zī zhǎng,to grow (usually of abstract things); to yield; to develop -滋养,zī yǎng,to nourish -滋养层,zī yǎng céng,trophoblastic layer (attaches fertilized ovum to the uterus); trophoderm -涤,dí,to wash; to cleanse -涤卡,dí kǎ,polyester khaki (abbr. for 滌綸卡其布|涤纶卡其布[di2 lun2 ka3 qi2 bu4]) -涤去,dí qù,to wash off -涤尘,dí chén,to wash off dust -涤虑,dí lǜ,to free the mind from worries -涤棉,dí mián,polyester-cotton blend -涤汰,dí tài,to wash away; to eradicate -涤净,dí jìng,to cleanse; to purge -涤瑕,dí xiá,to cleanse away a stain -涤砚,dí yàn,to wash an ink-slab; to prepare for study (idiom) -涤纶,dí lún,polyester fiber -涤罪所,dí zuì suǒ,purgatory (religion) -涤荡,dí dàng,to wash off -涤除,dí chú,to wash away; to eliminate; to do away with -荥,xíng,place name -荥经,yíng jīng,"Yingjing county in Ya'an 雅安[Ya3 an1], Sichuan" -荥经县,yíng jīng xiàn,"Yingjing county in Ya'an 雅安[Ya3 an1], Sichuan" -荥阳,xíng yáng,Xingyang city and county in Henan -荥阳市,xíng yáng shì,"Xingyang, county-level city in Zhengzhou 鄭州|郑州[Zheng1 zhou1], Henan" -荥阳县,xíng yáng xiàn,Xingyang county in Henan -滏,fǔ,name of a river in Hebei -滑,huá,surname Hua -滑,huá,to slip; to slide; slippery; smooth; sly; slippery; not to be trusted -滑倒,huá dǎo,to slip (lose one's footing) -滑冰,huá bīng,to skate; skating -滑出,huá chū,to slip out -滑动,huá dòng,to slide; sliding movement -滑坡,huá pō,rockslide; landslip; landslide; mudslide; fig. slump; downturn; to decline -滑块,huá kuài,runner block; sliding block; slider (computer interface element) -滑天下之大稽,huá tiān xià zhī dà jī,to be the most ridiculous thing in the world (idiom) -滑旱冰,huá hàn bīng,(roller)blading; roller skating; inline skating -滑板,huá bǎn,skateboard -滑板车,huá bǎn chē,kick scooter; push scooter -滑梯,huá tī,(children's) sliding board; a slide -滑步机,huá bù jī,elliptical trainer -滑水,huá shuǐ,water skiing; to water-ski -滑水道,huá shuǐ dào,water slide -滑沙,huá shā,sandboarding -滑溜,huá liū,to sauté in sticky sauce -滑溜,huá liu,smooth; slippery; sticky -滑溜溜,huá liū liū,smooth; slick; slippery; glossy -滑环,huá huán,slip ring; collector ring (electrical engineering) -滑石,huá shí,talc -滑移,huá yí,to slip; to drift -滑稽,huá jī,"comical; funny; amusing (old pr. [gu3 ji1]); huaji, a form of comedy performance popular in Shanghai, Jiangsu and Zhejiang" -滑竿,huá gān,"a kind of sedan chair, usu. made of bamboo and mounted on a pair of long bamboo poles" -滑索,huá suǒ,zip line -滑县,huá xiàn,"Hua county in Anyang 安陽|安阳[An1 yang2], Henan" -滑翔,huá xiáng,to glide -滑翔伞,huá xiáng sǎn,paraglider; paragliding -滑翔机,huá xiáng jī,glider -滑翔翼,huá xiáng yì,hang glider; hang gliding -滑胎,huá tāi,drift (car racing technique); (TCM) recurrent miscarriage; habitual abortion -滑膛,huá táng,smoothbore -滑膜,huá mó,synovial membrane; synovium -滑腻,huá nì,(of skin) satiny -滑落,huá luò,to slide; to roll -滑盖手机,huá gài shǒu jī,slider phone -滑行,huá xíng,to slide; to coast; to glide; (of an aircraft) to taxi -滑行道,huá xíng dào,taxiway (at airport) -滑跪,huá guì,(of a soccer player) to knee slide after scoring a goal; (slang) to drop to one's knees in contrition or surrender (usu. figurative) -滑车,huá chē,pulley block -滑轮,huá lún,block and tackle -滑铁卢,huá tiě lú,Waterloo (Belgium); Battle of Waterloo (1815); (fig.) a defeat -滑铁卢火车站,huá tiě lú huǒ chē zhàn,Waterloo Station (London) -滑门,huá mén,sliding door -滑雪,huá xuě,to ski; skiing -滑雪场,huá xuě chǎng,ski slopes; ski resort -滑雪板,huá xuě bǎn,ski; CL:副[fu4]; snowboard -滑雪索道,huá xuě suǒ dào,ski-lift -滑雪术,huá xuě shù,skiing -滑雪运动,huá xuě yùn dòng,skiing -滑音,huá yīn,glissando -滑头,huá tóu,crafty; slippery; slyboots -滑鼠,huá shǔ,(computer) mouse (Tw) -滑鼠垫,huá shǔ diàn,mouse pad (Tw) -滑鼠手,huá shǔ shǒu,carpal tunnel syndrome (Tw) -滑鼠蛇,huá shǔ shé,Oriental ratsnake (Ptyas mucosus) -滓,zǐ,dregs; sediment -滔,tāo,(bound form) to inundate; deluge; torrent -滔天,tāo tiān,"(of waves, anger, a disaster, a crime etc) towering; overwhelming; immense" -滔天大罪,tāo tiān dà zuì,heinous crime -滔滔,tāo tāo,torrential -滔滔不绝,tāo tāo bù jué,(idiom) to produce a torrent of words; to talk on and on -滕,téng,vassal state of Zhou in Shandong; Teng County in Shandong; surname Teng -滕家,téng jiā,"Tengjia township in Rongcheng 榮成|荣成, Weihai 威海, Shandong" -滕家镇,téng jiā zhèn,"Tengjia township in Rongcheng 榮成|荣成, Weihai 威海, Shandong" -滕州,téng zhōu,"Tengzhou, county-level city in Zaozhuang 棗莊|枣庄[Zao3 zhuang1], Shandong" -滕州市,téng zhōu shì,"Tengzhou, county-level city in Zaozhuang 棗莊|枣庄[Zao3 zhuang1], Shandong" -滕斯贝格,téng sī bèi gé,"Tønsberg (city in Vestfold, Norway)" -滕王阁,téng wáng gé,"Tengwang Tower in Nanchang, Jiangxi; one of three famous pagodas in China along with Yueyang Tower 岳陽樓|岳阳楼[Yue4 yang2 Lou2] in Yueyang, north Hunan, and Yellow Crane Tower 黃鶴樓|黄鹤楼[Huang2 he4 Lou2] in Wuhan, Hubei" -滕县,téng xiàn,Teng county in Shandong -汇,huì,variant of 匯|汇[hui4] -淫,yín,variant of 淫[yin2] -沪,hù,short name for Shanghai -沪上,hù shàng,alternative name for Shanghai 上海[Shang4 hai3]; at (or in) Shanghai -沪剧,hù jù,Shanghai opera -沪宁,hù níng,Shanghai and Nanjing -沪宁线,hù níng xiàn,Shanghai-Nanjing line -沪宁铁路,hù níng tiě lù,"Shanghai-Nanjing Railway, a.k.a. Huning Railway" -沪江,hù jiāng,alternative name for Shanghai 上海[Shang4 hai3] -沪深港,hù shēn gǎng,"abbr. for Shanghai 上海[Shang4 hai3], Shenzhen 深圳[Shen1 zhen4] and Hong Kong 香港[Xiang1 gang3]" -沪综指,hù zōng zhǐ,Shanghai composite index (stock market index) -沪语,hù yǔ,Shanghainese; Shanghai dialect -滞,zhì,sluggish -滞塞,zhì sāi,to obstruct -滞后,zhì hòu,to lag behind -滞期费,zhì qī fèi,demurrage charge (shipping) (currency) -滞留,zhì liú,"(of a person) to remain in (a place) (due to circumstances that prevent one leaving); to be stranded; (of sth that would typically dissipate, e.g. floodwater, pollutants) to remain; to linger" -滞留锋,zhì liú fēng,stationary front (meteorology) -滞纳,zhì nà,overdue (payment); in arrears -滞纳金,zhì nà jīn,overdue fine; late fine -滞胀,zhì zhàng,stagflation (i.e. simultaneous inflation and stagnation) -滞销,zhì xiāo,"to sell poorly; unmarketable; slow-moving (product, inventory etc)" -渗,shèn,to seep; to ooze; to horrify -渗人,shèn rén,horrifying; creepy -渗入,shèn rù,to permeate -渗出,shèn chū,to seep out; to exude -渗出物,shèn chū wù,exudate -渗坑,shèn kēng,sewage pit -渗析,shèn xī,dialysis -渗水,shèn shuǐ,water seepage -渗流,shèn liú,to ooze; to seep -渗凉,shèn liáng,to feel the penetrating chill of cold air -渗沟,shèn gōu,sewer -渗漏,shèn lòu,seepage; leakage -渗滤,shèn lǜ,percolation -渗滤壶,shèn lǜ hú,coffee percolator -渗碳,shèn tàn,carburization -渗色,shèn sè,bleeding -渗透,shèn tòu,"(lit. and fig.) to permeate; to seep into; (of a product, idea etc) to penetrate (in a population); (of hostile forces) to infiltrate; (chemistry) osmosis" -渗透压,shèn tòu yā,osmotic pressure -滴,dī,a drop; to drip -滴下,dī xià,drip -滴剂,dī jì,to drip (e.g. medical drip feed) -滴定,dī dìng,titration -滴定管,dī dìng guǎn,burette -滴度,dī dù,"(chemistry, medicine) titer" -滴水,dī shuǐ,water drop; dripping water -滴水不漏,dī shuǐ bù lòu,lit. not one drop of water can leak out; watertight; rigorous (argument) -滴水不羼,dī shuǐ bù chàn,not diluted by one drop; hundred percent -滴水嘴兽,dī shuǐ zuǐ shòu,gargoyle (architecture) -滴水石穿,dī shuǐ shí chuān,dripping water penetrates the stone (idiom); constant perseverance yields success; You can achieve your aim if you try hard without giving up.; Persistent effort overcomes any difficulty. -滴水穿石,dī shuǐ chuān shí,dripping water penetrates the stone (idiom); constant perseverance yields success; You can achieve your aim if you try hard without giving up.; Persistent effort overcomes any difficulty. -滴注,dī zhù,to drip into; to transfuse; to percolate; to drip feed; fig. to instill -滴流,dī liú,trickle -滴溜圆,dī liū yuán,completely round -滴溜溜,dī liū liū,whirling; spinning around and around; round and plump (e.g. of fruit) -滴滴,dī dī,"DiDi, app-based transportation company (abbr. for 滴滴出行[Di1 di1 Chu1 xing2])" -滴滴出行,dī dī chū xíng,"Didi Chuxing Technology Co., aka DiDi, app-based transportation company, headquartered in Beijing, founded in 2012" -滴滴涕,dī dī tì,(loanword) DDT (dichlorodiphenyltrichloroethane) -滴漏,dī lòu,water clock; clepsydra; to drip -滴漏计时器,dī lòu jì shí qì,hourglass; water clock; clepsydra -滴沥,dī lì,to drip (of rainwater) -滴灌,dī guàn,to drip irrigate -滴瓶,dī píng,(chemistry) dropping bottle -滴眼液,dī yǎn yè,eye drops -滴石,dī shí,a dripstone (geology); stalactites and stalagmites -滴答,dī dā,(onom.) pattering sound; drip drip (of water); tick tock (of clock); also pr. [di1 da5] -滴答声,dī da shēng,tick (tock) -滴管,dī guǎn,intravenous drip tube; dropper; eyedropper; (coll.) pipette; (coll.) burette; drip-irrigation pipe (abbr. for 滴灌管[di1 guan4 guan3]) -滴翠,dī cuì,verdant; green -滴虫病,dī chóng bìng,trichomoniasis (medicine) -滴道,dī dào,"Didao district of Jixi city 雞西|鸡西[Ji1 xi1], Heilongjiang" -滴道区,dī dào qū,"Didao district of Jixi city 雞西|鸡西[Ji1 xi1], Heilongjiang" -滴酒不沾,dī jiǔ bù zhān,never to touch a drop of alcohol -滴里嘟噜,dī lǐ dū lu,cumbersome -滴里耷拉,dī li dā lā,hanging down loosely; dangling in disorder -滴点,dī diǎn,melting point (of lubricating oil) -卤,lǔ,to stew in soy sauce and spices -卤味,lǔ wèi,food prepared by stewing in soy sauce and spices -卤壶,lǔ hú,a ceramic teapot -卤汁,lǔ zhī,gravy; marinade -卤法,lǔ fǎ,to simmer; to stew -卤肉,lǔ ròu,stewed meat -卤菜,lǔ cài,pot-stewed dish -卤蛋,lǔ dàn,"peeled boiled egg, stewed in soy sauce and other flavorings" -浒,hǔ,bank of a river -滹,hū,surname Hu; name of a river -浐,chǎn,name of a river in Shaanxi province; see 滻河|浐河[Chan3 He2] -浐河,chǎn hé,Chan River (in Shaanxi province) -滚,gǔn,to boil; to roll; to take a hike; Get lost! -滚刀块,gǔn dāo kuài,chunks obtained by repeatedly cutting a vegetable diagonally and rotating the vegetable after each cut -滚刀肉,gǔn dāo ròu,annoying person; troublemaker; pain in the neck -滚动,gǔn dòng,to roll; (to do sth) in a loop; to scroll (computing); to progressively expand (economics); to rumble (of thunder) -滚动条,gǔn dòng tiáo,scrollbar (computing) -滚圆,gǔn yuán,as round as a ball -滚奏,gǔn zòu,drum roll -滚子,gǔn zi,roller -滚子轴承,gǔn zi zhóu chéng,roller bearing -滚床单,gǔn chuáng dān,(coll.) to have sex -滚彩蛋,gǔn cǎi dàn,"egg rolling (rolling of decorated, hard-boiled eggs down hillsides by children at Easter)" -滚水,gǔn shuǐ,boiling water -滚沸,gǔn fèi,(of a liquid) to boil -滚油煎心,gǔn yóu jiān xīn,to suffer mental anguish (idiom) -滚滚,gǔn gǔn,nickname for a panda -滚滚,gǔn gǔn,to surge on; to roll on -滚烫,gǔn tàng,boiling; scalding -滚犊子,gǔn dú zi,(dialect) Beat it!; Scram!; Fuck off! -滚珠,gǔn zhū,bearing ball -滚珠轴承,gǔn zhū zhóu chéng,ball bearing -滚球,gǔn qiú,lawn bowls; bocce; pétanque; bowling ball -滚瓜溜圆,gǔn guā liū yuán,(of animals) round and fat -滚瓜烂熟,gǔn guā làn shú,lit. ripe as a melon that rolls from its vine (idiom); fig. to know fluently; to know sth inside out; to know sth by heart -滚石,gǔn shí,"Rock Records, Taiwanese record label; the Rolling Stones, British rock band; Rolling Stone (magazine)" -滚石上山,gǔn shí shàng shān,lit. to roll a boulder up a hill (like Sisyphus) (idiom); fig. to engage in a highly challenging task with perseverance and determination -滚筒,gǔn tǒng,roller; cylinder (machine part); drum -滚筒刷,gǔn tǒng shuā,paint roller -滚落,gǔn luò,to tumble -滚蛋,gǔn dàn,get out of here!; beat it! -滚轮,gǔn lún,roller; rotating dial; (computer mouse) scroll wheel; (road roller) drum -滚边,gǔn biān,"(of a dress etc) border, edging" -滚开,gǔn kāi,to boil (of liquid); boiling hot; Get out!; Go away!; fuck off (rude) -满,mǎn,Manchu ethnic group -满,mǎn,to fill; full; filled; packed; fully; completely; quite; to reach the limit; to satisfy; satisfied; contented -满不在乎,mǎn bù zài hu,not in the least concerned (idiom); reckless; couldn't give a damn about it; unperturbed; couldn't care less; harum scarum -满世界,mǎn shì jiè,everywhere; across the world -满人,mǎn rén,a Manchu -满公,mǎn gōng,altogether; in all -满分,mǎn fēn,full marks -满剌加,mǎn là jiā,Ming Dynasty name for modern day Malacca; see also 馬六甲|马六甲[Ma3 liu4 jia3] -满口,mǎn kǒu,"a full mouth of (sth physical); to have the mouth exclusively filled with (a certain language, lies, promises, etc); (to agree etc) unreservedly" -满口之乎者也,mǎn kǒu zhī hū zhě yě,mouth full of literary phrases; to spout the classics -满口应承,mǎn kǒu yìng chéng,to promise readily -满口称赞,mǎn kǒu chēng zàn,to praise profusely -满口答应,mǎn kǒu dā ying,to readily consent -满口胡柴,mǎn kǒu hú chái,to spout nonsense; to bullshit endlessly -满口胡言,mǎn kǒu hú yán,to spout nonsense; to bullshit endlessly -满口谎言,mǎn kǒu huǎng yán,to pour out lies -满口脏话,mǎn kǒu zāng huà,to pour out obscenities; filthy mouthed -满员,mǎn yuán,full complement; at full strength; no vacancies -满嘴,mǎn zuǐ,"a full mouth of (sth physical); to have the mouth exclusively filled with (a certain language, lies, promises etc)" -满嘴喷粪,mǎn zuǐ pēn fèn,to talk bullshit -满嘴起疱,mǎn zuǐ qǐ pào,to have lips covered in blisters -满嘴跑火车,mǎn zuǐ pǎo huǒ chē,(idiom) to have a glib tongue; to talk big -满嘴跑舌头,mǎn zuǐ pǎo shé tou,to talk without thinking; to drivel -满园春色,mǎn yuán chūn sè,everything in the garden is lovely -满地可,mǎn dì kě,Montreal (chiefly used in Hong Kong and the Chinese community in Canada) (from Cantonese 滿地可|满地可 Mun5 dei6 ho2) -满地找牙,mǎn dì zhǎo yá,to be looking for one's teeth all over the floor; (fig.) to get beaten up badly; to beat the crap out of (sb) -满坐寂然,mǎn zuò jì rán,the whole audience silent with expectation -满坑满谷,mǎn kēng mǎn gǔ,(idiom) all over the place; in every nook and cranny; packed to the rafters -满城,mǎn chéng,"Mancheng county in Baoding 保定[Bao3 ding4], Hebei" -满城尽带黄金甲,mǎn chéng jìn dài huáng jīn jiǎ,"Curse of the Golden Flower (2007), period drama movie by Zhang Yimou" -满城县,mǎn chéng xiàn,"Mancheng county in Baoding 保定[Bao3 ding4], Hebei" -满城风雨,mǎn chéng fēng yǔ,lit. wind and rain sweeping through the town (idiom); fig. a big scandal; an uproar; the talk of the town -满堂,mǎn táng,whole audience; a sellout (capacity audience); jam-packed -满堂彩,mǎn táng cǎi,everyone present applauds; universal acclaim; a standing ovation; to bring the house down -满堂灌,mǎn táng guàn,cramming (as a teaching method); rote learning -满堂红,mǎn táng hóng,success across the board; victory in everything one touches -满场一致,mǎn chǎng yī zhì,unanimous -满垒,mǎn lěi,(baseball) bases loaded -满天,mǎn tiān,whole sky -满天星,mǎn tiān xīng,Baby's Breath; Gypsophila paniculata -满天繁星,mǎn tiān fán xīng,"lit. whole sky, a multitude of stars" -满天飞,mǎn tiān fēi,to rush around everywhere; always active -满孝,mǎn xiào,at the end of the mourning period; to fulfill one's filial duties of mourning -满射,mǎn shè,surjective map (math.) -满山遍野,mǎn shān biàn yě,covering the whole land; over hills and dales -满州,mǎn zhōu,"Manchou township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -满州乡,mǎn zhōu xiāng,"Manchou township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -满帆,mǎn fān,under full sail; going as fast as possible -满师,mǎn shī,to finish apprenticeship; to graduate -满座,mǎn zuò,fully booked; every seat taken -满心,mǎn xīn,one's whole heart; from the bottom of one's heart -满意,mǎn yì,satisfied; pleased; to one's satisfaction -满意度,mǎn yì dù,degree of satisfaction -满怀,mǎn huái,to have one's heart filled with; (to collide) full on; (of farm animals) heavy with young -满手,mǎn shǒu,handful -满打满算,mǎn dǎ mǎn suàn,taking everything into account (idiom); when all is said and done -满拧,mǎn nǐng,totally inconsistent; completely at odds -满文,mǎn wén,Manchurian written language -满族,mǎn zú,Manchu ethnic group of Liaoning province -满月,mǎn yuè,full moon; whole month; baby's one-month old birthday -满有谱,mǎn yǒu pǔ,to have a clearcut idea; to have firm guidelines; to have confidence; to be sure; to be certain -满服,mǎn fú,at the end of the mourning period; to fulfill one's filial duties of mourning -满期,mǎn qī,to fall due; to come to the end of a term; to expire -满格,mǎn gé,"(of battery level, signal level etc) at full capacity; at maximum strength" -满江红,mǎn jiāng hóng,Man Jiang Hong (Chinese poems) -满洲,mǎn zhōu,Manchuria -满洲国,mǎn zhōu guó,Manchukuo -满洲里,mǎn zhōu lǐ,"Manzhouli, county-level city, Mongolian Manzhuur xot, in Hulunbuir 呼倫貝爾|呼伦贝尔[Hu1 lun2 bei4 er3], Inner Mongolia" -满洲里市,mǎn zhōu lǐ shì,"Manzhouli, county-level city, Mongolian Manzhuur xot, in Hulunbuir 呼倫貝爾|呼伦贝尔[Hu1 lun2 bei4 er3], Inner Mongolia" -满清,mǎn qīng,"Manchurian Qing (refers to the Qing dynasty, esp. at its decline, or as an anti-Qing slogan)" -满清政府,mǎn qīng zhèng fǔ,Manchurian Qing government -满溢,mǎn yì,to be full to overflowing; to be brimming over with -满满,mǎn mǎn,full; closely packed -满满当当,mǎn mǎn dāng dāng,brim full; completely packed -满满登登,mǎn mǎn dēng dēng,ample; extremely abundant -满汉,mǎn hàn,Manchurian-Chinese (relations) -满汉全席,mǎn hàn quán xí,"the Manchu Han imperial feast, a legendary banquet in the Qing dynasty; (fig.) a sumptuous banquet" -满潮,mǎn cháo,high tide; high water -满当当,mǎn dāng dāng,brim full; completely packed -满登登,mǎn dēng dēng,brim full; filled to overflowing -满盈,mǎn yíng,full up -满盘,mǎn pán,a plateful; comprehensive; the full works (e.g. a banquet); the full price -满盘皆输,mǎn pán jiē shū,"see 一著不慎,滿盤皆輸|一着不慎,满盘皆输[yi1 zhao1 bu4 shen4 , man3 pan2 jie1 shu1]" -满目,mǎn mù,"fills the eyes (of a beautiful view, scene of desolation etc)" -满目琳琅,mǎn mù lín láng,lit. to fill one's eyes with glittering jewels; a literary masterpiece or sb of extraordinary talent (idiom) -满目疮痍,mǎn mù chuāng yí,a scene of devastation meets the eye everywhere one looks (idiom) -满眼,mǎn yǎn,(of tears etc) filling the eyes; (of scenery etc) filling one's field of view -满腔,mǎn qiāng,one's heart filled with; full of (joy) -满腔热忱,mǎn qiāng rè chén,full of enthusiasm -满腹,mǎn fù,filled with; preoccupied with -满腹牢骚,mǎn fù láo sāo,lit. belly full of complaints (idiom); discontent; always moaning and complaining -满腹经纶,mǎn fù jīng lún,full of political wisdom (idiom); politically astute; with encyclopedic experience of state policy -满脸,mǎn liǎn,across one's whole face -满脸生花,mǎn liǎn shēng huā,all smiles; beaming from ear to ear -满脸风尘,mǎn liǎn fēng chén,lit. with a face full of dust; showing the hardships of travel (idiom) -满舵,mǎn duò,on full rudder; turning as sharply as possible -满处,mǎn chù,everywhere; all over the place -满语,mǎn yǔ,Manchurian language -满贯,mǎn guàn,to win every trick in a card game; grand slam; fig. total success -满足,mǎn zú,to satisfy; to meet (the needs of); satisfied; content -满足感,mǎn zú gǎn,sense of satisfaction -满身,mǎn shēn,covered all over -满身尘埃,mǎn shēn chén āi,dusty -满载,mǎn zài,full to capacity; fully loaded -满载而归,mǎn zài ér guī,to return from a rewarding journey -满速,mǎn sù,full speed; at full speed -满门,mǎn mén,the whole family -满门抄斩,mǎn mén chāo zhǎn,to execute the whole family and confiscate their property -满面,mǎn miàn,across one's whole face; (smiling) from ear to ear -满面春风,mǎn miàn chūn fēng,beaming; radiant with happiness -满头大汗,mǎn tóu dà hàn,brow beaded with sweat; perspiring freely -满额,mǎn é,the full amount; to fulfill the quota -满点,mǎn diǎn,"full working hours; full marks; perfect score; (fig.) (after a attribute) couldn't be more (happy, romantic etc)" -渔,yú,fisherman; to fish -渔人,yú rén,fisherman -渔人之利,yú rén zhī lì,the benefit reaped by a third party when two sides are locked in a dispute -渔具,yú jù,fishing gear -渔场,yú chǎng,fishing ground -渔夫,yú fū,fisherman -渔妇,yú fù,fisherwoman -渔捞,yú lāo,fishing (as a commercial activity) -渔业,yú yè,fishing industry; fishery -渔民,yú mín,fisherman; fisher folk -渔汛,yú xùn,fishing season -渔汛期,yú xùn qī,fishing season -渔港,yú gǎng,fishing port -渔获,yú huò,fish catch -渔猎,yú liè,fishing and hunting; fig. to loot; to plunder -渔笼,yú lóng,fishing pot (trap) -渔网,yú wǎng,fishing net; fishnet -渔船,yú chuán,fishing boat; CL:條|条[tiao2] -渔船队,yú chuán duì,fishing fleet -渔轮,yú lún,fishing vessel -渔钩,yú gōu,variant of 魚鉤|鱼钩[yu2 gou1] -渔钩儿,yú gōu er,variant of 魚鉤兒|鱼钩儿[yu2 gou1 r5] -渔阳,yú yáng,"old place name (in Yan of Warring states, in modern Beijing city)" -渔雕,yú diāo,(bird species of China) lesser fish eagle (Ichthyophaga humilis) -渔鸥,yú ōu,(bird species of China) Pallas's gull (Ichthyaetus ichthyaetus) -渔鼓,yú gǔ,percussion instrument in the form of a bamboo fish (traditionally used by Daoist priests) -漂,piāo,to float; to drift -漂,piǎo,to bleach -漂,piào,used in 漂亮[piao4liang5] -漂亮,piào liang,pretty; beautiful -漂摇,piāo yáo,swaying; tottering; unstable -漂染,piǎo rǎn,to bleach and dye -漂泊,piāo bó,(of a boat) to float; to drift; to lie at anchor; (fig.) to roam; to lead a wandering existence -漂洋,piāo yáng,to cross the ocean -漂洗,piǎo xǐ,to rinse (clothes) -漂流,piāo liú,to float on the current; to drift along or about; rafting -漂流瓶,piāo liú píng,message in a bottle -漂流者,piāo liú zhě,white water rafter; paddler; river runner -漂浮,piāo fú,"to float; to hover; to drift (also fig., to lead a wandering life); to rove; showy; superficial" -漂白,piǎo bái,to bleach; to whiten -漂白剂,piǎo bái jì,bleach -漂白水,piǎo bái shuǐ,bleach -漂砾,piāo lì,boulder -漂移,piāo yí,to drift -漂绿,piǎo lǜ,to greenwash -漂荡,piāo dàng,variant of 飄盪|飘荡[piao1 dang4] -漂走,piāo zǒu,to float away; to drift; to be swept off -漂游,piāo yóu,drift -漂零,piāo líng,variant of 飄零|飘零[piao1 ling2] -漂雷,piāo léi,floating mine -漂鹬,piāo yù,(bird species of China) wandering tattler (Tringa incana) -漆,qī,"paint; lacquer; CL:道[dao4]; to paint (furniture, walls etc)" -漆器,qī qì,lacquerware -漆布,qī bù,varnished cloth; linoleum -漆弹,qī dàn,paintball (sports) -漆树,qī shù,lac tree (Rhus vernicifera) -漆树科,qī shù kē,"Anacardiaceae, plant family including lac tree (Rhus vernicifera) 漆樹|漆树[qi1 shu4]" -漆皮鞋,qī pí xié,patent leather shoes -漆雕,qī diāo,carved or engraved lacquerware -漆黑,qī hēi,pitch-black -漆黑一团,qī hēi yī tuán,pitch-black; (fig.) to be completely in the dark -漉,lù,strain liquids -漏,lòu,to leak; to divulge; to leave out by mistake; waterclock or hourglass (old) -漏勺,lòu sháo,perforated spoon; strainer spoon; skimmer -漏嘴,lòu zuǐ,to make an indiscreet remark -漏壶,lòu hú,water clock; clepsydra -漏失,lòu shī,to lose sth due to leakage; to let sth slip through; a slip-up; an oversight -漏掉,lòu diào,to miss; to leave out; to omit; to be omitted; to be missing; to slip through; to leak out; to seep away -漏斗,lòu dǒu,funnel -漏斗云,lòu dǒu yún,funnel cloud -漏气,lòu qì,to leak air or gas -漏水,lòu shuǐ,to leak (of water) -漏水转浑天仪,lòu shuǐ zhuàn hún tiān yí,water-driven armillary sphere (Zhang Heng's famous astronomical apparatus) -漏油,lòu yóu,oil spill; oil leak; (fig.) boo! (opposite of 加油[jia1 you2]) -漏洞,lòu dòng,leak; hole; gap; loophole -漏洞百出,lòu dòng bǎi chū,"(of an argument, theory etc) full of flaws (idiom)" -漏泄,lòu xiè,a leak (e.g. of chemicals) -漏泄天机,lòu xiè tiān jī,to divulge the will of heaven (idiom); to leak a secret; to let the cat out of the bag -漏税,lòu shuì,tax evasion -漏网之鱼,lòu wǎng zhī yú,lit. a fish that escaped the net (idiom); fig. sb or sth that slips through the net -漏网游鱼,lòu wǎng yóu yú,see 漏網之魚|漏网之鱼[lou4 wang3 zhi1 yu2] -漏脯充饥,lòu fǔ chōng jī,to bury one's head in the sand (idiom) -漏锅,lòu guō,colander; strainer; sieve; leaky pot -漏电,lòu diàn,to leak electricity; (fig.) (coll.) to unintentionally arouse romantic interest (by being solicitous etc); cf. 放電|放电[fang4 dian4] -漓,lí,pattering (of rain); seep through -演,yǎn,to perform (a play etc); to stage (a show); (bound form) to develop; to play out; to carry out (a task) -演出,yǎn chū,"to act (in a play); to perform; to put on (a performance); performance; concert; show; CL:場|场[chang3],次[ci4]" -演出地点,yǎn chū dì diǎn,performance place; CL:處|处[chu4] -演出者,yǎn chū zhě,performer -演剧,yǎn jù,to perform a play -演化,yǎn huà,to evolve; evolution -演化支,yǎn huà zhī,clade (biology) -演员,yǎn yuán,actor; actress; performer -演员阵容,yǎn yuán zhèn róng,cast (of a movie etc); lineup of performers; troupe -演唱,yǎn chàng,to sing (for an audience); vocal performance -演唱会,yǎn chàng huì,vocal recital or concert -演奏,yǎn zòu,to perform on a musical instrument -演奏者,yǎn zòu zhě,performer; musician -演戏,yǎn xì,to put on a play; to perform; fig. to pretend; to feign -演技,yǎn jì,acting; performing skills -演播,yǎn bō,broadcast performance; televised or podcast lecture -演播室,yǎn bō shì,broadcasting studio -演替,yǎn tì,succession (of changes in an ecological community); naturally evolving sequence -演歌,yǎn gē,enka (Japanese genre of sentimental ballads) -演武,yǎn wǔ,to practice martial arts -演活,yǎn huó,(of an actor) to bring (one's character) to life; to act brilliantly -演示,yǎn shì,to demonstrate; to show; presentation; demonstration -演示文稿,yǎn shì wén gǎo,(PPT etc) presentation -演算,yǎn suàn,to perform calculations -演算法,yǎn suàn fǎ,algorithm (Tw) -演练,yǎn liàn,to drill; to practice -演绎,yǎn yì,(of a story etc) to unfold; to play out; to develop (a technique etc); to enact; (logic) to deduce; to infer -演绎法,yǎn yì fǎ,deductive reasoning -演义,yǎn yì,to dramatize historical events; novel or play on historical theme -演习,yǎn xí,"(military, firefighting etc) (verb and noun) drill; exercise; maneuver" -演艺,yǎn yì,performing arts -演艺人员,yǎn yì rén yuán,entertainer; performer -演艺圈,yǎn yì quān,show business -演艺界,yǎn yì jiè,the entertainment world; show business -演说,yǎn shuō,speech; to deliver a speech -演说者,yǎn shuō zhě,orator; speaker -演讲,yǎn jiǎng,to give a lecture; to make a speech -演讲家,yǎn jiǎng jiā,orator -演变,yǎn biàn,to develop; to evolve -演进,yǎn jìn,evolution; gradual forward progress -漕,cáo,to transport (esp. grain) by water; (literary) watercourse; canal -漕河,cáo hé,waterway used for the transportation of grain (in ancient times) (esp. the Grand Canal 大運河|大运河[Da4 Yun4 he2]) -漕粮,cáo liáng,grain transported by water (in ancient times) -漕运,cáo yùn,(old) to transport by water; to ship grain as tax -沤,ōu,bubble; froth -沤,òu,to steep; to macerate -沤凼,òu dàng,cesspool; compost pit -沤肥,òu féi,to make fertilizer by steeping organic materials in water and leaving them to decompose; fertilizer produced by this method -漠,mò,desert; unconcerned -漠不关心,mò bù guān xīn,not the least bit concerned; completely indifferent -漠北,mò běi,Outer Mongolia (lit. north of the Gobi Desert) -漠南,mò nán,Inner Mongolia (lit. south of the Gobi Desert) -漠河,mò hé,"Mohe county in Daxing'anling prefecture 大興安嶺地區|大兴安岭地区, Heilongjiang" -漠河县,mò hé xiàn,"Mohe county in Daxing'anling prefecture 大興安嶺地區|大兴安岭地区, Heilongjiang" -漠然,mò rán,indifferent; apathetic; cold -漠然置之,mò rán zhì zhī,to set to one side and ignore (idiom); quite indifferent; cold and uncaring -漠视,mò shì,to ignore; to neglect; to treat with contempt -汉,hàn,Han ethnic group; Chinese (language); the Han dynasty (206 BC-220 AD) -汉,hàn,man -汉中,hàn zhōng,Hanzhong prefecture-level city in Shaanxi -汉中市,hàn zhōng shì,Hanzhong prefecture-level city in Shaanxi -汉人,hàn rén,Han Chinese person or people -汉他病毒,hàn tā bìng dú,(Tw) (loanword) hantavirus -汉代,hàn dài,the Han dynasty (206 BC-220 AD) -汉元帝,hàn yuán dì,"Yuan Emperor, reign name of Han Dynasty emperor Liu Shi 劉奭|刘奭[Liu2 Shi4], (74-33 BC), reigned 48-33 BC" -汉化,hàn huà,to sinicize; sinicization; (software) Chinese localization -汉南,hàn nán,"Hannan district of Wuhan city 武漢市|武汉市[Wu3 han4 shi4], Hubei" -汉南区,hàn nán qū,"Hannan district of Wuhan city 武漢市|武汉市[Wu3 han4 shi4], Hubei" -汉口,hàn kǒu,"Hankou, part of Wuhan 武漢|武汉 at the junction of Han river and Changjiang in Hubei" -汉四郡,hàn sì jùn,four Han commanderies in north Korea 108 BC-c. 300 AD -汉坦病毒,hàn tǎn bìng dú,(loanword) hantavirus -汉城,hàn chéng,"Hanseong, former name of Seoul (capital of South Korea), replaced in 2005 with 首爾|首尔[Shou3 er3]" -汉城特别市,hàn chéng tè bié shì,"Hanseong Special Metropolitan City, old name for Seoul, capital of Korea" -汉堡,hàn bǎo,Hamburg (German city) -汉堡,hàn bǎo,(loanword) hamburger -汉堡包,hàn bǎo bāo,hamburger (loanword) -汉堡王,hàn bǎo wáng,Burger King (fast food restaurant) -汉寿,hàn shòu,"Hanshou county in Changde 常德[Chang2 de2], Hunan" -汉寿县,hàn shòu xiàn,"Hanshou county in Changde 常德[Chang2 de2], Hunan" -汉奸,hàn jiān,traitor (to China) -汉姓,hàn xìng,a Han family name (surname); (esp.) a Han surname adopted by a person of another ethnic group -汉娜,hàn nà,Hannah (name) -汉子,hàn zi,man; fellow; (dialect) husband -汉字,hàn zì,Chinese character; CL:個|个[ge4]; Japanese: kanji; Korean: hanja; Vietnamese: hán tự -汉字字体,hàn zì zì tǐ,calligraphic style of Chinese characters; typeface; font -汉字查字法,hàn zì chá zì fǎ,look-up method for Chinese characters -汉学,hàn xué,"sinology; Chinese studies (in foreign schools); Han Learning, a Qing dynasty movement aiming at a philological appraisal of the Classics" -汉学家,hàn xué jiā,sinologist; scholar of Chinese -汉学系,hàn xué xì,institute of Sinology; faculty of Sinology -汉宣帝,hàn xuān dì,"Emperor Xuan (91-48 BC) of the Former Han Dynasty, reigned 74-48 BC" -汉密尔顿,hàn mì ěr dùn,"Hamilton (name); Hamilton, capital of Bermuda" -汉尼拔,hàn ní bá,"Hannibal (name); Hannibal Barca (247-183 BC), Carthaginian general" -汉川,hàn chuān,"Hanchuan, county-level city in Xiaogan 孝感[Xiao4 gan3], Hubei" -汉川市,hàn chuān shì,"Hanchuan, county-level city in Xiaogan 孝感[Xiao4 gan3], Hubei" -汉拼,hàn pīn,Hanyu Pinyin (abbr. for 漢語拼音|汉语拼音[Han4 yu3 Pin1 yin1]) -汉拿山,hàn ná shān,"Hallasan Mountain or Mount Halla, highest mountain in South Korea" -汉文,hàn wén,Chinese written language; Chinese literature esp. as taught abroad -汉文帝,hàn wén dì,"Emperor Wen of Han (202-157 BC), fourth Han emperor, personal name Liu Heng 劉恆|刘恒[Liu2 Heng2], reigned 180-157 BC" -汉文帝刘恒,hàn wén dì liú héng,"Liu Heng (202-157 BC), the fourth Han emperor Han Wendi, reigned 180-157 BC" -汉斯,hàn sī,Hans (name); Reims (city in France) -汉族,hàn zú,Han ethnic group -汉旺镇,hàn wàng zhèn,"Hanwang town in Mianzhu county, Deyang 德陽|德阳[De2 yang2] prefecture, Sichuan" -汉明帝,hàn míng dì,"Emperor Ming of Han (28-75), Western Han Dynasty Emperor 58-75" -汉书,hàn shū,"History of the Former Han Dynasty, second of the 24 dynastic histories 二十四史[Er4 shi2 si4 Shi3], composed by Ban Gu 班固[Ban1 Gu4] in 82 during Eastern Han (later Han), 100 scrolls" -汉服,hàn fú,traditional Han Chinese dress -汉朝,hàn cháo,Han Dynasty (206 BC-220 AD) -汉末魏初,hàn mò wèi chū,"late Han and early Wei (roughly, first half of 3rd century AD)" -汉森,hàn sēn,Hansen or Hanson (name) -汉武帝,hàn wǔ dì,Emperor Wu of the Han dynasty (141-87 BC) -汉民族,hàn mín zú,Han ethnic group -汉水,hàn shuǐ,Han River (Hanshui) -汉江,hàn jiāng,Han River -汉沽,hàn gū,"Hangu former district of Tianjin, now part of Binhai subprovincial district 濱海新區|滨海新区[Bin1 hai3 xin1 qu1]" -汉沽区,hàn gū qū,"Hangu former district of Tianjin, now part of Binhai subprovincial district 濱海新區|滨海新区[Bin1 hai3 xin1 qu1]" -汉源,hàn yuán,"Hanyuan county in Ya'an 雅安[Ya3 an1], Sichuan" -汉源县,hàn yuán xiàn,"Hanyuan county in Ya'an 雅安[Ya3 an1], Sichuan" -汉滨,hàn bīn,"Hanbin District of Ankang City 安康市[An1 kang1 Shi4], Shaanxi" -汉滨区,hàn bīn qū,"Hanbin District of Ankang City 安康市[An1 kang1 Shi4], Shaanxi" -汉献帝,hàn xiàn dì,"Emperor Xian of Han (181-234), the final Han emperor, set up by Dong Zhuo 董卓, reigned 189-220, forced to abdicate 220 by Cao Pi 曹丕" -汉白玉,hàn bái yù,white marble; a type of white marble used for building and sculpting -汉福斯,hàn fú sī,"Hønefoss, city (and soccer team) in Buskerud, Norway" -汉简,hàn jiǎn,bamboo slip used for record keeping during the Han Dynasty -汉腔,hàn qiāng,Wuhan accent -汉台,hàn tái,"Hantai District of Hanzhong City 漢中市|汉中市[Han4 zhong1 Shi4], Shaanxi" -汉台区,hàn tái qū,"Hantai District of Hanzhong City 漢中市|汉中市[Han4 zhong1 shi4], Shaanxi" -汉英,hàn yīng,Chinese-English -汉英互译,hàn yīng hù yì,Chinese and English two-way translation -汉萨同盟,hàn sà tóng méng,Hanseatic League -汉藏语系,hàn zàng yǔ xì,Sino-Tibetan language family -汉语,hàn yǔ,Chinese language; CL:門|门[men2] -汉语大字典,hàn yǔ dà zì diǎn,"Hanyu Da Zidian, one of the most comprehensive Chinese character dictionaries with 54,678 (and later 60,370) entries, first published between 1986-1990" -汉语大词典,hàn yǔ dà cí diǎn,"Hanyu Da Cidian, the largest Chinese dictionary, with over 375,000 word entries, first published 1986-1994" -汉语拼音,hàn yǔ pīn yīn,"Hanyu Pinyin, the romanization system used in the PRC since the 1960s" -汉语水平考试,hàn yǔ shuǐ píng kǎo shì,HSK (Chinese Proficiency Test) -汉诺威,hàn nuò wēi,Hanover -汉贼不两立,hàn zéi bù liǎng lì,"lit. Shu Han 蜀漢|蜀汉[Shu3 Han4] and Cao Wei 曹魏[Cao2 Wei4] cannot coexist (idiom); fig. two enemies cannot live under the same sky; (former KMT slogan against CCP) ""gentlemen and thieves cannot coexist""" -汉办,hàn bàn,"abbr. for 國家漢辦|国家汉办[Guo2 jia1 Han4 ban4], Office of Chinese Language Council International" -汉阴,hàn yīn,"Hanyin County in Ankang 安康[An1 kang1], Shaanxi" -汉阴县,hàn yīn xiàn,"Hanyin County in Ankang 安康[An1 kang1], Shaanxi" -汉阳,hàn yáng,"Hanyang county in Hubei province; historical name Hanyang for Seoul, Korea" -汉阳区,hàn yáng qū,"Hanyang district of Wuhan city 武漢市|武汉市[Wu3 han4 shi4], Hubei" -汉灵帝,hàn líng dì,"Emperor Ling of Han (156-189), reigned from 168 to 189" -汉高祖,hàn gāo zǔ,"posthumous name of the first Han emperor Liu Bang 劉邦|刘邦 (256 or 247-195 BC), reigned 202-195 BC" -涟,lián,ripple; tearful -涟水,lián shuǐ,"Lianshui county in Huai'an 淮安[Huai2 an1], Jiangsu" -涟水县,lián shuǐ xiàn,"Lianshui county in Huai'an 淮安[Huai2 an1], Jiangsu" -涟源,lián yuán,"Lianyuan, county-level city in Loudi 婁底|娄底[Lou2 di3], Hunan" -涟源市,lián yuán shì,"Lianyuan, county-level city in Loudi 婁底|娄底[Lou2 di3], Hunan" -涟漪,lián yī,ripple -涟漪微漾,lián yī wēi yàng,ripples; riffles -漤,lǎn,to soak (fruits) in hot water or limewater to remove astringent taste; to marinate in salt etc; to pickle -漩,xuán,whirlpool; eddy; also pr. [xuan4] -漩涡,xuán wō,whirlpool; eddy; vortex; (fig.) maelstrom -漪,yī,ripple -漫,màn,free; unrestrained; to inundate -漫不经心,màn bù jīng xīn,careless; heedless; absent-minded; indifferent -漫不经意,màn bù jīng yì,careless; unconcerned -漫天,màn tiān,lit. to fill the whole sky; everywhere; as far as the eye can see -漫天要价,màn tiān yào jià,to ask for sky-high prices -漫天遍地,màn tiān biàn dì,lit. to fill the whole sky and cover the land (idiom); fig. everywhere; as far as the eye can see -漫天遍野,màn tiān biàn yě,lit. to fill the whole sky and cover the land; everywhere; as far as the eye can see -漫天飞舞,màn tiān fēi wǔ,(of snow etc) to fill the sky -漫展,màn zhǎn,comic convention; anime expo -漫山遍野,màn shān biàn yě,lit. covering the mountains and the plains (idiom); fig. as far as the eye can see; covering everything; omnipresent -漫应,màn yìng,to reply casually -漫改,màn gǎi,adapted from a manga -漫步,màn bù,to wander; to ramble; recreational hiking; to perambulate -漫步者,màn bù zhě,rambler; a person strolling about -漫溢,màn yì,to overflow; to be brimming over -漫漫,màn màn,long; endless; boundless -漫漫长夜,màn màn cháng yè,endless night (idiom); fig. long suffering -漫漶,màn huàn,(of writing etc) indistinct (due to water damage or wear) -漫无目的,màn wú mù dì,aimless; at random -漫无边际,màn wú biān jì,extremely vast; boundless; limitless; digressing; discursive; going off on tangents; straying far off topic -漫画,màn huà,caricature; cartoon; Japanese manga -漫画家,màn huà jiā,cartoon writer (from Japanese mangaka) -漫骂,màn mà,see 謾罵|谩骂[man4 ma4] -漫说,màn shuō,not to mention ... (i.e. in addition to sth) -漫游,màn yóu,to travel around; to roam; (mobile telephony) roaming -漫长,màn cháng,very long; endless -渍,zì,to soak; to be stained; stain; floodwater -漭,mǎng,vast; expansive (of water) -漯,tà,name of a river -漯河,luò hé,Luohe prefecture-level city in Henan -漯河市,luò hé shì,Luohe prefecture-level city in Henan -漱,shù,to rinse one's mouth with water; to gargle -漱口,shù kǒu,to rinse one's mouth; to gargle -漱口水,shù kǒu shuǐ,mouthwash -漱洗,shù xǐ,to rinse the mouth and wash the face -漱流,shù liú,to rinse one's mouth with river water; (fig.) to live a hermit's life -涨,zhǎng,"to rise (of prices, rivers)" -涨,zhàng,to swell; to distend -涨停,zhǎng tíng,(of a stock price) to rise to the daily upper limit (resulting in a temporary halt in trading of the stock) -涨停板,zhǎng tíng bǎn,daily upper limit on the price of a stock -涨价,zhǎng jià,to appreciate (in value); to increase in price -涨到,zhǎng dào,to go up; to rise -涨势,zhǎng shì,rising trend; upward momentum (e.g. in prices) -涨姿势,zhǎng zī shì,Internet slang for 長知識|长知识[zhang3 zhi1 shi5] -涨幅,zhǎng fú,extent of a rise (in prices etc); amount of increase; growth (typically expressed as a percentage) -涨水,zhǎng shuǐ,rise of water level -涨满,zhàng mǎn,"full to the point of overflowing (fluid, emotions etc)" -涨潮,zhǎng cháo,high tide; rising tide -涨粉,zhǎng fěn,to get more fans; to gain followers -涨红,zhàng hóng,to turn red (in the face); to flush (with embarrassment or anger) -涨落,zhǎng luò,"(of water, prices etc) to rise and fall" -涨跌,zhǎng diē,rise or fall in price -涨跌幅限制,zhǎng diē fú xiàn zhì,"limit up, limit down; limit on daily price variation" -涨钱,zhǎng qián,inflation; salary raise -涨风,zhǎng fēng,upward trend (in prices) -漳,zhāng,Zhang river in Fujian -漳州,zhāng zhōu,"Zhangzhou, prefecture-level city in Fujian" -漳州市,zhāng zhōu shì,"Zhangzhou, prefecture-level city in Fujian" -漳平,zhāng píng,"Zhangping, county-level city in Longyan 龍岩|龙岩, Fujian" -漳平市,zhāng píng shì,"Zhangping county in Longyan 龍岩|龙岩, Fujian" -漳浦,zhāng pǔ,"Zhangpu county in Zhangzhou 漳州[Zhang1 zhou1], Fujian" -漳浦县,zhāng pǔ xiàn,"Zhangpu county in Zhangzhou 漳州[Zhang1 zhou1], Fujian" -漳县,zhāng xiàn,"Zhang county in Dingxi 定西[Ding4 xi1], Gansu" -溆,xù,name of a river -溆浦,xù pǔ,"Xupu county in Huaihua 懷化|怀化[Huai2 hua4], Hunan" -溆浦县,xù pǔ xiàn,"Xupu county in Huaihua 懷化|怀化[Huai2 hua4], Hunan" -漶,huàn,"(of writing, pictures etc) indistinct due to deterioration (water damage etc); blurry; eroded" -渐,jiān,to imbue -渐,jiàn,gradual; gradually -渐冻人症,jiàn dòng rén zhèng,"amyotrophic lateral sclerosis (ALS), aka motor neurone disease (MND)" -渐冻症,jiàn dòng zhèng,amyotrophic lateral sclerosis; ALS -渐弱,jiàn ruò,to fade out; gradually weakening; diminuendo; decrescendo -渐快,jiàn kuài,to speed up gradually; faster and faster; (music) accelerando -渐慢,jiàn màn,to slow down gradually; slower and slower; (music) decelerando; ritardando -渐新世,jiàn xīn shì,Oligocene (geological epoch from 34m-24m years ago) -渐新统,jiàn xīn tǒng,Oligocene system (geology) -渐次,jiàn cì,gradually; one by one -渐渐,jiàn jiàn,gradually -渐稀,jiàn xī,to thin out gradually; to become fainter and fainter -渐行渐远,jiàn xíng jiàn yuǎn,"gradually proceed, gradually get further apart" -渐变,jiàn biàn,gradual change; (graphic design) gradient -渐变色,jiàn biàn sè,color gradient -渐趋,jiàn qū,to become more and more; to gradually become -渐近,jiàn jìn,to approach gradually -渐近线,jiàn jìn xiàn,(math.) asymptote -渐进,jiàn jìn,progress step by step; gradual progress; to move forward (slowly) -漼,cuǐ,having the appearance of depth -漾,yàng,to overflow; to ripple; used in place names; see 漾濞[Yang4 bi4] -漾濞,yàng bì,Yangbi county in Yunnan province -漾濞彝族自治县,yàng bì yí zú zì zhì xiàn,"Yangbi Yizu Autonomous County in Dali Bai autonomous prefecture 大理白族自治州[Da4 li3 Bai2 zu2 zi4 zhi4 zhou1], Yunnan" -浆,jiāng,thick liquid; to starch -浆,jiàng,variant of 糨[jiang4] -浆果,jiāng guǒ,berry -浆洗,jiāng xǐ,to wash and starch -浆硬,jiāng yìng,to starch; to stiffen cloth with starch -浆糊,jiàng hu,paste; Taiwan pr. [jiang4 hu2] -浆纸,jiàng zhǐ,paper pulp -浆膜,jiāng mó,serosa; serous membrane (smooth moist delicate membranes lining body cavities) -颍,yǐng,surname Ying; river in Henan and Anhui -颍,yǐng,grain husk; tip of sth short and slender -颍上,yǐng shàng,"Yingshang, a county in Fuyang 阜陽|阜阳[Fu4yang2], Anhui" -颍上县,yǐng shàng xiàn,"Yingshang, a county in Fuyang 阜陽|阜阳[Fu4yang2], Anhui" -颍州,yǐng zhōu,"Yingzhou, a district of Fuyang City 阜陽市|阜阳市[Fu4yang2 Shi4], Anhui" -颍州区,yǐng zhōu qū,"Yingzhou, a district of Fuyang City 阜陽市|阜阳市[Fu4yang2 Shi4], Anhui" -颍东,yǐng dōng,"Yingdong, a district of Fuyang City 阜陽市|阜阳市[Fu4yang2 Shi4], Anhui" -颍东区,yǐng dōng qū,"Yingdong, a district of Fuyang City 阜陽市|阜阳市[Fu4yang2 Shi4], Anhui" -颍泉,yǐng quán,"Yingquan, a district of Fuyang City 阜陽市|阜阳市[Fu4yang2 Shi4], Anhui" -颍泉区,yǐng quán qū,"Yingquan, a district of Fuyang City 阜陽市|阜阳市[Fu4yang2 Shi4], Anhui" -漱,shù,variant of 漱[shu4] -泼,pō,to splash; to spill; rough and coarse; brutish -泼冷水,pō lěng shuǐ,to pour cold water on; (fig.) to dampen sb's enthusiasm -泼出去的水,pō chū qù de shuǐ,spilt water; (fig.) sth that can not be retrieved; spilt milk -泼妇,pō fù,shrew; vixen -泼妇骂街,pō fù mà jiē,shouting abuse in the street like a fishwife -泼掉,pō diào,spill -泼水,pō shuǐ,to sprinkle; to spill water -泼水节,pō shuǐ jié,Songkran (Thai New Year) -泼水难收,pō shuǐ nán shōu,water once spilt cannot be retrieved (idiom); irreversible change -泼溅,pō jiàn,to spatter -泼烟花,pō yān huā,low-class prostitute -泼物,pō wù,evil creature (curse word) -泼贱,pō jiàn,base; worthless -泼贱人,pō jiàn rén,slut; tramp (old) -泼辣,pō la,shrewish; pungent; forceful; bold and vigorous -泼脏水,pō zāng shuǐ,to splash dirty water; (fig.) to throw mud at; to smear (sb) -洁,jié,clean -洁具,jié jù,"bathroom fittings (washbasin, bathtub, toilet etc)" -洁操,jié cāo,unimpeachable conduct; noble behavior; spotless personal integrity -洁本,jié běn,expurgated edition -洁净,jié jìng,clean; to cleanse -洁净无瑕,jié jìng wú xiá,clean and spotless -洁牙,jié yá,(dentistry) to perform or undergo scaling (removal of dental plaque and calculus) -洁癖,jié pǐ,mysophobia; obsession with cleanliness; extreme fastidiousness -洁白,jié bái,spotlessly white; pure white -洁西卡,jié xī kǎ,Jessica (name) -洁身自好,jié shēn zì hào,clean-living and honest (idiom); to avoid immorality; to shun evil influence; to mind one's own business and keep out of trouble; to keep one's hands clean -洁面乳,jié miàn rǔ,cleansing lotion -洁面露,jié miàn lù,cleansing lotion -洁食,jié shí,kosher -潘,pān,"surname Pan; Pan, faun in Greek mythology, son of Hermes" -潘基文,pān jī wén,"Ban Ki Moon (1944-), Korean diplomat, UN secretary-general 2007-2016" -潘塔纳尔,pān tǎ nà ěr,Pantanal (wetland area in Brazil) -潘多拉,pān duō lā,Pandora -潘多拉魔盒,pān duō lā mó hé,a Pandora's box -潘太克斯,pān tài kè sī,Pentax (brand name) -潘婷,pān tíng,Pantene (hair products brand) -潘安,pān ān,see 潘岳[Pan1 Yue4] -潘岳,pān yuè,"Pan Yue (247-300), later known as 潘安[Pan1 An1], prominent Western Jin poet, also famous for his good looks, such that his name became a byword for ""extremely handsome man""" -潘斯,pān sī,Pence (surname) -潘朵拉,pān duǒ lā,Pandora -潘趣酒,pān qù jiǔ,punch (drink) (loanword) -潘通,pān tōng,Pantone color system -潘金莲,pān jīn lián,"Pan Jinlian (name lit. Golden Lotus), heroine of Ming dynasty vernacular novel Jinpingmei or the Golden Lotus 金瓶梅" -潘集,pān jí,"Panji, a district of Huainan City 淮南市[Huai2nan2 Shi4], Anhui" -潘集区,pān jí qū,"Panji, a district of Huainan City 淮南市[Huai2nan2 Shi4], Anhui" -潜,qián,hidden; secret; latent; to hide; to conceal; to submerge; to dive -潜伏,qián fú,to hide; to cover up; to conceal -潜伏期,qián fú qī,incubation period (of disease) -潜入,qián rù,to submerge; to infiltrate; to steal into -潜力,qián lì,potential; latent capacity -潜力股,qián lì gǔ,stock that has potential to increase in value; (fig.) sb with good prospects -潜力股男人,qián lì gǔ nán rén,man with good prospects -潜在,qián zài,hidden; potential; latent -潜在危险度,qián zài wēi xiǎn dù,latent hazard -潜在威胁,qián zài wēi xié,potential threat; potential menace -潜在媒介,qián zài méi jiè,potential vector -潜山,qián shān,"Qianshan, a county-level city in Anqing 安慶|安庆[An1 qing4], Anhui" -潜山市,qián shān shì,"Qianshan, a county-level city in Anqing 安慶|安庆[An1 qing4], Anhui" -潜影,qián yǐng,to hide; latent image (in photography) -潜心,qián xīn,to concentrate fully on sth; single-minded -潜意识,qián yì shí,unconscious mind; subconscious mind; subconsciousness -潜望镜,qián wàng jìng,periscope -潜水,qián shuǐ,to dive; to go under water; (in an online forum) to lurk -潜水刀,qián shuǐ dāo,dive knife -潜水员,qián shuǐ yuán,diver; frogman -潜水夫病,qián shuǐ fū bìng,bends -潜水夫症,qián shuǐ fū zhèng,bends -潜水服,qián shuǐ fú,diving suit; wetsuit -潜水者,qián shuǐ zhě,(underwater) diver -潜水艇,qián shuǐ tǐng,submarine -潜水衣,qián shuǐ yī,diving suit -潜江,qián jiāng,Qianjiang sub-prefecture level city in Hubei -潜江市,qián jiāng shì,Qianjiang sub-prefecture level city in Hubei -潜没,qián mò,to submerge; to subduct (of tectonic plates) -潜泳,qián yǒng,diving; esp. skin diving -潜热,qián rè,latent heat -潜神默记,qián shén mò jì,to devote oneself to a task in silence (idiom) -潜移,qián yí,intangible changes; unnoticed transformation; changes behind the scenes -潜移默化,qián yí mò huà,imperceptible influence; to influence secretly -潜育土,qián yù tǔ,gleysol (soil taxonomy) -潜能,qián néng,potential; hidden capability -潜台词,qián tái cí,"unspoken dialogue in a play, left for the audience to infer; subtext; (fig.) implicit assertion" -潜艇,qián tǐng,submarine -潜艇堡,qián tǐng bǎo,submarine sandwich -潜舰,qián jiàn,a submarine -潜藏,qián cáng,hidden beneath the surface; buried and concealed -潜行,qián xíng,to slink; to move stealthily; to advance through the water -潜规则,qián guī zé,"unspoken rules (usually ones that codify improper behaviors such as leveraging guanxi to get favorable treatment, or coercing employees for sexual favors)" -潜质,qián zhì,potential -潜踪,qián zōng,in hiding -潜近,qián jìn,to sneak up on -潜逃,qián táo,to abscond; to slink off -潜逃无踪,qián táo wú zōng,to abscond without leaving a trace (idiom) -潜进,qián jìn,to sneak in; to infiltrate -潜鸟,qián niǎo,loon (bird of genus Gavia) -潞,lù,name of a river; surname Lu -潞城,lù chéng,"Lucheng, county-level city in Changzhi 長治|长治[Chang2 zhi4], Shanxi" -潞城市,lù chéng shì,"Lucheng, county-level city in Changzhi 長治|长治[Chang2 zhi4], Shanxi" -潞西,lù xī,"Luxi city in Yunnan, capital of Dehong Dai and Jingpo autonomous prefecture 德宏傣族景頗族自治州|德宏傣族景颇族自治州 in west Yunnan" -潞西市,lù xī shì,"Luxi city in Yunnan, capital of Dehong Dai and Jingpo autonomous prefecture 德宏傣族景頗族自治州|德宏傣族景颇族自治州 in west Yunnan" -潟,xì,saline land; salt marsh -潟湖,xì hú,lagoon; erroneously written 瀉湖|泻湖[xie4 hu2] -潢,huáng,dye paper; lake; pond; mount scroll -潢川,huáng chuān,"Huangchuan county in Xinyang 信陽|信阳, Henan" -潢川县,huáng chuān xiàn,"Huangchuan county in Xinyang 信陽|信阳, Henan" -润,rùn,"moist; glossy; sleek; to moisten; to lubricate; to embellish; to enhance; profit; remuneration; (neologism c. 2021) (slang) (loanword from ""run"") to emigrate (in order to flee adverse conditions)" -润唇膏,rùn chún gāo,chapstick; lip balm -润学,rùn xué,(neologism) (slang) study of how to flee from adverse conditions in China by emigrating -润州,rùn zhōu,"Runzhou district of Zhenjiang city 鎮江市|镇江市[Zhen4 jiang1 shi4], Jiangsu" -润州区,rùn zhōu qū,"Runzhou district of Zhenjiang city 鎮江市|镇江市[Zhen4 jiang1 shi4], Jiangsu" -润格,rùn gé,"scale of fee payment for a painter, calligrapher or writer" -润滑,rùn huá,smooth; oily; sleek; to lubricate -润滑剂,rùn huá jì,lubricant -润滑油,rùn huá yóu,lubricating oil -润泽,rùn zé,moist -润湿,rùn shī,to moisten (e.g. of rain); to wet -润笔,rùn bǐ,remuneration for literary or artistic work -润肺,rùn fèi,to moisten the lungs; to make expectoration easy (medicine) -润肠,rùn cháng,to ease constipation (TCM) -润肠通便,rùn cháng tōng biàn,to cure constipation with laxatives -润肤乳,rùn fū rǔ,body lotion; body shampoo -润肤膏,rùn fū gāo,moisturizing cream -润肤霜,rùn fū shuāng,moisturizer -润肤露,rùn fū lù,body lotion -润色,rùn sè,"to polish (a piece of writing); to add a few finishing touches to (a piece of writing, painting etc)" -润资,rùn zī,remuneration for literary or artistic work -润饰,rùn shì,to adorn; to embellish -润饼,rùn bǐng,soft mixed vegetable and meat roll-up -润发乳,rùn fà rǔ,hair conditioner -润发液,rùn fà yè,hair conditioner -润发露,rùn fà lù,hair conditioner -潦,lǎo,flooded; heavy rain -潦,liáo,used in 潦草[liao2 cao3] and 潦倒[liao2 dao3] -潦倒,liáo dǎo,down on one's luck; in straitened circumstances; disappointed; frustrated -潦草,liáo cǎo,slipshod; careless; slovenly; (of handwriting) scrawly; illegible -潭,tán,surname Tan -潭,tán,deep pool; pond; pit (dialect); depression -潭奥,tán ào,profound; deep -潭子,tán zǐ,"Tanzi or Tantzu Township in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -潭子,tán zi,deep natural pond -潭子乡,tán zǐ xiāng,"Tanzi or Tantzu Township in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -潭底,tán dǐ,bottom of a (deep) pond -潭府,tán fǔ,abyss; imposing dwellings and spacious courtyard; your residence; deep pool -潭影,tán yǐng,reflection in a deep pond -潭柘寺,tán zhè sì,Tanzhe Temple -潭水,tán shuǐ,deep water -潭祉,tán zhǐ,great happiness -潭第,tán dì,variant of 覃第[tan2 di4] -潭腿,tán tuǐ,"Tantui, a northern school of martial arts boxing" -潮,cháo,tide; damp; moist; humid; fashionable; trendy; (coll.) inferior; substandard -潮人,cháo rén,trendsetter -潮位,cháo wèi,tide level -潮南,cháo nán,"Chaonan District of Shantou City 汕頭市|汕头市[Shan4 tou2 Shi4], Guangdong" -潮南区,cháo nán qū,"Chaonan District of Shantou City 汕頭市|汕头市[Shan4 tou2 Shi4], Guangdong" -潮吹,cháo chuī,female ejaculation -潮安,cháo ān,"Chao'an county in Chaozhou 潮州[Chao2 zhou1], Guangdong" -潮安县,cháo ān xiàn,"Chao'an county in Chaozhou 潮州[Chao2 zhou1], Guangdong" -潮州,cháo zhōu,"Chaozhou or Teochew prefecture-level city in Guangdong 廣東省|广东省[Guang3 dong1 Sheng3], with famous cuisine; Chaochou town in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan; Chaozhou, variant of Minnan dialect 閩南語|闽南语[Min3 nan2 yu3] spoken in east Guangdong" -潮州市,cháo zhōu shì,Chaozhou or Teochew prefecture-level city in Guangdong 廣東省|广东省[Guang3 dong1 Sheng3] -潮州镇,cháo zhōu zhèn,"Chaochou town in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -潮气,cháo qì,humidity; moisture -潮水,cháo shuǐ,tide -潮汐,cháo xī,tide -潮汐能,cháo xī néng,tidal power; tidal energy -潮汐电站,cháo xī diàn zhàn,tidal power station -潮汕,cháo shàn,"Chaoshan, region in the east of Guangdong, encompassing the cities of Chaozhou 潮州市[Chao2 zhou1 Shi4] and Shantou 汕頭市|汕头市[Shan4 tou2 Shi4], with its own distinct language (Chaoshan Min 潮汕話|潮汕话[Chao2 shan4 hua4]) and culture" -潮汕话,cháo shàn huà,"Chaoshan or Teo-Swa, a Southern Min language spoken by the Teochew people of the Chaoshan region 潮汕[Chao2 shan4]" -潮汛,cháo xùn,spring tide -潮流,cháo liú,tide; current; trend -潮涌,cháo yǒng,to surge like the tide -潮湿,cháo shī,damp; moist -潮热,cháo rè,hot flush -潮男,cháo nán,metrosexual -潮红,cháo hóng,flush -潮虫,cháo chóng,"woodlouse (suborder Oniscidea within the order Isopoda); a.k.a. roly-poly, pill bug, sow bug etc" -潮解,cháo jiě,to deliquesce; deliquescence (chemistry) -潮解性,cháo jiě xìng,deliquescent -潮语,cháo yǔ,fashionable word or phrase; abbr. for 潮流用語|潮流用语[chao2 liu2 yong4 yu3] -潮间带,cháo jiān dài,intertidal zone -潮阳,cháo yáng,"Chaoyang District of Shantou City 汕頭市|汕头市[Shan4 tou2 Shi4], Guangdong" -潮阳区,cháo yáng qū,"Chaoyang District, Shantou City 汕頭市|汕头市[Shan4 tou2 Shi4], Guangdong" -浔,xún,name of a river; steep bank -浔阳,xún yáng,"Xunyang district of Jiujiang city 九江市, Jiangxi" -浔阳区,xún yáng qū,"Xunyang district of Jiujiang city 九江市, Jiangxi" -溃,huì,used in 潰膿|溃脓[hui4 nong2]; Taiwan pr. [kui4] -溃,kuì,(bound form) (of floodwaters) to break through a dam or dike; (bound form) to break through (a military encirclement); (bound form) to be routed; to be overrun; to fall to pieces; (bound form) to fester; to ulcerate -溃不成军,kuì bù chéng jūn,(of troops) to be utterly routed and dispersed -溃兵,kuì bīng,routed troops; defeated and dispersed troops -溃坝,kuì bà,(of a dam) to be breached; to burst -溃败,kuì bài,to be utterly defeated; to be routed -溃散,kuì sàn,(of troops) to be routed and dispersed -溃敌,kuì dí,to rout the enemy -溃决,kuì jué,(of a dike or dam) to burst -溃烂,kuì làn,to fester; to ulcerate -溃疡,kuì yáng,ulcer; to ulcerate -溃脓,huì nóng,(of a sore etc) to fester; to ulcerate -溃军,kuì jūn,routed troops -溃逃,kuì táo,to flee in disorder -潲,shào,driving rain; to sprinkle -滗,bì,to pour off (the liquid); to decant; to strain off -潸,shān,tearfully -潸然泪下,shān rán lèi xià,to shed silent tears (idiom) -潺,chán,flow; trickle (of water) -潺潺,chán chán,murmur; babble (sound of water) -潼,tóng,high; name of a pass -潼南,tóng nán,"Tongnan, a district of Chongqing 重慶|重庆[Chong2qing4]" -潼南区,tóng nán qū,"Tongnan, a district of Chongqing 重慶|重庆[Chong2qing4]" -潼关,tóng guān,"Tongguan County in Weinan 渭南[Wei4 nan2], Shaanxi" -潼关县,tóng guān xiàn,"Tongguan County in Weinan 渭南[Wei4 nan2], Shaanxi" -潽,pū,to boil over -涠,wéi,still water -涩,sè,astringent; tart; acerbity; unsmooth; rough (surface); hard to understand; obscure -涩味,sè wèi,acerbic (taste); astringent -涩脉,sè mài,sluggish pulse -涩,sè,old variant of 澀|涩[se4] -澄,chéng,variant of 澄[cheng2] -澄,chéng,surname Cheng -澄,chéng,clear; limpid; to clarify; to purify -澄,dèng,(of liquid) to settle; to become clear -澄城,chéng chéng,"Chengcheng County in Weinan 渭南[Wei4 nan2], Shaanxi" -澄城县,chéng chéng xiàn,"Chengcheng County in Weinan 渭南[Wei4 nan2], Shaanxi" -澄彻,chéng chè,variant of 澄澈[cheng2 che4] -澄江,chéng jiāng,"Chengjiang county in Yuxi 玉溪[Yu4 xi1], east Yunnan, famous as lower Cambrian fossil site" -澄江县,chéng jiāng xiàn,"Chengjiang county in Yuxi 玉溪[Yu4 xi1], Yunnan" -澄海,chéng hǎi,"Sea of Serenity (Mare Serenitatis, on the moon)" -澄海,chéng hǎi,"Chenghai District of Shantou city 汕頭市|汕头市[Shan4 tou2 Shi4], Guangdong" -澄海区,chéng hǎi qū,"Chenghai District of Shantou city 汕頭市|汕头市[Shan4 tou2 Shi4], Guangdong" -澄渊,chéng yuān,"clear, deep water" -澄清,chéng qīng,clear (of liquid); limpid; to clarify; to make sth clear; to be clear (about the facts) -澄清,dèng qīng,to settle (of liquid); to become clear (by precipitation of impurities); precipitate (chemistry); to put in order; to quell disturbances -澄澈,chéng chè,limpid; crystal clear -澄粉,chéng fěn,wheat starch -澄迈,chéng mài,"Chengmai County, Hainan" -澄迈县,chéng mài xiàn,"Chengmai County, Hainan" -浇,jiāo,to pour liquid; to irrigate (using waterwheel); to water; to cast (molten metal); to mold -浇冷水,jiāo lěng shuǐ,to pour cold water; fig. to discourage -浇水,jiāo shuǐ,to water (plants etc) -浇注,jiāo zhù,to cast (metal) -浇灌,jiāo guàn,to water; to irrigate -浇筑,jiāo zhù,to pour (concrete etc) -浇花,jiāo huā,to water the plants; to water the garden -浇铸,jiāo zhù,to cast (molten metal); to mold -涝,lào,flooded -澈,chè,clear (water); thorough -澈底,chè dǐ,variant of 徹底|彻底[che4 di3] -澈查,chè chá,variant of 徹查|彻查[che4 cha2] -澉,gǎn,place name; wash -澌,sī,drain dry; to exhaust -澍,shù,moisture; timely rain -澎,péng,used in 澎湃[peng2pai4]; Taiwan pr. [peng1] -澎湃,péng pài,(of the sea etc) surging; tempestuous; (fig.) highly emotional; fervent -澎湖,péng hú,"Penghu county (Pescadores Islands), Taiwan" -澎湖列岛,péng hú liè dǎo,"Pescadores Islands, Taiwan" -澎湖岛,péng hú dǎo,"Pescadores Islands, Penghu county, Taiwan" -澎湖县,péng hú xiàn,"Penghu county (Pescadores Islands), Taiwan" -澎湖群岛,péng hú qún dǎo,"Penghu or Pescadores, archipelago of 90 islands to west of Taiwan" -涧,jiàn,mountain stream -涧壑,jiàn hè,valley; ravine -涧峡,jiàn xiá,a gorge -涧水,jiàn shuǐ,mountain stream -涧流,jiàn liú,mountain stream; stream in a valley -涧溪,jiàn xī,mountain stream; stream in a valley -涧西,jiàn xī,Jianxi district of Luoyang City 洛陽市|洛阳市 in Henan province 河南 -涧西区,jiàn xī qū,Jianxi district of Luoyang City 洛陽市|洛阳市 in Henan province 河南 -渑,shéng,name of a river in Shandong -渑池,miǎn chí,"Mianchi county in Sanmenxia 三門峽|三门峡[San1 men2 xia2], Henan" -渑池县,miǎn chí xiàn,"Mianchi county in Sanmenxia 三門峽|三门峡[San1 men2 xia2], Henan" -澡,zǎo,bath -澡垢索疵,zǎo gòu suǒ cī,to wash the dirt to find a defect (idiom); to find fault; to nitpick -澡堂,zǎo táng,public baths -澡塘,zǎo táng,communal bath; common pool in bath house -澡巾,zǎo jīn,scrub mitt; shower glove -澡盆,zǎo pén,bath tub -澡罐,zǎo guàn,tub (used for ablutions in a monastery) -澡身浴德,zǎo shēn yù dé,to bathe the body and cleanse virtue (idiom); to improve oneself by meditation; cleanliness is next to godliness -浣,huàn,variant of 浣[huan4] -泽,zé,pool; pond; (of metals etc) luster; favor or beneficence; damp; moist -泽塔,zé tǎ,zeta (Greek letter Ζζ) -泽州,zé zhōu,"Zezhou county in Jincheng 晉城|晋城[Jin4 cheng2], Shanxi" -泽州县,zé zhōu xiàn,"Zezhou county in Jincheng 晉城|晋城[Jin4 cheng2], Shanxi" -泽布吕赫,zé bù lǚ hè,Zeebrugge (port city in Belgium) -泽库,zé kù,"Zeku County in Huangnan Tibetan Autonomous Prefecture 黃南藏族自治州|黄南藏族自治州[Huang2 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -泽库县,zé kù xiàn,"Zeku County in Huangnan Tibetan Autonomous Prefecture 黃南藏族自治州|黄南藏族自治州[Huang2 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -泽普,zé pǔ,"Poskam nahiyisi (Poskam county) in Kashgar prefecture 喀什地區|喀什地区[Ka1 shi2 di4 qu1], west Xinjiang" -泽普县,zé pǔ xiàn,"Poskam nahiyisi (Poskam county) in Kashgar prefecture 喀什地區|喀什地区[Ka1 shi2 di4 qu1], west Xinjiang" -泽泻,zé xiè,common water plantain (Alisma plantago-aquatica); water plantain rhizome (used in TCM) -泽当,zé dāng,"Zêdang town in Nêdong county 乃東縣|乃东县[Nai3 dong1 xian4], Tibet, capital of Lhokha prefecture" -泽当镇,zé dāng zhèn,"Zêdang town in Nêdong county 乃東縣|乃东县[Nai3 dong1 xian4], Tibet, capital of Lhokha prefecture 山南地區|山南地区[Shan1 nan2 di4 qu1]" -泽兰,zé lán,"Eupatorium, e.g. Japanese bog orchid (Eupatorium japonicum Thunb)" -泽西,zé xī,Jersey (Channel Islands) -泽西岛,zé xī dǎo,Jersey (Channel Islands) -泽鹬,zé yù,(bird species of China) marsh sandpiper (Tringa stagnatilis) -澥,xiè,(of porridge etc) to become watery; (dialect) to thin (porridge etc) by adding water etc -澧,lǐ,"Lishui River in north Hunan, flowing into Lake Dongting 洞庭湖[Dong4ting2 Hu2]; surname Li" -澧水,lǐ shuǐ,"Lishui river in north Hunan, flowing into Lake Dongting 洞庭湖" -澧县,lǐ xiàn,"Li county in Changde 常德[Chang2 de2], Hunan" -浍,kuài,drain; stream -淀,diàn,to form sediment; to precipitate -淀山湖,diàn shān hú,Dianshan Lake in Shanghai -淀积,diàn jī,(geology) to illuviate -淀积物,diàn jī wù,(geology) illuvial material -淀粉,diàn fěn,starch; amylum (C6H10O5)n -淀粉酶,diàn fěn méi,amylase -澳,ào,Macao (abbr. for 澳門|澳门[Ao4 men2]); Australia (abbr. for 澳大利亞|澳大利亚[Ao4 da4 li4 ya4]) -澳,ào,deep bay; cove; harbor -澳元,ào yuán,Australian dollar -澳南沙锥,ào nán shā zhuī,(bird species of China) Latham's snipe (Gallinago hardwickii) -澳大利亚,ào dà lì yà,Australia -澳大利亚国立大学,ào dà lì yà guó lì dà xué,"Australian National University (ANU), Canberra" -澳大利亚洲,ào dà lì yà zhōu,Australia (abbr. to 澳洲[Ao4 zhou1]) -澳大利亚联邦,ào dà lì yà lián bāng,Commonwealth of Australia -澳大利亚首都特区,ào dà lì yà shǒu dū tè qū,Australian Capital Territory -澳宝,ào bǎo,opal (abbr. for 澳洲寶石|澳洲宝石[Ao4 zhou1 bao3 shi2]) -澳币,ào bì,Australian dollar -澳式,ào shì,Australian-style; Macanese-style -澳式橄榄球,ào shì gǎn lǎn qiú,Australian rules football; Aussie rules -澳新界,ào xīn jiè,Australasian realm -澳新军团,ào xīn jūn tuán,Australian and New Zealand Army Corps (ANZAC) -澳新军团日,ào xīn jūn tuán rì,Anzac Day -澳洲,ào zhōu,Australia (abbr. for 澳大利亞洲|澳大利亚洲[Ao4da4li4ya4 Zhou1]) -澳洲坚果,ào zhōu jiān guǒ,macadamia nut -澳洲小鹦鹉,ào zhōu xiǎo yīng wǔ,lorikeet -澳洲广播电台,ào zhōu guǎng bō diàn tái,"Australian Broadcasting Corporation (ABC), Australian state-run broadcaster" -澳洲野犬,ào zhōu yě quǎn,dingo (Canis dingo) -澳洲鳗鲡,ào zhōu mán lí,short-finned eel (Anguilla australis) -澳纽,ào niǔ,Australia and New Zealand -澳网,ào wǎng,Australian Open (tennis tournament) -澳门,ào mén,Macao -澳门国际机场,ào mén guó jì jī chǎng,Macau International Airport -澳门市,ào mén shì,Municipality of Macau -澳门立法会,ào mén lì fǎ huì,Legislative Council of Macao -澳际,ào jì,"Aoji, education agent" -澶,chán,still (as of water); still water -澹,tán,surname Tan -澹,dàn,tranquil; placid; quiet -澹泊,dàn bó,variant of 淡泊[dan4 bo2] -澹然,dàn rán,variant of 淡然[dan4 ran2] -激,jī,to arouse; to incite; to excite; to stimulate; sharp; fierce; violent -激光,jī guāng,laser -激光二极管,jī guāng èr jí guǎn,laser diode -激光唱片,jī guāng chàng piàn,"compact disk; CD; CL:片[pian4],張|张[zhang1]" -激光器,jī guāng qì,laser -激光打印机,jī guāng dǎ yìn jī,laser printer -激光打引机,jī guāng dǎ yǐn jī,laser printer -激光笔,jī guāng bǐ,laser pointer -激光雷达,jī guāng léi dá,lidar -激凸,jī tū,protruding nipples or bulging penis (contours of intimate body parts visible through clothing) -激动,jī dòng,to move emotionally; to stir up (emotions); to excite -激励,jī lì,to encourage; to urge; motivation; incentive -激励机制,jī lì jī zhì,incentive mechanism; incentives -激化,jī huà,to intensify -激增,jī zēng,to increase rapidly; to shoot up -激奋,jī fèn,aroused; excited -激子,jī zǐ,exciton (physics) -激将,jī jiàng,to spur sb into action by making negative remarks -激将法,jī jiàng fǎ,"indirect, psychological method of getting sb to do as one wishes (e.g. questioning whether they are up to the task)" -激忿,jī fèn,variant of 激憤|激愤[ji1 fen4] -激怒,jī nù,to infuriate; to enrage; to exasperate -激情,jī qíng,passion; fervor; enthusiasm; strong emotion -激愤,jī fèn,to stir up emotions; furious; angry; anger -激战,jī zhàn,to fight fiercely; fierce battle -激打,jī dǎ,laser printer; abbr. for 激光打印機|激光打印机[ji1 guang1 da3 yin4 ji1] -激昂,jī áng,impassioned; worked up -激波,jī bō,shock wave -激活,jī huó,to activate -激流,jī liú,torrent; torrential current; whitewater -激流回旋,jī liú huí xuán,(canoe-kayak) slalom -激浪,jī làng,Mountain Dew -激浊扬清,jī zhuó yáng qīng,lit. drain away filth and bring in fresh water (idiom); fig. dispel evil and usher in good; eliminate vice and exalt virtue -激烈,jī liè,(of competition or fighting) intense; fierce; (of pain) acute; (of an expression of opinion) impassioned; vehement; (of a course of action) drastic; extreme -激发,jī fā,to arouse; to stimulate; (physics) to excite -激荡,jī dàng,to rage; to dash; to surge -激素,jī sù,hormone -激荡,jī dàng,to rage; to dash; to surge; also written 激盪|激荡 -激赏,jī shǎng,to be full of admiration -激赞,jī zàn,to heap praise on -激起,jī qǐ,to arouse; to evoke; to cause; to stir up -激越,jī yuè,intense; loud -激进,jī jìn,radical; extreme; extremist -激进主义,jī jìn zhǔ yì,radicalism -激进分子,jī jìn fèn zǐ,radicals; extremists -激进化,jī jìn huà,radicalization; to radicalize -激进武装,jī jìn wǔ zhuāng,armed extremists -激进武装分子,jī jìn wǔ zhuāng fèn zǐ,armed extremists -激酶,jī méi,kinase (biochemistry) -激灵,jī líng,to quiver -浊,zhuó,turbid; muddy; impure -浊世,zhuó shì,the world in chaos; troubled times; the mortal world (Buddhism) -浊塞音,zhuó sè yīn,(linguistics) voiced stop -浊度,zhuó dù,turbidity -浊流,zhuó liú,turbid flow; muddy waters; fig. a contemptible person; fig. corrupt or disgraceful social trends -浊积岩,zhuó jī yán,turbidite (geology) -浊臭熏天,zhuó chòu xūn tiān,stinks to high heaven -浊辅音,zhuó fǔ yīn,voiced consonant (linguistics) -浊酒,zhuó jiǔ,unfiltered rice wine -浊音,zhuó yīn,(phonetics) voiced sound; sonant -濂,lián,name of a river in Hunan -浓,nóng,concentrated; dense; strong (smell etc) -浓厚,nóng hòu,"dense; thick (fog, clouds etc); to have a strong interest in; deep; fully saturated (color)" -浓墨重彩,nóng mò zhòng cǎi,thick and heavy in colors; to describe sth in colorful language with attention to detail (idiom) -浓妆,nóng zhuāng,heavy makeup and gaudy dress -浓妆艳抹,nóng zhuāng yàn mǒ,to apply makeup conspicuously (idiom); dressed to the nines and wearing makeup -浓密,nóng mì,thick; murky -浓度,nóng dù,concentration (percentage of dissolved material in a solution); consistency; thickness; density; viscosity -浓淡,nóng dàn,"shade (of a color, i.e. light or dark)" -浓汤,nóng tāng,thick soup; puree -浓烈,nóng liè,"strong (taste, flavor, smell)" -浓烟,nóng yān,thick smoke -浓眉大眼,nóng méi dà yǎn,thick eyebrows and big eyes -浓稠,nóng chóu,thick; dense and creamy -浓缩,nóng suō,to concentrate (a liquid); concentration; espresso coffee; abbr. for 意式濃縮咖啡|意式浓缩咖啡 -浓缩咖啡,nóng suō kā fēi,espresso -浓缩铀,nóng suō yóu,enriched uranium -浓艳,nóng yàn,(of colors) garish; rich -浓郁,nóng yù,rich; strong; heavy (fragrance); dense; full-bodied; intense -浓重,nóng zhòng,dense; thick; strong; rich (colors); heavy (aroma); deep (friendship); profound (effect) -浓集,nóng jí,to concentrate; to enrich -浓集铀,nóng jí yóu,enriched uranium -浓雾,nóng wù,thick fog -浓香,nóng xiāng,strong fragrance; pungent -濉,suī,name of a river -濉溪,suī xī,"Suixi, a county in Huaibei 淮北[Huai2bei3], Anhui" -濉溪县,suī xī xiàn,"Suixi, a county in Huaibei 淮北[Huai2bei3], Anhui" -濊,huì,vast; expansive (as of water) -濊貊,huì mò,"Yemaek, ancient ethnic group of Manchuria and Korea, precursors of Korean Goguryeo kingdom" -湿,shī,moist; wet -湿吻,shī wěn,French kiss -湿哒哒,shī dā dā,variant of 濕答答|湿答答[shi1 da1 da1] -湿地,shī dì,wetland -湿婆,shī pó,Shiva (Hindu deity) -湿巾,shī jīn,wet wipe; towelette -湿度,shī dù,humidity level -湿气,shī qì,moisture; humidity; athlete's foot; tinea; eczema -湿渌渌,shī lù lù,variant of 濕漉漉|湿漉漉[shi1 lu4 lu4] -湿温,shī wēn,damp heat; summer fever (TCM) -湿滑,shī huá,"(of floors, roads etc) wet and slippery" -湿漉漉,shī lù lù,damp; clammy; dripping wet -湿润,shī rùn,moist -湿润剂,shī rùn jì,moistener; wetting agent -湿疣,shī yóu,condyloma (genital wart of viral origin); Condyloma acuminatum -湿疹,shī zhěn,eczema -湿答答,shī dā dā,soaking wet -湿衣,shī yī,wetsuit -湿透,shī tòu,drenched; wet through -湿黏,shī nián,clammy -泞,nìng,muddy -蒙,méng,drizzle; mist -濞,bì,used in place names; see 漾濞[Yang4 bi4] -济,jǐ,used in place names associated with the Ji River 濟水|济水[Ji3 Shui3]; surname Ji -济,jǐ,used in 濟濟|济济[ji3 ji3] -济,jì,to cross a river; to aid or relieve; to be of help -济事,jì shì,(usually used in the negative) to be of help or use -济公,jì gōng,"Jigong or Daoji (1130-1207), Southern Song Dynasty Buddhist monk" -济助,jì zhù,to relieve and help -济南,jǐ nán,"Jinan, subprovincial city and capital of Shandong province in northeast China" -济南市,jǐ nán shì,Jinan subprovincial city and capital of Shandong province in northeast China -济危,jì wēi,to help people in distress -济危扶困,jì wēi fú kùn,to help people in difficulty and bring relief to the needy (idiom) -济困扶危,jì kùn fú wēi,to help those in distress (idiom) -济宁,jǐ níng,Jining prefecture-level city in Shandong -济宁市,jǐ níng shì,Jining prefecture-level city in Shandong -济州,jì zhōu,"Jeju Island special autonomous province (Cheju Island), South Korea, a World Heritage site" -济州岛,jì zhōu dǎo,"Jeju Island special autonomous province, South Korea, a World Heritage site" -济州特别自治道,jì zhōu tè bié zì zhì dào,"Jeju island special autonomous province, South Korea, a World Heritage site" -济急,jì jí,to give relief (material) -济水,jǐ shuǐ,"Ji River, former river of north-eastern China which disappeared after the Yellow River flooded in 1852" -济源,jì yuán,Jiyuan directly administered city in Henan -济源市,jì yuán shì,Jiyuan directly administered city in Henan -济济,jǐ jǐ,large number of people -济济一堂,jǐ jǐ yī táng,to congregate in one hall (idiom); to gather under one roof -济贫,jì pín,to help the poor -济阳,jì yáng,"Jiyang county in Jinan 濟南|济南[Ji3 nan2], Shandong" -济阳县,jì yáng xiàn,"Jiyang county in Jinan 濟南|济南[Ji3 nan2], Shandong" -濠,háo,trench -濠江,háo jiāng,"Haojiang District of Shantou city 汕頭市|汕头市[Shan4 tou2 Shi4], Guangdong" -濠江区,háo jiāng qū,"Haojiang District of Shantou City 汕頭市|汕头市[Shan4 tou2 Shi4], Guangdong" -濡,rú,dilatory; to moisten -濡忍,rú rěn,compliant; submissive -濡染,rú rǎn,to infect; to influence; to dip (in ink) -濡毫,rú háo,to dip the pen into ink; to write -濡沫涸辙,rú mò hé zhé,to help each other out in hard times (idiom) -濡湿,rú shī,to moisten -涛,tāo,big wave; Taiwan pr. [tao2] -滥,làn,overflowing; excessive; indiscriminate -滥交,làn jiāo,to fall into bad company; to make acquaintances indiscriminately -滥伐,làn fá,to denude; illegal logging; forest clearance -滥刑,làn xíng,indiscriminate punishment -滥套子,làn tào zi,platitude; pointless talk -滥好人,làn hǎo rén,sb who tries to be on good terms with everyone -滥情,làn qíng,fickle in love; sentimentality -滥权,làn quán,abuse of authority -滥杀,làn shā,to kill indiscriminately; to massacre -滥杀无辜,làn shā wú gū,willfully slaughter the innocent (idiom) -滥漫,làn màn,arbitrary; indiscriminate -滥用,làn yòng,to misuse; to abuse -滥用权力,làn yòng quán lì,abuse of power -滥用职权,làn yòng zhí quán,abuse of power -滥砍滥伐,làn kǎn làn fá,wanton destruction of forested lands -滥竽,làn yú,indiscriminately included in company (without any qualification); see 濫竽充數|滥竽充数[lan4 yu2 chong1 shu4] -滥竽充数,làn yú chōng shù,lit. to play the yu 竽 mouth organ to make up numbers (idiom); fig. to make up the numbers with inferior products; to masquerade as having an ability; token member of a group -滥骂,làn mà,scurrilous; to scold indiscriminately -滥觞,làn shāng,lit. floating wine goblets on a stream; the origin (of some phenomenon) -滥调,làn diào,hackneyed talk; platitude -浚,jùn,variant of 浚[jun4] -濮,pú,name of a river; surname Pu -濮阳,pú yáng,"Puyang, prefecture-level city in Henan" -濮阳市,pú yáng shì,"Puyang, prefecture-level city in Henan" -濮阳县,pú yáng xiàn,"Puyang county in Puyang, Henan" -濯,zhào,variant of 櫂|棹[zhao4] -濯,zhuó,to wash; to cleanse of evil -濯濯,zhuó zhuó,bare and bald (of mountains); bright and brilliant; fat and sleek -濯盥,zhuó guàn,to wash oneself -濯足,zhuó zú,to wash one's feet -濯身,zhuó shēn,to keep oneself clean (figurative) -濯锦以鱼,zhuó jǐn yǐ yú,to make the ugly beautiful (idiom) -潍,wéi,name of a river -潍坊,wéi fāng,"Weifang, prefecture-level city in Shandong" -潍坊市,wéi fāng shì,"Weifang, prefecture-level city in Shandong" -潍城,wéi chéng,"Weicheng district of Weifang city 濰坊市|潍坊市[Wei2 fang1 shi4], Shandong" -潍城区,wéi chéng qū,"Weicheng district of Weifang city 濰坊市|潍坊市[Wei2 fang1 shi4], Shandong" -滨,bīn,"(bound form) water's edge; bank; shore; (bound form) to border on (a lake, river etc)" -滨城,bīn chéng,"Bincheng district of Binzhou city 濱州市|滨州市[Bin1 zhou1 shi4], Shandong" -滨城区,bīn chéng qū,"Bincheng district of Binzhou city 濱州市|滨州市[Bin1 zhou1 shi4], Shandong" -滨州,bīn zhōu,Binzhou prefecture-level city in Shandong -滨州市,bīn zhōu shì,Binzhou prefecture-level city in Shandong -滨松,bīn sōng,"Hamamatsu, city in Shizuoka prefecture 靜岡縣|静冈县[Jing4 gang1 xian4], Japan" -滨松市,bīn sōng shì,"Hamamatsu, city in Shizuoka prefecture 靜岡縣|静冈县[Jing4 gang1 xian4], Japan" -滨江,bīn jiāng,along the bank of a river; riverside -滨江区,bīn jiāng qū,"Binjiang district of Hangzhou city 杭州市, Zhejiang" -滨海,bīn hǎi,"Binhai (place name); Binhai New District, subprovincial district of Tianjin; Binhai county in Yancheng 鹽城|盐城[Yan2 cheng2], Jiangsu; fictitious city Binhai in political satire; Primorsky, a territory in the far east of Russia" -滨海,bīn hǎi,coastal; bordering the sea -滨海新区,bīn hǎi xīn qū,"Binhai New District, subprovincial district of Tianjin" -滨海县,bīn hǎi xiàn,"Binhai county in Yancheng 鹽城|盐城[Yan2 cheng2], Jiangsu" -滨海边疆区,bīn hǎi biān jiāng qū,Primorsky Krai (Russian territory whose administrative center is Vladivostok 符拉迪沃斯托克) -滨湖,bīn hú,"Binhu district of Wuxi city 無錫市|无锡市[Wu2 xi1 shi4], Jiangsu" -滨湖区,bīn hú qū,"Binhu district of Wuxi city 無錫市|无锡市[Wu2 xi1 shi4], Jiangsu" -滨田,bīn tián,Hamada (name) -滨田靖一,bīn tián jìng yī,"HAMADA Yasukazu (1955-), Japanese defense minister from 2008" -阔,kuò,variant of 闊|阔[kuo4] -溅,jiàn,to splash -溅射,jiàn shè,sputtering -溅洒,jiàn sǎ,to spill; to splatter; to splash -溅落,jiàn luò,(of a spacecraft) to splash down; (of a liquid) to splash onto a surface -溅开,jiàn kāi,splash -泺,luò,name of a river -滤,lǜ,to strain; to filter -滤光镜,lǜ guāng jìng,(photography) filter -滤出,lǜ chū,to filter out -滤嘴,lǜ zuǐ,cigarette filter -滤器,lǜ qì,filter; strainer -滤尘器,lǜ chén qì,dust filter -滤压壶,lǜ yā hú,French press; press pot -滤毒通风装置,lǜ dú tōng fēng zhuāng zhì,filtration equipment -滤泡,lǜ pào,follicle -滤波,lǜ bō,filtering radio waves (i.e. to pick out one frequency) -滤波器,lǜ bō qì,filter -滤液,lǜ yè,filtrate -滤清,lǜ qīng,to filter and purify -滤清器,lǜ qīng qì,a filter -滤盆,lǜ pén,colander -滤砂,lǜ shā,filter sand -滤纸,lǜ zhǐ,filter paper -滤网,lǜ wǎng,filter; a sieve -滤色镜,lǜ sè jìng,color filter -滤芯,lǜ xīn,filter cartridge; filter -滤过,lǜ guò,to filter -滤锅,lǜ guō,colander -滤镜,lǜ jìng,(photography) filter -滤除,lǜ chú,to filter out -滤饼,lǜ bǐng,filtrate; solid residue produced by a filter; mud from filtering can sugar -滢,yíng,clear; limpid (of water) -渎,dú,disrespectful; (literary) ditch -渎职,dú zhí,wrongdoing; failure to do one's duty -泻,xiè,to flow out swiftly; to flood; a torrent; diarrhea; laxative -泻剂,xiè jì,laxative -泻湖,xiè hú,lagoon -泻肚,xiè dù,to have diarrhea -泻肚子,xiè dù zi,see 瀉肚|泻肚[xie4 du4] -泻药,xiè yào,laxative -泻盐,xiè yán,epsom salts -沈,shěn,short name for 瀋陽|沈阳[Shen3 yang2] -沈,shěn,(literary) juice -沈阳,shěn yáng,"Shenyang subprovincial city and capital of Liaoning province 遼寧省|辽宁省[Liao2 ning2 Sheng3] in northeast China; old names include Fengtian 奉天[Feng4 tian1], Shengjing 盛京[Sheng4 jing1] and Mukden" -沈阳市,shěn yáng shì,"Shenyang subprovincial city and capital of Liaoning province 遼寧省|辽宁省[Liao2 ning2 Sheng3] in northeast China; old names include Fengtian 奉天[Feng4 tian1], Shengjing 盛京[Sheng4 jing1] and Mukden" -沈阳故宫,shěn yáng gù gōng,"Mukden Palace, aka Shenyang Imperial Palace, the main imperial palace during the early years of the Qing dynasty (1625-1644), a secondary palace in subsequent years, now a museum" -浏,liú,clear; deep (of water); swift -浏海,liú hǎi,see 劉海|刘海[liu2 hai3] -浏览,liú lǎn,to skim over; to browse -浏览器,liú lǎn qì,browser (software) -浏览软件,liú lǎn ruǎn jiàn,a web browser -浏览量,liú lǎn liàng,(website) traffic; page views; volume of website traffic -浏阳,liú yáng,"Liuyang, county-level city in Changsha 長沙|长沙[Chang2 sha1], Hunan" -浏阳市,liú yáng shì,"Liuyang, county-level city in Changsha 長沙|长沙[Chang2 sha1], Hunan" -瀑,bào,shower (rain) -瀑,pù,waterfall -瀑布,pù bù,waterfall -濒,bīn,to approach; to border on; near -濒危,bīn wēi,endangered (species); in imminent danger; critically ill -濒危物种,bīn wēi wù zhǒng,endangered species -濒危野生动植物种国际贸易公约,bīn wēi yě shēng dòng zhí wù zhǒng guó jì mào yì gōng yuē,Convention on International Trade in Endangered Species of Wild Fauna and Flora; CITES -濒于,bīn yú,near to; approaching (collapse) -濒死,bīn sǐ,nearing death; on the point of demise; approaching extinction -濒河,bīn hé,bordering a river; riparian -濒海,bīn hǎi,coastal; bordering the sea -濒灭,bīn miè,on the brink of extinction -濒临,bīn lín,on the edge of; (fig.) on the verge of; close to -濒近,bīn jìn,on the brink -泸,lú,old name of a river in Jiangxi; place name -泸定,lú dìng,"Luding county (Tibetan: lcags zam rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1], Sichuan (formerly in Kham province of Tibet)" -泸定桥,lú dìng qiáo,"Luding Bridge over Dadu river 大渡河[Da4 du4 he2] in Sichuan, built by Kangxi in 1706, linking Luding county Sichuan Luding county 瀘定縣|泸定县[Lu2 ding4 xian4] with Garze Tibetan autonomous prefecture 甘孜藏族自治州|甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1]" -泸定县,lú dìng xiàn,"Luding county (Tibetan: lcags zam rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1], Sichuan (formerly in Kham province of Tibet)" -泸州,lú zhōu,Luzhou prefecture-level city in Sichuan -泸州市,lú zhōu shì,Luzhou prefecture-level city in Sichuan -泸水,lú shuǐ,Lushui county in Nujiang Lisu autonomous prefecture 怒江傈僳族自治州[Nu4 jiang1 Li4 su4 zu2 zi4 zhi4 zhou1] in northwest Yunnan -泸水县,lú shuǐ xiàn,Lushui county in Nujiang Lisu autonomous prefecture 怒江傈僳族自治州[Nu4 jiang1 Li4 su4 zu2 zi4 zhi4 zhou1] in northwest Yunnan -泸沽湖,lú gū hú,"Lugu Lake, alpine lake on the border of Yunnan and Sichuan" -泸溪,lú xī,Luxi County in Xiangxi Tujia and Miao Autonomous Prefecture 湘西土家族苗族自治州[Xiang1 xi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1] -泸溪县,lú xī xiàn,Luxi County in Xiangxi Tujia and Miao Autonomous Prefecture 湘西土家族苗族自治州[Xiang1 xi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1] -泸县,lú xiàn,"Lu county in Luzhou 瀘州|泸州[Lu2 zhou1], Sichuan" -泸西,lú xī,"Luxi county in Honghe Hani and Yi autonomous prefecture, Yunnan" -泸西县,lú xī xiàn,"Luxi county in Honghe Hani and Yi autonomous prefecture, Yunnan" -瀚,hàn,ocean; vastness -瀛,yíng,ocean -瀛洲,yíng zhōu,"Yingzhou, easternmost of three fabled islands in Eastern sea, home of immortals and source of elixir of immortality" -瀛台,yíng tái,"Ocean platform in Zhongnanhai 中南海[Zhong1 nan2 hai3] surrounded by water on three sides, recreation area for imperial wives and concubines, more recently for communist top brass" -沥,lì,to drip; to strain or filter; a trickle -沥干,lì gān,to drain -沥水架,lì shuǐ jià,dish rack -沥陈鄙见,lì chén bǐ jiàn,to state one's humble opinion (idiom) -沥青,lì qīng,asphalt; bitumen; pitch -沥青铀矿,lì qīng yóu kuàng,pitchblende (uranium ore) -潇,xiāo,(of water) deep and clear; (of wind and rain) howling and pounding; (of light rain) pattering -潇湘,xiāo xiāng,other name of the Xiangjiang river 湘江[Xiang1 jiang1] in Hunan province -潇潇细雨,xiāo xiāo xì yǔ,"(idiom) soft, misty rain" -潇洒,xiāo sǎ,confident and at ease; free and easy -潆,yíng,eddy; small river -瀣,xiè,mist; vapor -潴,zhū,pool; pond -潴留,zhū liú,retention (medicine) -泷,shuāng,Shuang river in Hunan and Guangdong (modern Wu river 武水) -泷,lóng,rapids; waterfall; torrential (rain) -泷水,shuāng shuǐ,Shuang river in Hunan and Guangdong (modern Wu river 武水) -泷泽,lóng zé,Takizawa or Takesawa (Japanese name) -泷船,lóng chuán,boat or raft adapted to handle rapids; white-water raft -濑,lài,name of a river; rushing of water -弥,mí,brimming or overflowing -弥漫,mí màn,variant of 彌漫|弥漫[mi2 man4] -弥漫星云,mí màn xīng yún,diffuse nebula -潋,liàn,full of water; trough -瀵,fèn,name of a river; valley vapor -瀹,yuè,to cleanse; to boil -澜,lán,swelling water -澜沧拉祜族自治县,lán cāng lā hù zú zì zhì xiàn,"Lancang Lahuzu Autonomous County in Pu'er 普洱[Pu3 er3], Yunnan" -澜沧江,lán cāng jiāng,"Lancang River of Qinghai and Yunnan, the upper reaches of Mekong River 湄公河[Mei2 gong1 He2] of Southeast Asia" -澜沧县,lán cāng xiàn,"Lancang Lahuzu autonomous county in Pu'er 普洱[Pu3 er3], Yunnan" -沣,fēng,"rainy; place name in Shaanxi; Feng River in Shaanxi 陝西|陕西, tributary of Wei River 渭水[Wei4 Shui3]" -沣水,fēng shuǐ,"Feng River in Shaanxi 陝西|陕西[Shan3 xi1], tributary of Wei River 渭水[Wei4 Shui3]" -滠,shè,name of a river -法,fǎ,old variant of 法[fa3]; law -灌,guàn,to irrigate; to pour; to install (software); to record (music) -灌区,guàn qū,area under irrigation -灌南,guàn nán,"Guannan county in Lianyungang 連雲港|连云港[Lian2 yun2 gang3], Jiangsu" -灌南县,guàn nán xiàn,"Guannan county in Lianyungang 連雲港|连云港[Lian2 yun2 gang3], Jiangsu" -灌丛,guàn cóng,scrub; shrubland; undergrowth -灌木,guàn mù,bush; shrub -灌木丛,guàn mù cóng,shrub; shrubbery -灌木林,guàn mù lín,shrubbery; low wood -灌水,guàn shuǐ,to irrigate; to pour water into; to inject water into meat to increase its weight (plumping); to cook the books; to post low-value messages (small talk etc) on Internet forums -灌注,guàn zhù,to pour into; perfusion (med.); to concentrate one's attention on; to teach; to inculcate; to instill -灌渠,guàn qú,irrigation channel -灌溉,guàn gài,to irrigate -灌溉渠,guàn gài qú,irrigation channel -灌浆,guàn jiāng,grouting; (of grain) to be in the milk; to form a vesicle (medicine) -灌濯,guàn zhuó,to wash; to rinse -灌站,guàn zhàn,pumping station in irrigation system -灌篮,guàn lán,slam dunk -灌米汤,guàn mǐ tāng,to flatter; to butter sb up -灌肠,guàn cháng,enema; to give an enema -灌肠,guàn chang,sausage with a starchy filling -灌输,guàn shū,to imbue with; to inculcate; to instill into; to teach; to impart; to channel water to another place -灌迷魂汤,guàn mí hún tāng,to butter sb up; to try to impress sb -灌酒,guàn jiǔ,to force sb to drink alcohol -灌醉,guàn zuì,to fuddle; to befuddle; to inebriate; to get someone drunk -灌铅,guàn qiān,to weight sth with lead; (of a die) loaded; to pour molten lead into the mouth (as a punishment) -灌录,guàn lù,to record (audio) -灌阳,guàn yáng,"Guanyang county in Guilin 桂林[Gui4 lin2], Guangxi" -灌阳县,guàn yáng xiàn,"Guanyang county in Guilin 桂林[Gui4 lin2], Guangxi" -灌云,guàn yún,"Guanyun county in Lianyungang 連雲港|连云港[Lian2 yun2 gang3], Jiangsu" -灌云县,guàn yún xiàn,"Guanyun county in Lianyungang 連雲港|连云港[Lian2 yun2 gang3], Jiangsu" -洒,sǎ,to sprinkle; to spray; to spill; to shed -洒布,sǎ bù,to spread -洒水,sǎ shuǐ,to sprinkle -洒水机,sǎ shuǐ jī,sprinkler -洒水车,sǎ shuǐ chē,sprinkler truck -洒满,sǎ mǎn,to sprinkle over sth -洒狗血,sǎ gǒu xiě,to overreact; melodramatic -洒脱,sǎ tuo,free and at ease; natural; unconstrained -漓,lí,name of a river -漓,lí,to seep through -漓江,lí jiāng,"River Li, Guangxi" -滩,tān,"beach; shoal; rapids; CL:片[pian4]; classifier for liquids: pool, puddle" -滩涂,tān tú,mudflat -滩头,tān tóu,beach; sand bank -滩头堡,tān tóu bǎo,beachhead (military) -灏,hào,vast (of water) -灞,bà,name of a river -灞桥,bà qiáo,"Baqiao District of Xi’an 西安市[Xi1 an1 Shi4], Shaanxi" -灞桥区,bà qiáo qū,"Baqiao District of Xi’an 西安市[Xi1 an1 Shi4], Shaanxi" -湾,wān,bay; gulf; to cast anchor; to moor (a boat) -湾仔,wān zǎi,Wan Chai district of Hong Kong -湾潭,wān tán,curved pool -湾环,wān huán,twisting river -湾里,wān lǐ,"Wanli district of Nanchang city 南昌市, Jiangxi" -湾里区,wān lǐ qū,"Wanli district of Nanchang city 南昌市, Jiangxi" -滦,luán,river and county in Hebei Province -滦南,luán nán,"Luannan county in Tangshan 唐山[Tang2 shan1], Hebei" -滦南县,luán nán xiàn,"Luannan county in Tangshan 唐山[Tang2 shan1], Hebei" -滦平,luán píng,"Luanping county in Chengde 承德[Cheng2 de2], Hebei" -滦平县,luán píng xiàn,"Luanping county in Chengde 承德[Cheng2 de2], Hebei" -滦河,luán hé,Luan River -滦县,luán xiàn,"Luan county in Tangshan 唐山[Tang2 shan1], Hebei" -赣,gàn,variant of 贛|赣[Gan4] -滟,yàn,tossing of billows -火,huǒ,surname Huo -火,huǒ,fire; urgent; ammunition; fiery or flaming; internal heat (Chinese medicine); hot (popular); classifier for military units (old); Kangxi radical 86 -火上加油,huǒ shàng jiā yóu,to add oil to the fire (idiom); fig. to aggravate a situation; to enrage people and make matters worse -火上浇油,huǒ shàng jiāo yóu,to pour oil on the fire (idiom); fig. to aggravate a situation; to enrage people and make matters worse -火中取栗,huǒ zhōng qǔ lì,lit. to pull chestnuts out of the fire (idiom); fig. to be sb's cat's-paw -火伴,huǒ bàn,variant of 伙伴[huo3 ban4] -火并,huǒ bìng,(of rival gangs or armed factions etc) to engage in internecine violence; to have an open fight; to clash on the streets; to have a shootout -火候,huǒ hou,heat control; (fig.) mastery; (fig.) crucial moment -火光,huǒ guāng,flame; blaze -火儿,huǒ er,fire; fury; angry -火冒三丈,huǒ mào sān zhàng,to get really angry -火冠雀,huǒ guān què,(bird species of China) fire-capped tit (Cephalopyrus flammiceps) -火刑,huǒ xíng,execution by fire; burning at the stake -火力,huǒ lì,fire; firepower -火力发电,huǒ lì fā diàn,thermal power generation -火力发电厂,huǒ lì fā diàn chǎng,"fired power plant (i.e. fired by coal, oil or gas)" -火势,huǒ shì,intensity of a fire; lively; flourishing -火化,huǒ huà,to cremate; to incinerate -火印,huǒ yìn,branded mark; brand -火器,huǒ qì,firearm; CL:架[jia4] -火地群岛,huǒ dì qún dǎo,"Tierra del Fuego, Patagonia" -火坑,huǒ kēng,pit of fire; fig. living hell -火堆,huǒ duī,bonfire; to open fire -火场,huǒ chǎng,the scene of a fire -火场留守分队,huǒ chǎng liú shǒu fēn duì,detachment left to provide covering fire -火塘,huǒ táng,indoor fire pit -火大,huǒ dà,to get mad; to be very angry -火奴鲁鲁,huǒ nú lǔ lǔ,"Honolulu, capital of Hawaii; also called 檀香山" -火尾太阳鸟,huǒ wěi tài yáng niǎo,(bird species of China) fire-tailed sunbird (Aethopyga ignicauda) -火尾希鹛,huǒ wěi xī méi,(bird species of China) red-tailed minla (Minla ignotincta) -火尾绿鹛,huǒ wěi lǜ méi,(bird species of China) fire-tailed myzornis (Myzornis pyrrhoura) -火山,huǒ shān,volcano -火山口,huǒ shān kǒu,volcanic crater -火山学,huǒ shān xué,volcanology -火山岩,huǒ shān yán,volcanic rock -火山岛,huǒ shān dǎo,volcanic island -火山带,huǒ shān dài,volcanic belt -火山毛,huǒ shān máo,(geology) Pele's hair -火山活动,huǒ shān huó dòng,volcanic activity; volcanism -火山灰,huǒ shān huī,volcanic ash -火山灰土,huǒ shān huī tǔ,andosol (soil taxonomy) -火山爆发,huǒ shān bào fā,volcanic eruption -火山爆发指数,huǒ shān bào fā zhǐ shù,volcanic explosivity index (VEI) -火山碎屑流,huǒ shān suì xiè liú,pyroclastic flow -火山砾,huǒ shān lì,lapillus; lapilli -火山豆,huǒ shān dòu,macadamia nut -火影忍者,huǒ yǐng rěn zhě,"Naruto, manga and anime series" -火德星君,huǒ dé xīng jūn,spirit of the planet Mars -火急,huǒ jí,extremely urgent -火成,huǒ chéng,(geology) igneous; volcanic (rock) -火成岩,huǒ chéng yán,igneous rock (geology); volcanic rock -火成碎屑,huǒ chéng suì xiè,pyroclastic -火把,huǒ bǎ,torch; CL:把[ba3] -火把节,huǒ bǎ jié,Torch Festival -火拼,huǒ pīn,see 火併|火并[huo3bing4] -火控,huǒ kòng,fire control (gunnery) -火斑鸠,huǒ bān jiū,(bird species of China) red turtle dove (Streptopelia tranquebarica) -火星,huǒ xīng,Mars (planet) -火星,huǒ xīng,spark -火星人,huǒ xīng rén,Martian -火星哥,huǒ xīng gē,nickname of American singer Bruno Mars -火星快车,huǒ xīng kuài chē,"Mars Express, a European Space Agency spacecraft launched in 2003" -火星撞地球,huǒ xīng zhuàng dì qiú,clash that leaves both sides shattered -火星文,huǒ xīng wén,lit. Martian language; fig. Internet slang used to communicate secret messages that the general public or government can't understand -火暴,huǒ bào,variant of 火爆[huo3 bao4] -火曜日,huǒ yào rì,Tuesday (used in ancient Chinese astronomy) -火柱,huǒ zhù,column of flame -火柴,huǒ chái,"match (for lighting fire); CL:根[gen1],盒[he2]" -火枪,huǒ qiāng,firearms (in historical context); flintlock (old powder and shot firearm) -火枪手,huǒ qiāng shǒu,gunman; musketeer -火树银花,huǒ shù yín huā,display of fireworks and lanterns -火机,huǒ jī,see 打火機|打火机[da3 huo3 ji1] -火气,huǒ qì,anger; internal heat (TCM) -火油,huǒ yóu,(dialect) kerosene -火流星,huǒ liú xīng,(astronomy) bolide; fireball -火浣布,huǒ huàn bù,asbestos cloth -火海,huǒ hǎi,a sea of flames -火海刀山,huǒ hǎi dāo shān,see 刀山火海[dao1 shan1 huo3 hai3] -火湖,huǒ hú,burning lake; lake of burning sulfur; inferno (in Christian mythology) -火灾,huǒ zāi,serious fire (in a city or a forest etc) -火炬,huǒ jù,(flaming) torch; CL:把[ba3] -火炬手,huǒ jù shǒu,torchbearer; athlete carrying Olympic flame -火炭,huǒ tàn,Fo Tan (area in Hong Kong) -火炭,huǒ tàn,live coal; ember; burning coals -火炮,huǒ pào,cannon; gun; artillery -火烈鸟,huǒ liè niǎo,flamingo -火焰,huǒ yàn,blaze; flame -火焰喷射器,huǒ yàn pēn shè qì,flamethrower -火焰山,huǒ yàn shān,Mountain of Flames of legend; fig. insurmountable obstacle; Mountain of Flames in Turpan depression in Xinjiang -火热,huǒ rè,fiery; burning; fervent; ardent; passionate -火燎,huǒ liáo,to singe; to scorch -火烧,huǒ shāo,to set fire to; to burn down; burning hot; baked cake -火烧火燎,huǒ shāo huǒ liǎo,restless with anxiety; to feel unbearably painful or hot -火烧眉毛,huǒ shāo méi mao,lit. the fire burns one's eyebrows (idiom); fig. desperate situation; extreme emergency -火烧云,huǒ shāo yún,nuée ardente; hot cloud of volcanic ash -火烫,huǒ tàng,burning hot; fiery; to have one's hair permed with hot curling tongs -火烛,huǒ zhú,fire and candles; household things that burn -火爆,huǒ bào,fiery (temper); popular; flourishing; prosperous; lively -火炉,huǒ lú,stove -火墙,huǒ qiáng,firewall -火犁,huǒ lí,mechanical plow -火狐,huǒ hú,Firefox (web browser) -火狐,huǒ hú,red panda (Ailurus fulgens); red fox (Vulpes vulpes) -火环,huǒ huán,Ring of Fire (circum-Pacific seismic belt) -火盆,huǒ pén,brazier; fire pan; hibachi -火眼,huǒ yǎn,pinkeye -火眼金睛,huǒ yǎn jīn jīng,piercing eyes; discerning eyes -火石,huǒ shí,flint (stone) -火炮,huǒ pào,cannon; gun; artillery -火神,huǒ shén,God of fire; Vulcan -火种,huǒ zhǒng,tinder; source of a fire; inflammable material; (fig.) spark (of a revolution etc) -火筷子,huǒ kuài zi,fire tongs; hair curling tongs -火箭,huǒ jiàn,rocket; CL:枚[mei2] -火箭弹,huǒ jiàn dàn,rocket (artillery) -火箭推进榴弹,huǒ jiàn tuī jìn liú dàn,rocket-propelled grenade (RPG) -火箭炮,huǒ jiàn pào,rocket artillery -火箭筒,huǒ jiàn tǒng,bazooka; rocket launcher -火箭军,huǒ jiàn jūn,"Rocket Force, branch of the PLA responsible for tactical and strategic missiles" -火红,huǒ hóng,fiery; blazing -火绒草,huǒ róng cǎo,edelweiss (Leontopodium alpinum) -火线,huǒ xiàn,FireWire (IEEE 1394 data-transfer interface) -火线,huǒ xiàn,firing line (battle); live electrical wire -火腿,huǒ tuǐ,ham; CL:個|个[ge4] -火腿肠,huǒ tuǐ cháng,ham sausage -火舌,huǒ shé,tongue of flame -火色,huǒ sè,"(dialect) intensity of the fire (in cooking, kiln firing etc)" -火花,huǒ huā,spark; sparkle -火花塞,huǒ huā sāi,spark plug -火苗,huǒ miáo,flame -火葬,huǒ zàng,to cremate -火葬场,huǒ zàng chǎng,crematorium -火药,huǒ yào,gunpowder -火药味,huǒ yào wèi,smell of gunpowder; (fig.) combative tone; belligerence -火药味甚浓,huǒ yào wèi shèn nóng,strong smell of gunpowder; fig. tense situation; standoff -火蜥蜴,huǒ xī yì,salamander -火卫,huǒ wèi,moon of Mars -火卫一,huǒ wèi yī,"Phobos (moon of Mars), aka Mars I" -火卫二,huǒ wèi èr,"Deimos (moon of Mars), aka Mars II" -火警,huǒ jǐng,fire alarm -火车,huǒ chē,"train; CL:列[lie4],節|节[jie2],班[ban1],趟[tang4]" -火车票,huǒ chē piào,train ticket -火车站,huǒ chē zhàn,train station -火车头,huǒ chē tóu,train engine; locomotive -火轮,huǒ lún,steamboat (old) -火轮船,huǒ lún chuán,steamboat -火辣,huǒ là,painful heat; scorching; rude and forthright; provocative; hot; sexy -火辣辣,huǒ là là,scorching hot; (of a burn or other injury) painful; burning; (of one's mood) agitated; heated; intense; (of a personality) fiery; sharp-tongued; (Tw) (of a woman's figure) smoking hot -火速,huǒ sù,at top speed; at a tremendous lick -火钳,huǒ qián,fire tongs -火锅,huǒ guō,hotpot -火鸡,huǒ jī,turkey -火电,huǒ diàn,thermal power -火鹤,huǒ hè,flamingo lily (Anthurium andraeanum) -火鹤花,huǒ hè huā,flamingo lily (Anthurium andraeanum) -火麻,huǒ má,hemp -火龙,huǒ lóng,a lantern or torchlight procession (resembling a fiery dragon) -火龙果,huǒ lóng guǒ,red pitaya; dragon fruit; dragon pearl fruit (genus Hylocereus) -灬,huǒ,"""fire"" radical in Chinese characters (Kangxi radical 86), occurring in 熙, 然, 熊 etc" -灰,huī,ash; dust; lime; gray; discouraged; dejected -灰不喇唧,huī bù lǎ jī,dull gray; gray and loathsome -灰不溜丢,huī bu liū diū,gloomy and dull (idiom); boring and gray; unpleasantly murky -灰不溜秋,huī bu liū qiū,see 灰不溜丟|灰不溜丢[hui1 bu5 liu1 diu1] -灰伯劳,huī bó láo,(bird species of China) great grey shrike (Lanius excubitor) -灰冠鸦雀,huī guān yā què,(bird species of China) Przevalski's parrotbill (Sinosuthora przewalskii) -灰卷尾,huī juǎn wěi,(bird species of China) ashy drongo (Dicrurus leucophaeus) -灰喉山椒鸟,huī hóu shān jiāo niǎo,(bird species of China) grey-chinned minivet (Pericrocotus solaris) -灰喉柳莺,huī hóu liǔ yīng,(bird species of China) ashy-throated warbler (Phylloscopus maculipennis) -灰喉针尾雨燕,huī hóu zhēn wěi yǔ yàn,(bird species of China) silver-backed needletail (Hirundapus cochinchinensis) -灰喉鸦雀,huī hóu yā què,(bird species of China) ashy-throated parrotbill (Sinosuthora alphonsiana) -灰喜鹊,huī xǐ què,(bird species of China) azure-winged magpie (Cyanopica cyanus) -灰土,huī tǔ,dust; (soil taxonomy) spodosol -灰尘,huī chén,dust -灰奇鹛,huī qí méi,(bird species of China) grey sibia (Heterophasia gracilis) -灰姑娘,huī gū niang,Cinderella; a sudden rags-to-riches celebrity -灰孔雀雉,huī kǒng què zhì,(bird species of China) grey peacock-pheasant (Polyplectron bicalcaratum) -灰尾漂鹬,huī wěi piāo yù,(bird species of China) grey-tailed tattler (Tringa brevipes) -灰山椒鸟,huī shān jiāo niǎo,(bird species of China) ashy minivet (Pericrocotus divaricatus) -灰山鹑,huī shān chún,(bird species of China) grey partridge (Perdix perdix) -灰岩,huī yán,limestone (abbr. for 石灰岩[shi2 hui1 yan2]); CL:塊|块[kuai4] -灰岩柳莺,huī yán liǔ yīng,(bird species of China) limestone leaf warbler (Phylloscopus calciatilis) -灰岩鹪鹛,huī yán jiāo méi,(bird species of China) limestone wren-babbler (Napothera crispifrons) -灰岩残丘,huī yán cán qiū,mogote (steep-sided pointed hill in karst landform) -灰度,huī dù,grayscale -灰心,huī xīn,to lose heart; to be discouraged -灰心丧气,huī xīn sàng qì,downhearted; downcast; in despair -灰斑鸠,huī bān jiū,(bird species of China) Eurasian collared dove (Streptopelia decaocto) -灰斑鸻,huī bān héng,(bird species of China) grey plover (Pluvialis squatarola) -灰暗,huī àn,dull gray; drab; murky -灰林鸮,huī lín xiāo,(bird species of China) Himalayan owl (Strix nivicolum) -灰林鸽,huī lín gē,(bird species of China) ashy wood pigeon (Columba pulchricollis) -灰柳莺,huī liǔ yīng,(bird species of China) sulphur-bellied warbler (Phylloscopus griseolus) -灰椋鸟,huī liáng niǎo,(bird species of China) white-cheeked starling (Spodiopsar cineraceus) -灰树鹊,huī shù què,(bird species of China) grey treepie (Dendrocitta formosae) -灰水,huī shuǐ,gray water -灰泥,huī ní,plaster; mortar -灰溜溜,huī liū liū,dull gray; gloomy; dejected; crestfallen; with one's tail between one's legs -灰浆,huī jiāng,mortar (for masonry) -灰熊,huī xióng,grizzly bear -灰燕鸻,huī yàn héng,(bird species of China) small pratincole (Glareola lactea) -灰烬,huī jìn,ashes -灰猎犬,huī liè quǎn,greyhound -灰瓣蹼鹬,huī bàn pǔ yù,(bird species of China) red phalarope (Phalaropus fulicarius) -灰白,huī bái,ash-colored -灰白喉林莺,huī bái hóu lín yīng,(bird species of China) common whitethroat (Sylvia communis) -灰白色,huī bái sè,ash gray -灰皮诺,huī pí nuò,Pinot gris (grape type); Pinot grigio -灰眶雀鹛,huī kuàng què méi,(bird species of China) David's fulvetta (Alcippe davidi) -灰眼短脚鹎,huī yǎn duǎn jiǎo bēi,(bird species of China) grey-eyed bulbul (Iole propinqua) -灰短脚鹎,huī duǎn jiǎo bēi,(bird species of China) ashy bulbul (Hemixos flavala) -灰翅噪鹛,huī chì zào méi,(bird species of China) moustached laughingthrush (Garrulax cineraceus) -灰翅鸫,huī chì dōng,(bird species of China) grey-winged blackbird (Turdus boulboul) -灰翅鸥,huī chì ōu,(bird species of China) glaucous-winged gull (Larus glaucescens) -灰背伯劳,huī bèi bó láo,(bird species of China) grey-backed shrike (Lanius tephronotus) -灰背椋鸟,huī bèi liáng niǎo,(bird species of China) white-shouldered starling (Sturnia sinensis) -灰背燕尾,huī bèi yàn wěi,(bird species of China) slaty-backed forktail (Enicurus schistaceus) -灰背隼,huī bèi sǔn,(bird species of China) merlin (Falco columbarius) -灰背鸫,huī bèi dōng,(bird species of China) grey-backed thrush (Turdus hortulorum) -灰背鸥,huī bèi ōu,(bird species of China) slaty-backed gull (Larus schistisagus) -灰胸竹鸡,huī xiōng zhú jī,(bird species of China) Chinese bamboo partridge (Bambusicola thoracicus) -灰胸薮鹛,huī xiōng sǒu méi,(bird species of China) Emei Shan liocichla (Liocichla omeiensis) -灰胸鹪莺,huī xiōng jiāo yīng,(bird species of China) grey-breasted prinia (Prinia hodgsonii) -灰胁噪鹛,huī xié zào méi,(bird species of China) grey-sided laughingthrush (Garrulax caerulatus) -灰脚柳莺,huī jiǎo liǔ yīng,(bird species of China) pale-legged leaf warbler (Phylloscopus tenellipes) -灰腹噪鹛,huī fù zào méi,(bird species of China) brown-cheeked laughingthrush (Trochalopteron henrici) -灰腹地莺,huī fù dì yīng,(bird species of China) grey-bellied tesia (Tesia cyaniventer) -灰腹绣眼鸟,huī fù xiù yǎn niǎo,(bird species of China) oriental white-eye (Zosterops palpebrosus) -灰腹角雉,huī fù jiǎo zhì,(bird species of China) Blyth's tragopan (Tragopan blythii) -灰色,huī sè,gray; ash gray; grizzly; pessimistic; gloomy; dispirited; ambiguous -灰色地带,huī sè dì dài,gray area -灰菜,huī cài,"fat hen (Chenopodium album), edible annual plant" -灰蒙蒙,huī mēng mēng,dusky; overcast (of weather) -灰蓝山雀,huī lán shān què,(bird species of China) azure tit (Cyanistes cyanus) -灰蓝鹊,huī lán què,(bird species of China) white-winged magpie (Urocissa whiteheadi) -灰赤杨,huī chì yáng,gray alder (Alnus incana); speckled alder -灰雁,huī yàn,(bird species of China) greylag goose (Anser anser) -灰霾,huī mái,dust haze; dust storm -灰领,huī lǐng,gray collar; specialist; technical worker; engineer -灰头啄木鸟,huī tóu zhuó mù niǎo,(bird species of China) grey-headed woodpecker (Picus canus) -灰头土脸,huī tóu tǔ liǎn,head and face filthy with grime (idiom); covered in dirt; dejected and depressed -灰头斑翅鹛,huī tóu bān chì méi,(bird species of China) streaked barwing (Actinodura souliei) -灰头柳莺,huī tóu liǔ yīng,(bird species of China) grey-hooded warbler (Phylloscopus xanthoschistos) -灰头椋鸟,huī tóu liáng niǎo,(bird species of China) chestnut-tailed starling (Sturnia malabarica) -灰头灰雀,huī tóu huī què,(bird species of China) grey-headed bullfinch (Pyrrhula erythaca) -灰头绿鸠,huī tóu lǜ jiū,(bird species of China) ashy-headed green pigeon (Treron phayrei) -灰头薮鹛,huī tóu sǒu méi,(bird species of China) red-faced liocichla (Liocichla phoenicea) -灰头雀鹛,huī tóu què méi,(bird species of China) Yunnan fulvetta (Alcippe fratercula) -灰头鸦雀,huī tóu yā què,(bird species of China) grey-headed parrotbill (Psittiparus gularis) -灰头鸫,huī tóu dōng,(bird species of China) chestnut thrush (Turdus rubrocanus) -灰头鹦鹉,huī tóu yīng wǔ,(bird species of China) grey-headed parakeet (Psittacula finschii) -灰头麦鸡,huī tóu mài jī,(bird species of China) grey-headed lapwing (Vanellus cinereus) -灰飞烟灭,huī fēi yān miè,lit. scattered ashes and dispersed smoke (idiom); fig. to be annihilated; to vanish in a puff of smoke -灰鹤,huī hè,(bird species of China) common crane (Grus grus) -灰鹡鸰,huī jí líng,(bird species of China) grey wagtail (Motacilla cinerea) -灰鹱,huī hù,(bird species of China) sooty shearwater (Puffinus griseus) -灶,zào,kitchen stove; kitchen; mess; canteen -灶具,zào jù,stove; cooker; (dialect) cooking utensils -灶台,zào tái,stovetop; rangetop -灶君,zào jūn,"Zaoshen, the god of the kitchen; also written 灶神" -灶火,zào huo,stove; kitchen -灶王,zào wáng,"Zaoshen, the god of the kitchen; also written 灶神" -灶王爷,zào wáng yé,"Zaoshen, the god of the kitchen; also written 灶神" -灶眼,zào yǎn,stovetop burner -灶神,zào shén,"Zaoshen, the god of the kitchen" -灶神星,zào shén xīng,"Vesta, an asteroid, second most massive object in the asteroid belt between Mars and Jupiter, discovered in 1807 by H.W. Olbers" -灶间,zào jiān,kitchen (dialect); CL:間|间[jian1] -灶马,zào mǎ,camel cricket -灸,jiǔ,moxibustion (TCM) -灸法,jiǔ fǎ,moxibustion (TCM) -灼,zhuó,to burn; to sear; to scorch; (bound form) bright; luminous -灼伤,zhuó shāng,"a burn (tissue damage from heat, chemicals etc); to burn (the skin etc); (fig.) (of anger, jealousy etc) to hurt (sb)" -灼急,zhuó jí,worried -灼热,zhuó rè,burning hot; scorching -灼痛,zhuó tòng,burn (i.e. wound); burning pain -灼见,zhuó jiàn,to see clearly; deep insight; profound view -灾,zāi,disaster; calamity -灾区,zāi qū,disaster area; stricken region -灾厄,zāi è,adversity; catastrophe; disaster -灾场,zāi chǎng,disaster area; scene of accident -灾害,zāi hài,calamity; disaster; CL:個|个[ge4] -灾害链,zāi hài liàn,series of calamities; disaster following on disaster -灾后,zāi hòu,after a catastrophe; post-traumatic -灾情,zāi qíng,disastrous situation; calamity -灾星,zāi xīng,comet or supernova viewed as evil portent; (fig.) sb or sth that brings disaster -灾殃,zāi yāng,disaster -灾民,zāi mín,victim (of a disaster) -灾祸,zāi huò,disaster -灾荒,zāi huāng,natural disaster; famine -灾变,zāi biàn,catastrophe; cataclysmic change -灾变说,zāi biàn shuō,catastrophism (theory that geological changes are brought about by catastrophes such as the biblical flood) -灾变论,zāi biàn lùn,catastrophism; the theory that geological change is caused by catastrophic events such as the Biblical flood -灾难,zāi nàn,disaster; catastrophe -灾难性,zāi nàn xìng,catastrophic -灾难片,zāi nàn piàn,disaster movie -炅,guì,surname Gui -炅,jiǒng,(literary) bright; shining; brilliance -炆,wén,(Cantonese) to simmer; to cook over a slow fire -炊,chuī,to cook food -炊事,chuī shì,cooking -炊事员,chuī shì yuán,cook; kitchen worker -炊具,chuī jù,cooking utensils; cookware; cooker -炊器,chuī qì,cooking vessels (archaeology) -炊帚,chuī zhou,"pot-scrubbing brush, made from bamboo strips" -炊烟,chuī yān,smoke from kitchen chimneys -炊爨,chuī cuàn,to light a fire and cook a meal -炎,yán,flame; inflammation; -itis -炎亚纶,yán yà lún,"Aaron Yan (1986-), Taiwanese singer" -炎夏,yán xià,hot summer; scorching summer -炎帝,yán dì,"Flame Emperors (c. 2000 BC), legendary dynasty descended from Shennong 神農|神农[Shen2 nong2] Farmer God" -炎帝陵,yán dì líng,"Fiery Emperor's tomb in Yanling county, Zhuzhou 株洲, Hunan" -炎性,yán xìng,inflammatory (medicine) -炎性反应,yán xìng fǎn yìng,inflammation response -炎炎,yán yán,scorching -炎热,yán rè,blistering hot; sizzling hot (weather) -炎症,yán zhèng,inflammation -炎陵,yán líng,"Yanling County in Zhuzhou 株洲[Zhu1 zhou1], Hunan" -炎陵县,yán líng xiàn,"Yanling County in Zhuzhou 株洲[Zhu1 zhou1], Hunan" -炎黄子孙,yán huáng zǐ sūn,descendants of the Fiery Emperor and the Yellow Emperor (i.e. Han Chinese people) -炏,yán,old variant of 炎[yan2] -炒,chǎo,to sauté; to stir-fry; to speculate (in real estate etc); to scalp; to hype up; to sack; to fire (sb) -炒作,chǎo zuò,to hype; to promote (in the media) -炒信,chǎo xìn,(of a business operator) to inflate one's reputation by dishonest means (e.g. posting fake reviews) -炒冷饭,chǎo lěng fàn,to stir-fry leftover rice; fig. to rehash the same story; to serve up the same old product -炒勺,chǎo sháo,wok with a long handle; wok spatula; ladle -炒汇,chǎo huì,to speculate in foreign currency -炒地皮,chǎo dì pí,to speculate in building land -炒家,chǎo jiā,speculator -炒房,chǎo fáng,to speculate in real estate -炒更,chǎo gēng,to moonlight -炒气氛,chǎo qì fēn,to liven up the atmosphere -炒热,chǎo rè,to raise prices by speculation; to hype -炒热气氛,chǎo rè qì fēn,to liven up the atmosphere -炒米,chǎo mǐ,fried rice; millet stir-fried in butter -炒股,chǎo gǔ,(coll.) to speculate in stocks -炒股票,chǎo gǔ piào,to speculate in stocks -炒菜,chǎo cài,to stir-fry; to do the cooking; stir-fried dish -炒菠菜,chǎo bō cài,stir-fried spinach -炒蛋,chǎo dàn,scrambled eggs -炒货,chǎo huò,"roasted snacks (peanuts, chestnuts etc)" -炒锅,chǎo guō,wok; frying pan -炒鸡蛋,chǎo jī dàn,scrambled eggs -炒饭,chǎo fàn,fried rice; (slang) (Tw) to have sex -炒鱿鱼,chǎo yóu yú,(coll.) to fire sb; to sack sb -炒面,chǎo miàn,"stir-fried noodles; ""chow mein""" -炔,guì,surname Gui -炔,quē,alkyne; also pr. [jue2] -炔烃,quē tīng,(chemistry) alkyne -炕,kàng,kang (a heatable brick bed); to bake; to dry by the heat of a fire -炕床,kàng chuáng,heatable brick bed -炙,zhì,to broil; to roast -炙手可热,zhì shǒu kě rè,"lit. burn your hand, feel the heat (idiom); fig. arrogance of the powerful; a mighty figure no-one dares approach; hot (exciting or in favor)" -炙热,zhì rè,extremely hot (weather); blazing (sun); (fig.) burning (enthusiasm) -炙酷,zhì kù,torrid weather -炤,zhào,surname Zhao -照,zhào,variant of 照[zhao4]; to shine; to illuminate -炫,xuàn,to dazzle; to boast; to show off; (slang) cool; awesome -炫富,xuàn fù,to flaunt wealth; ostentatious -炫弄,xuàn nòng,to show off; to flaunt -炫技,xuàn jì,to show off one's skills; to put on a dazzling display of one's talents -炫目,xuàn mù,to dazzle; to inspire awe -炫耀,xuàn yào,dazzling; to show off; to flaunt -炫酷,xuàn kù,(slang) cool; awesome -炬,jù,torch -炭,tàn,wood charcoal; coal -炭墼,tàn jī,coal briquette -炭焙,tàn bèi,charcoal-roasted -炭疽,tàn jū,(medicine) anthrax; (horticulture) anthracnose; canker -炭疽杆菌,tàn jū gǎn jūn,anthrax bacterium (Bacillus anthracis) -炭疽热,tàn jū rè,anthrax -炭疽病,tàn jū bìng,(medicine) anthrax; (horticulture) anthracnose; canker -炭疽菌苗,tàn jū jūn miáo,anthrax vaccine -炮,bāo,to sauté; to fry; to dry by heating -炮,páo,to prepare herbal medicine by roasting or parching (in a pan) -炮,pào,cannon; CL:座[zuo4]; firecracker -炮仗,pào zhang,firecracker -炮儿局,pào er jú,police station (Beijing slang) -炮兵,pào bīng,artillery soldier; gunner -炮友,pào yǒu,fuck buddy; friend with benefits -炮塔,pào tǎ,gun turret -炮弹,pào dàn,artillery shell; CL:枚[mei2] -炮战,pào zhàn,artillery bombardment; artillery battle -炮击,pào jī,to shell; to bombard; bombardment -炮决,pào jué,to execute sb by cannon -炮火,pào huǒ,artillery barrage; gunfire -炮灰,pào huī,cannon fodder -炮烙,páo luò,form of torture said to have been used by King Zhou of Shang 商紂王|商纣王[Shang1 Zhou4 Wang2] in which the victim was forced onto a bronze pillar heated by a fire -炮炼,páo liàn,to parch and refine medicinal herbs -炮竹,pào zhú,firecracker -炮耳,pào ěr,trunnion; protrusions on either side of a cannon facilitating mounting and vertical pivot -炮艇机,pào tǐng jī,gunship (aircraft) -炮舰,pào jiàn,gunship -炮制,páo zhì,to concoct; to invent; to fabricate; to produce; to process; processing and curing (Chinese medicine) -炮轰,pào hōng,to bombard; to bomb; (fig.) to criticize; to roast -炮钎,pào qiān,a drill; a hammer drill for boring through rock; same as 釺子|钎子 -炮铜,pào tóng,"gunmetal (alloy of copper, tin and zinc)" -炮铜色,pào tóng sè,gunmetal gray -炯,jiǒng,bright; clear -炯炯,jiǒng jiǒng,(literary) (of eyes) bright; shining -炯炯有神,jiǒng jiǒng yǒu shén,(idiom) eyes bright and full of expression -炱,tái,soot -炳,bǐng,bright; brilliant; luminous -炳文,bǐng wén,luminous style -炳然,bǐng rán,to be manifest for everyone to see -炳焕,bǐng huàn,bright and brilliant -炳烛,bǐng zhú,by bright candlelight -炳耀,bǐng yào,bright and luminous -炳著,bǐng zhù,eminent; renowned -炳蔚,bǐng wèi,splendid (of writing style) -炷,zhù,wick of an oil lamp; to burn (incense etc); classifier for lit incense sticks -炸,zhá,to deep fry; (coll.) to blanch (a vegetable); Taiwan pr. [zha4] -炸,zhà,to burst; to explode; to blow up; to bomb; (coll.) to fly into a rage; (coll.) to scamper off; to scatter -炸丸子,zhá wán zi,croquettes; deep fried food balls -炸两,zhá liǎng,"(Cantonese cuisine) zhaliang, rice noodle rolls 腸粉|肠粉[chang2 fen3] stuffed with youtiao 油條|油条[you2 tiao2]" -炸土豆条,zhá tǔ dòu tiáo,french fries; (hot) potato chips -炸土豆条儿,zhá tǔ dòu tiáo er,erhua variant of 炸土豆條|炸土豆条[zha2 tu3 dou4 tiao2] -炸土豆片,zhá tǔ dòu piàn,potato chips; crisps; fried potato -炸垮,zhà kuǎ,to blow up (demolish with an explosion) -炸子鸡,zhá zǐ jī,crispy fried chicken -炸弹,zhà dàn,"bomb; CL:枚[mei2],顆|颗[ke1]" -炸弹之母,zhà dàn zhī mǔ,"Massive Ordinance Air Blast (MOAB), or Mother of All Bombs, a powerful American bomb" -炸弹之父,zhà dàn zhī fù,"Aviation Thermobaric Bomb of Increased Power (ATBIP), or Father of All Bombs, a powerful Russian bomb" -炸掉,zhà diào,to bomb -炸死,zhà sǐ,to kill with an explosion -炸油饼,zhá yóu bǐng,deep-fried cake -炸毁,zhà huǐ,to blow up; to destroy with explosives -炸物,zhá wù,(Tw) deep-fried food -炸碎,zhà suì,to destroy in an explosion; to break (by bombing) -炸糕,zhá gāo,fried glutinous rice dough cake -炸膛,zhà táng,(of a gun) to explode; to blow up -炸薯条,zhá shǔ tiáo,french fries -炸薯片,zhá shǔ piàn,potato chip -炸薯球,zhà shǔ qiú,tater tot -炸药,zhà yào,explosive (material) -炸街,zhà jiē,"(slang) (of a car driver) to engage in noisy, disruptive showboating" -炸酱面,zhá jiàng miàn,"zhajiang mian, thick wheat noodles served with ground pork simmered in salty fermented soybean paste (or other sauce)" -炸鸡,zhá jī,fried chicken -炸雷,zhà léi,thunderclap -炸鱼,zhá yú,deep-fried fish -为,wéi,as (in the capacity of); to take sth as; to act as; to serve as; to behave as; to become; to be; to do; by (in the passive voice) -为,wèi,because of; for; to -为上,wéi shàng,to be valued above all else -为主,wéi zhǔ,to rely mainly on; to attach most importance to -为了,wèi le,for; for the purpose of; in order to -为五斗米折腰,wèi wǔ dǒu mǐ zhé yāo,"(allusion to Tao Qian 陶潛|陶潜[Tao2 Qian2], who used this phrase when he resigned from government service rather than show subservience to a visiting inspector) to bow and scrape for five pecks of rice (that being a part of his salary as a local magistrate); (fig.) to compromise one's principles for the sake of a salary" -为人,wéi rén,to conduct oneself; behavior; conduct; personal character -为人,wèi rén,for sb; for others' interest -为人师表,wéi rén shī biǎo,to serve as a model for others (idiom); to be a worthy teacher -为人民服务,wèi rén mín fú wù,"Serve the People!, CCP political slogan" -为什么,wèi shén me,why?; for what reason? -为仁不富,wéi rén bù fù,"the rich man cannot be benevolent (idiom, from Mencius). It is easier for a camel to go through the eye of a needle than for a rich man to enter the kingdom of heaven (Matthew 19:24)." -为伍,wéi wǔ,to associate with; to keep company with -为何,wèi hé,why -为例,wéi lì,"used in the construction 以...為例|以...为例, ""to take ... as an example""" -为啥,wèi shá,dialectal equivalent of 為什麼|为什么[wei4 shen2 me5] -为善最乐,wéi shàn zuì lè,doing good deeds brings the greatest joy (idiom) -为富不仁,wéi fù bù rén,to be wealthy and heartless -为己任,wéi jǐ rèn,to make it one's business; to take upon oneself to -为德不卒,wéi dé bù zú,to start on virtue but give up (idiom); to fail to carry things through; lack of sticking power; short attention span -为德不终,wéi dé bù zhōng,to start on virtue but give up (idiom); to fail to carry things through; lack of sticking power; short attention span -为爱鼓掌,wèi ài gǔ zhǎng,(neologism) (slang) to have sex -为所欲为,wéi suǒ yù wéi,(idiom) to do whatever one pleases -为数,wéi shù,in numerical terms (typically followed by 不少[bu4 shao3] or 不多[bu4 duo1] or a number) -为时,wéi shí,timewise; pertaining to time -为时不晚,wéi shí bù wǎn,it is not too late (idiom) -为时已晚,wéi shí yǐ wǎn,already too late -为时未晚,wéi shí wèi wǎn,it is not too late (idiom) -为时过早,wéi shí guò zǎo,premature; too soon -为期,wéi qī,(to be done) by (a certain date); lasting (a certain time) -为止,wéi zhǐ,until; (used in combination with words like 到[dao4] or 至[zhi4] in constructs of the form 到...為止|到...为止) -为此,wèi cǐ,for this reason; with regards to this; in this respect; in order to do this; to this end -为毛,wèi máo,(Internet slang) why? -为准,wéi zhǔn,"to serve as the norm; ...shall prevail (as standard for rules, regulations, price etc)" -为生,wéi shēng,to make a living -为的是,wèi de shì,for the sake of; for the purpose of -为着,wèi zhe,in order to; because of; for the sake of -为虎作伥,wèi hǔ zuò chāng,(idiom) to act as accomplice to the tiger; to help a villain do evil -为重,wéi zhòng,to attach most importance to -为难,wéi nán,to feel embarrassed or awkward; to make things difficult (for someone); to find things difficult (to do or manage) -为非作歹,wéi fēi zuò dǎi,to break the law and commit crimes (idiom); malefactor; evildoer; to perpetrate outrages -为首,wéi shǒu,head; be headed by -炻,shí,stoneware -炻器,shí qì,stoneware -烀,hū,to cook in a small quantity of water -烈,liè,ardent; intense; fierce; stern; upright; to give one's life for a noble cause; exploits; achievements -烈士,liè shì,martyr -烈士陵,liè shì líng,memorial mound; heroes' memorial -烈女,liè nǚ,a woman who dies fighting for her honor or follows her husband in death -烈属,liè shǔ,"family or dependents of martyr (in PRC, esp. revolutionary martyr)" -烈山,liè shān,"Lieshan, a district of Huaibei City 淮北市[Huai2bei3 Shi4], Anhui" -烈山区,liè shān qū,"Lieshan, a district of Huaibei City 淮北市[Huai2bei3 Shi4], Anhui" -烈屿,liè yǔ,"Liehyu township in Kinmen County 金門縣|金门县[Jin1 men2 xian4] (Kinmen or Quemoy islands), Taiwan" -烈屿乡,liè yǔ xiāng,"Liehyu township in Kinmen County 金門縣|金门县[Jin1 men2 xian4] (Kinmen or Quemoy islands), Taiwan" -烈度,liè dù,intensity -烈怒,liè nù,intense rage -烈性,liè xìng,strong; intense; spirited; virulent -烈日,liè rì,"Liege, town in Belgium" -烈日,liè rì,scorching sun -烈火,liè huǒ,raging inferno; blaze -烈火干柴,liè huǒ gān chái,lit. intense fire to dry wood (idiom); inferno in a woodpile; fig. consuming passion between lovers -烈焰,liè yàn,raging flames -烈酒,liè jiǔ,strong alcoholic drink -烊,yáng,molten; smelt -烊金,yáng jīn,variant of 煬金|炀金[yang2 jin1] -乌,wū,abbr. for Ukraine 烏克蘭|乌克兰[Wu1ke4lan2]; surname Wu -乌,wū,crow; black -乌七八糟,wū qī bā zāo,everything in disorder (idiom); in a hideous mess; obscene; dirty; filthy -乌亮,wū liàng,lustrous and black; jet-black -乌什,wū shí,"Uchturpan nahiyisi (Uqturpan county) in Aksu 阿克蘇地區|阿克苏地区[A1 ke4 su1 di4 qu1], west Xinjiang" -乌什塔拉,wū shí tǎ lā,"Wushitala Hui village in Bayingolin Mongol Autonomous Prefecture 巴音郭楞蒙古自治州[Ba1 yin1 guo1 leng2 Meng3 gu3 Zi4 zhi4 zhou1], Xinjiang" -乌什塔拉回族乡,wū shí tǎ lā huí zú xiāng,"Wushitala Hui village in Bayingolin Mongol Autonomous Prefecture 巴音郭楞蒙古自治州[Ba1 yin1 guo1 leng2 Meng3 gu3 Zi4 zhi4 zhou1], Xinjiang" -乌什塔拉乡,wū shí tǎ lā xiāng,"Wushitala Hui village in Bayingolin Mongol Autonomous Prefecture 巴音郭楞蒙古自治州[Ba1 yin1 guo1 leng2 Meng3 gu3 Zi4 zhi4 zhou1], Xinjiang" -乌什县,wū shí xiàn,"Uchturpan nahiyisi (Uqturpan county) in Aksu 阿克蘇地區|阿克苏地区[A1 ke4 su1 di4 qu1], west Xinjiang" -乌伊岭,wū yī lǐng,"Wuyiling district of Yichun city 伊春市[Yi1 chun1 shi4], Heilongjiang" -乌伊岭区,wū yī lǐng qū,"Wuyiling district of Yichun city 伊春市[Yi1 chun1 shi4], Heilongjiang" -乌来,wū lái,"Wulai township in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -乌来乡,wū lái xiāng,"Wulai township in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -乌伦古河,wū lún gǔ hé,Ulungur River in Xinjiang -乌伦古湖,wū lún gǔ hú,Ulungur Lake in Xinjiang -乌克兰,wū kè lán,Ukraine -乌克兰人,wū kè lán rén,Ukrainian (person) -乌克丽丽,wū kè lì lì,(Tw) ukulele (loanword) -乌冬面,wū dōng miàn,udon noodles -乌合之众,wū hé zhī zhòng,rabble; disorderly band -乌咖哩,wū gā lí,ugali; nshima -乌嘴柳莺,wū zuǐ liǔ yīng,(bird species of China) large-billed leaf warbler (Phylloscopus magnirostris) -乌丘,wū qiū,"Wuchiu township in Kinmen County 金門縣|金门县[Jin1 men2 xian4] (Kinmen or Quemoy islands), Taiwan" -乌丘乡,wū qiū xiāng,"Wuchiu township in Kinmen County 金門縣|金门县[Jin1 men2 xian4] (Kinmen or Quemoy islands), Taiwan" -乌塌菜,wū tā cài,rosette bok choy (Brassica rapa var. rosularis) -乌涂,wū tu,unclear; not straightforward; (of drinking water) lukewarm; tepid -乌压压,wū yā yā,forming a dense mass -乌孜别克,wū zī bié kè,Uzbek ethnic group of Xinjiang -乌孜别克族,wū zī bié kè zú,Uzbek ethnic group of Xinjiang -乌孜别克语,wū zī bié kè yǔ,Uzbek language -乌孙国,wū sūn guó,Wusun kingdom of central Asia (c. 300 BC-300 AD) -乌审,wū shěn,"Uxin or Wushen banner in southwest Ordos prefecture 鄂爾多斯|鄂尔多斯[E4 er3 duo1 si1], Inner Mongolia" -乌审旗,wū shěn qí,"Uxin or Wushen banner in southwest Ordos prefecture 鄂爾多斯|鄂尔多斯[E4 er3 duo1 si1], Inner Mongolia" -乌干达,wū gān dá,Uganda -乌德勒支,wū dé lè zhī,Utrecht -乌恰,wū qià,Wuqia county in Xinjiang -乌恰县,wū qià xiàn,Wuqia county in Xinjiang -乌托邦,wū tuō bāng,utopia (loanword) -乌拉圭,wū lā guī,Uruguay -乌拉尔,wū lā ěr,"the Ural mountains in Russia, dividing Europe from Asia" -乌拉尔山,wū lā ěr shān,"the Ural mountains in Russia, dividing Europe from Asia" -乌拉尔山脉,wū lā ěr shān mài,Ural Mountains -乌拉特,wū lā tè,"Urat plain in Bayan Nur 巴彥淖爾|巴彦淖尔[Ba1 yan4 nao4 er3], Inner Mongolia; also Urat Front, Center and Rear banners" -乌拉特中旗,wū lā tè zhōng qí,"Urat Center banner or Urdyn Dund khoshuu in Bayan Nur 巴彥淖爾|巴彦淖尔[Ba1 yan4 nao4 er3], Inner Mongolia" -乌拉特前旗,wū lā tè qián qí,"Urat Front banner or Urdyn Ömnöd khoshuu in Bayan Nur 巴彥淖爾|巴彦淖尔[Ba1 yan4 nao4 er3], Inner Mongolia" -乌拉特后旗,wū lā tè hòu qí,"Urat Rear banner or Urdyn Xoit khoshuu in Bayan Nur 巴彥淖爾|巴彦淖尔[Ba1 yan4 nao4 er3], Inner Mongolia" -乌拉特草原,wū lā tè cǎo yuán,"Urat plain in Bayan Nur 巴彥淖爾|巴彦淖尔[Ba1 yan4 nao4 er3], Inner Mongolia" -乌拜迪,wū bài dí,Ubaydi (town in Iraq) -乌日,wū rì,"Wuri, a district of Taichung, Taiwan" -乌普萨拉,wū pǔ sà lā,"Uppsala, Swedish university city just north of Stockholm" -乌有,wū yǒu,(literary) not to exist; nonexistent; illusory -乌木,wū mù,ebony -乌东德,wū dōng dé,"Wudongde, the name of a hydroelectric dam on the Jinsha River 金沙江[Jin1 sha1 jiang1] at a point where the river forms a border between Yunnan and Sichuan" -乌林鸮,wū lín xiāo,(bird species of China) great grey owl (Strix nebulosa) -乌桓,wū huán,Wuhuan (nomadic tribe) -乌桕,wū jiù,Tallow tree; Sapium sebiferum -乌梁海,wū liáng hǎi,Mongol surname -乌榄,wū lǎn,black olive (Canarium tramdenum) -乌气,wū qì,anger -乌泱乌泱,wū yāng wū yāng,in great number -乌洛托品,wū luò tuō pǐn,hexamine (CH2)6N4 -乌海,wū hǎi,"Wuhait or Wuhai, prefecture-level city in Inner Mongolia" -乌海市,wū hǎi shì,Wuhait or Wuhai prefecture-level city in Inner Mongolia -乌滋别克,wū zī bié kè,Uzbek -乌滋别克斯坦,wū zī bié kè sī tǎn,Uzbekistan -乌漆墨黑,wū qī mò hēi,jet-black; pitch-dark -乌漆抹黑,wū qī mā hēi,see 烏漆墨黑|乌漆墨黑[wu1 qi1 mo4 hei1] -乌灰银鸥,wū huī yín ōu,(bird species of China) lesser black-backed gull (Larus fuscus) -乌灰鸫,wū huī dōng,(bird species of China) Japanese thrush (Turdus cardis) -乌灰鹞,wū huī yào,(bird species of China) Montagu's harrier (Circus pygargus) -乌烟瘴气,wū yān zhàng qì,billowing smoke (idiom); foul atmosphere; (fig.) murky atmosphere; in a turmoil -乌燕鸥,wū yàn ōu,(bird species of China) sooty tern (Onychoprion fuscatus) -乌尔,wū ěr,Ur (Sumerian city c. 4500 BC in modern Iraq) -乌尔姆,wū ěr mǔ,Ulm (city in Germany) -乌尔根奇,wū ěr gēn qí,"Urgench, city in Uzbekistan" -乌尔格,wū ěr gé,ancient name of Ulan Bator -乌尔禾,wū ěr hé,"Orku District of Karamay City 克拉瑪依市|克拉玛依市[Ke4 la1 ma3 yi1 Shi4], Xinjiang" -乌尔禾区,wū ěr hé qū,"Orku District of Karamay City 克拉瑪依市|克拉玛依市[Ke4 la1 ma3 yi1 Shi4], Xinjiang" -乌尔都语,wū ěr dū yǔ,Urdu (language) -乌特列支,wū tè liè zhī,"Utrecht, city in Netherlands" -乌当,wū dāng,"Wudang District of Guiyang City 貴陽市|贵阳市[Gui4 yang2 Shi4], Guizhou" -乌当区,wū dāng qū,"Wudang District of Guiyang City 貴陽市|贵阳市[Gui4 yang2 Shi4], Guizhou" -乌节路,wū jié lù,"Orchard Road, Singapore (shopping and tourist area)" -乌纱帽,wū shā mào,black gauze hat (worn by an imperial official as a sign of his position); (fig.) official post -乌良哈,wū liáng hǎ,Mongol surname -乌芋,wū yù,see 荸薺|荸荠[bi2 qi2] -乌兹别克,wū zī bié kè,Uzbek; abbr. for Uzbekistan -乌兹别克人,wū zī bié kè rén,Uzbek (person) -乌兹别克斯坦,wū zī bié kè sī tǎn,Uzbekistan -乌兹别克族,wū zī bié kè zú,the Uzbek people (race) -乌兹冲锋枪,wū zī chōng fēng qiāng,Uzi (submachine gun) -乌蓝,wū lán,dark blue -乌苏,wū sū,"Wusu city in Tacheng prefecture 塔城地區|塔城地区[Ta3 cheng2 di4 qu1], Xinjiang" -乌苏市,wū sū shì,"Wusu city in Tacheng prefecture 塔城地區|塔城地区[Ta3 cheng2 di4 qu1], Xinjiang" -乌苏里斯克,wū sū lǐ sī kè,Ussuriisk city in Russian Pacific Primorsky region; previous names include 雙城子|双城子[Shuang1 cheng2 zi5] and Voroshilov 伏羅希洛夫|伏罗希洛夫 -乌苏里江,wū sū lǐ jiāng,Ussuri River -乌兰,wū lán,"Wulan county in Haixi Mongol and Tibetan autonomous prefecture 海西蒙古族藏族自治州[Hai3 xi1 Meng3 gu3 zu2 Zang4 zu2 zi4 zhi4 zhou1], Qinghai" -乌兰夫,wū lán fū,"Ulanhu (1906-1988), Soviet-trained Mongolian communist who became important PRC military leader" -乌兰察布,wū lán chá bù,"Ulaanchab, prefecture-level city in Inner Mongolia" -乌兰察布市,wū lán chá bù shì,"Ulaanchab, prefecture-level city in Inner Mongolia" -乌兰巴托,wū lán bā tuō,"Ulaanbaatar or Ulan Bator, capital of Mongolia" -乌兰浩特,wū lán hào tè,"Wulanhaote, county-level city, Mongolian Ulaan xot, in Hinggan league 興安盟|兴安盟[Xing1 an1 meng2], east Inner Mongolia" -乌兰浩特市,wū lán hào tè shì,"Wulanhaote, county-level city, Mongolian Ulaan xot, in Hinggan league 興安盟|兴安盟[Xing1 an1 meng2], east Inner Mongolia" -乌兰县,wū lán xiàn,"Wulan county in Haixi Mongol and Tibetan autonomous prefecture 海西蒙古族藏族自治州[Hai3 xi1 Meng3 gu3 zu2 Zang4 zu2 zi4 zhi4 zhou1], Qinghai" -乌西亚,wū xī yà,Uzziah (son of Joram) -乌讷楚,wū nè chǔ,"Uxin or Wushen banner in southwest Ordos prefecture 鄂爾多斯|鄂尔多斯[E4 er3 duo1 si1], Inner Mongolia" -乌语,wū yǔ,Uzbek language -乌贼,wū zéi,cuttlefish -乌达,wū dá,"Ud raion or Wuda District of Wuhait City 烏海市|乌海市[Wu1 hai3 Shi4], Inner Mongolia" -乌达区,wū dá qū,"Ud raion or Wuda District of Wuhait City 烏海市|乌海市[Wu1 hai3 Shi4], Inner Mongolia" -乌里雅苏台,wū lǐ yǎ sū tái,"Uliastai, the Qing name for outer Mongolia" -乌鸡,wū jī,black-boned chicken; silky fowl; silkie; Gallus gallus domesticus Brisson -乌云,wū yún,black cloud -乌青,wū qīng,bluish black; bruise; bruising (CL:塊|块[kuai4]) -乌饭果,wū fàn guǒ,blueberry -乌马河,wū mǎ hé,"Wumahe district of Yichun city 伊春市[Yi1 chun1 shi4], Heilongjiang" -乌马河区,wū mǎ hé qū,"Wumahe district of Yichun city 伊春市[Yi1 chun1 shi4], Heilongjiang" -乌骨鸡,wū gǔ jī,black-boned chicken; silky fowl; silkie; Gallus gallus domesticus Brisson -乌鱼,wū yú,gray mullet (Mugil cephalus); snakehead fish (family Channidae) -乌鱼子,wū yú zǐ,mullet roe (salted and dried); bottarga -乌鲁克恰提,wū lǔ kè qià tí,Wuqia county in Xinjiang; name of county in Xinjiang from early 20th century now called Wuqia 烏恰縣|乌恰县 -乌鲁克恰提县,wū lǔ kè qià tí xiàn,Wuqia county in Xinjiang; name of county in Xinjiang from early 20th century now called Wuqia 烏恰縣|乌恰县 -乌鲁木齐,wū lǔ mù qí,"Ürümqi or Urumqi, prefecture-level city and capital of Xinjiang Uighur Autonomous Region 新疆維吾爾自治區|新疆维吾尔自治区[Xin1 jiang1 Wei2 wu2 er3 Zi4 zhi4 qu1] in west China" -乌鲁木齐市,wū lǔ mù qí shì,"Ürümqi or Urumqi, prefecture-level city and capital of Xinjiang Uighur Autonomous Region 新疆維吾爾自治區|新疆维吾尔自治区[Xin1jiang1 Wei2wu2er3 Zi4zhi4qu1]" -乌鲁木齐县,wū lǔ mù qí xiàn,"Urumqi county (Uighur: Ürümchi Nahiyisi) in Urumqi 烏魯木齊|乌鲁木齐[Wu1 lu3 mu4 qi2], Xinjiang" -乌鲁汝,wū lǔ rǔ,"Uluru, iconic large rock formation in central Australia, sacred to Aboriginals, a World Heritage Site; also known as Ayers Rock" -乌鲁鲁,wū lǔ lǔ,"Uluru, massive sandstone outcrop in central Australia" -乌鲳,wū chāng,black pomfret -乌鳢,wū lǐ,Channa argus; snakehead fish -乌鸟私情,wū niǎo sī qíng,lit. the solicitude of the crow (who provides for his old parent)(idiom); fig. filial piety -乌鸦,wū yā,crow; raven -乌鸦嘴,wū yā zuǐ,crow's beak; (fig.) person who makes an inauspicious remark -乌鸦座,wū yā zuò,Corvus (constellation) -乌鹃,wū juān,(bird species of China) fork-tailed drongo-cuckoo (Surniculus dicruroides) -乌雕,wū diāo,(bird species of China) greater spotted eagle (Aquila clanga) -乌雕鸮,wū diāo xiāo,(bird species of China) dusky eagle-owl (Bubo coromandus) -乌鸫,wū dōng,(bird species of China) common blackbird (Turdus merula) -乌黎雅,wū lí yǎ,Uriah (name) -乌黑,wū hēi,jet-black; dark -乌黑色,wū hēi sè,black; crow-black -乌齐雅,wū qí yǎ,"Uzziah son of Amaziah, king of Judah c. 750 BC" -乌龙,wū lóng,black dragon; unexpected mistake or mishap; own goal (soccer); oolong (tea); (Tw) (loanword from Japanese) udon -乌龙指,wū lóng zhǐ,fat finger error (finance) -乌龙球,wū lóng qiú,own goal (ball sports) -乌龙茶,wū lóng chá,oolong tea -乌龙面,wū lóng miàn,"udon, a thick Japanese-style wheat-flour noodle" -乌龟,wū guī,tortoise; cuckold -乌龟壳,wū guī ké,tortoise shell -烕,miè,old variant of 滅|灭[mie4] -灾,zāi,variant of 災|灾[zai1] -烘,hōng,to bake; to heat by fire; to set off by contrast -烘干,hōng gān,to dry over a stove -烘干机,hōng gān jī,clothes dryer -烘动,hōng dòng,variant of 轟動|轰动[hong1 dong4] -烘手器,hōng shǒu qì,hand dryer -烘手机,hōng shǒu jī,hand dryer -烘托,hōng tuō,background (of a painting); backdrop; a foil (to set off something to advantage); to offset (something to advantage) -烘染,hōng rǎn,relief shading (in a picture); fig. to throw into relief -烘烤,hōng kǎo,to roast; to bake -烘焙,hōng bèi,"to cure by drying over a fire (tea, meat etc); to bake" -烘焙师,hōng bèi shī,baker -烘焙店,hōng bèi diàn,bakery -烘焙鸡,hōng bèi jī,homepage (loanword) (humorous) -烘炉,hōng lú,oven -烘碗机,hōng wǎn jī,dish dryer -烘箱,hōng xiāng,oven -烘笼,hōng lóng,bamboo drying frame -烘笼儿,hōng lóng er,bamboo drying frame -烘制,hōng zhì,to bake -烘衬,hōng chèn,to set off; to highlight by contrast -烘豆,hōng dòu,baked beans -烘云托月,hōng yún tuō yuè,lit. to shade in the clouds to offset the moon (idiom); fig. a foil; a contrasting character to a main hero -烙,lào,to brand; to iron; to bake (in a pan) -烙,luò,used in 炮烙[pao2luo4] -烙印,lào yìn,to brand (cattle etc); brand; (fig.) to leave a lasting mark; to stigmatize; mark; stamp; stigma -烙铁,lào tie,flatiron; iron; branding iron; soldering iron -烙饼,lào bǐng,pancake; flat bread; griddle cake -烜,xuǎn,brilliant -烜赫,xuǎn hè,famous; prestigious -烜赫一时,xuǎn hè yī shí,to enjoy a short-lived fame or position of power -烝,zhēng,multitudinous; the masses; to present (to sb); to rise; to advance; to progress; archaic variant of 蒸[zheng1] -烝民,zhēng mín,people; the masses -烝黎,zhēng lí,people; the masses -烤,kǎo,to roast; to bake; to broil -烤布蕾,kǎo bù lěi,(loanword) crème brûlée -烤房,kǎo fáng,drying room; oven -烤架,kǎo jià,grill (of a cooker etc) -烤火,kǎo huǒ,to warm oneself at a fire -烤炙,kǎo zhì,to scorch; (of the sun) to beat down on -烤焦,kǎo jiāo,to burn (food by overroasting etc) -烤烟,kǎo yān,flue-cured tobacco; tobacco for flue-curing -烤炉,kǎo lú,oven (PRC) -烤盘,kǎo pán,baking tray -烤箱,kǎo xiāng,oven -烤肉,kǎo ròu,barbecue (lit. roast meat) -烤肉酱,kǎo ròu jiàng,barbecue sauce -烤胡椒香肠,kǎo hú jiāo xiāng cháng,roast pepper sausage; pepperoni -烤鸡,kǎo jī,roast chicken -烤电,kǎo diàn,diathermia (medical treatment involving local heating of body tissues with electric current) -烤饼,kǎo bǐng,scone -烤鸭,kǎo yā,roast duck -烤麸,kǎo fū,"kao fu, a spongy wheat gluten product used in Chinese cuisine" -烤面包,kǎo miàn bāo,to toast bread; toasted bread; toast; to bake bread -烤面包机,kǎo miàn bāo jī,toaster -烯,xī,alkene -烯烃,xī tīng,olefine; alkene (chemistry) -炯,jiǒng,old variant of 炯[jiong3] -烃,tīng,hydrocarbon -烃化作用,tīng huà zuò yòng,alkylation -烃蜡,tīng là,hydrocarbon wax -烷,wán,alkane -烷基,wán jī,alkyl -烷基苯,wán jī běn,alkyl benzene; dodecylbenzene C18H30 -烷基苯磺酸钠,wán jī běn huáng suān nà,sodium dodecylbenzene sulfonate (used as a bubbling agent in detergents) -烷氧基,wán yǎng jī,alkoxy (chemistry) -烷烃,wán tīng,alkane -烹,pēng,cooking method; to boil sb alive (capital punishment in imperial China) -烹煮,pēng zhǔ,to cook; to boil -烹茶,pēng chá,to brew tea -烹制,pēng zhì,to cook; to prepare (food) -烹调,pēng tiáo,to cook -烹调术,pēng tiáo shù,cookery -烹饪,pēng rèn,cooking; culinary arts -烹饪法,pēng rèn fǎ,cuisine; culinary art; cookery; recipe -烽,fēng,beacon fire -烽火,fēng huǒ,fire beacon (to give alarm) -烽火四起,fēng huǒ sì qǐ,the fire of war in all four directions (idiom); the confusion of war -烽烟,fēng yān,fire beacon (used as alarm signal over long distance) -烽烟四起,fēng yān sì qǐ,lit. fire beacons in all four directions (idiom); the confusion of war -烽烟遍地,fēng yān biàn dì,fire beacons on all sides (idiom); enveloped in the flames of war -烽燧,fēng suì,"fire beacon tower (used in frontier regions in former times to relay information about the enemy, using smoke by day and fire at night)" -焉,yān,where; how -焉知,yān zhī,(literary) how is one to know? -焉耆,yān qí,Yanqi county in Xinjiang -焉耆回族自治县,yān qí huí zú zì zhì xiàn,"Yanqi Hui Autonomous County in Bayingolin Mongol Autonomous Prefecture, Xinjiang 巴音郭楞蒙古自治州[Ba1 yin1 guo1 leng2 Meng3 gu3 Zi4 zhi4 zhou1], Xinjiang" -焉耆盆地,yān qí pén dì,Yanqi basin in northeast of Tarim basin -焉耆县,yān qí xiàn,"Yenji Xuyzu aptonom nahiyisi or Yanqi Hui autonomous county in Bayingolin Mongol Autonomous Prefecture, Xinjiang 巴音郭楞蒙古自治州[Ba1 yin1 guo1 leng2 Meng3 gu3 Zi4 zhi4 zhou1], Xinjiang" -焊,hàn,to weld; to solder -焊工,hàn gōng,welder; solderer; CL:名[ming2]; welding -焊接,hàn jiē,to weld; welding -焊料,hàn liào,solder -焊枪,hàn qiāng,welding torch -焊丝,hàn sī,welding wire -焊锡,hàn xī,solder -焊点,hàn diǎn,welding point; (electronics) solder joint -焌,jùn,to set fire to; to ignite -焌,qū,to extinguish a burning object; to singe sth with a smoldering object (e.g. burn a hole in one's trousers with a cigarette); to stir-fry; to pour a mixture of hot oil and flavorings over food -焌油,qū yóu,to pour heated oil and seasonings over food (e.g. a cooked fish) -焌黑,jùn hēi,pitch black -焐,wù,to warm sth up -焓,hán,enthalpy -焗,jú,"(dialect) to cook in salt or sand, inside a sealed pot; to steam; to bake" -焗油,jú yóu,to condition or dye the hair using hair treatment product in conjunction with a hair steamer -焗油机,jú yóu jī,hair steamer -焗烤,jú kǎo,to bake; gratin -焗饭,jú fàn,rice au gratin -焙,bèi,to dry over a fire; to bake -焙干,bèi gān,to dry over a fire; to roast -焙果,bèi guǒ,variant of 貝果|贝果[bei4 guo3] -焙烤,bèi kǎo,to bake; to roast; to kiln -焙煎,bèi jiān,"to dry and roast over a low fire (tea, chestnuts, seaweed etc); to torrefy" -焙烧,bèi shāo,to roast; to bake (e.g. mineral ore) -焙粉,bèi fěn,baking powder -焚,fén,to burn -焚化,fén huà,to cremate -焚尸,fén shī,to cremate -焚尸炉,fén shī lú,crematorium; crematory oven -焚书坑儒,fén shū kēng rú,to burn the Confucian classics and bury alive the Confucian scholars (acts supposedly committed by the first emperor 秦始皇[Qin2 Shi3 huang2]) -焚毁,fén huǐ,to burn down; to destroy with fire -焚烧,fén shāo,to burn; to set on fire -焚毁,fén huǐ,to burn down; to destroy with fire -焚琴煮鹤,fén qín zhǔ hè,lit. to burn zithers and cook cranes; fig. to waste valuable resources; to destroy wantonly beautiful things -焚砚,fén yàn,to destroy one's ink-slab (i.e. to write no more because others write so much better) -焚膏继晷,fén gāo jì guǐ,to burn the midnight oil (idiom); to work continuously night and day -焚风,fén fēng,foehn wind (loanword) -焚香,fén xiāng,to burn incense -焚香敬神,fén xiāng jìng shén,to burn incense in prayer to a God -无,wú,not to have; no; none; not; to lack; un-; -less -无上,wú shàng,supreme -无不,wú bù,none lacking; none missing; everything is there; everyone without exception -无不达,wú bù dá,nothing he can't do -无中生有,wú zhōng shēng yǒu,to create something from nothing (idiom) -无主失物,wú zhǔ shī wù,unclaimed lost property -无主见,wú zhǔ jiàn,without one's own opinions -无事不登三宝殿,wú shì bù dēng sān bǎo diàn,lit. one doesn't visit a temple without a cause (idiom); fig. to visit sb with an ulterior motive (esp. to ask for sth) -无事可做,wú shì kě zuò,to have nothing to do; to have time on one's hands -无事生非,wú shì shēng fēi,to make trouble out of nothing -无人,wú rén,unmanned; uninhabited -无人不,wú rén bù,no man is not... -无人不晓,wú rén bù xiǎo,known to everyone -无人不知,wú rén bù zhī,known to everybody -无人区,wú rén qū,uninhabited region -无人售票,wú rén shòu piào,self-service ticketing; automated ticketing -无人问津,wú rén wèn jīn,to be of no interest to anyone (idiom) -无人机,wú rén jī,drone; unmanned aerial vehicle -无人能及,wú rén néng jí,nobody can compete with; unmatched by anybody; without rival -无人飞行器,wú rén fēi xíng qì,drone; unmanned aerial vehicle -无人驾驶,wú rén jià shǐ,unmanned; unpiloted -无以复加,wú yǐ fù jiā,in the extreme (idiom); incapable of further increase -无以为报,wú yǐ wéi bào,unable to return the favor -无以为生,wú yǐ wéi shēng,no way to get by -无任,wú rèn,"extremely (pleased, grateful etc)" -无任感激,wú rèn gǎn jī,deeply obliged -无休无止,wú xiū wú zhǐ,ceaseless; endless (idiom) -无伴奏合唱,wú bàn zòu hé chàng,a cappella (music) -无似,wú sì,extremely; unworthy (self-deprecatory term) -无何,wú hé,nothing else; soon; before long -无依无靠,wú yī wú kào,no one to rely on (idiom); on one's own; orphaned; left to one's own devices -无信义,wú xìn yì,in bad faith; false; perfidious -无倚无靠,wú yǐ wú kào,variant of 無依無靠|无依无靠[wu2 yi1 wu2 kao4] -无做作,wú zuò zuo,unaffected (i.e. behaving naturally) -无伤大雅,wú shāng dà yǎ,(of a defect etc) to be of no great matter (idiom); harmless -无价,wú jià,invaluable; priceless -无价之宝,wú jià zhī bǎo,priceless treasure -无价珍珠,wú jià zhēn zhū,Pearl of Great Price (Mormonism) -无偿,wú cháng,free; no charge; at no cost -无冬无夏,wú dōng wú xià,regardless of the season; all the year round -无出其右,wú chū qí yòu,matchless; without equal; there is nothing better -无利,wú lì,no profit; not profitable; a hindrance; (to lend money) at no interest -无利不起早,wú lì bù qǐ zǎo,(saying) people don't get up early unless there is some benefit in doing so; won't lift a finger unless there's something in it for oneself -无力,wú lì,powerless; lacking strength -无力感,wú lì gǎn,feeling of powerlessness; sense of helplessness -无功不受禄,wú gōng bù shòu lù,Don't get a reward if it's not deserved. (idiom) -无功受禄,wú gōng shòu lù,to get undeserved rewards (idiom) -无功而返,wú gōng ér fǎn,to return without any achievement (idiom); to go home with one's tail between one's legs -无助,wú zhù,helpless; helplessness; feeling useless; no help -无助感,wú zhù gǎn,to feel helpless; feeling useless -无动于中,wú dòng yú zhōng,variant of 無動於衷|无动于衷[wu2 dong4 yu2 zhong1] -无动于衷,wú dòng yú zhōng,aloof; indifferent; unconcerned -无匹,wú pǐ,incomparable; matchless; unrivalled -无厘头,wú lí tóu,"silly talk or ""mo lei tau"" (Cantonese), genre of humor emerging from Hong Kong late in the 20th century" -无原则,wú yuán zé,unprincipled -无取胜希望者,wú qǔ shèng xī wàng zhě,outsider (i.e. not expected to win a race or championship) -无可,wú kě,can't -无可匹敌,wú kě pǐ dí,unsurpassed; unparalleled -无可厚非,wú kě hòu fēi,see 未可厚非[wei4 ke3 hou4 fei1] -无可奈何,wú kě nài hé,have no way out; have no alternative; abbr. to 無奈|无奈[wu2 nai4] -无可奉告,wú kě fèng gào,"(idiom) ""no comment""" -无可挑剔,wú kě tiāo ti,excellent in every respect; flawless -无可挽回,wú kě wǎn huí,irrevocable; the die is cast -无可救药,wú kě jiù yào,lit. no antidote is possible (idiom); incurable; incorrigible; beyond redemption -无可无不可,wú kě wú bù kě,neither for nor against sth; indifferent -无可争议,wú kě zhēng yì,undeniable; uncontroversial -无可置疑,wú kě zhì yí,cannot be doubted (idiom) -无可非议,wú kě fēi yì,irreproachable (idiom); nothing blameworthy about it at all -无名,wú míng,nameless; obscure -无名小卒,wú míng xiǎo zú,insignificant soldier (idiom); a nobody; nonentity -无名战士墓,wú míng zhàn shì mù,Tomb of the Unknown Soldier -无名指,wú míng zhǐ,ring finger -无名氏,wú míng shì,anonymous person -无名烈士墓,wú míng liè shì mù,tomb of the unknown soldier -无名英雄,wú míng yīng xióng,unnamed hero -无味,wú wèi,flavorless; unpalatable; odorless; dull; uninteresting -无咖啡因,wú kā fēi yīn,decaffeinated; decaf -无品,wú pǐn,fretless (stringed instrument) -无国界,wú guó jiè,without borders (used for organizations such as Médecins sans Frontières) -无国界料理,wú guó jiè liào lǐ,fusion cuisine (Tw) -无国界记者,wú guó jiè jì zhě,Reporters Without Borders (pressure group) -无国界医生,wú guó jiè yī shēng,Médecins Sans Frontières (MSF charity); Doctors Without Borders -无地自容,wú dì zì róng,(idiom) ashamed and unable to show one's face -无垠,wú yín,boundless; vast -无坚不摧,wú jiān bù cuī,no stronghold one cannot overcome (idiom); to conquer every obstacle; nothing one can't do; to carry everything before one -无大无小,wú dà wú xiǎo,no matter how big or small; not distinguishing junior and senior -无奇不有,wú qí bù yǒu,nothing is too bizarre; full of extraordinary things -无奈,wú nài,to have no alternative; frustrated; exasperated; helpless; (conjunction) but unfortunately -无奸不商,wú jiān bù shāng,all businessmen are evil (idiom) -无妨,wú fáng,no harm (in doing it); One might as well.; It won't hurt.; no matter; it's no bother -无孔不钻,wú kǒng bù zuān,lit. leave no hole undrilled (idiom); to latch on to every opportunity -无字碑,wú zì bēi,stone tablet without inscription; blank stele -无定形碳,wú dìng xíng tàn,amorphous carbon -无害,wú hài,harmless -无家可归,wú jiā kě guī,homeless -无容置疑,wú róng zhì yí,cannot be doubted (idiom) -无宁,wú nìng,variant of 毋寧|毋宁[wu2 ning4] -无将牌,wú jiàng pái,no trumps (in card games) -无尾熊,wú wěi xióng,koala -无尾猿,wú wěi yuán,ape -无局,wú jú,non-vulnerable (in bridge) -无巧不成书,wú qiǎo bù chéng shū,curious coincidence -无已,wú yǐ,endlessly; to have no choice -无师自通,wú shī zì tōng,self-taught; to learn without a teacher (idiom) -无常,wú cháng,variable; changeable; fickle; impermanence (Sanskrit: anitya); ghost taking away the soul after death; to pass away; to die -无干,wú gān,to have nothing to do with -无几,wú jǐ,very little; hardly any -无序,wú xù,disorderly; irregular; lack of order -无底,wú dǐ,bottomless -无底坑,wú dǐ kēng,the bottomless pit (Hell in the Bible); pitless (elevator) -无底洞,wú dǐ dòng,bottomless pit -无度,wú dù,immoderate; excessive; not knowing one's limits -无庸,wú yōng,variant of 毋庸[wu2 yong1] -无形,wú xíng,incorporeal; virtual; formless; invisible (assets); intangible -无形中,wú xíng zhōng,imperceptibly; virtually -无形贸易,wú xíng mào yì,invisibles (trade) -无形输出,wú xíng shū chū,invisible export -无影无踪,wú yǐng wú zōng,to disappear without trace (idiom) -无往不利,wú wǎng bù lì,(idiom) to be successful in every endeavor -无后,wú hòu,to lack male offspring -无后坐力炮,wú hòu zuò lì pào,recoilless rifle -无从,wú cóng,not to have access; beyond one's authority or capability; sth one has no way of doing -无从下手,wú cóng xià shǒu,not know where to start -无微不至,wú wēi bù zhì,in every possible way (idiom); meticulous -无征不信,wú zhēng bù xìn,without proof one can't believe it (idiom) -无心,wú xīn,unintentionally; not in the mood to -无心插柳,wú xīn chā liǔ,(idiom) (of a good outcome) unanticipated; serendipitous; fortuitous -无心插柳柳成阴,wú xīn chā liǔ liǔ chéng yīn,lit. idly poke a stick in the mud and it grows into a tree to shade you; (fig.) unintentional actions may bring unexpected success; also written 無心插柳柳成蔭|无心插柳柳成荫 -无思无虑,wú sī wú lǜ,(idiom) carefree; untroubled -无性,wú xìng,sexless; asexual (reproduction) -无性繁殖,wú xìng fán zhí,asexual reproduction -无怨无悔,wú yuàn wú huǐ,no complaints; to have no regrets -无怪,wú guài,No wonder!; not surprising -无怪乎,wú guài hū,no wonder (that...) -无恒,wú héng,to lack patience -无恙,wú yàng,in good health -无耻,wú chǐ,without any sense of shame; unembarrassed; shameless -无息,wú xī,interest-free -无悔,wú huǐ,to have no regrets -无患子,wú huàn zǐ,"Sapindales; order of scented bushes and trees, includes citrus fruit and lychee" -无情,wú qíng,pitiless; ruthless; merciless; heartless -无情无义,wú qíng wú yì,completely lacking any feeling or sense of justice (idiom); cold and ruthless -无恶不作,wú è bù zuò,not to shrink from any crime (idiom); to commit any imaginable misdeed -无意,wú yì,inadvertent; accidental; to have no intention of (doing sth) -无意中,wú yì zhōng,accidentally; unintentionally; unexpectedly -无意识,wú yì shí,unconscious; involuntary -无意间,wú yì jiān,inadvertently; unintentionally -无愧,wú kuì,to have a clear conscience; to feel no qualms; to be worthy of (sth) -无忧无虑,wú yōu wú lǜ,carefree and without worries (idiom) -无懈可击,wú xiè kě jī,(idiom) impossible to fault; impeccable -无成,wú chéng,achieving nothing -无我,wú wǒ,"anatta (Buddhist concept of ""non-self"")" -无所不包,wú suǒ bù bāo,(idiom) not excluding anything; all-encompassing -无所不在,wú suǒ bù zài,omnipresent -无所不为,wú suǒ bù wéi,not stopping at anything; all manner of evil -无所不用其极,wú suǒ bù yòng qí jí,committing all manner of crimes; completely unscrupulous -无所不知,wú suǒ bù zhī,omniscient -无所不能,wú suǒ bù néng,omnipotent -无所不至,wú suǒ bù zhì,to reach everywhere; to stop at nothing; to do one's utmost -无所不谈,wú suǒ bù tán,to talk about everything -无所不卖,wú suǒ bù mài,to sell anything; to sell everything -无所事事,wú suǒ shì shì,to have nothing to do; to idle one's time away (idiom) -无所作为,wú suǒ zuò wéi,attempting nothing and accomplishing nothing (idiom); without any initiative or drive; feckless -无所属,wú suǒ shǔ,unaffiliated; non-party -无所用心,wú suǒ yòng xīn,not paying attention to anything (idiom); to idle time away -无所畏忌,wú suǒ wèi jì,without any fear of consequences; totally devoid of scruples -无所谓,wú suǒ wèi,to be indifferent; not to matter; cannot be said to be -无所适从,wú suǒ shì cóng,not knowing which course to follow (idiom); at a loss what to do -无把握,wú bǎ wò,uncertain -无拘无束,wú jū wú shù,free and unconstrained (idiom); unfettered; unbuttoned; without care or worries -无措,wú cuò,helpless -无援,wú yuán,without support; helpless -无损,wú sǔn,to do no harm (to sth); intact; (computing) lossless -无支祁,wú zhī qí,a water goblin in Chinese mythology usually depicted as a monkey -无政府主义,wú zhèng fǔ zhǔ yì,anarchism -无故,wú gù,without cause or reason -无效,wú xiào,not valid; ineffective; in vain -无效社交,wú xiào shè jiāo,unproductive social interaction -无敌,wú dí,unequalled; without rival; a paragon -无数,wú shù,countless; numberless; innumerable -无明,wú míng,avidya (Buddhism); ignorance; delusion -无时无刻,wú shí wú kè,"(idiom) (when followed by 不[bu4]) at no time; never (Note: 無時無刻不|无时无刻不[wu2shi2-wu2ke4 bu4] therefore means ""at no time not ..."", i.e. ""at all times"".); (when not followed by 不[bu4]) at all times; always" -无晶圆,wú jīng yuán,fabless (semiconductor company) -无暇,wú xiá,too busy; to have no time for; fully occupied -无望,wú wàng,without hope; hopeless; without prospects -无期,wú qī,unspecified period; in the indefinite future; no fixed time; indefinite sentence (i.e. life imprisonment) -无期别,wú qī bié,to part for an unspecified period; to take leave from indefinitely -无期徒刑,wú qī tú xíng,life imprisonment -无核,wú hé,nonnuclear; seedless (botany) -无核化,wú hé huà,to make nuclear-free; to de-nuclearize -无核区,wú hé qū,nuclear weapon-free zone -无条件,wú tiáo jiàn,unconditional -无条件投降,wú tiáo jiàn tóu xiáng,unconditional surrender -无棣,wú dì,"Wudi county in Binzhou 濱州|滨州[Bin1 zhou1], Shandong" -无棣县,wú dì xiàn,"Wudi county in Binzhou 濱州|滨州[Bin1 zhou1], Shandong" -无业,wú yè,unemployed; jobless; out of work -无业游民,wú yè yóu mín,unemployed person; vagrant; rogue -无业闲散,wú yè xián sǎn,unemployed and idle -无极,wú jí,"Wuji county in Shijiazhuang 石家莊地區|石家庄地区[Shi2 jia1 zhuang1 di4 qu1], Hebei; The Promise (name of film by Chen Kaige)" -无极,wú jí,everlasting; unbounded -无极县,wú jí xiàn,"Wuji county in Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1], Hebei" -无机,wú jī,inorganic (chemistry) -无机化学,wú jī huà xué,inorganic chemistry -无机物,wú jī wù,inorganic compound -无机盐,wú jī yán,inorganic salt -无权,wú quán,to have no right; to have no authority -无止尽,wú zhǐ jìn,endless -无壳族,wú ké zú,see 無殼蝸牛|无壳蜗牛[wu2 ke2 wo1 niu2] -无壳蜗牛,wú ké wō niú,fig. people who cannot afford to buy their own house -无毒,wú dú,harmless; innocuous; lit. not poisonous -无毒不丈夫,wú dú bù zhàng fu,"no poison, no great man (idiom); A great man has to be ruthless." -无比,wú bǐ,incomparable; matchless -无比较级,wú bǐ jiào jí,absolute (not liable to comparative degree) -无毛,wú máo,hairless -无氧,wú yǎng,anaerobic -无水,wú shuǐ,anhydrous (chemistry); waterless; dehydrated -无法,wú fǎ,unable to; incapable of -无法无天,wú fǎ wú tiān,regardless of the law and of natural morality (idiom); maverick; undisciplined and out of control -无济于事,wú jì yú shì,(idiom) to no avail; of no use -无为,wú wéi,"Wuwei, a county-level city in Wuhu 蕪湖|芜湖[Wu2hu2], Anhui" -无为,wú wéi,the Daoist doctrine of inaction; let things take their own course; laissez-faire -无为市,wú wéi shì,"Wuwei, a county-level city in Wuhu 蕪湖|芜湖[Wu2hu2], Anhui" -无为县,wú wéi xiàn,"Wuwei county in Chaohu 巢湖[Chao2 hu2], Anhui" -无烟,wú yān,nonsmoking (e.g. environment) -无烟炭,wú yān tàn,smokeless coal -无烟煤,wú yān méi,anthracite -无照经营,wú zhào jīng yíng,unlicensed business activity -无争议,wú zhēng yì,uncontroversial; accepted -无牌,wú pái,unlicensed; unlabeled (goods) -无牙,wú yá,toothless; (fig.) powerless; ineffectual; weak -无物,wú wù,nothing; empty -无牵无挂,wú qiān wú guà,to have no cares; to be carefree -无状,wú zhuàng,insolence; insolent; ill-mannered -无猜,wú cāi,unsuspecting; innocent and without apprehension -无独有偶,wú dú yǒu ǒu,"not alone but in pairs (idiom, usually derog.); not a unique occurrence; it's not the only case" -无理,wú lǐ,irrational; unreasonable -无理取闹,wú lǐ qǔ nào,to make trouble without reason (idiom); to be deliberately provocative -无理数,wú lǐ shù,irrational number -无瑕,wú xiá,faultless; perfect -无生命,wú shēng mìng,inert; lifeless -无产者,wú chǎn zhě,proletariat; non-propertied person -无产阶级,wú chǎn jiē jí,proletariat -无用,wú yòng,useless; worthless -无用之树,wú yòng zhī shù,"useless person (originally from Zhuangzi's ""A Happy Excursion"" 逍遙遊|逍遥游)" -无由,wú yóu,to be unable (to do sth); no reason to ...; without rhyme or reason -无异,wú yì,nothing other than; to differ in no way from; the same as; to amount to -无疑,wú yí,undoubtedly; without doubt; for sure -无疾而终,wú jí ér zhōng,to die peacefully; (fig.) to result in failure (without any outside interference); to come to nothing; to fizzle out -无病呻吟,wú bìng shēn yín,(idiom) to moan and groan despite not being sick; to feign illness; to complain without cause; (of writing) to indulge in confected sentimentality -无病自灸,wú bìng zì jiǔ,lit. to prescribe moxibustion for oneself when not ill; to cause oneself trouble with superfluous action -无症状,wú zhèng zhuàng,asymptomatic -无痕,wú hén,traceless -无痕模式,wú hén mó shì,(computing) incognito mode -无痛,wú tòng,painless; pain-free -无的放矢,wú dì fàng shǐ,to shoot without aim (idiom); fig. to speak without thinking; firing blindly; to shoot in the air; a shot in the dark -无益,wú yì,no good; not good for; not beneficial -无尽,wú jìn,endless; inexhaustible -无知,wú zhī,ignorant; ignorance -无知觉,wú zhī jué,senseless -无码,wú mǎ,unpixelated or uncensored (of video) -无碍,wú ài,without inconvenience; unimpeded; unhindered; unobstructed; unfettered; unhampered -无神论,wú shén lùn,atheism -无神论者,wú shén lùn zhě,atheist -无禄,wú lù,to be unsalaried; to be unfortunate; death -无福消受,wú fú xiāo shòu,unfortunately cannot enjoy (idiom) -无礼,wú lǐ,rude; rudely -无私,wú sī,selfless; unselfish; disinterested; altruistic -无秩序,wú zhì xù,disorder -无稽,wú jī,nonsense -无稽之谈,wú jī zhī tán,complete nonsense (idiom) -无穷,wú qióng,endless; boundless; inexhaustible -无穷小,wú qióng xiǎo,infinitesimal (in calculus); infinitely small -无穷序列,wú qióng xù liè,infinite sequence -无穷无尽,wú qióng wú jìn,endless; boundless; infinite -无穷远点,wú qióng yuǎn diǎn,point at infinity (math.); infinitely distant point -无穷集,wú qióng jí,infinite set (math.) -无端,wú duān,for no reason at all -无端端,wú duān duān,for no reason -无符号,wú fú hào,"unsigned (i.e. the absolute value, regardless of plus or minus sign)" -无筋面粉,wú jīn miàn fěn,wheat starch -无精打彩,wú jīng dǎ cǎi,dull and colorless (idiom); lacking vitality; not lively -无精打采,wú jīng dǎ cǎi,dispirited and downcast (idiom); listless; in low spirits; washed out -无精症,wú jīng zhèng,azoospermia (medicine) -无糖,wú táng,sugar free -无纸化,wú zhǐ huà,paperless -无纸化办公,wú zhǐ huà bàn gōng,paperless office -无结网,wú jié wǎng,knotless netting (textiles) -无丝分裂,wú sī fēn liè,amitosis -无维度,wú wéi dù,dimensionless (math.) -无网格法,wú wǎng gé fǎ,meshless method (numerical simulation); meshfree method -无线,wú xiàn,wireless -无线热点,wú xiàn rè diǎn,Wi-Fi hotspot -无线网络,wú xiàn wǎng luò,wireless network -无线网路,wú xiàn wǎng lù,wireless network -无线电,wú xiàn diàn,radio; wireless (i.e. the technology used in radio telecommunication); a radio -无线电广播,wú xiàn diàn guǎng bō,radio broadcast -无线电接收机,wú xiàn diàn jiē shōu jī,receiver (radio) -无线电收发机,wú xiàn diàn shōu fā jī,"transceiver; radio frequency receiver, broadcaster or relay" -无线电波,wú xiàn diàn bō,radio wave -无线电管理委员会,wú xiàn diàn guǎn lǐ wěi yuán huì,Wireless transmission regulatory commission -无线电话,wú xiàn diàn huà,radio telephony; wireless telephone -无缘,wú yuán,"to have no opportunity; no way (of doing sth); no chance; no connection; not placed (in a competition); (in pop lyrics) no chance of love, no place to be together etc" -无缘无故,wú yuán wú gù,"no cause, no reason (idiom); completely uncalled for" -无缝,wú fèng,seamless -无缝连接,wú fèng lián jiē,seamless connection -无缺,wú quē,whole -无罪,wú zuì,innocent; guileless; not guilty (of crime) -无罪抗辩,wú zuì kàng biàn,plea of not guilty -无罪推定,wú zuì tuī dìng,presumption of innocence (law) -无义,wú yì,without meaning; nonsense; immoral; faithless -无翅,wú chì,wingless -无聊,wú liáo,bored; boring; senseless -无声,wú shēng,noiseless; noiselessly; silent -无声无息,wú shēng wú xī,wordless and uncommunicative (idiom); without speaking; taciturn; not providing any news -无能,wú néng,incompetence; inability; incapable; powerless -无能为力,wú néng wéi lì,impotent (idiom); powerless; helpless -无脊椎,wú jǐ zhuī,invertebrate -无脊椎动物,wú jǐ zhuī dòng wù,invertebrate -无脑,wú nǎo,brainless -无脚蟹,wú jiǎo xiè,helpless lonely person -无与伦比,wú yǔ lún bǐ,incomparable -无船承运人,wú chuán chéng yùn rén,non-vessel-owning common carrier (NVOCC) (transportation) -无色,wú sè,colorless -无花果,wú huā guǒ,fig (Ficus carica) -无菌,wú jūn,sterile; aseptic -无菌性,wú jūn xìng,aseptic -无着,wú zhuó,"Asanga (Buddhist philosopher, c. 4th century AD)" -无着,wú zhuó,(of income etc) to be unassured; to lack a reliable source -无薪假,wú xīn jià,unpaid leave; leave without pay -无药可救,wú yào kě jiù,see 無可救藥|无可救药[wu2 ke3 jiu4 yao4] -无处,wú chù,nowhere -无处不在,wú chù bù zài,to be everywhere -无处可寻,wú chù kě xún,cannot be found anywhere (idiom) -无处容身,wú chù róng shēn,nowhere to hide -无虞,wú yú,not to be worried about; all taken care of -无虞匮乏,wú yú kuì fá,see 不虞匱乏|不虞匮乏[bu4yu2-kui4fa2] -无表情,wú biǎo qíng,expressionless; wooden (expression); blank (face) -无补,wú bǔ,of no avail; not helping in the least -无衬线,wú chèn xiàn,(typography) sans serif -无视,wú shì,to ignore; to disregard -无解,wú jiě,to have no solution -无言,wú yán,to remain silent; to have nothing to say -无言以对,wú yán yǐ duì,to be left speechless; unable to respond -无言可对,wú yán kě duì,unable to reply (idiom); left speechless; at a loss for words -无计可施,wú jì kě shī,no strategy left to try (idiom); at one's wit's end; at the end of one's tether; powerless -无记名,wú jì míng,(of a document) not bearing a name; unregistered (financial securities etc); bearer (bond); secret (ballot etc); anonymous; unattributed (remarks); (of a check) payable to the bearer -无话不说,wú huà bù shuō,(of close friends etc) to tell each other everything -无话不谈,wú huà bù tán,not to hold anything back (idiom); (of close friends etc) to tell each other everything -无话可说,wú huà kě shuō,to have nothing to say (idiom) -无语,wú yǔ,to remain silent; to have nothing to say; (coll.) speechless; dumbfounded -无误,wú wù,verified; unmistaken -无论,wú lùn,no matter what or how; regardless of whether... -无论何事,wú lùn hé shì,anything; whatever -无论何人,wú lùn hé rén,whoever -无论何时,wú lùn hé shí,whenever -无论何处,wú lùn hé chù,anywhere; wherever -无论如何,wú lùn rú hé,whatever the case; in any event; no matter what; by all possible means -无谓,wú wèi,pointless; meaningless; unnecessarily -无货,wú huò,out of stock; product unavailable -无赖,wú lài,hoodlum; rascal; rogue; rascally; scoundrelly -无趣,wú qù,dull; vapid; colorless -无足轻重,wú zú qīng zhòng,insignificant -无路可走,wú lù kě zǒu,nowhere to go; at the end of one's tether -无路可退,wú lù kě tuì,without a retreat route; caught in a dead end; having burned one's bridges -无路可逃,wú lù kě táo,no way out; nowhere to go; trapped beyond hope of rescue; painted into a corner -无轨,wú guǐ,trackless -无轨电车,wú guǐ diàn chē,trolleybus -无辜,wú gū,innocent; innocence; not guilty (law) -无农药,wú nóng yào,without agricultural chemicals; pesticide-free -无连接,wú lián jiē,connectionless -无道,wú dào,tyrannical; brutal (regime) -无远弗届,wú yuǎn fú jiè,to extend all over the globe (idiom); far-reaching -无遗,wú yí,completely; fully; without omission -无边,wú biān,without boundary; not bordered -无边无际,wú biān wú jì,boundless; limitless -无邪,wú xié,without guilt -无醇啤酒,wú chún pí jiǔ,"low-alcohol beer; non-alcoholic beer (typically, 0.5% ABV or less)" -无量,wú liàng,measureless; immeasurable -无量寿,wú liàng shòu,"boundless life (expression of good wishes); Amitayus, the Buddha of measureless life, good fortune and wisdom" -无针注射器,wú zhēn zhù shè qì,jet injector -无钩绦虫,wú gōu tāo chóng,beef tapeworm -无钢圈,wú gāng quān,wireless (bra) -无锡,wú xī,"Wuxi, prefecture-level city in Jiangsu" -无锡市,wú xī shì,"Wuxi, prefecture-level city in Jiangsu" -无锡新区,wú xī xīn qū,"Wuxi new district of Wuxi city 無錫市|无锡市[Wu2 xi1 shi4], Jiangsu" -无锡县,wú xī xiàn,Wuxi county in Jiangsu -无间,wú jiàn,very close; no gap between them; continuously; unbroken; hard to separate; indistinguishable -无间地狱,wú jiàn dì yù,see 阿鼻地獄|阿鼻地狱[A1 bi2 Di4 yu4] -无关,wú guān,unrelated; having nothing to do (with sth else) -无关痛痒,wú guān tòng yǎng,not to affect sb; irrelevant; of no importance; insignificant -无关紧要,wú guān jǐn yào,indifferent; insignificant -无限,wú xiàn,unlimited; unbounded -无限制,wú xiàn zhì,limitless; unrestricted -无限小,wú xiàn xiǎo,infinitesimal; infinitely small -无限小数,wú xiàn xiǎo shù,infinitesimal; infinite decimal expansion -无限期,wú xiàn qī,indefinitely; of unlimited duration -无限风光在险峰,wú xiàn fēng guāng zài xiǎn fēng,The boundless vista is at the perilous peak (proverb); fig. exhilaration follows a hard-won victory -无际,wú jì,limitless; boundless -无障碍,wú zhàng ài,barrier-free; (esp.) accessible (to people with a disability) -无双,wú shuāng,incomparable; matchless; unique -无需,wú xū,needless -无霜期,wú shuāng qī,frost-free period -无非,wú fēi,only; nothing else -无须,wú xū,need not; not obliged to; not necessarily -无颌,wú hé,jawless (primitive fish) -无头苍蝇,wú tóu cāng ying,headless fly (a metaphor for sb who is rushing around frantically) -无题,wú tí,untitled -无颜见江东父老,wú yán jiàn jiāng dōng fù lǎo,"(idiom) to be unable to return to one's hometown due to the shame of failure (originally referred to Xiang Yu 項羽|项羽[Xiang4 Yu3], who chose not to retreat to Jiangdong after his humiliating defeat)" -无风三尺浪,wú fēng sān chǐ làng,lit. large waves in windless conditions (idiom); fig. trouble arising unexpectedly -无风不起浪,wú fēng bù qǐ làng,lit. without wind there cannot be waves (idiom); there must be a reason; no smoke without fire -无党派,wú dǎng pài,politically unaffiliated; independent (candidate) -无齿翼龙,wú chǐ yì lóng,Pteranodon (genus of pterosaur) -焢,hōng,angry appearance (archaic) -焢,kòng,see 焢肉[kong4 rou4] -焢肉,kòng ròu,slow-braised pork belly (Tw) -焦,jiāo,surname Jiao -焦,jiāo,burnt; scorched; charred; worried; anxious; coke; joule (abbr. for 焦耳[jiao1 er3]) -焦作,jiāo zuò,Jiaozuo prefecture-level city in Henan -焦作市,jiāo zuò shì,Jiaozuo prefecture-level city in Henan -焦化,jiāo huà,to coke -焦噪,jiāo zào,variant of 焦躁[jiao1 zao4] -焦土,jiāo tǔ,scorched earth -焦外,jiāo wài,bokeh (photography) -焦急,jiāo jí,anxiety; anxious -焦虑,jiāo lǜ,anxious; worried; apprehensive -焦虑不安,jiāo lǜ bù ān,worried too much -焦虑症,jiāo lǜ zhèng,neurosis; anxiety -焦油,jiāo yóu,tar -焦灼,jiāo zhuó,(literary) deeply worried -焦炙,jiāo zhì,to scorch; to burn to charcoal; sick with worry -焦炭,jiāo tàn,coke (processed coal used in blast furnace) -焦燥,jiāo zào,variant of 焦躁[jiao1 zao4] -焦炉,jiāo lú,coking furnace -焦糖,jiāo táng,caramel -焦耳,jiāo ěr,joule (loanword) -焦距,jiāo jù,focal length; focal distance -焦躁,jiāo zào,fretful; impatient -焦头烂额,jiāo tóu làn é,"lit. badly burned about the head (from trying to put out a fire) (idiom); fig. hard-pressed; under pressure (from a heavy workload, creditors etc)" -焦香,jiāo xiāng,burnt aroma -焦黄,jiāo huáng,sallow; yellow and withered; sickly -焦点,jiāo diǎn,focal point; focus (lit. and fig.) -焯,chāo,to blanch (a vegetable) -焰,yàn,flame -焰火,yàn huǒ,fireworks -焱,yàn,variant of 焰[yan4] -然,rán,correct; right; so; thus; like this; -ly -然并卵,rán bìng luǎn,(Internet slang) ultimately useless -然则,rán zé,that being the case; then; in that case -然后,rán hòu,then; after that; afterwards -然而,rán ér,however; but; yet -然顷,rán qǐng,in a short time; soon; before long -然鹅,rán é,(Internet slang for 然而[ran2 er2]) however -煅,duàn,variant of 鍛|锻[duan4] -煅成末,duàn chéng mò,to calcine (purify by heating) -煅烧,duàn shāo,to calcine (purify by heating) -煅炉,duàn lú,forge; fig. extremely hot environment -煅石膏,duàn shí gāo,plaster of Paris; calcined gypsum -煆,xiā,a raging fire -煆,yā,raging fire -炼,liàn,to refine; to smelt -炼丹,liàn dān,to concoct pills of immortality -炼丹八卦炉,liàn dān bā guà lú,"eight trigrams furnace to cook pills of immortality; symbol of the alchemist's art; Double, double toil and trouble, Fire burn, and cauldron bubble" -炼丹术,liàn dān shù,maker of immortality pill; concocting magic pills -炼之未定,liàn zhī wèi dìng,to spend a long time thinking about sth while unable to reach a decision -炼乳,liàn rǔ,to condense milk (by evaporation); condensed milk -炼化,liàn huà,"to refine; refining (e.g. oil, chemicals etc)" -炼句,liàn jù,to polish a phrase -炼奶,liàn nǎi,condensed milk -炼字,liàn zì,to craft one's words -炼油,liàn yóu,oil refinery -炼油厂,liàn yóu chǎng,oil refinery -炼焦,liàn jiāo,coking; the process of producing coke from coal -炼焦炉,liàn jiāo lú,coking furnace -炼狱,liàn yù,purgatory -炼珍,liàn zhēn,a delicacy (food) -炼制,liàn zhì,(chemistry) to refine -炼金术,liàn jīn shù,alchemy -炼金术士,liàn jīn shù shì,alchemist -炼钢,liàn gāng,to make steel; steelmaking -炼钢厂,liàn gāng chǎng,steel mill -炼铁,liàn tiě,smelting iron -炼铁厂,liàn tiě chǎng,iron foundry -煊,xuān,variant of 暄[xuan1] -煊赫,xuān hè,see 烜赫[xuan3 he4] -煌,huáng,brilliant -煌熠,huáng yì,bright -煎,jiān,to pan fry; to sauté -煎炒,jiān chǎo,to lightly fry -煎炸,jiān zhá,to fry -煎炸油,jiān zhá yóu,frying oil -煎炸食品,jiān zhá shí pǐn,fried food -煎熬,jiān áo,to suffer; to torture; to torment; ordeal; suffering; torture; torment -煎牛扒,jiān niú bā,beef steak -煎蛋,jiān dàn,fried egg -煎蛋卷,jiān dàn juǎn,omelet -煎猪扒,jiān zhū bā,pork steak -煎锅,jiān guō,frying pan -煎饺,jiān jiǎo,fried dumpling -煎饼,jiān bǐng,"jianbing, a savory Chinese crêpe; pancake; CL:張|张[zhang1]" -煮,zhǔ,variant of 煮[zhu3] -炜,wěi,glowing; bright; brilliant -暖,nuǎn,variant of 暖[nuan3] -暖,nuǎn,"variant of 暖[nuan3], warm" -烟,yān,cigarette or pipe tobacco; CL:根[gen1]; smoke; mist; vapour; CL:縷|缕[lu:3]; tobacco plant; (of the eyes) to be irritated by smoke -烟台,yān tái,"Yantai, prefecture-level city in Shandong" -烟台市,yān tái shì,"Yantai, prefecture-level city in Shandong" -烟囱,yān cōng,chimney -烟圈,yān quān,smoke ring -烟土,yān tǔ,raw opium -烟尘,yān chén,smoke and dust; air pollution -烟屁,yān pì,cigarette butt -烟屁股,yān pì gu,cigarette butt -烟幕,yān mù,smokescreen; fig. a diversion -烟幕弹,yān mù dàn,smoke bomb -烟厂,yān chǎng,cigarette factory -烟径,yān jìng,misty lane -烟卷,yān juǎn,cigarette; cigar -烟卷儿,yān juǎn er,cigarette; CL:棵[ke1] -烟斗,yān dǒu,(smoking) pipe -烟柳莺,yān liǔ yīng,(bird species of China) smoky warbler (Phylloscopus fuligiventer) -烟枪,yān qiāng,opium pipe -烟民,yān mín,smokers -烟气,yān qì,smoke -烟波,yān bō,mist covered water -烟海,yān hǎi,the vast ocean -烟消云散,yān xiāo yún sàn,to vanish like smoke in thin air; to disappear -烟火,yān huǒ,smoke and fire; fireworks -烟火气,yān huǒ qì,cooking smells; (fig.) lively atmosphere -烟灰,yān huī,cigarette ash -烟灰缸,yān huī gāng,ashtray -烟熏妆,yān xūn zhuāng,smoky-effect makeup around the eyes -烟熏眼,yān xūn yǎn,smoky eyes look (cosmetics) -烟熏,yān xūn,smoke; to fumigate -烟熏火燎,yān xūn huǒ liǎo,smoke and baking fire (idiom); surrounded by flames and smoke -烟瘾,yān yǐn,the urge to smoke; tobacco addiction -烟硷,yān jiǎn,variant of 菸鹼|菸碱[yan1 jian3]; nicotine -烟突,yān tū,chimney -烟筒,yān tong,chimney; stovepipe; smokestack -烟管,yān guǎn,smoking pipe -烟管面,yān guǎn miàn,elbow pasta -烟缸,yān gāng,ashtray -烟肉,yān ròu,bacon; smoked ham -烟腹毛脚燕,yān fù máo jiǎo yàn,(bird species of China) Asian house martin (Delichon dasypus) -烟花,yān huā,fireworks; prostitute (esp. in Yuan theater) -烟花债,yān huā zhài,involved in a love affair -烟花场,yān huā chǎng,brothel (esp. in Yuan theater) -烟花女,yān huā nǚ,prostitute (esp. in Yuan theater) -烟花寨,yān huā zhài,brothel (esp. in Yuan theater) -烟花巷,yān huā xiàng,red-light district -烟花市,yān huā shì,(old) red-light district; brothel -烟花厂,yān huā chǎng,firework factory -烟花柳巷,yān huā liǔ xiàng,red-light district -烟花爆竹,yān huā bào zhú,"fireworks (i.e. pyrotechnic devices, not the display they produce)" -烟花簿,yān huā bù,catalog of prostitutes (esp. in Yuan theater) -烟花粉黛,yān huā fěn dài,"woman; prostitute; lovemaking; literary or theatrical form in Tang, Song and Yuan" -烟花行院,yān huā xíng yuàn,brothel (esp. in Yuan theater) -烟花阵,yān huā zhèn,brothel (esp. in Yuan theater) -烟花风月,yān huā fēng yuè,refers to lovemaking (idiom) -烟草,yān cǎo,tobacco -烟叶,yān yè,leaf tobacco -烟蒂,yān dì,cigarette butt (variant of 菸蒂|烟蒂[yan1di4]) -烟袋,yān dài,tobacco pipe -烟豆,yān dòu,"variable glycine (Glycine tabacina), a scrambling plant in the bean family" -烟酒,yān jiǔ,tobacco and alcohol -烟酒不沾,yān jiǔ bù zhān,abstaining from liquor and tobacco -烟酸,yān suān,niacin (vitamin B3); 3-Pyridinecarboxylic acid C6H5NO2; nicotinic acid -烟雨,yān yǔ,misty rain; drizzle -烟霞,yān xiá,haze -烟雾,yān wù,smoke; mist; vapor; smog; fumes -烟雾剂,yān wù jì,aerosol -烟雾症,yān wù zhèng,moyamoya disease (rare brain disease first diagnosed in Japan) -烟霾,yān mái,smoke; pollution -烟霭,yān ǎi,mist and clouds -烟头,yān tóu,cigarette butt; fag-end; CL:根[gen1] -烟头儿,yān tóu er,erhua variant of 煙頭|烟头[yan1 tou2] -烟鬼,yān guǐ,heavy smoker; chain smoker -烟碱,yān jiǎn,variant of 菸鹼|菸碱[yan1 jian3]; nicotine -烟碱酸,yān jiǎn suān,variant of 菸鹼酸|菸碱酸[yan1 jian3 suan1]; niacin -烟黑叉尾海燕,yān hēi chā wěi hǎi yàn,(bird species of China) Wilson's storm petrel (Oceanites oceanicus) -煜,yù,brilliant; glorious -煜煜,yù yù,dazzling; bright -煜熠,yù yì,bright -煞,shā,to terminate; to cut short; to bring to a stop; to squeeze; to tighten; to damage; variant of 殺|杀[sha1] -煞,shà,fiend; demon; very; (Tw) SARS (loanword) -煞住,shā zhù,to brake; to stop; to forbid -煞到,shà dào,(Tw) to like; to fall in love with -煞尾,shā wěi,to finish off; to wind up -煞性子,shā xìng zi,to vent anger -煞是,shà shì,extremely; very -煞有介事,shà yǒu jiè shì,to make a show of being very much in earnest (idiom); to act as if one is taking things very seriously -煞有其事,shà yǒu qí shì,see 煞有介事[sha4 you3 jie4 shi4] -煞气,shā qì,to vent one's anger on (an innocent party); to take it out on (sb) -煞气,shà qì,"baleful look; inauspicious influence; (of a tire, balloon etc) to leak air" -煞气腾腾,shā qì téng téng,variant of 殺氣騰騰|杀气腾腾[sha1 qi4 teng2 teng2] -煞白,shà bái,deathly white -煞神,shà shén,demon; fiend -煞笔,shā bǐ,to stop one's pen; to break off writing; final remarks (at the end of a book or article) -煞费苦心,shà fèi kǔ xīn,to take a lot of trouble (idiom); painstaking; at the cost of a lot of effort -煞账,shā zhàng,to settle an account -煞车,shā chē,to brake (when driving) -煞风景,shā fēng jǐng,to be an eyesore; (fig.) to spoil the fun; to be a wet blanket -茕,qióng,alone; desolate -茕茕孑立,qióng qióng jié lì,to stand all alone -煤,méi,coal; CL:塊|块[kuai4] -煤储量,méi chǔ liàng,coal reserves -煤屑,méi xiè,coal dust; coal slack -煤层,méi céng,a coal bed; a coal seam -煤层气,méi céng qì,coalbed methane -煤山雀,méi shān què,(bird species of China) coal tit (Periparus ater) -煤气,méi qì,coal gas; gas (fuel) -煤油,méi yóu,kerosene -煤渣,méi zhā,slack -煤灰,méi huī,soot -煤炭,méi tàn,coal -煤焦油,méi jiāo yóu,coal tar -煤炉,méi lú,coal stove -煤球,méi qiú,charcoal briquette -煤田,méi tián,a coalfield -煤矸石,méi gān shí,(mining) coal gangue -煤砖,méi zhuān,briquette -煤矿,méi kuàng,coal mine; coal seam -煤箱,méi xiāng,coal box -煤制气,méi zhì qì,coal gasification -煤制油,méi zhì yóu,coal liquefaction -焕,huàn,(bound form) shining; glowing; lustrous -焕新,huàn xīn,to renew; to refresh -焕然一新,huàn rán yī xīn,to look completely new (idiom); brand new; changed beyond recognition -焕发,huàn fā,to shine; to glow; to irradiate; to flash -煦,xù,balmy; nicely warm; cozy; Taiwan pr. [xu3] -煦仁孑义,xù rén jié yì,petty kindness -煦暖,xù nuǎn,to warm; warming -煦煦,xù xù,kind; gracious; benevolent; warm and fine; balmy -照,zhào,according to; in accordance with; to shine; to illuminate; to reflect; to look at (one's reflection); to take (a photo); photo; as requested; as before -照亮,zhào liàng,to illuminate; to light up; lighting -照付,zhào fù,to pay as charged -照例,zhào lì,as a rule; as usual; usually -照做,zhào zuò,to do as instructed; to comply -照像,zhào xiàng,variant of 照相[zhao4 xiang4] -照像机,zhào xiàng jī,variant of 照相機|照相机[zhao4 xiang4 ji1]; camera -照原样,zhào yuán yàng,to copy; to follow the original shape; faithful restoration -照单全收,zhào dān quán shōu,to accept without question; to take sth at face value -照壁,zhào bì,a screen wall across the gate of a house (for privacy) -照妖镜,zhào yāo jìng,magic mirror for revealing goblins; fig. way of seeing through a conspiracy -照射,zhào shè,to shine on; to light up; to irradiate -照常,zhào cháng,as usual -照度,zhào dù,level of illumination; (physics) illuminance -照得,zhào dé,seeing that -照应,zhào yìng,to correlate with; to correspond to -照应,zhào ying,to look after; to take care of; to attend to -照抄,zhào chāo,to copy word for word -照排,zhào pái,phototypesetting; photocomposition -照搬,zhào bān,to copy; to imitate -照料,zhào liào,to tend; to take care of sb -照明,zhào míng,lighting; illumination; to light up; to illuminate -照明弹,zhào míng dàn,flare; star shell -照映,zhào yìng,to shine; to illuminate -照会,zhào huì,a diplomatic note; letter of understanding or concern exchanged between governments -照本宣科,zhào běn xuān kē,a wooden word-by-word reading -照样,zhào yàng,as before; (same) as usual; in the same manner; still; nevertheless -照准,zhào zhǔn,request granted (formal usage in old document); to aim (gun) -照烧,zhào shāo,teriyaki (Japanese cooking technique) -照片,zhào piàn,"photograph; picture; CL:張|张[zhang1],套[tao4],幅[fu2]" -照片子,zhào piàn zi,to take an X-ray -照片底版,zhào piàn dǐ bǎn,a photographic plate -照理,zhào lǐ,according to reason; usually; in the normal course of events; to attend to -照登,zhào dēng,to publish unaltered -照发,zhào fā,approved for distribution; to provide (wages etc) as usual (e.g. while an employee is on maternity leave) -照直,zhào zhí,directly; straight; straight ahead; straightforward -照相,zhào xiàng,to take a photograph -照相排版,zhào xiàng pái bǎn,phototypesetting; photocomposition -照相机,zhào xiàng jī,"camera; CL:個|个[ge4],架[jia4],部[bu4],台[tai2],隻|只[zhi1]" -照相馆,zhào xiàng guǎn,photo studio -照看,zhào kàn,to look after; to attend to; to have in care -照眼,zhào yǎn,glare; dazzling -照章,zhào zhāng,according to the regulations -照管,zhào guǎn,to look after; to provide for -照约定,zhào yuē dìng,according to agreement; as arranged; as stipulated -照耀,zhào yào,to shine; to illuminate -照旧,zhào jiù,as before; as in the past -照葫芦画瓢,zhào hú lu huà piáo,lit. to draw a dipper with a gourd as a model (idiom); fig. to copy slavishly -照说,zhào shuō,normally; ordinarily speaking -照护,zhào hù,care; treatment (e.g. nursing care); to look after -照猫画虎,zhào māo huà hǔ,lit. drawing a tiger using a cat as a model (idiom); fig. to follow a model and get things more or less right but without capturing the spirit of the subject; uninspired imitation -照买不误,zhào mǎi bù wù,"to keep on buying (a product) regardless (of price increases, adverse publicity etc)" -照办,zhào bàn,to follow the rules; to do as instructed; to play by the book; to comply with a request -照进度,zhào jìn dù,on schedule -照面,zhào miàn,to meet face-to-face -照顾,zhào gu,to take care of; to show consideration; to attend to; to look after -照骗,zhào piàn,(Internet slang) flattering photo (pun on 照片[zhao4 pian4]); photoshopped picture -煨,wēi,to simmer; to roast in ashes -烦,fán,to feel vexed; to bother; to trouble; superfluous and confusing; edgy -烦乱,fán luàn,anxious; agitated -烦人,fán rén,to annoy; annoying; irritating; troublesome -烦冗,fán rǒng,"diverse and complicated (of one's affairs); prolix (of speech, writing etc)" -烦冤,fán yuān,frustrated; agitated; distressed -烦劳,fán láo,to put sb to trouble (of doing sth); vexation; inconvenience -烦心,fán xīn,annoying; vexing -烦心事,fán xīn shì,troubles; worries; sth on one's mind -烦闷,fán mèn,moody; gloomy -烦恼,fán nǎo,to be worried; to be distressed; worries -烦忧,fán yōu,to worry; to fret -烦扰,fán rǎo,to bother; to disturb; to vex -烦琐,fán suǒ,tedious; convoluted; fiddly; pedantic -烦腻,fán nì,fed up -烦请,fán qǐng,(courteous) would you please ... -烦躁,fán zào,jittery; twitchy; fidgety -烦杂,fán zá,many and disorderly; muddled -炀,yáng,molten; smelt -炀金,yáng jīn,molten metal -煮,zhǔ,to cook; to boil -煮沸,zhǔ fèi,to boil -煮法,zhǔ fǎ,cooking method -煮熟,zhǔ shóu,to boil thoroughly; to cook thoroughly -煮熟的鸭子飞了,zhǔ shú de yā zi fēi le,the cooked duck flew away (proverb); (fig.) to let a sure thing slip through one's fingers -煮硬,zhǔ yìng,to hard-boil (eggs) -煮蛋,zhǔ dàn,boiled egg -煮蛋计时器,zhǔ dàn jì shí qì,egg timer -煮豆燃萁,zhǔ dòu rán qí,burning beanstalks to cook the beans (idiom); to cause internecine strife -煮锅,zhǔ guō,cooking pot -煮开,zhǔ kāi,to boil (food) -煮饭,zhǔ fàn,to cook -煲,bāo,to cook slowly over a low flame; pot; saucepan -煲汤,bāo tāng,to simmer; soup made by simmering for a long time -煲电话粥,bāo diàn huà zhōu,to talk endlessly on the phone -煳,hú,burnt; to char -煸,biān,to stir-fry before broiling or stewing -煸炒,biān chǎo,to stir-fry in a small quantity of oil -煺,tuì,to pluck poultry or depilate pigs using hot water -煽,shān,to fan into a flame; to incite -煽动,shān dòng,to incite; to instigate -煽动性,shān dòng xìng,provocative -煽动颠覆国家政权,shān dòng diān fù guó jiā zhèng quán,incitement to subvert state power (criminal charge used to gag free speech) -煽动颠覆国家罪,shān dòng diān fù guó jiā zuì,crime of conspiring to overthrow the state -煽情,shān qíng,to stir up emotion; to arouse sympathy; moving -煽阴风,shān yīn fēng,to raise an ill wind -煽风点火,shān fēng diǎn huǒ,(idiom) to fan the flames; to incite people; to stir up trouble -熄,xī,"to extinguish; to put out (fire); to quench; to stop burning; to go out (of fire, lamp etc); to come to an end; to wither away; to die out; Taiwan pr. [xi2]" -熄灭,xī miè,to stop burning; to go out (of fire); to die out; extinguished -熄火,xī huǒ,"(of fire, lamp etc) to go out; to put out (fire); (fig.) to die down; (of a vehicle) to stall" -熄灯,xī dēng,turn out the lights; lights out -熙,xī,variant of 熙[xi1] -熊,xióng,surname Xiong -熊,xióng,bear; (coll.) to scold; to rebuke; (coll.) weak; incapable -熊倪,xióng ní,"Xiong Ni (1974-), Chinese diving athlete" -熊包,xióng bāo,worthless person; good-for-nothing -熊孩子,xióng hái zi,(dialect) little devil; brat -熊市,xióng shì,bear market -熊成基,xióng chéng jī,"Xiong Chengji (1887-1910), anti-Qing revolutionary and martyr" -熊抱,xióng bào,bear hug; to give (sb) a bear-hug -熊掌,xióng zhǎng,bear paw (as food) -熊本,xióng běn,"Kumamoto city and prefecture in west Kyūshū 九州, Japan" -熊本县,xióng běn xiàn,"Kumamoto prefecture, Kyūshū, Japan" -熊熊,xióng xióng,raging; flaming -熊狸,xióng lí,binturong or bearcat (Arctictis binturong) -熊猴,xióng hóu,Assamese macaque -熊皮帽,xióng pí mào,bearskin hat -熊瞎子,xióng xiā zi,bear; bruin -熊罴,xióng pí,fierce fighters; valiant warriors -熊耳山,xióng ěr shān,"Mt Xiong'er national geological park in 棗莊|枣庄[Zao3 zhuang1], south Shandong" -熊腰虎背,xióng yāo hǔ bèi,waist of a bear and back of a tiger; tough and stocky build -熊胆,xióng dǎn,bear gall (used in TCM) -熊胆草,xióng dǎn cǎo,Conyza blinii -熊蜂,xióng fēng,bumblebee -熊亲戚,xióng qīn qi,(coll.) busybody relative -熊猫,xióng māo,panda; CL:隻|只[zhi1] -熊猫眼,xióng māo yǎn,to have dark circles under one's eyes; to have eyes like a panda -熊猫血,xióng māo xuè,(coll.) Rh-negative blood type -熊鹰,xióng yīng,see 鷹鵰|鹰雕[ying1 diao1] -熏,xūn,to smoke; to fumigate; to assail the nostrils; to perfume -熏天,xūn tiān,overpowering (of a stench) -熏染,xūn rǎn,to exert a gradual influence; to nurture; a corrupting influence -熏烤,xūn kǎo,to smoke; to cure over a wood fire -熏衣草,xūn yī cǎo,lavender -熏制,xūn zhì,to smoke; to cure over a fire -熏陶成性,xūn táo chéng xìng,(idiom) nurture makes second nature; good habits come by long assimilation -熏风,xūn fēng,warm south wind -熏香,xūn xiāng,incense -荧,yíng,a glimmer; glimmering; twinkling; fluorescence; phosphorescence; perplexed; dazzled and confused; planet Mars (arch.) -荧光,yíng guāng,fluorescence; fluorescent -荧光屏,yíng guāng píng,fluorescent screen; TV screen -荧光幕,yíng guāng mù,"screen (of a TV, computer etc) (Tw)" -荧光棒,yíng guāng bàng,glow stick; light stick -荧光灯,yíng guāng dēng,fluorescent lamp; neon lamp -荧光笔,yíng guāng bǐ,highlighter (pen) -荧屏,yíng píng,fluorescent screen; TV screen -荧幕,yíng mù,TV screen -荧惑,yíng huò,to bewilder; to dazzle and confuse; the planet Mars -荧惑星,yíng huò xīng,Mars in traditional Chinese astronomy -荧荧,yíng yíng,"a glimmer; twinkling (of stars, phosphorescence, candlelight); flickering light" -熔,róng,to smelt; to fuse -熔化,róng huà,"to melt (of ice, metals etc)" -熔化点,róng huà diǎn,melting point -熔岩,róng yán,(geology) lava -熔岩流,róng yán liú,lava flow -熔岩湖,róng yán hú,lava lake -熔岩穹丘,róng yán qióng qiū,magma dome -熔断,róng duàn,"(of fuse wire) to melt; to blow; (fig.) to halt stock trading; (fig.) to suspend an airline from operating flights on a given route (as a penalty, e.g. for bringing in more than a specified number of passengers who test positive for COVID)" -熔断机制,róng duàn jī zhì,(finance) trading curb; circuit breaker -熔断丝,róng duàn sī,fuse wire -熔核,róng hé,weld nugget -熔毁,róng huǐ,meltdown; (of nuclear fuel) to melt down -熔渣,róng zhā,slag (smelting) -熔浆,róng jiāng,"lava, magma or other molten material (metal, glass etc)" -熔炼,róng liàn,to smelt -熔炉,róng lú,smelting furnace; forge -熔矿炉,róng kuàng lú,furnace -熔融,róng róng,to melt; to fuse -熔解,róng jiě,fusion -熔点,róng diǎn,melting point -炝,qiàng,to stir-fry then cook with sauce and water; to boil food briefly then dress with soy etc; to choke; to irritate (throat etc) -熘,liū,"quick-fry; sim. to stir-frying, but with cornstarch added; also written 溜" -熙,xī,(used in names); (bound form) (literary) bright; prosperous; splendid; genial -熙来攘往,xī lái rǎng wǎng,a place buzzing with activity (idiom) -熙壤,xī rǎng,variant of 熙攘[xi1 rang3] -熙提,xī tí,"stilb, unit of luminance" -熙攘,xī rǎng,restless -熙熙壤壤,xī xī rǎng rǎng,variant of 熙熙攘攘[xi1 xi1 rang3 rang3] -熙熙攘攘,xī xī rǎng rǎng,bustling with activity (idiom) -熜,cōng,chimney (old) -熜,zǒng,torch made from hemp straw (old) -熟,shú,ripe; mature; thoroughly cooked; done; familiar; acquainted; experienced; skilled; (of sleep etc) deep; profound; also pr. [shou2] -熟人,shú rén,acquaintance; friend -熟人熟事,shú rén shú shì,(idiom) to be familiar with; to have regular dealings with -熟化,shú huà,to cure; to mature -熟啤酒,shú pí jiǔ,pasteurized beer -熟地,shú dì,"cultivated land; in Chinese medicine, preparation from rhizome of Chinese foxglove (Rehmannia glutinosa)" -熟女,shú nǚ,mature and sophisticated woman -熟字,shú zì,familiar words; known Chinese character -熟客,shú kè,frequent visitor -熟思,shú sī,deliberation -熟悉,shú xī,to be familiar with; to know well -熟虑,shú lǜ,careful thought -熟成,shú chéng,"(of wine, cheese, beef etc) to age; to mature" -熟手,shú shǒu,skilled person; an experienced hand -熟料,shú liào,worked material; chamotte (refractory ceramic material) -熟炒,shú chǎo,to stir-fry ingredients that have been cooked or partially cooked -熟睡,shú shuì,asleep; sleeping soundly -熟知,shú zhī,to be well acquainted with -熟石灰,shú shí huī,slaked lime; hydrated lime -熟石膏,shú shí gāo,plaster of Paris; calcined gypsum -熟稔,shú rěn,quite familiar with sth -熟络,shú luò,familiar; close -熟丝,shú sī,silk raw material (prepared by boiling in soap) -熟练,shú liàn,practiced; proficient; skilled; skillful -熟习,shú xí,to understand profoundly; well-versed; skillful; practiced; to have the knack -熟能生巧,shú néng shēng qiǎo,with familiarity you learn the trick (idiom); practice makes perfect -熟荒,shú huāng,abandoned land -熟菜,shú cài,cooked food (ready to eat) -熟视无睹,shú shì wú dǔ,to pay no attention to a familiar sight; to ignore -熟记,shú jì,to learn by heart; to memorize -熟词僻义,shú cí pì yì,uncommon meaning of a common word -熟语,shú yǔ,idiom -熟谙,shú ān,to know sth fluently; well-versed -熟识,shú shi,to be well acquainted with; to know well -熟读,shú dú,to read and reread sth until one is familiar with it -熟路,shú lù,familiar road; beaten track -熟透,shú tòu,completely ripe; ripened; well-cooked -熟道,shú dào,familiar road; well-trodden path -熟道儿,shú dào er,familiar road; well-trodden path -熟铁,shú tiě,wrought iron -熟门熟路,shú mén shú lù,familiar -熟食,shú shí,cooked food; prepared food; deli food -熟食店,shú shí diàn,deli; delicatessen -熠,yì,to glow; to flash -熠煜,yì yù,to shine; to glitter -熠熠,yì yì,glistening; bright -熠烁,yì shuò,to twinkle; to glimmer; to glisten -熠耀,yì yào,to shine; to glitter -熨,yù,reconciled; smooth -熨,yùn,an iron; to iron -熨斗,yùn dǒu,clothes iron -熨法,yùn fǎ,application of a hot compress (TCM) -熨烫,yùn tàng,to iron (clothes) -熬,āo,to boil; to simmer -熬,áo,to cook on a slow fire; to extract by heating; to decoct; to endure -熬出头,áo chū tóu,to break clear of all the troubles and hardships; to achieve success; to make it -熬夜,áo yè,to stay up late or all night -熬更守夜,áo gēng shǒu yè,to stay up through the night (idiom) -熬煎,áo jiān,suffering; torture -熬稃,āo fū,puffed grain; popped wheat; popcorn -熬膏,áo gāo,to simmer to a paste -熬药,áo yào,to decoct medicinal herbs -熬头儿,áo tou er,(coll.) the reward of one's efforts; the light at the end of the tunnel -热,rè,to warm up; to heat up; hot (of weather); heat; fervent -热中,rè zhōng,variant of 熱衷|热衷[re4 zhong1] -热中子,rè zhōng zǐ,thermal neutron -热乎,rè hu,warm; hot; affectionate; ardent -热乎乎,rè hū hū,warm; (of food) piping hot; (fig.) roused to warm feelings -热干面,rè gān miàn,"noodles served hot, with toppings including sesame paste and soy sauce – popular in Wuhan as a breakfast dish or late-night snack" -热值,rè zhí,calorific value -热传导,rè chuán dǎo,heat transfer; thermal conduction -热伤风,rè shāng fēng,summer cold -热函,rè hán,enthalpy; heat content (thermodynamics) -热切,rè qiè,fervent -热剌剌,rè là là,smartingly painful -热力,rè lì,heat -热力学,rè lì xué,thermodynamics -热力学温度,rè lì xué wēn dù,thermodynamic temperature (temperature above absolute zero) -热力学温标,rè lì xué wēn biāo,"thermodynamic temperature scale (in degrees Kelvin, measured above absolute zero)" -热动平衡,rè dòng píng héng,thermodynamic equilibrium -热吻,rè wěn,to kiss passionately -热呼,rè hu,variant of 熱乎|热乎[re4 hu5] -热呼呼,rè hū hū,variant of 熱乎乎|热乎乎[re4 hu1 hu1] -热土,rè tǔ,homeland; hot piece of real estate -热容,rè róng,thermal capacity -热寂,rè jì,(physics) heat death of the universe -热射病,rè shè bìng,heatstroke -热对流,rè duì liú,heat convection -热导,rè dǎo,thermal conduction -热导率,rè dǎo lǜ,thermal conductivity; heat conductivity -热层,rè céng,thermosphere -热岛效应,rè dǎo xiào yìng,urban heat island effect -热帖,rè tiě,hot thread (in an Internet forum) -热带,rè dài,the tropics; tropical -热带地区,rè dài dì qū,the tropics -热带雨林,rè dài yǔ lín,tropical rain forest -热带风暴,rè dài fēng bào,tropical storm -热带鱼,rè dài yú,tropical fish -热度,rè dù,level of heat; (fig.) zeal; fervor; (coll.) a temperature (i.e. abnormally high body heat) -热得快,rè de kuài,immersion heater; electric heater for liquid -热心,rè xīn,enthusiastic; ardent; zealous -热心肠,rè xīn cháng,warmhearted; willing to help others -热忱,rè chén,zeal; enthusiasm; ardor; enthusiastic; warmhearted -热情,rè qíng,cordial; enthusiastic; passion; passionate; passionately -热情款待,rè qíng kuǎn dài,to provide warm hospitality -热情洋溢,rè qíng yáng yì,brimming with enthusiasm (idiom); full of warmth -热爱,rè ài,to love ardently; to adore -热恋,rè liàn,to fall head over heels in love; to be passionately in love -热成层,rè chéng céng,thermosphere -热捧,rè pěng,a craze; a popular wave; a hit with the public -热插拔,rè chā bá,hot swapping -热搜,rè sōu,(Internet) popular search query -热播,rè bō,to broadcast (or be broadcast) to an enthusiastic audience; to broadcast (or be broadcast) and get high ratings -热播剧,rè bō jù,popular show (on TV or other media) -热敏,rè mǐn,heat-sensitive; thermal (printing) -热敷,rè fū,to apply a hot compress -热敷布,rè fū bù,hot compress -热昏,rè hūn,to be overcome by the heat -热望,rè wàng,to aspire -热核,rè hé,thermonuclear -热核反应堆,rè hé fǎn yìng duī,thermal reactor -热核武器,rè hé wǔ qì,fusion weapon; thermonuclear weapon -热核聚变反应,rè hé jù biàn fǎn yìng,thermonuclear fusion reaction -热机,rè jī,heat engine -热比亚,rè bǐ yà,"Rabiye or Rebiya (name); Rebiya Kadeer (1946-), Uyghur businesswoman and activist, imprisoned 1999-2005, then president of the World Uyghur Congress" -热比娅,rè bǐ yà,"Rabiye or Rebiya (name); Rebiya Kadeer (1946-), Uyghur businesswoman and activist, imprisoned 1999-2005, then president of the World Uyghur Congress" -热气,rè qì,steam; heat; CL:股[gu3] -热气球,rè qì qiú,hot air balloon -热气腾腾,rè qì téng téng,piping hot -热水,rè shuǐ,hot water -热水器,rè shuǐ qì,water heater -热水澡,rè shuǐ zǎo,hot bath or shower -热水瓶,rè shuǐ píng,thermos bottle; vacuum bottle; hot water dispenser (appliance); CL:個|个[ge4] -热水袋,rè shuǐ dài,hot-water bottle -热河,rè hé,"Rehe, Qing dynasty province abolished in 1955 and divided among Hebei, Liaoning and Inner Mongolia; refers to the Qing imperial resort at Chengde; see also 避暑山莊|避暑山庄[bi4 shu3 shan1 zhuang1] (history)" -热浪,rè làng,heat wave -热泪,rè lèi,hot tears -热泪盈眶,rè lèi yíng kuàng,eyes brimming with tears of excitement (idiom); extremely moved -热源,rè yuán,heat source -热潮,rè cháo,wave of enthusiasm; craze; upsurge -热火朝天,rè huǒ cháo tiān,in full swing (idiom); (in a) frenzy; buzzing with activity -热炒,rè chǎo,stir-fried dish (Tw) -热炒热卖,rè chǎo rè mài,lit. to sell hot food freshly cooked; fig. to teach what one has just learned; enthusiasm of the new convert -热烈,rè liè,enthusiastic; ardent; warm -热焓,rè hán,enthalpy; heat content (thermodynamics) -热烫,rè tàng,to burn -热尔韦,rè ěr wéi,"Gervais (name); Paul Gervais (1816-1879), French geologist" -热狗,rè gǒu,hot dog (loanword) -热病,rè bìng,fever; pyrexia -热痉挛,rè jìng luán,heat cramps -热红酒,rè hóng jiǔ,mulled wine -热络,rè luò,"intimate; friendly; warm; active; lively (interaction, participation etc)" -热线,rè xiàn,hotline (communications link) -热缩管,rè suō guǎn,heat shrink tubing (aka heatshrink) (shrinkable plastic tube used to insulate wires) -热能,rè néng,heat energy -热脉冲,rè mài chōng,thermal pulse -热肠,rè cháng,warmhearted; enthusiastic -热脸贴冷屁股,rè liǎn tiē lěng pì gu,to show warm feelings but meet with cold rebuke (idiom); to be snubbed despite showing good intentions -热茶,rè chá,hot tea -热蓬蓬,rè péng péng,steaming (hot) -热处理,rè chǔ lǐ,hot treatment (e.g. of metal) -热血,rè xuè,hot blood; warm-blooded (animal); endothermic (physiology) -热血沸腾,rè xuè fèi téng,to be fired up (idiom); to have one's blood racing -热衷,rè zhōng,to feel strongly about; to be fond of; obsession; deep commitment -热补,rè bǔ,hot patching (of insulating material in a furnace); hot patching (runtime correction in computing) -热裤,rè kù,hot pants -热解,rè jiě,thermal cleavage (i.e. sth splits when heated) -热词,rè cí,buzzword -热诚,rè chéng,devotion; fervor -热议,rè yì,to discuss passionately; heated debate -热卖,rè mài,to sell strongly; to be in great demand -热卖品,rè mài pǐn,hot-selling property -热身,rè shēn,to warm up (sports); (fig.) to prepare; to get in condition -热身赛,rè shēn sài,warm-up match; a friendly -热辐射,rè fú shè,thermal radiation -热连球菌,rè lián qiú jūn,Streptococcus thermophilus -热那亚,rè nà yà,Genoa -热释光,rè shì guāng,thermoluminescence -热量,rè liàng,heat; quantity of heat; calorific value -热量单位,rè liàng dān wèi,thermal unit; unit of heat -热销,rè xiāo,to sell well; hot-selling -热钱,rè qián,"hot money, money flowing from one currency to another in the hope of quick profit" -热锅上的蚂蚁,rè guō shang de mǎ yǐ,(like) a cat on a hot tin roof; anxious; agitated -热键,rè jiàn,hotkey; keyboard shortcut -热门,rè mén,popular; hot; in vogue -热门货,rè mén huò,goods in great demand -热电,rè diàn,pyroelectric -热电偶,rè diàn ǒu,thermocouple -热电厂,rè diàn chǎng,thermoelectric power plant -热风枪,rè fēng qiāng,heat gun -热食,rè shí,hot food -热饮,rè yǐn,hot drink -热香饼,rè xiāng bǐng,pancake -热腾腾,rè téng téng,steaming hot; (fig.) bustling; hectic; (fig.) excited; stirred up; (fig.) created only a short time before; freshly minted; hot off the press; (coll.) also pr. [re4 teng1 teng1] -热闹,rè nao,bustling with noise and excitement; lively -热点,rè diǎn,hot spot; point of special interest -熳,màn,to spread -熵,shāng,entropy (character created in 1923) -熹,xī,bright; warm -熹平石经,xī píng shí jīng,"Xiping steles, calligraphic work on carved steles of the Eastern Han Dynasty (25-220 AD)" -炽,chì,to burn; to blaze; splendid; illustrious -炽烈,chì liè,burning fiercely; flaming; blazing -炽热,chì rè,red-hot; glowing; blazing; (fig.) passionate -炽热火山云,chì rè huǒ shān yún,nuée ardente; hot cloud of volcanic ash -炽盛,chì shèng,"ablaze (fire); intense (anger, desire etc); prosperous; booming" -烨,yè,blaze of fire; glorious -燃,rán,to burn; to ignite; to light; fig. to spark off (hopes); to start (debate); to raise (hopes) -燃放,rán fàng,to light; to set off (firecrackers etc) -燃放鞭炮,rán fàng biān pào,to set off fire crackers -燃料,rán liào,fuel -燃料元件细棒,rán liào yuán jiàn xì bàng,fuel pins -燃料循环,rán liào xún huán,fuel cycle -燃料油,rán liào yóu,fuel oil -燃料组合,rán liào zǔ hé,fuel fabrication -燃料芯块,rán liào xīn kuài,fuel pellets -燃料电池,rán liào diàn chí,fuel cell -燃气,rán qì,"fuel gas (coal gas, natural gas, methane etc)" -燃气轮机,rán qì lún jī,gas turbine -燃气电厂,rán qì diàn chǎng,gas fired power station -燃油,rán yóu,fuel oil -燃油舱,rán yóu cāng,oil tank (of ship) -燃煤,rán méi,coal fuel -燃煤锅炉,rán méi guō lú,coal burning boiler -燃灯佛,rán dēng fó,"Dipamkara Buddha, the former Buddha before Shakyamuni Buddha and the bringer of lights" -燃烧,rán shāo,to ignite; to combust; to burn; combustion; flaming -燃烧剂,rán shāo jì,incendiary agent -燃烧匙,rán shāo chí,deflagrating spoon; combustion spoon -燃烧弹,rán shāo dàn,fire bomb; incendiary device -燃烧瓶,rán shāo píng,Molotov cocktail -燃爆,rán bào,to cause to explode; to fire; to set off -燃眉,rán méi,to burn one's eyebrows; fig. desperately serious situation -燃眉之急,rán méi zhī jí,lit. the fire burns one's eyebrows (idiom); fig. desperate situation; extreme emergency -燃素说,rán sù shuō,phlogiston theory -燃耗,rán hào,fuel consumption -燃起,rán qǐ,"to ignite; to light; fig. to spark off (hopes, controversy, flames of revolution)" -燃香,rán xiāng,to burn incense -燃点,rán diǎn,to ignite; to set fire to; to light; (chemistry) ignition point; combustion point -焰,yàn,variant of 焰[yan4] -灯,dēng,lamp; light; lantern; CL:盞|盏[zhan3] -灯下黑,dēng xià hēi,(lit.) it's dark right under the lamp; (fig.) people tend to overlook things right under their noses -灯光,dēng guāng,(stage) lighting; light -灯塔,dēng tǎ,lighthouse; CL:座[zuo4] -灯塔市,dēng tǎ shì,"Dengta, county-level city in Liaoyang 遼陽|辽阳[Liao2 yang2], Liaoning" -灯塔水母,dēng tǎ shuǐ mǔ,immortal jellyfish (Turritopsis dohrnii) -灯带,dēng dài,LED strip light -灯心,dēng xīn,lampwick -灯心草,dēng xīn cǎo,rush (botany); Juncaceae -灯会,dēng huì,"carnival during the Lantern Festival, with lantern displays and traditional folk performances such as stilt walking and lion dance" -灯柱,dēng zhù,lamppost -灯条,dēng tiáo,LED strip light -灯泡,dēng pào,light bulb; see also 電燈泡|电灯泡[dian4 deng1 pao4]; third-wheel or unwanted third party spoiling a couple's date (slang); CL:個|个[ge4] -灯火,dēng huǒ,lights -灯火通明,dēng huǒ tōng míng,brightly lit -灯盏,dēng zhǎn,lantern; uncovered oil lamp -灯管,dēng guǎn,fluorescent light -灯节,dēng jié,the Lantern Festival (15th of first month of lunar calendar) -灯笼,dēng lóng,lantern -灯笼果,dēng lóng guǒ,cape gooseberry; Peruvian ground-cherry; Physalis peruviana -灯笼花,dēng lóng huā,Chinese enkianthus -灯笼裤,dēng lóng kù,bloomers; plus fours; knickerbockers -灯笼鱼,dēng lóng yú,lantern fish -灯红酒绿,dēng hóng jiǔ lǜ,"lanterns red, wine green (idiom); feasting and pleasure-seeking; debauched and corrupt environment" -灯丝,dēng sī,filament (in a lightbulb) -灯罩,dēng zhào,cover of lamp; lampshade; glass cover of oil lamp -灯台,dēng tái,lampstand -灯芯,dēng xīn,see 燈心|灯心[deng1 xin1] -灯芯绒,dēng xīn róng,corduroy (textiles) -灯芯草,dēng xīn cǎo,see 燈心草|灯心草[deng1 xin1 cao3] -灯草,dēng cǎo,"the spongy, white pulp inside the stem of rush plants, used as a wick for oil lamps" -灯草绒,dēng cǎo róng,see 燈芯絨|灯芯绒[deng1 xin1 rong2] -灯蕊,dēng ruǐ,lamp wick -灯号,dēng hào,flashing light; indicator light -灯蛾,dēng é,moth -灯谜,dēng mí,riddles written on lanterns (e.g. for the Lantern Festival at the end of Chinese New Year) -灯头,dēng tóu,"electric light socket; burner (component of a kerosene lamp); light (as a countable item, e.g. number of lights fitted in a house)" -炖,dùn,to stew -炖煌,dùn huáng,Dunhuang (city in Gansu) -炖煮,dùn zhǔ,to stew -炖肉,dùn ròu,to stew meat; stewed meat -炖锅,dùn guō,stew pot; stew pan; saucepan -炖饭,dùn fàn,risotto -燎,liáo,to burn; to set afire -燎,liǎo,to singe -燎原,liáo yuán,to start a prairie fire -燎泡,liáo pào,blister (caused by burns) -磷,lín,variant of 磷[lin2] -烧,shāo,"to burn; to cook; to stew; to bake; to roast; to heat; to boil (tea, water etc); fever; to run a temperature; (coll.) to let things go to one's head" -烧伤,shāo shāng,burn (injury) -烧利市,shāo lì shì,(old) to burn paper money as an offering -烧到,shāo dào,to have a fever reaching (a certain temperature) -烧包,shāo bāo,to forget oneself in extravagance; to burn money -烧味,shāo wèi,siu mei; spit-roasted meat dish in Cantonese cuisine -烧埋,shāo mái,to bury; funeral rites -烧夷弹,shāo yí dàn,incendiary bomb -烧写器,shāo xiě qì,programmer (electronics) -烧屏,shāo píng,(electronics) screen burn-in -烧心,shāo xīn,to worry -烧杯,shāo bēi,beaker (glassware) -烧死,shāo sǐ,to burn to death -烧毛,shāo máo,to singe (textiles) -烧水,shāo shuǐ,to heat water; to boil water -烧水壶,shāo shuǐ hú,kettle -烧火,shāo huǒ,to light a fire for cooking -烧灼,shāo zhuó,to burn; to scorch; to cauterize -烧灼伤,shāo zhuó shāng,burn (injury); scorching -烧灼感,shāo zhuó gǎn,burning pain -烧灼疼,shāo zhuó téng,burning pain -烧炭,shāo tàn,to manufacture charcoal; to burn charcoal (often a reference to suicide by carbon monoxide poisoning) -烧烤,shāo kǎo,barbecue; to roast -烧烤酱,shāo kǎo jiàng,barbecue sauce -烧焊,shāo hàn,to weld -烧焦,shāo jiāo,to burn; to scorch; burned; burning; scorched; charred -烧煤,shāo méi,to burn coal -烧煮,shāo zhǔ,to cook -烧毁,shāo huǐ,to destroy (or be destroyed) by fire -烧瓶,shāo píng,laboratory flask -烧硬,shāo yìng,to fire (pottery) -烧红,shāo hóng,to heat until red-hot -烧纸,shāo zhǐ,to burn paper offerings (as part of religious ceremony) -烧结,shāo jié,to sinter; to agglomerate ore by burning -烧胎,shāo tāi,burnout; peel out -烧腊,shāo là,barbecue (Cantonese style) -烧茄子,shāo qié zi,stewed eggplant -烧茶,shāo chá,to make tea -烧荒,shāo huāng,to clear waste land or forest by burning; slash-and-burn (agriculture) -烧菜,shāo cài,to cook -烧制,shāo zhì,to fire (in a kiln) -烧卖,shāo mài,shumai (shao mai) steamed dumpling; also written 燒麥|烧麦[shao1 mai4] -烧酒,shāo jiǔ,name of a famous Tang dynasty wine; same as 白酒[bai2 jiu3] -烧录,shāo lù,to burn (a CD or DVD) -烧钱,shāo qián,to burn joss paper; (fig.) to flush money down the toilet -烧锅,shāo guō,a still (for distilling alcohol) -烧开,shāo kāi,to boil -烧饼,shāo bing,baked sesame seed-coated cake -烧香,shāo xiāng,to burn incense -烧香拜佛,shāo xiāng bài fó,to burn incense and worship Buddha -烧高香,shāo gāo xiāng,to burn incense; to thank profusely -烧鸟,shāo niǎo,"yakitori, a Japanese dish of skewered grilled chicken" -烧碱,shāo jiǎn,caustic soda NaOH -烧麦,shāo mài,shumai (shao mai) steamed dumpling; also written 燒賣|烧卖[shao1 mai4] -燔,fán,burn; to roast meat for sacrifice -燕,yān,"Yan, a vassal state of Zhou in present-day Hebei and Liaoning; north Hebei; the four Yan kingdoms of the Sixteen Kingdoms, namely: Former Yan 前燕[Qian2 Yan1] (337-370), Later Yan 後燕|后燕[Hou4 Yan1] (384-409), Southern Yan 南燕[Nan2 Yan1] (398-410), Northern Yan 北燕[Bei3 Yan1] (409-436); surname Yan" -燕,yàn,swallow (family Hirundinidae); old variant of 宴[yan4] -燕京,yān jīng,"Yanjing, an old name for Beijing; capital of Yan at different periods" -燕京啤酒,yān jīng pí jiǔ,Yanjing beer (Beijing beer brand) -燕京大学,yān jīng dà xué,"Yanjing or Yenching University, Christian university in Beijing founded in 1919" -燕国,yān guó,"Yan, a vassal state of Zhou in modern Hebei and Liaoning; north Hebei; the four Yan kingdoms of the Sixteen Kingdoms, namely: Former Yan 前燕[Qian2 Yan1] (337-370), Later Yan 後燕|后燕[Hou4 Yan1] (384-409), Southern Yan 南燕[Nan2 Yan1] (398-410), Northern Yan 北燕[Bei3 Yan1] (409-436)" -燕太子丹,yān tài zǐ dān,"Prince Dan of Yan (-226 BC), commissioned the attempted assassination of King Ying Zheng of Qin 秦嬴政[Qin2 Ying2 Zheng4] (later the First Emperor 秦始皇[Qin2 Shi3 huang2]) by Jing Ke 荊軻|荆轲[Jing1 Ke1] in 227 BC" -燕子,yàn zi,swallow -燕子衔泥垒大窝,yàn zi xián ní lěi dà wō,the swallow's nest is built one beakful of mud at a time (idiom); many a little makes a mickle -燕尾服,yàn wěi fú,swallow-tailed coat; tails -燕尾蝶,yàn wěi dié,swallow tail butterfly (family Papilionidae) -燕山,yān shān,Yan mountain range across north Hebei -燕巢,yàn cháo,"Yanchao township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -燕巢乡,yàn cháo xiāng,"Yanchao township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -燕梳,yàn shū,(dialect) insurance (loanword) -燕科,yàn kē,Hirundinidae (the family of swallows and martins) -燕窝,yàn wō,edible bird's nest -燕菜精,yàn cài jīng,agar-agar powder -燕赵,yān zhào,"Yan and Zhao, two of the Warring States in Hebei and Shanxi; beautiful women; women dancers and singers" -燕赵都市报,yān zhào dū shì bào,Yanzhao Metropolis Daily -燕隼,yàn sǔn,(bird species of China) Eurasian hobby (Falco subbuteo) -燕雀,yàn què,(bird species of China) brambling (Fringilla montifringilla); (fig.) small fry -燕雀安知鸿鹄之志,yàn què ān zhī hóng hú zhī zhì,lit. can the sparrow and swallow know the will of the great swan? (idiom); fig. how can we small fry predict the ambitions of the great? -燕雀焉知鸿鹄之志,yàn què yān zhī hóng gǔ zhī zhì,lit. can the sparrow and swallow know the will of the great swan? (idiom); fig. how can we small fry predict the ambitions of the great? -燕雀相贺,yàn què xiàng hè,lit. sparrow and swallow's congratulation (idiom); fig. to congratulate sb on completion of a building project; congratulations on your new house! -燕雀处堂,yàn què chù táng,lit. a caged bird in a pavilion (idiom); fig. to lose vigilance by comfortable living; unaware of the disasters ahead; a fool's paradise -燕麦,yàn mài,oats -燕麦粥,yàn mài zhōu,oatmeal; porridge -烫,tàng,to scald; to burn (by scalding); to blanch (cooking); to heat (sth) up in hot water; to perm; to iron; scalding hot -烫伤,tàng shāng,to scald -烫平,tàng píng,to press (clothes); to iron out (wrinkles) -烫手山芋,tàng shǒu shān yù,hot potato; problem; trouble; headache -烫斗,tàng dǒu,clothes iron -烫衣,tàng yī,to iron (clothes) -烫衣板,tàng yī bǎn,ironing board -烫金,tàng jīn,(printing) to stamp with gold foil; to bronze -烫头发,tàng tóu fa,perm; to perm hair -烫发,tàng fà,perm (hairstyle) -焖,mèn,to cook in a covered vessel; to casserole; to stew -焖烧锅,mèn shāo guō,to casserole; to stew; vacuum flask; cooker -营,yíng,camp; barracks; battalion; to build; to operate; to manage; to strive for -营利,yíng lì,for profit; to seek profit -营口,yíng kǒu,"Yingkou, prefecture-level city in Liaoning province 遼寧省|辽宁省[Liao2 ning2 Sheng3] in northeast China" -营口市,yíng kǒu shì,"Yingkou, prefecture-level city in Liaoning province 遼寧省|辽宁省[Liao2 ning2 Sheng3] in northeast China" -营地,yíng dì,camp -营垒,yíng lěi,army camp -营妓,yíng jì,military prostitute -营寨,yíng zhài,barracks -营山,yíng shān,"Yingshan county in Nanchong 南充[Nan2 chong1], Sichuan" -营山县,yíng shān xiàn,"Yingshan county in Nanchong 南充[Nan2 chong1], Sichuan" -营巢,yíng cháo,to nest -营工,yíng gōng,to sell one's labor -营帐,yíng zhàng,tent; camp -营建,yíng jiàn,to build; to construct -营房,yíng fáng,barracks; living quarters -营收,yíng shōu,sales; income; revenue -营救,yíng jiù,to rescue -营业,yíng yè,to do business; to trade -营业员,yíng yè yuán,clerk; shop assistant; CL:個|个[ge4] -营业收入,yíng yè shōu rù,revenue -营业时间,yíng yè shí jiān,business hours; opening hours; office hours -营业税,yíng yè shuì,tax on turnover; sales tax -营业额,yíng yè é,sum or volume of business; turnover -营求,yíng qiú,to seek; to strive for -营火,yíng huǒ,campfire -营生,yíng shēng,to earn a living -营生,yíng sheng,(coll.) job; work -营盘,yíng pán,"Yingpan, common place name (""army camp""); place near Jintian village 金田村[Jin1 tian2 cun1] in Guangxi where the Taiping Tianguo rebels took their oaths in 1851; place in Xinfeng county 新豐縣|新丰县[Xin1 feng1 Xian4] traditional camping place of brigands; Yingpan township, place name; Yingpan in Shangluo prefecture, Shaanxi; Yingpan township in Yunnan; (many others)" -营盘,yíng pán,military camp; nomadic camp -营盘镇,yíng pán zhèn,"Yingpan township, place name; Yingpan in Shangluo prefecture, Shaanxi; Yingpan township in Yunnan; (many others)" -营私,yíng sī,to gain from corrupt dealing; to engage in graft; to feather one's nest -营私舞弊,yíng sī wǔ bì,see 徇私舞弊[xun4 si1 wu3 bi4] -营谋,yíng móu,to do business; to manage; to strive for; to use every possible means (toward a goal) -营办,yíng bàn,to handle; to undertake; to run (a business); to administer -营造,yíng zào,to build (housing); to construct; to make -营造商,yíng zào shāng,builder; contractor -营运,yíng yùn,"running; operation (of airport, bus service, business etc)" -营运资金,yíng yùn zī jīn,working capital -营运长,yíng yùn zhǎng,chief operating officer (COO) (Tw) -营销,yíng xiāo,marketing -营长,yíng zhǎng,battalion commander -营养,yíng yǎng,nutrition; nourishment; CL:種|种[zhong3] -营养不良,yíng yǎng bù liáng,malnutrition; undernourishment; deficiency disease; dystrophy -营养品,yíng yǎng pǐn,nourishment; nutrient -营养学,yíng yǎng xué,nutriology -营养师,yíng yǎng shī,nutritionist; dietitian -营养液,yíng yǎng yè,nutrient fluid -营养物质,yíng yǎng wù zhì,nutrient -营养素,yíng yǎng sù,nutrient -燠,yù,warm -燥,zào,dry; parched; impatient; vexed; (bound form) (Taiwan pr. [sao4]) minced meat -燥子,zào zi,minced meat; Taiwan pr. [sao4 zi5] -灿,càn,glorious; bright; brilliant; lustrous; resplendent -灿烂,càn làn,to glitter; brilliant; splendid -灿烂多彩,càn làn duō cǎi,"multicolored splendor (of fireworks, bright lights etc)" -灿笑,càn xiào,to smile brightly -灿若繁星,càn ruò fán xīng,bright as a multitude of stars (idiom); extremely able talent -燧,suì,"(bound form) material or tool used to light a fire by means of friction or the sun's rays; (bound form) beacon fire (alarm signal in border regions), esp. one lit during daytime to produce smoke" -燧人,suì rén,"Suiren, legendary inventor of fire" -燧人氏,suì rén shì,"Suirenshi, legendary inventor of fire" -燧发枪,suì fā qiāng,flintlock -燧石,suì shí,flint -毁,huǐ,to destroy by fire -烛,zhú,candle; (literary) to illuminate -烛光,zhú guāng,"candle light; candle-lit (vigil etc); candela, unit of luminous intensity (cd)" -烛架,zhú jià,candlestick holder; candlestand; candelabra -烛泪,zhú lèi,drop of melted wax that runs down the side of a candle -烛火,zhú huǒ,candle flame -烛台,zhú tái,candlestick; candle holder -燮,xiè,surname Xie -燮,xiè,to blend; to adjust; to harmonize; harmony -燮友,xiè yǒu,gentle; good-natured -燮和,xiè hé,to harmonize; to live in harmony -燮理,xiè lǐ,to harmonize; to adapt; to adjust -烩,huì,"to braise; to cook (rice etc) with vegetables, meat and water" -烩饭,huì fàn,"rice in gravy, typically with meat and vegetables" -烩面,huì miàn,braised noodles; stewed noodles -燹,xiǎn,conflagration -熏,xūn,variant of 熏[xun1] -熏肉,xūn ròu,bacon -熏蒸,xūn zhēng,(of sultry weather) to be stifling; (TCM) to treat a disease with fumes generated by burning medicinal herbs or with steam generated by boiling herbs; to fumigate -熏蒸剂,xūn zhēng jì,fumigant -烬,jìn,(bound form) cinders; ashes -焘,dào,cover over; to envelope -焘,tāo,used in given names -爆,bào,to explode or burst; to quick fry or quick boil -爆乳,bào rǔ,large breasts (slang) -爆仗,bào zhang,(coll.) firecracker -爆光,bào guāng,photographic exposure; public exposure -爆冷,bào lěng,an upset (esp. in sports); unexpected turn of events; to pull off a coup; a breakthrough -爆冷门,bào lěng mén,an upset (esp. in sports); unexpected turn of events; to pull off a coup; a breakthrough -爆冷门儿,bào lěng mén er,erhua variant of 爆冷門|爆冷门[bao4 leng3 men2] -爆出,bào chū,to burst out; to appear unexpectedly; to break (media story) -爆吧,bào bā,spam flooding -爆弹,bào dàn,bomb; explosion -爆击,bào jī,variant of 暴擊|暴击[bao4 ji1] -爆料,bào liào,to make explosive allegations -爆棚,bào péng,full to bursting -爆款,bào kuǎn,(retail) hot item -爆满,bào mǎn,"filled to capacity (of theater, stadium, gymnasium etc)" -爆炒,bào chǎo,to stir-fry rapidly using a high flame; to conduct a media blitz; to manipulate a stock market through large-scale buying and selling -爆炸,bào zhà,explosion; to explode; to blow up; to detonate -爆炸力,bào zhà lì,explosive force; strength of an explosion -爆炸性,bào zhà xìng,explosive; fig. shocking -爆炸物,bào zhà wù,explosive (material) -爆炸头,bào zhà tóu,afro (hairstyle) -爆照,bào zhào,(Internet slang) to post a photo of oneself online -爆燃,bào rán,to detonate; to ignite -爆玉米花,bào yù mǐ huā,to make popcorn; popcorn -爆痘,bào dòu,to break out with acne -爆发,bào fā,to break out; to erupt; to explode; to burst out -爆发性,bào fā xìng,explosive power; explosive -爆破,bào pò,to blow up; to demolish (using explosives); dynamite; blast -爆破手,bào pò shǒu,dynamiter -爆竹,bào zhú,firecracker -爆笑,bào xiào,to burst out laughing; hilarious; burst of laughter -爆管,bào guǎn,cartridge igniter; squib -爆米花,bào mǐ huā,puffed rice; popcorn -爆粗,bào cū,to say offensive words; to swear -爆红,bào hóng,to be a big hit; to be hugely popular -爆声,bào shēng,explosion; bang; sonic boom; engine knock -爆肚,bào dǔ,deep fried tripe -爆肚儿,bào dǔ er,erhua variant of 爆肚[bao4 du3] -爆胎,bào tāi,flat tire; burst tire; blowout -爆舱,bào cāng,to run out of cargo space (on a ship or plane) -爆花,bào huā,see 爆米花[bao4 mi3 hua1] -爆菊花,bào jú huā,(slang) to stick sth up the anus; to have anal intercourse -爆表,bào biǎo,off the charts; extreme; beyond the normal range of measurement -爆裂,bào liè,to rupture; to burst; to explode -爆裂物,bào liè wù,explosives -爆金币,bào jīn bì,(gaming) (of a monster etc) to drop gold coins when defeated; (fig.) (slang) to give or spend money -爆雷,bào léi,(of a P2P lending platform) to collapse; (Tw) (slang) to reveal plot details; spoiler -爆震,bào zhèn,knocking (fault in internal combustion engine) -爆音,bào yīn,sonic boom -爆头,bào tóu,(neologism) (slang) (often used in video gaming) to shoot sb in the head; headshot -爆鸣,bào míng,sound of an explosion -爇,rè,heat; to burn -爇,ruò,burn; heat -爌,huǎng,old variant of 晃[huang3]; bright -爌,kòng,see 爌肉[kong4 rou4] -爌,kuǎng,flame light -爌,kuàng,old variant of 曠|旷[kuang4]; bright and spacious -爌肉,kòng ròu,slow-braised pork belly (Tw) -烁,shuò,bright; luminous -烁烁,shuò shuò,flickering; glittering -炉,lú,stove; furnace -炉子,lú zi,stove; oven; furnace -炉床,lú chuáng,hearth -炉架,lú jià,stove stand; grate (supporting a pot over the stove); grate (in a fireplace); oven rack -炉渣,lú zhā,furnace slag; ashes from a stove -炉火,lú huǒ,the fire of a stove -炉火纯青,lú huǒ chún qīng,"lit. the stove fire has turned bright green (allusion to Daoist alchemy) (idiom); fig. (of an art, a technique etc) brought to the point of perfection" -炉灶,lú zào,stove -炉膛,lú táng,furnace chamber; stove chamber -炉台,lú tái,stove top; hob -炉边,lú biān,fireside -炉霍,lú huò,"Luhuo county (Tibetan: brag 'go rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1], Sichuan (formerly in Kham province of Tibet)" -炉霍县,lú huò xiàn,"Luhuo county (Tibetan: brag 'go rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1], Sichuan (formerly in Kham province of Tibet)" -炉顶,lú dǐng,furnace top -燮,xiè,old variant of 燮[xie4] -烨,yè,variant of 燁|烨[ye4] -烂,làn,soft; mushy; well-cooked and soft; to rot; to decompose; rotten; worn out; chaotic; messy; utterly; thoroughly; crappy; bad -烂俗,làn sú,clichéd -烂好人,làn hǎo rén,sb who tries to be on good terms with everyone -烂尾,làn wěi,unfinished; incomplete -烂崽,làn zǎi,(dialect) hooligan; low-life -烂摊子,làn tān zi,terrible mess; shambles -烂桃花,làn táo huā,unhappy love affair -烂梗,làn gěng,lame joke -烂橘子,làn jú zi,(EA) Origin (service) (jocular) -烂污货,làn wū huò,loose woman; slut -烂泥,làn ní,mud; mire -烂泥扶不上墙,làn ní fú bù shàng qiáng,useless (idiom); worthless; inept -烂泥糊不上墙,làn ní hú bù shàng qiáng,see 爛泥扶不上牆|烂泥扶不上墙[lan4 ni2 fu2 bu4 shang4 qiang2] -烂漫,làn màn,brightly colored; unaffected (i.e. behaving naturally) -烂熟,làn shú,well cooked; to know thoroughly -烂熳,làn màn,variant of 爛漫|烂漫[lan4 man4] -烂片,làn piàn,dud movie -烂糊,làn hu,overripe; overcooked -烂缦,làn màn,variant of 爛漫|烂漫[lan4 man4] -烂舌头,làn shé tóu,to gossip; to blab; a blab-mouth -烂账,làn zhàng,disorganized accounts; uncollectable debts; bad debt -烂透,làn tòu,rotten to the core -烂醉,làn zuì,dead drunk; completely drunk -烂醉如泥,làn zuì rú ní,(idiom) to be dead drunk; to be plastered -爝,jué,torch -爨,cuàn,surname Cuan -爨,cuàn,cooking-stove; to cook -爪,zhǎo,foot of a bird or animal; paw; claws; talons -爪,zhuǎ,(coll.) foot of an animal or bird; (coll.) foot supporting a cooking pot etc -爪儿,zhuǎ er,paws (of small animal); foot of a utensil; stupid person -爪印,zhǎo yìn,paw print -爪哇,zhǎo wā,Java (island of Indonesia); Java (programming language) -爪哇八哥,zhǎo wā bā ge,(bird species of China) Javan myna (Acridotheres javanicus) -爪哇岛,zhǎo wā dǎo,Java (island of Indonesia) -爪哇池鹭,zhǎo wā chí lù,(bird species of China) Javan pond heron (Ardeola speciosa) -爪哇禾雀,zhǎo wā hé què,(bird species of China) Java sparrow (Lonchura oryzivora) -爪子,zhuǎ zi,(animal's) claw -爪字头,zhǎo zì tóu,"Chinese character component 爫, used in 乳[ru3], 愛|爱[ai4] etc" -爪尖儿,zhuǎ jiān er,pig's trotters -爪机,zhuǎ jī,(Internet slang) mobile phone -爪牙,zhǎo yá,pawn; lackey; accomplice (in crime); collaborator; henchman; claws and teeth -爪蟾,zhuǎ chán,Xenopus (type of frog) -爫,zhǎo,"""claw"" radical in Chinese characters (Kangxi radical 87)" -爬,pá,to crawl; to climb; to get up or sit up -爬上,pá shàng,to climb up -爬升,pá shēng,to rise; to ascend; to climb (airplane etc); to go up (sales figures etc); to gain promotion -爬山,pá shān,to climb a mountain; to mountaineer; hiking; mountaineering -爬山涉水,pá shān shè shuǐ,to climb mountains and wade rivers (idiom); fig. to make a long and difficult journey -爬山虎,pá shān hǔ,Boston ivy or Japanese creeper (Parthenocissus tricuspidata) -爬格子,pá gé zi,(oral) to write (esp. for a living); to spell out laboriously on squared paper -爬梳,pá shū,to comb through (historical documents etc); to unravel -爬泳,pá yǒng,crawl (swimming stroke) -爬灰,pá huī,incest between father-in-law and daughter-in-law; also written 扒灰 -爬墙,pá qiáng,to climb a wall; (fig.) to be unfaithful -爬犁,pá lí,sledge -爬竿,pá gān,pole-climbing (as gymnastics or circus act); climbing pole -爬虾,pá xiā,mantis shrimp -爬虫,pá chóng,reptile; (Internet) web crawler -爬虫动物,pá chóng dòng wù,reptile -爬虫类,pá chóng lèi,reptiles; also written 爬行類|爬行类 -爬行,pá xíng,to crawl; to creep -爬行动物,pá xíng dòng wù,reptile -爬行类,pá xíng lèi,reptiles; also written 爬行動物|爬行动物 -争,zhēng,to strive for; to vie for; to argue or debate; deficient or lacking (dialect); how or what (literary) -争先,zhēng xiān,to compete to be first; to contest first place -争先恐后,zhēng xiān kǒng hòu,striving to be first and fearing to be last (idiom); outdoing one another -争光,zhēng guāng,to win an honor; to strive to win a prize -争分夺秒,zhēng fēn duó miǎo,"lit. fight minutes, snatch seconds (idiom); a race against time; making every second count" -争取,zhēng qǔ,to fight for; to strive for; to win over -争取时效,zhēng qǔ shí xiào,to strive to get sth done while the timing is right -争取时间,zhēng qǔ shí jiān,to act with urgency; to buy time -争名夺利,zhēng míng duó lì,"to fight for fame, grab profit (idiom); scrambling for fame and wealth; only interested in personal gain" -争吵,zhēng chǎo,to quarrel; dispute -争执,zhēng zhí,to dispute; to disagree; to argue opinionatedly; to wrangle -争执不下,zhēng zhí bù xià,to quarrel endlessly -争夺,zhēng duó,to fight over; to contest; to vie over -争夺战,zhēng duó zhàn,struggle -争妍斗艳,zhēng yán dòu yàn,"contending for supreme beauty (esp. of flowers, scenery, painting etc); vying in beauty and glamor" -争宠,zhēng chǒng,to strive for favor -争强好胜,zhēng qiáng hào shèng,competitive; ambitious and aggressive; to desire to beat others -争得,zhēng dé,to obtain by an effort; to strive to get sth -争战,zhēng zhàn,fight -争持,zhēng chí,to refuse to concede; not to give in -争抢,zhēng qiǎng,to fight over; to scramble for -争斤论两,zhēng jīn lùn liǎng,to haggle over every ounce (idiom); to to fuss over minor points; to be particular about sth -争权夺利,zhēng quán duó lì,scramble for power and profit (idiom); power struggle -争气,zhēng qì,to work hard for sth; to resolve on improvement; determined not to fall short -争球线,zhēng qiú xiàn,scrimmage line (American football) -争相,zhēng xiāng,to fall over each other in their eagerness to... -争端,zhēng duān,dispute; controversy; conflict -争臣,zhēng chén,minister not afraid to give forthright criticism -争衡,zhēng héng,to struggle for mastery; to strive for supremacy -争讼,zhēng sòng,dispute involving litigation; legal dispute -争论,zhēng lùn,"to argue; to debate; to contend; argument; contention; controversy; debate; CL:次[ci4],場|场[chang3]" -争论点,zhēng lùn diǎn,contention -争议,zhēng yì,controversy; dispute; to dispute -争议性,zhēng yì xìng,controversial -争购,zhēng gòu,to compete; to fight for; to rush to purchase -争辩,zhēng biàn,a dispute; to wrangle -争锋,zhēng fēng,to strive -争长论短,zhēng cháng lùn duǎn,lit. to argue who is right and wrong (idiom); fig. to squabble; to argue over minor issues -争雄,zhēng xióng,to contend for supremacy -争霸,zhēng bà,to contend for hegemony; a power struggle -争面子,zhēng miàn zi,to do (sb) proud; to be a credit to (one's school etc); to make oneself look good; to build up one's image -争风吃醋,zhēng fēng chī cù,to rival sb for the affection of a man or woman; to be jealous of a rival in a love affair -争斗,zhēng dòu,to struggle; to fight; struggle -争鸣,zhēng míng,to contend -爯,chèn,old variant of 稱|称[chen4] -爯,chēng,old variant of 稱|称[cheng1] -爰,yuán,surname Yuan -爰,yuán,therefore; consequently; thus; hence; thereupon; it follows that; where?; to change (into); ancient unit of weight and money -为,wéi,variant of 為|为[wei2] -为,wèi,variant of 為|为[wei4] -爵,jué,ancient bronze wine holder with 3 legs and loop handle; nobility -爵位,jué wèi,"order of feudal nobility, namely: Duke 公[gong1], Marquis 侯[hou2], Count 伯[bo2], Viscount 子[zi3], Baron 男[nan2]" -爵士,jué shì,knight; Sir; (loanword) jazz -爵士乐,jué shì yuè,jazz (loanword) -爵士舞,jué shì wǔ,jazz (loanword) -爵士音乐,jué shì yīn yuè,jazz (loanword) -爵士鼓,jué shì gǔ,drum kit (Tw) -爵禄,jué lù,rank and emolument of nobility -父,fù,father -父兄,fù xiōng,father and elder brother(s); head of the family; patriarch -父丧,fù sāng,the death of one's father -父执,fù zhí,(literary) father's friends (of the same generation) -父执辈,fù zhí bèi,person of one's father's generation -父女,fù nǚ,father and daughter -父子,fù zǐ,father and son -父爱,fù ài,paternal love -父慈子孝,fù cí zǐ xiào,"benevolent father, filial son (idiom); natural love between parents and children" -父权制,fù quán zhì,patriarchy -父母,fù mǔ,father and mother; parents -父母亲,fù mǔ qīn,parents -父母双亡,fù mǔ shuāng wáng,to have lost both one's parents -父系,fù xì,paternal line; patrilineal -父级,fù jí,parent (computing) -父老,fù lǎo,elders -父亲,fù qīn,father; also pr. [fu4 qin5]; CL:個|个[ge4] -父亲节,fù qīn jié,Father's Day -父辈,fù bèi,people of one's parents' generation -爸,bà,father; dad; pa; papa -爸妈,bà mā,dad and mom -爸比,bǎ bí,(loanword) daddy -爸爸,bà ba,"(coll.) father; dad; CL:個|个[ge4],位[wei4]" -爹,diē,dad -爹地,diē dì,daddy (loanword) -爹娘,diē niáng,(dialect) parents -爹爹,diē die,daddy; granddad -爷,yé,grandpa; old gentleman -爷们,yé men,menfolk (collective term for men of different generations); husbands and their fathers etc -爷们儿,yé men er,erhua variant of 爺們|爷们[ye2 men5] -爷爷,yé ye,(coll.) father's father; paternal grandfather; CL:個|个[ge4] -爻,yáo,"the solid and broken lines of the eight trigrams 八卦[ba1 gua4], e.g. ☶" -爽,shuǎng,bright; clear; crisp; open; frank; straightforward; to feel well; fine; pleasurable; invigorating; to deviate -爽亮,shuǎng liàng,clear; open; bright -爽健,shuǎng jiàn,to feel well; healthy and carefree -爽利,shuǎng lì,efficient; brisk; neat -爽口,shuǎng kǒu,fresh and tasty -爽心悦目,shuǎng xīn yuè mù,beautiful and heartwarming -爽心美食,shuǎng xīn měi shí,comfort food -爽快,shuǎng kuai,refreshed; rejuvenated; frank and straightforward -爽意,shuǎng yì,pleasant -爽捷,shuǎng jié,readily; in short order -爽畅,shuǎng chàng,pleasant -爽朗,shuǎng lǎng,clear and bright (of weather); straightforward; candid; open -爽歪了,shuǎng wāi le,(slang) awesome; amazing; too cool!; sick -爽歪歪,shuǎng wāi wāi,to feel great; blissful; to be in bliss -爽气,shuǎng qì,cool fresh air; straightforward -爽然,shuǎng rán,open and happy; carefree; at a loss; confused -爽然若失,shuǎng rán ruò shī,at a loss; confused; not know what to do next -爽爽快快,shuǎng shuǎng kuài kuài,in short order; straightforward -爽当,shuǎng dāng,with alacrity; frank and spontaneous -爽目,shuǎng mù,pleasant to behold; attractive -爽直,shuǎng zhí,straightforward -爽约,shuǎng yuē,to miss an appointment -爽脆,shuǎng cuì,sharp and clear; frank; straightfoward; quick; brisk; crisp and tasty -爽肤水,shuǎng fū shuǐ,toner (cosmetics) -爽身粉,shuǎng shēn fěn,baby powder; talcum powder -尔,ěr,thus; so; like that; you; thou -尔来,ěr lái,(literary) recently; lately; hitherto -尔后,ěr hòu,henceforth; thereafter; subsequently -尔德,ěr dé,Eid (Islam) -尔格,ěr gé,erg (physics) (loanword) -尔虞我诈,ěr yú wǒ zhà,lit. you hoodwink me and I cheat you (idiom); fig. each tries to outwit the other; deceit and treachery -尔雅,ěr yǎ,"""Erya"" or ""The Ready Guide"", first extant Chinese dictionary, c. 3rd century BC, with glossaries on classical texts" -丬,qiáng,"""piece of wood"" radical in Chinese characters (Kangxi radical 90), mirror image of 片[pian4]" -爿,pán,"classifier for strips of land or bamboo, shops, factories etc; slit bamboo or chopped wood (dialect)" -床,chuáng,variant of 床[chuang2] -墙,qiáng,"wall (CL:面[mian4],堵[du3]); (slang) to block (a website) (usu. in the passive: 被牆|被墙[bei4 qiang2])" -墙倒众人推,qiáng dǎo zhòng rén tuī,"lit. when a wall is about to collapse, everybody gives it a shove (idiom); fig. everybody hits a man who is down" -墙垣,qiáng yuán,wall; fence -墙报,qiáng bào,wall newspaper -墙壁,qiáng bì,wall -墙旮旯,qiáng gā lá,recess between walls -墙板锯,qiáng bǎn jù,drywall saw; plasterboard saw -墙根,qiáng gēn,foot of a wall -墙纸,qiáng zhǐ,wallpaper -墙角,qiáng jiǎo,corner (junction of two walls) -墙面,qiáng miàn,the surface of a wall (esp. an interior wall) -墙头草,qiáng tóu cǎo,sb who goes whichever way the wind blows; sb with no mind of their own; easily swayed person; opportunist -片,piān,disk; sheet -片,piàn,"thin piece; flake; a slice; film; TV play; to slice; to carve thin; partial; incomplete; one-sided; classifier for slices, tablets, tract of land, area of water; classifier for CDs, movies, DVDs etc; used with numeral 一[yi1]: classifier for scenario, scene, feeling, atmosphere, sound etc; Kangxi radical 91" -片中,piàn zhōng,in the movie -片假名,piàn jiǎ míng,katakana (Japanese script) -片儿,piān er,sheet; thin film -片儿警,piàn er jǐng,local or neighborhood policeman -片刻,piàn kè,short period of time; a moment -片剂,piàn jì,(pharmacology) tablet -片名,piān míng,movie title -片商,piàn shāng,movie production company; film distributor -片子,piān zi,film; movie; film reel; phonograph record; X-ray image -片子,piàn zi,thin flake; small piece -片尾,piàn wěi,end credits (of a movie etc); ending (of a movie etc) -片岩,piàn yán,schist -片断,piàn duàn,section; fragment; segment -片时,piàn shí,a short time; a moment -片段,piàn duàn,fragment (of speech etc); extract (from book etc); episode (of story etc) -片约,piàn yuē,movie contract -片花,piàn huā,trailer (for a movie) -片语,piàn yǔ,phrase -片酬,piàn chóu,remuneration for playing a role in a movie or television drama -片长,piàn cháng,length (duration) of a film -片面,piàn miàn,unilateral; one-sided -片头,piàn tóu,opening titles (of movie); leader (blank film at the beginning and end of a reel) -片麻岩,piàn má yán,gneiss -版,bǎn,a register; block of printing; edition; version; page -版主,bǎn zhǔ,forum moderator; webmaster -版刻,bǎn kè,carving; engraving -版图,bǎn tú,domain; territory -版块,bǎn kuài,printing block; section (of a newspaper); board (of BBS or discussion forum) -版式,bǎn shì,format -版本,bǎn běn,version; edition; release -版权,bǎn quán,copyright -版权所有,bǎn quán suǒ yǒu,all rights reserved (copyright statement) -版次,bǎn cì,edition (of a book etc); edition number -版画,bǎn huà,printmaking; a print -版税,bǎn shuì,royalty (on books) -版筑,bǎn zhù,to construct a rammed-earth wall -版面,bǎn miàn,page of a publication (e.g. newspaper or website); printing space (reserved for some content); page layout -版面费,bǎn miàn fèi,publishing fee; page charge -笺,jiān,variant of 箋|笺[jian1] -牌,pái,"mahjong tile; playing card; game pieces; signboard; plate; tablet; medal; CL:片[pian4],個|个[ge4],塊|块[kuai4]" -牌九,pái jiǔ,pai gow (gambling game played with dominoes) -牌位,pái wèi,memorial tablet -牌价,pái jià,list price -牌匾,pái biǎn,board (attached to a wall) -牌坊,pái fāng,memorial arch -牌型,pái xíng,hand (in mahjong or card games) -牌子,pái zi,sign; trademark; brand -牌局,pái jú,"gambling get-together; game of cards, mahjong etc" -牌戏,pái xì,a card game -牌桌,pái zhuō,mahjong table; card table; gambling table; gaming table -牌楼,pái lou,decorated archway -牌照,pái zhào,(business) license; vehicle license; car registration; license plate -牌组,pái zǔ,"set of cards (e.g. hand, suit, deck or meld etc)" -牌号,pái hào,trademark -窗,chuāng,old variant of 窗[chuang1] -闸,zhá,old variant of 閘|闸[zha2]; sluice; lock (on waterway) -牒,dié,(official) document; dispatch -牒谱,dié pǔ,genealogy; family tree; same as 譜牒|谱牒 -榜,bǎng,variant of 榜[bang3] -窗,chuāng,variant of 窗[chuang1] -牖,yǒu,to enlighten; lattice window -牍,dú,documents -牙,yá,tooth; ivory; CL:顆|颗[ke1] -牙人,yá rén,(old) middleman; broker -牙侩,yá kuài,broker -牙克石,yá kè shí,"Yakeshi, county-level city, Mongolian Yagshi xot, in Hulunbuir 呼倫貝爾|呼伦贝尔[Hu1 lun2 bei4 er3], Inner Mongolia" -牙克石市,yá kè shí shì,"Yakeshi, county-level city, Mongolian Yagshi xot, in Hulunbuir 呼倫貝爾|呼伦贝尔[Hu1 lun2 bei4 er3], Inner Mongolia" -牙冠,yá guān,crown of a tooth; (dental) crown -牙刷,yá shuā,toothbrush; CL:把[ba3] -牙印,yá yìn,teeth marks (left on sth); bite marks -牙周炎,yá zhōu yán,periodontitis (gum disorder) -牙周病,yá zhōu bìng,periodontitis (gum disorder) -牙垢,yá gòu,dental plaque; tartar -牙城,yá chéng,citadel; military headquarters -牙套,yá tào,orthodontic brace; (dental) crown -牙子,yá zi,serrated edge; (old) middleman; broker -牙帐,yá zhàng,tent of the commanding officer; tent capital of a nomadic people -牙床,yá chuáng,gum; ivory bedframe -牙慧,yá huì,repetition; other person's opinion; hearsay; parroting -牙托,yá tuō,mouthguard; occlusal splint; dental impression tray; orthodontic plate; denture base; denture -牙旗,yá qí,emperor's or general's banner erected on an ivory-tipped pole at a military camp or headquarters (in ancient times) -牙本质,yá běn zhì,dentin; dentine -牙根,yá gēn,root of tooth -牙桥,yá qiáo,dental bridge -牙班,yá bān,dental plaque -牙病,yá bìng,odontopathy; dental disease -牙痛,yá tòng,toothache -牙白,yá bái,creamy white; ivory color -牙盘,yá pán,(bicycle) crankset -牙石,yá shí,dental calculus; tartar -牙碜,yá chen,gritty (of foodstuffs); fig. jarring speech -牙祭,yá jì,a good meal; sumptuous food -牙科,yá kē,dentistry -牙科医生,yá kē yī shēng,dentist -牙箍,yá gū,orthodontic braces -牙签,yá qiān,toothpick -牙粉,yá fěn,tooth powder -牙结石,yá jié shí,dental calculus; tartar -牙线,yá xiàn,dental floss; CL:條|条[tiao2] -牙线棒,yá xiàn bàng,floss pick -牙缝,yá fèng,gap between teeth -牙缝儿,yá fèng er,gap between teeth -牙膏,yá gāo,toothpaste; CL:管[guan3] -牙菌斑,yá jūn bān,dental bacterial plaque -牙行,yá háng,middleman (in former times); broker -牙买加,yá mǎi jiā,Jamaica -牙买加胡椒,yá mǎi jiā hú jiāo,Jamaican pepper; allspice (Pimenta dioica) -牙医,yá yī,dentist -牙釉质,yá yòu zhì,tooth enamel -牙关,yá guān,jaw; mandibular joint -牙关紧闭症,yá guān jǐn bì zhèng,lockjaw; trismus -牙雕,yá diāo,ivory carving -牙音,yá yīn,velar consonants of Middle Chinese -牙髓,yá suǐ,tooth pulp -牙齿,yá chǐ,tooth; dental; CL:顆|颗[ke1] -牙齿矫正器,yá chǐ jiǎo zhèng qì,orthodontic braces -牙龈,yá yín,gums; gingiva -牙龈炎,yá yín yán,gingivitis -牚,chēng,variant of 撐|撑[cheng1] -牛,niú,surname Niu -牛,niú,"ox; cow; bull; CL:條|条[tiao2],頭|头[tou2]; newton (abbr. for 牛頓|牛顿[niu2 dun4]); (slang) awesome" -牛不喝水强按头,niú bù hē shuǐ qiǎng àn tóu,lit. to try to make an ox drink by forcing its head down to the water (idiom); fig. to try to impose one's will on sb -牛不喝水难按角,niú bù hē shuǐ nán àn jiǎo,(idiom) you can lead a horse to water but you cannot make it drink -牛人,niú rén,(coll.) leading light; true expert; badass -牛仔,niú zǎi,cowboy -牛仔布,niú zǎi bù,denim -牛仔裤,niú zǎi kù,jeans; CL:條|条[tiao2] -牛刀小试,niú dāo xiǎo shì,see 小試牛刀|小试牛刀[xiao3 shi4 niu2 dao1] -牛奶,niú nǎi,"cow's milk; CL:瓶[ping2],杯[bei1]" -牛奶糖,niú nǎi táng,toffee; chewy caramel candy -牛子,niú zǐ,(dialect) penis -牛屄,niú bī,awesome; capable (vulgar); arrogant; cocky; bastard (vulgar) -牛山濯濯,niú shān zhuó zhuó,treeless hills (idiom) -牛市,niú shì,bull market -牛年,niú nián,Year of the Ox or Bull (e.g. 2009) -牛年马月,niú nián mǎ yuè,see 猴年馬月|猴年马月[hou2 nian2 ma3 yue4] -牛心,niú xīn,mulishness; obstinacy -牛性,niú xìng,mulishness; obstinacy -牛性子,niú xìng zi,see 牛性[niu2 xing4] -牛排,niú pái,steak -牛排餐厅,niú pái cān tīng,steakhouse; chophouse -牛排馆,niú pái guǎn,steakhouse -牛柳,niú liǔ,(beef) tenderloin -牛棚,niú péng,cowshed; makeshift detention center set up by Red Guards in the Cultural Revolution; (baseball) bullpen -牛樟,niú zhāng,Cinnamomum kanehirae; small-leaf camphor; stout camphor (indigenous to Taiwan) -牛桥,niú qiáo,Oxbridge; Cambridge and Oxford -牛栏,niú lán,cattle pen -牛毛,niú máo,ox hair (used as a metaphor for sth very numerous or sth fine and delicate) -牛气,niú qi,(coll.) haughty; overbearing; (economics) bullish -牛油,niú yóu,butter; beef tallow -牛油戟,niú yóu jǐ,pound cake -牛油果,niú yóu guǒ,avocado (Persea americana) -牛津,niú jīn,Oxford (city in England) -牛津大学,niú jīn dà xué,University of Oxford -牛津郡,niú jīn jùn,Oxfordshire (English county) -牛海绵状脑病,niú hǎi mián zhuàng nǎo bìng,"bovine spongiform encephalopathy, BSE; mad cow disease" -牛溲马勃,niú sōu mǎ bó,"cow's piss, horse's ulcer (idiom); worthless nonsense; insignificant" -牛犊,niú dú,calf -牛痘,niú dòu,cowpox -牛痘病,niú dòu bìng,cow pox -牛百叶,niú bǎi yè,omasum; beef tripe -牛皮,niú pí,cowhide; leather; fig. flexible and tough; boasting; big talk -牛皮癣,niú pí xuǎn,psoriasis -牛皮纸,niú pí zhǐ,kraft paper -牛皮色,niú pí sè,buff (color) -牛皮菜,niú pí cài,"chard (Beta vulgaris), a foliage beet" -牛磺酸,niú huáng suān,taurine -牛筋草,niú jīn cǎo,wire grass (Eleusine indica) -牛米,niú mǐ,newton meter (Nm) -牛羊,niú yáng,cattle and sheep; livestock -牛肉,niú ròu,beef -牛肉丸,niú ròu wán,beef meatballs -牛肉干,niú ròu gān,dried beef; jerky; charqui -牛肉面,niú ròu miàn,beef noodle soup -牛肚,niú dǔ,beef tripe -牛肝菌,niú gān jùn,porcino (Boletus edulis) -牛背鹭,niú bèi lù,(bird species of China) eastern cattle egret (Bubulcus coromandus) -牛脊肉,niú jǐ ròu,sirloin (beef joint) -牛脖子,niú bó zi,(coll.) bullheaded; obstinate -牛脷酥,niú lì sū,"ox tongue pastry, oval Guangdong pastry made of fried dough, resembling an ox tongue" -牛脾气,niú pí qi,bullheadedness; stubborn -牛腩,niú nǎn,brisket (esp. Cantonese); belly beef; spongy meat from cow's underside and neighboring ribs; erroneously translated as sirloin -牛膝,niú xī,Achyranthes bidentata (root used in Chinese medicine) -牛膝草,niú xī cǎo,hyssop (Hyssopus officinalis) -牛至,niú zhì,oregano (Origanum vulgare); marjoram -牛舌,niú shé,ox tongue -牛蒡,niú bàng,burdock -牛虻,niú méng,gadfly (Tabanus bovinus) -牛蛙,niú wā,bullfrog -牛衣对泣,niú yī duì qì,couple living in destitute misery (idiom) -牛角,niú jiǎo,cow horn -牛角包,niú jiǎo bāo,croissant -牛角挂书,niú jiǎo guà shū,lit. to hang one's books on cow horns (idiom); fig. to be diligent in one's studies -牛角椒,niú jiǎo jiāo,Cayenne pepper; red pepper; chili -牛角面包,niú jiǎo miàn bāo,croissant -牛轧糖,niú gá táng,(loanword) nougat -牛轭,niú è,yoke -牛轭礁,niú è jiāo,"Niu'e Reef, disputed territory in the South China Sea, claimed by China, Vietnam and the Philippines, aka Whitsun Reef or Julian Felipe Reef" -牛逼,niú bī,variant of 牛屄[niu2 bi1] -牛郎,niú láng,Cowherd of the folk tale Cowherd and Weaving maid 牛郎織女|牛郎织女; Altair (star) -牛郎,niú láng,cowherd boy; (slang) male prostitute -牛郎织女,niú láng zhī nǚ,Cowherd and Weaving maid (characters in folk story); separated lovers; Altair and Vega (stars) -牛只,niú zhī,cow; cattle -牛鞅,niú yàng,wooden yoke for a draft ox -牛鞭,niú biān,pizzle; bull's penis (served as food) -牛顿,niú dùn,"Newton (name); Sir Isaac Newton (1642-1727), British mathematician and physicist" -牛顿,niú dùn,newton (SI unit of force) -牛顿力学,niú dùn lì xué,Newtonian mechanics -牛顿米,niú dùn mǐ,"newton meter, unit of torque (symbol: N⋅m)" -牛头,niú tóu,"Ox-Head, one of the two guardians of the underworld in Chinese mythology" -牛头,niú tóu,ox head; ox-head shaped wine vessel -牛头不对马嘴,niú tóu bù duì mǎ zuǐ,see 驢唇不對馬嘴|驴唇不对马嘴[lu:2chun2 bu4 dui4 ma3zui3] -牛头伯劳,niú tóu bó láo,(bird species of China) bull-headed shrike (Lanius bucephalus) -牛头犬,niú tóu quǎn,bulldog -牛饮,niú yǐn,gulp -牛马,niú mǎ,oxen and horses; beasts of burden; CL:隻|只[zhi1] -牛骥同槽,niú jì tóng cáo,cow and famous steed at the same trough (idiom); fig. the common and the great are treated alike; also written 牛驥同皂|牛骥同皂[niu2 ji4 tong2 zao4] -牛骥同皂,niú jì tóng zào,cow and famous steed at the same trough (idiom); fig. the common and the great are treated alike -牛鬼蛇神,niú guǐ shé shén,evil monsters; (fig.) bad characters; (political) bad elements -牛魔王,niú mó wáng,Gyuumao -牛黄,niú huáng,bezoar -牛鼻子,niú bí zi,key point; crux; (old) Daoist (facetious) -牝,pìn,"(of a bird, animal or plant) female; keyhole; valley" -牝牡,pìn mǔ,male and female -牝牡骊黄,pìn mǔ lí huáng,a black stallion or possibly a yellow mare (idiom); don't judge by outward appearance -牝鸡司晨,pìn jī sī chén,female chicken crows at daybreak (idiom); a woman usurps authority; women meddle in politics; The female wears the trousers. -牝鸡牡鸣,pìn jī mǔ míng,female chicken crows at daybreak (idiom); a woman usurps authority; women meddle in politics; The female wears the trousers. -牟,móu,surname Mou -牟,mù,see 牟平[Mu4 ping2] -牟,móu,barley; to moo; to seek or obtain; old variant of 侔[mou2]; old variant of 眸[mou2] -牟利,móu lì,to gain profit (by underhand means); to exploit; exploitation -牟取,móu qǔ,to gain profit (by underhand means); to exploit; see also 謀取|谋取[mou2 qu3] -牟取暴利,móu qǔ bào lì,to profiteer; profiteering -牟定,móu dìng,"Mouding County in Chuxiong Yi Autonomous Prefecture 楚雄彞族自治州|楚雄彝族自治州[Chu3 xiong2 Yi2 zu2 Zi4 zhi4 zhou1], Yunnan" -牟定县,móu dìng xiàn,"Mouding County in Chuxiong Yi Autonomous Prefecture 楚雄彞族自治州|楚雄彝族自治州[Chu3 xiong2 Yi2 zu2 Zi4 zhi4 zhou1], Yunnan" -牟平,mù píng,"Muping district of Yantai city 煙台市|烟台市, Shandong" -牟平区,mù píng qū,"Muping district of Yantai city 煙台市|烟台市, Shandong" -它,tā,it (pronoun for an animal) -牡,mǔ,"(of a bird, animal or plant) male; key; hills" -牡丹,mǔ dan,"Mudan District of Heze City 菏澤市|菏泽市[He2 ze2 Shi4], Shandong; Mutan township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -牡丹,mǔ dan,tree peony (Paeonia suffruticosa) -牡丹亭,mǔ dan tíng,"The Peony Pavilion (1598), play by Tang Xianzu 湯顯祖|汤显祖[Tang1 Xian3 zu3]" -牡丹区,mǔ dan qū,"Mudan District of Heze City 菏澤市|菏泽市[He2 ze2 Shi4], Shandong" -牡丹卡,mǔ dan kǎ,Peony Card (credit card issued by Industrial and Commercial Bank of China) -牡丹坊,mǔ dan fāng,Peony Lane -牡丹江,mǔ dan jiāng,"Mudanjiang, prefecture-level city in Heilongjiang province 黑龍江|黑龙江[Hei1 long2 jiang1] in northeast China" -牡丹江市,mǔ dan jiāng shì,"Mudanjiang, prefecture-level city in Heilongjiang province 黑龍江|黑龙江[Hei1 long2 jiang1] in northeast China" -牡丹皮,mǔ dan pí,root bark of the peony tree (used in TCM) -牡丹乡,mǔ dan xiāng,"Mutan township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -牡牛,mǔ niú,bull -牡羊座,mǔ yáng zuò,Aries (constellation and sign of the zodiac); used erroneously for 白羊座 -牡蛎,mǔ lì,oyster -牡鹿,mǔ lù,stag; buck -牢,láo,firm; sturdy; fold (for animals); sacrifice; prison -牢什子,láo shí zi,variant of 勞什子|劳什子[lao2 shi2 zi5] -牢友,láo yǒu,inmate; cellmate -牢固,láo gù,firm; secure -牢子,láo zǐ,jailer (old) -牢实,láo shi,solid; strong; firm; secure -牢房,láo fáng,jail cell; prison cell -牢牢,láo láo,firmly; safely -牢狱,láo yù,prison -牢狱之灾,láo yù zhī zāi,imprisonment -牢笼,láo lóng,"cage; trap (e.g. basket, pit or snare for catching animals); fig. bonds (of wrong ideas); shackles (of past misconceptions); to trap; to shackle" -牢记,láo jì,to keep in mind; to remember -牢靠,láo kào,firm and solid; robust; reliable -牢靠妥当,láo kào tuǒ dàng,reliable; solid and dependable -牢头,láo tóu,jailer (old) -牢骚,láo sāo,discontent; complaint; to complain -牧,mù,surname Mu -牧,mù,to herd; to breed livestock; to govern (old); government official (old) -牧人,mù rén,shepherd; pastor; pastoral -牧夫座,mù fū zuò,Boötes (constellation) -牧区,mù qū,grazing land; pasture -牧圉,mù yǔ,horse breeder; pasture for cattle and horses -牧地,mù dì,pasture; grazing land -牧场,mù chǎng,pasture; grazing land; ranch -牧师,mù shī,chaplain; churchman; clergyman; parson; pastor; priest; rector -牧业,mù yè,livestock husbandry; animal product industry -牧歌,mù gē,shepherd's song; pastoral -牧民,mù mín,herdsman -牧犬,mù quǎn,shepherd dog -牧畜,mù xù,raising livestock; animal husbandry -牧神,mù shén,shepherd God; faun; Pan in Greek mythology -牧神午后,mù shén wǔ hòu,"Prélude à l'après-midi d'un faune, by Claude Debussy based on poem by Stéphane Mallarmé" -牧神节,mù shén jié,"Lupercalia, Roman festival to Pan on 15th February" -牧童,mù tóng,shepherd boy -牧羊,mù yáng,to raise sheep; shepherd -牧羊人,mù yáng rén,shepherd -牧羊犬,mù yáng quǎn,sheepdog -牧羊者,mù yáng zhě,shepherd -牧群,mù qún,herd of sheep -牧草,mù cǎo,pasture; forage grass; pasturage -牧野,mù yě,"Muye district of Xinxiang city 新鄉市|新乡市[Xin1 xiang1 shi4], Henan" -牧野区,mù yě qū,"Muye district of Xinxiang city 新鄉市|新乡市[Xin1 xiang1 shi4], Henan" -牧养,mù yǎng,to raise (animals) -牧马人,mù mǎ rén,herdsman (of horses); wrangler -物,wù,(bound form) thing; (literary) the outside world as distinct from oneself; people other than oneself -物主,wù zhǔ,owner -物主代词,wù zhǔ dài cí,possessive pronoun -物主限定词,wù zhǔ xiàn dìng cí,possessive (in grammar) -物事,wù shì,affair; matter; thing; business; articles; goods; materials; thing; stuff; person (derog.) -物以稀为贵,wù yǐ xī wéi guì,"the rarer sth is, the greater its value (idiom)" -物以类聚,wù yǐ lèi jù,similar things come together (idiom); like draws like; Birds of a feather flock together. -物件,wù jiàn,object -物候,wù hòu,natural phenomena of a seasonal nature -物候学,wù hòu xué,"the study of seasonal phenomena (flouring, migration etc)" -物价,wù jià,(commodity) prices; CL:個|个[ge4] -物价指数,wù jià zhǐ shù,price index -物力,wù lì,physical resources (as opposed to labor resources) -物化,wù huà,to objectify; (literary) to die -物各有主,wù gè yǒu zhǔ,everything has a rightful owner (idiom) -物品,wù pǐn,articles; goods -物态,wù tài,(physics) state of matter -物欲世界,wù yù shì jiè,the world of material desires (Buddhism) -物料,wù liào,material -物是人非,wù shì rén fēi,"things have remained the same, but people have changed" -物业,wù yè,"property; real estate; abbr. for 物業管理|物业管理[wu4 ye4 guan3 li3], property management" -物业税,wù yè shuì,property tax -物业管理,wù yè guǎn lǐ,property management -物业费,wù yè fèi,property management fee -物极必反,wù jí bì fǎn,"when things reach an extreme, they can only move in the opposite direction (idiom)" -物欲,wù yù,material desire; craving for material things -物归原主,wù guī yuán zhǔ,to return something to its rightful owner -物流,wù liú,distribution (business); logistics -物流管理,wù liú guǎn lǐ,logistics -物物交换,wù wù jiāo huàn,barter -物理,wù lǐ,physics -物理化学,wù lǐ huà xué,physical chemistry -物理学,wù lǐ xué,physics -物理学家,wù lǐ xué jiā,physicist -物理层,wù lǐ céng,physical layer -物理性质,wù lǐ xìng zhì,physical property -物理治疗,wù lǐ zhì liáo,physiotherapy; physical therapy -物理疗法,wù lǐ liáo fǎ,physiotherapy; physical therapy -物理结构,wù lǐ jié gòu,physical composition -物理量,wù lǐ liàng,physical quantity -物产,wù chǎn,products; produce; natural resources -物尽其用,wù jìn qí yòng,to use sth to the full; to make the best use of everything -物种,wù zhǒng,species -物种起源,wù zhǒng qǐ yuán,"Charles Darwin's ""Origin of Species""" -物竞天择,wù jìng tiān zé,natural selection -物管,wù guǎn,property management (abbr. for 物業管理|物业管理[wu4 ye4 guan3 li3]) -物美价廉,wù měi jià lián,good quality and cheap; a bargain -物联网,wù lián wǎng,Internet of things (IoT) -物色,wù sè,to look for; to seek out; to choose -物语,wù yǔ,monogatari; epic narrative (Japanese literary form) -物证,wù zhèng,material evidence -物资,wù zī,goods; supplies -物资供应,wù zī gōng yìng,supply of material -物质,wù zhì,matter; substance; material; materialistic; CL:個|个[ge4] -物质享受,wù zhì xiǎng shòu,material benefits -物质文明,wù zhì wén míng,material culture -物质文明和精神文明,wù zhì wén míng hé jīng shén wén míng,"material and spiritual culture; matter and mind; material progress, ideology and culture (philosophic slogan, adopted into Deng Xiaoping theory from 1978)" -物镜,wù jìng,objective (optics) -物体,wù tǐ,object; body; substance -牮,jiàn,to prop up -牯,gǔ,bullock; cow -牲,shēng,domestic animal; sacrificial animal -牲口,shēng kou,"animals used for their physical strength (mules, oxen etc); beast of burden" -牲畜,shēng chù,farm animal; livestock -牲畜粪,shēng chù fèn,animal manure -牲礼,shēng lǐ,(religion) to sacrifice; sacrifice; animal offered as sacrifice -牲体,shēng tǐ,body of an animal (or human) killed sacrificially -牴,dǐ,to butt; resist -牴牾,dǐ wǔ,variant of 抵牾[di3 wu3] -牴触,dǐ chù,variant of 抵觸|抵触[di3 chu4] -牸,zì,female of domestic animals -牸牛,zì niú,cow -牸马,zì mǎ,mare -特,tè,"special; unique; distinguished; especially; unusual; very; abbr. for 特克斯[te4 ke4 si1], tex" -特任,tè rèn,special appointment -特使,tè shǐ,special envoy; special ambassador -特来,tè lái,to come with a specific purpose in mind -特例,tè lì,special case; isolated example -特伦顿,tè lún dùn,"Trenton, capital of New Jersey" -特侦组,tè zhēn zǔ,special investigation team (Tw) -特价,tè jià,special price -特价菜,tè jià cài,restaurant special; daily special -特克斯,tè kè sī,"tex, unit of fiber density (textiles) (loanword); abbr. to 特[te4]" -特克斯和凯科斯群岛,tè kè sī hé kǎi kē sī qún dǎo,Turks and Caicos Islands -特克斯河,tè kè sī hé,"Tekes River in southeast Kazakhstan and northwest China, a tributary of the Ili River 伊犁河[Yi1 li2 He2]" -特克斯县,tè kè sī xiàn,"Tekes County in Ili Kazakh Autonomous Prefecture 伊犁哈薩克自治州|伊犁哈萨克自治州[Yi1 li2 Ha1 sa4 ke4 Zi4 zhi4 zhou1], Xinjiang" -特免,tè miǎn,special exemption -特内里费,tè nèi lǐ fèi,Tenerife -特准,tè zhǔn,to give special approval -特出,tè chū,outstanding; prominent -特刊,tè kān,special edition (of magazine) -特别,tè bié,unusual; special; very; especially; particularly; expressly; for a specific purpose; (often followed by 是[shi4]) in particular -特别任务连,tè bié rèn wu lián,"Special Duties Unit, Hong Kong special police" -特别客串,tè bié kè chuàn,special guest performer (in a show); special guest appearance (in film credits) -特别待遇,tè bié dài yù,special treatment -特别感谢,tè bié gǎn xiè,special thanks; particular thanks -特别提款权,tè bié tí kuǎn quán,"special drawing rights (SDR), international currency of the IMF" -特别行政区,tè bié xíng zhèng qū,"special administrative region (SAR), of which there are two in the PRC: Hong Kong 香港 and Macau 澳門|澳门; refers to many different areas during late Qing, foreign occupation, warlord period and Nationalist government; refers to special zones in North Korea and Indonesia" -特别护理,tè bié hù lǐ,intensive care -特利,tè lì,(name) Terry -特务,tè wu,special assignment (military); special agent; operative; spy -特勤,tè qín,special duty (e.g. extra security or traffic control on special occasions); person on special duty -特化,tè huà,specialization -特区,tè qū,special administrative region; abbr. for 特別行政區|特别行政区 -特古西加尔巴,tè gǔ xī jiā ěr bā,"Tegucigalpa, capital of Honduras" -特地,tè dì,specially; for a special purpose -特大,tè dà,exceptionally big -特大号,tè dà hào,jumbo; king-sized -特奥会,tè ào huì,Special Olympics -特定,tè dìng,special; specific; designated; particular -特富龙,tè fù lóng,Teflon (PRC) -特写,tè xiě,"feature article; close-up (filmmaking, photography etc)" -特工,tè gōng,secret service; special service; secret service agent; special agent -特征,tè zhēng,characteristic; diagnostic property; distinctive feature; trait -特征值,tè zhēng zhí,eigenvalue (math.) -特征向量,tè zhēng xiàng liàng,eigenvector (math.) -特征联合,tè zhēng lián hé,characteristic binding -特快,tè kuài,"express (train, delivery etc)" -特快专递,tè kuài zhuān dì,express mail -特快车,tè kuài chē,special express -特急,tè jí,especially urgent; top priority -特性,tè xìng,property; characteristic -特惠,tè huì,abbr. for 特別優惠|特别优惠[te4 bie2 you1 hui4]; ex gratia -特惠金,tè huì jīn,ex gratia payment -特意,tè yì,specially; intentionally -特批,tè pī,to give special approval -特技,tè jì,special effect; stunt -特技演员,tè jì yǎn yuán,stuntman -特技跳伞,tè jì tiào sǎn,skydiving -特拉法加广场,tè lā fǎ jiā guǎng chǎng,Trafalgar Square (London) -特拉法尔加,tè lā fǎ ěr jiā,Trafalgar -特拉法尔加广场,tè lā fǎ ěr jiā guǎng chǎng,Trafalgar Square (London) -特拉维夫,tè lā wéi fū,Tel Aviv; Tel Aviv-Jaffa -特拉华,tè lā huá,"Delaware, US state" -特拉华州,tè lā huá zhōu,"Delaware, US state" -特拉华河,tè lā huá hé,"Delaware River, between Pennsylvania and Delaware state, USA" -特指,tè zhǐ,to refer in particular to -特指问句,tè zhǐ wèn jù,wh-question (linguistics) -特提斯海,tè tí sī hǎi,Tethys (pre-Cambrian ocean) -特效,tè xiào,specially good effect; special efficacy; (cinema etc) special effects -特效药,tè xiào yào,effective medicine for a specific condition; highly effective medicine -特敏福,tè mǐn fú,oseltamivir; Tamiflu -特斯拉,tè sī lā,"Nikola Tesla (1856-1943), Serbian inventor and engineer" -特斯拉,tè sī lā,tesla (unit) -特易购,tè yì gòu,"Tesco, British-based supermarket chain" -特有,tè yǒu,specific (to); characteristic (of); distinctive -特朗普,tè lǎng pǔ,"Donald Trump (1946-), American business magnate, US president 2017-2021" -特权,tè quán,prerogative; privilege; privileged -特此,tè cǐ,hereby -特殊,tè shū,special; particular; unusual; extraordinary -特殊儿童,tè shū ér tóng,child with special needs; gifted child -特殊函数,tè shū hán shù,special functions (math.) -特殊教育,tè shū jiào yù,special education; special-needs education -特殊护理,tè shū hù lǐ,special care; intensive nursing -特殊关系,tè shū guān xì,special relation -特洛伊,tè luò yī,ancient city of Troy -特洛伊木马,tè luò yī mù mǎ,Trojan horse -特派,tè pài,special appointment; special correspondent; task force; sb dispatched on a mission -特派员,tè pài yuán,special correspondent; sb dispatched on a mission; special commissioner -特为,tè wèi,for a specific purpose; specially -特瓦族,tè wǎ zú,"Twa or Batwa, an ethnic group in Rwanda, Burundi, Uganda and the Democratic Republic of Congo" -特产,tè chǎn,special local product; (regional) specialty -特异,tè yì,exceptionally good; excellent; clearly outstanding; distinctive; peculiar; unique -特异功能,tè yì gōng néng,supernatural power; extrasensory perception -特异性,tè yì xìng,specific; specificity; idiosyncrasy -特异选择,tè yì xuǎn zé,special choice; special reserve -特发性,tè fā xìng,idiopathic -特种,tè zhǒng,particular kind; special type -特种兵,tè zhǒng bīng,commando; special forces soldier -特种空勤团,tè zhǒng kōng qín tuán,Special Air Service (SAS) -特种警察,tè zhǒng jǐng chá,SWAT (Special Weapons And Tactics); riot police -特种部队,tè zhǒng bù duì,(military) special forces -特立尼达,tè lì ní dá,Trinidad -特立尼达和多巴哥,tè lì ní dá hé duō bā gē,Trinidad and Tobago -特立独行,tè lì dú xíng,to be unconventional; independence of action -特等,tè děng,special grade; top quality -特约,tè yuē,specially engaged; employed or commissioned for a special task -特约记者,tè yuē jì zhě,special correspondent; stringer -特级,tè jí,special grade; top quality -特罗多斯,tè luó duō sī,"Troodos, Cyprus" -特色,tè sè,characteristic; distinguishing feature or quality -特艺彩色,tè yì cǎi sè,Technicolor -特卫强,tè wèi qiáng,Tyvek (brand) -特制,tè zhì,specially made; custom-made -特解,tè jiě,particular solution (to a math. equation) -特设,tè shè,ad hoc; to set up specially -特许,tè xǔ,license; licensed; concession; concessionary -特许权,tè xǔ quán,patent; franchise; concession -特许状,tè xǔ zhuàng,charter -特许经营,tè xǔ jīng yíng,franchised operation; franchising -特调,tè tiáo,special blend; house blend -特警,tè jǐng,SWAT (Special Weapons And Tactics); riot police; abbr. for 特種警察|特种警察[te4 zhong3 jing3 cha2] -特护,tè hù,special nursing; intensive care; abbr. for 特殊護理|特殊护理[te4 shu1 hu4 li3] -特护区,tè hù qū,intensive care department (of hospital) -特卖,tè mài,to have a sale; sale -特卖会,tè mài huì,promotional event; sale -特质,tè zhì,characteristic; special quality -特赦,tè shè,to grant a special pardon -特赦令,tè shè lìng,decree to grant a special pardon -特起,tè qǐ,to appear on the scene; to arise suddenly -特辑,tè jí,special collection; special issue; album -特邀,tè yāo,special invitation -特里普拉,tè lǐ pǔ lā,Tripura (Indian state) -特里尔,tè lǐ ěr,Trier (city in Germany) -特里萨,tè lǐ sà,Teresa; Theresa (name) -特长,tè cháng,personal strength; one's special ability or strong points -特雷沃,tè léi wò,Trevor (name) -特雷莎,tè léi shā,Teresa; Theresa (name) -特需,tè xū,special need; particular requirement -特首,tè shǒu,chief executive of Special Administrative Region (Hong Kong or Macao); abbr. for 特別行政區首席執行官|特别行政区首席执行官 -特鲁埃尔,tè lǔ āi ěr,"Tergüel or Teruel, Spain" -特鲁多,tè lǔ duō,"Pierre Trudeau (1919-2000), prime minister of Canada 1980-1984 and 1968-1979; Justin Trudeau (1971-), prime minister of Canada from 2015" -特么,tè me,euphemistic equivalent of 他媽的|他妈的[ta1 ma1 de5] -特点,tè diǎn,characteristic (feature); trait; feature; CL:個|个[ge4] -牵,qiān,to lead along; to pull (an animal on a tether); (bound form) to involve; to draw in -牵一发而动全身,qiān yī fà ér dòng quán shēn,lit. pulling a single hair makes the whole body move (idiom); fig. a small change in one part can affect the whole system -牵制,qiān zhì,to control; to curb; to restrict; to impede; to pin down (enemy troops) -牵动,qiān dòng,to affect; to produce a change in sth -牵就,qiān jiù,to concede; to give up -牵引,qiān yǐn,to pull; to draw (a cart); to tow -牵引力,qiān yǐn lì,motive force; traction -牵引车,qiān yǐn chē,tractor unit; tractor truck; prime mover -牵强,qiān qiǎng,far-fetched; implausible (chain of reasoning) -牵强附会,qiān qiǎng fù huì,to make an irrelevant comparison or interpretation (idiom) -牵心,qiān xīn,to worry; concerned -牵心挂肠,qiān xīn guà cháng,to worry deeply about sth; extremely concerned -牵手,qiān shǒu,to hold hands -牵扯,qiān chě,to involve; to implicate; to be interrelated -牵扯不清,qiān chě bù qīng,unclear; ambiguous; having an unclear relationship with -牵扶,qiān fú,to lead -牵挂,qiān guà,to worry about; to be concerned about -牵掣,qiān chè,to impede; to hold up -牵涉,qiān shè,to involve; implicated -牵涉到,qiān shè dào,to involve; to drag in -牵牛,qiān niú,Altair (star); Cowherd of the folk tale Cowherd and Weaving maid 牛郎織女|牛郎织女 -牵牛,qiān niú,morning glory (Pharbitis nil) -牵牛属,qiān niú shǔ,"Pharbitis, genus of herbaceous plants including Morning glory 牽牛|牵牛 (Pharbitis nil)" -牵牛星,qiān niú xīng,Altair (star); Cowherd of the folk tale Cowherd and Weaving maid 牛郎織女|牛郎织女 -牵牛花,qiān niú huā,white-edged morning glory -牵累,qiān lěi,to weigh down; to trouble; to implicate (sb); tied down (by affairs) -牵绊,qiān bàn,to bind; to yoke; to impede -牵线,qiān xiàn,to pull strings; to manipulate (a puppet); to control from behind the scene; to mediate -牵线人,qiān xiàn rén,sb who pulls strings to get things done; wirepuller; go-between; matchmaker -牵绳,qiān shéng,tow rope -牵缠,qiān chán,to involve; to entangle sb -牵羊担酒,qiān yáng dān jiǔ,pulling a lamb and bringing wine on a carrying pole (idiom); fig. to offer elaborate congratulations; to kill the fatted calf -牵联,qiān lián,variant of 牽連|牵连[qian1 lian2] -牵肠挂肚,qiān cháng guà dù,deeply worried (idiom); to feel anxious -牵着鼻子走,qiān zhe bí zi zǒu,to lead by the nose -牵记,qiān jì,to feel anxious about sth; unable to stop thinking about sth; to miss -牵连,qiān lián,to implicate; implicated; to link together -牵头,qiān tóu,to lead (an animal by the head); to take the lead; to coordinate (a combined operation); to mediate; a go-between (e.g. marriage broker) -牾,wǔ,to oppose; to gore -牿,gù,shed or pen for cattle -犀,xī,rhinoceros; sharp -犀利,xī lì,sharp; incisive; penetrating -犀牛,xī niú,rhinoceros -犀鸟,xī niǎo,hornbill -犁,lí,plow -犁地,lí dì,to plow -犁沟,lí gōu,furrow -犁铧,lí huá,plowshare -犁头,lí tóu,plowshare; colter; (dialect) plow -犁骨,lí gǔ,"vomer bone (in the nose, dividing the nostrils)" -犂,lí,see 犂靬[Li2 jian1]; variant of 犁[li2] -犄,jī,ox-horns; wing of an army -犄角,jī jiǎo,horn -犄角旮旯,jī jiǎo gā lá,corner; nook -奔,bēn,variant of 奔[ben1] -奔,bèn,variant of 奔[ben4] -犋,jù,"unit of animal power (sufficient to pull a plow, harrow etc)" -犍,jiān,bullock; castrated bull; to castrate livestock -犍为,qián wèi,"Qianwei county in Leshan 樂山|乐山[Le4 shan1], Sichuan" -犍为县,qián wèi xiàn,"Qianwei county in Leshan 樂山|乐山[Le4 shan1], Sichuan" -犍牛,jiān niú,bullock -犍陀罗,jiān tuó luó,"Gandhara Kingdom in northwest India, c. 600 BC-11 AD, on Kabul River in Vale of Peshawar" -犎,fēng,zebu; indicus cattle; humped ox -犎牛,fēng niú,bison -犏,piān,used in 犏牛[pian1 niu2] -犏牛,piān niú,offspring of a bull and a female yak -犒,kào,"to reward or comfort with presents of food, drink etc" -犒劳,kào láo,to reward with food and drink; to feast (sb); presents of food etc made to troops; Taiwan pr. [kao4 lao4] -犒赏,kào shǎng,reward; to reward -荦,luò,brindled ox; clear; eminent -犟,jiàng,variant of 強|强[jiang4] -犟劲,jiàng jìn,obstinacy; tenacity -犟劲儿,jiàng jìn er,erhua variant of 犟勁|犟劲[jiang4 jin4] -犊,dú,calf; sacrificial victim -犊子,dú zi,calf -牺,xī,sacrifice -牺牲,xī shēng,to sacrifice one's life; to sacrifice (sth valued); beast slaughtered as a sacrifice -牺牲品,xī shēng pǐn,sacrificial victim; sb who is expendable; item sold at a loss -牺牲打,xī shēng dǎ,"sacrifice hit (in sport, e.g. baseball)" -牺牲者,xī shēng zhě,sb who sacrifices himself; sacrificial victim; sb who is expendable -犪,kuí,used in 犪牛[kui2 niu2] -犪牛,kuí niú,"ancient yak of southeast China, also known as 犩[wei2]" -犬,quǎn,dog; Kangxi radical 94 -犬伤,quǎn shāng,dog bite; injury sustained in a dog attack -犬儒,quǎn rú,cynic -犬儒主义,quǎn rú zhǔ yì,cynicism -犬夜叉,quǎn yè chà,"Inuyasha, fictional character" -犬子,quǎn zǐ,(literary) (humble) my son -犬展,quǎn zhǎn,dog show -犬戎,quǎn róng,"Quanrong, Zhou Dynasty ethnic group of present-day western China" -犬瘟热,quǎn wēn rè,canine distemper (mammalian disease caused by Canine morbillivirus) -犬科,quǎn kē,the canines -犬种,quǎn zhǒng,dog breed -犬马之劳,quǎn mǎ zhī láo,lit. the service of a dog or a horse (idiom); fig. faithful service -犬齿,quǎn chǐ,canine tooth -犭,quǎn,three-stroke form of Kangxi radical 94 犬[quan3] -犮,bá,old variant of 拔[ba2] -犮,quǎn,old variant of 犬[quan3] -犯,fàn,to violate; to offend; to assault; criminal; crime; to make a mistake; recurrence (of mistake or sth bad) -犯上,fàn shàng,to offend one's superiors -犯上作乱,fàn shàng zuò luàn,to rebel against the emperor (idiom) -犯不上,fàn bu shàng,see 犯不著|犯不着[fan4 bu5 zhao2] -犯不着,fàn bu zháo,not worthwhile -犯事,fàn shì,to break the law; to commit a crime -犯人,fàn rén,convict; prisoner; criminal -犯傻,fàn shǎ,to be foolish; to play dumb; to gaze absentmindedly -犯劲,fàn jìn,to become excited -犯嘀咕,fàn dí gu,to hesitate; to have second thoughts; to be concerned; to brood (over sth); to complain -犯得上,fàn de shàng,"worthwhile (often in rhetorical questions, implying not worthwhile)" -犯得着,fàn de zháo,"worthwhile (often in rhetorical questions, implying not worthwhile); also written 犯得上[fan4 de5 shang4]" -犯忌,fàn jì,to violate a taboo -犯怵,fàn chù,to be afraid; to feel nervous -犯愁,fàn chóu,to worry; to be anxious -犯意,fàn yì,criminal intent -犯憷,fàn chù,variant of 犯怵[fan4 chu4] -犯戒,fàn jiè,to go against the rules (of a religious order); to break a ban (e.g. medical) -犯案,fàn àn,to commit a crime or offense -犯毒,fàn dú,illegal drug; narcotic -犯法,fàn fǎ,to break the law -犯浑,fàn hún,confused; mixed up; muddled up; befuddled -犯病,fàn bìng,to fall ill -犯困,fàn kùn,(coll.) to get sleepy -犯禁,fàn jìn,to violate a ban -犯罪,fàn zuì,to commit a crime; crime; offense -犯罪团伙,fàn zuì tuán huǒ,a criminal gang -犯罪学,fàn zuì xué,criminology -犯罪现场,fàn zuì xiàn chǎng,scene of the crime -犯罪者,fàn zuì zhě,criminal; perpetrator -犯罪行为,fàn zuì xíng wéi,criminal activity -犯罪记录,fàn zuì jì lù,criminal record -犯罪集团,fàn zuì jí tuán,crime syndicate -犯规,fàn guī,to break the rules; an illegality; a foul -犯讳,fàn huì,to use the tabooed name 名諱|名讳[ming2 hui4] of hierarchical superiors (old); to violate a taboo; to use a taboo word or character -犯贫,fàn pín,(dialect) to talk nonsense; garrulous -犯错,fàn cuò,to err; to make a mistake; to do the wrong thing -犯难,fàn nán,to feel embarrassed; to feel awkward -犰,qiú,used in 犰狳[qiu2 yu2] -犰狳,qiú yú,armadillo -犴,àn,jail -状,zhuàng,accusation; suit; state; condition; strong; great; -shaped -状元,zhuàng yuán,top scorer in the palace examination (highest rank of the Imperial examination system); see 榜眼[bang3 yan3] and 探花[tan4 hua1]; top scorer in college entrance examination 高考[gao1 kao3]; (fig.) the most brilliantly talented person in the field; leading light -状告,zhuàng gào,to sue; to take to court; to file a lawsuit -状态,zhuàng tài,condition; state; state of affairs; CL:個|个[ge4] -状态动词,zhuàng tài dòng cí,(linguistics) stative verb -状况,zhuàng kuàng,condition; state; situation; CL:個|个[ge4] -状物,zhuàng wù,...-shaped thing; to portray sth -状声词,zhuàng shēng cí,onomatopoeia -状语,zhuàng yǔ,adverbial adjunct (adverb or adverbial clause) -狁,yǔn,name of a tribe -狂,kuáng,mad; wild; violent -狂三诈四,kuáng sān zhà sì,to deceive and swindle across the board (idiom) -狂乱,kuáng luàn,hysterical -狂人,kuáng rén,madman -狂人日记,kuáng rén rì jì,Diary of a Madman by Lu Xun 魯迅|鲁迅[Lu3 Xun4] -狂傲,kuáng ào,domineering; haughty -狂吠,kuáng fèi,to bark furiously; to howl -狂喜,kuáng xǐ,ecstasy; rapt -狂奔,kuáng bēn,to run like crazy; to rush -狂奴故态,kuáng nú gù tài,to be set in one's ways (idiom) -狂妄,kuáng wàng,egotistical; arrogant; brassy -狂妄自大,kuáng wàng zì dà,arrogant and conceited -狂怒,kuáng nù,furious -狂恣,kuáng zì,arrogant and unbridled -狂悖,kuáng bèi,(literary) brazen; outrageous; defiant -狂想,kuáng xiǎng,fantasy; illusion; vain dream -狂想曲,kuáng xiǎng qǔ,rhapsody (music) -狂态,kuáng tài,display of wild manners; scandalous scene; insolent and conceited manners -狂战士,kuáng zhàn shì,berserker (Norse warrior or fantasy role-playing character) -狂放,kuáng fàng,wild; unrestrained -狂暴,kuáng bào,frantic; berserk -狂暴者,kuáng bào zhě,berserker (fantasy role-playing) -狂欢,kuáng huān,party; carousal; hilarity; merriment; whoopee; to carouse -狂欢节,kuáng huān jié,carnival -狂潮,kuáng cháo,surging tide; (fig.) tide; craze; rage; spree -狂热,kuáng rè,zealotry; fanatical; feverish -狂牛病,kuáng niú bìng,"mad cow disease; bovine spongiform encephalopathy, BSE" -狂犬病,kuáng quǎn bìng,rabies -狂甩,kuáng shuǎi,to fling vigorously; fig. to reduce drastically -狂笑,kuáng xiào,to howl with laughter; to laugh one's head off -狂言,kuáng yán,ravings; delirious utterances; kyōgen (a form of traditional Japanese comic theater) -狂跌,kuáng diē,crazy fall (in prices) -狂躁,kuáng zào,rash; impetuous; irritable -狂轰滥炸,kuáng hōng làn zhà,to bomb indiscriminately -狂野,kuáng yě,coarse and wild -狂顶,kuáng dǐng,(slang) to strongly support; to strongly approve of -狂风,kuáng fēng,gale; squall; whole gale (meteorology) -狂风暴雨,kuáng fēng bào yǔ,"howling wind and torrential rain (idiom); (fig.) difficult, dangerous situation" -狂风骤雨,kuáng fēng zhòu yǔ,strong wind and heavy rain (idiom) -狂飙,kuáng biāo,hurricane; violent reform or revolution; violent movement or force -狂饮,kuáng yǐn,to drink hard -狂饮暴食,kuáng yǐn bào shí,(idiom) to eat and drink to excess -狃,niǔ,accustomed to -狄,dí,surname Di; generic name for northern ethnic minorities during the Qin and Han Dynasties (221 BC-220 AD) -狄,dí,low ranking public official (old) -狄仁杰,dí rén jié,"Di Renjie (607-700), Tang dynasty politician, prime minister under Wu Zetian, subsequently hero of legends; master sleuth Judge Dee, aka Chinese Sherlock Holmes, in novel Three murder cases solved by Judge Dee 狄公案[Di2 gong1 an4] translated by Dutch sinologist R.H. van Gulik 高羅珮|高罗佩[Gao1 Luo2 pei4]" -狄俄倪索斯,dí é ní suǒ sī,"Dionysus, the god of wine in Greek mythology" -狄公案,dí gōng àn,"Dee Gong An (or Judge Dee's) Cases, 18th century fantasy featuring Tang dynasty politician Di Renjie 狄仁傑|狄仁杰[Di2 Ren2 jie2] as master sleuth, translated by R.H. van Gulik as Three Murder Cases Solved by Judge Dee" -狄奥多,dí ào duō,Theodor (name) -狄拉克,dí lā kè,"P.A.M. Dirac (1902-1984), British physicist" -狄更斯,dí gēng sī,"Dickens (name); Charles Dickens (1812-1870), great English novelist" -狉,pī,puppy badger -狍,páo,Siberian roe deer (Capreolus pygargus) -狍子,páo zi,Siberian roe deer (Capreolus pygargus) -狎,xiá,(bound form) (literary) to take liberties with sb or sth; to treat frivolously -狎妓,xiá jì,(old) to visit prostitutes -狎昵,xiá nì,intimate; taking liberties; familiar (with a negative connotation) -狐,hú,fox -狐假虎威,hú jiǎ hǔ wēi,lit. the fox exploits the tiger's might (idiom); fig. to use powerful connections to intimidate people -狐女,hú nǚ,"fox lady; in folk stories, a beautiful girl who will seduce you then reveal herself as a ghost" -狐朋狗友,hú péng gǒu yǒu,a pack of rogues (idiom); a gang of scoundrels -狐步舞,hú bù wǔ,fox-trot (ballroom dance) (loanword) -狐狸,hú li,fox; fig. sly and treacherous person -狐狸尾巴,hú li wěi ba,lit. fox's tail (idiom); visible sign of evil intentions; to reveal one's evil nature; evidence that reveals the villain -狐狸座,hú li zuò,Vulpecula (constellation) -狐狸精,hú li jīng,fox-spirit; vixen; witch; enchantress -狐猴,hú hóu,lemur -狐疑,hú yí,to doubt; to suspect -狐群狗党,hú qún gǒu dǎng,"a skulk of foxes, a pack of dogs (idiom); a gang of rogues" -狐臭,hú chòu,body odor; bromhidrosis -狐蝠,hú fú,flying fox; fruit bat (genus Pteropus) -狐鬼神仙,hú guǐ shén xiān,"foxes, ghosts and immortals; supernatural beings, usually fictional" -狒,fèi,hamadryad baboon -狒狒,fèi fèi,baboon -狗,gǒu,"dog; CL:隻|只[zhi1],條|条[tiao2]" -狗仔,gǒu zǎi,paparazzi -狗仔式,gǒu zǎi shì,dog paddle (swimming); doggy style (sex) -狗仔队,gǒu zǎi duì,paparazzi -狗仗人势,gǒu zhàng rén shì,a dog threatens based on master's power (idiom); to use one's position to bully others -狗刨,gǒu páo,dog paddle (swimming style) -狗吃屎,gǒu chī shǐ,to fall flat on one's face (vulgar) -狗吠,gǒu fèi,bark; CL:聲|声[sheng1]; to bark -狗咬狗,gǒu yǎo gǒu,dog-eat-dog; dogfight -狗嘴里吐不出象牙,gǒu zuǐ li tǔ bù chū xiàng yá,lit. no ivory comes from the mouth of a dog (idiom); fig. one does not expect fine words from a scoundrel -狗娘养的,gǒu niáng yǎng de,son of a bitch -狗尾续貂,gǒu wěi xù diāo,lit. to use a dog's tail as a substitute for sable fur (idiom); fig. a worthless sequel to a masterpiece -狗屁,gǒu pì,bullshit; nonsense -狗屁不通,gǒu pì bù tōng,incoherent (writing or speech); nonsensical; a load of crap -狗屋,gǒu wū,kennel -狗屎,gǒu shǐ,canine excrement; dog poo; bullshit -狗屎运,gǒu shǐ yùn,(coll.) (other people's) dumb luck -狗展,gǒu zhǎn,dog show -狗崽子,gǒu zǎi zi,(coll.) puppy; (derog.) son of a bitch -狗带,gǒu dài,"(Internet slang) to go away; to slink off; (transliteration of ""go die"", possibly from 去死[qu4 si3])" -狗年,gǒu nián,Year of the Dog (e.g. 2006) -狗急跳墙,gǒu jí tiào qiáng,a cornered dog will jump over the wall (idiom); to be driven to desperate action -狗扯羊皮,gǒu chě yáng pí,to fuss around; to buzz about uselessly; to wag one's tongue -狗拳,gǒu quán,"Gou Quan - ""Dog Fist"" - Martial Art" -狗拿耗子,gǒu ná hào zi,lit. a dog who catches mice; to be meddlesome (idiom) -狗改不了吃屎,gǒu gǎi bù liǎo chī shǐ,lit. a dog can't stop himself from eating shit (idiom); fig. bad habits are hard to change -狗日,gǒu rì,"lit. fucked or spawned by a dog; contemptible; lousy, fucking" -狗洞,gǒu dòng,dog door -狗熊,gǒu xióng,black bear; coward -狗爬式,gǒu pá shì,dog paddle (swimming style); doggy style (sex position) -狗牌,gǒu pái,dog tag -狗狗,gǒu gōu,(coll.) dog; doggie -狗狗币,gǒu gǒu bì,Dogecoin (cryptocurrency) -狗狗秀,gǒu gǒu xiù,dog show -狗獾,gǒu huān,badger; CL:隻|只[zhi1] -狗玩儿的,gǒu wán er de,beast (derog.) -狗男女,gǒu nán nǚ,a couple engaged in an illicit love affair; a cheating couple -狗皮膏药,gǒu pí gāo yao,"dogskin plaster, used in TCM for treating contusions, rheumatism etc; quack medicine; sham goods" -狗眼看人低,gǒu yǎn kàn rén dī,to act like a snob -狗窝,gǒu wō,doghouse; kennel -狗窦,gǒu dòu,dog hole; gap caused by missing teeth; fig. den of thieves -狗窦大开,gǒu dòu dà kāi,dog hole wide open (idiom); fig. gap caused by missing teeth (used mockingly) -狗粮,gǒu liáng,"dog food; (Internet slang) public display of affection (term used by singles 單身狗|单身狗[dan1 shen1 gou3] forced to ""eat"" it)" -狗肉,gǒu ròu,dog meat -狗腿,gǒu tuǐ,lackey; henchman; to kiss up to -狗腿子,gǒu tuǐ zi,dog's leg; fig. one who follows a villain; henchman; hired thug -狗胆包天,gǒu dǎn bāo tiān,extremely daring (idiom); foolhardy -狗血,gǒu xiě,melodramatic; contrived -狗血喷头,gǒu xiě pēn tóu,torrent of abuse (idiom) -狗血淋头,gǒu xuè lín tóu,lit. to pour dog's blood on (idiom); fig. torrent of abuse -狗贼,gǒu zéi,(insult) brigand; swindler -狗逮老鼠,gǒu dǎi lǎo shǔ,lit. a dog who catches mice (idiom); fig. to be meddlesome -狗门,gǒu mén,dog door; dog flap -狗杂碎,gǒu zá suì,piece of shit; scumbag -狗杂种,gǒu zá zhǒng,son of a bitch; damn bastard -狗头军师,gǒu tóu jūn shī,(derog.) inept advisor; a good-for-nothing adviser; one who offers bad advice -狗食袋,gǒu shí dài,doggy bag; take-out container -狗鹫,gǒu jiù,royal eagle; CL:隻|只[zhi1] -狙,jū,macaque; to spy; to lie in ambush -狙刺,jū cì,to stab from hiding -狙击,jū jī,to snipe (shoot from hiding) -狙击手,jū jī shǒu,sniper; marksman -狠,hěn,ruthless; fierce; ferocious; determined; resolute; to harden (one's heart); old variant of 很[hen3] -狠劲,hěn jìn,to exert all one's force; all-out effort; CL:股[gu3] -狠命,hěn mìng,exerting all one's strength -狠巴巴,hěn bā bā,very fierce -狠心,hěn xīn,callous; heartless; to resolve (to do sth); firm resolve (as in 下狠心[xia4 hen3xin1]) -狠毒,hěn dú,vicious; malicious; savage -狠狠,hěn hěn,resolutely; firmly; ferociously; ruthlessly -狠绝,hěn jué,ruthless -狡,jiǎo,crafty; cunning; sly -狡兔三窟,jiǎo tù sān kū,lit. a crafty rabbit has three burrows; a sly individual has more than one plan to fall back on (idiom) -狡兔死走狗烹,jiǎo tù sǐ zǒu gǒu pēng,see 兔死狗烹[tu4 si3 gou3 peng1] -狡滑,jiǎo huá,variant of 狡猾[jiao3 hua2] -狡猾,jiǎo huá,crafty; cunning; sly -狡狯,jiǎo kuài,(literary) crafty; cunning -狡诈,jiǎo zhà,crafty; cunning; deceitful -狡赖,jiǎo lài,to deny (through sophism) -狡辩,jiǎo biàn,to deflect blame from oneself with a dishonest story; to make excuses -狡黠,jiǎo xiá,crafty; astute -徇,xùn,variant of 徇[xun4] -狨,róng,marmoset (zoology) -狩,shòu,to hunt; to go hunting (as winter sport in former times); hunting dog; imperial tour -狩猎,shòu liè,to hunt; hunting -狳,yú,used in 犰狳[qiu2 yu2] -狴,bì,(tapir) -狷,juàn,impetuous; rash; upright (character) -狸,lí,raccoon dog; fox-like animal -狸子,lí zi,leopard cat -狸猫,lí māo,leopard cat; raccoon dog; palm civet -狭,xiá,narrow; narrow-minded -狭小,xiá xiǎo,narrow -狭径,xiá jìng,narrow lane -狭窄,xiá zhǎi,narrow -狭义,xiá yì,narrow sense; restricted sense -狭义相对论,xiá yì xiāng duì lùn,special relativity -狭谷,xiá gǔ,glen -狭路,xiá lù,gorge -狭路相逢,xiá lù xiāng féng,lit. to meet face to face on a narrow path (idiom); fig. enemies or rivals meet face to face -狭长,xiá cháng,long and narrow -狭隘,xiá ài,"(of a path etc) narrow; (of a living space etc) cramped; (of a way of thinking, a definition etc) narrow; limited" -狺,yín,snarling of dogs -狻,suān,(mythical animal) -狼,láng,"wolf; CL:匹[pi3],隻|只[zhi1],條|条[tiao2]" -狼井,láng jǐng,"wolf trap (trou de loup), medieval defensive trap consisting of a concealed pit with sharp spikes" -狼人,láng rén,werewolf -狼仆,láng pú,(old) henchman -狼吞虎咽,láng tūn hǔ yàn,to wolf down one's food (idiom); to devour ravenously; to gorge oneself -狼嗥,láng háo,wolves howling; (fig.) to howl; to ululate -狼图腾,láng tú téng,"Wolf Totem, novel by Lü Jiamin 呂嘉民|吕嘉民[Lu:3 Jia1 min2] aka Jiang Rong 姜戎[Jiang1 Rong2]" -狼多肉少,láng duō ròu shǎo,many wolves and not enough meat; not enough to go around -狼奔豕突,láng bēn shǐ tū,the wolf runs and the wild boar rushes (idiom); crowds of evil-doers mill around like wild beasts -狼子野心,láng zǐ yě xīn,ambition of wild wolves (idiom); rapacious designs -狼孩,láng hái,wolf child; human child raised by wolves (in legends) -狼崽,láng zǎi,wolf cub -狼心狗肺,láng xīn gǒu fèi,lit. heart of wolf and lungs of dog (idiom); cruel and unscrupulous -狼毫,láng háo,writing brush of weasel bristle -狼烟,láng yān,smoke signal indicating the presence of hostile forces -狼烟四起,láng yān sì qǐ,fire beacons on all sides (idiom); enveloped in the flames of war -狼牙山,láng yá shān,Mount Langya in Hebei -狼狗,láng gǒu,wolfdog -狼狈,láng bèi,in a difficult situation; to cut a sorry figure; scoundrel! (derog.) -狼狈不堪,láng bèi bù kān,battered and exhausted; stuck in a dilemma -狼狈为奸,láng bèi wéi jiān,villains collude together (idiom); to work hand in glove with sb (to nefarious ends) -狼獾,láng huān,"wolverine (Gulo gulo), also named 貂熊[diao1 xiong2]" -狼疮,láng chuāng,lupus (skin disease) -狼籍,láng jí,variant of 狼藉[lang2 ji2] -狼藉,láng jí,in a mess; scattered about; in complete disorder -狼号鬼哭,láng háo guǐ kū,"lit. wolves howling, devils groaning (idiom); pathetic screams" -狼蛛,láng zhū,wolf spider -狼头,láng tou,variant of 榔頭|榔头[lang2 tou5] -狼顾,láng gù,to look over one's shoulder constantly (like a wolf); to be fearful -狈,bèi,a legendary wolf; distressed; wretched -猁,lì,used in 猞猁[she1li4] -悍,hàn,variant of 悍[han4] -猇,xiāo,the scream or roar of a tiger; to intimidate; to scare -猇亭,xiāo tíng,"Xiaoting district of Yichang city 宜昌市[Yi2 chang1 Shi4], Hubei" -猇亭区,xiāo tíng qū,"Xiaoting district of Yichang city 宜昌市[Yi2 chang1 Shi4], Hubei" -猊,ní,(mythical animal); lion -猋,biāo,whirlwind -猓,guǒ,monkey -猖,chāng,ferocious -猖乱,chāng luàn,wild and disorderly -猖厉,chāng lì,mad and violent -猖披,chāng pī,dishevelled; wild; unrestrained -猖狂,chāng kuáng,savage; furious -猖猖狂狂,chāng chāng kuáng kuáng,wild; hurried and confused; hell-for-leather -猖獗,chāng jué,to be rampant; to run wild -猗,yī,(interj.) -狰,zhēng,hideous; fierce-looking -狰狞,zhēng níng,malevolent; fierce; sinister -猛,měng,ferocious; fierce; violent; brave; suddenly; abrupt; (slang) awesome -猛一看,měng yī kàn,at first glance; first impression -猛丁,měng dīng,suddenly -猛不防,měng bù fáng,suddenly; unexpectedly; taken by surprise; at unawares -猛乍,měng zhà,suddenly; unexpectedly -猛力,měng lì,with all one's might; with sudden force; violently; to slam -猛劲儿,měng jìn er,to dash; to put on a spurt; to redouble efforts -猛可,měng kě,suddenly; in an instant -猛吃,měng chī,to gobble up; to gorge oneself on (food) -猛地,měng de,suddenly -猛增,měng zēng,sharp increase; rapid growth -猛将,měng jiàng,fierce general; valiant military leader; fig. brave individual -猛干,měng gàn,to tie in to -猛打,měng dǎ,to strike; wham! -猛撞,měng zhuàng,to slam (into); to smash (into) -猛扑,měng pū,to charge; to pounce on; to swoop down on -猛击,měng jī,to slap; to smack; to punch -猛攻,měng gōng,to attack violently; to storm -猛料,měng liào,hot news item; awesome -猛涨,měng zhǎng,(of water) to soar; (of prices) to skyrocket -猛烈,měng liè,fierce; violent; vigorous; intense -猛然,měng rán,suddenly; abruptly -猛犸,měng mǎ,mammoth -猛犸象,měng mǎ xiàng,see 猛獁|猛犸[meng3 ma3] -猛兽,měng shòu,ferocious beast; fierce animal -猛省,měng xǐng,to realize suddenly; to suddenly recall -猛禽,měng qín,bird of prey -猛虎,měng hǔ,fierce tiger -猛冲,měng chōng,to charge forward -猛跌,měng diē,drop sharply (e.g. stock prices) -猛进,měng jìn,to advance boldly; to push ahead vigorously -猛醒,měng xǐng,to realize suddenly; to wake up to the truth; to suddenly awake from sleep -猛隼,měng sǔn,(bird species of China) oriental hobby (Falco severus) -猛鸮,měng xiāo,(bird species of China) northern hawk-owl (Surnia ulula) -猛龙怪客,měng lóng guài kè,"Death wish, movie series with Charles Bronson" -猜,cāi,to guess -猜不透,cāi bu tòu,to be unable to guess or make out -猜中,cāi zhòng,to guess correctly; to figure out the right answer -猜度,cāi duó,to surmise; to conjecture -猜得透,cāi de tòu,to have sufficient insight to perceive; to suspect that ... -猜忌,cāi jì,to be suspicious and jealous of -猜想,cāi xiǎng,to guess; to conjecture; to suppose; (math.) hypothesis -猜拳,cāi quán,finger-guessing game; rock-paper-scissors game; morra -猜枚,cāi méi,drinking game where one has to guess the number of small objects in the other player's closed hand -猜测,cāi cè,to guess; to conjecture; to surmise -猜疑,cāi yí,to suspect; to have misgivings; suspicious; misgivings -猜着,cāi zháo,to guess correctly -猜谜,cāi mí,to answer a riddle; to guess (i.e. form an opinion without much evidence) -猜谜儿,cāi mí er,to answer a riddle; to guess (i.e. form an opinion without much evidence) -猝,cù,abruptly; suddenly; unexpectedly -猝不及防,cù bù jí fáng,to be caught off guard; without warning -猝死,cù sǐ,to die suddenly -猝然,cù rán,suddenly; abruptly -猝发,cù fā,to occur unexpectedly -猝睡症,cù shuì zhèng,narcolepsy -猝逝,cù shì,to die suddenly -猞,shē,used in 猞猁[she1li4]; Taiwan pr. [she4] -猞猁,shē lì,lynx -猢,hú,used in 猢猻|猢狲[hu2 sun1] -猢狲,hú sūn,macaque -猥,wěi,humble; rustic; plentiful -猥琐,wěi suǒ,wretched (esp. appearance); vulgar -猥亵,wěi xiè,obscene; indecent; to indecently assault -猥亵性暴露,wěi xiè xìng bào lù,indecent exposure; flashing -猿,yuán,variant of 猿[yuan2] -猩,xīng,ape -猩化,xīng huà,(slang) (of a dialect) to be corrupted by Standard Mandarin -猩猩,xīng xing,orangutan; (slang) dialect speaker whose speech is corrupted by Standard Mandarin -猩红,xīng hóng,scarlet -猩红热,xīng hóng rè,scarlet fever -猩红色,xīng hóng sè,scarlet (color) -猱,náo,macaque (zoology); brisk and nimble; to scratch -猲,hè,frightened; terrified -猲,xiē,short-snout dog -猳,jiā,mythical ape; variant of 豭[jia1] -猳国,jiā guó,name of mythical ape -猴,hóu,monkey; CL:隻|只[zhi1] -猴儿,hóu ér,little devil -猴儿,hóu er,monkey -猴儿精,hóu er jīng,(dialect) shrewd; clever -猴子,hóu zi,monkey; CL:隻|只[zhi1] -猴子偷桃,hóu zi tōu táo,"""monkey steals the peach"" (martial arts), distracting an opponent with one hand and seizing his testicles with the other; (coll.) grabbing sb by the balls" -猴孩子,hóu hái zi,little devil -猴年,hóu nián,Year of the Monkey (e.g. 2004) -猴年马月,hóu nián mǎ yuè,long time off; time that will never come -猴急,hóu jí,impatient; to be in a rush (to do sth); anxious; fretful; agitated -猴戏,hóu xì,monkey show -猴拳,hóu quán,"Hou Quan - ""Monkey Fist"" - Martial Art" -猴王,hóu wáng,"Sun Wukong, the Monkey King, character with supernatural powers in the novel Journey to the West 西遊記|西游记[Xi1 you2 Ji4]" -猴痘,hóu dòu,monkeypox; mpox -猴皮筋,hóu pí jīn,(coll.) rubber band -猴头菇,hóu tóu gū,Hericium erinaceus -猴面包,hóu miàn bāo,see 猴麵包樹|猴面包树[hou2 mian4 bao1 shu4] -猴面包树,hóu miàn bāo shù,boabab tree; monkey-bread tree; Adansonia digitata (botany) -猵,biān,a kind of otter -猵,piàn,used in 猵狙[pian4 ju1] -猵狙,piàn jū,mythical beast similar to an ape with dog's head -犹,yóu,as if; (just) like; just as; still; yet -犹之乎,yóu zhī hū,just like (sth) -犹他,yóu tā,Utah -犹他州,yóu tā zhōu,Utah -犹地亚,yóu dì yà,Judea -犹大,yóu dà,Judas; Judah (son of Jacob) -犹大书,yóu dà shū,Epistle of St Jude (in New Testament) -犹太,yóu tài,the Jews; Judea -犹太人,yóu tài rén,Jew -犹太复国主义,yóu tài fù guó zhǔ yì,Zionism -犹太复国主义者,yóu tài fù guó zhǔ yì zhě,a Zionist -犹太教,yóu tài jiào,Judaism -犹太教堂,yóu tài jiào táng,synagogue -犹太会堂,yóu tài huì táng,synagogue -犹太法典,yóu tài fǎ diǎn,the Talmud -犹女,yóu nǚ,niece (old) -犹如,yóu rú,similar to; like -犹子,yóu zǐ,(old) brother's son or daughter; nephew -犹未为晚,yóu wèi wéi wǎn,it is not too late (idiom) -犹疑,yóu yí,to hesitate -犹自,yóu zì,(literary) still; yet -犹言,yóu yán,can be compared to; is the same as -犹豫,yóu yù,to hesitate -犹豫不决,yóu yù bù jué,hesitancy; indecision; to waver -犹达,yóu dá,Jude -犹达斯,yóu dá sī,Judas (name) -猷,yóu,to plan; to scheme -猸,méi,"used for ferret, badger or mongoose" -猸子,méi zi,mongoose -猹,chá,Badger-like wild animal -狲,sūn,used in 猢猻|猢狲[hu2 sun1]; used in 兔猻|兔狲[tu4 sun1] -猾,huá,sly -猿,yuán,ape -猿人,yuán rén,apeman -猿猴,yuán hóu,apes and monkeys -猿玃,yuán jué,"legendary ape of Sichuan and Yunnan, with a penchant for carrying off girls" -猿臂,yuán bì,"arms like those of an ape — muscular, or long and dexterous" -犸,mǎ,mammoth -狱,yù,prison -狱卒,yù zú,jailer (old) -狱吏,yù lì,prison guard; jailer (old) -狮,shī,(bound form) lion -狮城,shī chéng,"the Lion City, nickname for Singapore 新加坡[Xin1jia1po1]" -狮子,shī zǐ,"Leo (star sign); Shihtzu township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -狮子,shī zi,"lion; CL:隻|只[zhi1],頭|头[tou2]" -狮子山,shī zi shān,(Tw) Sierra Leone -狮子座,shī zi zuò,Leo (constellation and sign of the zodiac) -狮子林园,shī zi lín yuán,"Lion Grove Garden in Suzhou, Jiangsu" -狮子狗,shī zi gǒu,Pekingese; Pekinese -狮子乡,shī zǐ xiāng,"Shihtzu township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -狮子头,shī zi tóu,"large meatball (""lion's head"")" -狮尾狒,shī wěi fèi,"gelada (Theropithecus gelada), Ethiopian herbivorous monkey similar to baboon; also written 吉爾達|吉尔达[ji2 er3 da2]" -狮心王理查,shī xīn wáng lǐ chá,"Richard the Lionheart (1157-1199), King Richard I of England 1189-1199" -狮泉河,shī quán hé,"Sengge Tsangpo or Shiquan River in west Tibet, the upper reaches of the Indus" -狮潭,shī tán,"Shitan or Shihtan township in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -狮潭乡,shī tán xiāng,"Shitan or Shihtan township in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -狮虎兽,shī hǔ shòu,"liger, hybrid cross between a male lion and a tigress" -狮身人面像,shī shēn rén miàn xiàng,sphinx -狮头石竹,shī tóu shí zhú,grenadine; carnation; clove pink; Dianthus caryophyllus (botany) -狮鹫,shī jiù,griffin -嗥,háo,old variant of 嗥[hao2] -獍,jìng,a mythical animal that eats its mother -奖,jiǎng,prize; award; encouragement; CL:個|个[ge4] -奖券,jiǎng quàn,raffle or lottery ticket -奖励,jiǎng lì,to reward; reward (as encouragement) -奖励旅行,jiǎng lì lǚ xíng,incentive travel -奖励旅游,jiǎng lì lǚ yóu,incentive travel -奖品,jiǎng pǐn,award; prize -奖学金,jiǎng xué jīn,scholarship; CL:筆|笔[bi3] -奖惩,jiǎng chéng,rewards and penalties -奖挹,jiǎng yì,to reward and promote -奖掖,jiǎng yè,to reward and promote -奖杯,jiǎng bēi,trophy cup -奖池,jiǎng chí,(gambling) prize pool; jackpot -奖牌,jiǎng pái,medal (awarded as a prize) -奖牌榜,jiǎng pái bǎng,medal table; tally of trophies; list of prizewinners -奖状,jiǎng zhuàng,prize certificate; certificate of merit -奖章,jiǎng zhāng,medal; CL:枚[mei2] -奖赏,jiǎng shǎng,reward; prize; award -奖酬,jiǎng chóu,incentive; reward -奖金,jiǎng jīn,premium; award money; bonus -奖项,jiǎng xiàng,award; prize; CL:項|项[xiang4] -獐,zhāng,river deer; roebuck -獐头鼠目,zhāng tóu shǔ mù,lit. the head of a river deer and the eyes of a rat (idiom); fig. repulsively ugly and shifty-looking -獒,áo,(bound form) mastiff -獒犬,áo quǎn,mastiff (dog breed) -獗,jué,unruly; rude -毙,bì,to collapse; variant of 斃|毙[bi4]; variant of 獙[bi4] -獠,liáo,fierce; hunt; name of a tribe -獠牙,liáo yá,tusk; fang -狷,juàn,nimble; variant of 狷[juan4]; impetuous; rash -独,dú,alone; independent; single; sole; only -独一,dú yī,only; unique -独一无二,dú yī wú èr,unique and unmatched (idiom); unrivalled; nothing compares with it -独二代,dú èr dài,second generation only child -独占,dú zhàn,to monopolize; to control; to dominate -独占鳌头,dú zhàn áo tóu,"to come first in triennial palace examinations (idiom, refers to the carved stone turtle head in front of the imperial palace, next to which the most successful candidate in the imperial examinations was entitled to stand); to be the champion; to be the very best in any field" -独来独往,dú lái dú wǎng,coming and going alone (idiom); a lone operator; keeping to oneself; unsociable; maverick -独个,dú gè,alone -独具,dú jù,"to have unique (talent, insight etc)" -独具匠心,dú jù jiàng xīn,original and ingenious (idiom); to show great creativity -独具只眼,dú jù zhī yǎn,to see what others fail to see (idiom); to have exceptional insight -独出一时,dú chū yī shí,incomparable; head and shoulders above the competition -独出心裁,dú chū xīn cái,to display originality (idiom); to do things differently -独到,dú dào,original -独创,dú chuàng,to come up with (an innovation); innovation -独创性,dú chuàng xìng,innovative; ingenious; originality; ingenuity -独力,dú lì,all by oneself; without exterior help -独吞,dú tūn,to hog; to keep everything for oneself -独唱,dú chàng,(in singing) solo; to solo -独在异乡为异客,dú zài yì xiāng wéi yì kè,a stranger in a strange land (from a poem by Wang Wei 王維|王维[Wang2 Wei2]) -独大,dú dà,to dominate over all others; to wield all the power; to reign supreme -独夫,dú fū,sole ruler; dictator -独夫民贼,dú fū mín zéi,tyrant and oppressor of the people (idiom); traitorous dictator -独奏,dú zòu,solo -独女,dú nǚ,a daughter who is an only child -独子,dú zǐ,a son who is an only child -独孤求败,dú gū qiú bài,"Dugu Qiubai, a fictional character appearing in 金庸[Jin1 Yong1] novels" -独守空房,dú shǒu kōng fáng,(of a married woman) to stay home alone -独家,dú jiā,exclusive -独尊,dú zūn,"to revere as sole orthodoxy; to hold supremacy (of a religion, ideology, cultural norm, social group etc); to be dominant" -独尊儒术,dú zūn rú shù,"dismiss the hundred schools, revere only the Confucians (slogan of the Former Han dynasty)" -独居,dú jū,to live alone; to live a solitary existence -独居石,dú jū shí,monazite -独属,dú shǔ,belonging exclusively to; exclusively for; reserved to; special -独山,dú shān,"Dushan county in Qiannan Buyei and Miao autonomous prefecture 黔南州[Qian2 nan2 zhou1], Guizhou" -独山子,dú shān zǐ,"Dushanzi District of Karamay City 克拉瑪依市|克拉玛依市[Ke4 la1 ma3 yi1 Shi4], Xinjiang" -独山子区,dú shān zǐ qū,"Dushanzi District of Karamay City 克拉瑪依市|克拉玛依市[Ke4 la1 ma3 yi1 Shi4], Xinjiang" -独山县,dú shān xiàn,"Dushan county in Qiannan Buyei and Miao autonomous prefecture 黔南州[Qian2 nan2 zhou1], Guizhou" -独岛,dú dǎo,"Dokdo (Japanese Takeshima 竹島|竹岛[Zhu2 dao3]), disputed islands in Sea of Japan" -独揽,dú lǎn,to monopolize -独揽市场,dú lǎn shì chǎng,to monopolize a market -独放异彩,dú fàng yì cǎi,to project singular splendor or radiance; to perform brilliantly -独断,dú duàn,to decide alone without consultation; arbitrary; dictatorial -独断专行,dú duàn zhuān xíng,to decide and act alone (idiom); to take arbitrary action; a law unto oneself -独断独行,dú duàn dú xíng,to decide and act alone (idiom); to take arbitrary action; a law unto oneself -独有,dú yǒu,to own exclusively; unique to; specific; there is only -独木不成林,dú mù bù chéng lín,a lone tree does not make a forest (idiom); one cannot accomplish much on one's own -独木桥,dú mù qiáo,single-log bridge; (fig.) difficult path -独木舟,dú mù zhōu,dugout; canoe; kayak -独栋,dú dòng,(of a building) detached -独树一帜,dú shù yī zhì,lit. to fly one's banner on a solitary tree (idiom); fig. to act as a loner; to stand out; to develop one's own school; to have attitude of one's own -独树一格,dú shù yī gé,to have a unique style of one's own (idiom) -独步,dú bù,lit. walking alone; prominent; unrivalled; outstanding -独特,dú tè,unique; distinctive -独独,dú dú,alone -独生,dú shēng,only (child); without siblings; to be the sole survivor -独生女,dú shēng nǚ,a daughter who is an only child -独生子,dú shēng zǐ,a son who is an only child -独生子女,dú shēng zǐ nǚ,an only child -独生子女政策,dú shēng zǐ nǚ zhèng cè,one-child policy -独当一面,dú dāng yī miàn,to assume personal responsibility (idiom); to take charge of a section -独白,dú bái,stage monologue; soliloquy -独眼龙,dú yǎn lóng,one-eyed person -独秀,dú xiù,to surpass; to stand above the crowd -独立,dú lì,independent; independence; to stand alone -独立中文笔会,dú lì zhōng wén bǐ huì,Independent Chinese PEN center -独立国家联合体,dú lì guó jiā lián hé tǐ,Commonwealth of Independent States (former Soviet Union) -独立报,dú lì bào,The Independent -独立宣言,dú lì xuān yán,Declaration of Independence -独立战争,dú lì zhàn zhēng,war of independence -独立自主,dú lì zì zhǔ,independent and autonomous (idiom); self-determination; to act independently; to maintain control over one's own affairs -独立选民,dú lì xuǎn mín,independent voter -独立钻石,dú lì zuàn shí,solitaire (puzzle) -独立门户,dú lì mén hù,to live apart from parents (of married couple); to achieve independence -独立显卡,dú lì xiǎn kǎ,(computing) discrete GPU; dedicated GPU (abbr. to 獨顯|独显[du2xian3]) -独联体,dú lián tǐ,Commonwealth of Independent States (former Soviet Union); abbr. for 獨立國家聯合體|独立国家联合体 -独脚戏,dú jiǎo xì,variant of 獨角戲|独角戏[du2 jiao3 xi4] -独脚跳,dú jiǎo tiào,to jump on one foot; to hop -独胆,dú dǎn,individually courageous -独胆英雄,dú dǎn yīng xióng,bold and courageous hero (idiom) -独自,dú zì,alone -独舞,dú wǔ,solo dance -独苗,dú miáo,only child; sole scion -独处,dú chǔ,to live alone; to spend time alone (or with a significant other) -独行,dú xíng,solitary -独行侠,dú xíng xiá,loner; single person; bachelor -独行其是,dú xíng qí shì,to go one's own way (idiom); to act independently without asking others -独裁,dú cái,dictatorship -独裁者,dú cái zhě,dictator; autocrat -独角戏,dú jiǎo xì,monodrama; one-man show; comic talk -独角兽,dú jiǎo shòu,unicorn -独角鲸,dú jiǎo jīng,narwhal (Monodon monoceros) -独语,dú yǔ,solo part (in opera); soliloquy -独语句,dú yǔ jù,one-word sentence -独资,dú zī,wholly-owned (often by foreign company); exclusive investment -独身,dú shēn,unmarried; single; alone -独轮车,dú lún chē,wheelbarrow; unicycle -独辟蹊径,dú pì xī jìng,to blaze a new trail (idiom); to display originality -独酌,dú zhuó,to drink alone -独院,dú yuàn,one family courtyard -独院儿,dú yuàn er,erhua variant of 獨院|独院[du2 yuan4] -独霸,dú bà,to dominate (a market etc); to monopolize -独霸一方,dú bà yī fāng,"to exercise sole hegemony (idiom); to dominate a whole area (market, resources etc); to hold as one's personal fiefdom" -独领风骚,dú lǐng fēng sāo,most outstanding; par excellence -独显,dú xiǎn,(computing) discrete GPU; dedicated GPU (abbr. for 獨立顯卡|独立显卡[du2li4 xian3ka3]) -独体,dú tǐ,autonomous body; independent system -独体字,dú tǐ zì,single-component character -独龙,dú lóng,Drung or Dulong ethnic group of northwest Yunnan -独龙江,dú lóng jiāng,"Dulong river in northwest Yunnan on border with Myanmar, tributary of Salween or Nujiang 怒江, sometimes referred to as number four of Three parallel rivers 三江並流|三江并流, wildlife protection unit" -狯,kuài,crafty; cunning -猃,xiǎn,a kind of dog with a long snout; see 獫狁|猃狁[Xian3 yun3] -猃狁,xiǎn yǔn,Zhou Dynasty term for a northern nomadic tribe later called the Xiongnu 匈奴[Xiong1 nu2] in the Qin and Han Dynasties -獬,xiè,see 獬豸[xie4 zhi4] -獬豸,xiè zhì,"Xiezhi, mythical Chinese unicorn" -獯,xūn,used in 獯鬻[Xun1 yu4] -獯鬻,xūn yù,variant of 葷粥|荤粥[Xun1yu4] -狞,níng,fierce-looking -狞笑,níng xiào,to laugh nastily; evil grin -狞猫,níng māo,caracal -获,huò,(literary) to catch; to capture; (literary) to get; to obtain; to win -获准,huò zhǔn,to obtain permission -获刑,huò xíng,to be punished -获利,huò lì,profit; to obtain benefits; benefits obtained -获利回吐,huò lì huí tǔ,(finance) profit-taking -获胜,huò shèng,victorious; to win; to triumph -获胜者,huò shèng zhě,victor -获取,huò qǔ,to gain; to get; to acquire -获嘉,huò jiā,"Huojia county in Xinxiang 新鄉|新乡[Xin1 xiang1], Henan" -获嘉县,huò jiā xiàn,"Huojia county in Xinxiang 新鄉|新乡[Xin1 xiang1], Henan" -获报,huò bào,"to receive a report; to receive intelligence, information etc" -获得,huò dé,to obtain; to receive; to get -获得性,huò dé xìng,acquired (i.e. not inborn) -获得感,huò dé gǎn,sense of gain -获得者,huò dé zhě,recipient -获悉,huò xī,to learn of sth; to find out; to get news -获批,huò pī,to be approved -获救,huò jiù,to rescue; to be rescued -获暴利者,huò bào lì zhě,profiteer -获奖,huò jiǎng,to win an award -获益,huò yì,to profit from sth; to get benefit -获益者,huò yì zhě,beneficiary -获知,huò zhī,to learn of (an event); to hear about (sth) -获罪,huò zuì,to commit a crime -获赠,huò zèng,to receive; to be given; to be presented with -获释,huò shì,freed (from prison); to obtain release -获鹿,huò lù,"Huolu town, in Luquan 鹿泉[Lu4 quan2], Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1], Hebei" -获鹿镇,huò lù zhèn,"Huolu town, in Luquan 鹿泉[Lu4 quan2], Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1], Hebei" -猎,liè,hunting -猎人,liè rén,hunter -猎刀,liè dāo,hunting knife -猎取,liè qǔ,to hunt; (fig.) to seek (fame etc) -猎场,liè chǎng,hunting ground -猎奇,liè qí,to hunt for novelty; to seek novelty -猎巫,liè wū,to conduct a witch hunt -猎户,liè hù,hunter -猎户座,liè hù zuò,Orion (constellation) -猎户座大星云,liè hù zuò dà xīng yún,the Great Nebula in Orion M42 -猎户座流星雨,liè hù zuò liú xīng yǔ,Orionids; Orionid meteor shower -猎户臂,liè hù bì,Orion spiral arm or local spur of our galaxy (containing our solar system) -猎手,liè shǒu,hunter -猎捕,liè bǔ,to hunt; hunting -猎枪,liè qiāng,hunting gun; shotgun -猎杀,liè shā,to kill (in hunting) -猎杀红色十月号,liè shā hóng sè shí yuè hào,"""The Hunt for Red October"", a novel by Tom Clancy" -猎潜,liè qián,anti-submarine (warfare) -猎潜艇,liè qián tǐng,anti-submarine vessel -猎物,liè wù,prey; quarry -猎犬,liè quǎn,hound; hunting dog -猎犬座,liè quǎn zuò,Canes Venatici (constellation) -猎狗,liè gǒu,hunting dog -猎艳,liè yàn,to chase women; to express oneself in a pompous flowery style -猎豹,liè bào,cheetah -猎隼,liè sǔn,(bird species of China) saker falcon (Falco cherrug) -猎头,liè tóu,headhunting (executive recruitment); headhunter (profession); headhunting (tribal custom) -猎头人,liè tóu rén,head-hunter; headhunter; recruiter -猎鹰,liè yīng,falcon -犷,guǎng,rough; uncouth; boorish -兽,shòu,beast; animal; beastly; bestial -兽力车,shòu lì chē,animal-drawn vehicle; carriage -兽奸,shòu jiān,bestiality -兽性,shòu xìng,brutal -兽欲,shòu yù,beastly desire -兽疫,shòu yì,epizootic -兽病理学,shòu bìng lǐ xué,veterinary pathology -兽皮,shòu pí,animal skin; hide -兽穴,shòu xué,animal den -兽脚亚目,shòu jiǎo yà mù,suborder Theropoda (beast-footed dinosaur group) within order Saurischia containing carnivorous dinosaurs -兽脚类恐龙,shòu jiǎo lèi kǒng lóng,theropod (beast-footed dinosaur group); suborder Theropoda within order Saurischia containing carnivorous dinosaurs -兽药,shòu yào,veterinary medicines -兽行,shòu xíng,brutal act; bestiality -兽术,shòu shù,"animal training; skill with animals; shoushu - ""Animal skill"" or ""Beast-fist"" - Martial Art (esp. fictional)" -兽迷,shòu mí,furry (fan of art with anthropomorphic animal characters) -兽医,shòu yī,veterinarian; veterinary surgeon; vet -兽医学,shòu yī xué,veterinary medicine; veterinary science -兽类,shòu lèi,animals -獭,tǎ,otter; Taiwan pr. [ta4] -献,xiàn,to offer; to present; to dedicate; to donate; to show; to put on display; worthy person (old) -献上,xiàn shàng,to offer (respectfully); to present -献出,xiàn chū,to offer; to give (as tribute); to devote (one's life); to sacrifice (oneself) -献媚,xiàn mèi,to ingratiate oneself with; to pander to -献宝,xiàn bǎo,to present a treasure; to offer a valuable piece of advice; to show off what one treasures -献殷勤,xiàn yīn qín,to be particularly attentive to (an attractive young lady or man etc); to fawn upon (an influential politician etc); to court sb's favor; to ingratiate oneself -献祭,xiàn jì,to offer sacrifice -献礼,xiàn lǐ,to offer sth in tribute (often on a special occasion); to dedicate; an offering; a tribute -献策,xiàn cè,to offer advice; to make a suggestion -献县,xiàn xiàn,"Xian county in Cangzhou 滄州|沧州[Cang1 zhou1], Hebei" -献花,xiàn huā,to offer flowers; to lay flowers (as a memorial) -献处,xiàn chǔ,to give one's virginity to -献血,xiàn xuè,to donate blood -献血者,xiàn xuè zhě,blood donor -献计,xiàn jì,to offer advice; to make a suggestion -献词,xiàn cí,congratulatory message -献身,xiàn shēn,to commit one's energy to; to devote oneself to; to sacrifice one's life for; (coll.) (of a woman) to give one's virginity to -献丑,xiàn chǒu,"(used self-deprecatingly, e.g. when asked to sing a song) to put one's artistic incompetence on display" -献金,xiàn jīn,to donate money; (monetary) contribution -猕,mí,used in 獼猴|猕猴[mi2 hou2] -猕猴,mí hóu,macaque -猕猴桃,mí hóu táo,kiwi fruit; Chinese gooseberry -獾,huān,badger -猡,luó,name of a tribe -玃,jué,"legendary ape of Sichuan and Yunnan, with a penchant for carrying off girls" -玃猿,jué yuán,"legendary ape of Sichuan and Yunnan, with a penchant for carrying off girls" -玄,xuán,black; mysterious -玄之又玄,xuán zhī yòu xuán,mystery within a mystery; the mysteries of the Dao according to Laozi 老子[Lao3 zi3] -玄乎,xuán hū,unreliable; incredible -玄参,xuán shēn,Ningpo figwort (Scrophularia ningpoensis); root of Ningpo figwort (used in TCM) -玄圃,xuán pǔ,mythical fairyland on Kunlun Mountain 崑崙|昆仑[Kun1 lun2] -玄奘,xuán zàng,"Xuanzang (602-664), Tang dynasty Buddhist monk and translator who traveled to India 629-645" -玄奥,xuán ào,abstruse; profound mystery; the mysteries of the universe -玄妙,xuán miào,mysterious; profound; abstruse -玄孙,xuán sūn,great-great-grandson -玄学,xuán xué,Wei and Jin philosophical school amalgamating Daoist and Confucian ideals; translation of metaphysics (also translated 形而上學|形而上学) -玄幻,xuán huàn,"xuanhuan, a fusion of Western and Eastern fantasy (subgenre of Chinese fantasy fiction)" -玄机,xuán jī,profound theory (in Daoism and Buddhism); mysterious principles -玄武,xuán wǔ,Black Tortoise (the seven mansions of the north sky); (in Daoism) God of the north sky -玄武区,xuán wǔ qū,Xuanwu (Black tortoise) district of Nanjing City 南京市 in Jiangsu 江蘇|江苏 -玄武岩,xuán wǔ yán,(geology) basalt -玄武质熔岩,xuán wǔ zhì róng yán,basalt; also written 玄熔岩[xuan2 rong2 yan2] -玄武门之变,xuán wǔ mén zhī biàn,"Xuanwu gate coup of June 626 in early Tang, in which Li Shimin 李世民 killed his brothers, seized the throne from his father as Emperor Taizong 唐太宗" -玄狐,xuán hú,silver or black fox (Vulpes alopex argentatus) -玄理,xuán lǐ,profound theory; philosophical theory of Wei and Jin 玄學|玄学 sect -玄石,xuán shí,magnetite Fe3O4 -玄秘,xuán mì,mystery; mysterious; occult; abstruse doctrine (e.g. religious) -玄米茶,xuán mǐ chá,genmaicha; Japanese tea with added roasted brown rice -玄色,xuán sè,black (without gloss); black with a hint of red in it -玄菟郡,xuán tù jùn,"Xuantu commandery (108 BC-c. 300 AD), one of four Han dynasty commanderies in north Korea" -玄虚,xuán xū,(intentionally) mysterious; arcane -玄远,xuán yuǎn,profound; abstruse mystery -玄关,xuán guān,entrance hall; vestibule -玄青,xuán qīng,deep black -妙,miào,variant of 妙[miao4] -率,lǜ,rate; frequency -率,shuài,to lead; to command; rash; hasty; frank; straightforward; generally; usually -率先,shuài xiān,to take the lead; to show initiative -率然,shuài rán,hastily; rashly; suddenly -率尔操觚,shuài ěr cāo gū,to compose in off-hand way (idiom); to dash off -率兽食人,shuài shòu shí rén,lit. to lead beasts to eat the people (idiom); fig. tyrannical government oppresses the people -率由旧章,shuài yóu jiù zhāng,to act in accordance with the old rules (idiom); to follow a proven formula -率直,shuài zhí,frank; straightforward; blunt -率真,shuài zhēn,frank and sincere; candid -率领,shuài lǐng,to lead; to command; to head -玉,yù,jade -玉井,yù jǐng,"Yuching township in Tainan county 台南縣|台南县[Tai2 nan2 xian4], Taiwan" -玉人,yù rén,a jade worker; a jade statuette; a beautiful person; (term of endearment) -玉人吹箫,yù rén chuī xiāo,virtuoso piper wins a beauty; the xiao 簫|箫[xiao1] (mouth organ) virtuoso 蕭史|萧史[Xiao1 Shi3] won for his wife the beautiful daughter of Duke Mu of Qin 秦穆公[Qin2 Mu4 gong1] -玉佩,yù pèi,jade pendant; jade ornament -玉兔,yù tù,the Jade Hare (legendary rabbit said to live in the Moon); the Moon -玉器,yù qì,jade artifact -玉夫座,yù fū zuò,Sculptor (constellation) -玉女,yù nǚ,"beautiful woman; fairy maiden attending the Daoist immortals; (polite) sb else's daughter; Chinese dodder (Cuscuta chinensis), plant whose seeds are used for TCM" -玉屏侗族自治县,yù píng dòng zú zì zhì xiàn,"Yuping Dong Autonomous County in Tongren 銅仁市|铜仁市[Tong2ren2 Shi4], Guizhou" -玉屏县,yù píng xiàn,"Yuping Dong Autonomous County in Tongren 銅仁市|铜仁市[Tong2ren2 Shi4], Guizhou" -玉山,yù shān,"Mount Yu, the highest mountain in Taiwan (3952 m)" -玉山,yù shān,"Yushan county in Shangrao 上饒|上饶, Jiangxi" -玉山噪鹛,yù shān zào méi,(bird species of China) white-whiskered laughingthrush (Trochalopteron morrisonianum) -玉山县,yù shān xiàn,"Yushan county in Shangrao 上饒|上饶, Jiangxi" -玉山雀鹛,yù shān què méi,(bird species of China) Taiwan fulvetta (Fulvetta formosana) -玉川,yù chuān,"Tamagawa (name); Tamagawa city in Akita prefecture, Japan" -玉川市,yù chuān shì,"Tamagawa city in Akita prefecture, Japan" -玉州,yù zhōu,"Yuzhou district of Yulin city 玉林市[Yu4 lin2 shi4], Guangxi" -玉州区,yù zhōu qū,"Yuzhou district of Yulin city 玉林市[Yu4 lin2 shi4], Guangxi" -玉帝,yù dì,the Jade Emperor -玉带海雕,yù dài hǎi diāo,(bird species of China) Pallas's fish eagle (Haliaeetus leucoryphus) -玉成,yù chéng,please help achieve something (formal) -玉手,yù shǒu,lily-white hands -玉普西隆,yù pǔ xī lóng,upsilon (Greek letter Υυ) -玉札,yù zhá,"great burnet (Sanguisorba officinalis), a plant whose root is used in TCM; (old) (courteous) your letter" -玉林,yù lín,"Yulin, prefecture-level city in Guangxi" -玉林市,yù lín shì,"Yulin, prefecture-level city in Guangxi" -玉桂,yù guì,see 肉桂[rou4 gui4] -玉树,yù shù,Yushu Tibetan Autonomous Prefecture (Tibetan: yus hru'u bod rigs rang skyong khul) in Qinghai -玉树州,yù shù zhōu,Yushu Tibetan autonomous prefecture (Tibetan: yus hru'u bod rigs rang skyong khul) in Qinghai -玉树县,yù shù xiàn,"Yushu County (Tibetan: yus hru'u rdzong) in Yushu Tibetan Autonomous Prefecture 玉樹藏族自治州|玉树藏族自治州[Yu4 shu4 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -玉树藏族自治州,yù shù zàng zú zì zhì zhōu,Yushu Tibetan Autonomous Prefecture (Tibetan: yus hru'u bod rigs rang skyong khul) in Qinghai -玉泉,yù quán,"Yuquan District of Hohhot City 呼和浩特市[Hu1 he2 hao4 te4 Shi4], Inner Mongolia" -玉泉,yù quán,nephrite (used in TCM) -玉泉区,yù quán qū,"Yuquan District of Hohhot City 呼和浩特市[Hu1 he2 hao4 te4 Shi4], Inner Mongolia" -玉泉营,yù quán yíng,Yuquanying -玉溪,yù xī,"Yuxi, prefecture-level city in Yunnan" -玉溪市,yù xī shì,"Yuxi, prefecture-level city in Yunnan" -玉洁冰清,yù jié bīng qīng,clear as ice and clean as jade (idiom); spotless; irreproachable; incorruptible -玉珉,yù mín,jade and jade-like stone; impossible to distinguish the genuine from the fake (idiom) -玉琮,yù cóng,see 琮[cong2] -玉璞,yù pú,stone containing jade; uncut jade -玉环,yù huán,"Yuhuan county in Taizhou 台州[Tai1 zhou1], Zhejiang" -玉环县,yù huán xiàn,"Yuhuan county in Taizhou 台州[Tai1 zhou1], Zhejiang" -玉田,yù tián,"Yutian county in Tangshan 唐山[Tang2 shan1], Hebei" -玉田县,yù tián xiàn,"Yutian county in Tangshan 唐山[Tang2 shan1], Hebei" -玉皇,yù huáng,Jade Emperor (in Taoism) -玉皇大帝,yù huáng dà dì,Jade Emperor -玉皇顶,yù huáng dǐng,Jade Emperor Peak on Mt Tai in Shandong -玉石,yù shí,jade; jade and stone; (fig.) the good and the bad -玉石俱焚,yù shí jù fén,to burn both jade and common stone; to destroy indiscriminately (idiom) -玉竹,yù zhú,angular Solomon's seal; Polygonatum odoratum -玉篇,yù piān,"Yupian, Chinese dictionary compiled by Gu Yewang 顧野王|顾野王[Gu4 Ye3 wang2] in 6th century AD" -玉米,yù mǐ,corn; maize; CL:粒[li4] -玉米棒,yù mǐ bàng,corn cob -玉米淀粉,yù mǐ diàn fěn,corn starch -玉米片,yù mǐ piàn,cornflakes; tortilla chips -玉米笋,yù mǐ sǔn,baby corn -玉米粉,yù mǐ fěn,cornflour; corn starch -玉米糕,yù mǐ gāo,corn cake; polenta (corn mush) -玉米糖浆,yù mǐ táng jiāng,corn syrup -玉米糁,yù mǐ sǎn,corn grits -玉米花,yù mǐ huā,popcorn -玉米赤霉烯酮,yù mǐ chì méi xī tóng,zearalenone -玉米饼,yù mǐ bǐng,corn cake; Mexican tortilla -玉米面,yù mǐ miàn,cornmeal; maize flour -玉红省,yù hóng shěng,rubicene (chemistry) -玉素甫,yù sù fǔ,"Yusuf, Arabic given name (Joseph)" -玉荷包,yù hé bāo,"jade purse, a cultivar of lychee" -玉茎,yù jīng,(literary) penis -玉兰,yù lán,Yulan magnolia -玉兰花,yù lán huā,magnolia -玉蜀黍,yù shǔ shǔ,corn -玉螺,yù luó,moon snail (sea snail of the Naticidae family) -玉衡,yù héng,epsilon Ursae Majoris in the Big Dipper -玉里,yù lǐ,"Yuli town in Hualien County 花蓮縣|花莲县[Hua1 lian2 Xian4], east Taiwan" -玉里镇,yù lǐ zhèn,"Yuli town in Hualien County 花蓮縣|花莲县[Hua1 lian2 Xian4], east Taiwan" -玉门,yù mén,"Yumen, county-level city in Jiuquan 酒泉, Gansu" -玉门,yù mén,(literary) vaginal opening; vulva -玉门市,yù mén shì,"Yumen, county-level city in Jiuquan 酒泉, Gansu" -玉门关,yù mén guān,"Yumen Pass, or Jade Gate, western frontier post on the Silk Road in the Han Dynasty, west of Dunhuang, in Gansu" -玉露,yù lù,gyokuro (shaded Japanese green tea); (old) early-morning autumn dew; fine liquor -玉音,yù yīn,(deferential) your letter -玉髓,yù suǐ,(mineralogy) chalcedony; exquisite wine -玉龙纳西族自治县,yù lóng nà xī zú zì zhì xiàn,"Yulong Naxi autonomous county in Lijiang 麗江|丽江[Li4 jiang1], Yunnan" -玉龙县,yù lóng xiàn,"Yulong Naxi autonomous county in Lijiang 麗江|丽江[Li4 jiang1], Yunnan" -玉龙雪山,yù lóng xuě shān,"Mt Yulong or Jade dragon in Lijiang 麗江|丽江, northwest Yunnan" -王,wáng,surname Wang -王,wáng,king or monarch; best or strongest of its type; grand; great -王,wàng,to rule; to reign over -王不留行,wáng bù liú xíng,cowherb (Vaccaria segetalis); cowherb seeds (used in TCM) -王世充,wáng shì chōng,"Wang Shichong (-621), general of late Sui and opponent of early Tang" -王丹,wáng dān,"Wang Dan (1969-), Chinese dissident, one of the leaders of the Beijing student democracy movement of 1989" -王五,wáng wǔ,"Wang Wu, name for an unspecified person, third of a series of three: 張三|张三[Zhang1 San1], 李四[Li3 Si4], 王五 Tom, Dick and Harry" -王仙芝,wáng xiān zhī,"Wang Xianzhi, peasant leader during Huang Chao peasant uprising 黃巢起義|黄巢起义 875-884 in late Tang" -王伾,wáng pī,"Wang Pi (-c. 806), Tang dynasty chancellor and a leader of failed Yongzhen reform 永貞革新|永贞革新 of 805" -王位,wáng wèi,title of king; kingship -王侯,wáng hóu,aristocracy -王侯公卿,wáng hóu gōng qīng,aristocracy -王储,wáng chǔ,crown prince -王充,wáng chōng,"Wang Chong (27-97), rationalist and critical philosopher" -王光良,wáng guāng liáng,"Michael Wong (1970-), Malaysian Chinese singer and composer" -王八,wáng bā,tortoise; cuckold; (old) male owner of a brothel; pimp -王八犊子,wáng bā dú zi,see 王八羔子[wang2 ba1 gao1 zi5] -王八羔子,wáng bā gāo zi,son of a bitch; bastard -王八蛋,wáng bā dàn,bastard (insult); son of a bitch -王公,wáng gōng,princes and dukes; aristocrat -王冠,wáng guān,crown -王力,wáng lì,"Wang Li (1900-1986), one of the pioneers of modern Chinese linguistics" -王力宏,wáng lì hóng,"Wang Lee-Hom (1976-), Taiwanese-American singer" -王力雄,wáng lì xióng,"Wang Lixiong (1953-), Chinese writer, author of Yellow Peril 黃禍|黄祸[Huang2 huo4]" -王勃,wáng bó,"Wang Bo (650-676), one of the Four Great Poets of the Early Tang 初唐四傑|初唐四杰[Chu1 Tang2 Si4 jie2]" -王励勤,wáng lì qín,"Wang Liqin (1978-), former PRC table tennis player, Olympic medalist" -王化,wáng huà,beneficial influence of the sovereign -王叔文,wáng shū wén,"Wang Shuwen (735-806), famous Tang dynasty scholar, Go player and politician, a leader of failed Yongzhen Reform 永貞革新|永贞革新[Yong3 zhen1 Ge2 xin1] of 805" -王后,wáng hòu,"queen; CL:個|个[ge4],位[wei4]" -王君如,wáng jūn rú,"Cyndi Wang (1982-), Taiwanese singer and actress" -王国,wáng guó,kingdom; realm -王国维,wáng guó wéi,"Wang Guowei (1877-1927), noted scholar" -王国聚会所,wáng guó jù huì suǒ,Kingdom Hall (place of worship used by Jehovah's Witnesses) -王士禛,wáng shì zhēn,"Wang Shizhen (1634-1711), early Qing poet" -王太后,wáng tài hòu,Queen Dowager (in Europe); widowed queen; Queen mother -王夫之,wáng fū zhī,"Wang Fuzhi (1619-1692), wide-ranging scholar of the Ming-Qing transition" -王妃,wáng fēi,princess (in Europe) -王子,wáng zǐ,prince; son of a king -王孙,wáng sūn,children of the nobility -王安石,wáng ān shí,"Wang Anshi (1021-1086), Song dynasty politician and writer, one of the Eight Giants 唐宋八大家" -王室,wáng shì,royal family; royal household -王宫,wáng gōng,imperial palace -王家,wáng jiā,princely -王家瑞,wáng jiā ruì,"Wang Jiarui (1949-), PRC politician and diplomat, head of CCP central committee's international liaison department 對外聯絡部|对外联络部[dui4 wai4 lian2 luo4 bu4] 2003-2015" -王家卫,wáng jiā wèi,"Wong Kar-wai (1956-), Hong Kong film director" -王实甫,wáng shí fǔ,"Wang Shifu (fl. 1295-1307), author of Romance of the West Chamber 西廂記|西厢记" -王导,wáng dǎo,"Wang Dao (276-339), powerful official of Jin dynasty and brother of general Wang Dun 王敦, regent of Jin from 325" -王小波,wáng xiǎo bō,"Wang Xiaobo (1952-1997), scholar and novelist" -王岐山,wáng qí shān,"Wang Qishan (1948-), PRC politician" -王岱舆,wáng dài yú,"Wang Daiyu (1584-1670), Hui Islamic scholar of the Ming-Qing transition" -王希孟,wáng xī mèng,"Wang Ximeng (c. 1096-c. 1119), Song artist, probably teenage prodigy who died young, painter of Thousand Miles of Landscape 千里江山" -王平,wáng píng,"Wang Ping (1962-2013), PRC crosstalk actor" -王府,wáng fǔ,prince's mansion -王府井,wáng fǔ jǐng,"Wangfujing neighborhood of central Beijing, famous for shopping" -王座,wáng zuò,throne -王建民,wáng jiàn mín,"Chien-Ming Wang (1980-), Taiwanese starting pitcher for the Washington Nationals in Major League Baseball" -王弼,wáng bì,"Wang Bi (226-249), Chinese neo-Daoist philosopher" -王心凌,wáng xīn líng,stage name of Cyndi Wang; see 王君如[Wang2 Jun1 ru2] -王敦,wáng dūn,"Wang Dun (266-324), powerful general of Jin dynasty and brother of civil official Wang Dao 王導|王导, subsequently rebellious warlord 322-324" -王明,wáng míng,"Wang Ming (1904-1974), Soviet-trained Chinese communist, Comintern and Soviet stooge and left adventurist in the 1930s, fell out with Mao and moved to Soviet Union from 1956" -王昭君,wáng zhāo jūn,"Wang Zhaojun (52-19 BC), famous beauty at the court of Han emperor Yuan 漢元帝|汉元帝[Han4 Yuan2 di4], one of the four legendary beauties 四大美女[si4 da4 mei3 nu:3]" -王朔,wáng shuò,"Wang Shuo (1958-), Chinese writer, director and actor" -王朝,wáng cháo,dynasty -王杨卢骆,wáng yáng lú luò,"abbr. for Wang Bo 王勃[Wang2 Bo2], Yang Jiong 楊炯|杨炯[Yang2 Jiong3], Lu Zhaolin 盧照鄰|卢照邻[Lu2 Zhao4 lin2], and Luo Binwang 駱賓王|骆宾王[Luo4 Bin1 wang2], the Four Great Poets of the Early Tang" -王楠,wáng nán,"Wang Nan (1978-), female PRC table tennis player, Olympic medalist" -王权,wáng quán,royalty; royal power -王钦若,wáng qīn ruò,"Wang Qinruo (962-1025), Northern Song dynasty official" -王毅,wáng yì,"Wang Yi (1953-), PRC foreign minister (2013-) and state councilor (2018-)" -王母,wáng mǔ,"another name for 西王母[Xi1 wang2 mu3], Queen Mother of the West" -王母,wáng mǔ,(literary) paternal grandmother -王母娘娘,wáng mǔ niáng niáng,"another name for Xi Wangmu 西王母, Queen Mother of the West" -王水,wáng shuǐ,Aqua regia -王永民,wáng yǒng mín,"Wang Yongmin (1943-), inventor of the five stroke input method 五筆輸入法|五笔输入法[wu3 bi3 shu1 ru4 fa3]" -王治郅,wáng zhì zhì,"Wang Zhizhi (1977-), former Chinese basketball player" -王法,wáng fǎ,the law; the law of the land; the law of a state (in former times); criterion -王洪文,wáng hóng wén,"Wang Hongwen (1935-1992), one of the Gang of Four" -王炸,wáng zhà,"both jokers, the unbeatable play in the card game ""dou dizhu"" 鬥地主|斗地主[dou4 di4zhu3]" -王爷,wáng ye,prince; marquis; nobleman -王牌,wáng pái,trump card -王猛,wáng měng,"Wang Meng (325-375), prime minister to Fu Jian 苻堅|苻坚[Fu2 Jian1] of Former Qin 前秦[Qian2 Qin2]" -王益,wáng yì,"Wangyi District of Tongchuan City 銅川市|铜川市[Tong2 chuan1 Shi4], Shaanxi" -王益区,wáng yì qū,"Wangyi District of Tongchuan City 銅川市|铜川市[Tong2 chuan1 Shi4], Shaanxi" -王码,wáng mǎ,"Wang code, same as 五筆字型|五笔字型[wu3 bi3 zi4 xing2], five stroke input method for Chinese characters by numbered strokes, invented by Wang Yongmin 王永民[Wang2 Yong3 min2] in 1983" -王祖贤,wáng zǔ xián,"Joey Wong (1967-), Taiwanese actress" -王颖,wáng yǐng,"Wayne Wang (1949-), Chinese US film director" -王粲,wáng càn,"Wang Can (177-217), poet, generally regarded as the most brilliant of ""the seven masters of Jian'an"" 建安[Jian4 an1]" -王维,wáng wéi,"Wang Wei (701-761), Tang Dynasty poet" -王义夫,wáng yì fū,"Wang Yifu (1960-), male PRC pistol shooter and Olympic medalist" -王羲之,wáng xī zhī,"Wang Xizhi (303-361), famous calligrapher of Eastern Jin, known as the sage of calligraphy 書聖|书圣" -王老五,wáng lǎo wǔ,bachelor (lit. fifth child of the Wangs) -王老吉,wáng lǎo jí,Wanglaoji (beverage brand) -王肃,wáng sù,"Wang Su (c. 195-256), classical scholar of Cao Wei dynasty, believed to have forged several classical texts" -王英,wáng yīng,"Wang Ying (character in the ""Water Margin"")" -王莽,wáng mǎng,"Wang Mang (45 BC-23 AD), usurped power and reigned 9-23 between the former and later Han" -王菲,wáng fēi,"Faye Wong (1969-), Hong Kong pop star and actress" -王著,wáng zhù,"Wang Zhu (-c. 990), Song calligrapher and writer" -王军霞,wáng jūn xiá,"Wang Junxia (1973-), Chinese long-distance runner" -王道,wáng dào,the Way of the King; statecraft; benevolent rule; virtuous as opposed to the Way of Hegemon 霸道 -王选,wáng xuǎn,"Wang Xuan (1937-2006), Chinese printing industry innovator" -王阳明,wáng yáng míng,"Wang Yangming (1472-1529), Ming dynasty Neo-Confucian philosopher, influential in the School of Mind 心學|心学[xin1 xue2]" -王震,wáng zhèn,"Wang Zhen (1908-1993), Chinese political figure" -王顾左右而言他,wáng gù zuǒ yòu ér yán tā,the king looked left and right and then talked of other things; to digress from the topic of discussion (idiom) -玎,dīng,jingling; tinkling -玎玲,dīng líng,(onom.) ding-a-ling; clink of jewels -玓,dì,pearly -玖,jiǔ,black jade; nine (banker's anti-fraud numeral) -玗,yú,semiprecious stone; a kind of jade -玟,mín,jade-like stone -玟,wén,veins in jade -玡,yá,variant of 琊[ya2] -玢,bīn,(literary) a kind of jade -玢,fēn,porphyrites -珏,jué,gems mounted together -玩,wán,to play; to have fun; to trifle with; toy; sth used for amusement; curio or antique (Taiwan pr. [wan4]); to keep sth for entertainment -玩不起,wán bu qǐ,can't afford to play; (fig.) can't accept it when one loses -玩世不恭,wán shì bù gōng,to trifle without respect (idiom); to despise worldly conventions; frivolous -玩人丧德,wán rén sàng dé,to play with others and offend morals; wicked -玩伴,wán bàn,playmate -玩偶,wán ǒu,toy figurine; action figure; stuffed animal; doll; (fig.) sb's plaything -玩偶之家,wán ǒu zhī jiā,"Doll's House (1879), drama by Ibsen 易卜生" -玩儿,wán er,to play; to have fun; to hang out -玩儿不转,wán er bù zhuàn,can't handle it; can't find any way (of doing sth); not up to the task -玩儿命,wán er mìng,to gamble with life; to take reckless risks -玩儿坏,wán er huài,to play tricks on sb -玩儿完,wán er wán,erhua variant of 玩完|玩完[wan2 wan2] -玩儿得转,wán er dé zhuàn,can handle it; up to the task -玩儿票,wán er piào,amateur dramatics -玩儿花招,wán er huā zhāo,to play tricks -玩具,wán jù,plaything; toy -玩具厂,wán jù chǎng,toy factory -玩具枪,wán jù qiāng,toy gun -玩味,wán wèi,to ruminate; to ponder subtleties -玩咖,wán kā,(slang) player; playboy; party guy -玩器,wán qì,elegant plaything; object to appreciate -玩失踪,wán shī zōng,to hide oneself (as a joke) -玩完,wán wán,(coll.) to end in failure; to come to grief; to bite the dust -玩家,wán jiā,"player (of a game); enthusiast (audio, model planes etc)" -玩家角色,wán jiā jué sè,player character (in a role-playing game) -玩弄,wán nòng,to play with; to toy with; to dally with; to engage in; to resort to -玩弄词藻,wán nòng cí zǎo,to juggle with words (dishonestly); to be a hypocrite and hide behind florid rhetoric -玩忽,wán hū,to neglect; to trifle with; not to take seriously -玩忽职守,wán hū zhí shǒu,to neglect one's duty; dereliction of duty; malpractice -玩意,wán yì,"toy; plaything; thing; act; trick (in a performance, stage show, acrobatics etc)" -玩意儿,wán yì er,erhua variant of 玩意[wan2 yi4] -玩手腕,wán shǒu wàn,to play tricks; to play at politics -玩乐,wán lè,to play around; to disport oneself -玩法,wán fǎ,to play fast and loose with the law; to game the system; (leisure) rules of the game; way of doing an activity; (tourism) way of experiencing a place -玩火,wán huǒ,to play with fire -玩火自焚,wán huǒ zì fén,to play with fire and get burnt (idiom); fig. to play with evil and suffer the consequences; to get one's fingers burnt -玩牌,wán pái,to play cards; to play mahjong -玩物,wán wù,toy; plaything -玩物丧志,wán wù sàng zhì,lit. trifling destroys the will (idiom); infatuation with fine details prevents one making progress; excessive attention to trivia saps the will -玩狎,wán xiá,to trifle; to dally with; to treat casually; to jest -玩笑,wán xiào,to joke; joke; jest -玩索,wán suǒ,to search for subtle traces; to ponder -玩者,wán zhě,player -玩耍,wán shuǎ,to play (as children do); to amuse oneself -玩兴,wán xìng,interest in dallying; in the mood for playing -玩花招,wán huā zhāo,to play tricks -玩艺,wán yì,variant of 玩意[wan2 yi4] -玩艺儿,wán yì er,variant of 玩意兒|玩意儿[wan2 yi4 r5] -玩话,wán huà,playful talk; joking -玩赏,wán shǎng,to appreciate; to take pleasure in; to enjoy -玩转,wán zhuàn,to know all the ins and outs of sth; to get to know (a place) inside out -玩遍,wán biàn,"to visit (a large number of places); to tour around (the whole country, the whole city etc)" -玩阴的,wán yīn de,to play dirty; crafty; scheming -玫,méi,(fine jade); used in 玫瑰[mei2 gui1] -玫瑰,méi guī,"rugosa rose (shrub) (Rosa rugosa); rose flower; CL:朵[duo3],棵[ke1]" -玫瑰念珠,méi gui niàn zhū,rosary (Catholic prayer beads) -玫瑰战争,méi guī zhàn zhēng,The Wars of the Roses (1455-1485) -玫瑰星云,méi guī xīng yún,Rosette nebula NGC 2237 -玫瑰果,méi guī guǒ,rose hip -玫瑰花,méi guī huā,rose -玫瑰茄,méi gui qié,roselle (Hibiscus sabdariffa) -玫红眉朱雀,méi hóng méi zhū què,(bird species of China) pink-browed rosefinch (Carpodacus rodochroa) -玲,líng,(onom.) ting-a-ling (in compounds such as 玎玲 or 玲瓏|玲珑); tinkling of gem-pendants -玲玲,líng líng,(onom.) tinkling (e.g. of jewels) -玲珑,líng lóng,(onom.) clink of jewels; exquisite; detailed and fine; clever; nimble -玲珑剔透,líng lóng tī tòu,exquisitely made; very clever -玳,dài,tortoise shell; turtle -玳瑁,dài mào,hawksbill turtle (Eretmochelys imbricata); tortoiseshell; Taiwan pr. [dai4 mei4] -玳瑁壳,dài mào ké,tortoise shell -玳瑁眼镜,dài mào yǎn jìng,hawksbill shell-rimmed eyeglasses; CL:副[fu4] -玷,diàn,blemish; disgrace; flaw in jade -玷污,diàn wū,to stain; to sully; to tarnish -玷辱,diàn rǔ,to dishonor; to disgrace -玻,bō,glass -玻利尼西亚,bō lì ní xī yà,Polynesia -玻利维亚,bō lì wéi yà,Bolivia -玻尿酸,bō niào suān,hyaluronic acid; hyaluronan -玻意耳,bō yì ěr,"Robert Boyle (1627-1691), English chemist" -玻尔兹曼,bō ěr zī màn,"Ludwig Boltzmann (1844-1906), Austrian physicist and philosopher" -玻片,bō piàn,glass slide for medical sample -玻璃,bō li,"glass; CL:張|张[zhang1],塊|块[kuai4]; (slang) male homosexual" -玻璃化,bō li huà,vitrification -玻璃市,bō lí shì,"Perlis, state of Malaysia adjacent to Thailand, capital Kangar 加央[Jia1 yang1]" -玻璃心,bō li xīn,(slang) overly sensitive; butthurt -玻璃杯,bō li bēi,drinking glass -玻璃球,bō li qiú,marbles -玻璃砂,bō li shā,siliceous sand (geology) -玻璃管,bō li guǎn,glass tube -玻璃纸,bō li zhǐ,cellophane -玻璃纤维,bō lí xiān wéi,fiberglass; glass fiber -玻璃罩,bō li zhào,glass cover; bell glass -玻璃钢,bō li gāng,glass-reinforced plastic; fiberglass -玻璃体,bō lí tǐ,vitreous humor -玻色子,bō sè zǐ,boson (particle physics) -玻里尼西亚,bō lǐ ní xī yà,Polynesia (Tw) -珀,pò,used in 琥珀[hu3 po4] -珀斯,pò sī,"Perth, capital of Western Australia; also written 帕斯" -珂,kē,jade-like stone -珂罗版,kē luó bǎn,collotype (printing) (loanword) -珈,jiā,gamma; jewelry -珉,mín,"alabaster, jade-like stone" -珉玉,mín yù,good and bad; expensive and cheap -珉玉杂淆,mín yù zá xiáo,scholars of various talents (idiom) -珊,shān,coral -珊卓,shān zhuó,Sandra (name) -珊瑚,shān hú,coral -珊瑚潭,shān hú tán,coral lake -珊瑚礁,shān hú jiāo,coral reef -珍,zhēn,precious thing; treasure; culinary delicacy; rare; valuable; to value highly -珍品,zhēn pǐn,valuable object; curio -珍多冰,zhēn duō bīng,"cendol, Southeast Asian iced sweet dessert" -珍奇,zhēn qí,rare; strange -珍奶,zhēn nǎi,abbr. for pearl milk tea 珍珠奶茶 -珍宝,zhēn bǎo,a treasure -珍惜,zhēn xī,to treasure; to value; to cherish -珍爱,zhēn ài,to cherish -珍珠,zhēn zhū,pearl; CL:顆|颗[ke1] -珍珠奶茶,zhēn zhū nǎi chá,pearl milk tea; tapioca milk tea; bubble milk tea -珍珠小番茄,zhēn zhū xiǎo fān qié,see 聖女果|圣女果[sheng4 nu:3 guo3] -珍珠岩,zhēn zhū yán,perlite -珍珠母,zhēn zhū mǔ,mother-of-pearl (used in ornamentation and in TCM) -珍珠港,zhēn zhū gǎng,Pearl Harbor (Hawaii) -珍珠翡翠白玉汤,zhēn zhū fěi cuì bái yù tāng,"cabbage, rice and tofu soup" -珍异,zhēn yì,rare; precious and odd -珍禽奇兽,zhēn qín qí shòu,rare animals and birds -珍稀,zhēn xī,rare; precious and uncommon -珍羞,zhēn xiū,"variant of 珍饈|珍馐, delicacy; dainties; rare foodstuff" -珍闻,zhēn wén,oddity; news tidbits; strange and interesting item -珍藏,zhēn cáng,a collection of rare and valuable items; to collect (such items) -珍视,zhēn shì,to place great importance on; to treasure -珍贵,zhēn guì,precious -珍重,zhēn zhòng,precious; extremely valuable; (honorific) Please take good care of yourself! -珍馐,zhēn xiū,delicacy; dainties; rare foodstuff -珍馐美味,zhēn xiū měi wèi,delicacy and fine taste (idiom); a wonderful treat -珍馐美馔,zhēn xiū měi zhuàn,delicacy and fine taste (idiom); a wonderful treat -珍,zhēn,variant of 珍[zhen1] -珙,gǒng,(gem) -珙桐,gǒng tóng,dove tree (Davidia involucrata) -珙县,gǒng xiàn,"Gong county in Yibin 宜賓|宜宾[Yi2 bin1], Sichuan" -珞,luò,neck-ornament -珞巴族,luò bā zú,Lhoba ethnic group of southeast Tibet -珞巴语,luò bā yǔ,"Lhoba, language of Lhoba ethnic group of southeast Tibet" -珠,zhū,"bead; pearl; CL:粒[li4],顆|颗[ke1]" -珠三角,zhū sān jiǎo,Pearl River Delta -珠光宝气,zhū guāng bǎo qì,bedecked with glittering jewels (idiom) -珠圆玉润,zhū yuán yù rùn,lit. as round as pearls and as smooth as jade (idiom); fig. elegant and polished (of singing or writing) -珠子,zhū zi,"pearl; bead; CL:粒[li4],顆|颗[ke1]" -珠宝,zhū bǎo,pearls; jewels; precious stones -珠山,zhū shān,"Mount Everest (abbr. for 珠穆朗瑪峰|珠穆朗玛峰[Zhu1 mu4 lang3 ma3 Feng1]); Zhushan, district of Jingdezhen City 景德鎮市|景德镇市[Jing3 de2 zhen4 Shi4], Jiangxi" -珠山区,zhū shān qū,"Zhushan district of Jingdezhen City 景德鎮市|景德镇市[Jing3 de2 zhen4 Shi4], Jiangxi" -珠峰,zhū fēng,Mount Everest (abbr. for 珠穆朗瑪峰|珠穆朗玛峰[Zhu1mu4lang3ma3 Feng1]) -珠崖,zhū yá,"Zhuya, historic name for Hainan Island 海南島|海南岛[Hai3 nan2 Dao3]" -珠晖,zhū huī,"Zhuhui district of Hengyang city 衡陽市|衡阳市[Heng2 yang2 shi4], Hunan" -珠晖区,zhū huī qū,"Zhuhui district of Hengyang city 衡陽市|衡阳市[Heng2 yang2 shi4], Hunan" -珠母,zhū mǔ,mother-of-pearl -珠江,zhū jiāng,Pearl River (Guangdong) -珠江三角洲,zhū jiāng sān jiǎo zhōu,Pearl River Delta (PRD) -珠流,zhū liú,fluent with words; words flowing like pearl beads -珠流璧转,zhū liú bì zhuǎn,"lit. pearl flows, jade moves on (idiom); fig. the passage of time; water under the bridge" -珠海,zhū hǎi,Zhuhai prefecture-level city in Guangdong Province 廣東省|广东省[Guang3 dong1 Sheng3] in south China -珠海市,zhū hǎi shì,Zhuhai prefecture-level city in Guangdong Province 廣東省|广东省[Guang3 dong1 Sheng3] in south China -珠澳,zhū ào,Zhuhai and Macau (abbr. for 珠海[Zhu1 hai3] + 澳門|澳门[Ao4 men2]) -珠灰,zhū huī,pearl gray -珠玉,zhū yù,pearls and jades; jewels; clever remark; beautiful writing; gems of wisdom; genius; outstanding person -珠玉在侧,zhū yù zài cè,gems at the side (idiom); flanked by genius -珠穆朗玛,zhū mù lǎng mǎ,"Mount Everest (from its Tibetan name, Chomolungma)" -珠穆朗玛峰,zhū mù lǎng mǎ fēng,"Mount Everest (from its Tibetan name, Chomolungma)" -珠箔,zhū bó,curtain of pearls; screen of beads -珠算,zhū suàn,calculation using abacus -珠联璧合,zhū lián bì hé,string of pearl and jade (idiom); ideal combination; perfect pair -珠胎暗结,zhū tāi àn jié,to get pregnant out of wedlock -珠茶,zhū chá,"gunpowder tea, Chinese green tea whose leaves are each formed into a small pellet" -珠颈斑鸠,zhū jǐng bān jiū,(bird species of China) spotted dove (Spilopelia chinensis) -珥,ěr,pearl or jade earring -珧,yáo,mother-of-pearl -珩,héng,top gem of pendant from girdle -班,bān,surname Ban -班,bān,team; class; grade; (military) squad; work shift; CL:個|个[ge4]; classifier for groups of people and scheduled transport vehicles -班上,bān shàng,(in the) class -班主,bān zhǔ,leader of a theatrical troupe -班主任,bān zhǔ rèn,teacher in charge of a class -班什,bān shí,Binche (Belgian city) -班代,bān dài,(Tw) class representative; class president -班伯利,bān bó lì,"Bunbury, coastal city in Western Australia" -班伯里,bān bó lǐ,"Bunbury, coastal city in Western Australia; Banbury, town in Oxfordshire, England" -班克斯,bān kè sī,Banks (surname); Banksy (UK artist) -班克西,bān kè xī,Banksy (British street artist) -班加罗尔,bān jiā luó ěr,"Bangalore, capital of southwest Indian state Karnataka 卡納塔克邦|卡纳塔克邦[Ka3 na4 ta3 ke4 bang1]" -班务会,bān wù huì,a routine meeting of a squad; team or class -班卓琴,bān zhuó qín,banjo (loanword) -班吉,bān jí,"Bangui, capital of Central African Republic" -班固,bān gù,"Ban Gu (32-92), Eastern Han dynasty historian, wrote the Dynastic History of Western Han 漢書|汉书" -班图斯坦,bān tú sī tǎn,Bantustan -班基,bān jī,"Bangui, capital of Central African Republic (Tw)" -班子,bān zi,organized group; theatrical troupe -班导,bān dǎo,(Tw) teacher in charge of a class; homeroom teacher -班导师,bān dǎo shī,(Tw) teacher in charge of a class; homeroom teacher -班师,bān shī,to withdraw troops from the front; to return in triumph -班底,bān dǐ,ordinary members of theatrical troupe -班戈,bān gē,"Baingoin county, Tibetan: Dpal mgon rdzong, in Nagchu prefecture 那曲地區|那曲地区[Na4 qu3 di4 qu1], central Tibet" -班戈县,bān gē xiàn,"Baingoin county, Tibetan: Dpal mgon rdzong, in Nagchu prefecture 那曲地區|那曲地区[Na4 qu3 di4 qu1], central Tibet" -班房,bān fáng,jail -班会,bān huì,class meeting (in schools) -班期,bān qī,"schedule (for flights, voyages etc)" -班机,bān jī,"airliner; (regular) flight (CL:趟[tang4],次[ci4],班[ban1])" -班台,bān tái,office desk -班次,bān cì,grade; class number (in school); flight or run number; flight or run (seen as an item); shift (work period) -班珠尔,bān zhū ěr,"Banjul, capital of Gambia" -班玛,bān mǎ,"Baima or Banma county (Tibetan: pad ma rdzong) in Golog Tibetan autonomous prefecture 果洛州[Guo3 luo4 zhou1], Qinghai" -班玛县,bān mǎ xiàn,"Baima or Banma county (Tibetan: pad ma rdzong) in Golog Tibetan autonomous prefecture 果洛州[Guo3 luo4 zhou1], Qinghai" -班白,bān bái,variant of 斑白[ban1 bai2] -班禅,bān chán,Panchen (Lama); abbr. for 班禪額爾德尼|班禅额尔德尼[Ban1 chan2 E2 er3 de2 ni2] -班禅喇嘛,bān chán lǎ ma,Panchen Lama -班禅额尔德尼,bān chán é ěr dé ní,Panchen Erdeni or Panchen Lama; abbr. to 班禪|班禅[Ban1 chan2] -班秃,bān tū,spot baldness (alopecia areata) -班竹,bān zhú,"Banjul, capital of Gambia (Tw)" -班纪德,bān jì dé,pancetta (Italian belly); salted spiced dried pork belly -班级,bān jí,class (group of students); grade (in school) -班组,bān zǔ,group or team (in factories etc) -班线,bān xiàn,route (of a bus etc) -班花,bān huā,the prettiest girl in the class -班草,bān cǎo,the most handsome boy in the class -班荆相对,bān jīng xiāng duì,to treat sb with courtesy (idiom) -班超,bān chāo,"Ban Chao (33-102), noted Han diplomat and military man" -班车,bān chē,regular bus (service) -班辈,bān bèi,seniority in the family; pecking order -班辈儿,bān bèi er,seniority in the family; pecking order -班轮,bān lún,regular passenger or cargo ship; regular steamship service -班达亚齐,bān dá yà qí,"Banda Aceh, capital of Aceh province of Indonesia in northwest Sumatra" -班达海,bān dá hǎi,"Banda Sea, in the East Indian Archipelago" -班长,bān zhǎng,class monitor; squad leader; team leader; CL:個|个[ge4] -班门弄斧,bān mén nòng fǔ,to display one's slight skill before an expert (idiom) -班雅明,bān yǎ míng,Benjamin (name) -班驳,bān bó,variant of 斑駁|斑驳[ban1 bo2] -佩,pèi,girdle ornaments -佩林,pèi lín,"Palin (name); Sarah Palin (1964-), US Republican politician, state governor of Alaska 2006-2009" -现,xiàn,to appear; present; now; existing; current -现下,xiàn xià,now; at this moment -现世,xiàn shì,this life; to lose face; to be disgraced -现世报,xiàn shì bào,karmic retribution within one's lifetime -现世宝,xiàn shì bǎo,good-for-nothing; fool -现今,xiàn jīn,now; nowadays; modern -现付,xiàn fù,to pay on the spot -现代,xiàn dài,"Hyundai, South Korean company" -现代,xiàn dài,modern times; modern age; modern era -现代五项,xiàn dài wǔ xiàng,modern pentathlon -现代人,xiàn dài rén,modern man; Homo sapiens -现代化,xiàn dài huà,modernization; CL:個|个[ge4] -现代史,xiàn dài shǐ,modern history -现代形式,xiàn dài xíng shì,the modern form -现代性,xiàn dài xìng,modernity -现代新儒家,xiàn dài xīn rú jiā,Modern New Confucianism; see also 新儒家[Xin1 Ru2 jia1] -现代派,xiàn dài pài,modernist faction; modernists -现代舞,xiàn dài wǔ,modern dance -现代集团,xiàn dài jí tuán,"Hyundai, the Korean corporation" -现代音乐,xiàn dài yīn yuè,modern music; contemporary music -现任,xiàn rèn,"to occupy a post currently; current (president etc); incumbent; (coll.) current boyfriend (girlfriend, spouse)" -现值,xiàn zhí,present value -现做,xiàn zuò,to make (food) on the spot; freshly-made -现势,xiàn shì,current situation -现在,xiàn zài,now; at present; at the moment; modern; current; nowadays -现在分词,xiàn zài fēn cí,present participle (in English grammar) -现在式,xiàn zài shì,present tense -现场,xiàn chǎng,"the scene (of a crime, accident etc); (on) the spot; (at) the site" -现场报道,xiàn chǎng bào dào,on-the-spot report -现场投注,xiàn chǎng tóu zhù,live betting -现场采访,xiàn chǎng cǎi fǎng,on-the-spot interview -现场会,xiàn chǎng huì,on-the-spot meeting -现场会议,xiàn chǎng huì yì,on-the-spot meeting -现场直播,xiàn chǎng zhí bō,on-the-spot live broadcast -现场视察,xiàn chǎng shì chá,on-site inspection -现存,xiàn cún,extant; existent; in stock -现学现用,xiàn xué xiàn yòng,to immediately put into practice something one has just learned (idiom) -现实,xiàn shí,reality; actuality; real; actual; realistic; pragmatic; materialistic; self-interested -现实主义,xiàn shí zhǔ yì,realism -现实情况,xiàn shí qíng kuàng,current state; current situation -现年,xiàn nián,(a person's) current age -现形,xiàn xíng,to become visible; to appear; to manifest one's true nature -现役,xiàn yì,(military) active duty -现成,xiàn chéng,ready-made; readily available -现成话,xiàn chéng huà,ready-made phrase; unhelpful comment -现房,xiàn fáng,finished apartment; ready apartment -现抓,xiàn zhuā,to improvise -现时,xiàn shí,current -现有,xiàn yǒu,currently existing; currently available -现款,xiàn kuǎn,cash -现况,xiàn kuàng,the current situation -现炒现卖,xiàn chǎo xiàn mài,lit. to fry and sell on the spot; fig. (of fresh graduates) to apply the still-fresh knowledge gained in school -现烤,xiàn kǎo,freshly baked; freshly roasted -现状,xiàn zhuàng,current situation -现眼,xiàn yǎn,to embarrass oneself; to make a fool of oneself -现磨,xiàn mó,freshly ground -现行,xiàn xíng,to be in effect; in force; current -现行犯,xiàn xíng fàn,criminal caught red-handed -现象,xiàn xiàng,"phenomenon; CL:個|个[ge4],種|种[zhong3]; appearance" -现象学,xiàn xiàng xué,phenomenology -现象级,xiàn xiàng jí,phenomenal -现货,xiàn huò,merchandise or commodities available immediately after sale; merchandise in stock; available item; actuals (investment); actual commodities -现货价,xiàn huò jià,price of actuals -现身,xiàn shēn,to show oneself; to appear; (of a deity) to appear in the flesh -现身说法,xiàn shēn shuō fǎ,to talk from one's personal experience; to use oneself as an example -现量相违,xiàn liàng xiāng wéi,to not fit one's perception of sth (idiom) -现金,xiàn jīn,cash -现金周转,xiàn jīn zhōu zhuǎn,cash flow -现金基础,xiàn jīn jī chǔ,cash basis (accounting) -现金流,xiàn jīn liú,cash flow -现金流转,xiàn jīn liú zhuǎn,cash flow -现金流转表,xiàn jīn liú zhuǎn biǎo,cash flow statement -现金流量,xiàn jīn liú liàng,cash flow -现金流量表,xiàn jīn liú liàng biǎo,cash flow statement -现金牛,xiàn jīn niú,cash cow -现钱,xiàn qián,cash -现阶段,xiàn jiē duàn,at the present stage -球,qiú,ball; sphere; globe; CL:個|个[ge4]; ball game; match; CL:場|场[chang3] -球友,qiú yǒu,(ball game) enthusiast (player); golf buddy (or tennis buddy etc) -球员,qiú yuán,(ball sports) player; team member -球场,qiú chǎng,"stadium; sports ground; court; pitch; field; golf course; CL:個|个[ge4],處|处[chu4]" -球场会馆,qiú chǎng huì guǎn,clubhouse (golf) -球孢子菌病,qiú bāo zǐ jūn bìng,Coccidioidomycosis -球季,qiú jì,"season (of baseball, football etc)" -球差,qiú chā,spherical aberration (optics) -球座,qiú zuò,tee (golf) -球弹,qiú dàn,"ball (in sport, incl. billiards)" -球形,qiú xíng,spherical; ball-shaped -球感,qiú gǎn,ball sense; feel for the ball -球手,qiú shǒu,(ball sports) player -球拍,qiú pāi,racket -球星,qiú xīng,sports star (ball sport) -球会,qiú huì,"ballsports club (e.g. golf, football etc)" -球杆,qiú gān,club (golf); cue (billiards); also written 球桿|球杆[qiu2 gan1] -球栅阵列封装,qiú shān zhèn liè fēng zhuāng,"ball grid array (BGA), type of microchip package" -球棍,qiú gùn,(sport) club; bat -球棒,qiú bàng,(baseball or cricket) bat; hockey stick -球台,qiú tái,table (for games using balls) -球状,qiú zhuàng,sphere -球状物,qiú zhuàng wù,globe -球状蛋白质,qiú zhuàng dàn bái zhì,globular protein -球瓶,qiú píng,pin (ten-pin bowling) -球磨,qiú mó,see 球磨機|球磨机[qiu2 mo2 ji1] -球磨机,qiú mó jī,ball mill -球童,qiú tóng,ball boy (tennis); caddie (golf) -球竿,qiú gān,cue (billiards); club (golf); stick (hockey) -球籍,qiú jí,(a nation's or an individual's) citizenship of the planet -球粒陨石,qiú lì yǔn shí,chondrite (type of meteorite) -球网,qiú wǎng,net (for ball games) -球腔菌,qiú qiāng jūn,"Mycosphaerella (genus of sac fungus, a plant pathogen)" -球芽甘蓝,qiú yá gān lán,Brussels sprouts (Brassica oleracea L. var. gemmifera) -球菌,qiú jūn,coccus (spherical bacteria pathogen) -球蛋白,qiú dàn bái,globulin -球虫,qiú chóng,coccidia (biology) -球赛,qiú sài,(ball sports) game; match; CL:場|场[chang3] -球路,qiú lù,"(sports) trajectory of the ball; method of dispatching the ball (e.g. in baseball: curveball, slider, fastball etc)" -球迷,qiú mí,fan (ball sports); CL:個|个[ge4] -球道,qiú dào,fairway (golf); lane (ten-pin bowling) -球门,qiú mén,goalmouth (in soccer) -球阀,qiú fá,ball valve -球队,qiú duì,"sports team (basketball, soccer, football etc)" -球面,qiú miàn,sphere -球面几何,qiú miàn jǐ hé,spherical geometry -球面度,qiú miàn dù,steradian (math.) -球鞋,qiú xié,athletic shoes -球类,qiú lèi,ball sports -球馆,qiú guǎn,(sports) arena -球体,qiú tǐ,spheroid -琅,láng,jade-like stone; clean and white; tinkling of pendants -琅威理,láng wēi lǐ,"Captain William M Lang (1843-), British adviser to the Qing north China navy 北洋水師|北洋水师 during the 1880s" -琅嬛,láng huán,mythical fairy realm -理,lǐ,texture; grain (of wood); inner essence; intrinsic order; reason; logic; truth; science; natural science (esp. physics); to manage; to pay attention to; to run (affairs); to handle; to put in order; to tidy up -理中客,lǐ zhōng kè,"rational, neutral, objective (abbr. for 理性、中立、客觀|理性、中立、客观[li3 xing4 , zhong1 li4 , ke4 guan1])" -理事,lǐ shì,member of council; (literary) to take care of matters -理事会,lǐ shì huì,council -理事长,lǐ shì zhǎng,director general -理光,lǐ guāng,"Ricoh, Japanese imaging and electronics company" -理儿,lǐ er,reason -理则,lǐ zé,principle; logic -理则学,lǐ zé xué,logic -理化,lǐ huà,physics and chemistry; (archaic) governance and education -理化因素,lǐ huà yīn sù,physical and chemical factors -理喻,lǐ yù,to reason with sb -理塘,lǐ táng,"Litang county (Tibetan: li thang rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1], Sichuan (formerly in Kham province of Tibet)" -理塘县,lǐ táng xiàn,"Litang county (Tibetan: li thang rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1], Sichuan (formerly in Kham province of Tibet)" -理学,lǐ xué,"School of Principle; Neo-Confucian Rationalistic School (from Song to mid-Qing times, c. 1000-1750, typified by the teachings of Cheng Hao 程顥|程颢[Cheng2 Hao4], Cheng Yi 程頤|程颐[Cheng2 Yi2] and Zhu Xi 朱熹[Zhu1 xi1])" -理学,lǐ xué,science -理学家,lǐ xué jiā,scholar of the rationalist school of Neo-Confucianism 理學|理学[Li3 xue2] -理学硕士,lǐ xué shuò shì,M.Sc. (Master of Science degree) -理容院,lǐ róng yuàn,hairdresser and beauty parlor; barbershop; massage parlor -理屈词穷,lǐ qū cí qióng,"lit. having presented a flawed argument, one has nothing further to add (idiom); fig. unable to provide a convincing argument to support one's position; to not have a leg to stand on" -理工,lǐ gōng,science and engineering as academic subjects -理工大学,lǐ gōng dà xué,University of Science and Engineering; also sometimes Institute of Technology -理工男,lǐ gōng nán,geek; techie -理工科,lǐ gōng kē,science and engineering as academic subjects -理念,lǐ niàn,idea; concept; philosophy; theory -理性,lǐ xìng,reason; rationality; rational -理性主义,lǐ xìng zhǔ yì,rationalism -理性知识,lǐ xìng zhī shi,rational knowledge -理性与感性,lǐ xìng yǔ gǎn xìng,"Sense and Sensibility, novel by Jane Austen 珍·奧斯汀|珍·奥斯汀[Zhen1 · Ao4 si1 ting1]" -理性认识,lǐ xìng rèn shi,cognition; rational knowledge -理想,lǐ xiǎng,an ideal; a dream; ideal; perfect -理想主义,lǐ xiǎng zhǔ yì,idealism -理想化,lǐ xiǎng huà,to idealize -理想国,lǐ xiǎng guó,"Plato's ""The Republic"" (c. 380 BC)" -理想国,lǐ xiǎng guó,ideal state; utopia -理应,lǐ yīng,should; ought to -理所当然,lǐ suǒ dāng rán,as it should be by rights (idiom); proper and to be expected as a matter of course; inevitable and right -理据,lǐ jù,grounds; justification; logical basis; (linguistic) motivation -理智,lǐ zhì,reason; intellect; rationality; rational -理会,lǐ huì,to understand; to pay attention to; to take notice of -理查,lǐ chá,Richard (name) -理查德,lǐ chá dé,Richard (name) -理查森,lǐ chá sēn,Richardson (name) -理气,lǐ qì,(TCM) to rectify 氣|气[qi4] -理气化痰,lǐ qì huà tán,(TCM) to rectify 氣|气[qi4] and transform phlegm -理清,lǐ qīng,to disentangle (wiring etc); (fig.) to clarify (one's thoughts etc) -理由,lǐ yóu,reason; grounds; justification; CL:個|个[ge4] -理当,lǐ dāng,should; ought -理疗,lǐ liáo,physiotherapy -理疗师,lǐ liáo shī,physiotherapist -理监事,lǐ jiān shì,member of a board of directors -理直气壮,lǐ zhí qì zhuàng,in the right and self-confident (idiom); bold and confident with justice on one's side; to have the courage of one's convictions; just and forceful -理睬,lǐ cǎi,to heed; to pay attention to -理神论,lǐ shén lùn,"deism, theological theory of God who does not interfere in the Universe" -理科,lǐ kē,the sciences (as opposed to the humanities 文科[wen2 ke1]) -理科学士,lǐ kē xué shì,Bachelor of Science B.Sc. -理县,lǐ xiàn,"Li County (Tibetan: li rdzong) in Ngawa Tibetan and Qiang Autonomous Prefecture 阿壩藏族羌族自治州|阿坝藏族羌族自治州[A1 ba4 Zang4 zu2 Qiang1 zu2 Zi4 zhi4 zhou1], northwest Sichuan" -理亏,lǐ kuī,in the wrong -理解,lǐ jiě,to comprehend; to understand -理解力,lǐ jiě lì,ability to grasp ideas; understanding -理论,lǐ lùn,theory; CL:個|个[ge4]; to argue; to take notice of -理论基础,lǐ lùn jī chǔ,theoretical foundation -理论家,lǐ lùn jiā,theorist; theoretician -理论贡献,lǐ lùn gòng xiàn,theoretical contribution -理财,lǐ cái,to manage wealth; to manage finances; money management -理财学,lǐ cái xué,financial management science -理货员,lǐ huò yuán,shop assistant; warehouse assistant -理赔,lǐ péi,to settle a claim; claims settlement; payment of claims -理路,lǐ lù,logical thinking -理雅各,lǐ yǎ gè,"James Legge (1815-1897), Scottish Protestant missionary in Qing China and translator of the Chinese classics into English" -理顺,lǐ shùn,to straighten out; to sort out; to organize -理头,lǐ tóu,to have a haircut; to cut sb's hair -理发,lǐ fà,to get a haircut; to have one's hair done; to cut (sb's) hair; to give (sb) a haircut -理发员,lǐ fà yuán,barber -理发师,lǐ fà shī,barber; hairdresser -理发店,lǐ fà diàn,barbershop; hairdresser's; CL:家[jia1] -理发厅,lǐ fà tīng,(Tw) barbershop; hairdresser's; CL:家[jia1] -理发院,lǐ fà yuàn,barbershop; hair parlor -琉,liú,precious stone -琉特琴,liú tè qín,lute (loanword) -琉球,liú qiú,"Ryūkyū; refers to the Ryūkyū Islands 琉球群島|琉球群岛[Liu2 qiu2 Qun2 dao3] stretching from Japan to Taiwan; Liuchiu township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -琉球国,liú qiú guó,Ryūkyū kingdom 1429-1879 (on modern Okinawa) -琉球歌鸲,liú qiú gē qú,(bird species of China) Ryukyu robin (Larvivora komadori) -琉球海,liú qiú hǎi,Ryūkyū Sea; refers to the Ryūkyū Islands 琉球群島|琉球群岛[Liu2 qiu2 Qun2 dao3] stretching from Japan to Taiwan -琉球王国,liú qiú wáng guó,Ryūkyū kingdom 1429-1879 (on modern Okinawa) -琉球群岛,liú qiú qún dǎo,Ryukyu Islands; Okinawa 沖繩|冲绳[Chong1 sheng2] and other islands of modern Japan -琉球角鸮,liú qiú jiǎo xiāo,(bird species of China) Ryukyu scops owl (Otus elegans) -琉球乡,liú qiú xiāng,"Liuchiu township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -琉璃,liú li,colored glass; ceramic glaze -琉璃塔,liú lí tǎ,glazed tile pagoda; glazed tower of minaret -琉璃庙,liú lí miào,Liulimiao town in Beijing municipality -琉璃瓦,liú lí wǎ,glazed roof tile -琉璃苣,liú lí jù,borage (Borago officinalis) -琊,yá,"used in place names, notably 瑯琊山|琅琊山[Lang2 ya2 Shan1]; Taiwan pr. [ye2]" -璃,lí,(phonetic character used in transliteration of foreign names); Taiwan pr. [li4]; variant of 璃[li2] -琚,jū,ornamental gems for belt -琛,chēn,precious stone; gem -琢,zhuó,to cut (gems) -琢,zuó,used in 琢磨[zuo2 mo5]; Taiwan pr. [zhuo2] -琢磨,zhuó mó,to carve and polish (jade); to polish and refine a literary work -琢磨,zuó mo,to ponder; to mull over; to think through; Taiwan pr. [zhuo2 mo2] -琥,hǔ,used in 琥珀[hu3 po4] -琥珀,hǔ pò,amber -琦,qí,(literary) fine jade -琨,kūn,(jade) -琪,qí,(literary) fine jade -琬,wǎn,ensign of royalty -琮,cóng,surname Cong -琮,cóng,"jade tube with round hole and rectangular sides, used ceremonially in ancient times" -琰,yǎn,gem; glitter of gems -琳,lín,gem -琳琅,lín láng,glittering jewels -琳琅满目,lín láng mǎn mù,glittering jewels to delight the eye (idiom); fig. a dazzling lineup -琴,qín,guqin 古琴[gu3 qin2] (a type of zither); musical instrument in general -琴剑飘零,qín jiàn piāo líng,floating between zither and sword (idiom); fig. wandering aimlessly with no tenured position -琴师,qín shī,player of a stringed instrument -琴弓,qín gōng,bow (of a stringed instrument) -琴弦,qín xián,string (of a stringed instrument) -琴手,qín shǒu,player of a stringed instrument -琴斯托霍瓦,qín sī tuō huò wǎ,Częstochowa (city in Poland) -琴书,qín shū,"traditional art form, consisting of sung story telling with musical accompaniment" -琴棋书画,qín qí shū huà,"the four arts (zither, Go, calligraphy, painting); the accomplishments of a well-educated person" -琴瑟,qín sè,"qin and se, two string instruments that play in perfect harmony; marital harmony" -琴瑟不调,qín sè bù tiáo,"out of tune; marital discord, cf qin and se 琴瑟, two string instruments as symbol of marital harmony" -琴瑟和鸣,qín sè hé míng,in perfect harmony; in sync; lit. qin and se sing in harmony -琴通宁,qín tōng níng,(Tw) gin and tonic -琴通尼,qín tōng ní,(Tw) gin and tonic -琴酒,qín jiǔ,gin (Taiwan variant of 金酒[jin1 jiu3]) -琴锤,qín chuí,mallet; drumstick -琴键,qín jiàn,a piano key -琴鸟,qín niǎo,lyrebird -琵,pí,"see 琵琶, pipa lute" -琵嘴鸭,pí zuǐ yā,(bird species of China) northern shoveler (Anas clypeata) -琵琶,pí pa,"pipa, Chinese lute, with 4 strings, a large pear-shaped body and a fretted fingerboard" -琵琶行,pí pa xíng,"Song of the Pipa Player, long poem by Tang poet Bai Juyi 白居易[Bai2 Ju1 yi4]" -琵琶骨,pí pa gǔ,(old) scapula -琵琶鱼,pí pa yú,anglerfish -琵鹭,pí lù,spoonbill (wading bird of the family Threskiornithidae) -琶,pá,"see 琵琶, pipa lute" -琶洲,pá zhōu,"Pazhou district in Guangzhou, Guangdong; Pazhou Island in Guangzhou, formerly called Whampoa, historical anchoring point for foreign trade ships" -琶音,pá yīn,(music) arpeggio -琴,qín,"variant of 琴[qin2], guqin or zither" -珐,fà,enamel ware; cloisonne ware -珐琅,fà láng,enamel -珐琅质,fà láng zhì,tooth enamel -珲,hún,(fine jade) -珲春,hún chūn,"Hunchun, county-level city in Yanbian Korean Autonomous Prefecture 延邊朝鮮族自治州|延边朝鲜族自治州[Yan2 bian1 Chao2 xian3 zu2 Zi4 zhi4 zhou1], Jilin" -珲春市,hún chūn shì,"Hunchun, county-level city in Yanbian Korean Autonomous Prefecture 延邊朝鮮族自治州|延边朝鲜族自治州[Yan2 bian1 Chao2 xian3 zu2 Zi4 zhi4 zhou1], Jilin" -瑁,mào,(jade) -瑄,xuān,ornamental piece of jade -玳,dài,variant of 玳[dai4] -玮,wěi,(reddish jade); precious; rare -瑕,xiá,blemish; flaw in jade -瑕不掩瑜,xiá bù yǎn yú,lit. a blemish does not obscure jade's luster; the pros outweigh the cons (idiom) -瑕玷,xiá diàn,blemish; flaw -瑕疵,xiá cī,blemish; flaw; defect -瑗,yuàn,large jade ring -瑙,nǎo,agate -瑙蒙短尾鹛,nǎo méng duǎn wěi méi,(bird species of China) Naung Mung scimitar babbler (Napothera naungmungensis) -瑙鲁,nǎo lǔ,"Nauru, island country in the southwestern Pacific" -瑚,hú,used in 珊瑚[shan1hu2] -瑛,yīng,(literary) translucent stone similar to jade; (literary) luster of jade -瑜,yú,excellence; luster of gems -瑜伽,yú jiā,yoga (loanword) -瑜伽宗,yú jiā zōng,see 唯識宗|唯识宗[Wei2 shi2 zong1] -瑜伽行派,yú jiā xíng pài,see 唯識宗|唯识宗[Wei2 shi2 zong1] -瑜珈,yú jiā,variant of 瑜伽[yu2 jia1]; yoga -瑜迦,yú jiā,yoga (loanword) -瑞,ruì,lucky; auspicious; propitious; rayl (acoustical unit) -瑞亚,ruì yà,Rhea (Titaness of Greek mythology) -瑞典,ruì diǎn,Sweden -瑞典人,ruì diǎn rén,Swede -瑞典语,ruì diǎn yǔ,Swedish (language) -瑞利准则,ruì lì zhǔn zé,Rayleigh criterion (optics) -瑞士,ruì shì,Switzerland -瑞士人,ruì shì rén,Swiss (person) -瑞士卷,ruì shì juǎn,Swiss roll -瑞士法郎,ruì shì fǎ láng,Swiss franc (currency) -瑞士军刀,ruì shì jūn dāo,Swiss Army knife -瑞安,ruì ān,"Rui'an, county-level city in Wenzhou 溫州|温州[Wen1 zhou1], Zhejiang" -瑞安市,ruì ān shì,"Rui'an, county-level city in Wenzhou 溫州|温州[Wen1 zhou1], Zhejiang" -瑞幸咖啡,ruì xìng kā fēi,"Luckin Coffee, chain of coffee shops founded in Beijing in 2017" -瑞德西韦,ruì dé xī wéi,remdesivir (antiviral medication) (loanword) -瑞昌,ruì chāng,"Ruichang, county-level city in Jiujiang 九江, Jiangxi" -瑞昌市,ruì chāng shì,"Ruichang, county-level city in Jiujiang 九江, Jiangxi" -瑞朗,ruì lǎng,Swiss franc -瑞氏染料,ruì shì rǎn liào,Wright's stain (used in studying blood) -瑞氏染色,ruì shì rǎn sè,Wright's stain (used in studying blood) -瑞气,ruì qì,propitious vapours -瑞波币,ruì bō bì,Ripple (digital currency) -瑞尔,ruì ěr,riel (Cambodian currency) -瑞狮,ruì shī,"Rui Shi, Auspicious Lions of Chinese mythology" -瑞兽,ruì shòu,auspicious animal (such as the dragon) -瑞穗,ruì suì,"Ruisui or Juisui township in Hualien County 花蓮縣|花莲县[Hua1 lian2 Xian4], east Taiwan" -瑞穗乡,ruì suì xiāng,"Ruisui or Juisui township in Hualien County 花蓮縣|花莲县[Hua1 lian2 Xian4], east Taiwan" -瑞色,ruì sè,lovely color -瑞芳,ruì fāng,"Ruifang or Juifang town in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -瑞芳镇,ruì fāng zhèn,"Ruifang or Juifang town in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -瑞萨,ruì sà,Renesas Electronics (Japanese microchip company) -瑞金,ruì jīn,"Ruijin, county-level city in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -瑞金市,ruì jīn shì,"Ruijin, county-level city in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -瑞雪,ruì xuě,timely snow -瑞香,ruì xiāng,winter daphne -瑞丽,ruì lì,"Ruili city in Dehong Dai and Jingpo autonomous prefecture 德宏傣族景頗族自治州|德宏傣族景颇族自治州[De2 hong2 Dai3 zu2 Jing3 po1 zu2 zi4 zhi4 zhou1], Yunnan" -瑞丽市,ruì lì shì,"Ruili city in Dehong Dai and Jingpo autonomous prefecture 德宏傣族景頗族自治州|德宏傣族景颇族自治州[De2 hong2 Dai3 zu2 Jing3 po1 zu2 zi4 zhi4 zhou1], Yunnan" -瑟,sè,"a type of standing harp, smaller than konghou 箜篌, with 5-25 strings" -瑟瑟,sè sè,trembling; rustling -瑟瑟发抖,sè sè fā dǒu,to shiver -瑟索,sè suǒ,to shiver; to tremble -瑟缩,sè suō,to curl up shivering (from cold); timid and trembling (in fear); to shrink; to cower -琉,liú,old variant of 琉[liu2] -琐,suǒ,fragmentary; trifling -琐事,suǒ shì,trifle -琐屑,suǒ xiè,trivial matters; petty things -琐碎,suǒ suì,trifling; trivial; tedious; inconsequential -琐细,suǒ xì,trivial -琐罗亚斯德,suǒ luó yà sī dé,"Zoroaster, Zarathustra or Zarathushtra (c. 1200 BC), Persian prophet and founder of Zoroastrianism" -琐罗亚斯德教,suǒ luó yà sī dé jiào,Zoroastrianism -琐罗亚斯特,suǒ luó yà sī tè,Zoroaster -琐闻,suǒ wén,news items -琐记,suǒ jì,fragmentary recollections; miscellaneous notes -瑶,yáo,Yao ethnic group of southwest China and southeast Asia; surname Yao -瑶,yáo,jade; precious stone; mother-of-pearl; nacre; precious; used a complementary honorific -瑶之圃,yáo zhī pǔ,jade garden of celestial ruler; paradise -瑶族,yáo zú,Yao ethnic group of southwest China and southeast Asia -瑶池,yáo chí,"the Jade lake on Mount Kunlun, residence of Xi Wangmu 西王母" -瑶海,yáo hǎi,"Yaohai, a district of Hefei City 合肥市[He2fei2 Shi4], Anhui" -瑶海区,yáo hǎi qū,"Yaohai, a district of Hefei City 合肥市[He2fei2 Shi4], Anhui" -莹,yíng,luster of gems -玛,mǎ,agate; cornelian -玛仁糖,mǎ rén táng,traditional Xinjiang sweet walnut cake -玛俐欧,mǎ lì ōu,"Mario (Nintendo video game character); also transcribed variously as 馬里奧|马里奥[Ma3 li3 ao4], 馬力歐|马力欧[Ma3 li4 ou1] etc" -玛克辛,mǎ kè xīn,Maxine (name) -玛利亚,mǎ lì yà,Mary (biblical name) -玛卡,mǎ kǎ,maca (Lepidium meyenii) -玛多,mǎ duō,"Madoi or Maduo county (Tibetan: rma stod rdzong) in Golog Tibetan autonomous prefecture 果洛州[Guo3 luo4 zhou1], Qinghai" -玛多县,mǎ duō xiàn,"Madoi or Maduo county (Tibetan: rma stod rdzong) in Golog Tibetan autonomous prefecture 果洛州[Guo3 luo4 zhou1], Qinghai" -玛奇朵,mǎ qí duǒ,macchiato (loanword); latte macchiato (coffee) -玛家,mǎ jiā,"Machia township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -玛家乡,mǎ jiā xiāng,"Machia township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -玛尼,mǎ ní,Mani (god) -玛律,mǎ lǜ,"Malé, capital of Maldives (Tw)" -玛德琳,mǎ dé lín,Madeleine (name) -玛德琳,mǎ dé lín,madeleine (French cake) -玛拉基亚,mǎ lā jī yà,Malachi -玛拉基书,mǎ lā jī shū,Book of Malachi -玛拿西,mǎ ná xī,Manasseh (son of Hezekiah) -玛曲,mǎ qǔ,"Maqu County in Gannan Tibetan Autonomous Prefecture 甘南藏族自治州[Gan1 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Gansu" -玛曲县,mǎ qǔ xiàn,"Maqu County in Gannan Tibetan Autonomous Prefecture 甘南藏族自治州[Gan1 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Gansu" -玛格丽特,mǎ gé lì tè,Margaret (name) -玛格丽特,mǎ gé lì tè,margarita (cocktail) -玛沁,mǎ qìn,"Maqên or Maqin county (Tibetan: rma chen rdzong) in Golog Tibetan autonomous prefecture 果洛州[Guo3 luo4 zhou1], Qinghai" -玛沁县,mǎ qìn xiàn,"Maqên or Maqin county (Tibetan: rma chen rdzong) in Golog Tibetan autonomous prefecture 果洛州[Guo3 luo4 zhou1], Qinghai" -玛瑙,mǎ nǎo,cornelian (mineral); agate -玛瑙贝,mǎ nǎo bèi,cowrie -玛窦,mǎ dòu,Matthew; St Matthew the evangelist; less common variant of 馬太|马太[Ma3 tai4] (preferred by the Catholic Church) -玛窦福音,mǎ dòu fú yīn,Gospel according to St Matthew -玛纳斯,mǎ nà sī,"Manas, hero of Kyrghiz epic saga; Manas county and town in Changji Hui autonomous prefecture 昌吉回族自治州[Chang1 ji2 Hui2 zu2 zi4 zhi4 zhou1], Xinjiang" -玛纳斯河,mǎ nà sī hé,"Manas River, Xinjiang" -玛纳斯县,mǎ nà sī xiàn,"Manas county in Changji Hui autonomous prefecture 昌吉回族自治州[Chang1 ji2 Hui2 zu2 zi4 zhi4 zhou1], Xinjiang" -玛纳斯镇,mǎ nà sī zhèn,"Manas town in Changji Hui autonomous prefecture 昌吉回族自治州[Chang1 ji2 Hui2 zu2 zi4 zhi4 zhou1], Xinjiang" -玛芬,mǎ fēn,muffin (loanword) -玛莎拉,mǎ shā lā,(loanword) masala -玛莎拉蒂,mǎ shā lā dì,Maserati -玛迪达,mǎ dí dá,Matilda (name) -玛雅,mǎ yǎ,Maya (civilization) -玛雅人,mǎ yǎ rén,Maya peoples -玛丽,mǎ lì,Mary or Marie (name); Mali -玛丽亚,mǎ lì yà,Maria (name) -玛丽娅,mǎ lì yà,Maria (name); St Mary -瑭,táng,(jade) -琅,láng,used in 瑯琊|琅琊[Lang2 ya2] -琅,láng,(gem); tinkling of pendants -琅琊,láng yá,"Langya, a district in Chuzhou City 滁州市[Chu2zhou1 Shi4], Anhui" -琅琊区,láng yá qū,"Langya, a district in Chuzhou City 滁州市[Chu2zhou1 Shi4], Anhui" -琅琊山,láng yá shān,Mt Langya in eastern Anhui Province -瑰,guī,(semiprecious stone); extraordinary -瑰伟,guī wěi,ornate (style); magnificent -瑰奇,guī qí,magnificent; precious -瑰宝,guī bǎo,a treasure; a rare and valuable thing -瑰玮,guī wěi,ornate (style); magnificent -瑰异,guī yì,marvelous; magnificent -瑰丽,guī lì,elegant; magnificent; exceptionally beautiful -瑱,tiàn,"(literary) jade pendants attached to an official hat and hanging beside each ear, symbolizing refusal to listen to malicious talk; (literary) to fill up" -瑱,zhèn,jade weight -瑾,jǐn,brilliancy (of gems) -璀,cuǐ,luster of gems -璀璀,cuǐ cuǐ,bright and clear -璀璨,cuǐ càn,bright; resplendent -璀璨夺目,cuǐ càn duó mù,dazzling (idiom) -璀错,cuǐ cuò,many and varied -璁,cōng,stone similar to jade -璃,lí,colored glaze; glass -璇,xuán,(jade) -琏,liǎn,sacrificial vessel used for grain offerings; also pr. [lian2] -璋,zhāng,"jade tablet used in ceremonies, shaped like the left or right half of a ""gui"" 圭[gui1], also given to male infants to play with" -璐,lù,beautiful jade -璚,jué,half-circle jade ring -璚,qióng,(red stone) -璜,huáng,semicircular jade ornament -璞,pú,unpolished gem -琉,liú,old variant of 琉[liu2] -玑,jī,irregular pearl -瑷,ài,fine quality jade -瑷珲条约,ài hún tiáo yuē,"Treaty of Aigun, 1858 unequal treaty forced on Qing China by Tsarist Russia" -璧,bì,jade annulus -璧山,bì shān,"Bishan, a district of Chongqing 重慶|重庆[Chong2qing4]" -璧山区,bì shān qū,"Bishan, a district of Chongqing 重慶|重庆[Chong2qing4]" -璧玉,bì yù,jade disk with a hole in the center -璧谢,bì xiè,decline (a gift) with thanks -璧还,bì huán,return (a borrowed object) with thanks; decline (a gift) with thanks -璨,càn,gem; luster of gem -璨玉,càn yù,lustrous jade -璨璨,càn càn,very bright -璨美,càn měi,resplendent -璩,qú,surname Qu -璩,qú,(jade ring) -环,huán,surname Huan -环,huán,ring; hoop; loop; (chain) link; classifier for scores in archery etc; to surround; to encircle; to hem in -环住,huán zhù,to embrace -环保,huán bǎo,environmental protection; environmentally friendly; abbr. for 環境保護|环境保护[huan2 jing4 bao3 hu4] -环保主义,huán bǎo zhǔ yì,environmentalism -环保主义者,huán bǎo zhǔ yì zhě,environmentalist -环保型,huán bǎo xíng,environmental; environmentally friendly -环保局,huán bǎo jú,environment protection office; PRC National bureau of environmental protection -环保厅,huán bǎo tīng,(provincial) department of environmental protection -环保科学,huán bǎo kē xué,environmental science -环保筷,huán bǎo kuài,reusable chopsticks (Tw) -环保部,huán bǎo bù,Ministry of Environmental Protection -环保斗士,huán bǎo dòu shì,an environmental activist; a fighter for environmental protection -环创,huán chuàng,"eye-catching décor for young children (in classrooms, libraries etc) (posters, mobiles, murals etc) (abbr. for 環境創設|环境创设[huan2 jing4 chuang4 she4])" -环化,huán huà,to cyclize; cyclization (chemistry) -环围,huán wéi,to form a ring around -环城,huán chéng,"encircling the city (of walls, ring road etc); around the city" -环境,huán jìng,environment; circumstances; surroundings; CL:個|个[ge4]; ambient -环境保护,huán jìng bǎo hù,environmental protection -环境保护部,huán jìng bǎo hù bù,(PRC) Ministry of Environmental Protection (MEP) -环境创设,huán jìng chuàng shè,"design of a learning environment for young children, incorporating artwork designed to appeal to them (abbr. to 環創|环创[huan2 chuang4])" -环境因素,huán jìng yīn sù,environmental factor -环境影响,huán jìng yǐng xiǎng,environmental impact -环境影响评估,huán jìng yǐng xiǎng píng gū,environmental impact assessment EIA; abbr. to 環評|环评 -环境损害,huán jìng sǔn hài,environmental damage -环境污染,huán jìng wū rǎn,environmental pollution -环境温度,huán jìng wēn dù,environmental temperature -环境行动主义,huán jìng xíng dòng zhǔ yì,environmentalism; environmental activism -环境卫生,huán jìng wèi shēng,environmental sanitation; abbr. to 環衛|环卫[huan2 wei4] -环太平洋,huán tài píng yáng,Pacific Rim -环太平洋地震带,huán tài píng yáng dì zhèn dài,Ring of Fire (circum-Pacific seismic belt) -环太平洋火山带,huán tài píng yáng huǒ shān dài,Ring of Fire (circum-Pacific seismic belt) -环岛,huán dǎo,traffic circle; rotary; roundabout; to travel around an island -环带,huán dài,clitellum (worm anatomy) -环幕,huán mù,360° cinema screen -环形,huán xíng,ring-shaped; (math.) annulus -环形公路,huán xíng gōng lù,ring road; beltway -环形山,huán xíng shān,crater; ring-shaped mountain -环形结构,huán xíng jié gòu,ring configuration -环形路,huán xíng lù,circular road; circuit -环戊烯,huán wù xī,cyclopentene C5H8 (ring of five carbon atoms) -环抱,huán bào,to encircle; to surround; to embrace -环极涡旋,huán jí wō xuán,circumpolar vortex -环比,huán bǐ,"(statistics) period on period (i.e. ""month on month"" or ""quarter on quarter"" etc, depending on the context)" -环氧乙烷,huán yǎng yǐ wán,ethylene oxide -环氧树脂,huán yǎng shù zhī,epoxy resin (chemistry) -环江,huán jiāng,Huanjiang Maonanzu autonomous county in Guangxi -环江毛南族自治县,huán jiāng máo nán zú zì zhì xiàn,"Huanjiang Maonan autonomous county in Hezhou 賀州|贺州[He4 zhou1], Guangxi" -环江县,huán jiāng xiàn,"Huanjiang Maonan autonomous county in Hezhou 賀州|贺州[He4 zhou1], Guangxi" -环法,huán fǎ,Tour de France cycle race; abbr. for 環法自行車賽|环法自行车赛 -环法自行车赛,huán fǎ zì xíng chē sài,Tour de France cycle race -环渤海湾地区,huán bó hǎi wān dì qū,"Bohai Economic Rim (economic region including Beijing, Tianjin, Hebei, Liaoning and Shandong)" -环烃,huán tīng,cyclic hydrocarbon (i.e. involving benzene ring) -环烷烃,huán wán tīng,cycloalkane -环状,huán zhuàng,annular; toroidal; loop-shaped; ring-like -环状列石,huán zhuàng liè shí,circular standing stones -环球,huán qiú,around the world; worldwide -环球化,huán qiú huà,globalization -环球唱片,huán qiú chàng piàn,Universal Records -环球定位系统,huán qiú dìng wèi xì tǒng,global positioning system (GPS) -环球旅行,huán qiú lǚ xíng,journey around the world -环球时报,huán qiú shí bào,Global Times (weekly digest of international news from People's Daily 人民日報|人民日报[Ren2 min2 Ri4 bao4]) -环球音乐集团,huán qiú yīn yuè jí tuán,Universal Music Group -环环相扣,huán huán xiāng kòu,closely linked with one another; interlocked; to interrelate -环磷酰胺,huán lín xiān àn,cyclophosphamide (medication) -环礁,huán jiāo,atoll -环秀山庄,huán xiù shān zhuāng,"Mountain Villa with Embracing Beauty in Suzhou, Jiangsu" -环箍,huán gū,a hoop -环节,huán jié,"(zoology) segment (of the body of a worm, centipede etc); (fig.) a part of an integrated whole: aspect (of a project), element (of a policy), sector (of the economy), stage (of a process) etc" -环节动物,huán jié dòng wù,annelid (worm) -环节动物门,huán jié dòng wù mén,"Annelidan, the phylum of annelid worms" -环线,huán xiàn,ring road; circle line (e.g. rail or subway) -环县,huán xiàn,"Huan county in Qingyang 慶陽|庆阳[Qing4 yang2], Gansu" -环绕,huán rào,to surround; to circle; to revolve around -环翠,huán cuì,"Huancui district of Weihai city 威海市, Shandong" -环翠区,huán cuì qū,"Huancui district of Weihai city 威海市, Shandong" -环肌,huán jī,circular muscle -环卫,huán wèi,public cleanliness; (urban) sanitation; environmental sanitation; abbr. for 環境衛生|环境卫生[huan2 jing4 wei4 sheng1] -环卫工人,huán wèi gōng rén,sanitation worker -环衬,huán chèn,endpaper -环视,huán shì,to look around (a room etc); (fig.) to take a comprehensive look at -环评,huán píng,environmental impact assessment (EIA); abbr. for 環境影響評估|环境影响评估 -环路,huán lù,ring road; closed circuit; loop -环游,huán yóu,"to travel around (the world, a country etc)" -环面,huán miàn,ring surface; annulus; torus (math.) -环颈山鹧鸪,huán jǐng shān zhè gū,(bird species of China) hill partridge (Arborophila torqueola) -环颈鸻,huán jǐng héng,(bird species of China) Kentish plover (Charadrius alexandrinus) -环顾,huán gù,to look around; to survey -环顾四周,huán gù sì zhōu,to look around -环香,huán xiāng,incense coil -璺,wèn,"a crack (in porcelain, glassware etc); CL:道[dao4]" -玺,xǐ,ruler's seal -玺印,xǐ yìn,seal (esp. of ruler) -璇,xuán,variant of 璇[xuan2] -璃,lí,variant of 璃[li2] -琼,qióng,"jasper; fine jade; beautiful; exquisite (e.g. wine, food); abbr. for Hainan province" -琼中,qióng zhōng,"Qiongzhong Li and Miao autonomous county, Hainan" -琼中县,qióng zhōng xiàn,"Qiongzhong Li and Miao autonomous county, Hainan" -琼中黎族苗族自治县,qióng zhōng lí zú miáo zú zì zhì xiàn,"Qiongzhong Li and Miao autonomous county, Hainan" -琼山,qióng shān,"Qiongshan district of Haikou city 海口市[Hai3 kou3 shi4], Hainan" -琼山区,qióng shān qū,"Qiongshan district of Haikou city 海口市[Hai3 kou3 shi4], Hainan" -琼山市,qióng shān shì,"Qiongshan city, Hainan" -琼崖,qióng yá,"Qiongya, historic name for Hainan Island 海南島|海南岛[Hai3 nan2 Dao3]" -琼州,qióng zhōu,"Qiongzhou, historic name for Hainan Island 海南島|海南岛[Hai3 nan2 Dao3]" -琼州海峡,qióng zhōu hǎi xiá,Qiongzhou Strait (between Hainan Island and mainland China) -琼斯,qióng sī,Jones (name) -琼斯顿,qióng sī dùn,Johnston (name) -琼楼玉宇,qióng lóu yù yǔ,bejeweled jade palace (idiom); sumptuous dwelling -琼海,qióng hǎi,"Qionghai City, Hainan" -琼海市,qióng hǎi shì,"Qionghai City, Hainan" -琼浆玉液,qióng jiāng yù yè,bejeweled nectar (idiom); ambrosia of the immortals; superb liquor; top quality wine -琼瑛,qióng yīng,jade-like stone -琼瑶,qióng yáo,"Chiung Yao (1938-), Taiwanese writer" -琼筵,qióng yán,banquet; elaborate feast -琼结,qióng jié,"Qonggyai county, Tibetan: 'Phyongs rgyas, in Lhokha prefecture 山南地區|山南地区[Shan1 nan2 di4 qu1], Tibet" -琼结县,qióng jié xiàn,"Qonggyai county, Tibetan: 'Phyongs rgyas rdzong, in Lhokha prefecture 山南地區|山南地区[Shan1 nan2 di4 qu1], Tibet" -琼脂,qióng zhī,agar -瑰,guī,old variant of 瑰[gui1] -珑,lóng,tinkling of gem-pendants -璎,yīng,necklace -璎珞,yīng luò,jade or pearl necklace -瓒,zàn,libation cup -瓜,guā,melon; gourd; squash; (slang) a piece of gossip -瓜代,guā dài,a changeover of personnel; a new shift; (lit.) replacement for soldier on leave for the melon-picking season -瓜分,guā fēn,to partition; to divide up -瓜地马拉,guā dì mǎ lā,Guatemala (Tw) -瓜娃子,guā wá zi,(dialect) fool; a silly -瓜子,guā zǐ,"melon seed; seeds of pumpkin, watermelon or sunflower etc, roasted and flavored, consumed as a snack" -瓜子脸,guā zǐ liǎn,oval face -瓜州,guā zhōu,"Guazhou county in Jiuquan 酒泉, Gansu" -瓜州县,guā zhōu xiàn,"Guazhou county in Jiuquan 酒泉[Jiu3 quan2], Gansu" -瓜德罗普,guā dé luó pǔ,Guadeloupe -瓜拉丁加奴,guā lā dīng jiā nú,"Kuala Terengganu, capital of Terengganu state, Malaysia" -瓜拿纳,guā ná nà,guarana (Paullinia cupana) -瓜果,guā guǒ,fruit (plural sense); melons and fruit -瓜熟蒂落,guā shú dì luò,"when the melon is ripe, it falls (idiom); problems sort themselves out in the fullness of time" -瓜田李下,guā tián lǐ xià,"abbr. for 瓜田不納履,李下不整冠|瓜田不纳履,李下不整冠[gua1 tian2 bu4 na4 lu:3 , li3 xia4 bu4 zheng3 guan1]" -瓜皮帽,guā pí mào,Chinese skullcap resembling the skin of half a watermelon -瓜脐,guā qí,the umbilicus of a melon -瓜菜,guā cài,fruit and vegetables -瓜葛,guā gé,connection; association; involvement -瓜蒂,guā dì,pedicel and calyx of muskmelon (used in TCM) -瓜农,guā nóng,melon farmer -瓜达卡纳尔岛,guā dá kǎ nà ěr dǎo,Guadalcanal Island -瓜达卡纳尔战役,guā dá kǎ nà ěr zhàn yì,"battle of Guadalcanal of late 1942, the turning point of the war in the Pacific" -瓜达拉哈拉,guā dá lā hā lā,Guadalajara -瓜达拉马,guā dá lā mǎ,"Sierra de Guadarrama (mountain range across Iberia, passing north of Madrid)" -瓜达拉马山,guā dá lā mǎ shān,"Sierra de Guadarrama (mountain range across Iberia, passing north of Madrid)" -瓜达尔,guā dá ěr,"Gwadar, free trade port city in Pakistani province of Baluchistan" -瓜达尔港,guā dá ěr gǎng,Gwadar Port on Arabian Sea in Pakistani province of Baluchistan -瓞,dié,young melon -瓠,hù,gourd -瓠瓜,hù guā,bottle gourd -瓢,piáo,dipper; ladle -瓢泼,piáo pō,(of rain) pouring -瓢泼大雨,piáo pō dà yǔ,downpour (idiom) -瓢泼而下,piáo pō ér xià,(of rain) to fall heavily -瓢虫,piáo chóng,ladybug; ladybird -瓣,bàn,"petal; segment; clove (of garlic); piece; section; fragment; valve; lamella; classifier for pieces, segments etc" -瓣胃,bàn wèi,omasum (third compartment of a ruminant's stomach) -瓣膜,bàn mó,valve (biological) -瓣鳃纲,bàn sāi gāng,Lamellibranchia; class of bivalves -瓤,ráng,pulp (of fruit); sth inside a covering; bad; weak -瓤儿,ráng er,erhua variant of 瓤[rang2] -瓦,wǎ,roof tile; abbr. for 瓦特[wa3 te4] -瓦亮,wǎ liàng,shiny; very bright -瓦利,wǎ lì,Váli (son of Odin) -瓦利斯和富图纳,wǎ lì sī hé fù tú nà,Wallis and Futuna (French island collectivity in the South Pacific) -瓦剌,wǎ là,Oirat Mongols (alliance of tribes of Western Mongolia) (Ming Dynasty term) -瓦加杜古,wǎ jiā dù gǔ,"Ouagadougou, capital of Burkina Faso" -瓦努阿图,wǎ nǔ ā tú,"Vanuatu, country in the southwestern Pacific Ocean" -瓦勒他,wǎ lè tā,"Valletta, capital of Malta (Tw)" -瓦匠,wǎ jiang,bricklayer; tiler -瓦哈比教派,wǎ hā bǐ jiào pài,Wahhabism (a conservative sect of Islam) -瓦器,wǎ qì,pottery -瓦城,wǎ chéng,"another name for Mandalay 曼德勒, Myanmar's second city" -瓦工,wǎ gōng,tiling; bricklaying; plastering -瓦德瑟,wǎ dé sè,"Vadsø (city in Finnmark, Norway)" -瓦德西,wǎ dé xī,"Waldersee (name); Alfred Graf Von Waldersee (1832-1904), commander-in-chief of the Eight-Nation Alliance 八國聯軍|八国联军[Ba1 guo2 Lian2 jun1]" -瓦房,wǎ fáng,tile-roofed house -瓦房店,wǎ fáng diàn,"Wangfangdian, county-level city in Dalian 大連|大连[Da4 lian2], Liaoning" -瓦房店市,wǎ fáng diàn shì,"Wangfangdian, county-level city in Dalian 大連|大连[Da4 lian2], Liaoning" -瓦斯,wǎ sī,gas (loanword) -瓦杜兹,wǎ dù zī,"Vaduz, capital of Liechtenstein" -瓦楞,wǎ léng,rows of tiles on a roof; corrugated -瓦楞纸,wǎ léng zhǐ,corrugated fiberboard; corrugated cardboard -瓦尔基里,wǎ ěr jī lǐ,valkyrie -瓦尔德,wǎ ěr dé,"Vardø (city in Finnmark, Norway)" -瓦尔特,wǎ ěr tè,Walter -瓦尔纳,wǎ ěr nà,Varna (city in Bulgaria) -瓦尔达克,wǎ ěr dá kè,Wardak (Afghan province) -瓦尔达克省,wǎ ěr dá kè shěng,Wardak (Afghan province) -瓦片,wǎ piàn,tile; CL:塊|块[kuai4] -瓦特,wǎ tè,watt (loanword) -瓦当,wǎ dāng,eaves-tile -瓦砚,wǎ yàn,ink stone or ink slab made from an antique palace tile -瓦砾,wǎ lì,rubble; debris -瓦砾堆,wǎ lì duī,pile of rubble; debris -瓦罕走廊,wǎ hǎn zǒu láng,"Wakhan Corridor, panhandle in the northeast of Afghanistan sharing a border with China at its eastern end" -瓦良格,wǎ liáng gé,"Varyag, former Soviet aircraft carrier purchased by China and renamed 遼寧號|辽宁号[Liao2 ning2 Hao4]" -瓦良格人,wǎ liáng gé rén,Varangian (medieval term for Viking) -瓦莱塔,wǎ lái tǎ,"Valletta, capital of Malta" -瓦萨比,wǎ sà bǐ,wasabi (loanword) -瓦蓝,wǎ lán,(usu. of the sky) azure; bright blue -瓦西里,wǎ xī lǐ,Vasily (name) -瓦西里耶维奇,wǎ xī lǐ yē wéi qí,Vasilievich (name) -瓦解,wǎ jiě,to collapse; to disintegrate; to crumble; to disrupt; to break up -瓦解冰泮,wǎ jiě bīng pàn,complete disintegration -瓦赫基尔河,wǎ hè jī ěr hé,Vakhsh river (upper reaches of Amu Darya) -瓦都兹,wǎ dū zī,"Vaduz, capital of Liechtenstein (Tw)" -瓦里斯,wǎ lǐ sī,"Wallis (name); John Wallis (1616-1703), English mathematician, precursor of Newton" -瓦隆,wǎ lōng,"Walloon, inhabitant of Southern French-speaking area of Belgium" -瓮,wèng,variant of 甕|瓮[weng4]; earthen jar; urn -瓴,líng,concave channels of tiling -瓶,píng,bottle; vase; pitcher; CL:個|个[ge4]; classifier for wine and liquids -瓶塞,píng sāi,bottle cork; bottle stopper -瓶塞钻,píng sāi zuàn,corkscrew -瓶子,píng zi,bottle; CL:個|个[ge4] -瓶盂,píng yú,jar; flask; vase; bottle -瓶胚,píng pēi,preform -瓶胆,píng dǎn,the vacuum bottle within the outer case of a thermos -瓶盖,píng gài,bottle cap -瓶装,píng zhuāng,bottled -瓶领,píng lǐng,bottle collar -瓶颈,píng jǐng,neck of a bottle; (fig.) bottleneck; problem that impedes progress -瓶鼻海豚,píng bí hǎi tún,bottle-nosed dolphin (Tursiops truncatus) -瓷,cí,chinaware; porcelain; china -瓷器,cí qì,chinaware; porcelain -瓷实,cí shi,(dialect) firm; robust -瓷瓶,cí píng,porcelain bottle -瓷砖,cí zhuān,ceramic tile -瓷釉,cí yòu,porcelain glaze -瓿,bù,a kind of vase (old); see 安瓿[an1 bu4] -甄,zhēn,surname Zhen -甄,zhēn,to distinguish; to evaluate -甄别,zhēn bié,to screen; to discriminate; to reexamine a case; screening (of applicants etc) -甄别考试,zhēn bié kǎo shì,to screen; to grade by examination; screening; placement test -甄审,zhēn shěn,to screen and select (candidates etc) -甄拔,zhēn bá,to select -甄汰,zhēn tài,to eliminate by examination -甄用,zhēn yòng,to employ by examination -甄综,zhēn zōng,to comprehensively appraise and select -甄藻,zhēn zǎo,to discern talent -甄训,zhēn xùn,(Tw) to identify (talented individuals) and give them training -甄试,zhēn shì,selection test; admission exam -甄选,zhēn xuǎn,to select; to pick -甄录,zhēn lù,to employ by an examination -甄陶,zhēn táo,to make sth of clay; to appraise people of talent -瓯,ōu,old name for Wenzhou City 溫州市|温州市[Wen1 zhou1 shi4] in Zhejiang 浙江[Zhe4 jiang1] -瓯,ōu,(pottery) bowl or drinking vessel -瓯海,ōu hǎi,"Ouhai district of Wenzhou city 溫州市|温州市[Wen1 zhou1 shi4], Zhejiang" -瓯海区,ōu hǎi qū,"Ouhai district of Wenzhou city 溫州市|温州市[Wen1 zhou1 shi4], Zhejiang" -甍,méng,rafters supporting tiles; ridge of a roof -砖,zhuān,variant of 磚|砖[zhuan1] -甏,bèng,"a squat jar for holding wine, sauces etc" -甑,zèng,cauldron; rice pot -甓,pì,glazed tile -瓮,wèng,surname Weng -瓮,wèng,"pottery container for water, wine etc" -瓮中之鳖,wèng zhōng zhī biē,lit. like a turtle in a jar; to be trapped (idiom) -瓮中捉鳖,wèng zhōng zhuō biē,lit. to catch a turtle in a jar (idiom); fig. to go after easy prey -瓮城,wèng chéng,enceinte of a city gate; barbican entrance to a city -瓮安,wèng ān,"Wengan county in Qiannan Buyei and Miao autonomous prefecture 黔南州[Qian2 nan2 zhou1], Guizhou" -瓮安县,wèng ān xiàn,"Wengan county in Qiannan Buyei and Miao autonomous prefecture 黔南州[Qian2 nan2 zhou1], Guizhou" -瓮棺,wèng guān,funerary urn -瓮棺葬,wèng guān zàng,urn burial -瓮声瓮气,wèng shēng wèng qì,to speak in a low muffled voice (idiom) -瓮菜,wèng cài,variant of 蕹菜[weng4 cai4] -罂,yīng,variant of 罌|罂[ying1] -甘,gān,surname Gan; abbr. for Gansu Province 甘肅省|甘肃省[Gan1su4 Sheng3] -甘,gān,sweet; willing -甘丹寺,gān dān sì,"Ganden monastery, Tibetan: dGa' ldan rNam rgyal gling, Dagzê county 達孜縣|达孜县[Da2 zi1 xian4], Lhasa, Tibet" -甘之如饴,gān zhī rú yí,"lit. as sweet as syrup (idiom, from Book of Songs); to endure hardship gladly; a glutton for punishment" -甘井子区,gān jǐng zi qū,"Ganjingzi district of Dalian 大連市|大连市[Da4 lian2 shi4], Liaoning" -甘南,gān nán,"Gannan county in Qiqihar 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -甘南州,gān nán zhōu,Gannan Tibetan Autonomous Prefecture; abbr. for 甘南藏族自治州[Gan1 nan2 Zang4 zu2 Zi4 zhi4 zhou1] -甘南县,gān nán xiàn,"Gannan county in Qiqihar 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -甘南藏族自治州,gān nán zàng zú zì zhì zhōu,Gannan Tibetan Autonomous Prefecture in Gansu -甘味,gān wèi,sweetness; sweet taste -甘味剂,gān wèi jì,sweetener -甘味料,gān wèi liào,sweetener -甘地,gān dì,(Mahatma) Gandhi -甘孜,gān zī,"Garze or Kandze, capital of Garze Tibetan autonomous prefecture 甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1], formerly in Kham province of Tibet, present Sichuan" -甘孜州,gān zī zhōu,"Garze or Kandze, Tibetan autonomous prefecture (Tibetan: dkar mdzes bod rigs rang skyong khul), formerly in Kham province of Tibet, present Sichuan" -甘孜县,gān zī xiàn,"Garzê county (Tibetan: dkar mdzes rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1], Sichuan (formerly in Kham province of Tibet)" -甘孜藏族自治州,gān zī zàng zú zì zhì zhōu,"Garze or Kandze, Tibetan autonomous prefecture (Tibetan: dkar mdzes bod rigs rang skyong khul), formerly in Kham province of Tibet, present Sichuan" -甘州,gān zhōu,"Ganzhou district of Zhangye city 張掖市|张掖市[Zhang1 ye4 shi4], Gansu" -甘州区,gān zhōu qū,"Ganzhou district of Zhangye city 張掖市|张掖市[Zhang1 ye4 shi4], Gansu" -甘巴里,gān bā lǐ,"Professor Ibrahim Gambari (1944-), Nigerian scholar and diplomat, ambassador to UN 1990-1999, UN envoy to Burma from 2007" -甘德,gān dé,"Gadê or Gande county (Tibetan: dga' bde rdzong) in Golog Tibetan autonomous prefecture 果洛州[Guo3 luo4 zhou1], Qinghai" -甘德县,gān dé xiàn,"Gadê or Gande county (Tibetan: dga' bde rdzong) in Golog Tibetan autonomous prefecture 果洛州[Guo3 luo4 zhou1], Qinghai" -甘心,gān xīn,to be willing to; to resign oneself to -甘心情愿,gān xīn qíng yuàn,willingly and gladly (idiom) -甘托克,gān tuō kè,"Gantok, capital of Sikkim, India" -甘拜下风,gān bài xià fēng,to step down gracefully (humble expression); to concede defeat; to play second fiddle -甘于,gān yú,"to be willing to; to be ready to; to be content with; accepting (of restriction, sacrifice, risk etc)" -甘榜,gān bǎng,"kampong (loanword); also pr. gānbōng, imitating Malay" -甘比亚,gān bǐ yà,Gambia (Tw) -甘氨酸,gān ān suān,"glycine (Gly), an amino acid" -甘汞,gān gǒng,calomel or mercurous chloride (Hg2Cl2) -甘油,gān yóu,glycerine; glycerol -甘油三脂,gān yóu sān zhī,triglyceride -甘油三酯,gān yóu sān zhǐ,triglyceride -甘油栓剂,gān yóu shuān jì,glycerine suppository -甘油醛,gān yóu quán,glyceraldehyde (CH2O)3 -甘泉,gān quán,"Ganquan county in Yan'an 延安[Yan2 an1], Shaanxi" -甘泉县,gān quán xiàn,"Ganquan county in Yan'an 延安[Yan2 an1], Shaanxi" -甘洛,gān luò,"Ganluo county in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -甘洛县,gān luò xiàn,"Ganluo county in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -甘甜,gān tián,sweet -甘糖醇,gān táng chún,"mannitol C6H14O6, a sugar alcohol" -甘纳许,gān nà xǔ,ganache (loanword) -甘纳豆,gān nà dòu,"amanattō, traditional Japanese sweets made from azuki or other beans" -甘肃,gān sù,"Gansu province, abbr. 甘[Gan1], short name 隴|陇[Long3], capital Lanzhou 蘭州|兰州[Lan2 zhou1]" -甘肃柳莺,gān sù liǔ yīng,(bird species of China) Gansu leaf warbler (Phylloscopus kansuensis) -甘肃省,gān sù shěng,"Gansu Province, abbr. 甘[Gan1], short name 隴|陇[Long3], capital Lanzhou 蘭州|兰州[Lan2 zhou1]" -甘苦,gān kǔ,good times and hardships; joys and tribulations; for better or for worse -甘草,gān cǎo,licorice root -甘菊,gān jú,chamomile -甘蔗,gān zhe,sugar cane; CL:節|节[jie2] -甘蔗渣,gān zhe zhā,bagasse -甘薯,gān shǔ,sweet potato; Ipomoea batatas -甘蓝,gān lán,cabbage; Chinese broccoli; gai larn -甘蓝菜,gān lán cài,cabbage -甘言蜜语,gān yán mì yǔ,(idiom) sweet words; sweet talk; cajolery -甘谷,gān gǔ,"Gangu county in Tianshui 天水[Tian1 shui3], Gansu" -甘谷县,gān gǔ xiàn,"Gangu county in Tianshui 天水[Tian1 shui3], Gansu" -甘露糖醇,gān lù táng chún,"mannitol C6H14O6, a sugar alcohol" -甘露醇,gān lù chún,"mannitol C6H14O6, a sugar alcohol" -甘愿,gān yuàn,willingly -甙,dài,"old term for 糖苷[tang2 gan1], glycoside" -甚,shén,variant of 什[shen2] -甚,shèn,excessive; undue; to exceed; to be more than; very; extremely; (dialect) what; whatever (Taiwan pr. [shen2]) -甚且,shèn qiě,even; going as far as to; so much so that -甚嚣尘上,shèn xiāo chén shàng,clamor raises the dust (idiom); a tremendous clamor; to raise a tremendous stink -甚巨,shèn jù,considerable; substantial; very great -甚平,shèn píng,"jinbei, traditional Japanese two-piece clothing worn in the summer" -甚微,shèn wēi,very small; very little; scant; minimal -甚感诧异,shèn gǎn chà yì,amazed; astonished; deeply troubled -甚或,shèn huò,so much so that; to the extent that; even -甚浓,shèn nóng,strong (smell); thick (fog) -甚为,shèn wéi,very; extremely -甚而,shèn ér,even; so much so that -甚而至于,shèn ér zhì yú,even; so much so that -甚至,shèn zhì,even; so much so that -甚至于,shèn zhì yú,so much (that); even (to the extent that) -甚钜,shèn jù,considerable; substantial; very great -甚高频,shèn gāo pín,very high frequency (VHF) -甜,tián,sweet -甜不辣,tián bù là,"deep-fried fish cake popular in Taiwan (loanword from Japanese ""tempura"")" -甜味,tián wèi,sweetness -甜味剂,tián wèi jì,sweetener (food additive) -甜品,tián pǐn,dessert -甜得发腻,tián de fā nì,lovey-dovey; cloying; sugary -甜心,tián xīn,delighted to oblige; sweetheart -甜橙,tián chéng,sweet orange (Citrus sinensis) -甜津津,tián jīn jīn,sweet and delicious -甜润,tián rùn,sweet and mellow; fresh and moist (air) -甜瓜,tián guā,muskmelon -甜甜圈,tián tián quān,doughnut -甜睡,tián shuì,to sleep soundly -甜稚,tián zhì,sweet and innocent -甜筒,tián tǒng,ice-cream cone -甜美,tián měi,sweet; pleasant; happy -甜腻,tián nì,sweet and unctuous; (fig.) overly sentimental -甜菊,tián jú,"Stevia, South American sunflower genus; sugarleaf (Stevia rebaudiana), bush whose leaves produce sugar substitute" -甜菊糖,tián jú táng,"Stevia extract, used as sugar substitute" -甜菜,tián cài,(sugar) beet; (US) beet; (UK) beetroot -甜蜜,tián mì,sweet; happy -甜蜜蜜,tián mì mì,very sweet -甜言,tián yán,sweet words; fine talk -甜言美语,tián yán měi yǔ,"sweet words, beautiful phrases (idiom); hypocritical flattery" -甜言蜜语,tián yán mì yǔ,(idiom) sweet words; sweet talk; cajolery -甜豆,tián dòu,sugar snap pea -甜酒,tián jiǔ,sweet liquor -甜酒酿,tián jiǔ niàng,fermented rice -甜酸,tián suān,sweet and sour -甜酸肉,tián suān ròu,sweet and sour pork -甜头,tián tou,"sweet taste (of power, success etc); benefit" -甜食,tián shí,dessert; sweet -甜高粱,tián gāo liáng,sweet sorghum -甜点,tián diǎn,dessert -尝,cháng,old variant of 嘗|尝[chang2] -生,shēng,to be born; to give birth; life; to grow; raw; uncooked; student -生下,shēng xià,to give birth to -生不逢时,shēng bù féng shí,born at the wrong time (idiom); unlucky (esp. to complain about one's fate); born under an unlucky star; ahead of his time -生事,shēng shì,to make trouble -生人,shēng rén,stranger; living person; to give birth; to be born (in a certain time or place) -生来,shēng lái,from birth; by one's nature -生僻,shēng pì,unfamiliar; rarely seen -生光,shēng guāng,to emit light -生儿育女,shēng ér yù nǚ,to bear and raise children -生冷,shēng lěng,(of food) raw or cold -生冷字,shēng lěng zì,obscure or archaic character -生出,shēng chū,to give birth; to grow (whiskers etc); to generate; to produce -生分,shēng fen,estranged -生前,shēng qián,(of a deceased) during one's life; while living -生前预嘱,shēng qián yù zhǔ,living will -生力军,shēng lì jūn,fresh troops; (fig.) lifeblood; new force -生力面,shēng lì miàn,instant noodles (old) -生动,shēng dòng,vivid; lively -生化,shēng huà,biochemistry -生化学,shēng huà xué,biochemistry -生化武器,shēng huà wǔ qì,biological weapon -生卒年,shēng zú nián,dates of birth and death (of historical figure) -生卒年月,shēng zú nián yuè,dates of birth and death (of historical figure) -生厌,shēng yàn,to disgust; to pall; fed up; tedious; cloying; boring; irritating -生吃,shēng chī,to eat raw -生吞活剥,shēng tūn huó bō,to swallow whole (idiom); fig. to apply uncritically -生命,shēng mìng,"life (as the characteristic of living beings); living being; creature (CL:個|个[ge4],條|条[tiao2])" -生命力,shēng mìng lì,vitality -生命吠陀,shēng mìng fèi tuó,see 阿育吠陀[A1 yu4 fei4 tuo2] -生命在于运动,shēng mìng zài yú yùn dòng,life is motion (popular saying with many possible interpretations); Physical effort is vital for our bodies to function (Aristotle).; Life derives from physical exercise. -生命多样性,shēng mìng duō yàng xìng,biodiversity -生命带,shēng mìng dài,"(neologism) (used in road safety campaigns) ""life-saving belt"", i.e. seat belt; (astrobiology) circumstellar habitable zone" -生命征象,shēng mìng zhēng xiàng,see 生命體徵|生命体征[sheng1 ming4 ti3 zheng1] -生命科学,shēng mìng kē xué,life sciences -生命线,shēng mìng xiàn,lifeline -生命迹象,shēng mìng jì xiàng,see 生命體徵|生命体征[sheng1 ming4 ti3 zheng1] -生命周期,shēng mìng zhōu qī,life cycle -生命体征,shēng mìng tǐ zhēng,vital signs -生员,shēng yuán,scholar preparing for imperial examinations (in former times) -生啤,shēng pí,draft beer; unpasteurized beer -生啤酒,shēng pí jiǔ,draft beer; unpasteurized beer -生土,shēng tǔ,(agr.) immature soil; virgin soil -生境,shēng jìng,habitat -生奶油,shēng nǎi yóu,cream; whipped cream -生子,shēng zǐ,to give birth to a child or children -生字,shēng zì,new character (in textbook); character that is unfamiliar or not yet studied -生存,shēng cún,to exist; to survive -生存环境,shēng cún huán jìng,habitat; living environment -生存农业,shēng cún nóng yè,subsistence farming; subsistence agriculture -生就,shēng jiù,to be born with; to be gifted with -生平,shēng píng,life (a person's whole life); in one's entire life -生平事迹,shēng píng shì jì,lifetime achievements -生平简介,shēng píng jiǎn jiè,biographic sketch -生怕,shēng pà,to fear; afraid; extremely nervous; for fear that; to avoid; so as not to -生性,shēng xìng,natural disposition -生息,shēng xī,to inhabit; to live (in a habitat) -生闷气,shēng mèn qì,to seethe; to sulk; to be pissed off (vulgar) -生意,shēng yì,life force; vitality -生意,shēng yi,business; CL:筆|笔[bi3] -生意盎然,shēng yì àng rán,see 生機盎然|生机盎然[sheng1 ji1 ang4 ran2] -生意经,shēng yi jīng,knack of doing business; business sense -生意兴隆,shēng yì xīng lóng,thriving and prosperous business or trade -生态,shēng tài,ecology -生态友好型,shēng tài yǒu hǎo xíng,eco-friendly -生态圈,shēng tài quān,ecosphere -生态城市,shēng tài chéng shì,sustainable city -生态孤岛,shēng tài gū dǎo,insularization (as a threat to biodiversity) -生态学,shēng tài xué,ecology -生态学家,shēng tài xué jiā,ecologist -生态旅游,shēng tài lǚ yóu,ecotourism -生态环境,shēng tài huán jìng,ecosystem; natural environment -生态环境游,shēng tài huán jìng yóu,ecotourism -生态系,shēng tài xì,ecosystem -生态系统,shēng tài xì tǒng,ecosystem -生态足迹,shēng tài zú jì,ecological footprint -生成,shēng chéng,to generate; to produce; to form; to be formed; to come into being; to be born with; to be blessed with -生成树,shēng chéng shù,spanning tree (in graph theory) -生手,shēng shǒu,novice; new hand; sb new to a job -生技,shēng jì,biotechnology; abbr. for 生物技術|生物技术; (Tw) abbr. for 生物科技 -生技医药,shēng jì yī yào,biopharmaceutical; drug produced by biotechnology -生抽,shēng chōu,light soy sauce -生拉活扯,shēng lā huó chě,to wildly exaggerate the meaning of sth (idiom) -生拉硬拽,shēng lā yìng zhuài,to drag sb along against his will; to draw a forced analogy -生擒,shēng qín,to capture alive -生效,shēng xiào,to take effect; to go into effect -生日,shēng rì,birthday; CL:個|个[ge4] -生日卡,shēng rì kǎ,birthday card -生日快乐,shēng rì kuài lè,Happy birthday -生日贺卡,shēng rì hè kǎ,birthday card -生有权,shēng yǒu quán,birthright -生根,shēng gēn,to take root -生荣死哀,shēng róng sǐ āi,to be respected in life and lamented in death (idiom) -生机,shēng jī,opportunity to live; hope of success; vigor; vitality -生机勃勃,shēng jī bó bó,full of vitality -生机盎然,shēng jī àng rán,full of life; exuberant -生死,shēng sǐ,life or death -生死存亡,shēng sǐ cún wáng,matter of life and death -生死搭档,shēng sǐ dā dàng,inseparable partner -生死攸关,shēng sǐ yōu guān,matter of life and death -生死有命,shēng sǐ yǒu mìng,life and death are ruled by fate (idiom) -生死肉骨,shēng sǐ ròu gǔ,lit. the dead returning to life; a miracle (idiom) -生死关头,shēng sǐ guān tóu,the critical moment; life and death crisis -生殖,shēng zhí,to reproduce; to flourish -生殖力,shēng zhí lì,fertility -生殖器,shēng zhí qì,reproductive organ; genitals -生殖器官,shēng zhí qì guān,reproductive organ -生殖系统,shēng zhí xì tǒng,reproductive system -生殖细胞,shēng zhí xì bāo,germ cell; reproductive cell -生殖腺,shēng zhí xiàn,gonad; reproductive gland -生殖轮,shēng zhí lún,"svadhisthana, the navel or libido chakra, residing in the genitals" -生杀大权,shēng shā dà quán,life-and-death power; ultimate power -生母,shēng mǔ,natural mother; birth mother -生气,shēng qì,to get angry; to be furious; vitality; liveliness -生气勃勃,shēng qì bó bó,full of vitality -生气盎然,shēng qì àng rán,see 生機盎然|生机盎然[sheng1 yi4 ang4 ran2] -生水,shēng shuǐ,unboiled water -生活,shēng huó,to live; life; livelihood -生活作风,shēng huó zuò fēng,behavior; conduct -生活垃圾,shēng huó lā jī,domestic garbage -生活必需品,shēng huó bì xū pǐn,life's necessities -生活方式,shēng huó fāng shì,way of life; lifestyle -生活水平,shēng huó shuǐ píng,living standards -生活污水,shēng huó wū shuǐ,domestic sewage -生活美学,shēng huó měi xué,appreciation of the finer things in life -生活设施,shēng huó shè shī,living facilities -生活费,shēng huó fèi,cost of living; living expenses; alimony -生活资料,shēng huó zī liào,consumer goods; means of livelihood; means of subsistence; documents relating to sb's life -生活质料,shēng huó zhì liào,consumer goods -生活馆,shēng huó guǎn,living museum -生涯,shēng yá,career; life (way in which sb lives); period of one's life -生源,shēng yuán,supply of students; source of students -生灭,shēng miè,life and death -生漆,shēng qī,raw lacquer -生涩,shēng sè,unripe; tart; not fully proficient; somewhat shaky -生火,shēng huǒ,to make a fire; to light a fire -生炒热卖,shēng chǎo rè mài,to sell while it's still hot (idiom); fig. in a great hurry to publish or sell (and no time to improve the product) -生无可恋,shēng wú kě liàn,(Internet slang) nothing left to live for -生煎,shēng jiān,"shengjian, a pan-fried bun filled with meat and juices, a Shanghai specialty" -生煎包,shēng jiān bāo,pan-fried dumpling -生热,shēng rè,to generate heat -生父,shēng fù,biological father -生父母,shēng fù mǔ,biological parents; natural parents -生物,shēng wù,organism; living creature; life form; biological; CL:個|个[ge4] -生物传感器,shēng wù chuán gǎn qì,biosensor -生物分析法,shēng wù fēn xī fǎ,bioanalytical method -生物剂量仪,shēng wù jì liàng yí,biological dosimeter -生物力学,shēng wù lì xué,biomechanics -生物化学,shēng wù huà xué,biochemistry -生物化学家,shēng wù huà xué jiā,biochemist -生物反应器,shēng wù fǎn yìng qì,bioreactor -生物圈,shēng wù quān,biosphere; ecosphere -生物多元化,shēng wù duō yuán huà,biodiversity -生物多样性,shēng wù duō yàng xìng,biodiversity -生物大灭绝,shēng wù dà miè jué,great extinction of species -生物媒介,shēng wù méi jiè,biological vector -生物学,shēng wù xué,biology -生物学家,shēng wù xué jiā,biologist -生物专一性,shēng wù zhuān yī xìng,biospecificity -生物工程,shēng wù gōng chéng,bioengineering; genetic engineering -生物工程学,shēng wù gōng chéng xué,biotechnology -生物弹药,shēng wù dàn yào,biological ammunition -生物性,shēng wù xìng,biological -生物恐怖主义,shēng wù kǒng bù zhǔ yì,bioterrorism -生物战,shēng wù zhàn,germ warfare; biological warfare -生物战剂,shēng wù zhàn jì,biological agent; biological warfare agent -生物技术,shēng wù jì shù,biotechnology; abbr. to 生技 -生物晶片,shēng wù jīng piàn,biochip -生物材料,shēng wù cái liào,bio-materials -生物柴油,shēng wù chái yóu,biodiesel -生物武器,shēng wù wǔ qì,biological weapon -生物气体,shēng wù qì tǐ,bio-gas -生物活化性,shēng wù huó huà xìng,bioactivity -生物测定,shēng wù cè dìng,bioassay -生物燃料,shēng wù rán liào,biofuel -生物界,shēng wù jiè,biosphere; natural world -生物科技,shēng wù kē jì,biotechnology -生物群,shēng wù qún,biota; ecological community; fossil assemblage -生物能,shēng wù néng,bio-energy -生物制剂,shēng wù zhì jì,biological product -生物制品,shēng wù zhì pǐn,biological product -生物质,shēng wù zhì,biomass -生物质能,shēng wù zhì néng,biomass -生物医学工程,shēng wù yī xué gōng chéng,biomedical engineering -生物量,shēng wù liàng,biomass -生物链,shēng wù liàn,food chain -生物钟,shēng wù zhōng,biological clock -生物降解,shēng wù jiàng jiě,biodegradation -生物体,shēng wù tǐ,organism -生物高分子,shēng wù gāo fēn zǐ,biopolymers -生物碱,shēng wù jiǎn,alkaloid -生猛,shēng měng,full of life; violent; brave; fresh (of seafood) -生理,shēng lǐ,physiology -生理假,shēng lǐ jià,menstrual leave (Tw) -生理学,shēng lǐ xué,physiology -生理学家,shēng lǐ xué jiā,physiologist -生理性,shēng lǐ xìng,physiological -生理期,shēng lǐ qī,menstrual period -生理盐水,shēng lǐ yán shuǐ,saline (medicine) -生生不息,shēng shēng bù xī,to grow and multiply without end -生产,shēng chǎn,to produce; to manufacture; to give birth to a child -生产企业,shēng chǎn qǐ yè,manufacturer -生产力,shēng chǎn lì,production capability; productive force; productivity -生产劳动,shēng chǎn láo dòng,productive labor -生产反应堆,shēng chǎn fǎn yìng duī,production reactor -生产单位,shēng chǎn dān wèi,production unit -生产成本,shēng chǎn chéng běn,production costs -生产率,shēng chǎn lǜ,productivity; efficiency of production -生产线,shēng chǎn xiàn,assembly line; production line -生产总值,shēng chǎn zǒng zhí,gross domestic production (GDP); total output value -生产者,shēng chǎn zhě,"producer (of goods, commodities or farm produce etc); manufacturer; (biology) autotroph" -生产能力,shēng chǎn néng lì,manufacturing ability; production capacity -生产自救,shēng chǎn zì jiù,self-help (idiom) -生产设施,shēng chǎn shè shī,production facility -生产资料,shēng chǎn zī liào,means of production -生产关系,shēng chǎn guān xì,relations between levels of production; socio-economic relations -生产队,shēng chǎn duì,production team -生畏,shēng wèi,to feel intimidated -生番,shēng fān,barbarian; aboriginal savage -生疏,shēng shū,unfamiliar; strange; out of practice; not accustomed -生疼,shēng téng,extremely painful -生病,shēng bìng,to fall ill -生发,shēng fā,to emerge and grow; to develop -生皮,shēng pí,pelt; raw hide -生石灰,shēng shí huī,calcium oxide CaO; quicklime -生石膏,shēng shí gāo,gypsum CaSO4·2(H2O); plaster -生硬,shēng yìng,stiff; harsh -生祠,shēng cí,temple dedicated to sb still alive -生米,shēng mǐ,coarse rice; uncooked rice -生米做成熟饭,shēng mǐ zuò chéng shú fàn,lit. the raw rice is now cooked (idiom); fig. it is done and can't be changed; It's too late to change anything now.; also written 生米煮成熟飯|生米煮成熟饭 -生米煮成熟饭,shēng mǐ zhǔ chéng shú fàn,the rice is cooked; what's done is done; it's too late to change anything now (idiom) -生米熟饭,shēng mǐ shú fàn,"abbr. for 生米煮成熟飯|生米煮成熟饭, lit. the raw rice is now cooked (idiom); fig. it is done and can't be changed; It's too late to change anything now." -生粉,shēng fěn,cornflour; starch powder (cooking) -生粉水,shēng fěn shuǐ,starch solution (cooking) -生丝,shēng sī,raw silk -生老病死,shēng lǎo bìng sǐ,"lit. to be born, to grow old, to get sick and to die (idiom); fig. the fate of humankind (i.e. mortality)" -生耗氧量,shēng hào yǎng liàng,biological oxygen demand (BOD) -生聚教训,shēng jù jiào xùn,"to increase the population, amass wealth, and teach the people to be faithful to the cause (in preparation for war, following a defeat)" -生肉,shēng ròu,raw meat -生肖,shēng xiào,one of the twelve animals symbolic of the earthly branches 地支[di4 zhi1]; animal from the Chinese zodiac -生肖属相,shēng xiào shǔ xiàng,"birth year as designated by animal symbols (mouse, ox, tiger etc)" -生育,shēng yù,to give birth to; to bear; fertility -生育率,shēng yù lǜ,birth rate -生育能力,shēng yù néng lì,fertility; ability to have children -生花妙笔,shēng huā miào bǐ,beautiful or talented writing -生苔,shēng tái,mossy -生菜,shēng cài,lettuce; raw fresh vegetables; greens -生姜,shēng jiāng,fresh ginger -生姜丝,shēng jiāng sī,shredded ginger -生药,shēng yào,unprocessed medicinal herb -生蚝,shēng háo,raw oyster -生计,shēng jì,livelihood -生词,shēng cí,"new word (in textbook); word that is unfamiliar or not yet studied; CL:組|组[zu3],個|个[ge4]" -生词本,shēng cí běn,vocabulary notebook -生词语,shēng cí yǔ,vocabulary words (in language-learning books); new or unfamiliar words -生猪,shēng zhū,live pig; pig on the hoof -生财,shēng cái,to make money -生财有道,shēng cái yǒu dào,lit. there are principles behind making money (idiom); fig. to have a knack for good business; knowing how to accumulate wealth; good at feathering one's own nest -生路,shēng lù,a way to make a living; a way to survive; a way out of a predicament -生辉,shēng huī,to dazzle; to brighten up (a room etc) -生辰,shēng chén,birthday -生辰八字,shēng chén bā zì,"one's birth data for astrological purposes, combined from year, month, day, hour, heavenly trunk and earthly branch" -生造,shēng zào,to coin (words or expressions) -生达,shēng dá,"Sinda, name of former county 1983-1999 in Chamdo prefecture 昌都地區|昌都地区[Chang1 du1 di4 qu1], Tibet" -生达县,shēng dá xiàn,"Sinda county, name of former county 1983-1999 in Chamdo prefecture 昌都地區|昌都地区[Chang1 du1 di4 qu1], Tibet" -生达乡,shēng dá xiāng,"Sinda village in Chamdo prefecture 昌都地區|昌都地区[Chang1 du1 di4 qu1], Tibet" -生还,shēng huán,to return alive; to survive -生还者,shēng huán zhě,survivor -生酮饮食,shēng tóng yǐn shí,ketogenic diet -生锈,shēng xiù,to rust; to grow rusty; to corrode; oxidization -生铁,shēng tiě,pig iron -生长,shēng zhǎng,to grow; to grow up; to be brought up -生长激素,shēng zhǎng jī sù,growth hormone -生长率,shēng zhǎng lǜ,growth rate -生长素,shēng zhǎng sù,auxin (plant growth hormone) -生离死别,shēng lí sǐ bié,separated in life and death; to part for ever -生灵,shēng líng,(literary) the people; living thing; creature -生灵涂炭,shēng líng tú tàn,people are in a terrible situation (idiom) -生愿,shēng yuàn,"desire to exist (in Buddhism, tanhā); craving for rebirth" -生养,shēng yǎng,to bring up (children); to raise; to bear -生发剂,shēng fà jì,hair restorer; hair regrowth tonic -生鱼片,shēng yú piàn,sashimi -生鲜,shēng xiān,fresh produce and freshly prepared foods -生面团,shēng miàn tuán,dough -生龙活虎,shēng lóng huó hǔ,lit. lively dragon and animated tiger (idiom); fig. vigorous and lively -产,chǎn,to give birth; to reproduce; to produce; product; resource; estate; property -产下,chǎn xià,to bear (give birth) -产仔,chǎn zǐ,to give birth (animals); to bear a litter -产值,chǎn zhí,value of output; output value -产假,chǎn jià,maternity leave -产儿,chǎn ér,newborn baby; fig. brand-new object -产出,chǎn chū,"to produce (graduates, breast milk, toxic waste, creative ideas etc); output" -产前,chǎn qián,prenatal; antenatal -产前检查,chǎn qián jiǎn chá,prenatal checkup; antenatal examination -产区,chǎn qū,place of production; manufacturing location -产卵,chǎn luǎn,to lay eggs -产品,chǎn pǐn,goods; merchandise; product; CL:個|个[ge4] -产品结构,chǎn pǐn jié gòu,product mix -产品经理,chǎn pǐn jīng lǐ,product manager -产地,chǎn dì,source (of a product); place of origin; manufacturing location -产地证,chǎn dì zhèng,certificate of origin (CO or CoO) (commerce) -产婆,chǎn pó,midwife -产妇,chǎn fù,woman recuperating after childbirth; woman in childbirth -产后,chǎn hòu,postnatal -产房,chǎn fáng,delivery room (in hospital); labor ward -产期,chǎn qī,time of birth; period of labor; lying-in -产业,chǎn yè,industry; estate; property; industrial -产业化,chǎn yè huà,to industrialize; industrialization -产业工人,chǎn yè gōng rén,industrial worker -产业链,chǎn yè liàn,industry value chain -产业集群,chǎn yè jí qún,industrial cluster -产检,chǎn jiǎn,prenatal checkup (abbr. for 產前檢查|产前检查[chan3 qian2 jian3 cha2]) -产权,chǎn quán,property right -产油国,chǎn yóu guó,oil-producing countries -产物,chǎn wù,product; result (of) -产生,chǎn shēng,to arise; to come into being; to come about; to give rise to; to bring into being; to bring about; to produce; to engender; to generate -产科,chǎn kē,maternity department; maternity ward; obstetrics -产程,chǎn chéng,the process of childbirth -产粮,chǎn liáng,to grow crops; food growing -产粮区,chǎn liáng qū,food growing area -产粮大省,chǎn liáng dà shěng,major agricultural province -产经新闻,chǎn jīng xīn wén,Business News; Sankei Shimbun (Tokyo daily) -产能,chǎn néng,production capacity -产制,chǎn zhì,production; manufacture -产褥期,chǎn rù qī,postnatal period; puerperium (period of six weeks after childbirth) -产褥热,chǎn rù rè,postnatal fever; puerperal fever; childbed fever -产道,chǎn dào,birth canal (in obstetrics) -产量,chǎn liàng,output -产钳,chǎn qián,obstetric forceps -产销,chǎn xiāo,production and sales; production and marketing -产院,chǎn yuàn,maternity hospital -産,chǎn,Japanese variant of 產|产 -甥,shēng,sister's son; nephew -甥女,shēng nǚ,sister's daughter; niece -苏,sū,variant of 蘇|苏[su1]; to revive -苏醒,sū xǐng,to come to; to awaken; to regain consciousness -用,yòng,to use; to employ; to have to; to eat or drink; expense or outlay; usefulness; hence; therefore -用不了,yòng bu liǎo,to not use all of; to use less than -用不着,yòng bu zháo,not need; have no use for -用人,yòng rén,servant; to employ sb for a job; to manage people; to be in need of staff -用人经费,yòng rén jīng fèi,personnel expenditure (accountancy) -用以,yòng yǐ,in order to; so as to -用作,yòng zuò,to use for the purpose of; to serve as -用来,yòng lái,to be used for -用光,yòng guāng,out of (supply); spent; exhausted (used up); depleted -用兵如神,yòng bīng rú shén,to lead military operations with extraordinary skill -用具,yòng jù,appliance; utensil; gear; equipment -用典,yòng diǎn,to use literary quotations; to use phrases taken from the classics -用力,yòng lì,to exert oneself physically -用功,yòng gōng,diligent; industrious (in one's studies); to study hard; to make great effort -用命,yòng mìng,to follow orders; to abide by; to obey -用品,yòng pǐn,articles for use; products; goods -用场,yòng chǎng,use; application -用坏,yòng huài,to wear out (tools) -用字,yòng zì,to use letters; to use words; diction -用完,yòng wán,used up; finished -用工,yòng gōng,to employ workers -用度,yòng dù,expense -用得上,yòng de shàng,needed; to come in useful -用得其所,yòng de qí suǒ,used properly; used for its intended purpose; to put to good use; to serve its purpose -用得着,yòng de zháo,to be able to use; useable; to have a use for; (in a question) to be necessary to -用心,yòng xīn,motive; intention; to be diligent or attentive; careful -用心良苦,yòng xīn liáng kǔ,to ponder earnestly; to give a lot of thought to sth -用意,yòng yì,intention; purpose -用户,yòng hù,user; consumer; subscriber; customer -用户创造内容,yòng hù chuàng zào nèi róng,user-generated content (of a website) -用户名,yòng hù míng,username; user ID -用户定义,yòng hù dìng yì,user-defined -用户界面,yòng hù jiè miàn,user interface -用户端设备,yòng hù duān shè bèi,customer premise equipment; CPE -用户线,yòng hù xiàn,subscriber line -用料,yòng liào,ingredients; material -用于,yòng yú,to use in; to use on; to use for -用武之地,yòng wǔ zhī dì,ample scope for abilities; favorable position for the use of one's skills (idiom) -用法,yòng fǎ,usage -用尽,yòng jìn,to exhaust; to use up completely -用尽心机,yòng jìn xīn jī,to tax one's ingenuity -用脑,yòng nǎo,to undertake mental work -用膳,yòng shàn,to dine -用处,yòng chu,usefulness; CL:個|个[ge4] -用计,yòng jì,to employ a stratagem -用词,yòng cí,usage (of a term); wording; phrasing -用语,yòng yǔ,choice of words; wording; phraseology; term -用途,yòng tú,use; application -用量,yòng liàng,quantity used; usage; consumption; dose -用钱,yòng qian,variant of 佣錢|佣钱[yong4 qian5] -用间,yòng jiàn,using spies -用项,yòng xiàng,items of expenditure; expenditures -用饭,yòng fàn,to eat; to have a meal -用餐,yòng cān,to eat a meal -用餐时间,yòng cān shí jiān,meal times -甩,shuǎi,to throw; to fling; to swing; to leave behind; to throw off; to dump (sb) -甩上,shuǎi shàng,to slam (a door); to fling up; to splash up -甩干,shuǎi gān,to remove excess moisture by spinning; to put (clothes) through the spin cycle; to spin-dry -甩动,shuǎi dòng,to shake; to fling one's arm; to lash; to swing -甩包袱,shuǎi bāo fu,lit. to fling off a bundle; fig. to abandon one's responsibility for sth; to wash one's hands of the matter -甩尾,shuǎi wěi,drifting (motorsport) -甩手,shuǎi shǒu,to swing one's arms; to wash one's hands of sth -甩手掌柜,shuǎi shǒu zhǎng guì,lit. arm-flinging shopkeeper; fig. sb who asks others to work but does nothing himself -甩手顿脚,shuǎi shǒu dùn jiǎo,to fling one's arms and stamp one's feet (in anger or despair) -甩掉,shuǎi diào,to throw off; to abandon; to cast off; to get rid of; to dump -甩脸子,shuǎi liǎn zi,to grimace with displeasure; to pull a long face -甩袖子,shuǎi xiù zi,to swing one's sleeve (in anger) -甩卖,shuǎi mài,to mark down (the price of goods); to sell off cheap -甩车,shuǎi chē,to uncouple (wagons or trucks from a train) -甩远,shuǎi yuǎn,to cast far from oneself; to leave sb far behind; to outdistance -甩锅,shuǎi guō,(neologism c. 2017) to shift the blame; to pass the buck -甩钟,shuǎi zhōng,dice cup -甩开,shuǎi kāi,to shake off; to get rid of -甩开膀子,shuǎi kāi bǎng zi,to throw off inhibitions; to go all out -甩头,shuǎi tóu,to fling back one's head -甪,lù,surname Lu; place name -甪端,lù duān,"Luduan, mythical Chinese beast able to detect the truth" -甫,fǔ,(classical) barely; just; just now -甫一,fǔ yī,as soon as; immediately after -甬,yǒng,Yong River 甬江[Yong3 Jiang1] in Ningbo 寧波|宁波[Ning2 bo1]; short name for Ningbo -甬,tǒng,"variant of 桶[tong3], bucket; (classifier) cubic dry measure (5 pecks 五斗, approx half-liter)" -甬,yǒng,path screened by walls on both sides -甬江,yǒng jiāng,Yong River in Ningbo 寧波|宁波[Ning2 bo1] -甬路,yǒng lù,paved path -甬道,yǒng dào,walled-in path; paved pathway; canopied passageway; corridor; tunnel -甭,béng,(contraction of 不用[bu4 yong4]) need not; please don't -甭,bèng,(dialect) very -甭管,béng guǎn,"(coll.) regardless of; no matter (where, who etc)" -宁,níng,variant of 寧|宁[ning2] -田,tián,surname Tian -田,tián,field; farm; CL:片[pian4] -田七,tián qī,pseudo-ginseng; radix notoginseng -田中,tián zhōng,"Tianzhong Township in Changhua County 彰化縣|彰化县[Zhang1hua4 Xian4], Taiwan; Tanaka (Japanese surname)" -田中角荣,tián zhōng jiǎo róng,"Tanaka Kakuei (1918-1993), Japanese politician, prime minister 1972-1974" -田中镇,tián zhōng zhèn,"Tianzhong or Tienchung Town in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -田亮,tián liàng,"Tian Liang (1979-), former male Chinese diver, Olympic medalist" -田园,tián yuán,fields; countryside; rural; bucolic -田土,tián tǔ,farmland -田地,tián dì,field; farmland; cropland; plight; extent -田埂,tián gěng,embankment between fields -田家庵,tián jiā ān,"Tianjia'an, a district of Huainan City 淮南市[Huai2nan2 Shi4], Anhui" -田家庵区,tián jiā ān qū,"Tianjia'an, a district of Huainan City 淮南市[Huai2nan2 Shi4], Anhui" -田寮,tián liáo,"Tianliao or Tienliao township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -田寮乡,tián liáo xiāng,"Tianliao or Tienliao township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -田尾,tián wěi,"Tianwei or Tienwei Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -田尾乡,tián wěi xiāng,"Tianwei or Tienwei Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -田役,tián yì,farm work -田径,tián jìng,track and field (athletics) -田径赛,tián jìng sài,track and field competition -田径运动,tián jìng yùn dòng,track and field sports -田忌赛马,tián jì sài mǎ,Tian Ji races his horses (and accepts one loss in order to ensure two wins) (idiom) -田文,tián wén,"birth name of Lord Menchang of Qi, Chancellor of Qi and Wei during the Warring States Period (475-221 BC)" -田村,tián cūn,Tamura (Japanese surname and place name) -田东,tián dōng,"Tiandong county in Baise 百色[Bai3 se4], Guangxi" -田东县,tián dōng xiàn,"Tiandong county in Baise 百色[Bai3 se4], Guangxi" -田林,tián lín,"Tianlin county in Baise 百色[Bai3 se4], Guangxi" -田林县,tián lín xiàn,"Tianlin county in Baise 百色[Bai3 se4], Guangxi" -田格本,tián gé běn,"exercise book for practicing Chinese character handwriting (each page being a grid of blank cells divided into quadrants, like the character 田)" -田汉,tián hàn,"Tian Han (1898-1968), author of the words of the PRC national anthem March of the Volunteer Army 義勇軍進行曲|义勇军进行曲" -田湾,tián wān,"Tianwan in Lianyungang 連雲港|连云港, site of large nuclear power plant" -田营,tián yíng,"Tianying city in Anhui, having lead processing plants that produce substantial pollution" -田营市,tián yíng shì,"Tianying city in Anhui, having lead processing plants that produce substantial pollution" -田猎,tián liè,to hunt -田产,tián chǎn,estate; lands -田亩,tián mǔ,field -田纳西,tián nà xī,Tennessee -田纳西州,tián nà xī zhōu,Tennessee -田舍,tián shè,farmhouse -田螺,tián luó,river snail -田赋,tián fù,land tax -田赛,tián sài,field events (athletics competition) -田野,tián yě,field; open land; CL:片[pian4] -田长霖,tián cháng lín,"Chang-lin Tien (1935-2002), Chinese-American professor and chancellor of the University of California, Berkeley 1990-1997" -田间,tián jiān,field; farm; farming area; village -田间管理,tián jiān guǎn lǐ,land management -田陌,tián mò,path between fields; fields -田阳,tián yáng,"Tianyang county in Baise 百色[Bai3 se4], Guangxi" -田阳县,tián yáng xiàn,"Tianyang county in Baise 百色[Bai3 se4], Guangxi" -田鸡,tián jī,frog; the Chinese edible frog (Hoplobatrachus rugulosus) -田鸫,tián dōng,(bird species of China) fieldfare (Turdus pilaris) -田鹨,tián liù,(bird species of China) Richard's pipit (Anthus richardi) -田鼠,tián shǔ,vole -由,yóu,to follow; from; because of; due to; by; via; through; (before a noun and a verb) it is for ... to ... -由不得,yóu bu de,cannot help; to be beyond control of -由来,yóu lái,origin -由径,yóu jìng,to follow a narrow path -由怜生爱,yóu lián shēng ài,to develop love for sb out of pity for them -由于,yóu yú,due to; as a result of; thanks to; owing to; since; because -由旬,yóu xún,"yojana (Vedic measure, about 8 miles)" -由此,yóu cǐ,hereby; from this -由此可见,yóu cǐ kě jiàn,"from this, it can be seen that..." -由此看来,yóu cǐ kàn lái,thereby; judging from this -由盛转衰,yóu shèng zhuǎn shuāi,from prosperity to decline; at its peak before the decline -由着,yóu zhe,let (one) have his way; as (one) pleases; at (one's) will -由表及里,yóu biǎo jí lǐ,to proceed from the outside to the inside; to see the essence merely by looking at the superficial appearance -由衷,yóu zhōng,heartfelt; sincere; unfeigned -由头,yóu tou,pretext; excuse; justification; reason -甲,jiǎ,"first of the ten Heavenly Stems 十天干[shi2 tian1 gan1]; (used for an unspecified person or thing); first (in a list, as a party to a contract etc); letter ""A"" or roman ""I"" in list ""A, B, C"", or ""I, II, III"" etc; armor plating; shell or carapace; (of the fingers or toes) nail; bladed leather or metal armor (old); ranking system used in the Imperial examinations (old); civil administration unit in the baojia 保甲[bao3 jia3] system (old); ancient Chinese compass point: 75°" -甲乙,jiǎ yǐ,first two of the ten Heavenly Stems 十天干[shi2 tian1 gan1] -甲二醇,jiǎ èr chún,methylene glycol -甲亢,jiǎ kàng,hyperthyroidism; abbr. for 甲狀腺功能亢進|甲状腺功能亢进[jia3 zhuang4 xian4 gong1 neng2 kang4 jin4] -甲仙,jiǎ xiān,"Jiaxian or Chiahsien township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -甲仙乡,jiǎ xiān xiāng,"Jiaxian or Chiahsien township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -甲冑,jiǎ zhòu,variant of 甲胄[jia3 zhou4] -甲午,jiǎ wǔ,"thirty-first year A7 of the 60 year cycle, e.g. 1954 or 2014" -甲午战争,jiǎ wǔ zhàn zhēng,First Sino-Japanese War (1894-95) -甲型,jiǎ xíng,type A; type I; alpha- -甲型球蛋白,jiǎ xíng qiú dàn bái,alpha globulin; alpha fetoprotein (AFP) -甲型肝炎,jiǎ xíng gān yán,hepatitis A -甲基,jiǎ jī,methyl group (chemistry) -甲基安非他命,jiǎ jī ān fēi tā mìng,methamphetamine -甲基苯丙胺,jiǎ jī běn bǐng àn,methamphetamine -甲子,jiǎ zǐ,first year of the sixty-year cycle (where each year is numbered with one of the 10 heavenly stems 天干[tian1 gan1] and one of the 12 earthly branches 地支[di4 zhi1]); the sixty-year cycle -甲寅,jiǎ yín,"51st year A3 of the 60 year cycle, e.g. 1974 or 2034" -甲戌,jiǎ xū,"eleventh year A11 of the 60 year cycle, e.g. 1994 or 2054" -甲方,jiǎ fāng,first party (law); see also 乙方[yi3 fang1] -甲板,jiǎ bǎn,deck (of a boat etc) -甲壳,jiǎ qiào,carapace; crust; outer shell; also pr. [jia3 ke2] -甲壳动物,jiǎ qiào dòng wù,crustacean -甲壳素,jiǎ qiào sù,chitin -甲壳虫,jiǎ qiào chóng,the Beatles (1960s UK pop group) -甲壳虫,jiǎ qiào chóng,beetle -甲壳虫类,jiǎ ké chóng lèi,insects of the order Coleoptera (i.e. beetles) -甲壳类,jiǎ qiào lèi,crustacean -甲氧基,jiǎ yǎng jī,methoxy (chemistry) -甲氧西林,jiǎ yǎng xī lín,methicillin (a semisynthetic penicillin) (loanword) -甲氨基,jiǎ ān jī,methyalamino group -甲氰菊酯,jiǎ qíng jú zhǐ,fenpropathrin (insecticide) -甲流,jiǎ liú,type A influenza; abbr. for 甲型H1N1流感; refers to H1N1 influenza of 2009 -甲沟炎,jiǎ gōu yán,paronychia (medicine) -甲烷,jiǎ wán,methane CH4 -甲状,jiǎ zhuàng,thyroid (gland) -甲状旁腺,jiǎ zhuàng páng xiàn,parathyroid -甲状腺,jiǎ zhuàng xiàn,thyroid gland -甲状腺功能亢进,jiǎ zhuàng xiàn gōng néng kàng jìn,hyperthyroidism; abbr. to 甲亢[jia3 kang4] -甲状腺素,jiǎ zhuàng xiàn sù,thyroid hormone; thyroxine (used to treat underactive thyroid) -甲状腺肿,jiǎ zhuàng xiàn zhǒng,goiter (enlargement of thyroid gland) -甲申,jiǎ shēn,"21st year A9 of the 60 year cycle, e.g. 2004 or 2064" -甲申政变,jiǎ shēn zhèng biàn,"unsuccessful and bloody Korean palace coup in 1884 by Westernisers against conservatives, crushed by Qing troops" -甲硝唑,jiǎ xiāo zuò,metronidazole (antibacterial agent); Flagyl (trade name) -甲硫氨酸,jiǎ liú ān suān,"methionine (Met), an essential amino acid" -甲磺磷定,jiǎ huáng lín dìng,pralidoxime mesylate -甲第,jiǎ dì,residence of a noble; top candidate in the imperial examinations -甲等,jiǎ děng,grade A; first-class -甲级,jiǎ jí,first rate; top class; excellent -甲级战犯,jiǎ jí zhàn fàn,a grade A war criminal -甲紫,jiǎ zǐ,gentian violet -甲肝,jiǎ gān,hepatitis A -甲胄,jiǎ zhòu,armor -甲胺,jiǎ àn,methylamine -甲胺磷,jiǎ àn lín,methamidophos (chemistry) -甲苯,jiǎ běn,toluene C6H5CH3; methylbenzene -甲虫,jiǎ chóng,beetle -甲虫车,jiǎ chóng chē,Volkswagen Beetle -甲辰,jiǎ chén,"41st year A5 of the 60 year cycle, e.g. 1964 or 2024" -甲酚,jiǎ fēn,cresol (chemistry) -甲酸,jiǎ suān,formylic acid (HCOOH); formic acid; methanoic acid -甲醇,jiǎ chún,methyl alcohol; methanol CH3OH; wood alcohol; wood spirit -甲醚,jiǎ mí,methyl ether CH3OCH3 -甲醛,jiǎ quán,formaldehyde (HCHO) -甲铠,jiǎ kǎi,armor -甲骨,jiǎ gǔ,tortoise shells and animal bones used for divination in the Shang Dynasty (c. 16th to 11th century BC); oracle bones -甲骨文,jiǎ gǔ wén,oracle script; oracle bone inscriptions (an early form of Chinese script) -甲骨文字,jiǎ gǔ wén zì,oracle script; oracle bone character (an early form of Chinese script) -甲鱼,jiǎ yú,turtle; terrapin; Taiwan pr. [jia4 yu2] -申,shēn,old name for Shanghai 上海[Shang4hai3]; surname Shen -申,shēn,"to extend; to state; to explain; 9th earthly branch: 3-5 p.m., 7th solar month (7th August-7th September), year of the Monkey; ancient Chinese compass point: 240°" -申不害,shēn bù hài,"Shen Buhai (385-337 BC), legalist political thinker" -申令,shēn lìng,an order; a command -申冤,shēn yuān,to appeal for justice; to demand redress for a grievance -申命记,shēn mìng jì,Book of Deuteronomy; Fifth Book of Moses -申城,shēn chéng,"alternative name for Shanghai 上海[Shang4 hai3]; alternative name for Xinyang City, Henan 信陽市|信阳市[Xin4 yang2 Shi4]" -申报,shēn bào,to report (to the authorities); to declare (to customs) -申报单,shēn bào dān,declaration form -申奏,shēn zòu,to present (a document); to submit (a petition) -申屠,shēn tú,two-character surname Shentu -申扎,shēn zhā,"Xainza county, Tibetan: Shan rtsa rdzong, in Nagchu prefecture 那曲地區|那曲地区[Na4 qu3 di4 qu1], central Tibet" -申扎县,shēn zhā xiàn,"Xainza county, Tibetan: Shan rtsa rdzong, in Nagchu prefecture 那曲地區|那曲地区[Na4 qu3 di4 qu1], central Tibet" -申斥,shēn chì,to rebuke; to blame; to denounce -申明,shēn míng,to declare; to aver; to state formally -申时,shēn shí,3-5 pm (in the system of two-hour subdivisions used in former times) -申曲,shēn qǔ,Shanghai opera; same as 滬劇|沪剧 -申根,shēn gēn,"Schengen, village in Luxemburg, location of the 1985 signing of the agreement to create the Schengen area 申根區|申根区[Shen1 gen1 qu1]" -申根区,shēn gēn qū,"the Schengen area, a passport-free zone in Europe" -申状,shēn zhuàng,to present (a document); to submit (a petition) -申猴,shēn hóu,"Year 9, year of the Monkey (e.g. 2004)" -申理,shēn lǐ,to right a wrong; to seek justice -申申,shēn shēn,cozy and comfortable; to repeat endlessly -申言,shēn yán,to profess; to declare -申讨,shēn tǎo,to denounce -申诉,shēn sù,"to file a complaint; to appeal (to an authority, a higher court of justice etc); complaint; appeal" -申诉书,shēn sù shū,written appeal -申说,shēn shuō,to state; to assert -申请,shēn qǐng,to apply for sth; application form (CL:份[fen4]) -申请人,shēn qǐng rén,applicant -申请书,shēn qǐng shū,application; application form; petition (to higher authorities) -申请表,shēn qǐng biǎo,application form -申论,shēn lùn,to give a detailed exposition; to state in detail -申谢,shēn xiè,to express gratitude; to thank -申购,shēn gòu,to ask to buy; to bid for purchase -申办,shēn bàn,to apply for; to bid for -申辩,shēn biàn,to defend oneself; to rebut a charge -申述,shēn shù,to state; to assert; to allege; to specify -申通,shēn tōng,"STO Express, courier service headquartered in Shanghai, founded in 1993" -申雪,shēn xuě,to right a wrong; to redress an injustice -申领,shēn lǐng,"to apply (for license, visa etc)" -申饬,shēn chì,to warn; to blame; to rebuke; also written 申斥 -甴,zhá,used in 曱甴[yue1zha2] -男,nán,"male; Baron, lowest of five orders of nobility 五等爵位[wu3 deng3 jue2 wei4]" -男丁,nán dīng,adult male -男中音,nán zhōng yīn,baritone -男人,nán rén,a man; a male; men; CL:個|个[ge4] -男人婆,nán rén pó,tomboy -男人家,nán rén jia,a man (rather than a woman) -男人膝下有黄金,nán rén xī xià yǒu huáng jīn,lit. the man has gold under his knees; fig. a man who does not easily kneel in front of others (owing to pride or moral integrity) -男低音,nán dī yīn,(music) bass voice -男修道院长,nán xiū dào yuàn zhǎng,abbot -男傧相,nán bīn xiàng,best man (in a marriage) -男儿,nán ér,a (real) man; boy; son -男儿有泪不轻弹,nán ér yǒu lèi bù qīng tán,real men do not easily cry (idiom) -男友,nán yǒu,boyfriend -男友力,nán yǒu lì,"(coll.) attractiveness (as a potential boyfriend); degree to which one is ""boyfriend material""" -男同,nán tóng,gay guy (coll.) -男同胞,nán tóng bāo,man; male; male compatriot -男单,nán dān,"men's singles (in tennis, badminton etc)" -男基尼,nán jī ní,mankini (loanword) -男士,nán shì,man; gentleman -男女,nán nǚ,male-female; male and female -男女合校,nán nǚ hé xiào,see 男女同校[nan2 nu:3 tong2 xiao4] -男女同校,nán nǚ tóng xiào,coeducation -男女平等,nán nǚ píng děng,equality of the sexes -男女授受不亲,nán nǚ shòu shòu bù qīn,"men and women should not touch hands when they give or receive things (citation, from Mencius)" -男女老少,nán nǚ lǎo shào,"men, women, young and old; all kinds of people; people of all ages" -男女老幼,nán nǚ lǎo yòu,"men, women, young and old; everybody" -男女关系,nán nǚ guān xì,man-woman connection; intimate relationship -男妓,nán jì,male prostitute; (old) pimp -男娃,nán wá,(dialect) boy; guy -男婚女嫁,nán hūn nǚ jià,to celebrate a wedding -男婴,nán yīng,male baby -男子,nán zǐ,a man; a male -男子单,nán zǐ dān,men's singles (sports) -男子气,nán zǐ qì,manly; masculine -男子气概,nán zǐ qì gài,masculinity; manliness -男子汉,nán zǐ hàn,"man (i.e. manly, masculine)" -男子汉大丈夫,nán zǐ hàn dà zhàng fu,(coll.) he-man -男子篮球,nán zǐ lán qiú,men's basketball -男孩,nán hái,boy; CL:個|个[ge4] -男孩儿,nán hái er,erhua variant of 男孩[nan2 hai2] -男孩子,nán hái zi,boy -男孩乐队,nán hái yuè duì,boy band (type of pop group) -男家,nán jiā,man's family (in marriage) -男尊女卑,nán zūn nǚ bēi,to regard men as superior to women (idiom) -男工,nán gōng,male worker -男左女右,nán zuǒ nǚ yòu,"the left is for males, the right is for females (traditional saying)" -男巫,nán wū,wizard; warlock -男厕,nán cè,men's restroom; men's toilet -男性,nán xìng,the male sex; a male -男性主义,nán xìng zhǔ yì,masculism -男性化,nán xìng huà,to masculinize; masculinization -男性厌恶,nán xìng yàn wù,misandry -男性亲属,nán xìng qīn shǔ,kinsman -男性贬抑,nán xìng biǎn yì,misandry -男才女貌,nán cái nǚ mào,talented man and beautiful woman; ideal couple -男扮女装,nán bàn nǚ zhuāng,(of a man) to dress as a woman (idiom) -男排,nán pái,men's volleyball; abbr. for 男子排球 -男方,nán fāng,(of a marriage) the bridegroom's side; the husband's side -男旦,nán dàn,male actor playing the female role (Chinese opera) -男星,nán xīng,male star; famous actor -男朋友,nán péng you,boyfriend -男校,nán xiào,all-boys school -男根,nán gēn,penis -男欢女爱,nán huān nǚ ài,passionate love (idiom) -男爵,nán jué,baron -男生,nán shēng,schoolboy; male student; boy; guy (young adult male) -男的,nán de,man -男神,nán shén,Mr Perfect; Adonis; Prince Charming -男票,nán piào,boyfriend (Internet slang) -男童,nán tóng,boy; male child -男管家,nán guǎn jiā,butler; majordomo; housekeeper -男篮,nán lán,men's basketball; men's basketball team -男色,nán sè,male homosexuality -男虫,nán chóng,swindler; conman -男卫,nán wèi,men's bathroom (abbr. for 男衛生間|男卫生间) -男装,nán zhuāng,men's clothes -男护,nán hù,male nurse -男足,nán zú,abbr. for 男子足球 men's soccer; abbr. for 男子足球隊|男子足球队 men's soccer team -男双,nán shuāng,"men's doubles (in tennis, badminton etc)" -男风,nán fēng,male homosexuality; buggery -男高音,nán gāo yīn,tenor -男高音部,nán gāo yīn bù,tenor part -甸,diàn,surname Dian -甸,diàn,suburbs or outskirts; one of the five degrees of official mourning attire in dynastic China; official in charge of fields (old) -甹,pīng,chivalrous knight -町,dīng,(used in place names) -町,tǐng,raised path between fields -甾,zāi,steroid nucleus -甾酮,zāi tóng,sterone (steroid containing a ketone group); steroid hormone -甾醇,zāi chún,sterol (chemistry) -畀,bì,to confer on; to give to -亩,mǔ,old variant of 畝|亩[mu3] -亩,mǔ,old variant of 畝|亩[mu3] -畈,fàn,field; farm -耕,gēng,variant of 耕[geng1] -畋,tián,to cultivate (land); to hunt -畋猎,tián liè,to hunt -界,jiè,(bound form) boundary; border; (bound form) realm -界乎,jiè hū,variant of 介乎[jie4 hu1] -界内球,jiè nèi qiú,ball within bounds (sports); in; fair ball (baseball) -界别,jiè bié,to divide up into different zones; (HK) sector of society; constituency; (taxonomy) kingdom -界址,jiè zhǐ,boundary (of a piece of land or territory) -界定,jiè dìng,definition; to delimit -界尺,jiè chǐ,ungraduated ruler; straightedge -界标,jiè biāo,landmark -界河,jiè hé,border river (between countries or regions) -界画,jiè huà,accurate depiction of architectural forms with the aid of a ruler (technique of Chinese art); picture created using this technique -界碑,jiè bēi,boundary stone; table marking border -界线,jiè xiàn,limits; bounds; dividing line -界限,jiè xiàn,boundary -界面,jiè miàn,contact surface; (computing) interface -界首,jiè shǒu,"Jieshou, county-level city in Fuyang 阜陽|阜阳[Fu4 yang2], Anhui" -界首市,jiè shǒu shì,"Jieshou, county-level city in Fuyang 阜陽|阜阳[Fu4 yang2], Anhui" -畎,quǎn,field drains -畏,wèi,to fear -畏友,wèi yǒu,revered friend -畏忌,wèi jì,to be arrested by fear; restraint; scruple -畏怯,wèi qiè,timorous; nervous -畏惧,wèi jù,to fear; to dread; foreboding -畏畏缩缩,wèi wèi suō suō,cowering; cringing -畏缩,wèi suō,to cower; to flinch; to quail; to recoil -畏缩不前,wèi suō bù qián,to shrink back in fear (idiom); too cowardly to advance -畏罪,wèi zuì,to dread punishment; afraid of being arrested for a crime -畏罪潜逃,wèi zuì qián táo,to flee to escape punishment; to abscond from justice -畏罪自杀,wèi zuì zì shā,to commit suicide to escape punishment -畏途,wèi tú,dangerous road; (fig.) perilous or intimidating undertaking -畏难,wèi nán,to be daunted by challenges -畏首畏尾,wèi shǒu wèi wěi,"afraid of the head, terrified of the tail (idiom); ever fearful and nervous; afraid of the slightest thing" -畑,tián,"used in Japanese names with phonetic value hatake, bata etc; dry field (i.e. not paddy field)" -畔,pàn,(bound form) side; edge; boundary -畔援,pàn yuán,domineering; tyrannical -留,liú,to leave (a message etc); to retain; to stay; to remain; to keep; to preserve -留一手,liú yī shǒu,to hold back a trick; not to divulge all one's trade secrets -留下,liú xià,to leave behind; to stay behind; to remain; to keep; not to let (sb) go -留任,liú rèn,to remain in office; to hold on to one's job -留住,liú zhù,to ask sb to stay; to keep sb for the night; to await (classical) -留作,liú zuò,to set aside for; to keep as -留传,liú chuán,to bequeath (to later generations); a legacy -留别,liú bié,a departing gift; a souvenir on leaving; a poem to mark one's departure -留名,liú míng,to leave one's name; to leave one's mark -留园,liú yuán,"Lingering Garden in Suzhou, Jiangsu" -留堂,liú táng,to stay behind (after class); to be given detention; detention -留坝,liú bà,"Liuba County in Hanzhong 漢中|汉中[Han4 zhong1], Shaanxi" -留坝县,liú bà xiàn,"Liuba County in Hanzhong 漢中|汉中[Han4 zhong1], Shaanxi" -留存,liú cún,to keep; to preserve; extant; to remain (from the past) -留存收益,liú cún shōu yì,retained earnings -留学,liú xué,to study abroad -留学生,liú xué shēng,"student studying abroad; (foreign) exchange student; CL:個|个[ge4],位[wei4]" -留守,liú shǒu,to stay behind to take care of things -留守儿童,liú shǒu ér tóng,"""left-behind children"", rural children whose parents have to make a living as migrant workers in distant urban areas, but cannot afford to keep the family with them" -留客,liú kè,to ask a guest to stay; to detain a guest -留宿,liú sù,to put up a guest; to stay overnight -留尼旺,liú ní wàng,"Réunion (island in Indian Ocean, a French overseas department) (Tw)" -留尼汪,liú ní wāng,"Réunion (island in Indian Ocean, a French overseas department)" -留尾巴,liú wěi ba,to leave loose ends; to leave matters unresolved -留底,liú dǐ,to keep a copy; copy kept for archiving; to put aside a portion (of a money sum) -留影,liú yǐng,to take a photo as a souvenir; a souvenir photo -留待,liú dài,"to leave sth for later; to postpone (work, a decision etc)" -留后路,liú hòu lù,to leave oneself a way out -留心,liú xīn,to be careful; to pay attention to -留心眼儿,liú xīn yǎn er,to be on the alert; to keep one's eyes open -留念,liú niàn,to keep as a souvenir; to recall fondly -留情,liú qíng,to relent (to spare sb's feelings); to show mercy or forgiveness; to forbear; lenient -留意,liú yì,to be mindful; to pay attention to; to take note of -留恋,liú liàn,reluctant to leave; to hate to have to go; to recall fondly -留成,liú chéng,to retain a portion (of profits etc) -留有,liú yǒu,to remain in existence; to retain -留有余地,liú yǒu yú dì,to leave some leeway; to allow for the unpredictable -留校,liú xiào,to join the faculty of one's alma mater upon graduation; to remain at school during vacation -留样,liú yàng,"retention sample; (of a manufacturer, esp. of food or drugs) to retain a sample of a batch of a product (abbr. for 保留樣品|保留样品[bao3 liu2 yang4 pin3])" -留步,liú bù,(said by departing guest) no need to see me out -留洋,liú yáng,(old) to study abroad; (sports) to train abroad -留活口,liú huó kǒu,to capture alive a criminal (or enemy etc) for interrogation; (of a perpetrator) to let a witness live -留海,liú hǎi,see 劉海|刘海[liu2 hai3] -留班,liú bān,to repeat a year in school -留用,liú yòng,to keep for use; to retain sth; to keep sb in his job -留白,liú bái,"to leave a message; to leave some empty space in a work of art; to leave idle moments (in one's life, a theater play etc)" -留神,liú shén,to take care; to be careful -留种,liú zhǒng,to keep a seed stock; seed held back for planting -留空,liú kòng,to leave blank space in a document; to leave some time free -留级,liú jí,to repeat a year in school -留给,liú gěi,to set aside for -留置,liú zhì,to leave in place; to set aside (for further use); to retain; to detain (a suspect or offender); (medicine) indwelling -留声机,liú shēng jī,gramophone; phonograph -留职,liú zhí,to keep an official position; to hold on to one's job -留职停薪,liú zhí tíng xīn,(Tw) leave of absence without pay -留芳千古,liú fāng qiān gǔ,a good reputation to last down the generations -留芳百世,liú fāng bǎi shì,a good reputation to last a hundred generations -留兰香,liú lán xiāng,spearmint -留观,liú guān,(medicine) to remain in hospital under observation -留言,liú yán,to leave a message; to leave one's comments; message -留言本,liú yán běn,guestbook -留言簿,liú yán bù,visitor's book; CL:本[ben3] -留话,liú huà,to leave word; to leave a message -留连,liú lián,variant of 流連|流连[liu2 lian2] -留连果,liú lián guǒ,"variant of 榴槤果|榴梿果, durian fruit" -留连论诗,liú lián lùn shī,to continue to discuss a poem over a long period -留遗,liú yí,to leave behind; sb's legacy -留都,liú dū,the old capital (after a move) -留医,liú yī,to be hospitalized -留里克,liú lǐ kè,"Rurik (c. 830-879), Varangian chieftain of the Rus' people" -留针,liú zhēn,to leave an inserted needle in place for a period of time (acupuncture) -留门,liú mén,to leave the door unlocked for sb -留院,liú yuàn,to remain in the hospital -留难,liú nàn,to make sth difficult; to create obstacles -留题,liú tí,extemporaneous thoughts noted down after a visit -留饭,liú fàn,to put some food aside for sb; to invite sb to stay for a meal; invitation to dinner -留饮,liú yǐn,(TCM) edema; dropsy -留余地,liú yú dì,to leave room to maneuver; to leave a margin for error -留驻,liú zhù,to keep stationed (of troops); to remain as a garrison -留鸟,liú niǎo,nonmigratory bird -畚,běn,"a basket or pan used for earth, manure etc" -畚斗,běn dǒu,dustpan -畚箕,běn jī,a bamboo or wicker scoop; dustpan -畛,zhěn,border; boundary; field-path -畛域,zhěn yù,(formal) boundary; scope -畜,chù,livestock; domesticated animal; domestic animal -畜,xù,to raise (animals) -畜力,chù lì,animal power; animal-drawn (plow etc) -畜栏,chù lán,pen for livestock -畜牧,xù mù,to raise animals -畜牧业,xù mù yè,animal husbandry; stock raising; livestock raising -畜牲,chù shēng,variant of 畜生[chu4 sheng5] -畜生,chù sheng,domestic animal; brute; bastard -畜产品,xù chǎn pǐn,domesticated animal products -畜肥,chù féi,animal manure -畜类,chù lèi,domestic animal -亩,mǔ,classifier for fields; unit of area equal to one fifteenth of a hectare -畟,cè,sharp -毕,bì,surname Bi -毕,bì,the whole of; to finish; to complete; complete; full; finished -毕其功于一役,bì qí gōng yú yī yì,to accomplish the whole task at one stroke (idiom) -毕典,bì diǎn,graduation ceremony (abbr. for 畢業典禮|毕业典礼[bi4 ye4 dian3 li3]); (Tw) (coll.) to graduate -毕加索,bì jiā suǒ,Picasso -毕卡索,bì kǎ suǒ,Picasso (Tw) -毕命,bì mìng,to die (in an accident etc); to have one's life cut short -毕婚,bì hūn,to get married right after graduation -毕宿五,bì xiù wǔ,Aldebaran or Alpha Tauri -毕尼奥夫,bì ní ào fū,"Hugo Benioff (1899-1968), Caltech seismologist" -毕尼奥夫带,bì ní ào fū dài,Benioff zone (geology); also called Wadati-Benioff zone -毕恭毕敬,bì gōng bì jìng,reverent and respectful; extremely deferential -毕摩,bì mó,shaman among the Yi ethnic group -毕昇,bì shēng,"Bi Sheng (990-1051), inventor of movable type" -毕业,bì yè,graduation; to graduate; to finish school -毕业典礼,bì yè diǎn lǐ,graduation ceremony; commencement exercises -毕业生,bì yè shēng,graduate -毕业证书,bì yè zhèng shū,"(PRC) (since 1985) graduation certificate, which certifies that the student has graduated, but not necessarily met all requirements to be awarded a degree certificate 學位證書|学位证书[xue2 wei4 zheng4 shu1]; (1981-1985) graduation certificate, which certified that the student graduated, and, if it included a final sentence indicating a degree type, also certified that the student met all the requirements for a degree" -毕尔巴鄂,bì ěr bā è,Bilbao (city in Spain) -毕生,bì shēng,all one's life; lifetime -毕毕剥剥,bì bì bō bō,(onom.) sound of knocking or bursting -毕竟,bì jìng,after all; all in all; when all is said and done; in the final analysis -毕节,bì jié,Bijie city and prefecture in Guizhou -毕节市,bì jié shì,"Bijie city, capital of Bijie prefecture, Guizhou" -毕肖,bì xiào,to resemble closely; to be the very image of; to look very much like; to be the spitting image of -毕兹,bì zī,QNB (quinuclidinyl benzilate) -毕设,bì shè,graduation project -毕达哥拉斯,bì dá gē lā sī,Pythagoras -略,lüè,brief; sketchy; outline; summary; to omit; (bound form before a single-character verb) a bit; somewhat; slightly; plan; strategy; to capture (territory) -略作,lüè zuò,to be abbreviated to; (followed by a verb) slightly -略胜一筹,lüè shèng yī chóu,slightly better; a cut above -略去,lüè qù,to omit; to delete; to leave out; to neglect; to skip over -略图,lüè tú,sketch; sketch map; thumbnail picture -略夺,lüè duó,variant of 掠奪|掠夺[lu:e4 duo2] -略字,lüè zì,abbreviated character; simplified character -略带,lüè dài,to have (an attribute) to a small degree; to have a touch of -略微,lüè wēi,a little bit; slightly -略为,lüè wéi,slightly -略略,lüè lüè,slightly; roughly; briefly; very generally -略知一二,lüè zhī yī èr,to know just a little; to have a rough idea -略知皮毛,lüè zhī pí máo,slight knowledge of sth; superficial acquaintance with a subject; a smattering -略码,lüè mǎ,code -略称,lüè chēng,abbreviation -略举,lüè jǔ,some cases picked out as example; to highlight -略见一斑,lüè jiàn yī bān,lit. to glimpse just one spot (of the leopard) (idiom); fig. to get an inkling of the whole picture -略语,lüè yǔ,abbreviation -略识之无,lüè shí zhī wú,semiliterate; only knows words of one syllable; lit. to know only 之[zhi1] and 無|无[wu2] -略读,lüè dú,to read cursorily; to skim through -略迹原情,lüè jì yuán qíng,to overlook past faults (idiom); to forgive and forget -略过,lüè guò,to pass over; to skip -略释,lüè shì,a brief explanation; to summarize -略阳,lüè yáng,"Lüeyang County in Hanzhong 漢中|汉中[Han4 zhong1], Shaanxi" -略阳县,lüè yáng xiàn,"Lüeyang County in Hanzhong 漢中|汉中[Han4 zhong1], Shaanxi" -畦,qí,small plot of farm land; Taiwan pr. [xi1] -略,lüè,variant of 略[lu:e4] -番,pān,surname Pan -番,fān,"(bound form) foreign (non-Chinese); barbarian; classifier for processes or actions that take time and effort; (classifier) a kind; a sort; (classifier) (used after the verb 翻[fan1] to indicate how many times a quantity doubles, as in 翻一番[fan1 yi1 fan1] ""to double"")" -番刀,fān dāo,"type of machete used by Taiwan aborigines, worn at the waist in an open-sided scabbard" -番剧,fān jù,anime series -番客,fān kè,(old) foreigner; alien; (dialect) overseas Chinese -番木瓜,fān mù guā,papaya -番木鳖碱,fān mù biē jiǎn,strychnine (C21H22N2O2) -番椒,fān jiāo,hot pepper; chili -番泻叶,fān xiè yè,senna leaf (Folium sennae) -番瓜,fān guā,(dialect) pumpkin -番界,fān jiè,territory occupied by aborigines in Taiwan (old) -番番,fān fān,time and time again -番石榴,fān shí liu,guava (fruit) -番禺,pān yú,"Panyu District of Guangzhou City 廣州市|广州市[Guang3 zhou1 Shi4], Guangdong; Panyu County in Guangdong province" -番禺区,pān yú qū,"Panyu District of Guangzhou City 廣州市|广州市[Guang3 zhou1 Shi4], Guangdong" -番红花,fān hóng huā,saffron (Crocus sativus) -番茄,fān qié,tomato -番茄汁,fān qié zhī,tomato juice -番茄红素,fān qié hóng sù,Lycopene -番茄酱,fān qié jiàng,ketchup; tomato sauce -番荔枝,fān lì zhī,custard apple; soursop (Annonaceae) -番菜,fān cài,(old) Western-style food; foreign food -番薯,fān shǔ,(dialect) sweet potato; yam -番号,fān hào,number of military unit -番路,fān lù,"Fanlu Township in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -番路乡,fān lù xiāng,"Fanlu Township in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -番邦,fān bāng,(old) foreign land; alien nation -番麦,fān mài,"corn (from Taiwanese, Tai-lo pr. [huan-be̍h])" -画,huà,"to draw; to paint; picture; painting (CL:幅[fu2],張|张[zhang1]); to draw (a line) (variant of 劃|划[hua4]); stroke of a Chinese character (variant of 劃|划[hua4]); (calligraphy) horizontal stroke (variant of 劃|划[hua4])" -画作,huà zuò,painting; picture -画像,huà xiàng,portrait; to do a portrait of sb -画儿,huà er,picture; drawing; painting -画册,huà cè,picture album -画十字,huà shí zì,to make the sign of the cross; to make a cross (on paper) -画卷,huà juàn,picture scroll -画圆,huà yuán,to draw a circle -画图,huà tú,"to draw designs, maps etc; picture (e.g. of life in the city)" -画地为牢,huà dì wéi láo,lit. to be confined within a circle drawn on the ground (idiom); fig. to confine oneself to a restricted range of activities -画地为狱,huà dì wéi yù,see 畫地為牢|画地为牢[hua4 di4 wei2 lao2] -画地自限,huà dì zì xiàn,lit. to draw a line on the ground to keep within (idiom); fig. to impose restrictions on oneself -画报,huà bào,"illustrated magazine; CL:本[ben3],份[fen4],冊|册[ce4],期[qi1]" -画坛,huà tán,painting world; painting circles -画外音,huà wài yīn,voice-over; background narration -画室,huà shì,artist's studio; atelier -画家,huà jiā,painter; CL:個|个[ge4] -画展,huà zhǎn,art exhibition -画布,huà bù,canvas (artist's painting surface) -画师,huà shī,(art) painter -画幅,huà fú,painting; picture; dimension of a painting -画廊,huà láng,art gallery; decorated corridor -画押,huà yā,to sign; to make one's mark -画架,huà jià,easel -画框,huà kuàng,picture frame -画毡,huà zhān,felt desk pad for calligraphy -画法,huà fǎ,painting technique; drawing method -画法几何,huà fǎ jǐ hé,descriptive geometry (three-dimensional geometry using projections and elevations) -画画,huà huà,to draw; to paint -画皮,huà pí,painted skin (which transforms a monster into a beauty) -画眉,huà méi,to apply makeup to the eyebrows; (bird species of China) Chinese hwamei (Garrulax canorus) -画稿,huà gǎo,rough sketch (of a painting); (of an official) to approve a document by signing it -画笔,huà bǐ,painting brush -画等号,huà děng hào,to equate; to consider (two things) to be equivalent -画舫,huà fǎng,decorated pleasure boat -画荻教子,huà dí jiào zǐ,to write on the sand with reeds while teaching one's son (idiom); mother's admirable dedication to her children's education -画虎不成反类犬,huà hǔ bù chéng fǎn lèi quǎn,to try to draw a tiger but end up with a likeness of a dog (idiom); to try to do sth overambitious and end up botching it -画虎类犬,huà hǔ lèi quǎn,to try to draw a tiger but end up with a likeness of a dog (idiom); to try to do sth overambitious and end up botching it -画蛇添足,huà shé tiān zú,lit. draw legs on a snake (idiom); fig. to ruin the effect by adding sth superfluous; to overdo it -画轴,huà zhóu,character scroll; scroll painting -画面,huà miàn,scene; tableau; picture; image; screen (displayed by a computer); (motion picture) frame; field of view -画风,huà fēng,painting style -画饼充饥,huà bǐng chōng jī,lit. to allay one's hunger using a picture of a cake; to feed on illusions (idiom) -画龙点睛,huà lóng diǎn jīng,to paint a dragon and dot in the eyes (idiom); fig. to add the vital finishing touch; the crucial point that brings the subject to life; a few words to clinch the point -畲,shē,She ethnic group -畲,yú,cultivated field -畲族,shē zú,She ethnic group -畲乡,yú xiāng,fields and villages -亩,mǔ,old variant of 畝|亩[mu3] -异,yì,different; other; hetero-; unusual; strange; surprising; to distinguish; to separate; to discriminate -异丁烷,yì dīng wán,isobutane -异丁苯丙酸,yì dīng běn bǐng suān,"Ibuprofen or Nurofen; nonsteroidal anti-inflammatory drug (NSAID), trade names Advil, Motrin, Nuprin etc, used as analgesic and antipyretic, e.g. for arthritis sufferers; also called 布洛芬" -异丙苯,yì bǐng běn,(chemistry) isopropylbenzene C9H12 (aka cumene) -异丙醇,yì bǐng chún,isopropanol; isopropyl alcohol C3H8O -异乎寻常,yì hū xún cháng,unusual; extraordinary -异事,yì shì,sth else; a separate matter; not the same thing; with different jobs (not colleagues); a remarkable thing; sth special; an odd thing; sth strange or incomprehensible -异亮氨酸,yì liàng ān suān,"isoleucine (Ile), an essential amino acid" -异人,yì rén,eccentric; unusual person; talented individual -异像,yì xiàng,extraordinary image -异动,yì dòng,to shift; to alter; unusual change; abnormal move -异化,yì huà,alienation (philosophy); (of speech) dissimilation -异化作用,yì huà zuò yòng,catabolism (biology); metabolic breaking down and waste disposal; dissimilation -异卵,yì luǎn,(of twins) fraternal; dizygotic -异卵双胞胎,yì luǎn shuāng bāo tāi,fraternal twins -异口同声,yì kǒu tóng shēng,"different mouths, same voice; to speak in unison (idiom)" -异同,yì tóng,comparison; differences and similarities -异味,yì wèi,unpleasant odor -异咯嗪,yì gē qín,isoalloxazine (name of organic chemical) -异国,yì guó,exotic; foreign -异国他乡,yì guó tā xiāng,foreign lands and places (idiom); living as expatriate -异国情调,yì guó qíng diào,exoticism; local color; exotic -异地,yì dì,different place; abroad -异地恋,yì dì liàn,long-distance romance; long-distance relationship -异域,yì yù,foreign country; alien land -异己,yì jǐ,dissident; alien; outsider; non-self; others -异常,yì cháng,unusual; abnormal; extremely; exceptionally -异形,yì xíng,not the usual type; atypical; heterotype -异形词,yì xíng cí,"variant spelling of the same Chinese word, e.g. 筆劃|笔划[bi3 hua4] and 筆畫|笔画[bi3 hua4]; exact synonym and homonym written with different characters" -异彩,yì cǎi,extraordinary splendor -异心,yì xīn,disloyalty; infidelity -异性,yì xìng,the opposite sex; of the opposite sex; heterosexual; different in nature -异性性接触,yì xìng xìng jiē chù,heterosexual sex -异性恋,yì xìng liàn,heterosexuality; heterosexual love -异性恋主义,yì xìng liàn zhǔ yì,heterosexism -异性相吸,yì xìng xiāng xī,opposite polarities attract; (fig.) opposite sexes attract; opposites attract -异想天开,yì xiǎng tiān kāi,(idiom) to imagine the wildest thing; to indulge in fantasy -异戊二烯,yì wù èr xī,isoprene -异戊巴比妥,yì wù bā bǐ tuǒ,amobarbital (drug) (loanword) -异戊橡胶,yì wù xiàng jiāo,isoprene rubber -异才,yì cái,extraordinary talent -异教,yì jiào,heresy; heathenism -异教徒,yì jiào tú,member of another religion; heathen; pagan; heretic; apostate -异文,yì wén,variant character; loan word; variant written form (for the same word); different edition -异族,yì zú,different tribe -异曲同工,yì qǔ tóng gōng,different tunes played with equal skill (idiom); different methods leading to the same result; different approach but equally satisfactory outcome -异株荨麻,yì zhū qián má,common nettle (Urtica dioica) -异构,yì gòu,isomeric (chemistry) -异构体,yì gòu tǐ,isomer (chemistry) -异样,yì yàng,difference; peculiar -异步,yì bù,asynchronous -异步传输模式,yì bù chuán shū mó shì,asynchronous transfer mode; ATM -异母,yì mǔ,(of siblings) having the same father but different mothers -异源多倍体,yì yuán duō bèi tǐ,allopolyploid (polyploid with chromosomes of different species) -异焉,yì yān,feeling surprised at sth -异父,yì fù,with different father (e.g. of half-brother) -异物,yì wù,rarity; rare delicacy; foreign matter; alien body; the dead; ghost; monstrosity; alien life-form -异特龙,yì tè lóng,allosaurus -异状,yì zhuàng,unusual condition; something odd; strange shape -异病同治,yì bìng tóng zhì,to use the same method to treat different diseases (TCM) -异种,yì zhǒng,hetero-; variety -异端,yì duān,heresy -异端者,yì duān zhě,a heretic -异义,yì yì,differing opinion -异能,yì néng,different function -异腈,yì jīng,carbylamine; isocyanide -异色树莺,yì sè shù yīng,(bird species of China) aberrant bush warbler (Horornis flavolivaceus) -异装癖,yì zhuāng pǐ,transvestism -异见,yì jiàn,dissident; dissenting; dissent -异见者,yì jiàn zhě,dissident -异言,yì yán,dissenting words -异说,yì shuō,different opinion; dissident view; absurd remark -异议,yì yì,objection; dissent -异议人士,yì yì rén shì,dissident -异议分子,yì yì fèn zǐ,dissidents; dissenting faction -异议者,yì yì zhě,dissenter; dissident -异读,yì dú,variant pronunciation (when the same character has more than one reading) -异读词,yì dú cí,word having alternative pronunciations -异质,yì zhì,heterogeneous -异质网路,yì zhì wǎng lù,heterogeneous network -异质体,yì zhì tǐ,variant -异军突起,yì jūn tū qǐ,to emerge as a new force to be reckoned with (idiom) -异邦,yì bāng,foreign country -异乡,yì xiāng,foreign land; a place far from home -异乡人,yì xiāng rén,stranger -异面直线,yì miàn zhí xiàn,(math.) skew lines -异响,yì xiǎng,unusual sound; strange noise; to make a strange sound -异频雷达收发机,yì pín léi dá shōu fā jī,transponder; electronic device that responds to a radio code -异类,yì lèi,different kind (sometimes with a connotation of strangeness or eccentricity) -异食癖,yì shí pǐ,pica (medicine) -异香,yì xiāng,rare perfume -异香扑鼻,yì xiāng pū bí,exotic odors assail the nostrils (idiom) -异体,yì tǐ,variant form (of a Chinese character) -异体字,yì tǐ zì,variant Chinese character -异龙,yì lóng,allosaurus; also written 異特龍|异特龙 -留,liú,old variant of 留[liu2] -当,dāng,to be; to act as; manage; withstand; when; during; ought; should; match equally; equal; same; obstruct; just at (a time or place); on the spot; right; just at -当,dàng,at or in the very same...; suitable; adequate; fitting; proper; to replace; to regard as; to think; to pawn; (coll.) to fail (a student) -当一天和尚撞一天钟,dāng yī tiān hé shang zhuàng yī tiān zhōng,see 做一天和尚撞一天鐘|做一天和尚撞一天钟[zuo4 yi1 tian1 he2 shang5 zhuang4 yi1 tian1 zhong1] -当上,dāng shang,to take up duty as; to assume a position; to assume; to take on (an office) -当下,dāng xià,immediately; at once; at that moment; at the moment -当且仅当,dāng qiě jǐn dāng,if and only if -当世,dāng shì,the present age; in office; the current office holder -当世之冠,dāng shì zhī guàn,the foremost person of his age; unequalled; a leading light -当世冠,dāng shì guàn,the foremost person of his age; unequalled; a leading light -当世无双,dāng shì wú shuāng,unequalled in his time -当中,dāng zhōng,among; in the middle; in the center -当之有愧,dāng zhī yǒu kuì,to feel undeserving of the praise or the honor -当之无愧,dāng zhī wú kuì,"fully deserving, without any reservations (idiom); entirely worthy (of a title, honor etc)" -当事,dāng shì,to be in charge; to be confronted (with a matter); involved (in some matter) -当事,dàng shì,to consider as a matter of importance; to be of importance -当事人,dāng shì rén,persons involved or implicated; party (to an affair) -当事国,dāng shì guó,the countries involved -当事者,dāng shì zhě,the person involved; the people holding power -当仁不让,dāng rén bù ràng,to be unwilling to pass on one's responsibilities to others -当今,dāng jīn,the present time; (old) (in reference to the reigning monarch) His Majesty -当代,dāng dài,the present age; the contemporary era -当代史,dāng dài shǐ,contemporary history -当代新儒家,dāng dài xīn rú jiā,Contemporary New Confucianism; see 新儒家[Xin1 Ru2 jia1] -当令,dāng lìng,to be in season; seasonal -当作,dàng zuò,to treat as; to regard as -当值,dāng zhí,to be on duty -当做,dàng zuò,to treat as; to regard as; to look upon as -当儿,dāng er,the very moment; just then; during (that brief interval) -当兵,dāng bīng,to serve in the army; to be a soldier -当初,dāng chū,at that time; originally -当前,dāng qián,the present time; to be faced with -当务之急,dāng wù zhī jí,(idiom) top priority job; matter of vital importance -当即,dāng jí,at once; on the spot -当口,dāng kǒu,at that moment; just then -当啷,dāng lāng,(onom.) metallic sound; clanging -当回事,dàng huí shì,"to take seriously (often with negative expression: ""don't take it too seriously""); to treat conscientiously" -当回事儿,dàng huí shì er,erhua variant of 當回事|当回事[dang4 hui2 shi4] -当地,dāng dì,local -当地居民,dāng dì jū mín,a local person; the local population -当地时间,dāng dì shí jiān,local time -当场,dāng chǎng,at the scene; on the spot -当夜,dāng yè,on that night -当夜,dàng yè,that very night; the same night -当天,dāng tiān,on that day -当天,dàng tiān,the same day -当天事当天毕,dàng tiān shì dàng tiān bì,never put off until tomorrow what you can do today (idiom) -当季,dāng jì,this season; the current season -当官不为民做主不如回家卖红薯,dāng guān bù wèi mín zuò zhǔ bù rú huí jiā mài hóng shǔ,"if an official does not put the people first, he might as well go home and sell sweet potatoes" -当家,dāng jiā,to manage the household; to be the one in charge of the family; to call the shots; to be in charge -当家作主,dāng jiā zuò zhǔ,to be in charge in one's own house (idiom); to be the master of one's own affairs -当局,dāng jú,authorities -当年,dāng nián,in those days; then; in those years; during that time -当年,dàng nián,that very same year -当心,dāng xīn,to take care; to look out -当成,dàng chéng,to consider as; to take to be -当掉,dàng diào,to fail (a student); to pawn; (of a computer or program) to crash; to stop working -当政,dāng zhèng,to come to power; to hold power; in office -当政者,dāng zhèng zhě,power holder; current political ruler -当断不断,dāng duàn bù duàn,(idiom) to waver when decisiveness is needed -当断则断,dāng duàn zé duàn,to make a decision when it's time to decide -当断即断,dāng duàn jí duàn,not to delay making a decision when a decision is needed -当日,dāng rì,on that day -当日,dàng rì,that very day; the same day -当时,dāng shí,then; at that time; while -当时,dàng shí,at once; right away -当晚,dāng wǎn,on that evening -当晚,dàng wǎn,the same evening -当月,dāng yuè,on that month -当月,dàng yuè,the same month -当枪使,dāng qiāng shǐ,to use (sb) as a tool -当机,dàng jī,"to crash (of a computer); to stop working; (loanword from English ""down"")" -当机立断,dāng jī lì duàn,to make prompt decisions (idiom) -当权,dāng quán,to hold power -当权派,dāng quán pài,persons or faction in authority -当权者,dāng quán zhě,ruler; those in power; the authorities -当归,dāng guī,Angelica sinensis -当涂,dāng tú,"Dangtu, a county in Ma'anshan 馬鞍山|马鞍山[Ma3an1shan1], Anhui" -当涂县,dāng tú xiàn,"Dangtu, a county in Ma'anshan 馬鞍山|马鞍山[Ma3an1shan1], Anhui" -当然,dāng rán,only natural; as it should be; certainly; of course; without doubt -当牛作马,dāng niú zuò mǎ,to work like a horse and toil like an ox; fig. to slave for sb -当班,dāng bān,to work one's shift -当当,dāng dāng,Dangdang (online retailer) -当当,dàng dàng,to pawn -当真,dàng zhēn,"to take seriously; serious; No joking, really!" -当众,dāng zhòng,in public; in front of everybody -当空,dāng kōng,overhead; up in the sky -当红,dāng hóng,"currently popular (of movie stars, singers etc)" -当耳旁风,dàng ěr páng fēng,lit. to treat (what sb says) as wind past your ear; fig. to completely disregard -当耳边风,dàng ěr biān fēng,lit. to treat (what sb says) as wind past your ear; fig. to completely disregard -当铺,dàng pù,"pawn shop; CL:家[jia1],間|间[jian1]" -当着,dāng zhe,in front of; in the presence of -当行出色,dāng háng chū sè,to excel in one's field -当街,dāng jiē,in the middle of the street; facing the street -当轴,dāng zhóu,person in power; important official -当道,dāng dào,in the middle of the road; to be in the way; to hold power; (fig.) to predominate; to be in vogue -当选,dāng xuǎn,to be elected; to be selected -当量,dāng liàng,equivalent; yield -当量剂量,dāng liàng jì liàng,equivalent dose -当阳,dāng yáng,"Dangyang, county-level city in Yichang 宜昌[Yi2 chang1], Hubei" -当阳市,dāng yáng shì,"Dangyang, county-level city in Yichang 宜昌[Yi2 chang1], Hubei" -当雄,dāng xióng,"Damxung county, Tibetan: 'Dam gzhung rdzong in Lhasa 拉薩|拉萨[La1 sa4], Tibet" -当雄县,dāng xióng xiàn,"Damxung county, Tibetan: 'Dam gzhung rdzong in Lhasa 拉薩|拉萨[La1 sa4], Tibet" -当面,dāng miàn,to sb's face; in sb's presence -当头,dāng tóu,coming right into one's face; imminent; to put first -当头,dàng tou,(coll.) pledge; surety -当驾,dāng jià,imperial driver -畸,jī,lopsided; unbalanced; abnormal; irregular; odd fractional remnant -畸型,jī xíng,malformation -畸形,jī xíng,deformed; malformed; lopsided; unbalanced -畸形儿,jī xíng ér,deformed child; child with birth defect -畸形秀,jī xíng xiù,freak show -畸态,jī tài,deformity; birth defect; abnormality -畸恋,jī liàn,"improper love affair; unhealthy relationship (age-inappropriate, obsessive, incestuous etc)" -畸胎,jī tāi,a teratism; monster; severely deformed individual -畸胎瘤,jī tāi liú,teratoma (medicine) -畸变,jī biàn,distortion; aberration -畸零,jī líng,fractional part of a real number; odd fractional remnant; lone person; solitary -畹,wǎn,a field of 20 or 30 mu -畹町,wǎn dīng,"Wanding town Dehong Dai and Jingpo autonomous prefecture 德宏傣族景頗族自治州|德宏傣族景颇族自治州, Yunnan, on border with Myanmar (Burma)" -畹町市,wǎn dīng shì,"Wanding town Dehong Dai and Jingpo autonomous prefecture 德宏傣族景頗族自治州|德宏傣族景颇族自治州, Yunnan, on border with Myanmar (Burma)" -畺,jiāng,old variant of 疆[jiang1] -畾,léi,fields divided by dikes -畿,jī,territory around the capital -疃,tuǎn,village; animal track -疆,jiāng,border; boundary -疆土,jiāng tǔ,territory -疆域,jiāng yù,territory -疆场,jiāng chǎng,battlefield -疆界,jiāng jiè,border; boundary -畴,chóu,arable fields; cultivated field; class; category -叠,dié,variant of 疊|叠[die2] -叠,dié,to fold; to fold over in layers; to furl; to layer; to pile up; to repeat; to duplicate -叠加,dié jiā,to superimpose; to layer; to overlay; to superpose -叠合,dié hé,to overlay; to superpose; to superimpose; to overlap -叠层,dié céng,repeated layers; stratified; laminated; stacked; piled strata -叠层岩,dié céng yán,stromatolite -叠层石,dié céng shí,stromatolite -叠彩,dié cǎi,"Diecai district of Guilin city 桂林市[Gui4 lin2 shi4], Guangxi" -叠彩区,dié cǎi qū,"Diecai district of Guilin city 桂林市[Gui4 lin2 shi4], Guangxi" -叠放,dié fàng,to stack; to lay one on top of another -叠纸,dié zhǐ,to fold paper; origami -叠罗汉,dié luó hàn,human pyramid -叠音钹,dié yīn bó,ride cymbal (drum kit component) -匹,pǐ,variant of 匹[pi3]; classifier for cloth: bolt -疋,shū,foot -疋,yǎ,variant of 雅[ya3] -疏,shū,variant of 疏[shu1] -疏谋少略,shū móu shǎo lüè,(idiom) unable to plan; inept at strategy -疏,shū,surname Shu -疏,shū,to dredge; to clear away obstruction; thin; sparse; scanty; distant (relation); not close; to neglect; negligent; to present a memorial to the Emperor; commentary; annotation -疏不见亲,shū bù jiàn qīn,lit. casual aquaintances should not come between relatives; blood is thicker than water (idiom) -疏剪,shū jiǎn,to prune -疏勒,shū lè,"Shule ancient name for modern Kashgar; Shule county in Kashgar prefecture 喀什地區|喀什地区[Ka1 shi2 di4 qu1], west Xinjiang" -疏勒国,shū lè guó,"Shule, oasis state in central Asia (near modern Kashgar) at different historical periods" -疏勒县,shū lè xiàn,"Shule county in Kashgar prefecture 喀什地區|喀什地区[Ka1 shi2 di4 qu1], west Xinjiang" -疏失,shū shī,to make a (careless) mistake; oversight -疏导,shū dǎo,to dredge; to open up a path for; to remove obstructions; to clear the way; to enlighten; persuasion -疏忽,shū hu,to neglect; to overlook; negligence; carelessness -疏忽大意,shū hu dà yì,oversight; negligence; careless; negligent; not concentrating on the main point -疏忽职守,shū hū zhí shǒu,to neglect one's duties -疏懒,shū lǎn,indolent; careless -疏挖,shū wā,to dredge; to dig out (a channel) -疏放,shū fàng,eccentric; self-indulgent; free and unconventional (written style); unbuttoned -疏散,shū sǎn,idle; leisurely; laid-back; Taiwan pr. [shu1san4] -疏散,shū sàn,to scatter; to disperse; to evacuate; scattered; sparse -疏散措施,shū sàn cuò shī,evacuation; measures to evacuate a building in an emergency -疏于,shū yú,to fail to pay sufficient attention to; to be negligent in regard to; to be lacking in -疏于防范,shū yú fáng fàn,to neglect to take precautions; relaxed vigilance -疏水箪瓢,shū shuǐ dān piáo,little water and few utensils; to live a frugal life (idiom) -疏浚,shū jùn,to dredge -疏淡,shū dàn,sparse; thin; distant -疏漏,shū lòu,to slip up; to overlook by negligence; careless omission; oversight -疏狂,shū kuáng,uninhibited; unrestrained; unbridled -疏率,shū shuài,careless and rash; heedless -疏理,shū lǐ,to clarify (disparate material into a coherent narrative); to marshal an argument -疏略,shū lüè,negligence; to neglect inadvertently -疏疏,shū shū,sparse; blurred; old for 楚楚[chu3 chu3]; neat; lovely -疏而不漏,shū ér bù lòu,"loose, but allows no escape (idiom, from Laozi 老子[Lao3 zi3]); the way of Heaven is fair, but the guilty will not escape" -疏肝理气,shū gān lǐ qì,to course the liver and rectify 氣|气[qi4] (TCM) -疏落,shū luò,sparse; scattered -疏解,shū jiě,to mediate; to mitigate; to ease; to relieve -疏财仗义,shū cái zhàng yì,"distributing money, fighting for virtue (idiom); fig. generous in helping the needy" -疏财重义,shū cái zhòng yì,"distributing money, supporting virtue (idiom); fig. to give generously in a public cause" -疏通,shū tōng,to unblock; to dredge; to clear the way; to get things flowing; to facilitate; to mediate; to lobby; to explicate (a text) -疏通费,shū tōng fèi,facilitation payment; bribe -疏远,shū yuǎn,to drift apart; to become estranged; to alienate; estrangement -疏开,shū kāi,to disperse -疏阔,shū kuò,inaccurate; slipshod; poorly thought-out; distant; vague; long-separated; broadly scattered -疏附,shū fù,"Shufu county in Kashgar prefecture 喀什地區|喀什地区[Ka1 shi2 di4 qu1], west Xinjiang" -疏附县,shū fù xiàn,"Shufu county in Kashgar prefecture 喀什地區|喀什地区[Ka1 shi2 di4 qu1], west Xinjiang" -疏离,shū lí,to become alienated; estranged; alienation; disaffection; set wide apart -疏松,shū sōng,to loosen -疐,zhì,prostrate -疑,yí,(bound form) to doubt; to suspect -疑似,yí sì,to be suspected to be -疑凶,yí xiōng,suspected of murder; criminal suspect -疑兵,yí bīng,troops deployed to mislead the enemy -疑冰,yí bīng,"ignorant; doubt stemming from ignorance; (a summer insect has no word for ice, Zhuangzi 莊子|庄子[Zhuang1 zi3])" -疑问,yí wèn,question; interrogation; doubt -疑问代词,yí wèn dài cí,"interrogative pronoun (誰|谁, 什麼|什么, 哪兒|哪儿 etc)" -疑问句,yí wèn jù,question (grammar); interrogative sentence -疑团,yí tuán,doubts and suspicions; a maze of doubts; puzzle; mystery -疑心,yí xīn,suspicion; to suspect -疑忌,yí jì,jealousy; suspicious and jealous -疑念,yí niàn,doubt -疑惑,yí huò,to doubt; to distrust; unconvincing; to puzzle over; misgivings; suspicions -疑虑,yí lǜ,hesitation; misgivings; doubt -疑惧,yí jù,misgivings -疑案,yí àn,a doubtful case; a controversy -疑涉,yí shè,to be suspected of -疑犯,yí fàn,a suspect -疑狱,yí yù,a hard legal case to judge -疑病症,yí bìng zhèng,hypochondriasis; hypochondria; also written 疑病[yi2 bing4] -疑神疑鬼,yí shén yí guǐ,to suspect everyone; overly suspicious -疑窦,yí dòu,(literary) doubts; suspicions; cause for suspicion -疑义,yí yì,a doubtful point -疑阵,yí zhèn,a diversion; a feint attack to mislead the enemy -疑难,yí nán,hard to understand; difficult to deal with; knotty; complicated -疑难问题,yí nán wèn tí,knotty problem; intractable difficulty -疑难解答,yí nán jiě dá,trouble shooting; solution to difficulties -疑难杂症,yí nán zá zhèng,dubious or hard-to-treat cases (medicine); hard cases -疑云,yí yún,a haze of doubts and suspicions -疑点,yí diǎn,a doubtful point -疒,nè,sick; sickness; Kang Xi radical 104; also pr. [chuang2] -疔,dīng,boil; carbuncle -肛,gāng,used in 脫疘|脱肛[tuo1 gang1] -疙,gē,pimple; wart -疙疸,gē da,see 疙瘩[ge1da5] -疙瘩,gē da,swelling or lump on skin; pimple; knot; lump; preoccupation; problem -疙瘩汤,gē da tāng,"dough-drop soup (made by dropping small, irregular lumps of dough into the simmering broth)" -疚,jiù,chronic disease; guilt; remorse -疝,shàn,hernia -疝气,shàn qì,hernia -疣,yóu,nodule; wart -疣状,yóu zhuàng,warty; bumpy; wart-shaped -疣猪,yóu zhū,warthog -疣赘,yóu zhuì,wart; superfluous; useless -疣鼻天鹅,yóu bí tiān é,(bird species of China) mute swan (Cygnus olor) -疤,bā,scar; scab -疤痕,bā hén,scar -疥,jiè,scabies -疥疮,jiè chuāng,scabies; welts -疫,yì,(bound form) epidemic; plague -疫区,yì qū,epidemic area -疫情,yì qíng,epidemic situation -疫病,yì bìng,plague; a blight -疫苗,yì miáo,vaccine -疲,pí,weary -疲乏,pí fá,tired; weary -疲倦,pí juàn,to tire; tired -疲劳,pí láo,fatigue; wearily; weariness; weary -疲劳症,pí láo zhèng,fatigue -疲匮,pí kuì,tired; weary -疲困,pí kùn,(literary) tired; fatigued; (economics) weak; sluggish -疲塌,pí ta,variant of 疲沓[pi2 ta5] -疲弱,pí ruò,tired; weak; exhausted -疲态,pí tài,fatigued look; signs of weariness; (fig.) weakness (in the stock market etc) -疲惫,pí bèi,beaten; exhausted; tired -疲惫不堪,pí bèi bù kān,exhausted; fatigued to the extreme -疲于奔命,pí yú bēn mìng,(idiom) terribly busy; up to one's ears in work -疲沓,pí ta,slack; remiss; negligent -疲累,pí lèi,tired; exhausted -疲软,pí ruǎn,tired and feeble -疳,gān,rickets -疵,cī,blemish; flaw; defect -疸,da,used in 疙疸[ge1 da5] -疸,dǎn,jaundice -疹,zhěn,measles; rash -疹子,zhěn zi,rash -疼,téng,(it) hurts; sore; to love dearly -疼惜,téng xī,to cherish; to dote on -疼爱,téng ài,to love dearly -疼死,téng sǐ,to really hurt -疼痛,téng tòng,pain; (of a body part) to be painful; to be sore; to hurt; (of a person) to be in pain -疽,jū,gangrene -疾,jí,(bound form) disease; ailment; (bound form) swift; (literary) to hate; to abhor -疾恶如仇,jí è rú chóu,variant of 嫉惡如仇|嫉恶如仇[ji2e4-ru2chou2] -疾控中心,jí kòng zhōng xīn,Centers for Disease Control and Prevention (CDC); abbr. for 疾病預防控製中心|疾病预防控制中心[ji2 bing4 yu4 fang2 kong4 zhi4 zhong1 xin1] -疾书,jí shū,to scribble rapidly -疾步,jí bù,at a fast pace -疾病,jí bìng,disease; sickness; ailment -疾病控制中心,jí bìng kòng zhì zhōng xīn,Centers for Disease Control (CDC) -疾病突发,jí bìng tū fā,outbreak of illness; seizure -疾病预防中心,jí bìng yù fáng zhōng xīn,Center for Disease Control (US) -疾苦,jí kǔ,pain and difficulties; suffering (of the people) -疾走,jí zǒu,to scamper; to scurry -疾速,jí sù,very fast; at high speed -疾风,jí fēng,strong wind; gale -疾风劲草,jí fēng jìng cǎo,lit. sturdy grass withstands high winds (idiom); fig. strength of character is revealed in a crisis -疾风知劲草,jí fēng zhī jìng cǎo,lit. sturdy grass withstands high winds (idiom); fig. strength of character is revealed in a crisis -疾首,jí shǒu,extremely angry; infuriated; enraged; headache caused by anger -疾驰,jí chí,to speed along -疾驰而过,jí chí ér guò,to sweep past; to hurtle past; to swoosh past -疾驶,jí shǐ,(of a vehicle) to travel at high speed -痱,fèi,variant of 痱[fei4] -痂,jiā,scab -痂皮,jiā pí,scab -痄,zhà,mumps -病,bìng,illness; CL:場|场[chang2]; disease; to fall ill; defect -病人,bìng rén,sick person; patient; invalid; CL:個|个[ge4] -病休,bìng xiū,to be on sick leave -病例,bìng lì,(medical) case; occurrence of illness -病倒,bìng dǎo,to fall ill; to be stricken with an illness -病假,bìng jià,sick leave -病假条,bìng jià tiáo,sick note; medical certificate for sick leave -病入膏肓,bìng rù gāo huāng,lit. the disease has attacked the vitals (idiom); fig. beyond cure; the situation is hopeless -病势,bìng shì,degree of seriousness of an illness; patient's condition -病包儿,bìng bāo er,a person who is always falling ill; chronic invalid -病危,bìng wēi,to be critically ill; to be terminally ill -病原,bìng yuán,cause of disease; pathogen -病原菌,bìng yuán jūn,a pathogen; a bacterial pathogen -病原体,bìng yuán tǐ,(med.) pathogen -病厌厌,bìng yān yān,sickly-looking -病友,bìng yǒu,a friend made in hospital or people who become friends in hospital; wardmate -病句,bìng jù,defective sentence; error (of grammar or logic) -病史,bìng shǐ,medical history -病员,bìng yuán,sick personnel; person on the sick list; patient -病因,bìng yīn,cause of disease; pathogen -病因学,bìng yīn xué,pathological science (TCM) -病国殃民,bìng guó yāng mín,to damage the country and cause suffering to the people (idiom) -病夫,bìng fū,sick man -病媒,bìng méi,(epidemiology) vector -病室,bìng shì,infirmary; ward; sickroom; CL:間|间[jian1] -病害,bìng hài,plant disease -病家,bìng jiā,a patient and his family -病容,bìng róng,sickly look -病床,bìng chuáng,hospital bed; sickbed -病弱,bìng ruò,sick and weak; sickly; invalid -病从口入,bìng cóng kǒu rù,Illness enters by the mouth (idiom). Mind what you eat!; fig. A loose tongue may cause a lot of trouble. -病征,bìng zhēng,symptom (of a disease) -病急乱投医,bìng jí luàn tóu yī,lit. to turn to any doctor one can find when critically ill (idiom); fig. to try anyone or anything in a crisis -病耻感,bìng chǐ gǎn,stigma attached to a disease -病患,bìng huàn,illness; disease; patient; sufferer -病情,bìng qíng,state of an illness; patient's condition -病态,bìng tài,morbid or abnormal state -病态肥胖,bìng tài féi pàng,morbidly obese (medicine) -病恹恹,bìng yān yān,looking or feeling sickly; weak and dispirited through illness -病房,bìng fáng,ward (of a hospital); sickroom; CL:間|间[jian1] -病故,bìng gù,to die of an illness -病株,bìng zhū,diseased or infected plant -病根,bìng gēn,an incompletely cured illness; an old complaint; the root cause of trouble -病案,bìng àn,medical record -病榻,bìng tà,sickbed -病机,bìng jī,interpretation of the cause; onset and process of an illness; pathogenesis -病历,bìng lì,medical record; case history -病死,bìng sǐ,to fall ill and die; to die of illness -病残,bìng cán,sick or disabled; invalid; disability -病毒,bìng dú,virus -病毒学,bìng dú xué,virology (study of viruses) -病毒学家,bìng dú xué jiā,virologist (person who studies viruses) -病毒式营销,bìng dú shì yíng xiāo,viral marketing; see also 病毒營銷|病毒营销[bing4 du2 ying2 xiao1] -病毒性,bìng dú xìng,viral -病毒性营销,bìng dú xìng yíng xiāo,viral marketing; see also 病毒營銷|病毒营销[bing4 du2 ying2 xiao1] -病毒性肝炎,bìng dú xìng gān yán,viral hepatitis -病毒感染,bìng dú gǎn rǎn,viral infection -病毒营销,bìng dú yíng xiāo,viral marketing -病毒科,bìng dú kē,virus family -病毒血症,bìng dú xuè zhèng,viremia -病民害国,bìng mín hài guó,to damage the people and harm the country (idiom) -病民蛊国,bìng mín gǔ guó,to damage the people and harm the country (idiom) -病况,bìng kuàng,state of an illness; patient's condition -病源,bìng yuán,cause of disease -病灶,bìng zào,focus of infection; lesion; nidus -病状,bìng zhuàng,symptom (of a disease) -病理,bìng lǐ,pathology -病理学,bìng lǐ xué,pathology -病理学家,bìng lǐ xué jiā,pathologist -病病歪歪,bìng bing wāi wāi,sick and weak; feeble and listless -病病殃殃,bìng bing yāng yāng,seriously ill; in fragile health -病症,bìng zhèng,disease; illness -病痛,bìng tòng,slight illness; indisposition; ailment -病愈,bìng yù,to recover (from an illness) -病秧子,bìng yāng zi,(coll.) invalid; sickly person -病程,bìng chéng,course of disease -病笃,bìng dǔ,critically ill; on one's deathbed -病者,bìng zhě,sick person; patient -病脉,bìng mài,abnormal pulse -病苦,bìng kǔ,pains (of illness); sufferings (esp. in Buddhism) -病菌,bìng jūn,harmful bacteria; pathogenic bacteria; germs -病号,bìng hào,sick personnel; person on the sick list; patient -病虫,bìng chóng,plant diseases and insect pests -病虫害,bìng chóng hài,plant diseases and insect pests -病虫害绿色防控,bìng chóng hài lǜ sè fáng kòng,green pest prevention and control; environmentally friendly methods of pest control and prevention -病变,bìng biàn,"pathological changes; lesion; diseased (kidney, cornea etc)" -病象,bìng xiàng,symptom (of a disease) -病逝,bìng shì,to die of illness -病邪,bìng xié,pathogeny (cause of disease) in TCM; as opposed to vital energy 正氣|正气[zheng4 qi4] -病重,bìng zhòng,seriously ill -病院,bìng yuàn,specialized hospital -病魔,bìng mó,serious illness -症,zhèng,disease; illness -症侯群,zhèng hóu qún,"erroneous variant of 症候群, syndrome" -症候,zhèng hòu,illness; disease -症候群,zhèng hòu qún,syndrome -症状,zhèng zhuàng,symptom (of an illness) -症状性,zhèng zhuàng xìng,symptomatic -症象,zhèng xiàng,symptom -痊,quán,to recover (from illness) -痊愈,quán yù,to recover completely (from illness or injury) -痍,yí,bruise; sores -蛔,huí,old variant of 蛔[hui2] -痒,yǎng,variant of 癢|痒[yang3]; to itch; to tickle -痔,zhì,piles; hemorrhoid -痔疮,zhì chuāng,hemorrhoid -痕,hén,scar; traces -痕迹,hén jì,vestige; mark; trace -痘,dòu,pimple; pustule -痘痂,dòu jiā,pockmark; smallpox scab -痘痕,dòu hén,pockmark -痘瘢,dòu bān,pock mark -痘疱,dòu pào,pimple; acne -痘苗,dòu miáo,vaccine -痉,jìng,spasm -痉挛,jìng luán,to jerk; to contort; spasm; convulsion -痛,tòng,ache; pain; sorrow; deeply; thoroughly -痛不欲生,tòng bù yù shēng,to be so in pain as to not want to live; to be so grieved as to wish one were dead -痛哭,tòng kū,to cry bitterly -痛哭流涕,tòng kū liú tì,weeping bitter tears -痛失,tòng shī,to suffer the painful loss of (a loved one etc); to miss out on (an opportunity); to fail to gain (victory etc) -痛定思痛,tòng dìng sī tòng,to think of the pain when the pain is gone (idiom); to ponder about a painful experience -痛心,tòng xīn,grieved; pained -痛心疾首,tòng xīn jí shǒu,bitter and hateful (idiom); to grieve and lament (over sth) -痛快,tòng kuài,delighted; to one's heart's content; straightforward; also pr. [tong4 kuai5] -痛快淋漓,tòng kuài lín lí,joyous; hearty; spirited; (of commentary) trenchant; incisive -痛性痉挛,tòng xìng jìng luán,(muscle) cramp -痛恨,tòng hèn,to detest; to loathe; to abhor -痛惜,tòng xī,to lament -痛恶,tòng wù,to detest; to abhor -痛感,tòng gǎn,to feel deeply; acute suffering -痛扁,tòng biǎn,to beat (sb) up -痛打,tòng dǎ,to beat sb soundly -痛批,tòng pī,to severely criticize -痛击,tòng jī,to deliver a punishing attack; to deal a heavy blow -痛改前非,tòng gǎi qián fēi,completely correcting one's former misdeeds (idiom); to repent past mistakes and turn over a new leaf; a reformed character -痛斥,tòng chì,to criticize harshly; to denounce; to attack viciously -痛楚,tòng chǔ,pain; anguish; suffering -痛痛快快,tòng tong kuài kuài,immediately; without a moment's hesitation; with alacrity; firing from the hip -痛痒,tòng yǎng,pain and itch; sufferings; importance; consequence -痛砭,tòng biān,to strongly criticize -痛砭时弊,tòng biān shí bì,to strongly criticize the evils of the day -痛经,tòng jīng,period pain; menstrual cramps; dysmenorrhea -痛经假,tòng jīng jià,menstrual leave -痛骂,tòng mà,to bawl out; to reprimand severely -痛苦,tòng kǔ,pain; suffering; painful; CL:個|个[ge4] -痛处,tòng chù,sore spot; place that hurts -痛觉,tòng jué,sense of pain -痛风,tòng fēng,gout -痛饮,tòng yǐn,to drink one's fill -痛点,tòng diǎn,pain point; sore point -痞,pǐ,constipation; lump in the abdomen -痞子,pǐ zi,ruffian; hooligan -痞子蔡,pǐ zi cài,"Rowdy Cai (1969-), Taiwanese Internet writer" -痢,lì,dysentery -痢疾,lì ji,dysentery -痣,zhì,birthmark; mole -痤,cuó,acne -痤疮,cuó chuāng,acne -痦,wù,(flat) mole -痦子,wù zi,nevus; mole; birthmark -痧,shā,cholera -痰,tán,phlegm; spittle -痰液,tán yè,saliva; spittle -痰盂,tán yú,spittoon -痰盂儿,tán yú er,erhua variant of 痰盂[tan2 yu2] -痰盂式,tán yú shì,spittoon-shaped -痱,fèi,prickly heat -痱子,fèi zi,miliaria (type of skin disease); prickly heat; sweat rash -痲,má,leprosy; numb -痲疹,má zhěn,variant of 麻疹[ma2 zhen3] -痲痹,má bì,variant of 麻痺|麻痹[ma2 bi4] -痴,chī,imbecile; sentimental; stupid; foolish; silly -痴人痴福,chī rén chī fú,a fool suffers foolish fortune (idiom) -痴人说梦,chī rén shuō mèng,lunatic ravings; nonsense -痴呆症,chī dāi zhèng,dementia -痴心,chī xīn,infatuation -痴心妄想,chī xīn wàng xiǎng,to be carried away by one's wishful thinking (idiom); to labor under a delusion; wishful thinking -痴想,chī xiǎng,to daydream; wishful thinking; pipe dream -痴汉,chī hàn,"molester (loanword from Japanese ""chikan""); idiot; fool" -痴呆,chī dāi,imbecility; dementia -痴痴,chī chī,foolish; stupid; lost in thought; in a daze -痴笑,chī xiào,to giggle foolishly; to titter -痴迷,chī mí,infatuated; obsessed -痴醉,chī zuì,to be fascinated; to be spellbound -痴长,chī zhǎng,to not be wiser despite being older; (humble) to be older than (you) by -痹,bì,paralysis; numbness -痹证,bì zhèng,localized pain disorder (in Chinese medicine); arthralgia syndrome; bi disorder -痼,gù,"obstinate disease; (of passion, hobbies) long-term" -痼疾,gù jí,chronic disease -痼癖,gù pǐ,addiction -痼习,gù xí,inveterate habit -疴,kē,(literary) disease; also pr. [e1] -痿,wěi,atrophy -瘀,yū,hematoma (internal blood clot); extravasated blood (spilt into surrounding tissue); contusion -瘀伤,yū shāng,to become bruised; bruising; bruise -瘀斑,yū bān,(medicine) ecchymosis; bruising -瘀滞,yū zhì,(in Chinese medicine) stasis (of blood or other fluids) -瘀血,yū xuè,clotted blood; extravasated blood (leaking into surrounding tissue); thrombosis -瘀青,yū qīng,bruise; contusion -瘀点,yū diǎn,petechia (medicine) -瘁,cuì,care-worn; distressed; tired; overworked; sick; weary -痖,yǎ,"mute, incapable of speech; same as 啞|哑[ya3]" -瘃,zhú,chilblain -瘊,hóu,wart -瘊子,hóu zi,wart -疯,fēng,insane; mad; wild -疯人院,fēng rén yuàn,insane asylum; mental hospital -疯传,fēng chuán,to spread like wildfire; to go viral -疯子,fēng zi,madman; lunatic -疯牛病,fēng niú bìng,mad cow disease (bovine spongiform encephalopathy) -疯犬,fēng quǎn,mad dog; rabid dog -疯狂,fēng kuáng,crazy; frenzied; wild -疯犹精,fēng yóu jīng,(slang) person who is blindly pro-Israel -疯疯癫癫,fēng feng diān diān,deranged; erratic -疯瘫,fēng tān,variant of 風癱|风瘫[feng1 tan1] -疯癫,fēng diān,insane; crazy -疯话,fēng huà,crazy talk; ravings; nonsense -疯魔,fēng mó,mad; insane; to be fascinated; to fascinate -瘌,là,scabies; scald-head -疡,yáng,ulcers; sores -瘐,yǔ,to maltreat (as prisoners) -瘐毙,yǔ bì,to die of hunger or disease (of a prisoner) -瘐死,yǔ sǐ,to die of hunger or disease (of a prisoner) -痪,huàn,used in 癱瘓|瘫痪[tan1huan4] -瘕,jiǎ,obstruction in the intestine -瘙,sào,itch; old term for scabies; Taiwan pr. [sao1] -瘙痒,sào yǎng,to itch; itchiness -瘙痒病,sào yǎng bìng,scrapie (prion disease of sheep) -瘙痒症,sào yǎng zhèng,pruritus; itchy skin -瘛,chì,used in 瘛瘲|瘛疭[chi4zong4]; Taiwan pr. [qi4] -瘛疭,chì zòng,(TCM) clonic convulsion -瘜,xī,a polypus -瘜肉,xī ròu,variant of 息肉[xi1 rou4] -瘗,yì,bury; sacrifice -瘟,wēn,epidemic; pestilence; plague; (fig.) stupid; dull; (of a performance) lackluster -瘟疫,wēn yì,plague; pestilence -瘟神,wēn shén,demon personifying pestilence -瘠,jí,barren; lean -瘠薄,jí bó,(of land) infertile; barren -疮,chuāng,sore; skin ulcer -疮口,chuāng kǒu,wound; open sore -疮疤,chuāng bā,scar -疮痂,chuāng jiā,scab -疮痍,chuāng yí,wound; skin ulcer; (fig.) the desolation of trauma; desolation in the aftermath of a disaster -疮痍满目,chuāng yí mǎn mù,a scene of devastation meets the eye everywhere one looks (idiom) -疮痕,chuāng hén,scar; scarred skin -疮疡,chuāng yáng,sore; skin ulcer -瘢,bān,mark; scar on the skin -瘢痕,bān hén,scar -瘤,liú,tumor -瘤子,liú zi,tumor -瘤鸭,liú yā,(bird species of China) knob-billed duck (Sarkidiornis melanotos) -瘥,chài,to recover from disease -瘥,cuó,disease -瘦,shòu,thin; to lose weight; (of clothing) tight; (of meat) lean; (of land) unproductive -瘦伶仃,shòu líng dīng,emaciated; scrawny -瘦削,shòu xuē,slim -瘦子,shòu zi,thin person -瘦小,shòu xiǎo,slightly-built; petite -瘦巴巴,shòu bā bā,thin; scrawny; emaciated -瘦弱,shòu ruò,thin and weak -瘦死的骆驼比马大,shòu sǐ de luò tuo bǐ mǎ dà,"lit. even a scrawny camel is bigger than a horse (idiom); fig. even after suffering a loss, a rich person is still better off than ordinary people; a cultured person may come down in the world, but he is still superior to the common people" -瘦肉,shòu ròu,lean meat -瘦肉精,shòu ròu jīng,leanness-enhancing agent (for livestock) -瘦身,shòu shēn,to lose weight (intentionally); to slim down; (Tw) to downsize (a business) -瘦长,shòu cháng,slim -瘦骨伶仃,shòu gǔ líng dīng,(idiom) emaciated; scrawny -瘦骨嶙峋,shòu gǔ lín xún,skinny; emaciated (idiom) -瘦骨棱棱,shòu gǔ léng léng,bony; skinny -疟,nüè,malaria -疟,yào,used in 瘧子|疟子[yao4 zi5] -疟原虫,nüè yuán chóng,plasmodium (malaria parasite) -疟子,yào zi,(coll.) malaria -疟疾,nüè jí,malaria -疟疾病,nüè jí bìng,malaria -疟蚊,nüè wén,Anopheles (type of mosquito) -瘩,dá,sore; boil; scab -瘭,biāo,whitlow -瘰,luǒ,scrofula; tuberculosis of glands -瘰疬,luǒ lì,scrofula (in Chinese medicine) -瘰螈,luǒ yuán,triton -疭,zòng,used in 瘛瘲|瘛疭[chi4 zong4] -瘳,chōu,to convalesce; to recover; to heal -瘴,zhàng,malaria; miasma -瘴疠,zhàng lì,tropical disease attributed to miasma; malaria -瘵,zhài,focus of tubercular infection -瘸,qué,lame -瘸子,qué zi,lame person (colloquial) -瘸帮,qué bāng,Crips (gang) -瘸腿,qué tuǐ,crippled; lame; a cripple; a lame person -瘘,lòu,fistula; ulceration -瘘管,lòu guǎn,fistula -瘼,mò,distress; sickness -癀,huáng,used in 癀病[huang2 bing4] -癀病,huáng bìng,(dialect) anthrax in livestock -疗,liáo,to treat; to cure; therapy -疗伤,liáo shāng,healing; to heal; to make healthy again -疗效,liáo xiào,healing efficacy; healing effect -疗法,liáo fǎ,therapy; treatment -疗愈,liáo yù,to heal; therapy -疗程,liáo chéng,course of treatment -疗养,liáo yǎng,to get well; to heal; to recuperate; to convalesce; convalescence; to nurse -疗养所,liáo yǎng suǒ,sanitorium; convalescent hospital -疗养院,liáo yǎng yuàn,sanatorium -癃,lóng,infirmity; retention of urine -癃闭,lóng bì,illness having to do with obstruction of urine flow; (Chinese medicine); retention of urine -憔,qiáo,old variant of 憔[qiao2] -瘤,liú,old variant of 瘤[liu2] -痨,láo,tuberculosis -痨病,láo bìng,tuberculosis (TCM) -痨病鬼,láo bìng guǐ,(derog.) tubercular person; a consumptive -痫,xián,epilepsy; insanity -废,fèi,variant of 廢|废[fei4]; disabled -瘅,dān,(disease) -瘅,dàn,to hate -癌,ái,cancer; carcinoma; also pr. [yan2] -癌前期,ái qián qī,precancerous stage -癌症,ái zhèng,cancer -癌细胞,ái xì bāo,cancer cell -癌变,ái biàn,to become cancerous; transformation to malignancy (of body cells) -癍,bān,abnormal pigment deposit on the skin -愈,yù,variant of 愈[yu4]; to heal -愈合,yù hé,(of a wound) to heal -愈复,yù fù,recovery (after illness) -癔,yì,used in 癔病[yi4bing4] and 癔症[yi4zheng4] -癔病,yì bìng,hysteria -癔症,yì zhèng,hysteria -癖,pǐ,habit; hobby -癖好,pǐ hào,one's passion; one's obsession -疠,lì,ulcer; plague -癜,diàn,erythema; leucoderm -瘪,biě,deflated; shriveled; sunken; empty -瘪三,biē sān,(Wu dialect) bum; wretched-looking tramp who lives by begging or stealing -瘪螺痧,biě luó shā,cholera (with dehydration) -瘪陷,biě xiàn,deflated -痴,chī,variant of 痴[chi1] -痴傻,chī shǎ,stupid; foolish -痴呆,chī dāi,imbecility; dementia -痴情,chī qíng,infatuation -痒,yǎng,to itch; to tickle -痒痒,yǎng yang,to itch; to tickle -痒痒挠,yǎng yang náo,backscratcher (made from bamboo etc) -疖,jiē,pimple; sore; boil; Taiwan pr. [jie2] -疖子,jiē zi,(medicine) boil; furuncle; knot (in wood) -症,zhēng,abdominal tumor; bowel obstruction; (fig.) sticking point -症结,zhēng jié,hard lump in the abdomen (in Chinese medicine); crux of an issue; main point in an argument; sticking point; deadlock in negotiations -疬,lì,see 瘰癧|瘰疬[luo3 li4] -癞,lài,scabies; skin disease -癞疮,lài chuāng,favus (skin disease) -癞皮狗,lài pí gǒu,mangy dog; (fig.) loathsome person -癞皮病,lài pí bìng,pellagra; scabies -癞蛤蟆,lài há ma,toad -癞蛤蟆想吃天鹅肉,lài há ma xiǎng chī tiān é ròu,lit. the toad wants to eat swan meat (idiom); fig. to try to punch above one's weight -癣,xuǎn,ringworm; Taiwan pr. [xian3] -瘿,yǐng,goiter; knob on tree -瘾,yǐn,addiction; craving -瘾君子,yǐn jūn zǐ,opium eater; drug addict; chain smoker -瘾头,yǐn tóu,craving; addiction -瘾头儿,yǐn tóu er,erhua variant of 癮頭|瘾头[yin3 tou2] -癯,qú,thin; emaciated; worn; tired -癯瘦,qú shòu,thin; emaciated -痈,yōng,carbuncle -瘫,tān,paralyzed -瘫子,tān zi,paralyzed person -瘫痪,tān huàn,(medicine) to suffer paralysis; (fig.) to be paralyzed; to break down; to come to a standstill -瘫软,tān ruǎn,limp; weak -癫,diān,mentally deranged; crazy -癫狂,diān kuáng,deranged; mad; cracked; zany -癫痫,diān xián,epilepsy -癫痫发作,diān xián fā zuò,epileptic seizure -癶,bō,"Kangxi radical 105, known as 登字頭|登字头[deng1 zi4 tou2]" -癸,guǐ,"tenth of the ten Heavenly Stems 十天干[shi2 tian1 gan1]; tenth in order; letter ""J"" or Roman ""X"" in list ""A, B, C"", or ""I, II, III"" etc; ancient Chinese compass point: 15°; deca" -癸丑,guǐ chǒu,"fiftieth year J2 of the 60 year cycle, e.g. 1973 or 2033" -癸亥,guǐ hài,"sixtieth year J12 of the 60 year cycle, e.g. 1983 or 2043" -癸卯,guǐ mǎo,"fortieth year J4 of the 60 year cycle, e.g. 1963 or 2023" -癸巳,guǐ sì,"thirtieth year J6 of the 60 year cycle, e.g. 2013 or 2073" -癸未,guǐ wèi,"twentieth year J8 of the 60 year cycle, e.g. 2003 or 2063" -癸水,guǐ shuǐ,menstruation; woman's period -癸酉,guǐ yǒu,"tenth year J10 of the 60 year cycle, e.g. 1993 or 2053" -登,dēng,to scale (a height); to ascend; to mount; to publish or record; to enter (e.g. in a register); to press down with the foot; to step or tread on; to put on (shoes or trousers) (dialect); to be gathered and taken to the threshing ground (old) -登上,dēng shàng,to climb over; to ascend onto; to mount -登仙,dēng xiān,to become immortal; big promotion; die -登入,dēng rù,to log in (to a computer); to enter (data) -登出,dēng chū,to log out (computer); to publish; to be published; to appear (in a newspaper etc) -登出来,dēng chū lái,to publish; to appear (in print) -登基,dēng jī,to ascend the throne -登堂入室,dēng táng rù shì,"lit. from the main room, enter the inner chamber (idiom); fig. to go to the next level; to attain a higher level" -登报,dēng bào,to publish in the newspapers -登场,dēng chǎng,to go on stage; fig. to appear on the scene; used in advertising to mean new product -登大宝,dēng dà bǎo,to ascend to the throne -登封,dēng fēng,"Dengfeng, county-level city in Zhengzhou 鄭州|郑州[Zheng4 zhou1], Henan" -登封市,dēng fēng shì,"Dengfeng, county-level city in Zhengzhou 鄭州|郑州[Zheng4 zhou1], Henan" -登山,dēng shān,to climb a mountain; climbing; mountaineering -登山家,dēng shān jiā,mountaineer -登山扣,dēng shān kòu,carabiner -登山车,dēng shān chē,mountain bike (Tw) -登岸,dēng àn,to go ashore; to disembark -登峰,dēng fēng,to climb a mountain; to scale a peak; mountain climbing; mountaineering -登峰造极,dēng fēng zào jí,to reach great heights (in technical skills or scholastic achievements) -登庸人才,dēng yōng rén cái,to employ talent (idiom) -登广告,dēng guǎng gào,to advertise -登徒子,dēng tú zǐ,"Master Dengtu, a famous historical lecherous character; lecher; skirt-chaser" -登愣,dēng lèng,ta da!; wow! -登时,dēng shí,immediately; at once -登月,dēng yuè,to go (up) to the moon -登极,dēng jí,to ascend the throne -登机,dēng jī,to board a plane -登机入口,dēng jī rù kǒu,boarding gate -登机口,dēng jī kǒu,departure gate (aviation) -登机廊桥,dēng jī láng qiáo,air bridge; aircraft boarding bridge -登机手续,dēng jī shǒu xù,(airport) check-in; boarding formalities -登机手续柜台,dēng jī shǒu xù guì tái,check-in counter -登机楼,dēng jī lóu,airport terminal -登机桥,dēng jī qiáo,boarding gate (at airport); aircraft boarding bridge -登机牌,dēng jī pái,boarding pass -登机证,dēng jī zhèng,boarding pass -登机门,dēng jī mén,boarding gate -登临,dēng lín,to visit places famous for their scenery -登台表演,dēng tái biǎo yǎn,to go on stage -登记,dēng jì,to register (one's name) -登记名,dēng jì míng,to register one's name; account name (on a computer) -登记员,dēng jì yuán,registrar -登记用户,dēng jì yòng hù,registered user -登记表,dēng jì biǎo,registration form -登载,dēng zǎi,to publish (in newspapers or magazines); to record (bookkeeping entries) -登轮,dēng lún,to board a ship -登遐,dēng xiá,death of an emperor -登录,dēng lù,to register; to log in -登门,dēng mén,to visit sb at home -登陆,dēng lù,to land; to come ashore; to make landfall (of typhoon etc); to log in (frequently used erroneous variant of 登錄|登录[deng1 lu4]) -登陆月球,dēng lù yuè qiú,to land on the moon -登陆舰,dēng lù jiàn,landing craft -登革热,dēng gé rè,dengue fever; Singapore hemorrhagic fever -登革疫苗,dēng gé yì miáo,dengue vaccine -登革病毒,dēng gé bìng dú,dengue virus -登顶,dēng dǐng,(lit. and fig.) to get to the top -登高一呼,dēng gāo yī hū,to make a clarion call; to make a public appeal -登高望远,dēng gāo wàng yuǎn,to stand tall and see far (idiom); taking the long and broad view; acute foresight -发,fā,to send out; to show (one's feeling); to issue; to develop; to make a bundle of money; classifier for gunshots (rounds) -发交,fā jiāo,to issue and deliver (to people) -发亮,fā liàng,to shine; shiny -发人深思,fā rén shēn sī,(idiom) thought-provoking; to give one food for thought -发人深省,fā rén shēn xǐng,to provide food for thought (idiom); thought-provoking -发人深醒,fā rén shēn xǐng,variant of 發人深省|发人深省[fa1 ren2 shen1 xing3] -发令,fā lìng,to issue an order -发令枪,fā lìng qiāng,starting pistol -发件人,fā jiàn rén,(mail or email) sender -发布,fā bù,to release; to issue; to announce; to distribute; also written 發布|发布[fa1 bu4] -发布会,fā bù huì,news conference; briefing -发作,fā zuò,to flare up; to break out -发作性嗜睡病,fā zuò xìng shì shuì bìng,narcolepsy -发信,fā xìn,to post a letter -发光,fā guāng,to emit light; to shine; to glow; to glisten; to be luminous -发光二极管,fā guāng èr jí guǎn,light-emitting diode; LED -发光二极体,fā guāng èr jí tǐ,light-emitting diode (LED) (Tw) -发光强度,fā guāng qiáng dù,luminous intensity -发兵,fā bīng,to dispatch an army; to send troops -发冷,fā lěng,to feel a chill (as an emotional response); to feel cold (as a clinical symptom) -发出,fā chū,"to issue (an order, decree etc); to send out; to dispatch; to produce (a sound); to let out (a laugh)" -发出指示,fā chū zhǐ shì,to issue instructions -发刊,fā kān,to publish; to put out (a document) -发刊词,fā kān cí,foreword; preface (to a publication) -发力,fā lì,to exert oneself; to apply force; (of an enterprise etc) to gain momentum; to perform strongly -发动,fā dòng,to start; to launch; to unleash; to mobilize; to arouse -发动力,fā dòng lì,motive power -发动机,fā dòng jī,engine; motor; CL:臺|台[tai2] -发包,fā bāo,to put out to contract -发卡,fā kǎ,to issue a card; (slang) to reject a guy or a girl; to chuck -发呆,fā dāi,to stare blankly; to be stunned; to be lost in thought -发售,fā shòu,to sell -发问,fā wèn,to question; to ask; to raise a question -发喉急,fā hóu jí,to get in a rage -发丧,fā sāng,to hold a funeral -发嘘声,fā xū shēng,to hiss (as a sign of displeasure) -发回,fā huí,to send back; to return -发国难财,fā guó nàn cái,to profiteer in a time of national calamity -发报,fā bào,to send a message -发报人,fā bào rén,sender (of a message) -发奋,fā fèn,to make an effort; to push for sth; to work hard -发奋图强,fā fèn tú qiáng,to make an effort to become strong (idiom); determined to do better; to pull one's socks up -发奋有为,fā fèn yǒu wéi,to prove one's worth through firm resolve (idiom) -发好人卡,fā hǎo rén kǎ,"(slang) to reject sb (by labeling them a ""nice guy"")" -发家,fā jiā,to lay down a family fortune; to get rich; to become prosperous -发射,fā shè,to shoot (a projectile); to fire (a rocket); to launch; to emit (a particle); to discharge; emanation; emission -发射井,fā shè jǐng,launching silo -发射器,fā shè qì,radio transmitter -发射场,fā shè chǎng,launch site -发射星云,fā shè xīng yún,emission nebula -发射机,fā shè jī,transmitter -发射机应答器,fā shè jī yìng dá qì,transponder; electronic device that responds to a radio code -发射站,fā shè zhàn,launch pad (for rocket or projectile) -发射台,fā shè tái,"launchpad; (radio, TV) transmitter" -发展,fā zhǎn,development; growth; to develop; to grow; to expand -发展中,fā zhǎn zhōng,developing; under development; in the pipeline -发展中国家,fā zhǎn zhōng guó jiā,developing country -发展商,fā zhǎn shāng,(real estate etc) developer -发展研究中心,fā zhǎn yán jiū zhōng xīn,Development Research Center (PRC State Council institution) -发工资日,fā gōng zī rì,payday -发布,fā bù,to release; to issue; to announce; to distribute -发布会,fā bù huì,news conference; briefing -发帖,fā tiě,to post (an item on a forum) -发怒,fā nù,to get angry -发怔,fā zhēng,baffled; nonplussed -发急,fā jí,to fret; to get impatient; to become anxious -发怵,fā chù,to feel terrified; to grow apprehensive -发情,fā qíng,(zoology) (of a female) to be in heat; (of a male) to be in rut -发情期,fā qíng qī,the breeding season (zool.); oestrus (period of sexual receptivity of female mammals) -发想,fā xiǎng,to come up with an idea; generation of ideas; inspiration -发愁,fā chóu,to worry; to fret; to be anxious; to become sad -发愣,fā lèng,to stare blankly; to be in a daze -发慌,fā huāng,to become agitated; to feel nervous -发愤,fā fèn,to make a determined effort -发愤图强,fā fèn tú qiáng,to be strongly determined to succeed (idiom) -发愤忘食,fā fèn wàng shí,so dedicated as to forget one's meals (idiom) -发憷,fā chù,variant of 發怵|发怵[fa1 chu4] -发懵,fā měng,to feel dizzy; to be confused; to be at a loss; to stare blankly; Taiwan pr. [fa1 meng2] -发抖,fā dǒu,to tremble; to shake; to shiver -发掘,fā jué,to excavate; to explore; (fig.) to unearth; to tap into -发扬,fā yáng,to develop; to make full use of -发扬光大,fā yáng guāng dà,to develop and promote; to carry forward; to bring to great height of development -发扬踔厉,fā yáng chuō lì,to be full of vigor (idiom) -发扬蹈厉,fā yáng dǎo lì,see 發揚踔厲|发扬踔厉[fa1 yang2 chuo1 li4] -发挥,fā huī,to display; to exhibit; to bring out implicit or innate qualities; to express (a thought or moral); to develop (an idea); to elaborate (on a theme) -发改委,fā gǎi wěi,"abbr. for 國家發展和改革委員會|国家发展和改革委员会, PRC National Development and Reform Commission (NDRC), formed in 2003" -发放,fā fàng,to provide; to give; to grant -发散,fā sàn,to disperse; to diverge -发文,fā wén,to issue a document; document issued by an authority; outgoing messages; (Internet) to post an article online -发明,fā míng,to invent; an invention; CL:個|个[ge4] -发明人,fā míng rén,inventor -发明创造,fā míng chuàng zào,to invent and innovate; inventions and innovations -发明家,fā míng jiā,inventor -发明者,fā míng zhě,inventor -发昏,fā hūn,to faint -发春,fā chūn,in heat -发晕,fā yūn,to feel dizzy -发暗,fā àn,to darken; to become tarnished -发案,fā àn,occurrence (refers to time and place esp. of a criminal act); to take place; to occur; to advertise freelance work -发条,fā tiáo,clockwork spring (used to power a watch or windup toy etc); (attributive) windup; clockwork -发棵,fā kē,budding -发榜,fā bǎng,to publish a roll-call of successful candidates -发横财,fā hèng cái,to make easy money; to make a fortune; to line one's pockets -发毛,fā máo,"to rant and rave; to be scared, upset (Beijing dialect)" -发气,fā qì,to get angry -发汗,fā hàn,to sweat -发泡,fā pào,to produce foam; (of a beverage) fizzy; sparkling -发泡剂,fā pào jì,foaming agent; blowing agent -发泡胶,fā pào jiāo,expanded polystyrene (EPS); styrofoam -发泄,fā xiè,to give vent to (one's feelings) -发源,fā yuán,to rise; to originate; source; derivation -发源地,fā yuán dì,place of origin; birthplace; source -发火,fā huǒ,to catch fire; to ignite; to detonate; to get angry -发炎,fā yán,to become inflamed; inflammation -发热,fā rè,to have a high temperature; feverish; unable to think calmly; to emit heat -发热伴血小板减少综合征,fā rè bàn xuè xiǎo bǎn jiǎn shǎo zōng hé zhēng,severe fever with thrombocytopenia syndrome (SFTS) -发烧,fā shāo,to have a high temperature (from illness); to have a fever -发烧友,fā shāo yǒu,fan; zealot -发烫,fā tàng,burning hot -发牌,fā pái,to deal (cards) -发牢骚,fā láo sāo,to whine; to be grouchy -发狂,fā kuáng,crazy; mad; madly -发奖,fā jiǎng,to award a prize -发现,fā xiàn,to notice; to become aware of; to discover; to find; to detect; a discovery -发现物,fā xiàn wù,a find -发现号,fā xiàn hào,Space Shuttle Discovery -发球,fā qiú,(tennis etc) to serve; (golf) to tee off -发球区,fā qiú qū,teeing ground (golf) -发生,fā shēng,to happen; to occur; to take place; to break out -发生率,fā shēng lǜ,rate of occurrence -发生关系,fā shēng guān xi,to have sexual relations with sb; to have dealings with -发病,fā bìng,(of an illness) to occur; (of a person) to get sick; to fall ill; onset (of a medical condition) -发病率,fā bìng lǜ,incidence of a disease; disease rate -发痛,fā tòng,to ache; to be sore; to feel painful -发疯,fā fēng,to go mad; to go crazy; to lose one's mind -发痒,fā yǎng,to tickle; to itch -发白,fā bái,to turn pale; to lose color; to go white -发直,fā zhí,to stare; to look blank; to be fixed (of eyes) -发困,fā kùn,to get sleepy -发短信,fā duǎn xìn,to text; to send SMS messages -发神经,fā shén jīng,(coll.) to go crazy; to lose it; demented; unhinged -发祥,fā xiáng,to give rise to (sth good); to emanate from -发祥地,fā xiáng dì,the birthplace (of sth good); the cradle (e.g. of art) -发票,fā piào,invoice; receipt; bill; uniform invoice (abbr. for 統一發票|统一发票[tong3yi1 fa1piao4]) -发福,fā fú,"to put on weight; to get fat (a sign of prosperity, so a compliment)" -发稿,fā gǎo,(of a publisher) to send a manuscript off to the printer; (of a journalist) to send a dispatch -发积,fā jī,see 發跡|发迹[fa1 ji4] -发窘,fā jiǒng,to feel embarrassment; disconcerted; embarrassed -发端,fā duān,to originate; to initiate; beginning; origin -发笑,fā xiào,to burst out laughing; to laugh -发粉,fā fěn,baking powder -发红,fā hóng,to turn red; to blush; to flush -发绀,fā gàn,cyanosis (blue skin due to lack of oxygen in blood) -发给,fā gěi,to issue; to grant; to distribute -发声,fā shēng,to produce a sound; to vocalize; to give voice; to articulate views or demands -发声器,fā shēng qì,sound device -发声器官,fā shēng qì guān,vocal organs; vocal cords -发声法,fā shēng fǎ,intonation -发聋振聩,fā lóng zhèn kuì,lit. so loud that even the deaf can hear (idiom); rousing even the apathetic -发育,fā yù,to develop; to mature; growth; development; (sexually) mature -发育期,fā yù qī,puberty; period of development -发育生物学,fā yù shēng wù xué,developmental biology -发胖,fā pàng,to put on weight; to get fat -发脆,fā cuì,to become brittle; to become crisp -发脱口齿,fā tuō kǒu chǐ,diction; enunciation -发胀,fā zhàng,to swell up; swelling -发脾气,fā pí qì,to lose one's temper; to fly into a rage; to throw a tantrum -发自,fā zì,to evolve from -发臭,fā chòu,smelly; to smell bad -发芽,fā yá,to germinate -发落,fā luò,to deal with (an offender) -发蒙,fā mēng,to be confused; to be at a loss; Taiwan pr. [fa1 meng2] -发蒙,fā méng,(old) to instruct the young; to teach a child to read and write; as easy as ABC -发蔫,fā niān,to wilt; to droop; to appear listless -发薪,fā xīn,to pay wages or salary -发薪日,fā xīn rì,payday -发虚,fā xū,to feel weak; to be diffident -发号施令,fā hào shī lìng,to boss people around (idiom) -发行,fā xíng,to publish; to issue; to release; to distribute -发行人,fā xíng rén,publisher; issuer -发行备忘录,fā xíng bèi wàng lù,offering memorandum (for public stock issue); publication memorandum -发行商,fā xíng shāng,publisher; distributor; issuer -发行红利股,fā xíng hóng lì gǔ,a bonus issue (a form of dividend payment) -发行额,fā xíng é,(periodical) circulation -发表,fā biǎo,to issue; to publish -发表会,fā biǎo huì,press conference; unveiling ceremony; (product) launch; (fashion) show; (dance) performance; (music) recital; (political) rally; (thesis) presentation seminar -发表演讲,fā biǎo yǎn jiǎng,to give a speech -发觉,fā jué,to become aware; to detect; to realize; to perceive -发言,fā yán,to make a speech; statement; utterance; CL:個|个[ge4] -发言人,fā yán rén,spokesperson -发言权,fā yán quán,the right of speech -发誓,fā shì,to vow; to pledge; to swear -发语词,fā yǔ cí,"form word; in Classical Chinese, the first character of phrase having auxiliary grammatical function" -发语辞,fā yǔ cí,"literary auxiliary particle, comes at the beginning of a sentence" -发财,fā cái,to get rich -发财致富,fā cái zhì fù,to become rich; enrichment -发财车,fā cái chē,(Tw) mini truck; Kei truck -发货,fā huò,to dispatch; to send out goods -发贴,fā tiē,to stick sth up (on the wall); to post (on a noticeboard or website) -发起,fā qǐ,"to originate; to initiate; to launch (an attack, an initiative etc); to start; to propose sth (for the first time)" -发起人,fā qǐ rén,proposer; initiator; founding member -发迹,fā jì,to make one's mark; to go up in the world; to make one's fortune -发车,fā chē,departure (of a coach or train); to dispatch a vehicle -发轫,fā rèn,to set (sth) afoot; to initiate; beginning; origin; commencement -发软,fā ruǎn,to weaken; to go soft (at the knees) -发送,fā sòng,to transmit; to dispatch; to issue (an official document or credential) -发送功率,fā sòng gōng lǜ,transmission power; output power -发送器,fā sòng qì,transmitter -发运,fā yùn,(of goods) to dispatch; shipment; shipping -发达,fā dá,well-developed; flourishing; to develop; to promote; to expand; (literary) to achieve fame and fortune; to prosper -发达国,fā dá guó,developed nation -发达国家,fā dá guó jiā,developed nation -发达地区,fā dá dì qū,developed area -发配,fā pèi,to send away to serve a penal sentence -发酒疯,fā jiǔ fēng,to get wildly drunk -发酵,fā jiào,"to ferment; (fig.) (of trends, emotions or repercussions etc) to bubble away; to simmer; to develop" -发难,fā nàn,to rise in revolt; to raise difficult questions -发电,fā diàn,to generate electricity; to send a telegram -发电厂,fā diàn chǎng,power plant -发电机,fā diàn jī,electricity generator; dynamo -发电站,fā diàn zhàn,power station -发电量,fā diàn liàng,"(power station, solar panel etc) output; capacity" -发霉,fā méi,to become moldy -发音,fā yīn,to pronounce; pronunciation; to emit sound -发音器官,fā yīn qì guān,vocal organs; vocal cords -发音体,fā yīn tǐ,"sound producing object (soundboard, vibrating string, membrane etc)" -发愿,fā yuàn,to vow -发颤,fā chàn,to shiver -发飘,fā piāo,to feel shaky; to feel wobbly -发飙,fā biāo,to flip out; to act out violently -发骚,fā sāo,horny; lecherous -发面,fā miàn,to leaven dough; to make bread -发麻,fā má,to feel numb -白,bái,surname Bai -白,bái,white; snowy; pure; bright; empty; blank; plain; clear; to make clear; in vain; gratuitous; free of charge; reactionary; anti-communist; funeral; to stare coldly; to write wrong character; to state; to explain; vernacular; spoken lines in opera -白三烯,bái sān xī,leukotriene (biochemistry) -白下,bái xià,Baixia district of Nanjing City 南京市 in Jiangsu 江蘇|江苏 -白下区,bái xià qū,Baixia district of Nanjing City 南京市 in Jiangsu 江蘇|江苏 -白乳胶,bái rǔ jiāo,white glue -白干儿,bái gān er,alcoholic spirit; strong white rice wine -白事,bái shì,funeral; to explain (literary) -白人,bái rén,white man or woman; Caucasian -白令海,bái lìng hǎi,Bering Sea -白令海峡,bái lìng hǎi xiá,the Bering Strait (between Siberia and Alaska) -白住,bái zhù,to live (somewhere) for free -白佛,bái fó,to ask Buddha -白俄,bái é,Belarus; abbr. for 白俄羅斯|白俄罗斯[Bai2 e2 luo2 si1] -白俄罗斯,bái é luó sī,Belarus -白俄罗斯人,bái é luó sī rén,Byelorussian (person) -白兀鹫,bái wù jiù,(bird species of China) Egyptian vulture (Neophron percnopterus) -白先勇,bái xiān yǒng,"Bai Xianyong (1937-), Chinese-Taiwanese-US novelist of Hui descent" -白内障,bái nèi zhàng,cataract (ophthalmology) -白冠噪鹛,bái guān zào méi,(bird species of China) white-crested laughingthrush (Garrulax leucolophus) -白冠攀雀,bái guān pān què,(bird species of China) white-crowned penduline tit (Remiz coronatus) -白冠燕尾,bái guān yàn wěi,(bird species of China) white-crowned forktail (Enicurus leschenaulti) -白冠长尾雉,bái guān cháng wěi zhì,(bird species of China) Reeves's pheasant (Syrmaticus reevesii) -白冰冰,bái bīng bīng,Pai Ping-ping (well-known Taiwan performing artist) -白刃,bái rèn,naked sword -白刃战,bái rèn zhàn,hand-to-hand fighting -白切鸡,bái qiē jī,"Cantonese poached chicken, known as ""white cut chicken""" -白化病,bái huà bìng,albinism -白化症,bái huà zhèng,albinism -白匪,bái fěi,white bandit (i.e. Nationalist soldier) -白区,bái qū,White area (area controlled by the KMT during the Second Revolutionary War 1927-1937) -白卷,bái juàn,blank exam paper -白口铁,bái kǒu tiě,white iron -白吃,bái chī,to eat without paying; to eat for free -白吃白喝,bái chī bái hē,to freeload -白名单,bái míng dān,whitelist -白唇鹿,bái chún lù,Cervus albirostris (white-lipped deer) -白喉,bái hóu,diphtheria -白喉冠鹎,bái hóu guān bēi,(bird species of China) puff-throated bulbul (Alophoixus pallidus) -白喉噪鹛,bái hóu zào méi,(bird species of China) white-throated laughingthrush (Garrulax albogularis) -白喉斑秧鸡,bái hóu bān yāng jī,(bird species of China) slaty-legged crake (Rallina eurizonoides) -白喉林莺,bái hóu lín yīng,(bird species of China) lesser whitethroat (Sylvia curruca) -白喉杆菌,bái hóu gǎn jūn,Klebs-Loeddler bacillus (the diphtheria bacterium) -白喉毒素,bái hóu dú sù,diphtheria toxin -白喉犀鸟,bái hóu xī niǎo,(bird species of China) white-throated brown hornbill (Anorrhinus austeni) -白喉短翅鸫,bái hóu duǎn chì dōng,(bird species of China) lesser shortwing (Brachypteryx leucophris) -白喉矶鸫,bái hóu jī dōng,(bird species of China) white-throated rock thrush (Monticola gularis) -白喉红尾鸲,bái hóu hóng wěi qú,(bird species of China) white-throated redstart (Phoenicurus schisticeps) -白喉红臀鹎,bái hóu hóng tún bēi,(bird species of China) sooty-headed bulbul (Pycnonotus aurigaster) -白喉针尾雨燕,bái hóu zhēn wěi yǔ yàn,(bird species of China) white-throated needletail (Hirundapus caudacutus) -白嘴端凤头燕鸥,bái zuǐ duān fèng tóu yàn ōu,(bird species of China) sandwich tern (Thalasseus sandvicensis) -白城,bái chéng,Baicheng prefecture-level city in Jilin province 吉林省 in northeast China -白城市,bái chéng shì,Baicheng prefecture-level city in Jilin province 吉林省 in northeast China -白垩,bái è,chalk -白垩世,bái è shì,Cretaceous (geological period 140-65m years ago) -白垩纪,bái è jì,Cretaceous (geological period 140-65m years ago) -白报纸,bái bào zhǐ,newsprint -白塔区,bái tǎ qū,"Baita district of Liaoyang city 遼陽市|辽阳市[Liao2 yang2 shi4], Liaoning" -白塔寺,bái tǎ sì,Baita temple in Lanzhou 蘭州|兰州[Lan2 zhou1] -白夜,bái yè,white night -白大衣高血压,bái dà yī gāo xuè yā,white coat hypertension; white coat syndrome -白天,bái tiān,daytime; during the day; day; CL:個|个[ge4] -白奴,bái nú,white-collar slave (office worker who is overworked and exploited) -白嫖,bái piáo,to visit a prostitute without paying; (slang) to consume a service without paying -白嫩,bái nèn,(of skin etc) fair; delicate -白子,bái zǐ,white Go chess piece; bee pupa; albino -白字,bái zì,wrongly written or mispronounced character -白安居,bái ān jū,B&Q (DIY and home improvement retailer) -白宫,bái gōng,White House -白宫群英,bái gōng qún yīng,The West Wing (US TV series) -白富美,bái fù měi,"""Ms Perfect"" (i.e. fair-skinned, rich and beautiful) (Internet slang)" -白尾地鸦,bái wěi dì yā,(bird species of China) Xinjiang ground jay (Podoces biddulphi) -白尾梢虹雉,bái wěi shāo hóng zhì,(bird species of China) Sclater's monal (Lophophorus sclateri) -白尾海雕,bái wěi hǎi diāo,(bird species of China) white-tailed eagle (Haliaeetus albicilla) -白尾蓝地鸲,bái wěi lán dì qú,(bird species of China) white-tailed robin (Myiomela leucura) -白尾鹞,bái wěi yào,(bird species of China) hen harrier (Circus cyaneus) -白居易,bái jū yì,"Bai Juyi (772-846), Tang dynasty poet" -白屈菜,bái qū cài,greater celandine -白山,bái shān,Baishan prefecture-level city in Jilin province 吉林省 in northeast China -白山宗,bái shān zōng,Sufi sect of Islam in central Asia -白山市,bái shān shì,Baishan prefecture-level city in Jilin province 吉林省 in northeast China -白山派,bái shān pài,Sufi sect of Islam in central Asia -白崇禧,bái chóng xǐ,"Bai Chongxi (1893-1966), a leader of Guangxi warlord faction, top Nationalist general, played important role in Chiang Kaishek's campaigns 1926-1949" -白左,bái zuǒ,"naive, self-righteous Western liberals (neologism c. 2015)" -白布,bái bù,plain white cloth; calico -白帝城,bái dì chéng,"Baidi town in Chongqing 重慶|重庆, north of the Changjiang, an important tourist attraction" -白带,bái dài,leukorrhea -白带鱼,bái dài yú,largehead hairtail; beltfish; Trichiurus lepturus -白厅,bái tīng,Whitehall -白手套,bái shǒu tào,white glove; (fig.) (slang) intermediary in negotiations; proxy who acts on behalf of an official in corrupt dealings (to keep the official's involvement secret) -白手起家,bái shǒu qǐ jiā,(idiom) to build up from nothing; to start from scratch -白托,bái tuō,day care for the elderly (abbr. of 白天托管[bai2 tian1 tuo1 guan3]); to be blinded by greed; swindler (homonym of 拜託|拜托[bai4 tuo1]) -白扯淡,bái chě dàn,(coll.) to talk rubbish -白扯蛋,bái chě dàn,variant of 白扯淡[bai2 che3 dan4] -白拣,bái jiǎn,a cheap choice; to choose sth that costs nothing -白描,bái miáo,line drawing in traditional ink-and-brush style; simple and straightforward style of writing -白搭,bái dā,no use; no good -白撞,bái zhuàng,(car) accident where the driver is not held responsible -白文,bái wén,the text of an annotated book; an unannotated edition of a book; intagliated characters (on a seal) -白斑尾柳莺,bái bān wěi liǔ yīng,(bird species of China) Kloss's leaf warbler (Phylloscopus ogilviegranti) -白斑病,bái bān bìng,vitiligo -白斑症,bái bān zhèng,vitiligo -白斑翅雪雀,bái bān chì xuě què,(bird species of China) white-winged snowfinch (Montifringilla nivalis) -白斑军舰鸟,bái bān jūn jiàn niǎo,(bird species of China) lesser frigatebird (Fregata ariel) -白斩鸡,bái zhǎn jī,"Cantonese poached chicken, known as ""white cut chicken""" -白旄黄钺,bái máo huáng yuè,white banner and yellow battle-ax (idiom); refers to military expedition -白族,bái zú,Bai (ethnic group) -白旗,bái qí,white flag -白日,bái rì,daytime; sun; time -白日做梦,bái rì zuò mèng,to daydream; to indulge in wishful thinking -白日梦,bái rì mèng,daydream; reverie -白昼,bái zhòu,daytime -白晓燕,bái xiǎo yàn,Pai Hsiao-yen (daughter of Pai Ping-ping) -白朗,bái lǎng,"Bainang county, Tibetan: Pa snam rdzong, in Shigatse prefecture, Tibet" -白朗县,bái lǎng xiàn,"Bainang county, Tibetan: Pa snam rdzong, in Shigatse prefecture, Tibet" -白木耳,bái mù ěr,white fungus (Tremella fuciformis); snow fungus -白术,bái zhú,the rhizome of large-headed atractylodes (Atractylodes macrocephaia) -白板,bái bǎn,whiteboard; tabula rasa; blank slate -白板笔,bái bǎn bǐ,whiteboard marker; dry-erase marker -白枕鹤,bái zhěn hè,(bird species of China) white-naped crane (Grus vipio) -白果,bái guǒ,ginkgo -白条,bái tiáo,IOU; informal document acknowledging a debt -白棉纸,bái mián zhǐ,stencil tissue paper -白杨,bái yáng,poplar; CL:棵[ke1] -白杨树,bái yáng shù,white poplar (Populus bonatii) -白榴石,bái liú shí,leucite -白朴,bái pǔ,"Bai Pu (1226-1306), Yuan dynasty dramatist in the 雜劇|杂剧 tradition of musical comedy, one of the Four Great Yuan dramatists 元曲四大家" -白僵蚕,bái jiāng cán,the larva of silkworm with batrytis -白毛,bái máo,white hair (of animals); see also 白髮|白发[bai2 fa4] -白毛女,bái máo nǚ,"The White Haired Girl (1950), one of the first PRC films" -白水,bái shuǐ,"Baishui county in Weinan 渭南[Wei4 nan2], Shaanxi" -白水,bái shuǐ,plain water -白水晶,bái shuǐ jīng,rock crystal (mineral) -白水江自然保护区,bái shuǐ jiāng zì rán bǎo hù qū,"Baishuijiang Nature Reserve, Gansu" -白水泥,bái shuǐ ní,white cement -白水县,bái shuǐ xiàn,"Baishui County in Weinan 渭南[Wei4 nan2], Shaanxi" -白求恩,bái qiú ēn,"Norman Bethune (1890-1939), Canadian doctor, worked for communists in Spanish civil war and for Mao in Yan'an, where he died of blood poisoning" -白沙,bái shā,"Baisha (common place name); Baisha Lizu autonomous county, Hainan; Baisha or Paisha township in Penghu county 澎湖縣|澎湖县[Peng2 hu2 xian4] (Pescadores Islands), Taiwan" -白沙工农区,bái shā gōng nóng qū,"Baisha Gongnong area in Dazhou 達州|达州[Da2 zhou1], Sichuan northeast Sichuan, amalgamated into Wanyuan, county-level city 萬源|万源[Wan4 yuan2] in 1993" -白沙瓦,bái shā wǎ,"Peshawar, city in north Pakistan" -白沙县,bái shā xiàn,"Baisha Lizu autonomous county, Hainan" -白沙乡,bái shā xiāng,"Baisha or Paisha township in Penghu county 澎湖縣|澎湖县[Peng2 hu2 xian4] (Pescadores Islands), Taiwan" -白沙黎族自治县,bái shā lí zú zì zhì xiàn,"Baisha Lizu autonomous county, Hainan" -白沫,bái mò,froth; foam (coming from the mouth) -白河,bái hé,"Baihe County in Ankang 安康[An1 kang1], Shaanxi; Paiho town in Tainan County 台南縣|台南县[Tai2 nan2 xian4], Taiwan" -白河县,bái hé xiàn,"Baihe County in Ankang 安康[An1 kang1], Shaanxi" -白河镇,bái hé zhèn,"Paiho town in Tainan county 台南縣|台南县[Tai2 nan2 xian4], Taiwan" -白洋淀,bái yáng diàn,Baiyang Lake in Hebei -白洞,bái dòng,white hole (cosmology) -白活,bái huó,to waste one's life; to fail to make the most of one's life -白海,bái hǎi,White Sea -白净,bái jìng,(of skin) fair and clear -白汤,bái tāng,"clear soup; white broth, also called 奶湯|奶汤[nai3 tang1]; decoction of chrysanthemum, liquorice and certain other herbs" -白泽,bái zé,"Bai Ze or White Marsh, legendary creature of ancient China" -白浊,bái zhuó,gonorrhea (TCM term); more commonly known as 淋病[lin4 bing4] -白灼,bái zhuó,"to blanch (thin slices of vegetables, fish etc)" -白煤,bái méi,anthracite; hard coal; white coal; waterpower -白熊,bái xióng,polar bear; white bear -白热,bái rè,white heat; incandescence -白热化,bái rè huà,to turn white-hot; to intensify; to reach a climax -白炽,bái chì,white heat; incandescence -白炽灯,bái chì dēng,incandescent light -白牌,bái pái,(of a product) unbranded -白狐,bái hú,arctic fox -白玄鸥,bái xuán ōu,(bird species of China) white tern (Gygis alba) -白玉,bái yù,"Baiyü county (Tibetan: dpal yul rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1], Sichuan (formerly in Kham province of Tibet)" -白玉,bái yù,white jade; tofu (by analogy) -白玉县,bái yù xiàn,"Baiyü county (Tibetan: dpal yul rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1], Sichuan (formerly in Kham province of Tibet)" -白班,bái bān,day shift -白班儿,bái bān er,day shift -白琵鹭,bái pí lù,(bird species of China) Eurasian spoonbill (Platalea leucorodia) -白璧微瑕,bái bì wēi xiá,a slight blemish -白璧无瑕,bái bì wú xiá,impeccable moral integrity -白瓷,bái cí,blanc de chine (porcelain) -白痢,bái lì,dysentery characterized by white mucous stool; white diarrhea -白痴,bái chī,idiocy; idiot -白癜风,bái diàn fēng,vitiligo -白白,bái bái,in vain; to no purpose; for nothing; white -白皮书,bái pí shū,white paper (e.g. containing proposals for new legislation); white book -白皮杉醇,bái pí shān chún,piceatannol C14H12O4 -白皮松,bái pí sōng,lacebark pine -白目,bái mù,(slang) stupid; moron -白相人,bái xiàng rén,(dialect) rogue; hoodlum -白眉地鸫,bái méi dì dōng,(bird species of China) Siberian thrush (Geokichla sibirica) -白眉山雀,bái méi shān què,(bird species of China) white-browed tit (Poecile superciliosus) -白眉山鹧鸪,bái méi shān zhè gū,(bird species of China) white-necklaced partridge (Arborophila gingica) -白眉拳,bái méi quán,"Pak Mei or Bak Mei - ""White Eyebrow"" (Chinese Martial Art)" -白眉朱雀,bái méi zhū què,(bird species of China) chinese white-browed rosefinch (Carpodacus dubius) -白眉林鸲,bái méi lín qú,(bird species of China) white-browed bush robin (Tarsiger indicus) -白眉棕啄木鸟,bái méi zōng zhuó mù niǎo,(bird species of China) white-browed piculet (Sasia ochracea) -白眉歌鸫,bái méi gē dōng,(bird species of China) redwing (Turdus iliacus) -白眉秧鸡,bái méi yāng jī,(bird species of China) white-browed crake (Porzana cinerea) -白眉赤眼,bái méi chì yǎn,for no reason (idiom) -白眉雀鹛,bái méi què méi,(bird species of China) white-browed fulvetta (Fulvetta vinipectus) -白眉鸭,bái méi yā,(bird species of China) garganey (Anas querquedula) -白眉鸫,bái méi dōng,(bird species of China) eyebrowed thrush (Turdus obscurus) -白眶斑翅鹛,bái kuàng bān chì méi,(bird species of China) spectacled barwing (Actinodura ramsayi) -白眶雀鹛,bái kuàng què méi,(bird species of China) Nepal fulvetta (Alcippe nipalensis) -白眶鸦雀,bái kuàng yā què,(bird species of China) spectacled parrotbill (Sinosuthora conspicillata) -白眼,bái yǎn,to give sb a dirty look; to cast a supercilious glance; a disdainful look -白眼河燕,bái yǎn hé yàn,(bird species of China) white-eyed river martin (Pseudochelidon sirintarae) -白眼狼,bái yǎn láng,thankless wretch; an ingrate -白眼珠,bái yǎn zhū,white of the eye -白眼珠儿,bái yǎn zhū er,erhua variant of 白眼珠[bai2 yan3 zhu1] -白矮星,bái ǎi xīng,white dwarf -白石砬子,bái shí lá zi,national nature reserve at Kuandian 寬甸|宽甸 in Liaoning -白砂糖,bái shā táng,white granulated sugar -白砒,bái pī,white arsenic; arsenic trioxide -白碑,bái bēi,stone tablet without inscription; blank stele -白磷,bái lín,white phosphorus -白矾,bái fán,alum -白票,bái piào,blank vote; abstention -白秋沙鸭,bái qiū shā yā,(bird species of China) smew (Mergellus albellus) -白种,bái zhǒng,the white race -白简,bái jiǎn,Wrigley's Spearmint (brand) -白米,bái mǐ,(polished) rice -白粉,bái fěn,face powder; chalk powder; heroin -白粉病,bái fěn bìng,powdery mildew -白粥,bái zhōu,plain rice congee -白糖,bái táng,(refined) white sugar -白纸黑字,bái zhǐ hēi zì,(written) in black and white -白素贞,bái sù zhēn,"(name of a person) Bai Suzhen, from Madame White Snake" -白细胞,bái xì bāo,white blood cell; leukocyte -白线,bái xiàn,white line (road markings) -白线斑蚊,bái xiàn bān wén,Aedes albopictus (species of mosquito) -白罗斯,bái luó sī,Belarus -白羊,bái yáng,Aries (star sign) -白羊座,bái yáng zuò,Aries (constellation and sign of the zodiac) -白羊朝,bái yáng cháo,Ak Koyunlu or Aq Qoyunlu Turkoman confederation of eastern Iran (c. 1378-c. 1500) -白翅交嘴雀,bái chì jiāo zuǐ què,(bird species of China) white-winged crossbill (Loxia leucoptera) -白翅啄木鸟,bái chì zhuó mù niǎo,(bird species of China) white-winged woodpecker (Dendrocopos leucopterus) -白翅拟蜡嘴雀,bái chì nǐ là zuǐ què,(bird species of China) white-winged grosbeak (Mycerobas carnipes) -白翅浮鸥,bái chì fú ōu,(bird species of China) white-winged tern (Chlidonias leucopterus) -白翅百灵,bái chì bǎi líng,(bird species of China) white-winged lark (Melanocorypha leucoptera) -白翅蓝鹊,bái chì lán què,(bird species of China) white-winged magpie (Urocissa whiteheadi) -白翎岛,bái líng dǎo,"Baengnyeong Island of South Korea, near the Northern Limit Line" -白翎面,bái líng miàn,Baengnyeong township (South Korea); see also 白翎島|白翎岛[Bai2 ling2 Dao3] -白翳,bái yì,opacity of the cornea (in TCM); cataract -白耳奇鹛,bái ěr qí méi,(bird species of China) white-eared sibia (Heterophasia auricularis) -白肉,bái ròu,"plain boiled pork; white meat (fish, poultry etc)" -白肩雕,bái jiān diāo,(bird species of China) eastern imperial eagle (Aquila heliaca) -白肩黑鹮,bái jiān hēi huán,(bird species of China) white-shouldered ibis (Pseudibis davisoni) -白背兀鹫,bái bèi wù jiù,(bird species of China) white-rumped vulture (Gyps bengalensis) -白背啄木鸟,bái bèi zhuó mù niǎo,(bird species of China) white-backed woodpecker (Dendrocopos leucotos) -白背矶鸫,bái bèi jī dōng,(bird species of China) common rock thrush (Monticola saxatilis) -白胡椒,bái hú jiāo,white peppercorn -白胸翡翠,bái xiōng fěi cuì,(bird species of China) white-throated kingfisher (Halcyon smyrnensis) -白胸苦恶鸟,bái xiōng kǔ è niǎo,(bird species of China) white-breasted waterhen (Amaurornis phoenicurus) -白胸鸦雀,bái xiōng yā què,(bird species of China) white-breasted parrotbill (Psittiparus ruficeps) -白脱,bái tuō,butter (loanword) -白腰叉尾海燕,bái yāo chā wěi hǎi yàn,(bird species of China) Leach's storm petrel (Oceanodroma leucorhoa) -白腰文鸟,bái yāo wén niǎo,(bird species of China) white-rumped munia (Lonchura striata) -白腰朱顶雀,bái yāo zhū dǐng què,(bird species of China) common redpoll (Acanthis flammea) -白腰杓鹬,bái yāo sháo yù,(bird species of China) Eurasian curlew (Numenius arquata) -白腰滨鹬,bái yāo bīn yù,(bird species of China) white-rumped sandpiper (Calidris fuscicollis) -白腰燕鸥,bái yāo yàn ōu,(bird species of China) Aleutian tern (Onychoprion aleuticus) -白腰草鹬,bái yāo cǎo yù,(bird species of China) green sandpiper (Tringa ochropus) -白腰雪雀,bái yāo xuě què,(bird species of China) white-rumped snowfinch (Onychostruthus taczanowskii) -白腰鹊鸲,bái yāo què qú,(bird species of China) white-rumped shama (Copsychus malabaricus) -白腹幽鹛,bái fù yōu méi,(bird species of China) spot-throated babbler (Pellorneum albiventre) -白腹毛脚燕,bái fù máo jiǎo yàn,(bird species of China) common house martin (Delichon urbicum) -白腹海雕,bái fù hǎi diāo,(bird species of China) white-bellied sea eagle (Haliaeetus leucogaster) -白腹短翅鸲,bái fù duǎn chì qú,(bird species of China) white-bellied redstart (Luscinia phoenicuroides) -白腹军舰鸟,bái fù jūn jiàn niǎo,(bird species of China) Christmas frigatebird (Fregata andrewsi) -白腹锦鸡,bái fù jǐn jī,(bird species of China) Lady Amherst's pheasant (Chrysolophus amherstiae) -白腹隼雕,bái fù sǔn diāo,(bird species of China) Bonelli's eagle (Aquila fasciata) -白腹凤鹛,bái fù fèng méi,(bird species of China) white-bellied erpornis (Erpornis zantholeuca) -白腹鸫,bái fù dōng,(bird species of China) pale thrush (Turdus pallidus) -白腹鹞,bái fù yào,(bird species of China) eastern marsh harrier (Circus spilonotus) -白腹鹭,bái fù lù,(bird species of China) white-bellied heron (Ardea insignis) -白腹黑啄木鸟,bái fù hēi zhuó mù niǎo,(bird species of China) white-bellied woodpecker (Dryocopus javensis) -白腿小隼,bái tuǐ xiǎo sǔn,(bird species of China) pied falconet (Microhierax melanoleucos) -白脸,bái liǎn,white face; face painting in Beijing opera etc -白脸鹭,bái liǎn lù,(bird species of China) white-faced heron (Egretta novaehollandiae) -白色,bái sè,white; fig. reactionary; anti-communist -白色人种,bái sè rén zhǒng,the white race -白色恐怖,bái sè kǒng bù,White Terror -白色情人节,bái sè qíng rén jié,White Day -白色战剂,bái sè zhàn jì,Agent White -白色体,bái sè tǐ,leucoplast -白芍,bái sháo,"root of herbaceous peony (Paeonia lactiflora), used in TCM" -白花花,bái huā huā,shining white -白花蛇,bái huā shé,long-nosed pit viper (agkistrodon acutus) -白花蛇舌草,bái huā shé shé cǎo,Hedyotis diffusa -白芷,bái zhǐ,Dahurian angelica (Angelica dahurica); root of Dahurian angelica (used in TCM) -白茅,bái máo,"cogon grass (Imperata cylindrica), used as thatching material in China and Indonesia" -白茫茫,bái máng máng,"(of mist, snow, floodwater etc) a vast expanse of whiteness" -白苋,bái xiàn,white amaranth (Amaranthus albus); sprouts and tender leaves of Chinese spinach (Amaranthus spp.) used as food -白苋紫茄,bái xiàn zǐ qié,"white amaranth, purple eggplant (idiom); common foodstuff, unpretentious lifestyle" -白菜,bái cài,"Chinese cabbage; pak choi; CL:棵[ke1], 個|个[ge4]" -白菜价,bái cài jià,lit. cabbage price; low price -白菜豆,bái cài dòu,white kidney beans -白莲,bái lián,white lotus (flower); White Lotus society; same as 白蓮教|白莲教 -白莲教,bái lián jiào,White Lotus society -白薯,bái shǔ,sweet potato -白苏,bái sū,common perilla -白蔹,bái liǎn,Ampelopsis japonica (creeper with root used in TCM) -白兰地,bái lán dì,brandy (loanword) -白兰瓜,bái lán guā,honeydew melon -白萝卜,bái luó bo,white radish; daikon; Raphanus sativus longipinnatus -白虎,bái hǔ,White Tiger (the seven mansions of the west sky); (slang) hairless female genitalia -白虎观,bái hǔ guàn,"White Tiger Hall, a Han dynasty palace hall in which the famous Virtuous Discussions Held in White Tiger Hall 白虎通德論|白虎通德论 were held under the aegis of Han Emperor Zhang 漢章帝|汉章帝" -白蛇传,bái shé zhuàn,Tale of the White Snake; Madame White Snake -白蛉热,bái líng rè,sandfly fever -白蛋白,bái dàn bái,albumin -白蚀症,bái shí zhèng,vitiligo -白蚁,bái yǐ,termite; white ant -白蜡,bái là,white wax from Chinese white wax bug (Ericerus pela) -白蜡树,bái là shù,"Chinese ash (Fraxinus chinensis), whose bark, flowers and leaves are used in TCM" -白蜡虫,bái là chóng,Chinese white wax bug (Ericerus pela) -白血球,bái xuè qiú,white blood cell; leukocyte -白血病,bái xuè bìng,leukemia -白行简,bái xíng jiǎn,"Bai Xingjian (c. 776-826), younger brother of Bai Juyi 白居易[Bai2 Ju1 yi4], Tang novelist and poet, author of novel Tale of Courtesan Li Wa 李娃傳|李娃传[Li3 Wa2 Zhuan4]" -白衣天使,bái yī tiān shǐ,"""angel in white"" (laudatory term for a nurse)" -白衣战士,bái yī zhàn shì,warrior in white; medical worker -白衣苍狗,bái yī cāng gǒu,lit. (cloud shapes) changing from a white shirt to a gray dog (idiom); fig. the unpredictable changeability of the world -白话,bái huà,spoken language; vernacular -白话文,bái huà wén,writings in the vernacular -白话诗,bái huà shī,free verse in the vernacular -白读,bái dú,colloquial (rather than literary) pronunciation of a Chinese character -白豆蔻,bái dòu kòu,cardamom (Elettaria cardamomum) -白费,bái fèi,to waste (one's energy etc) -白费唇舌,bái fèi chún shé,to whistle down the wind; to waste one's breath (idiom) -白起,bái qǐ,"Bai Qi (-258 BC), famous general of Qin 秦國|秦国, the victor at 長平|长平 in 260 BC; same as 公孫起|公孙起" -白跑一趟,bái pǎo yī tàng,to go on an errand for nothing; to go on a wild-goose chase -白车,bái chē,ambulance (slang) (Cantonese) -白军,bái jūn,"White Guard or White Movement, anti-communist troops fighting against the Bolsheviks during the Russian Civil War (1917-1922)" -白道,bái dào,lunar orbit; legitimate; righteous; see also 黑道[hei1 dao4] -白酒,bái jiǔ,"baijiu, a spirit usually distilled from sorghum; (Tw) white wine (abbr. for 白葡萄酒[bai2 pu2 tao5 jiu3])" -白醋,bái cù,white vinegar; plain vinegar -白金,bái jīn,platinum; silver; (slang) handcuffs -白金汉宫,bái jīn hàn gōng,Buckingham Palace -白金汉郡,bái jīn hàn jùn,Buckinghamshire (English county) -白银,bái yín,Baiyin prefecture-level city in Gansu -白银,bái yín,silver -白银区,bái yín qū,"Baiyin district of Baiyin city 白銀市|白银市[Bai2 yin2 shi4], Gansu" -白银市,bái yín shì,Baiyin prefecture-level city in Gansu -白银书,bái yín shū,"valuable book decorated with silver, gold and jewels etc, commonly regarded as a disguised form of bribe" -白铜,bái tóng,copper-nickel alloy -白钢,bái gāng,steel -白钨矿,bái wū kuàng,scheelite -白铁,bái tiě,galvanized iron -白镴,bái là,pewter; solder -白开水,bái kāi shuǐ,plain boiled water -白附,bái fù,white aconite -白附片,bái fù piàn,sliced white aconite (used in TCM) -白陶,bái táo,white pottery (of Shang Dynastry 16-11th century BC) -白雪,bái xuě,snow -白雪公主,bái xuě gōng zhǔ,Snow White -白雪皑皑,bái xuě ái ái,brilliant white snow cover (esp. of distant peaks) -白云,bái yún,"Baiyun District of Guiyang City 貴陽市|贵阳市[Gui4 yang2 Shi4], Guizhou; Baiyun District of Guangzhou City 廣州市|广州市[Guang3 zhou1 Shi4], Guangdong" -白云,bái yún,white cloud -白云区,bái yún qū,"Baiyun District of Guiyang City 貴陽市|贵阳市[Gui4 yang2 Shi4], Guizhou; Baiyun District of Guangzhou City 廣州市|广州市[Guang3 zhou1 Shi4], Guangdong" -白云岩,bái yún yán,dolomite (geology) -白云机场,bái yún jī chǎng,Baiyun Airport (Guangzhou) -白云母,bái yún mǔ,muscovite; white mica -白云石,bái yún shí,dolomite -白云矿区,bái yún kuàng qū,"Baiyukuang district of Baotou city 包頭市|包头市[Bao1 tou2 shi4], Inner Mongolia" -白云苍狗,bái yún cāng gǒu,lit. a white cloud transforms into what looks like a gray dog (idiom); fig. the unpredictable changeability of the world -白霜,bái shuāng,hoar frost -白露,bái lù,"Bailu or White Dew, 15th of the 24 solar terms 二十四節氣|二十四节气 8th-22nd September" -白面书生,bái miàn shū shēng,lit. pale-faced scholar (idiom); young and inexperienced person without practical experience; still wet behind the ears -白顶溪鸲,bái dǐng xī qú,(bird species of China) white-capped redstart (Chaimarrornis leucocephalus) -白顶玄鸥,bái dǐng xuán ōu,(bird species of China) brown noddy (Anous stolidus) -白项凤鹛,bái xiàng fèng méi,(bird species of China) white-naped yuhina (Yuhina bakeri) -白领,bái lǐng,white-collar; white-collar worker -白领八哥,bái lǐng bā ge,(bird species of China) collared myna (Acridotheres albocinctus) -白领翡翠,bái lǐng fěi cuì,(bird species of China) collared kingfisher (Todiramphus chloris) -白领凤鹛,bái lǐng fèng méi,(bird species of China) white-collared yuhina (Yuhina diademata) -白头,bái tóu,hoary head; old age -白头偕老,bái tóu xié lǎo,(to live together until the) white hairs of old age (idiom); to live to a ripe old age in conjugal bliss; until death do us part -白头到老,bái tóu dào lǎo,(to live together until the) white hairs of old age (idiom); to live to a ripe old age in conjugal bliss; until death do us part -白头山,bái tóu shān,"Baekdu or Changbai mountains 長白山|长白山, volcanic mountain range between Jilin province and North Korea, prominent in Manchu and Korean mythology" -白头海雕,bái tóu hǎi diāo,"bald eagle (Haliaeetus leucocephalus), the national bird of the United States" -白头硬尾鸭,bái tóu yìng wěi yā,(bird species of China) white-headed duck (Oxyura leucocephala) -白头翁,bái tóu wēng,root of Chinese pulsatilla; Chinese bulbul -白头鹎,bái tóu bēi,(bird species of China) light-vented bulbul (Pycnonotus sinensis) -白头鹤,bái tóu hè,(bird species of China) hooded crane (Grus monacha) -白头鹞,bái tóu yào,(bird species of China) Eurasian marsh harrier (Circus aeruginosus) -白头鹰,bái tóu yīng,bald eagle -白颊噪鹛,bái jiá zào méi,(bird species of China) white-browed laughingthrush (Garrulax sannio) -白颊山鹧鸪,bái jiá shān zhè gū,(bird species of China) white-cheeked partridge (Arborophila atrogularis) -白颊鹎,bái jiá bēi,(bird species of China) Himalayan bulbul (Pycnonotus leucogenys) -白颊黑雁,bái jiá hēi yàn,(bird species of China) barnacle goose (Branta leucopsis) -白颈噪鹛,bái jǐng zào méi,(bird species of China) white-necked laughingthrush (Garrulax strepitans) -白颈长尾雉,bái jǐng cháng wěi zhì,(bird species of China) Elliot's pheasant (Syrmaticus ellioti) -白颈鸦,bái jǐng yā,(bird species of China) collared crow (Corvus torquatus) -白颈鸫,bái jǐng dōng,(bird species of China) white-collared blackbird (Turdus albocinctus) -白颈鹳,bái jǐng guàn,(bird species of China) woolly-necked stork (Ciconia episcopus) -白额圆尾鹱,bái é yuán wěi hù,(bird species of China) bonin petrel (Pterodroma hypoleuca) -白额燕鸥,bái é yàn ōu,(bird species of China) little tern (Sternula albifrons) -白额雁,bái é yàn,(bird species of China) greater white-fronted goose (Anser albifrons) -白额鹱,bái é hù,(bird species of China) streaked shearwater (Calonectris leucomelas) -白饭,bái fàn,plain cooked rice; rice with nothing to go with it -白饶,bái ráo,to give sth extra free of charge; (coll.) in vain; to no avail -白首齐眉,bái shǒu qí méi,(of a couple) to grow old together in mutual respect (idiom) -白香词谱,bái xiāng cí pǔ,"Anthology of ci poems tunes (1795), edited by Xu Menglan 舒夢蘭|舒梦兰, with 100 accessible poems from Tang through to Qing times" -白马寺,bái mǎ sì,"the Baima or White Horse Temple in Luoyang, one of the earliest Buddhist temples in China" -白马王子,bái mǎ wáng zǐ,a Prince Charming; the man of one's dreams -白马股,bái mǎ gǔ,gilt-edged securities -白马鸡,bái mǎ jī,(bird species of China) white eared pheasant (Crossoptilon crossoptilon) -白马雪山,bái mǎ xuě shān,"Baima Snow Mountains, up to 5430 m., in Dechen or Diqing Tibetan Autonomous Prefecture 迪慶藏族自治州|迪庆藏族自治州[Di2 qing4 Zang4 zu2 Zi4 zhi4 zhou1], Yunnan" -白驹过隙,bái jū guò xì,a white steed flits past a crack (idiom); How time flies! -白骨,bái gǔ,bones of the dead -白骨精,bái gǔ jīng,White Bone Spirit (in the novel Journey to the West 西遊記|西游记[Xi1 you2 Ji4]); (fig.) sly and cunning person -白骨顶,bái gǔ dǐng,coot -白体,bái tǐ,lean type -白发,bái fà,white or gray hair; CL:根[gen1] -白发人送黑发人,bái fà rén sòng hēi fà rén,to see one's child die before oneself -白发苍苍,bái fà cāng cāng,old and gray-haired -白鬼,bái guǐ,"""white ghost"", derogatory term for caucasians (Cantonese)" -白鬼笔,bái guǐ bǐ,(botany) common stinkhorn (Phallus impudicus) -白鱼,bái yú,whitefish -白鲸,bái jīng,"Moby Dick, novel by Herman Melville 赫曼·麥爾維爾|赫曼·麦尔维尔[He4man4·Mai4er3wei2er3]" -白鲸,bái jīng,beluga whale -白鳍豚,bái qí tún,see 白鱀豚|白𬶨豚[bai2 ji4 tun2] -白鹈鹕,bái tí hú,(bird species of China) great white pelican (Pelecanus onocrotalus) -白鹄,bái hú,(white) swan -白鹤,bái hè,(bird species of China) Siberian crane (Grus leucogeranus) -白鹤拳,bái hè quán,Baihequan (Fujian White Crane) martial art form -白鹤梁,bái hè liáng,"White Crane Ridge at Fuling, Sichuan on the Changjiang River, that used to show above the water at dry periods, with famous carvings" -白鹤滩,bái hè tān,"Baihetan, the name of a hydroelectric dam on the Jinsha River 金沙江[Jin1 sha1 jiang1] at a point where the river forms a border between Yunnan and Sichuan" -白鹡鸰,bái jí líng,(bird species of China) white wagtail (Motacilla alba) -白鹇,bái xián,(bird species of China) silver pheasant (Lophura nycthemera) -白鹭,bái lù,(bird species of China) little egret (Egretta garzetta) -白鹭湾湿地公园,bái lù wān shī dì gōng yuán,"Bailuwan Wetland Park, Chengdu" -白鹳,bái guàn,(bird species of China) white stork (Ciconia ciconia) -白碱滩,bái jiǎn tān,"Baijiantan District of Karamay City 克拉瑪依市|克拉玛依市[Ke4 la1 ma3 yi1 Shi4], Xinjiang" -白碱滩区,bái jiǎn tān qū,"Baijiantan District of Karamay City 克拉瑪依市|克拉玛依市[Ke4 la1 ma3 yi1 Shi4], Xinjiang" -白面,bái miàn,wheat flour; flour; heroin -白面儿,bái miàn er,heroin -白麻子,bái má zǐ,cannabis seed -白点噪鹛,bái diǎn zào méi,(bird species of China) white-speckled laughingthrush (Garrulax bieti) -白鼻子,bái bí zi,cunning or sly person -白鼻心,bái bí xīn,palm civet (Paguma larvata) -百,bǎi,surname Bai -百,bǎi,hundred; numerous; all kinds of -百不咋,bǎi bù za,of no consequence (idiom) -百不杂,bǎi bù za,variant of 百不咋[bai3 bu4 za5] -百事俱废,bǎi shì jù fèi,to go to pot (idiom) -百事可乐,bǎi shì kě lè,Pepsi -百事无成,bǎi shì wú chéng,to have accomplished nothing (idiom) -百事轻怡,bǎi shì qīng yí,Diet Pepsi; Pepsi Light -百事通,bǎi shì tōng,knowledgeable person; know all -百位,bǎi wèi,the hundreds place (or column) in the decimal system -百依百顺,bǎi yī bǎi shùn,docile and obedient; all obedience -百倍,bǎi bèi,a hundredfold; a hundred times -百兆,bǎi zhào,(computer networking) 100 megabits per second; 100Base-T -百儿八十,bǎi ér bā shí,about a hundred; a hundred or so -百出,bǎi chū,(following a noun) full of ...; abounding in ... -百分,bǎi fēn,percent; percentage -百分之,bǎi fēn zhī,percent -百分之一百,bǎi fēn zhī yī bǎi,one hundred percent; totally (effective) -百分之百,bǎi fēn zhī bǎi,a hundred percent; out and out; absolutely -百分位数,bǎi fēn wèi shù,percentile (statistics) -百分制,bǎi fēn zhì,hundred mark system -百分数,bǎi fēn shù,percentage -百分比,bǎi fēn bǐ,percentage -百分率,bǎi fēn lǜ,percentage; percent -百分百,bǎi fēn bǎi,one hundred percent; totally (effective) -百分号,bǎi fēn hào,percent sign % (punct.) -百分点,bǎi fēn diǎn,percentage point -百利甜,bǎi lì tián,Baileys Irish Cream (brand of alcoholic drink); see also 百利甜酒[Bai3 li4 Tian2 jiu3] -百利甜酒,bǎi lì tián jiǔ,Baileys Irish Cream (brand of alcoholic drink) -百胜,bǎi shèng,"BaiSheng, common name for Chinese company; PakSing, common Hong Kong company name" -百胜餐饮,bǎi shèng cān yǐn,Tricon Global Restaurants (incl. Pizza Hut and KFC) -百胜餐饮集团,bǎi shèng cān yǐn jí tuán,"Yum! Brands, Inc., American fast food corporation operating Pizza Hut, KFC etc." -百汇,bǎi huì,parfait (loanword) -百十,bǎi shí,a hundred or so -百卉千葩,bǎi huì qiān pā,myriad plants and flowers (idiom); rich and colorful -百合,bǎi hé,lily -百合子,bǎi hé zǐ,"Yuriko, Japanese female given name" -百合科,bǎi hé kē,Liliaceae; the lily family -百合花,bǎi hé huā,lily; fig. pure and spotless person; virgin -百合花饰,bǎi hé huā shì,fleur-de-lis (armorial symbol) -百善孝为先,bǎi shàn xiào wéi xiān,of all virtues filial piety is most important (idiom) -百团大战,bǎi tuán dà zhàn,"Hundred Regiments offensive of August-December 1940, a large scale offensive against the Japanese by the communists" -百姓,bǎi xìng,common people -百姿千态,bǎi zī qiān tài,in different poses and with different expressions; in thousands of postures (idiom) -百威,bǎi wēi,Budweiser (beer) -百威啤酒,bǎi wēi pí jiǔ,Budweiser beer -百孔千疮,bǎi kǒng qiān chuāng,heavily damaged; (fig.) full of holes; riddled with problems -百家,bǎi jiā,many schools of thought; many people or households -百家姓,bǎi jiā xìng,"The Book of Family Names, anonymous Song dynasty reading primer listing 438 surnames" -百家乐,bǎi jiā lè,baccarat (loanword) -百家争鸣,bǎi jiā zhēng míng,a hundred schools of thought contend (idiom); refers to the classical philosophic schools of the Warring States period 475-221 BC -百宝箱,bǎi bǎo xiāng,treasure chest -百尺竿头,bǎi chǐ gān tóu,to be at the highest level of enlightenment (Buddhist expression) -百川,bǎi chuān,rivers -百川归海,bǎi chuān guī hǎi,all things tend in one direction (idiom) -百帕,bǎi pà,"hectopascal (hPa), unit of atmospheric pressure" -百年,bǎi nián,hundred years; century; lifetime -百年不遇,bǎi nián bù yù,"only met with once every hundred years (drought, flood etc)" -百年大计,bǎi nián dà jì,a project of vital and lasting importance -百年好合,bǎi nián hǎo hé,may you live a long and happy life together (wedding greeting) -百年树人,bǎi nián shù rén,(idiom) it takes many years to raise children to be upstanding citizens -百几,bǎi jǐ,more than a hundred -百度,bǎi dù,"Baidu, Internet portal and search engine, www.baidu.com, listed as BIDU on NASDAQ since 1999" -百度币,bǎi dù bì,virtual currency created by Baidu -百度百科,bǎi dù bǎi kē,Baidu online encyclopedia -百度知道,bǎi dù zhī dao,"Baidu Knows, online Q & A forum, zhidao.baidu.com" -百废俱兴,bǎi fèi jù xīng,all neglected tasks are being undertaken (idiom); work is now underway -百废具兴,bǎi fèi jù xīng,variant of 百廢俱興|百废俱兴[bai3 fei4 ju4 xing1] -百废待兴,bǎi fèi dài xīng,many things waiting to be done (idiom); a thousand things to do -百废待举,bǎi fèi dài jǔ,many things waiting to be done (idiom); a thousand things to do -百弊丛生,bǎi bì cóng shēng,All the ill effects appear. (idiom) -百强,bǎi qiáng,top 100 (e.g. top 100 towns) -百忙,bǎi máng,busy schedule -百思不得其解,bǎi sī bù dé qí jiě,see 百思不解[bai3 si1 bu4 jie3] -百思不解,bǎi sī bù jiě,to remain puzzled after pondering over sth a hundred times (idiom); to remain perplexed despite much thought -百思莫解,bǎi sī mò jiě,see 百思不解[bai3 si1 bu4 jie3] -百思买,bǎi sī mǎi,Best Buy (retailer) -百感交集,bǎi gǎn jiāo jí,all sorts of feelings well up in one's heart -百慕大,bǎi mù dà,Bermuda -百慕大三角,bǎi mù dà sān jiǎo,Bermuda Triangle -百慕达,bǎi mù dá,Bermuda (Tw) -百战不殆,bǎi zhàn bù dài,"to come unscathed through a hundred battles (idiom, from Sunzi's ""The Art of War"" 孫子兵法|孙子兵法[Sun1 zi3 Bing1 fa3]); to win every fight" -百战百胜,bǎi zhàn bǎi shèng,to emerge victorious in every battle; to be ever-victorious -百折不回,bǎi zhé bù huí,see 百折不撓|百折不挠[bai3 zhe2 bu4 nao2] -百折不挠,bǎi zhé bù náo,to keep on fighting in spite of all setbacks (idiom); to be undaunted by repeated setbacks; to be indomitable -百日咳,bǎi rì ké,whooping cough; pertussis -百日维新,bǎi rì wéi xīn,"Hundred Days Reform (1898), failed attempt to reform the Qing dynasty" -百日菊,bǎi rì jú,(botany) zinnia -百果,bǎi guǒ,all kinds of fruits -百乐餐,bǎi lè cān,potluck meal -百步穿杨,bǎi bù chuān yáng,to shoot with great precision (idiom) -百岁老人,bǎi suì lǎo rén,centenarian -百济,bǎi jì,"Paekche or Baekje (18 BC-660 AD), one of the Korean Three Kingdoms" -百无一失,bǎi wú yī shī,no danger of anything going wrong; no risk at all -百无禁忌,bǎi wú jìn jì,all taboos are off (idiom); anything goes; nothing is taboo -百无聊赖,bǎi wú liáo lài,(idiom) bored to death; bored stiff; overcome with boredom -百炼成钢,bǎi liàn chéng gāng,to be tempered into a steel -百炼钢,bǎi liàn gāng,high-grade well-tempered steel -百物,bǎi wù,all things -百兽,bǎi shòu,all creatures; every kind of animal -百病,bǎi bìng,every illness -百发百中,bǎi fā bǎi zhòng,"lit. one hundred shots, one hundred hits; to carry out a task with great precision; to shoot with unfailing accuracy; be a crack shot (idiom)" -百眼巨人,bǎi yǎn jù rén,hundred-eyed monster -百科,bǎi kē,universal; encyclopedic; abbr. for 百科全書|百科全书[bai3 ke1 quan2 shu1] -百科事典,bǎi kē shì diǎn,encyclopedia -百科全书,bǎi kē quán shū,"encyclopedia; CL:本[ben3],集[ji2]" -百科词典,bǎi kē cí diǎn,encyclopedic dictionary -百谷,bǎi gǔ,all the grains; every kind of cereal crop -百端待举,bǎi duān dài jǔ,a thousand things remain to be done (idiom); numerous tasks remain to be undertaken -百米赛跑,bǎi mǐ sài pǎo,100-meter dash -百粤,bǎi yuè,"Baiyue, generic term for southern ethnic groups; also written 百越" -百总,bǎi zǒng,see 把總|把总[ba3 zong3] -百老汇,bǎi lǎo huì,Broadway (New York City) -百闻不如一见,bǎi wén bù rú yī jiàn,seeing once is better than hearing a hundred times (idiom); seeing for oneself is better than hearing from many others; seeing is believing -百听不厌,bǎi tīng bù yàn,worth hearing a hundred times -百脚,bǎi jiǎo,centipede -百般,bǎi bān,in hundred and one ways; in every possible way; by every means -百般刁难,bǎi bān diāo nàn,(idiom) to put up innumerable obstacles; to create all kinds of difficulties -百般奉承,bǎi bān fèng chéng,to fawn upon sb in every possible way -百般巴结,bǎi bān bā jié,to flatter someone in a hundred different ways; assiduous fawning (idiom) -百色,bǎi sè,Baise prefecture-level city in Guangxi; former pr. [Bo2 se4] -百色,bò sè,Bose or Baise prefecture-level city in Guangxi -百色市,bǎi sè shì,Baise prefecture-level city in Guangxi; former pr. [Bo2 se4] -百花园,bǎi huā yuán,"Garden of Many Flowers (name); Baihua garden in Hongmiao village 洪廟村|洪庙村[Hong2 miao4 cun1], Shandong" -百花奖,bǎi huā jiǎng,"Hundred Flowers Awards, film prize awarded since 1962" -百花运动,bǎi huā yùn dòng,"Hundred Flowers Campaign (PRC, 1956-57), in which Mao called for the taboo on discussing mistakes of the CCP to be lifted" -百花齐放,bǎi huā qí fàng,a hundred flowers bloom (idiom); let the arts have free expression -百草,bǎi cǎo,all kinds of grass; all kinds of flora -百草枯,bǎi cǎo kū,paraquat -百万,bǎi wàn,million -百万位,bǎi wàn wèi,the millions place (or column) in the decimal system -百万吨,bǎi wàn dūn,megaton; million tons -百万富翁,bǎi wàn fù wēng,millionaire -百万赫兹,bǎi wàn hè zī,"megahertz (physics, electronics)" -百叶,bǎi yè,tripe (stomach lining of cattle etc used as food) -百叶窗,bǎi yè chuāng,shutter; blind -百叶箱,bǎi yè xiāng,"Stevenson screen (white box with ventilated sides, housing meteorological instruments); thermometer screen; instrument shelter" -百里挑一,bǎi lǐ tiāo yī,one in a hundred; cream of the crop -百褶裙,bǎi zhě qún,pleated skirt -百计千方,bǎi jì qiān fāng,to exhaust every means to achieve sth (idiom) -百读不厌,bǎi dú bù yàn,to be worth reading a hundred times (idiom) -百变,bǎi biàn,ever-changing -百货,bǎi huò,general merchandise -百货公司,bǎi huò gōng sī,department store -百货商店,bǎi huò shāng diàn,department store -百货大楼,bǎi huò dà lóu,department store -百货店,bǎi huò diàn,bazaar; department store; general store -百越,bǎi yuè,"Baiyue, generic term for southern ethnic groups" -百足,bǎi zú,centipede; millipede -百足之虫死而不僵,bǎi zú zhī chóng sǐ ér bù jiāng,a centipede dies but never falls down; old institutions die hard -百足虫,bǎi zú chóng,centipede -百里,bǎi lǐ,two-character surname Baili -百里香,bǎi lǐ xiāng,thyme (Thymus vulgaris) -百金花,bǎi jīn huā,Centaurium pulchellum var. altaicum -百灵,bǎi líng,lark (bird of family Alaudidae) -百灵鸟,bǎi líng niǎo,skylark -百页窗,bǎi yè chuāng,variant of 百葉窗|百叶窗[bai3 ye4 chuang1] -百余,bǎi yú,a hundred or more -百香,bǎi xiāng,passion fruit -百香果,bǎi xiāng guǒ,passion fruit -皂,zào,soap; black -皂石,zào shí,soapstone -皂矾,zào fán,green vitriol (ferrous sulfate FeSO4:7H2O) -皂荚,zào jiá,Chinese honey locust (Gleditsia sinensis) -皂荚树,zào jiá shù,Chinese honey locust (Gleditsia sinensis) -皂角,zào jiǎo,Chinese honey locust (Gleditsia sinensis) -皂碱,zào jiǎn,soap; same as 肥皂 -皃,mào,variant of 貌[mao4] -的,de,of; ~'s (possessive particle); (used after an attribute); (used to form a nominal expression); (used at the end of a declarative sentence for emphasis); also pr. [di4] or [di5] in poetry and songs -的,dī,a taxi; a cab (abbr. for 的士[di1 shi4]) -的,dí,really and truly -的,dì,(bound form) bull's-eye; target -的哥,dī gē,male taxi driver; cabbie (slang) -的士,dī shì,taxi (loanword) -的士高,dí shì gāo,disco (loanword); also written 迪斯科[di2 si1 ke1] -的姐,dī jiě,female taxi driver -的款,dí kuǎn,reliable funds -的的喀喀湖,dì dì kā kā hú,Lake Titicaca -的确,dí què,really; indeed -的确良,dí què liáng,dacron (loanword) -的话,de huà,if (coming after a conditional clause) -的里雅斯特,dì lǐ yǎ sī tè,"Trieste, port city in Italy" -的黎波里,dì lí bō lǐ,"Tripoli, capital of Libya; Tripoli, city in north Lebanon" -皆,jiē,all; each and every; in all cases -皆可,jiē kě,both OK; all acceptable -皆因,jiē yīn,simply because; all because -皆大欢喜,jiē dà huān xǐ,"As You Like It, comedy by Shakespeare" -皆大欢喜,jiē dà huān xǐ,to everyone's delight and satisfaction -皆然,jiē rán,to be all the same way (literary) -皇,huáng,surname Huang -皇,huáng,emperor; old variant of 惶[huang2] -皇上,huáng shang,the emperor; Your majesty the emperor; His imperial majesty -皇上不急太监急,huáng shàng bù jí tài jiàn jí,see 皇帝不急太監急|皇帝不急太监急[huang2 di4 bu4 ji2 tai4 jian4 ji2] -皇上不急急太监,huáng shàng bù jí jí tài jiàn,see 皇帝不急太監急|皇帝不急太监急[huang2 di4 bu4 ji2 tai4 jian4 ji2] -皇位,huáng wèi,the title of Emperor -皇储,huáng chǔ,crown prince -皇冠,huáng guān,crown (headgear) -皇冠上的明珠,huáng guān shàng de míng zhū,the brightest jewel in the crown -皇冠假日酒店,huáng guān jià rì jiǔ diàn,Crowne Plaza (hotel chain) -皇冠出版,huáng guān chū bǎn,"Crown publishers, Hong Kong" -皇冠出版集团,huáng guān chū bǎn jí tuán,"Crown publishing group, Hong Kong" -皇古,huáng gǔ,ancient times -皇后,huáng hòu,empress; imperial consort -皇后区,huáng hòu qū,"Queens, one of the five boroughs of New York City" -皇后镇,huáng hòu zhèn,"Queenstown, town in New Zealand" -皇城,huáng chéng,"Imperial City, inner part of Beijing, with the Forbidden City at its center" -皇堡,huáng bǎo,Burger King Whopper -皇天不负苦心人,huáng tiān bù fù kǔ xīn rén,"Heaven will not disappoint the person who tries (idiom). If you try hard, you're bound to succeed eventually." -皇天后土,huáng tiān hòu tǔ,heaven and earth (idiom) -皇太后,huáng tài hòu,empress dowager -皇太子,huáng tài zǐ,crown prince -皇太极,huáng tài jí,"Hong Taiji (1592-1643), eighth son of Nurhaci 努爾哈赤|努尔哈赤[Nu3 er3 ha1 chi4], reigned 1626-1636 as Second Khan of Later Jin dynasty 後金|后金[Hou4 Jin1], then founded the Qing dynasty 大清[Da4 Qing1] and reigned 1636-1643 as Emperor; posthumous name 清太宗[Qing1 Tai4 zong1]" -皇太极清太宗,huáng tài jí qīng tài zōng,"Hong Taiji (1592-1643), eighth son of Nurhaci 努爾哈赤|努尔哈赤[Nu3 er3 ha1 chi4], reigned 1626-1636 as Second Khan of Later Jin dynasty 後金|后金[Hou4 Jin1], then founded the Qing dynasty 大清[Da4 Qing1] and reigned 1636-1643 as Emperor" -皇姑,huáng gū,"Huanggu district of Shenyang city 瀋陽市|沈阳市, Liaoning" -皇姑区,huáng gū qū,"Huanggu district of Shenyang city 瀋陽市|沈阳市, Liaoning" -皇子,huáng zǐ,prince -皇室,huáng shì,royal family; imperial household; member of the royal family -皇宫,huáng gōng,imperial palace -皇家,huáng jiā,royal; imperial household -皇家加勒比海游轮公司,huáng jiā jiā lè bǐ hǎi yóu lún gōng sī,Royal Caribbean Cruise Lines -皇家学会,huáng jiā xué huì,the Royal Society (UK scientific academy) -皇家海军,huáng jiā hǎi jūn,Royal Navy (UK) -皇家香港警察,huáng jiā xiāng gǎng jǐng chá,Royal Hong Kong Police Force (1969-1997) -皇家马德里,huáng jiā mǎ dé lǐ,Real Madrid (soccer team) -皇家骑警,huáng jiā qí jǐng,"Royal Canadian Mounted Police (RCMP), Canadian federal and national police force; Mounties" -皇帝,huáng dì,emperor; CL:個|个[ge4] -皇帝不急太监急,huáng dì bù jí tài jiàn jí,"lit. the emperor is not worried, but his eunuchs are (idiom); fig. the observers are more anxious than the person involved" -皇帝不急急死太监,huáng dì bù jí jí sǐ tài jiàn,see 皇帝不急太監急|皇帝不急太监急[huang2 di4 bu4 ji2 tai4 jian4 ji2] -皇帝女儿不愁嫁,huáng dì nǚ ér bù chóu jià,lit. the emperor's daughter does not worry about whether she will be able to marry (idiom); fig. highly sought after -皇帝的新衣,huáng dì de xīn yī,the Emperor's new clothes (i.e. naked) -皇帝菜,huáng dì cài,see 茼蒿[tong2 hao1] -皇带鱼,huáng dài yú,giant oarfish (Regalecus glesne) -皇恩,huáng ēn,imperial kindness; benevolence from the emperor -皇族,huáng zú,the imperial family; royal kin -皇族内阁,huáng zú nèi gé,Qing emergency cabinet set up in May 1911 to confront the Xinhai rebels -皇历,huáng li,variant of 黃曆|黄历[huang2 li5] -皇朝,huáng cháo,the imperial court; the government in imperial times -皇榜,huáng bǎng,imperial notice (announcement in the form of a notice posted with the authority of the emperor) -皇权,huáng quán,imperial power -皇法,huáng fǎ,imperial law; same as 王法[wang2 fa3] -皇甫,huáng fǔ,two-character surname Huangfu -皇甫嵩,huáng fǔ sōng,"Huangfu Song (-195), later Han general and warlord" -皇甫镈,huáng fǔ bó,"Huangfu Bo (c. 800), Minister during early Tang" -皇皇,huáng huáng,magnificent; variant of 惶惶[huang2 huang2]; variant of 遑遑[huang2 huang2] -皇粮,huáng liáng,lit. imperial funding for troops; funds or items supplied by the government -皇亲国戚,huáng qīn guó qī,the emperor relatives (idiom); person with powerful connections -皇军,huáng jūn,imperial army (esp. Japanese) -皇马,huáng mǎ,Real Madrid soccer team; abbr. for 皇家馬德里|皇家马德里 -皈,guī,to comply with; to follow -皈依,guī yī,to convert to (a religion) -皈依者,guī yī zhě,a convert -皋,gāo,bank; marsh -皋兰,gāo lán,"Gaolan county in Lanzhou 蘭州|兰州[Lan2 zhou1], Gansu" -皋兰县,gāo lán xiàn,"Gaolan county in Lanzhou 蘭州|兰州[Lan2 zhou1], Gansu" -皎,jiǎo,bright; white -皎厉,jiǎo lì,proud -皎月,jiǎo yuè,the bright moon -皎洁,jiǎo jié,shining clean; bright (moonlight) -皎白,jiǎo bái,bright white -皎皎,jiǎo jiǎo,clear and bright -皎皎者易污,jiǎo jiǎo zhě yì wū,Virtue is easily sullied. (idiom) -皋,gāo,high riverbank; variant of 皋[gao1] -皒,é,see 皒皒[e2 e2] -皒皒,é é,white -皓,hào,bright; luminous; white (esp. bright white teeth of youth or white hair of old age) -皓白,hào bái,snow-white; spotless -皓首,hào shǒu,white head of hair; fig. old person -皓首苍颜,hào shǒu cāng yán,white hair and gray sunken cheeks (idiom); decrepit old age -皓齿,hào chǐ,white teeth (symbol of youth and beauty) -皓齿明眸,hào chǐ míng móu,white teeth and bright eyes (idiom); lovely young woman -皓齿朱唇,hào chǐ zhū chún,white teeth and vermilion lips (idiom); lovely young woman -皕,bì,two-hundred (rarely used); 200 -皖,wǎn,short name for Anhui Province 安徽省[An1 hui1 Sheng3] -皖南事变,wǎn nán shì biàn,"New Fourth Army Incident of 1940, involving fighting between the Nationalists and Communists" -皖系军阀,wǎn xì jūn fá,Anhui faction of Northern Warlords 1911-c.1929 -晰,xī,white; variant of 晰[xi1] -皑,ái,(literary) white as snow -皑皑,ái ái,(literary) white as snow; pure white -皓,hào,variant of 皓[hao4]; spotlessly white -皤,pó,white -皦,jiǎo,surname Jiao -皦,jiǎo,sparkling; bright -皮,pí,surname Pi -皮,pí,leather; skin; fur; CL:張|张[zhang1]; pico- (one trillionth); naughty -皮下,pí xià,under the skin; subcutaneous (injection) -皮下注射,pí xià zhù shè,hypodermic injection; subcutaneous injection -皮克斯,pí kè sī,Pixar Animation Studios -皮克林,pí kè lín,Pickering (name) -皮儿,pí er,wrapper; cover -皮具,pí jù,leather products; CL:件[jian4] -皮划艇,pí huá tǐng,canoe; kayak -皮划艇静水,pí huá tǐng jìng shuǐ,canoe-kayak flatwater -皮包,pí bāo,handbag; briefcase -皮包公司,pí bāo gōng sī,lit. briefcase company; dummy corporation; shell company; fly-by-night company -皮包骨头,pí bāo gǔ tóu,to be all skin and bones (idiom); also written 皮包骨[pi2 bao1 gu3] -皮匠,pí jiang,cobbler -皮卡,pí kǎ,pickup (truck) (loanword) -皮卡尔,pí kǎ ěr,Picard (name) -皮囊,pí náng,leather bag -皮埃尔,pí āi ěr,Pierre (name) -皮塔饼,pí tǎ bǐng,pita bread (Middle eastern flat bread) (loanword) -皮外伤,pí wài shāng,superficial wound; a bruise -皮夹,pí jiā,wallet; Taiwan pr. [pi2 jia2] -皮子,pí zi,skin; fur -皮实,pí shi,(of things) durable; (of people) sturdy; tough -皮尺,pí chǐ,tape measure -皮层,pí céng,cortex -皮层下失语症,pí céng xià shī yǔ zhèng,subcortical aphasia -皮层性,pí céng xìng,cortical -皮层性视损伤,pí céng xìng shì sǔn shāng,cortical visual impairment (CVI) -皮山,pí shān,"Pishan County in Hotan Prefecture 和田地區|和田地区[He2 tian2 Di4 qu1], Xinjiang" -皮山县,pí shān xiàn,"Pishan County in Hotan Prefecture 和田地區|和田地区[He2 tian2 Di4 qu1], Xinjiang" -皮带,pí dài,"strap; leather belt; CL:條|条[tiao2],根[gen1]" -皮带传动,pí dài chuán dòng,a leather drive belt -皮带运输机,pí dài yùn shū jī,belt conveyor -皮带扣,pí dài kòu,belt buckle -皮弗娄牛,pí fú lóu niú,beefalo (cross between domestic cattle and bison) -皮影戏,pí yǐng xì,shadow play -皮星,pí xīng,picosatellite -皮条,pí tiáo,thong; leather strap; pimp; procurer -皮条客,pí tiáo kè,pimp -皮钦语,pí qīn yǔ,pidgin -皮壳,pí qiào,carapace; hard outer shell; also pr. [pi2 ke2] -皮毛,pí máo,fur; fur clothing; skin and hair; superficial; superficial knowledge -皮炎,pí yán,dermatitis -皮尔,pí ěr,"Pierre, capital of South Dakota" -皮尔森,pí ěr sēn,Pearson (family name as well as various places) -皮牙子,pí yá zi,"(dialect) onion (loanword from Uyghur ""piyaz"")" -皮特凯恩群岛,pí tè kǎi ēn qún dǎo,Pitcairn Islands -皮特拉克,pí tè lā kè,"Petrarch; Francesco Petrarca (1304-1374), Italian scholar and lyric poet, famous for sonnets" -皮球,pí qiú,"ball (made of rubber, leather etc)" -皮疹,pí zhěn,a rash -皮痒,pí yǎng,(coll.) to need a spanking -皮皮虾,pí pí xiā,mantis shrimp -皮秒,pí miǎo,"picosecond, ps, 10^-12 s" -皮笑肉不笑,pí xiào ròu bù xiào,to put on a fake smile (idiom); to smile insincerely -皮筋,pí jīn,rubber band -皮筏,pí fá,leather float; inflatable raft -皮箱,pí xiāng,leather suitcase -皮纳塔,pí nà tǎ,(loanword) piñata -皮肉,pí ròu,skin and flesh; superficial; physical (suffering); bodily -皮肉之苦,pí ròu zhī kǔ,physical pain; lit. skin and flesh suffer -皮脂腺,pí zhī xiàn,sebaceous glands -皮肤,pí fū,"skin; CL:層|层[ceng2],塊|块[kuai4]" -皮肤病,pí fū bìng,dermatosis -皮肤癌,pí fū ái,skin cancer -皮肤科,pí fū kē,dermatology -皮肤肌肉囊,pí fū jī ròu náng,dermo-muscular sac -皮脸,pí liǎn,naughty; cheeky; impudent; shameless -皮艇,pí tǐng,kayak -皮草,pí cǎo,fur clothing -皮萨饼,pí sà bǐng,pizza (loanword) -皮蛋,pí dàn,century egg; preserved egg -皮袋,pí dài,leather bag; leather pouch (for liquid) -皮袍,pí páo,fur-lined changpao 長袍|长袍[chang2 pao2] -皮制品,pí zhì pǐn,leather goods -皮试,pí shì,(medicine) skin test -皮诺切特,pí nuò qiē tè,"General Augusto Pinochet (1915-2006), Chilean dictator" -皮货,pí huò,furs -皮质,pí zhì,cortex; cerebral cortex -皮质醇,pí zhì chún,cortisol -皮质类固醇,pí zhì lèi gù chún,corticosteroid -皮重,pí zhòng,tare weight -皮开肉绽,pí kāi ròu zhàn,flesh lacerated from corporal punishment (idiom) -皮面,pí miàn,outer skin; surface; leather cover (of a book); drum skin; leather upper (of a shoe) -皮革,pí gé,leather; CL:張|张[zhang1] -皮革商,pí gé shāng,fellmonger; a dealer who works with animal hides and skins -皮鞋,pí xié,leather shoes -皮鞋匠,pí xié jiàng,shoemaker -皮鞋油,pí xié yóu,shoe polish -皮鞭,pí biān,lash -皮黄,pí huáng,Beijing opera (or styles of song in); abbr. for 西皮二黃|西皮二黄 -疱,pào,pimple; acne; blister; boil; ulcer -疱疹,pào zhěn,blister; bleb (watery blister); herpes (medicine) -疱疹病毒,pào zhěn bìng dú,herpes virus (med.) -皴,cūn,chapped; cracked -皴裂,cūn liè,"(of lips, skin etc) to chap" -鼓,gǔ,old variant of 鼓[gu3] -皲,jūn,to chap -皲裂,jūn liè,"(of lips, skin etc) to chap" -皱,zhòu,to wrinkle; wrinkled; to crease -皱巴巴,zhòu bā bā,wrinkled; crumpled; unironed -皱折,zhòu zhé,crease; fold; ripple; lap -皱摺,zhòu zhé,see 皺折|皱折[zhou4 zhe2] -皱眉,zhòu méi,to frown; to knit one's brow -皱眉头,zhòu méi tóu,to scowl; to knit the brows -皱纹,zhòu wén,wrinkle; CL:道[dao4] -皱缩,zhòu suō,to wrinkle; wrinkled up -皱叶欧芹,zhòu yè ōu qín,curled-leaf parsley (Petroselinum crispum) -皱褶,zhòu zhě,creased; wrinkled; fold; crease -皱起,zhòu qǐ,to purse; to pucker (up) -皻,cǔ,chapped skin -皻,zhā,old variant of 齇[zha1]; rosacea -皿,mǐn,(bound form) dish; vessel; shallow container; radical no. 108 -盂,yú,basin; wide-mouthed jar or pot -盂方水方,yú fāng shuǐ fāng,"If the basin is square, the water in it will also be square. (idiom)" -盂县,yú xiàn,"Yu county in Yangquan, Shanxi" -盂兰盆,yú lán pén,see 盂蘭盆會|盂兰盆会[Yu2 lan2 pen2 hui4] -盂兰盆会,yú lán pén huì,Feast of All Souls (fifteenth day of seventh lunar month) (Buddhism) -杯,bēi,"variant of 杯[bei1]; trophy cup; classifier for certain containers of liquids: glass, cup" -盅,zhōng,handleless cup; goblet -盆,pén,"basin; flower pot; unit of volume equal to 12 斗[dou3] and 8 升[sheng1], approx 128 liters; CL:個|个[ge4]" -盆友,pén yǒu,(Internet slang) friend (pun on 朋友[peng2 you3]) -盆地,pén dì,(geography) basin; depression -盆子,pén zi,basin -盆景,pén jǐng,bonsai; landscape in a pot -盆栽,pén zāi,to grow (a plant) in a pot; potted plant (sometimes refers specifically to a bonsai plant) -盆浴,pén yù,bathtub -盆钵,pén bō,generic term for pottery -盆腔,pén qiāng,the pelvic cavity; birth canal -盆花,pén huā,potted flower -盍,hé,variant of 盍[he2] -盈,yíng,full; filled; surplus -盈凸月,yíng tū yuè,full moon; waxing gibbous moon -盈利,yíng lì,profit; gain; to make profits -盈江,yíng jiāng,"Yingjiang county in Dehong Dai and Jingpo autonomous prefecture 德宏傣族景頗族自治州|德宏傣族景颇族自治州[De2 hong2 Dai3 zu2 Jing3 po1 zu2 zi4 zhi4 zhou1], Yunnan" -盈江县,yíng jiāng xiàn,"Yingjiang county in Dehong Dai and Jingpo autonomous prefecture 德宏傣族景頗族自治州|德宏傣族景颇族自治州[De2 hong2 Dai3 zu2 Jing3 po1 zu2 zi4 zhi4 zhou1], Yunnan" -盈箱累箧,yíng xiāng lěi qiè,to fill boxes and baskets to the brim (with treasures) -盈亏,yíng kuī,profit and loss; waxing and waning -盈亏自负,yíng kuī zì fù,responsible for its profit and losses (of organization); financially autonomous; personal financial responsibility -盈门,yíng mén,lit. fill the door; fill the house (at a wedding or auspicious occasion) -盈余,yíng yú,surplus; profit -益,yì,surname Yi -益,yì,benefit; profit; advantage; beneficial; to increase; to add; all the more -益加,yì jiā,increasingly; more and more; all the more -益友,yì yǒu,helpful friend; wise companion -益州,yì zhōu,name of old state in modern Sichuan -益智,yì zhì,"to grow the intellect; Alpinia oxyphylla, a type of ginger (Chinese medicine)" -益智玩具,yì zhì wán jù,educational toy -益母,yì mǔ,motherwort (Leonurus heterophyllus) -益母草,yì mǔ cǎo,motherwort (Leonurus heterophyllus or L. cardiaca) -益民,yì mín,good citizens; the right side in a civil war -益生菌,yì shēng jūn,probiotics -益发,yì fā,increasingly; more and more; ever more; all the more -益胃生津,yì wèi shēng jīn,to benefit the stomach and increase fluids (idiom) -益处,yì chu,benefit -益虫,yì chóng,beneficial insect -益觉困难,yì jué kùn nan,to find sth increasingly difficult -益趋,yì qū,increasingly; more and more -益阳,yì yáng,"Yiyang, prefecture-level city in Hunan" -益阳市,yì yáng shì,"Yiyang, prefecture-level city in Hunan" -益鸟,yì niǎo,beneficial bird (esp. one that preys on insect pests or mice) -碗,wǎn,variant of 碗[wan3] -盍,hé,why not -盎,àng,ancient earthenware container with a big belly and small mouth; (literary) brimming; abundant -盎司,àng sī,ounce (British imperial system) (loanword) -盎斯,àng sī,variant of 盎司[ang4 si1] -盎格鲁,àng gé lǔ,Anglo- -盎格鲁撒克逊,àng gé lǔ sā kè xùn,Anglo-Saxon (people) -盎格鲁萨克逊,àng gé lǔ sà kè xùn,Anglo-Saxon -盎然,àng rán,abundant; plentiful; overflowing; exuberant -盎盂相击,àng yú xiāng jī,(idiom) to quarrel -盎盂相敲,àng yú xiāng qiāo,(idiom) to quarrel -盒,hé,small box; case -盒中袋,hé zhōng dài,bag-in-box (packaging) -盒子,hé zi,box; case -盒带,hé dài,cassette tape; abbr. for 盒式錄音磁帶|盒式录音磁带; CL:盤|盘[pan2] -盒式录音磁带,hé shì lù yīn cí dài,cassette tape -盒饭,hé fàn,meal in a partitioned box -盔,kuī,helmet -盔甲,kuī jiǎ,armor; body armor and helmet -盔头,kuī tou,decorated hat or helmet in Chinese opera to characterize role -盛,shèng,surname Sheng -盛,chéng,to hold; to contain; to ladle; to pick up with a utensil -盛,shèng,flourishing; vigorous; magnificent; extensively -盛世,shèng shì,a flourishing period; period of prosperity; a golden age -盛事,shèng shì,grand occasion -盛京,shèng jīng,historical name of Shenyang 瀋陽|沈阳 in modern Liaoning province -盛传,shèng chuán,widely spread; widely rumored; stories abound; (sb's exploits are) widely circulated -盛典,shèng diǎn,majestic pomp; grand ceremony -盛名,shèng míng,famous reputation -盛器,chéng qì,vessel; receptacle -盛夏,shèng xià,midsummer; the height of summer -盛大,shèng dà,grand; majestic; magnificent -盛大舞会,shèng dà wǔ huì,grand ball -盛妆,shèng zhuāng,vigorous; strong and healthy -盛季,shèng jì,peak season; a flourishing period -盛宴,shèng yàn,feast -盛年,shèng nián,the prime of one's life -盛德,shèng dé,splendid virtue; majestic moral character; great kindness -盛怒,shèng nù,enraged; furious -盛情,shèng qíng,great kindness; magnificent hospitality -盛景,shèng jǐng,grand view; magnificent landscape -盛会,shèng huì,pageant; distinguished meeting -盛服,shèng fú,splendid attire -盛极一时,shèng jí yī shí,all the rage for a time; grand fashion for a limited time -盛气,shèng qì,grand and heroic; exuberant character -盛气凌人,shèng qì líng rén,overbearing; arrogant bully -盛况,shèng kuàng,grand occasion -盛况空前,shèng kuàng kōng qián,a magnificent and unprecedented event (idiom) -盛产,shèng chǎn,to produce in abundance; to be rich in -盛称,shèng chēng,enthusiastic praise; to praise highly -盛筵,shèng yán,grand banquet -盛举,shèng jǔ,grand event; magnificent undertaking -盛行,shèng xíng,to be in vogue; to be popular; to be prevalent -盛行率,shèng xíng lǜ,prevalence; incidence -盛衰,shèng shuāi,to flourish then decline; rise and fall -盛装,chéng zhuāng,(of a receptacle etc) to contain -盛装,shèng zhuāng,splendid clothes; rich attire; one's Sunday best -盛誉,shèng yù,flourishing reputation -盛赞,shèng zàn,to praise highly; an accolade -盛开,shèng kāi,blooming; in full flower -盛饭,chéng fàn,to fill a bowl with rice -盛馔,shèng zhuàn,rich fare; splendid food -盗,dào,to steal; to rob; to plunder; thief; bandit; robber -盗伐,dào fá,to unlawfully fell trees -盗刷,dào shuā,to fraudulently draw on (sb's credit card account) -盗匪,dào fěi,bandit -盗取,dào qǔ,"to steal (including identity theft, credit card fraud or theft of computer account); to misappropriate" -盗图,dào tú,to use an image without permission -盗墓,dào mù,to rob a tomb -盗垒,dào lěi,(baseball) to steal a base; stolen base (SB) -盗采,dào cǎi,"to mine (or harvest, log, trap animals etc) illegally; illegal mining (or logging etc)" -盗汗,dào hàn,night sweats -盗版,dào bǎn,pirated; illegal; see also 正版[zheng4 ban3] -盗版者,dào bǎn zhě,software pirate -盗版党,dào bǎn dǎng,"Pirate Party, political movement whose main goal is to reform copyright law in line with the Internet era" -盗猎,dào liè,to poach (illegally hunt game) -盗用,dào yòng,to use illegitimately; to misappropriate; to embezzle -盗窃,dào qiè,to steal -盗薮,dào sǒu,bandits' den -盗贼,dào zéi,robber -盗卖,dào mài,to steal sth and sell it -盗录,dào lù,"to pirate (an audio recording, movie etc); to bootleg" -盗龙,dào lóng,Rapator ornitholestoides (dinosaur) -盏,zhǎn,a small cup; classifier for lamps -盟,méng,"oath; pledge; union; to ally; league, a subdivision corresponding to prefecture in Inner Mongolia" -盟兄,méng xiōng,senior partner in sworn brotherhood -盟兄弟,méng xiōng dì,sworn brother -盟友,méng yǒu,ally -盟员,méng yuán,league member; ally -盟国,méng guó,allies; united countries -盟山誓海,méng shān shì hǎi,to pledge undying love (idiom); oath of eternal love; to swear by all the Gods -盟弟,méng dì,junior partner in sworn brotherhood -盟约,méng yuē,contract of alliance; oath or treaty between allies -盟誓,méng shì,oath of alliance -盟军,méng jūn,allied forces -盟邦,méng bāng,ally; allied country -尽,jìn,to use up; to exhaust; to end; to finish; to the utmost; exhausted; finished; to the limit (of sth); all; entirely -尽人皆知,jìn rén jiē zhī,known by everyone (idiom); well known; a household name -尽到,jìn dào,to fulfill (one's duty etc) -尽力,jìn lì,to strive one's hardest; to spare no effort -尽力而为,jìn lì ér wéi,to try one's utmost; to strive -尽可能,jìn kě néng,see 儘可能|尽可能[jin3 ke3 neng2] -尽善尽美,jìn shàn jìn měi,perfect (idiom); perfection; the best of all possible worlds; as good as it gets -尽地主之谊,jìn dì zhǔ zhī yì,to act as host; to do the honors -尽失,jìn shī,"(of hope, appetite, authority etc) to be lost" -尽孝,jìn xiào,to do one's filial duty -尽展,jìn zhǎn,"to display (one's potential, one's talents etc)" -尽心,jìn xīn,with all of one's heart -尽心尽力,jìn xīn jìn lì,making an all-out effort (idiom); to try one's heart out; to do one's utmost -尽心竭力,jìn xīn jié lì,to spare no effort (idiom); to do one's utmost -尽忠,jìn zhōng,to display utter loyalty; to be loyal to the end -尽快,jìn kuài,see 儘快|尽快[jin3 kuai4] -尽性,jìn xìng,displaying fully; developing to the greatest extent -尽情,jìn qíng,as much as one likes -尽意,jìn yì,to express fully; all one's feelings -尽收眼底,jìn shōu yǎn dǐ,to take in the whole scene at once; to have a panoramic view -尽数,jìn shǔ,to count all of them -尽数,jìn shù,in its entirety; all of it; all of them -尽是,jìn shì,to be full of; completely -尽欢,jìn huān,to thoroughly enjoy oneself -尽欢而散,jìn huān ér sàn,to disperse after a happy time (idiom); everyone enjoys themselves to the full then party breaks up -尽皆,jìn jiē,all; without exception; complete; whole; entirely -尽义务,jìn yì wù,to fulfill one's duty; to work without asking for reward -尽职,jìn zhí,to discharge one's duties; conscientious -尽职尽责,jìn zhí jìn zé,responsible and diligent (idiom) -尽职调查,jìn zhí diào chá,due diligence (law) -尽致,jìn zhì,in the finest detail -尽兴,jìn xìng,to enjoy oneself to the full; to one's heart's content -尽言,jìn yán,saying everything; to speak out fully -尽责,jìn zé,to do one's duty; to do one's bit conscientiously -尽速,jìn sù,as quick as possible -尽释前嫌,jìn shì qián xián,to forget former enmity (idiom) -尽量,jìn liàng,as much as possible; to the greatest extent -尽头,jìn tóu,end; extremity; limit -尽饱,jìn bǎo,to be stuffed to the gills; to eat to satiety -监,jiān,to supervise; to inspect; jail; prison -监,jiàn,supervisor -监利,jiān lì,"Jianli county in Jingzhou 荊州|荆州[Jing1 zhou1], Hubei" -监利县,jiān lì xiàn,"Jianli county in Jingzhou 荊州|荆州[Jing1 zhou1], Hubei" -监外执行,jiān wài zhí xíng,to serve (a sentence) outside prison (law) -监学,jiān xué,school official responsible for supervising the students (old) -监守,jiān shǒu,to have custody of -监守自盗,jiān shǒu zì dào,to embezzle -监察,jiān chá,to supervise; to control -监察人,jiān chá rén,supervisor; monitor; watchdog -监察局,jiān chá jú,inspection office; supervisory office -监察部,jiān chá bù,Ministry of Supervision (MOS) -监察院,jiān chá yuàn,"Control Yuan, a watchdog under the constitution of Republic of China, then of Taiwan" -监工,jiān gōng,workplace overseer; foreman -监押,jiān yā,a jail; to imprison -监控,jiān kòng,to monitor -监查,jiān chá,to supervise; to audit; to monitor -监查员,jiān chá yuán,supervisor; monitor -监测,jiān cè,to monitor -监牢,jiān láo,prison; jail -监牧,jiān mù,shepherd; Tang dynasty official with responsibility for animal husbandry; pastor (cleric in charge of a Christian parish) -监狱,jiān yù,prison -监理所,jiān lǐ suǒ,inspection and control bureau -监看,jiān kàn,to monitor; to keep an eye on -监督,jiān dū,to control; to supervise; to inspect -监督人,jiān dū rén,superintendent -监督者,jiān dū zhě,supervisor -监票,jiān piào,to scrutinize balloting -监禁,jiān jìn,to imprison; to jail; to take into custody -监管,jiān guǎn,to oversee; to take charge of; to supervise; to administer; supervisory; supervision -监管体制,jiān guǎn tǐ zhì,regulatory system; supervisory body -监织造,jiān zhī zào,supervisor of textiles (official post in Ming dynasty) -监考,jiān kǎo,to proctor (an exam); to invigilate -监听,jiān tīng,to monitor; to listen in; to eavesdrop -监制,jiān zhì,to supervise the manufacture of; to supervise the shooting of films; executive producer (film) -监视,jiān shì,to monitor; to keep a close watch over; surveillance -监视器,jiān shì qì,security camera; surveillance monitor -监视孔,jiān shì kǒng,peephole -监视居住,jiān shì jū zhù,"(PRC law) residential surveillance; to order sb to stay at their home, or a designated location, under surveillance" -监护,jiān hù,to act as a guardian -监护人,jiān hù rén,guardian -监护权,jiān hù quán,custody (of a child) -监趸,jiān dǔn,prisoner (Cantonese) -监门,jiān mén,gatekeeper -盘,pán,"plate; dish; tray; board; hard drive (computing); to build; to coil; to check; to examine; to transfer (property); to make over; classifier for food: dish, helping; to coil; classifier for coils of wire; classifier for games of chess" -盘亘,pán gèn,linked in a unbroken chain -盘倒,pán dǎo,"to interrogate, leaving sb speechless" -盘剥,pán bō,to exploit; to practice usury -盘古,pán gǔ,Pangu (creator of the universe in Chinese mythology) -盘古氏,pán gǔ shì,Pangu (creator of the universe in Chinese mythology) -盘问,pán wèn,to interrogate; to cross-examine; to inquire -盘坐,pán zuò,to sit cross-legged (as in the lotus position) -盘子,pán zi,tray; plate; dish; CL:個|个[ge4] -盘察,pán chá,to interrogate; to examine -盘审,pán shěn,to interrogate -盘尼西林,pán ní xī lín,penicillin (loanword) -盘尾树鹊,pán wěi shù què,(bird species of China) racket-tailed treepie (Crypsirina temia) -盘山,pán shān,"Panshan county in Panjin 盤錦|盘锦, Liaoning" -盘山,pán shān,going around a mountain -盘山县,pán shān xiàn,"Panshan county in Panjin 盤錦|盘锦, Liaoning" -盘川,pán chuān,see 盤纏|盘缠[pan2 chan5] -盘带,pán dài,(soccer) to dribble -盘底,pán dǐ,to interrogate and get to the bottom of sth -盘店,pán diàn,to transfer a shop and all its contents to new owner -盘弄,pán nòng,to play around with; to fidget; to fondle -盘据,pán jù,variant of 盤踞|盘踞[pan2 ju4] -盘旋,pán xuán,to spiral; to circle; to go around; to hover; to orbit -盘旋曲折,pán xuán qū zhé,(idiom) (of a road etc) to wind circuitously -盘曲,pán qū,coiled; entwined; tortuous -盘杠子,pán gàng zi,to carry out gymnastic tricks on horizontal bar -盘查,pán chá,to interrogate; to question (at a roadblock) -盘根问底,pán gēn wèn dǐ,lit. to examine roots and inquire at the base (idiom); to get to the bottom of sth -盘根究底,pán gēn jiū dǐ,lit. to examine roots and inquire at the base (idiom); to get to the bottom of sth -盘根错节,pán gēn cuò jié,twisted roots and intertwined joints (idiom); complicated and very tricky; knotty and deeply-rooted difficulties -盘桓,pán huán,to pace; to linger; to stay over; to spiral; to hover -盘梯,pán tī,spiral staircase -盘活,pán huó,"to revitalize (assets, resources etc)" -盘球,pán qiú,(sports) to dribble -盘盘,pán pán,twisting and turning -盘石,pán shí,variant of 磐石[pan2 shi2] -盘碗,pán wǎn,dishes; crockery; plates and cups -盘秤,pán chèng,balance consisting of steelyard with a pan; CL:臺|台[tai2] -盘程,pán chéng,see 盤纏|盘缠[pan2 chan5] -盘符,pán fú,drive letter (letter assigned to a disk drive or partition) (computing) -盘算,pán suàn,to plot; to scheme; to calculate -盘管,pán guǎn,coil in still (used for distilling) -盘县,pán xiàn,"Pan county in Liupanshui 六盤水|六盘水[Liu4 pan2 shui3], Guizhou" -盘绕,pán rào,to coil (around sth); to twine; to weave (basketwork) -盘缠,pán chán,to twine; to coil -盘缠,pán chan,money for a voyage; travel expenses -盘羊,pán yáng,argali (Ovis ammon) -盘腿,pán tuǐ,to sit cross-legged; to sit in the lotus position -盘膝,pán xī,cross-legged -盘诘,pán jié,to cross-examine (law) -盘货,pán huò,to take stock; to make an inventory -盘费,pán fèi,travel expenses; fare; traveling allowance -盘跚,pán shān,variant of 蹣跚|蹒跚[pan2 shan1] -盘踞,pán jù,to occupy illegally; to seize (territory); to entrench (oneself) -盘道,pán dào,twining mountain road -盘锦,pán jǐn,"Panjin, prefecture-level city in Liaoning province 遼寧省|辽宁省[Liao2 ning2 Sheng3] in northeast China" -盘锦市,pán jǐn shì,"Panjin, prefecture-level city in Liaoning province 遼寧省|辽宁省[Liao2 ning2 Sheng3] in northeast China" -盘错,pán cuò,intertwined (of tree roots or branches); fig. an intricate matter -盘陀,pán tuó,twisted; spiral; uneven stones -盘陀路,pán tuó lù,twisting path; tortuous road -盘头,pán tóu,to coil hair into a bun; hair worn in bun; turban; hair ornament; to interrogate -盘飧,pán sūn,dishes; the food in a dish -盘餐,pán cān,side dish -盘香,pán xiāng,incense coil -盘驳,pán bó,to cross-examine; to interrogate and refute -盘点,pán diǎn,to make an inventory; to take stock -盘龙,pán lóng,"Panlong district of Kunming city 昆明市[Kun1 ming2 shi4], Yunnan" -盘龙区,pán lóng qū,"Panlong district of Kunming city 昆明市[Kun1 ming2 shi4], Yunnan" -盘龙卧虎,pán lóng wò hǔ,"lit. coiled dragon, crouching tiger (idiom); fig. talented individuals in hiding; concealed talent" -盥,guàn,to wash (especially hands) -盥洗,guàn xǐ,to wash up; to freshen up -盥洗室,guàn xǐ shì,toilet; washroom; bathroom; lavatory; CL:間|间[jian1] -盥洗盆,guàn xǐ pén,washbowl -卢,lú,surname Lu; abbr. for Luxembourg 盧森堡|卢森堡[Lu2sen1bao3] -卢,lú,(old) rice vessel; black; old variant of 廬|庐[lu2]; (slang) (Tw) troublesome; fussy -卢克索,lú kè suǒ,"Luxor, city in Egypt" -卢卡,lú kǎ,Lucca (city in Tuscany) -卢卡斯,lú kǎ sī,Lucas (name) -卢卡申科,lú kǎ shēn kē,"Aleksandr Grigoryevich Lukachenko, president of Belarus from 1994" -卢因,lú yīn,"Lewin (name); Kurt Lewin (1890-1944), German-American psychologist of the Gestalt school known for his field theory of behavior" -卢塞恩,lú sài ēn,"Lucerne, Switzerland" -卢安达,lú ān dá,Rwanda (Tw) -卢布,lú bù,ruble (Russian currency) (loanword) -卢布尔雅那,lú bù ěr yǎ nà,"Ljubljana, capital of Slovenia" -卢恩字母,lú ēn zì mǔ,rune -卢旺达,lú wàng dá,Rwanda -卢梭,lú suō,"Jean-Jacques Rousseau (1712-1778), Enlightenment philosopher" -卢森堡,lú sēn bǎo,Luxembourg -卢武铉,lú wǔ xuàn,"Roh Moo-hyun (1946-2009), South Korean lawyer and politician, president 2003-2008" -卢比,lú bǐ,rupee (Indian currency) (loanword) -卢比安纳,lú bǐ ān nà,"Ljubljana, capital of Slovenia (Tw)" -卢氏,lú shì,"Lushi county in Sanmenxia 三門峽|三门峡[San1 men2 xia2], Henan" -卢氏县,lú shì xiàn,"Lushi county in Sanmenxia 三門峽|三门峡[San1 men2 xia2], Henan" -卢泰愚,lú tài yú,"Roh Tae-woo (1932-), South Korean politician, president 1988-1993" -卢浮宫,lú fú gōng,"the Louvre, museum in Paris" -卢沟桥,lú gōu qiáo,"Lugou Bridge or Marco Polo Bridge in southwest of Beijing, the scene of a conflict that marked the beginning of the Second Sino-Japanese War 抗日戰爭|抗日战争[Kang4 Ri4 Zhan4 zheng1]" -卢沟桥事变,lú gōu qiáo shì biàn,"Marco Polo Bridge Incident of 7th July 1937, regarded as the beginning of the Second Sino-Japanese War 抗日戰爭|抗日战争[Kang4 Ri4 Zhan4 zheng1]" -卢湾区,lú wān qū,"Luwan district, central Shanghai" -卢照邻,lú zhào lín,"Lu Zhaolin (637-689), one of the Four Great Poets of the Early Tang 初唐四傑|初唐四杰[Chu1 Tang2 Si4 jie2]" -卢瑟,lú sè,loser (loanword) -卢瑟福,lú sè fú,"Rutherford (name); Ernest Rutherford (1871-1937), early nuclear physicist from New Zealand" -卢瓦尔河,lú wǎ ěr hé,"Loire River, France" -卢萨卡,lú sà kǎ,"Lusaka, capital of Zambia" -卢龙,lú lóng,"Lulong county in Qinhuangdao 秦皇島|秦皇岛[Qin2 huang2 dao3], Hebei" -卢龙县,lú lóng xiàn,"Lulong county in Qinhuangdao 秦皇島|秦皇岛[Qin2 huang2 dao3], Hebei" -荡,dàng,variant of 蕩|荡[dang4] -荡,tàng,variant of 燙|烫[tang4]; variant of 趟[tang4] -荡漾,dàng yàng,to ripple; to undulate; also written 蕩漾|荡漾[dang4 yang4] -荡然,dàng rán,variant of 蕩然|荡然[dang4 ran2] -荡秋千,dàng qiū qiān,to swing (on a swing) -目,mù,eye; (literary) to look; to regard; eye (of a net); mesh; mesh size; grit size (abbr. for 目數|目数[mu4 shu4]); item; section; list; catalogue; (taxonomy) order; name; title -目下,mù xià,at present -目下十行,mù xià shí háng,see 一目十行[yi1 mu4 shi2 hang2] -目不交睫,mù bù jiāo jié,lit. the eyelashes do not come together (idiom); fig. to not sleep a wink -目不忍见,mù bù rěn jiàn,see 目不忍視|目不忍视[mu4 bu4 ren3 shi4] -目不忍视,mù bù rěn shì,lit. the eye cannot bear to see it (idiom); fig. pitiful to behold -目不斜视,mù bù xié shì,not to glance sideways (idiom); to gaze fixedly; to be fully concentrated; to preserve a correct attitude -目不暇接,mù bù xiá jiē,lit. too much for the eye to take in (idiom); a feast for the eyes -目不暇给,mù bù xiá jǐ,lit. the eye cannot take it all in (idiom); fig. too many good things to see; a feast for the eyes -目不窥园,mù bù kuī yuán,lit. not even peek at the garden; fig. to be absorbed in one's studies (idiom) -目不见睫,mù bù jiàn jié,lit. the eye cannot see the eyelashes (idiom); fig. unable to see one's own faults; to lack self-awareness; truths too close to home -目不识丁,mù bù shí dīng,lit. the eye cannot recognize the letter T (idiom); totally illiterate -目不转睛,mù bù zhuǎn jīng,unable to take one's eyes off (idiom); to gaze steadily; to stare -目不转瞬,mù bù zhuǎn shùn,gazing fixedly (idiom) -目中无人,mù zhōng wú rén,to consider everyone else beneath one (idiom); so arrogant that no-one else matters; condescending; to go about with one's nose in the air -目今,mù jīn,nowadays; at present; as things stand -目光,mù guāng,gaze; (fig.) attention; expression in one's eyes; look; (lit. and fig.) sight; vision -目光呆滞,mù guāng dāi zhì,to have a lifeless look in one's eyes (idiom) -目光如豆,mù guāng rú dòu,short-sighted; limited vision -目光所及,mù guāng suǒ jí,as far as the eye can see -目光短浅,mù guāng duǎn qiǎn,to be shortsighted -目前,mù qián,at the present time; currently -目劄,mù zhā,(TCM) excessive blinking of the eyes -目力,mù lì,eyesight (i.e. quality of vision) -目怔口呆,mù zhēng kǒu dāi,"lit. eye startled, mouth struck dumb (idiom); stunned; stupefied" -目怆有天,mù chuàng yǒu tiān,to look at the sky in sorrow -目成,mù chéng,to make eyes; to exchange flirting glances with sb -目挑心招,mù tiǎo xīn zhāo,"the eye incites, the heart invites (idiom); flirtatious; making eyes at sb" -目击,mù jī,to see with one's own eyes; to witness -目击者,mù jī zhě,eyewitness -目数,mù shù,(sieve) mesh size; (sandpaper) grit size -目标,mù biāo,target; goal; objective; CL:個|个[ge4] -目标匹配作业,mù biāo pǐ pèi zuò yè,target matching task -目标地址,mù biāo dì zhǐ,destination address; target address -目标市场,mù biāo shì chǎng,target market -目标检测,mù biāo jiǎn cè,object detection (computer vision) -目测,mù cè,to estimate visually; to gauge; visual assessment -目无光泽,mù wú guāng zé,to have eyes without luster (idiom) -目无全牛,mù wú quán niú,to see the ox already cut up into joints (idiom); extremely skilled; able to see through the problem at one glance -目无法纪,mù wú fǎ jì,with no regard for law or discipline (idiom); flouting the law and disregarding all rules; in complete disorder -目无组织,mù wú zǔ zhī,to pay no heed to the regulations -目珠,mù zhū,eyeball -目的,mù dì,purpose; aim; goal; target; objective; CL:個|个[ge4] -目的地,mù dì dì,destination (location) -目盲,mù máng,blind; blindness -目眦,mù zì,eye socket -目眩,mù xuàn,dizzy; dazzled -目眩神迷,mù xuàn shén mí,to be dazzled and stunned (idiom) -目眩头昏,mù xuàn tóu hūn,to be dizzy and see stars -目睁口呆,mù zhēng kǒu dāi,stunned; dumbstruck -目睹,mù dǔ,to witness; to see at first hand; to see with one's own eyes -目瞪口呆,mù dèng kǒu dāi,dumbstruck (idiom); stupefied; stunned -目空一切,mù kōng yī qiè,the eye can see nothing worthwhile all around (idiom); arrogant; condescending; supercilious -目空四海,mù kōng sì hǎi,the eye can see nothing worthwhile all around (idiom); arrogant; condescending; supercilious -目视,mù shì,visual -目语,mù yǔ,to speak with the eyes -目迷五色,mù mí wǔ sè,the eye is bewildered by five colors (idiom); a dazzling riot of colors -目送,mù sòng,to follow with one's eyes (a departing guest etc) -目录,mù lù,catalog; table of contents; directory (on computer hard drive); list; contents -目录学,mù lù xué,bibliography -目镜,mù jìng,eyepiece -盯,dīng,to watch attentively; to fix one's attention on; to stare at; to gaze at -盯住,dīng zhù,to watch sb closely; to breathe down sb's neck; to mark (sports) -盯市,dīng shì,mark to market (accounting) -盯梢,dīng shāo,to follow sb; to tail; to shadow -盯牢,dīng láo,to gaze intently at; to scrutinize -盯紧,dīng jǐn,to keep an eye on -盯视,dīng shì,to stare fixedly; to look concentratedly -盱,xū,surname Xu -盱,xū,anxious; stare -盱眙,xū yí,"Xuyi county in Huai'an 淮安[Huai2 an1], Jiangsu" -盱眙县,xū yí xiàn,"Xuyi county in Huai'an 淮安[Huai2 an1], Jiangsu" -盲,máng,blind -盲人,máng rén,blind person -盲人摸象,máng rén mō xiàng,"blind people touch an elephant (idiom, from Nirvana sutra 大般涅槃經|大般涅盘经[da4 ban1 Nie4 pan2 jing1]); fig. unable to see the big picture; to mistake the part for the whole; unable to see the wood for the trees" -盲人门球,máng rén mén qiú,goalball (Paralympic sport) -盲区,máng qū,blind spot -盲友,máng yǒu,blind person; visually-impaired person -盲品,máng pǐn,blind taste testing -盲囊,máng náng,cecum (anatomy); appendix -盲字,máng zì,braille -盲从,máng cóng,to follow blindly; to conform slavishly; unthinking obedience -盲打,máng dǎ,to touch-type -盲文,máng wén,braille; literature in braille -盲杖,máng zhàng,white cane (used by the blind) -盲法,máng fǎ,blinding; masking (in scientific experiments) -盲流,máng liú,(PRC) flow of people from the countryside into the cities; rural migrant without definite prospects; drifter -盲测,máng cè,blind testing -盲盒,máng hé,blind box; mystery box -盲目,máng mù,blind; blindly; ignorant; lacking understanding -盲端,máng duān,"cecum (start of the colon, linking it to small intestine)" -盲胞,máng bāo,visually impaired person (Tw) -盲肠,máng cháng,appendix (anatomy); cecum -盲肠炎,máng cháng yán,appendicitis -盲蛛,máng zhū,harvestmen (arachnids of the order Opiliones) -盲蜘蛛,máng zhī zhū,harvestman (arachnid of the order Opiliones) -盲道,máng dào,path for the visually impaired (made with tactile paving) -盲道砖,máng dào zhuān,tactile paving tile -盲鳗,máng mán,hagfish (jawless proto-fish of class Myxini) -盲点,máng diǎn,blind spot -直,zhí,"surname Zhi; Zhi (c. 2000 BC), fifth of the legendary Flame Emperors 炎帝[Yan2di4] descended from Shennong 神農|神农[Shen2nong2] Farmer God" -直,zhí,straight; to straighten; fair and reasonable; frank; straightforward; (indicates continuing motion or action); vertical; vertical downward stroke in Chinese characters -直上云霄,zhí shàng yún xiāo,to soar into the sky -直来直去,zhí lái zhí qù,going directly (without detour); (fig.) direct; straightforward (in one's manner or speech) -直来直往,zhí lái zhí wǎng,blunt; outspoken -直系军阀,zhí xì jūn fá,the Zhili faction of the Northern Warlords -直到,zhí dào,until -直到现在,zhí dào xiàn zài,even now; until now; right up to the present -直勾勾,zhí gōu gōu,(of one's gaze) fixed; staring -直升机,zhí shēng jī,helicopter; CL:架[jia4] -直升机坪,zhí shēng jī píng,helipad -直升飞机,zhí shēng fēi jī,see 直升機|直升机[zhi2 sheng1 ji1] -直呼,zhí hū,to say straightforwardly -直呼其名,zhí hū qí míng,(idiom) to address sb directly by name; to address sb by name without using an honorific title (indicating familiarity or overfamiliarity) -直奔,zhí bèn,to go straight to; to make a beeline for -直尺,zhí chǐ,straight ruler -直属,zhí shǔ,directly subordinate -直布罗陀,zhí bù luó tuó,Gibraltar -直布罗陀海峡,zhí bù luó tuó hǎi xiá,Strait of Gibraltar -直幅,zhí fú,vertical scroll; (advertising) vertical banner -直待,zhí dài,to wait until; until -直径,zhí jìng,diameter -直情径行,zhí qíng jìng xíng,straightforward and honest in one's actions (idiom) -直感,zhí gǎn,intuition; direct feeling or understanding -直愣愣,zhí lèng lèng,staring blankly -直截,zhí jié,straightforward -直截了当,zhí jié liǎo dàng,direct and plainspoken (idiom); blunt; straightforward -直抒胸臆,zhí shū xiōng yì,to speak one's mind -直捷,zhí jié,straightforward -直捷了当,zhí jié liǎo dàng,variant of 直截了當|直截了当[zhi2 jie2 liao3 dang4] -直掇,zhí duō,a kind of a robe -直排,zhí pái,vertical setting (printing) -直接,zhí jiē,direct (opposite: indirect 間接|间接[jian4 jie1]); immediate; straightforward -直接了当,zhí jiē liǎo dàng,see 直截了當|直截了当[zhi2 jie2 liao3 dang4] -直接数据,zhí jiē shù jù,data-direct (in LAN emulation) -直接税,zhí jiē shuì,direct tax -直接竞争,zhí jiē jìng zhēng,direct competitor; direct competition -直接宾语,zhí jiē bīn yǔ,direct object (grammar) -直接选举,zhí jiē xuǎn jǔ,direct election -直捣,zhí dǎo,to storm; to attack directly -直捣黄龙,zhí dǎo huáng lóng,lit. to directly attack Huanglong; fig. to directly combat the root of a problem -直撅撅,zhí juē juē,completely straight -直播,zhí bō,"(TV, radio) to broadcast live; live broadcast; (Internet) to livestream; (agriculture) direct seeding" -直播带货,zhí bō dài huò,"(neologism c. 2020) (of an Internet influencer etc) to showcase and promote products via live stream, providing links for viewers to make a purchase" -直播间,zhí bō jiān,studio for live streaming; a live stream -直敪,zhí duō,a kind of a robe -直方图,zhí fāng tú,histogram -直书,zhí shū,to record faithfully -直根,zhí gēn,taproot (main root growing vertically down) -直僵,zhí jiāng,rigid; stiff -直流,zhí liú,to flow steadily; direct current (DC) -直流电,zhí liú diàn,direct current -直溜溜,zhí liū liū,straight as an arrow -直爽,zhí shuǎng,straightforward; outspoken -直率,zhí shuài,candid; frank -直球,zhí qiú,(baseball) fastball; (fig.) (coll.) direct; frank; upfront; blunt -直男,zhí nán,straight guy -直男癌,zhí nán ái,(slang) male chauvinism -直白,zhí bái,to speak frankly; frank; open; blunt -直皖战争,zhí wǎn zhàn zhēng,"war of 1920 between Northern Warlords, in which the Zhili faction beat the Anhui faction and took over the Beijing government" -直眉瞪眼,zhí méi dèng yǎn,to stare angrily or vacantly -直瞪瞪,zhí dèng dèng,to stare blankly -直积,zhí jī,direct product (in set theory) -直立,zhí lì,erect; upright; vertical -直立人,zhí lì rén,Homo erectus -直笛,zhí dí,recorder (musical instrument) (Tw) -直笔,zhí bǐ,a straightforward honest account -直系,zhí xì,directly related -直系祖先,zhí xì zǔ xiān,direct ancestor -直系血亲,zhí xì xuè qìng,direct descendant; blood relative -直系亲属,zhí xì qīn shǔ,next of kin; immediate dependant -直线,zhí xiàn,straight line; sharply (rise or fall) -直线加速器,zhí xiàn jiā sù qì,linear accelerator -直线性加速器,zhí xiàn xìng jiā sù qì,linear accelerator -直翅目,zhí chì mù,"Orthoptera (insect order including grasshoppers, crickets and locusts)" -直脚鞋,zhí jiǎo xié,shoe that can be worn on either foot -直肠,zhí cháng,rectum (anatomy) -直肠子,zhí cháng zi,(coll.) forthright person -直肠直肚,zhí cháng zhí dù,frank and outspoken (idiom) -直肠镜,zhí cháng jìng,proctoscope (medicine) -直至,zhí zhì,lasting until; up till (the present) -直航,zhí háng,to fly or sail direct (to ...) -直落布兰雅,zhí luò bù lán yǎ,"Telok Blangah, a place in Singapore" -直行,zhí xíng,to go straight; straight forward; fig. to do right -直裰,zhí duō,"everyday robe worn at home in ancient times; robe worn by priests, monks and scholars" -直视,zhí shì,to look straight at -直觉,zhí jué,intuition -直觉性,zhí jué xìng,intuitiveness -直观,zhí guān,direct observation; directly perceived through the senses; intuitive; audiovisual -直角,zhí jiǎo,a right angle -直角三角形,zhí jiǎo sān jiǎo xíng,right-angled triangle -直角器,zhí jiǎo qì,a set square (carpenter's tool) -直角尺,zhí jiǎo chǐ,a set square (carpenter's tool) -直角坐标,zhí jiǎo zuò biāo,rectangular coordinates -直言,zhí yán,to speak forthrightly; to talk bluntly -直言不讳,zhí yán bù huì,to speak bluntly (idiom); not to mince words -直言命题,zhí yán mìng tí,categorical proposition (logic) -直言无讳,zhí yán wú huì,to speak one's mind; to speak candidly (idiom) -直话,zhí huà,straight talk; straightforward words -直谏,zhí jiàn,to admonish sb frankly; direct criticism -直译,zhí yì,literal translation -直译器,zhí yì qì,interpreter (computing) -直辖,zhí xiá,to govern directly -直辖市,zhí xiá shì,"municipality, namely: Beijing 北京, Tianjin 天津, Shanghai 上海 and Chongqing 重慶|重庆, the first level administrative subdivision; province level city; also called directly governed city" -直通,zhí tōng,to lead directly to -直通火车,zhí tōng huǒ chē,through train -直通车,zhí tōng chē,"""through train"" (refers to the idea of retaining previous legislature after transition to Chinese rule in Hong Kong or Macao)" -直连,zhí lián,to connect directly to -直道而行,zhí dào ér xíng,"lit. to go straight (idiom, from Analects); to act with integrity" -直达,zhí dá,"to reach (a place) directly; (transportation) to reach the destination without changing service or without stopping; (of a train, flight etc) direct; nonstop" -直达列车,zhí dá liè chē,through train -直达航班,zhí dá háng bān,direct flight -直达车,zhí dá chē,through train (or bus) -直选,zhí xuǎn,direct election -直销,zhí xiāo,to sell directly; direct sale (by a factory); direct marketing -直陈,zhí chén,to say straight out; to point out bluntly; to give a straightforward account; to disclose -直隶,zhí lì,"Zhili, a province from Ming times until 1928, roughly corresponding to present-day Hebei" -直面,zhí miàn,"to face (reality, danger etc)" -直顺,zhí shùn,straight and smooth (hair etc) -直飞,zhí fēi,to fly non-stop; to fly direct (to ...) -直馏,zhí liú,direct distillation -直发,zhí fà,straight hair -直发器,zhí fà qì,hair straightener -直发板,zhí fà bǎn,see 直髮器|直发器[zhi2 fa4 qi4] -相,xiāng,surname Xiang -相,xiāng,each other; one another; mutually; fret on the neck of a pipa 琵琶[pi2 pa5] (a fret on the soundboard is called a 品[pin3]) -相,xiàng,"appearance; portrait; picture; government minister; (physics) phase; (literary) to appraise (esp. by scrutinizing physical features); to read sb's fortune (by physiognomy, palmistry etc)" -相中,xiāng zhòng,to find to one's taste; to pick (after looking at); Taiwan pr. [xiang4 zhong4] -相乘,xiāng chéng,to multiply (math.); multiplication -相互,xiāng hù,each other; mutual -相互作用,xiāng hù zuò yòng,to interact; interaction; interplay -相互保证毁灭,xiāng hù bǎo zhèng huǐ miè,mutual assured destruction -相互兼容,xiāng hù jiān róng,mutually compatible -相互关系,xiāng hù guān xì,interrelationship -相交,xiāng jiāo,to cross over (e.g. traffic); to intersect; to make friends -相交数,xiāng jiāo shù,intersection number (math.) -相仿,xiāng fǎng,similar -相伴,xiāng bàn,to accompany sb; to accompany each other -相似,xiāng sì,similar; alike -相似性,xiāng sì xìng,resemblance; similarity -相似词,xiāng sì cí,synonym -相位,xiàng wèi,phase (waves) -相位差,xiàng wèi chā,phase difference -相依,xiāng yī,to be interdependent -相依为命,xiāng yī wéi mìng,mutually dependent for life (idiom); to rely upon one another for survival; interdependent -相保,xiāng bǎo,to guard each other -相信,xiāng xìn,to believe; to be convinced; to accept as true -相偕,xiāng xié,together (literary) -相传,xiāng chuán,to pass on; to hand down; tradition has it that ...; according to legend -相像,xiāng xiàng,to resemble one another; to be alike; similar -相公,xiàng gong,lord; master; young gentleman; male prostitute; catamite; mahjong player disqualified by unintentionally taking in the wrong number of dominoes; (old form of address for one's husband) husband -相册,xiàng cè,photo album -相切,xiāng qiē,(math.) to be tangential to each other -相加,xiāng jiā,"to add up (numbers); (fig.) to put together (several things of the same type, e.g. skills)" -相助,xiāng zhù,to help one another; to come to sb's help -相劝,xiāng quàn,to persuade; to exhort; to advise -相反,xiāng fǎn,opposite; contrary -相合,xiāng hé,to conform to; to fit with; to be compatible with -相同,xiāng tóng,identical; same -相同名字,xiāng tóng míng zì,like-named; having the same name -相向,xiāng xiàng,facing one another; face-to-face -相向突击,xiāng xiàng tū jī,sudden attack from the opposite direction (idiom) -相吸,xiāng xī,mutual attraction (e.g. electrostatic); to attract one another -相命者,xiāng mìng zhě,fortune teller -相国,xiàng guó,prime minister (in ancient China) -相图,xiàng tú,phase diagram (math.); phase portrait -相城,xiāng chéng,"Xiangcheng district of Suzhou city 蘇州市|苏州市[Su1 zhou1 shi4], Jiangsu" -相城区,xiāng chéng qū,"Xiangcheng district of Suzhou city 蘇州市|苏州市[Su1 zhou1 shi4], Jiangsu" -相士,xiàng shì,fortune-teller who uses the subject's face for his prognostication -相夫教子,xiàng fū jiào zǐ,to assist one's husband and educate the children (idiom); the traditional roles of a good wife -相契,xiāng qì,(literary) to be a good match -相好,xiāng hǎo,to be intimate; close friend; paramour -相安无事,xiāng ān wú shì,(idiom) to live together in harmony -相宜,xiāng yí,to be suitable or appropriate -相容,xiāng róng,compatible; consistent; to tolerate (each other) -相容条件,xiāng róng tiáo jiàn,conditions for consistency -相对,xiāng duì,relatively; opposite; to resist; to oppose; relative; vis-a-vis; counterpart -相对位置,xiāng duì wèi zhi,relative position -相对地址,xiāng duì dì zhǐ,relative address (computing) -相对密度,xiāng duì mì dù,relative density -相对比较,xiāng duì bǐ jiào,relatively; comparatively -相对湿度,xiāng duì shī dù,relative humidity -相对而言,xiāng duì ér yán,relatively speaking; comparatively speaking -相对论,xiāng duì lùn,theory of relativity -相对论性,xiāng duì lùn xìng,relativistic (physics) -相对象,xiàng duì xiàng,to meet a possible marriage partner -相山,xiàng shān,"Xiangshan, a district of Huaibei City 淮北市[Huai2bei3 Shi4], Anhui" -相山区,xiàng shān qū,"Xiangshan, a district of Huaibei City 淮北市[Huai2bei3 Shi4], Anhui" -相左,xiāng zuǒ,to fail to meet each other; to conflict with each other; to be at odds with -相差,xiāng chà,to differ -相差不多,xiāng chà bu duō,not much difference -相帮,xiāng bāng,to help one another; to aid -相干,xiāng gān,relevant; to have to do with; (physics) (of light etc) coherent -相平面,xiàng píng miàn,"phase plane (math., ordinary differential equations)" -相形见绌,xiāng xíng jiàn chù,to pale by comparison (idiom) -相待,xiāng dài,to treat -相得益彰,xiāng dé yì zhāng,to bring out the best in each other (idiom); to complement one another well -相思,xiāng sī,to yearn; to pine -相思病,xiāng sī bìng,lovesickness -相悖,xiāng bèi,contrary; opposite; to run counter to -相恶,xiāng è,to hate one another -相爱,xiāng ài,to love each other -相爱相杀,xiāng ài xiāng shā,to have a love-hate relationship with each other -相态,xiàng tài,phase (state of matter) -相应,xiāng yìng,to correspond; answering (one another); to agree (among the part); corresponding; relevant; appropriate; (modify) accordingly -相恋,xiāng liàn,to love each other -相手蟹,xiāng shǒu xiè,crab of the family Sesarmidae -相承,xiāng chéng,to complement one another -相投,xiāng tóu,agreeing with one another; congenial -相抵,xiāng dǐ,to balance up; to offset; to counterbalance -相持,xiāng chí,locked in a stalemate; to confront one another -相持不下,xiāng chí bù xià,at a stalemate; deadlocked; in unrelenting mutual opposition -相接,xiāng jiē,to merge with; interlinking; to join with; to interlock -相提并论,xiāng tí bìng lùn,to discuss two disparate things together (idiom); to mention on equal terms; to place on a par with; (often with negatives: impossible to mention X in the same breath as Y) -相撞,xiāng zhuàng,collision; crash; to crash together; to collide with; to bump into -相扑,xiāng pū,sumo wrestling; also pr. [xiang4 pu1] -相敬如宾,xiāng jìng rú bīn,to treat each other as an honored guest (idiom); mutual respect between husband and wife -相斥,xiāng chì,mutual repulsion (e.g. electrostatic); to repel one another -相映成趣,xiāng yìng chéng qù,to set each other off nicely -相会,xiāng huì,to meet together -相望,xiāng wàng,to look at one another; to face each other -相架,xiàng jià,picture frame -相框,xiàng kuàng,photo frame -相机,xiàng jī,camera (abbr. for 照相機|照相机[zhao4 xiang4 ji1]); at the opportune moment; as the circumstances allow -相机而动,xiàng jī ér dòng,to wait for the opportune moment before taking action (idiom) -相机而行,xiàng jī ér xíng,to act according to the situation (idiom) -相机行事,xiàng jī xíng shì,to act as circumstances dictate (idiom) -相比,xiāng bǐ,to compare -相比之下,xiāng bǐ zhī xià,by comparison -相沿成习,xiāng yán chéng xí,well established; accepted as a result of long usage -相濡以沫,xiāng rú yǐ mò,lit. (of fish) to moisten each other with spittle (when water is drying up) (idiom); fig. to share meager resources; mutual help in humble circumstances -相争,xiāng zhēng,to vie against one another; to fight each other; mutual aggression -相片,xiàng piàn,image; photograph; CL:張|张[zhang1] -相生,xiāng shēng,to engender one another -相异,xiāng yì,different; dissimilar -相当,xiāng dāng,equivalent to; appropriate; considerably; to a certain extent; fairly; quite -相当于,xiāng dāng yú,equivalent to -相看,xiāng kàn,to look at one another; to take a good look at; to look upon -相碰撞,xiāng pèng zhuàng,to collide with one another -相称,xiāng chèn,to match; to suit; mutually compatible -相空间,xiàng kōng jiān,"phase space (math., ordinary differential equations)" -相符,xiāng fú,to match; to tally -相等,xiāng děng,equal; equally; equivalent -相簿,xiàng bù,photo album -相约,xiāng yuē,"to agree (on a meeting place, date etc); to reach agreement; to make an appointment" -相纸,xiàng zhǐ,photographic paper -相继,xiāng jì,in succession; following closely -相骂,xiāng mà,to hurl insults at each other -相聚,xiāng jù,to meet together; to assemble -相联,xiāng lián,to interact; interrelated -相声,xiàng sheng,comic dialogue; sketch; crosstalk -相背,xiāng bèi,contrary; opposite -相若,xiāng ruò,on a par with; comparable to -相处,xiāng chǔ,"to be in contact (with sb); to associate; to interact; to get along (well, poorly)" -相术,xiàng shù,physiognomy -相衬,xiāng chèn,to contrast; to set off one another; to go well with -相见,xiāng jiàn,to see each other; to meet in person -相见恨晚,xiāng jiàn hèn wǎn,to regret not having met earlier (idiom); It is nice to meet you finally.; It feels like we have known each other all along. -相视,xiāng shì,to look at each other -相亲,xiāng qīn,blind date; arranged interview to evaluate a proposed marriage partner (Taiwan pr. [xiang4 qin1]); to be deeply attached to each other -相亲相爱,xiāng qīn xiāng ài,"(idiom) (of siblings, spouses etc) very close to each other; inseparable; devoted to each other" -相亲角,xiāng qīn jiǎo,"""matchmaking corner"", a gathering in a park for parents who seek marriage partners for their adult children by connecting with other parents who put up posters displaying their unmarried child's details" -相觑,xiāng qù,to look at each other -相角,xiàng jiǎo,phase angle -相认,xiāng rèn,to know each other; to recognize; to identify; to acknowledge (an old relationship) -相识,xiāng shí,to get to know each other; acquaintance -相貌,xiàng mào,appearance -相距,xiāng jù,distance apart; separated by a given distance -相较,xiāng jiào,to compare -相辅相成,xiāng fǔ xiāng chéng,to complement one another (idiom) -相轻,xiāng qīng,to hold each other in low regard -相迎,xiāng yíng,to welcome sb; to greet sb -相近,xiāng jìn,close; similar to -相通,xiāng tōng,interlinked; connected; communicating; in communication; accommodating -相逢,xiāng féng,to meet (by chance); to come across -相连,xiāng lián,to link; to join; link; connection -相遇,xiāng yù,to meet; to encounter; to come across -相违,xiāng wéi,to conflict with (an idea or opinion etc); to depart from (established norms or standards etc) -相邻,xiāng lín,neighbor; adjacent -相配,xiāng pèi,to match; well-suited -相配人,xiāng pèi rén,match (couple); persons well suited for each other -相配物,xiāng pèi wù,thing that is well suited; pet animal that suits its owner -相间,xiāng jiàn,to alternate; to follow one another -相关,xiāng guān,related; relevant; pertinent; to be interrelated; (statistics) correlation -相关性,xiāng guān xìng,correlation -相隔,xiāng gé,separated by (distance or time etc) -相随,xiāng suí,to tag along (with sb); (in combination with 與|与[yu3] or 和[he2]) to accompany (sb); (fig.) (of one situation) to go hand in hand (with another) -相面,xiàng miàn,fortune telling based on the subject's face -相类,xiāng lèi,similar -相体裁衣,xiàng tǐ cái yī,lit. tailor the clothes to fit the body (idiom); fig. act according to real circumstances -盹,dǔn,doze; nap -盼,pàn,to hope for; to long for; to expect -盼星星盼月亮,pàn xīng xīng pàn yuè liàng,to wish for the stars and the moon; to have unreal expectations -盼望,pàn wàng,to hope for; to look forward to -盼睐,pàn lài,your favors; your consideration -盼复,pàn fù,expecting your reply (epistolary style) -盼头,pàn tou,hopes; good prospects -盾,dùn,"shield; (currency) Vietnamese dong; currency unit of several countries (Indonesian rupiah, Dutch gulden etc)" -盾构机,dùn gòu jī,tunnel boring machine -盾牌,dùn pái,shield; pretext; excuse -盾牌座,dùn pái zuò,Scutum (constellation) -省,shěng,to save; to economize; to be frugal; to omit; to delete; to leave out; province; provincial capital; a ministry (of the Japanese government) -省,xǐng,(bound form) to scrutinize; (bound form) to reflect (on one's conduct); (bound form) to come to realize; (bound form) to pay a visit (to one's parents or elders) -省事,shěng shì,to simplify matters; to save trouble -省事,xǐng shì,perceptive; understanding; (archaic) to handle administrative work -省份,shěng fèn,province -省便,shěng biàn,convenient -省俭,shěng jiǎn,frugal; thrifty -省力,shěng lì,to save labor; to save effort -省劲,shěng jìn,to save labor; to save effort -省劲儿,shěng jìn er,erhua variant of 省勁|省劲[sheng3 jin4] -省却,shěng què,to save; to get rid of (so saving space) -省去,shěng qù,"to omit; to dispense with; to make unnecesary; to save (time, trouble etc)" -省吃俭用,shěng chī jiǎn yòng,to live frugally -省垣,shěng yuán,a provincial capital -省城,shěng chéng,provincial capital -省委,shěng wěi,provincial Party committee -省字号,shěng zì hào,an apostrophe (punct.) -省察,xǐng chá,to examine; to cast a critical eye over (especially in the context of introspection) -省市,shěng shì,provinces and cities -省得,shěng de,to avoid; so as to save (money or time) -省心,shěng xīn,to cause no trouble; to be spared worry; worry-free -省悟,xǐng wù,to wake up to reality; to come to oneself; to realize; to see the truth -省会,shěng huì,provincial capital -省油的灯,shěng yóu de dēng,sb who is easy to deal with -省治,shěng zhì,a provincial capital -省流,shěng liú,to conserve mobile data; to minimize mobile data usage (abbr. for 省流量[sheng3 liu2 liang4]) -省港澳,shěng gǎng ào,"abbr. for the economic region of Guangdong Province (or Guangzhou), Hong Kong and Macao" -省界,shěng jiè,provincial boundary -省略,shěng lüè,to leave out; an omission -省略符号,shěng lüè fú hào,apostrophe -省略号,shěng lüè hào,ellipsis (punctuation) -省直管县,shěng zhí guǎn xiàn,direct management of a county by the province (PRC administrative reform) -省省吧,shěng sheng ba,(coll.) Don't waste your breath.; Save it! -省称,shěng chēng,abbreviation -省级,shěng jí,(administrative) province-level -省视,xǐng shì,to call upon; to inspect -省亲,xǐng qīn,to visit one's parents -省辖市,shěng xiá shì,provincial city -省钱,shěng qián,to save money -省长,shěng zhǎng,governor of a province -省电,shěng diàn,to save electricity -省音,shěng yīn,(linguistics) elision -眄,miǎn,to ogle at; to squint at -眄,miàn,to look askance at -眄眄,miàn miàn,dull-looking; looking askance -眄睐,miàn lài,to cast loving glances -眄睨,miàn nì,to look askance -眄视,miàn shì,to give a sidelong glance -眇,miǎo,blind in one eye; blind; tiny; humble; to stare -眇小,miǎo xiǎo,variant of 渺小[miao3 xiao3] -眇眇,miǎo miǎo,sublime; solitary; distant or remote; to gaze off into the distance -眈,dān,gaze intently -眉,méi,eyebrow; upper margin -眉来眼去,méi lái yǎn qù,(idiom) to make eyes; to exchange flirting glances with sb -眉宇,méi yǔ,(literary) forehead; (literary) countenance; features -眉尖,méi jiān,eyebrows (esp. as sth knitted 皺|皱[zhou4] into a frown); outer tip of an eyebrow -眉山,méi shān,Meishan prefecture-level city in Sichuan -眉山市,méi shān shì,Meishan prefecture-level city in Sichuan -眉心,méi xīn,(the space) between the eyebrows -眉心轮,méi xīn lún,"ājñā or ajna, the brow or third eye chakra 查克拉, residing in the forehead; also written 眉間輪|眉间轮[mei2 jian1 lun2]" -眉批,méi pī,headnotes; comments or footnotes at top of the page -眉月,méi yuè,waxing crescent (moon) -眉梢,méi shāo,tip of brow -眉毛,méi mao,eyebrow; CL:根[gen1] -眉毛钳,méi máo qián,tweezers -眉毛胡子一把抓,méi mao hú zi yī bǎ zhuā,"careless; any-old-how, regardless of the specific task" -眉清目秀,méi qīng mù xiù,pretty; with delicate features -眉目,méi mù,general facial appearance; features; arrangement; sequence of ideas; logic (of writing); rough sketch or general idea of things -眉目,méi mu,progress; prospect of solution; sign of positive outcome -眉目传情,méi mù chuán qíng,to make sheep eyes at; to cast amorous glances at -眉眼,méi yǎn,brows and eyes; appearance; looks; countenance -眉眼传情,méi yǎn chuán qíng,to give the eye to; to make eyes at -眉睫,méi jié,eyebrows and eyelashes; (fig.) close at hand; urgent; pressing; imperative -眉端,méi duān,tip of the eyebrows; top margin on a page -眉笔,méi bǐ,eyebrow pencil (cosmetics) -眉县,méi xiàn,"Mei County in Baoji 寶雞|宝鸡[Bao3 ji1], Shaanxi" -眉角,méi jiǎo,outer tip of the eyebrow; (facial) expression; (Tw) knack; trick of the trade -眉开眼笑,méi kāi yǎn xiào,"brows raised in delight, eyes laughing (idiom); beaming with joy; all smiles" -眉间,méi jiān,the flat area of forehead between the eyebrows; glabella -眉间轮,méi jiān lún,"ājñā or ajna, the brow or third eye chakra 查克拉, residing in the forehead" -眉头,méi tóu,brows -眉飞色舞,méi fēi sè wǔ,smiles of exultation; radiant with delight -眉黛,méi dài,eyebrows (with umber black make-up) -看,kān,to look after; to take care of; to watch; to guard -看,kàn,to see; to look at; to read; to watch; to visit; to call on; to consider; to regard as; to look after; to treat (a patient or illness); to depend on; to feel (that); (after a verb) to give it a try; to watch out for -看一看,kàn yī kàn,to have a look -看上,kàn shàng,to look upon; to take a fancy to; to fall for -看上去,kàn shang qu,it would appear; it seems (that) -看不中,kàn bu zhòng,not impressed by -看不出,kàn bu chū,can't discern -看不惯,kàn bu guàn,cannot bear to see; to hate; to dislike; to disapprove -看不懂,kàn bu dǒng,unable to make sense of what one is looking at -看不清,kàn bu qīng,not able to see clearly -看不习惯,kàn bù xí guàn,unfamiliar -看不见,kàn bu jiàn,cannot see; cannot be seen; invisible -看不起,kàn bu qǐ,to look down upon; to despise -看不过,kàn bu guò,cannot stand by idly and watch; unable to put up with it any longer; see 看不過去|看不过去[kan4 bu5 guo4 qu5] -看不过去,kàn bu guò qu,cannot stand by idly and watch; unable to put up with it any longer -看不顺眼,kàn bù shùn yǎn,unpleasant to the eye; objectionable -看中,kàn zhòng,to have a preference for; to fancy; to choose after consideration; to settle on -看人下菜碟儿,kàn rén xià cài dié er,"(dialect) to treat sb according to their social status, relationship with them etc (idiom); not to treat everyone equally favorably" -看人行事,kàn rén xíng shì,to treat people according to their rank and one's relationship with them (idiom) -看似,kàn sì,to look as if; to seem -看作,kàn zuò,to look upon as; to regard as -看来,kàn lai,apparently; it seems that -看倌,kàn guān,dear reader; dear listener -看做,kàn zuò,to regard as; to look upon as -看出,kàn chū,to make out; to see -看到,kàn dào,to see -看台,kàn tái,terrace; spectator's grandstand; viewing platform -看呆,kàn dāi,to gape at; to stare blankly; to stare in rapture; to stare in awe -看在,kàn zài,(in the expression 看在[kan4 zai4] + ... + 的份上[de5 fen4 shang5]) for the sake of ...; considering ... -看在眼里,kàn zài yǎn li,to observe; to take it all in -看好,kān hǎo,to keep an eye on -看好,kàn hǎo,to regard as having good prospects -看守,kān shǒu,to guard; to watch over -看守所,kān shǒu suǒ,detention center -看守者,kān shǒu zhě,watchman -看官,kàn guān,(old) (used by novelists) dear readers; (used by storytellers) dear audience members -看客,kàn kè,audience; spectators; onlookers -看家,kān jiā,"to look after the house; (of skill, ability) special; outstanding" -看待,kàn dài,to look upon; to regard -看得中,kàn de zhòng,to take a liking for; to fancy -看得出,kàn de chū,can see; can tell -看得见,kàn dé jiàn,can see; visible -看得起,kàn de qǐ,to show respect for; to think highly of -看得过,kàn de guò,presentable; passable -看得过儿,kàn de guò er,erhua variant of 看得過|看得过[kan4 de5 guo4] -看情况,kàn qíng kuàng,depending on the situation -看惯,kàn guàn,to be used to the sight of -看懂,kàn dǒng,to understand what one is reading or watching -看成,kàn chéng,to regard as -看戏,kàn xì,"to watch a play; to watch passively (i.e. from the sidelines, from the crowd)" -看扁,kàn biǎn,to have a low opinion of -看押,kān yā,to detain; to take into custody; to imprison temporarily -看书,kàn shū,to read; to study -看望,kàn wàng,to pay a visit to; to see (sb) -看板,kàn bǎn,billboard -看样子,kàn yàng zi,it seems; it looks as if -看法,kàn fǎ,way of looking at a thing; view; opinion; CL:個|个[ge4] -看淡,kàn dàn,"to regard as unimportant; to be indifferent to (fame, wealth etc); (of an economy or a market) to slacken" -看清,kàn qīng,to see clearly -看准,kàn zhǔn,to observe and make sure; to check -看准机会,kàn zhǔn jī huì,to watch for an opportunity; to see one's chance to -看涨,kàn zhǎng,bull market (prices appear to be rising) -看热闹,kàn rè nao,to enjoy watching a bustling scene; to go where the crowds are -看球,kàn qiú,to watch a football game (or other ball game); Fore! (golf); Watch out for the ball! -看病,kàn bìng,to visit a doctor; to see a patient -看相,kàn xiàng,to tell fortune by reading the subject's facial features -看看,kàn kan,to take a look at; to examine; to survey; (coll.) pretty soon -看破,kàn pò,to see through; disillusioned with; to reject (the world of mortals) -看破红尘,kàn pò hóng chén,(idiom) to see through the illusions of the material world (often a precursor to becoming a Buddhist monk or nun); to become disillusioned with human society -看穿,kàn chuān,"see through (a person, scheme, trick etc)" -看笑话,kàn xiào hua,to watch with amusement as sb makes a fool of himself -看管,kān guǎn,to look after -看花眼,kān huā yǎn,to be dazzled; to not believe one's own eyes -看菜吃饭,kàn cài chī fàn,lit. to eat depending on the dish (idiom); fig. to act according to actual circumstances -看着不管,kàn zhe bù guǎn,to stand by and pay no heed; to ignore -看着办,kàn zhe bàn,to do as one sees fit; to play it by ear (according to the circumstances) -看见,kàn jiàn,to see; to catch sight of -看诊,kàn zhěn,(of a doctor) to see a patient; to give a consultation; (of a patient) to see a doctor -看护,kān hù,to nurse; to look after; to watch over; (old) hospital nurse -看贬,kàn biǎn,to expect (a currency etc) to depreciate -看走眼,kàn zǒu yǎn,to make an error of judgment; to be taken in -看起来,kàn qǐ lai,seemingly; apparently; looks as if; appears to be; gives the impression that; seems on the face of it to be -看轻,kàn qīng,to belittle; to scorn; to take sth lightly -看透,kàn tòu,to understand thoroughly; to see beyond the facade; to see through (sb) -看重,kàn zhòng,to regard as important; to value -看错,kàn cuò,to misinterpret what one sees or reads; to misjudge (sb); to mistake (sb for sb else); to misread (a document) -看门人,kān mén rén,janitor; watchman -看开,kàn kāi,to come to accept an unpleasant fact; to get over sth; to cheer up -看头,kàn tou,qualities that make sth worth seeing (or reading) -看顾,kàn gù,to watch over -看鸟人,kàn niǎo rén,a bird-watcher -看点,kàn diǎn,"highlight (of an event, movie etc)" -看齐,kàn qí,to follow sb's example; to emulate; (of troops etc) to dress (come into alignment for parade formation) -県,xiàn,Japanese variant of 縣|县; Japanese prefecture -视,shì,variant of 視|视[shi4]; variant of 示[shi4] -眙,yí,place name -眚,shěng,cataract of the eye; error -真,zhēn,really; truly; indeed; real; true; genuine -真主,zhēn zhǔ,Allah -真主党,zhēn zhǔ dǎng,Hezbollah (Lebanon Islamic group) -真事,zhēn shì,reality; veracity; the real thing -真亮,zhēn liàng,clear -真人,zhēn rén,a real person; Daoist spiritual master -真人不露相,zhēn rén bù lòu xiàng,the sage presents as an ordinary person (idiom) -真人版,zhēn rén bǎn,real-life version (of some imaginary character) -真人真事,zhēn rén zhēn shì,genuine people and true events -真人秀,zhēn rén xiù,(TV) reality show -真个,zhēn gè,(dialect) really; truly; indeed -真值表,zhēn zhí biǎo,truth table -真假,zhēn jiǎ,genuine or fake; true or false -真假难辨,zhēn jiǎ nán biàn,hard to distinguish real from imitation -真伪,zhēn wěi,true or bogus; authenticity -真伪莫辨,zhēn wěi mò biàn,can't judge true or false (idiom); unable to distinguish the genuine from the fake; not to know whether to believe (what one reads in the news) -真传,zhēn chuán,authentic tradition; handed-down teachings or techniques -真凶,zhēn xiōng,culprit -真刀真枪,zhēn dāo zhēn qiāng,"real swords, real spears (idiom); real weapons; very much for real; every bit real; the genuine article" -真分数,zhēn fēn shù,"proper fraction (with numerator < denominator, e.g. five sevenths); see also: improper fraction 假分數|假分数[jia3 fen1 shu4] and mixed number 帶分數|带分数[dai4 fen1 shu4]" -真切,zhēn qiè,vivid; distinct; clear; sincere; honest -真否定句,zhēn fǒu dìng jù,true negative (TN) -真命,zhēn mìng,to receive heaven's command (of Daoist immortals etc); ordained by heaven -真善美,zhēn shàn měi,"truth, goodness and beauty" -真如,zhēn rú,Tathata -真子集,zhēn zǐ jí,proper subset -真容,zhēn róng,portrait; true features; (fig.) true nature -真实,zhēn shí,true; real -真实性,zhēn shí xìng,authenticity; truthfulness; veracity; reality; validity -真实感,zhēn shí gǎn,the feeling that sth is genuine; sense of reality; in the flesh -真彩色,zhēn cǎi sè,true color -真后生动物,zhēn hòu shēng dòng wù,eumetazoa; subkingdom of animals excluding sponges -真心,zhēn xīn,wholeheartedness; sincerity -真心实意,zhēn xīn shí yì,genuine and sincere (idiom); wholehearted -真心话大冒险,zhēn xīn huà dà mào xiǎn,The Moment of Truth (TV show); Truth or Dare (game) -真性,zhēn xìng,real; the nature of sth -真怪,zhēn guài,odd; unusual; I can't believe that ... -真情,zhēn qíng,real situation; the truth -真情实意,zhēn qíng shí yì,out of genuine friendship (idiom); sincere feelings -真意,zhēn yì,real intention; true meaning; correct interpretation -真爱,zhēn ài,true love -真凭实据,zhēn píng shí jù,reliable evidence (idiom); conclusive proof; definitive evidence -真才实学,zhēn cái shí xué,solid learning; real ability and learning; genuine talent -真挚,zhēn zhì,sincere; sincerity -真数,zhēn shù,logarithm -真是,zhēn shi,"indeed; truly; (coll.) (used to express disapproval, annoyance etc)" -真是的,zhēn shi de,Really! (interj. of annoyance or frustration) -真书,zhēn shū,regular script (Chinese calligraphic style) -真有你的,zhēn yǒu nǐ de,You're really quite something!; You're just amazing! -真核,zhēn hé,eukaryotic -真格,zhēn gé,true; real -真棒,zhēn bàng,super!; really great; wonderful -真正,zhēn zhèng,genuine; real; true; really; indeed -真武,zhēn wǔ,"Lord of profound heaven, major Daoist deity; aka Black Tortoise 玄武 or Black heavenly emperor 玄天上帝" -真版,zhēn bǎn,real version (as opposed to pirated); genuine version -真牛,zhēn niú,"(slang) really cool, awesome" -真率,zhēn shuài,sincere; genuine; straightforward -真珠,zhēn zhū,variant of 珍珠[zhen1zhu1] -真理,zhēn lǐ,truth; CL:個|个[ge4] -真理报,zhēn lǐ bào,Pravda (newspaper) -真理部,zhēn lǐ bù,"Ministry of Truth, a fictional ministry from George Orwell's novel Nineteen Eighty-Four" -真番郡,zhēn pān jùn,"Zhenpan commandery (108 BC-c. 300 AD), one of four Han dynasty commanderies in north Korea" -真的,zhēn de,really; truly; indeed; real; true; genuine; (math.) proper -真皮,zhēn pí,(anatomy) dermis; genuine leather -真皮层,zhēn pí céng,dermis -真相,zhēn xiàng,the truth about sth; the actual facts -真相大白,zhēn xiàng dà bái,the whole truth is revealed (idiom); everything becomes clear -真相毕露,zhēn xiàng bì lù,real face fully revealed (idiom); fig. to unmask and expose the whole truth -真真,zhēn zhēn,really; in fact; genuinely; scrupulously -真知,zhēn zhī,real knowledge -真知灼见,zhēn zhī zhuó jiàn,penetrating insight -真确,zhēn què,authentic -真神,zhēn shén,the True God -真空,zhēn kōng,vacuum -真空泵,zhēn kōng bèng,vacuum pump -真空管,zhēn kōng guǎn,vacuum tube -真纳,zhēn nà,(Mohammad Ali) Jinnah (founder of Pakistan) -真丝,zhēn sī,silk; pure silk -真经,zhēn jīng,sutra; Taoist treatise -真声,zhēn shēng,natural voice; modal voice; true voice; opposite: falsetto 假聲|假声[jia3 sheng1] -真声最高音,zhēn shēng zuì gāo yīn,highest true (non-falsetto) voice -真肯定句,zhēn kěn dìng jù,true affirmative (TA) -真腊,zhēn là,Khmer kingdom of Kampuchea or Cambodia; Chinese term for Cambodia from 7th to 15th century -真菌,zhēn jūn,fungi; fungus -真菌纲,zhēn jūn gāng,Eumycetes (taxonomic class of fungi) -真蚬,zhēn xiǎn,"Corbicula leana, a species of clam" -真言,zhēn yán,true statement; incantation (translates Sanskrit: dharani 陀羅尼|陀罗尼) -真言宗,zhēn yán zōng,Shingon Buddhism -真诠,zhēn quán,to explain truly (esp. of classic or religious text); true commentary; correct exegesis -真诚,zhēn chéng,sincere; genuine; true -真谛,zhēn dì,the real meaning; the true essence -真象,zhēn xiàng,(variant of 真相[zhen1 xiang4]) the truth about sth; the actual facts -真迹,zhēn jì,authentic (painting or calligraphy); genuine work (of famous artist) -真身,zhēn shēn,the real body (of Buddha or a God); true effigy -真道,zhēn dào,the true way -真释,zhēn shì,true explanation; genuine reason -真金不怕火来烧,zhēn jīn bù pà huǒ lái shāo,see 真金不怕火煉|真金不怕火炼[zhen1 jin1 bu4 pa4 huo3 lian4] -真金不怕火炼,zhēn jīn bù pà huǒ liàn,True gold fears no fire. (idiom) -真际,zhēn jì,the truth; reality -真面目,zhēn miàn mù,true identity; true colors -真题,zhēn tí,questions from previous years' exams -真香,zhēn xiāng,awesome (expression of approval used hypocritically after bitching about the exact same thing earlier) (neologism c. 2014) -真髓,zhēn suǐ,the real essence (of the matter) -真鲷,zhēn diāo,porgy (Pagrosomus major); red sea bream -眠,mián,to sleep; to hibernate -视,shì,old variant of 視|视[shi4] -眢,yuān,inflamed eyelids; parched -眦,zì,corner of the eye; canthus; eye socket -眦睚,zì yá,to stare in anger; a look of hatred -眦,zì,variant of 眥|眦[zi4] -眨,zhǎ,to blink; to wink -眨巴,zhǎ ba,to blink; to wink -眨眼,zhǎ yǎn,to blink; to wink; in the twinkling of an eye -眨眼睛,zhǎ yǎn jīng,wink -眩,xuàn,dazzling; brilliant; dazzled; dizzy -眩人,xuàn rén,wizard; magician -眩惑,xuàn huò,confusion; unable to escape from infatuation or addiction -眩晕,xuàn yùn,"vertigo; dizziness; fainting; feeling of swaying, head spinning, lack of balance or floating (e.g. from a stroke); Taiwan pr. [xuan4 yun1]" -眩目,xuàn mù,variant of 炫目[xuan4 mu4] -眩耀,xuàn yào,giddy; confused; variant of 炫耀[xuan4 yao4] -眩丽,xuàn lì,charming; enchanting; captivating -眭,suī,surname Sui -眭,suī,to have a deep or piercing gaze -眯,mí,to blind (as with dust); Taiwan pr. [mi3] -眯缝,mī feng,to squint -眳,míng,space between the eyebrows and the eyelashes -眳睛,míng jīng,unhappy; dissatisfied -眵,chī,discharge (rheum) from the mucous membranes of the eyes -眵目糊,chī mu hū,(dialect) gum (in one's eyes) -眶,kuàng,(bound form) eye socket; Taiwan pr. [kuang1] -眷,juàn,"(bound form) one's family, esp. wife and children; (literary) to regard with love and affection; to feel concern for" -眷区,juàn qū,married quarters; residential quarters for men with families -眷属,juàn shǔ,family member; husband and wife -眷念,juàn niàn,to think fondly of -眷爱,juàn ài,to love; sentimentally attached to -眷怀,juàn huái,to yearn for; to miss -眷恋,juàn liàn,to miss; to long for; to remember with longing; yearning -眷村,juàn cūn,military dependents' village (community established in Taiwan for Nationalist soldiers and their dependents after the KMT retreated from the mainland in 1949) -眷眷之心,juàn juàn zhī xīn,nostalgia; home-sickness; longing for departed beloved -眷注,juàn zhù,to think fondly of sb -眷顾,juàn gù,to care for; to show concern for; to think longingly (of one's country) -眸,móu,pupil (of the eye); eye -眸子,móu zi,pupil of the eye -眺,tiào,to gaze into the distance -眺望,tiào wàng,to survey the scene from an elevated position -眼,yǎn,"eye; small hole; crux (of a matter); CL:隻|只[zhi1],雙|双[shuang1]; classifier for big hollow things (wells, stoves, pots etc)" -眼下,yǎn xià,now; at present; subocular (medicine) -眼不见为净,yǎn bù jiàn wéi jìng,"what remains unseen is deemed to be clean; what the eye doesn't see, the heart doesn't grieve over (idiom)" -眼不转睛,yǎn bù zhuàn jīng,with fixed attention (idiom) -眼中,yǎn zhōng,in one's eyes -眼中刺,yǎn zhōng cì,a thorn in one's eye; fig. a thorn in one's flesh -眼中钉,yǎn zhōng dīng,a thorn in one's side -眼干症,yǎn gān zhèng,(medicine) xeropthalmia; dry eye syndrome -眼光,yǎn guāng,gaze; insight; foresight; vision; way of looking at things -眼光短,yǎn guāng duǎn,short-sighted -眼冒金星,yǎn mào jīn xīng,to see stars; dazed -眼前,yǎn qián,before one's eyes; now; at present -眼力,yǎn lì,eyesight; strength of vision; the ability to make discerning judgments -眼动,yǎn dòng,eye movement -眼动技术,yǎn dòng jì shù,eye movement technique -眼动记录,yǎn dòng jì lù,eye movement recording -眼圈,yǎn quān,rim of the eye; eye socket -眼圈红了,yǎn quān hóng le,to be on the verge of tears -眼压,yǎn yā,intraocular pressure -眼尖,yǎn jiān,to have good eyes -眼尾,yǎn wěi,outer corner of the eye -眼屎,yǎn shǐ,gum in the eyes -眼岔,yǎn chà,to mistake for sth else -眼巴巴,yǎn bā bā,waiting anxiously; impatient -眼底,yǎn dǐ,"fundus of the eye (containing the choroid, retina, optic nerve etc); inside the eye; right in front of one's eyes; in full view as a panorama" -眼底下,yǎn dǐ xia,in front of one's eyes; in full view as a panorama; right now -眼影,yǎn yǐng,eye shadow (cosmetics) -眼成穿,yǎn chéng chuān,to watch in anticipation (idiom) -眼房,yǎn fáng,camera oculi; aqueous chamber of the eye -眼房水,yǎn fáng shuǐ,aqueous humor -眼明手快,yǎn míng shǒu kuài,sharp-sighted and deft -眼时,yǎn shí,at present; nowadays -眼晕,yǎn yùn,to feel dizzy -眼柄,yǎn bǐng,eye stalk (of crustacean etc) -眼格,yǎn gé,field of vision -眼梢,yǎn shāo,corner of eye near temple -眼毒,yǎn dú,venomous glance; hostile gaze; sharp-eyed -眼波,yǎn bō,fluid glance -眼泪,yǎn lèi,tears; crying; CL:滴[di1] -眼泪横流,yǎn lèi hèng liú,to be overflowing with tears (idiom) -眼熟,yǎn shú,familiar-looking; to seem familiar -眼热,yǎn rè,to covet; envious -眼珠,yǎn zhū,one's eyes; eyeball -眼珠儿,yǎn zhū er,eyeball; fig. the apple of one's eye (i.e. favorite person) -眼珠子,yǎn zhū zi,eyeball; fig. the apple of one's eye (i.e. favorite person) -眼球,yǎn qiú,eyeball; (fig.) attention -眼生,yǎn shēng,unfamiliar; strange-looking -眼界,yǎn jiè,ken; scope -眼疾,yǎn jí,eye disease -眼疾手快,yǎn jí shǒu kuài,sharp-eyed and adroit -眼病,yǎn bìng,eye disease -眼白,yǎn bái,white of the eye -眼皮,yǎn pí,eyelid -眼皮子,yǎn pí zi,eyelid -眼皮子底下,yǎn pí zi dǐ xià,right in front of sb's eyes; right under sb's nose; current; at the moment -眼皮子浅,yǎn pí zi qiǎn,short-sighted -眼皮底下,yǎn pí dǐ xia,in front of one's eyes -眼目,yǎn mù,eyes -眼看,yǎn kàn,soon; in a moment; to look on as sth happens -眼眵,yǎn chī,mucus in the eyes -眼眶,yǎn kuàng,eye socket; rim of the eye -眼眸,yǎn móu,eyes -眼睛,yǎn jing,"eye; CL:隻|只[zhi1],雙|双[shuang1]" -眼睛吃冰淇淋,yǎn jing chī bīng qí lín,(slang) (Tw) to be checking out the hotties -眼睁睁,yǎn zhēng zhēng,to stare blankly; to look on helplessly; to look on unfeelingly -眼睫毛,yǎn jié máo,eyelashes -眼瞎耳聋,yǎn xiā ěr lóng,to be deaf and blind (idiom) -眼瞓,yǎn fèn,sleepy (Cantonese); Mandarin equivalent: 睏|困[kun4] -眼睑,yǎn jiǎn,eyelid -眼神,yǎn shén,expression or emotion showing in one's eyes; meaningful glance; wink; eyesight (dialect) -眼神不好,yǎn shén bù hǎo,to have poor eyesight -眼神不济,yǎn shén bù jì,to have poor eyesight -眼福,yǎn fú,a treat for the eyes; the rare chance of seeing sth beautiful -眼科,yǎn kē,ophthalmology -眼科学,yǎn kē xué,ophthalmology -眼科医生,yǎn kē yī shēng,ophthalmologist -眼穿肠断,yǎn chuān cháng duàn,waiting anxiously (idiom) -眼窝,yǎn wō,eye socket -眼帘,yǎn lián,eyes (in literature); eyesight -眼红,yǎn hóng,to covet; envious; jealous; green with envy; infuriated; furious -眼纹噪鹛,yǎn wén zào méi,(bird species of China) spotted laughingthrush (Garrulax ocellatus) -眼纹黄山雀,yǎn wén huáng shān què,(bird species of China) Himalayan black-lored tit (Machlolophus xanthogenys) -眼线,yǎn xiàn,informer; snitch; spy; scout; (cosmetics) eye line -眼线液,yǎn xiàn yè,eyeliner (cosmetics) -眼线笔,yǎn xiàn bǐ,eyeliner (cosmetics) -眼罩,yǎn zhào,eye-patch; blindfold; eye mask; goggles; eyeshade; blinkers (for a horse etc) -眼色,yǎn sè,signal made with one's eyes; meaningful glance -眼色素层黑色素瘤,yǎn sè sù céng hēi sè sù liú,uveal melanoma -眼花,yǎn huā,dimmed eyesight; blurred; vague and unclear vision -眼花缭乱,yǎn huā liáo luàn,to be dazzled -眼药,yǎn yào,eye drops; eye ointment -眼药水,yǎn yào shuǐ,eye drops; eyewash -眼虫,yǎn chóng,Euglena (genus of single-celled plant) -眼虫藻,yǎn chóng zǎo,euglena (biology) -眼袋,yǎn dài,puffiness under the eyes; bags under the eyes -眼里容不得沙子,yǎn lǐ róng bu dé shā zi,can't bear having grit in one's eye (idiom); unable to put sth objectionable out of one's mind; not prepared to turn a blind eye -眼里揉不得沙子,yǎn lǐ róu bu dé shā zi,see 眼裡容不得沙子|眼里容不得沙子[yan3 li3 rong2 bu5 de2 sha1 zi5] -眼见,yǎn jiàn,to see with one's own eyes; very soon -眼见得,yǎn jiàn de,(dialect) obviously; clearly -眼见为实,yǎn jiàn wéi shí,seeing is believing -眼观六路耳听八方,yǎn guān liù lù ěr tīng bā fāng,lit. the eyes watch six roads and the ears listen in all directions; to be observant and alert (idiom) -眼角,yǎn jiǎo,outer or inner corner of the eye; canthus -眼角膜,yǎn jiǎo mó,cornea -眼证,yǎn zhèng,eyewitness -眼距宽,yǎn jù kuān,orbital hypertelorism (medicine) -眼跳,yǎn tiào,twitching of eye -眼跳动,yǎn tiào dòng,saccade -眼过劳,yǎn guò láo,eye strain -眼镜,yǎn jìng,spectacles; eyeglasses; CL:副[fu4] -眼镜片,yǎn jìng piàn,lens (in eyeglasses etc) -眼镜猴,yǎn jìng hóu,tarsier monkey -眼镜蛇,yǎn jìng shé,cobra -眼电图,yǎn diàn tú,electrooculograph (EOG) -眼霜,yǎn shuāng,eye cream -眼露杀气,yǎn lù shā qì,to have a murderous look in one's eyes (idiom) -眼风,yǎn fēng,eye signal; meaningful glance -眼馋,yǎn chán,to covet; to envy -眼馋肚饱,yǎn chán dù bǎo,to have eyes bigger than one's belly (idiom) -眼高,yǎn gāo,haughty; contemptuous; to have high expectations -眼高手低,yǎn gāo shǒu dī,to have high standards but little ability; to be fastidious but incompetent (idiom) -眼点,yǎn diǎn,eyespot (in lower creatures) -眽,mò,to gaze; to ogle to look at -眽眽,mò mò,variant of 脈脈|脉脉[mo4 mo4] -众,zhòng,"abbr. for 眾議院|众议院[Zhong4 yi4 yuan4], House of Representatives" -众,zhòng,crowd; multitude; many; numerous -众人,zhòng rén,everyone -众人拾柴火焰高,zhòng rén shí chái huǒ yàn gāo,"when everybody gathers fuel, the flames are higher (idiom); the more people, the more strength" -众人敬仰,zhòng rén jìng yǎng,universally admired; highly esteemed by everyone -众创空间,zhòng chuàng kōng jiān,hackerspace; hacklab; makerspace -众包,zhòng bāo,crowdsourcing; abbr. for 群眾外包|群众外包[qun2 zhong4 wai4 bao1] -众叛亲离,zhòng pàn qīn lí,lit. people rebelling and friends deserting (idiom); fig. to find oneself utterly isolated -众口一词,zhòng kǒu yī cí,all of one voice; unanimous -众口同声,zhòng kǒu tóng shēng,(of people) to be of one voice (idiom); unanimous -众口皆碑,zhòng kǒu jiē bēi,to be praised by everyone -众口铄金,zhòng kǒu shuò jīn,lit. public opinion is powerful enough to melt metal (idiom); fig. public clamor can obscure the actual truth; mass spreading of rumors can confuse right and wrong -众口难调,zhòng kǒu nán tiáo,it's difficult to please everyone (idiom) -众多,zhòng duō,numerous -众寡悬殊,zhòng guǎ xuán shū,(idiom) a great disparity in numerical strength -众志成城,zhòng zhì chéng chéng,unity of will is an impregnable stronghold (idiom) -众怒,zhòng nù,public anger; public outrage -众怒难犯,zhòng nù nán fàn,(idiom) one cannot afford to incur public wrath; it is dangerous to incur the anger of the masses -众所周知,zhòng suǒ zhōu zhī,as everyone knows (idiom) -众所周知,zhòng suǒ zhōu zhī,see 眾所周知|众所周知[zhong4 suo3 zhou1 zhi1] -众擎易举,zhòng qíng yì jǔ,many hands make light work (idiom) -众数,zhòng shù,(statistics) mode -众星拱月,zhòng xīng gǒng yuè,see 眾星捧月|众星捧月[zhong4 xing1 peng3 yue4] -众星拱辰,zhòng xīng gǒng chén,"lit. all the stars revolve around Polaris 北辰[Bei3 chen2] (idiom, from Analects); fig. to view sb as core figure; to group around a revered leader" -众星捧月,zhòng xīng pěng yuè,"lit. all the stars cup themselves around the moon (idiom, from Analects); fig. to view sb as core figure; to group around a revered leader; to revolve around sb" -众星攒月,zhòng xīng cuán yuè,see 眾星捧月|众星捧月[zhong4 xing1 peng3 yue4] -众智,zhòng zhì,crowd knowledge; collective wisdom -众望,zhòng wàng,people's expectations -众望所归,zhòng wàng suǒ guī,(idiom) to enjoy popular support; to receive general approval -众生,zhòng shēng,all living things -众目昭彰,zhòng mù zhāo zhāng,lit. the masses are sharp-eyed (idiom); fig. one is subjected to the scrutiny of the general public -众目睽睽,zhòng mù kuí kuí,see 萬目睽睽|万目睽睽[wan4 mu4 kui2 kui2] -众盲摸象,zhòng máng mō xiàng,"multitude of blind people touch an elephant (idiom, from Nirvana sutra 大般涅槃經|大般涅盘经[da4 ban1 Nie4 pan2 jing1]); fig. unable to see the big picture; to mistake the part for the whole; unable to see the wood for the trees" -众矢之的,zhòng shǐ zhī dì,lit. target of a multitude of arrows (idiom); the butt of public criticism; attacked on all sides -众筹,zhòng chóu,crowdfunding -众说,zhòng shuō,various ideas; diverse opinions -众说纷揉,zhòng shuō fēn róu,lit. diverse opinions confused and divided (idiom); opinions differ; controversial matters -众说纷纭,zhòng shuō fēn yún,opinions differ (idiom) -众说郛,zhòng shuō fú,hub for diverse opinions -众议员,zhòng yì yuán,member of the US House of Representatives -众议院,zhòng yì yuàn,lower house of bicameral assembly; House of Representatives (USA); Chamber of Deputies -众香子,zhòng xiāng zi,all-spice (Pimenta dioica); Jamaican pepper -睃,suō,to throw a glance at; to peer at; Taiwan pr. [jun4] -睃巡,suō xún,(eyes) to scan; to glance left and right; to scrutinize; also written 巡睃[xun2 suo1] -睇,dì,to look down upon (classical); to see; to look at (Cantonese); Mandarin equivalent: 看[kan4] -困,kùn,sleepy; tired -困意,kùn yì,sleepiness; drowsiness -困觉,kùn jiào,(dialect) to sleep -睘,qióng,variant of 瞏[qiong2] -睚,yá,(literary) corner of the eye; canthus -睚眦,yá zì,see 眥睚|眦睚[zi4 ya2] -睚眦必报,yá zì bì bào,lit. to seek revenge over a dirty look (idiom); fig. small-minded; vindictive -睛,jīng,eye; eyeball -睁,zhēng,to open (one's eyes) -睁一眼闭一眼,zhēng yī yǎn bì yī yǎn,to turn a blind eye -睁一只眼闭一只眼,zhēng yī zhī yǎn bì yī zhī yǎn,to turn a blind eye -睁眼,zhēng yǎn,to open one's eyes -睁眼瞎,zhēng yǎn xiā,an illiterate; sb who has blurred vision; sb who is willfully blind -睁眼说瞎话,zhēng yǎn shuō xiā huà,(idiom) to lie through one's teeth; to talk drivel -睁着眼睛说瞎话,zhēng zhe yǎn jīng shuō xiā huà,(idiom) to lie through one's teeth; to talk drivel -睁开,zhēng kāi,to open (one's eyes) -睁只眼闭只眼,zhēng zhī yǎn bì zhī yǎn,to turn a blind eye -睐,lài,to glance; to look askance at -眷,juàn,(literary) to regard with love and affection; to feel concern for (variant of 眷[juan4]) -睡,shuì,to sleep; to lie down -睡午觉,shuì wǔ jiào,to have a nap -睡回笼觉,shuì huí lóng jiào,to go back to sleep (instead of rising up in the morning); to sleep in -睡梦中,shuì mèng zhōng,fast asleep; dreaming -睡姿,shuì zī,sleeping posture -睡得着,shuì de zháo,to fall asleep; to get to sleep -睡意,shuì yì,sleepiness -睡懒觉,shuì lǎn jiào,to sleep in -睡房,shuì fáng,bedroom -睡椅,shuì yǐ,couch -睡相,shuì xiàng,sleeping posture -睡眠,shuì mián,sleep; to sleep; (computing) to enter sleep mode -睡眠不足,shuì mián bù zú,lack of sleep; sleep deficit -睡眠呼吸暂停,shuì mián hū xī zàn tíng,sleep apnea -睡眠失调,shuì mián shī tiáo,sleep disorder -睡眠者,shuì mián zhě,sleeper -睡眠虫,shuì mián chóng,trypanosome -睡美人,shuì měi rén,Sleeping Beauty -睡着,shuì zháo,to fall asleep -睡莲,shuì lián,water lily -睡衣,shuì yī,night clothes; pajamas -睡衣裤,shuì yī kù,pajamas -睡袋,shuì dài,sleeping bag -睡袍,shuì páo,nightgown -睡裙,shuì qún,nightgown -睡觉,shuì jiào,to go to bed; to sleep -睡过头,shuì guò tóu,to oversleep -睡乡,shuì xiāng,sleep; the land of Nod; dreamland -睡醒,shuì xǐng,to wake up -睡鼠,shuì shǔ,dormouse -睢,suī,surname Sui -睢,suī,to stare -睢宁,suī níng,"Suining county in Xuzhou 徐州[Xu2 zhou1], Jiangsu" -睢宁县,suī níng xiàn,"Suining county in Xuzhou 徐州[Xu2 zhou1], Jiangsu" -睢县,suī xiàn,"Sui county in Shangqiu 商丘[Shang1 qiu1], Henan" -睢阳,suī yáng,"Suiyang district of Shangqiu city 商丘市[Shang1 qiu1 shi4], Henan" -睢阳区,suī yáng qū,"Suiyang district of Shangqiu city 商丘市[Shang1 qiu1 shi4], Henan" -睢鸠,suī jiū,plover (Charadrius morinellus); dotterell -督,dū,(bound form) to supervise -督促,dū cù,to supervise and urge completion of a task; to urge on -督学,dū xué,school inspector -督察,dū chá,to supervise; to superintend; inspector; censorship -督察大队,dū chá dà duì,censorship brigade (PRC) -督察小组,dū chá xiǎo zǔ,supervisory group -督导,dū dǎo,to direct; to oversee -督工,dū gōng,to oversee workers; overseer; foreman -督建,dū jiàn,to supervise and construct; constructed under the supervision of -督抚,dū fǔ,governor general 總督|总督[zong3 du1] and inspector general 巡撫|巡抚[xun2 fu3] -督标,dū biāo,army regiment at the disposal of province governor-general -督责,dū zé,to supervise; to reprimand -督军,dū jūn,provincial military governor during the early Republic of China era (1911-1949 AD) -督办,dū bàn,to oversee; to supervise; superintendent -督进去,dū jìn qù,"(slang) (Tw) to stick ""it"" in; to thrust inside" -督龟,dū guī,"(Tw) to doze off (from Taiwanese 盹龜, Tai-lo pr. [tuh-ku])" -睥,pì,used in 睥睨[pi4 ni4]; Taiwan pr. [bi4] -睥睨,pì nì,(literary) to look disdainfully out of the corner of one's eye; to look askance at -睦,mù,amicable; harmonious -睦亲,mù qīn,close relative -睦谊,mù yì,cordiality; friendship -睦邻,mù lín,to get on well with one's neighbors; amicable relationship with one's neighbor -睦邻政策,mù lín zhèng cè,good-neighbor policy -睨,nì,to look askance at -睨视,nì shì,to look askance -睪,yì,to spy out -睪丸,gāo wán,Taiwan variant of 睾丸[gao1 wan2] -睫,jié,eyelashes -睫毛,jié máo,eyelashes -睫毛膏,jié máo gāo,mascara -睫状体,jié zhuàng tǐ,"ciliary body (in the eye, containing the focusing muscles)" -睬,cǎi,to pay attention; to take notice of; to care for -睹,dǔ,to observe; to see -睹物思人,dǔ wù sī rén,(idiom) to fondly remember a person on seeing sth one associates with them -睽,kuí,separated; stare -睽违,kuí wéi,"to be separated (from a friend, one's homeland etc) for a period of time; after a hiatus of (x years)" -睽隔,kuí gé,to be separated; to be parted (literary) -睾,gāo,(bound form) testicle -睾丸,gāo wán,testicle -睾丸扭转,gāo wán niǔ zhuǎn,(medicine) testicular torsion -睾丸激素,gāo wán jī sù,testosterone -睾丸甾酮,gāo wán zāi tóng,testosterone -睾丸素,gāo wán sù,testosterone -睾丸酮,gāo wán tóng,testosterone -睾甾酮,gāo zāi tóng,testosterone -睾酮,gāo tóng,testosterone (abbr. for 睾丸甾酮[gao1 wan2 zai1 tong2]) -睿,ruì,astute; perspicacious; farsighted -睿智,ruì zhì,wise and farsighted -瞀,mào,indistinct vision; dim -瞄,miáo,to take aim; (fig.) to aim one's looks at; to glance at -瞄一眼,miáo yī yǎn,to shoot a glance at -瞄准,miáo zhǔn,to take aim at; to target -瞄准具,miáo zhǔn jù,sighting device; sight (for a firearm etc) -瞅,chǒu,(dialect) to look at -瞅睬,chǒu cǎi,to pay attention to -瞅见,chǒu jiàn,to see -眯,mī,to narrow one's eyes; to squint; (dialect) to take a nap -眯眼,mī yǎn,to narrow one's eyes (as when smiling or squinting) -眯眯眼,mī mī yǎn,squinty eyes -瞈,wěng,see 瞈矇|瞈蒙[weng3 meng2] -瞈蒙,wěng méng,blurred vision -瞋,chēn,(literary) to stare angrily; to glare -瞋目,chēn mù,variant of 嗔目[chen1 mu4] -瞌,kē,to doze off; sleepy -瞌睡,kē shuì,drowsy; to doze; to nap -瞌睡虫,kē shuì chóng,mythological insect that makes people doze off; (fig.) drowsiness; (coll.) person who loves sleeping; sleepaholic -瞍,sǒu,blind -瞎,xiā,blind; groundlessly; foolishly; to no purpose -瞎吹,xiā chuī,to boast; to shoot one's mouth off -瞎子,xiā zi,blind person -瞎子摸象,xiā zi mō xiàng,"blind people touch an elephant (idiom, from Nirvana sutra 大般涅槃經|大般涅盘经[da4 ban1 Nie4 pan2 jing1]); fig. unable to see the big picture; to mistake the part for the whole; unable to see the wood for the trees" -瞎弄,xiā nòng,to fool around with; to mess with -瞎忙,xiā máng,to putter around; to work to no avail -瞎扯,xiā chě,to talk irresponsibly; to talk nonsense -瞎扯蛋,xiā chě dàn,to talk irresponsibly; to talk nonsense -瞎拼,xiā pīn,shopping as a fun pastime (loanword) (Tw) -瞎指挥,xiā zhǐ huī,to give nonsensical instructions; to issue orders out of ignorance -瞎掰,xiā bāi,(coll.) to talk nonsense; to fool around -瞎搞,xiā gǎo,to fool around; to mess with; to do sth without a plan -瞎晃,xiā huàng,to roam about; to monkey around -瞎混,xiā hùn,to muddle along; to live aimlessly -瞎猜,xiā cāi,to make a wild guess; blind guess -瞎眼,xiā yǎn,to be blind -瞎编,xiā biān,to fabricate (a story) -瞎编乱造,xiā biān luàn zào,random lies and falsehoods -瞎说,xiā shuō,to talk drivel; to assert sth without a proper understanding or basis in fact; not to know what one is talking about -瞎猫碰上死耗子,xiā māo pèng shàng sǐ hào zi,a blind cat finds a dead mouse (idiom); blind luck -瞎逛,xiā guàng,to wander aimlessly -瞎闹,xiā nào,to make a scene; to fool around; to behave foolishly -瞑,míng,to close (the eyes) -瞑想,míng xiǎng,to muse; to think deeply; contemplation; meditation -瞑目,míng mù,to close one's eyes; (fig.) to be contented at the time of one's death (Dying without closing one's eyes would signify having unresolved grievances.) -瞑眩,míng xuàn,"dizziness, nausea etc brought on as a side effect of drug treatment (Chinese medicine)" -瞓,fèn,to sleep (Cantonese); Mandarin equivalent: 睡[shui4] -瞓觉,fèn jiào,to sleep (Cantonese); Mandarin equivalent: 睡覺|睡觉[shui4 jiao4] -翳,yì,variant of 翳[yi4] -眍,kōu,to sink in (of eyes) -瞒,mán,to conceal from; to keep (sb) in the dark -瞒上欺下,mán shàng qī xià,to deceive one's superiors and bully one's subordinates (idiom) -瞒不过,mán bù guò,cannot conceal (a matter) from (sb) -瞒哄,mán hǒng,to deceive; to cheat (sb) -瞒报,mán bào,to conceal or deceive in a report; to falsify by over- or underreporting -瞒天大谎,mán tiān dà huǎng,enormous lie; whopper -瞒天过海,mán tiān guò hǎi,to cross the sea by a trick (idiom); to achieve one's aim by underhanded means -瞒心昧己,mán xīn mèi jǐ,to blot out one's conscience -瞒骗,mán piàn,to deceive; to conceal -瞟,piǎo,to cast a glance -瞠,chēng,stare at sth beyond reach -瞠目,chēng mù,to stare -瞠目以对,chēng mù yǐ duì,to return only a blank stare; to stare back -瞠目结舌,chēng mù jié shé,stupefied; flabbergasted -瞢,méng,eyesight obscured; to feel ashamed -瞥,piē,to shoot a glance; glance; to appear in a flash -瞥见,piē jiàn,to glimpse -瞧,qiáo,to look at; to see; to see (a doctor); to visit -瞧不起,qiáo bù qǐ,to look down upon; to hold in contempt -瞧着办,qiáo zhe bàn,to do as one sees fit; It's up to you.; Let's wait and see and then decide what to do. -瞧见,qiáo jiàn,to see -瞪,dèng,to open (one's eyes) wide; to stare at; to glare at -瞪目凝视,dèng mù níng shì,in a catatonic state; shocked and stunned (idiom) -瞪眼,dèng yǎn,to open one's eyes wide; to stare; to glare (at sb); to scowl -瞪羚,dèng líng,gazelle -瞪鞋摇滚,dèng xié yáo gǔn,shoegaze (music genre) -瞬,shùn,to wink -瞬息,shùn xī,in a flash; twinkling; ephemeral -瞬息之间,shùn xī zhī jiān,in the wink of an eye; in a flash -瞬息万变,shùn xī wàn biàn,in an instant a myriad changes (idiom); rapid substantial change -瞬态,shùn tài,(physics) (attributive) transient -瞬时,shùn shí,instantaneous -瞬时辐射,shùn shí fú shè,prompt radiation -瞬发中子,shùn fā zhōng zǐ,prompt neutron -瞬发辐射,shùn fā fú shè,prompt radiation -瞬膜,shùn mó,nictitating membrane (zoology) -瞬间,shùn jiān,in an instant; in a flash -瞬间转移,shùn jiān zhuǎn yí,teleportation -瞬霎,shùn shà,in a blink; in a twinkling -了,liǎo,(of eyes) bright; clear-sighted; to understand clearly -了,liào,unofficial variant of 瞭[liao4] -瞭,liào,to watch from a height or distance -瞭哨,liào shào,to go on sentry duty; to stand guard -了如指掌,liǎo rú zhǐ zhǎng,variant of 了如指掌[liao3 ru2 zhi3 zhang3] -瞭望,liào wàng,to watch from a height or distance; to keep a lookout -瞭望哨,liào wàng shào,lookout post -瞭望塔,liào wàng tǎ,watchtower; observation tower -瞭望台,liào wàng tái,observation tower; lookout tower -了然,liǎo rán,to understand clearly; evident -了若指掌,liǎo ruò zhǐ zhǎng,see 了如指掌[liao3 ru2 zhi3 zhang3] -了解,liǎo jiě,to understand; to realize; to find out -瞰,kàn,to look down from a height; to spy on sth -瞰望,kàn wàng,to overlook; to watch from above -瞰临,kàn lín,to overlook; to watch from above -瞳,tóng,pupil of the eye -瞳人,tóng rén,pupil (of the eye) -瞳仁,tóng rén,pupil of the eye -瞳孔,tóng kǒng,pupil (of the eye) -瞳眸,tóng móu,pupil of the eye; one's eyes -瞵,lín,to stare at -瞻,zhān,to gaze; to view -瞻仰,zhān yǎng,to revere; to admire -瞻前顾后,zhān qián gù hòu,lit. to look forward and back (idiom); fig. to consider carefully; to weigh the pros and cons; fig. to be overcautious and indecisive -瞻拜,zhān bài,to worship; to gaze with reverence -瞻望,zhān wàng,to look far ahead; to look forward (to) -瞻礼日,zhān lǐ rì,the Lord's Day; Sunday -瞻顾,zhān gù,to look forward and back cautiously -睑,jiǎn,eyelid -睑腺炎,jiǎn xiàn yán,sty (eyelid swelling) -瞽,gǔ,blind; undiscerning -瞽阇,gǔ shé,blind monk; refers to famous blind historian 左丘明[Zuo3 Qiu1 ming2] -瞿,qú,surname Qu -瞿,qú,startled; Taiwan pr. [ju4] -瞿塘峡,qú táng xiá,"Qutang Gorge, 8 km long gorge on the Changjiang or Yangtze in Chongqing 重慶|重庆[Chong2 qing4], the upper of the Three Gorges 三峽|三峡[San1 Xia2]" -瞿昙,qú tán,"Gautama, surname of the Siddhartha, the historical Buddha" -瞿秋白,qú qiū bái,"Qu Qiubai (1899-1935), politician, Soviet expert of the Chinese communists at time of Soviet influence, publisher and Russian translator, captured and executed by Guomindang at the time of the Long March" -瞅,chǒu,old variant of 瞅[chou3] -蒙,mēng,to deceive; to cheat; to hoodwink; to make a wild guess -蒙,méng,blind; dim-sighted -蒙在鼓里,méng zài gǔ lǐ,variant of 蒙在鼓裡|蒙在鼓里[meng2 zai4 gu3 li3] -蒙松雨,mēng sōng yǔ,drizzle; fine rain -蒙混,méng hùn,to deceive; to hoodwink; Taiwan pr. [meng1 hun4] -蒙混过关,méng hùn guò guān,to get away with it; to slip through; to bluff one's way out; Taiwan pr. [meng1 hun4 guo4 guan1] -蒙蒙亮,mēng mēng liàng,dawn; the first glimmer of light -蒙蒙黑,mēng mēng hēi,dusk -蒙眬,méng lóng,(of vision) fuzzy -蒙头转向,mēng tóu zhuǎn xiàng,to lose one's bearings; utterly confused -蒙骗,mēng piàn,to hoodwink; to deceive; to dupe sb -矍,jué,surname Jue -矍,jué,to glance fearfully -矍铄,jué shuò,hale and hearty -眬,lóng,used in 矇矓|蒙眬[meng2 long2] -矗,chù,lofty; upright -矗立,chù lì,to tower; standing tall and upright (of large building) -瞰,kàn,variant of 瞰[kan4] -瞩,zhǔ,to gaze at; to stare at -瞩望,zhǔ wàng,to look forward to -瞩目,zhǔ mù,to focus attention upon -矛,máo,spear; lance; pike -矛斑蝗莺,máo bān huáng yīng,(bird species of China) lanceolated warbler (Locustella lanceolata) -矛柄,máo bǐng,shaft -矛盾,máo dùn,contradiction; CL:個|个[ge4]; conflicting views; contradictory -矛纹草鹛,máo wén cǎo méi,(bird species of China) Chinese babax (Babax lanceolatus) -矛隼,máo sǔn,(bird species of China) gyrfalcon (Falco rusticolus) -矛头,máo tóu,spearhead; barb; an attack or criticism -矛头指向,máo tóu zhǐ xiàng,"to target sb or sth (for attack, criticism etc)" -矜,jīn,to boast; to esteem; to sympathize -矜功不立,jīn gōng bù lì,"boasts a lot, but nothing comes of it (idiom)" -矜持,jīn chí,reserved; aloof -矜贵,jīn guì,high-born; noble; aristocratic; conceited -矞,yù,grand; elegant; propitious -矢,shǐ,arrow; dart; straight; to vow; to swear; old variant of 屎[shi3] -矢口否认,shǐ kǒu fǒu rèn,to deny flatly -矢志,shǐ zhì,to take an oath to do sth; to pledge; to vow -矢量,shǐ liàng,(math.) vector -矣,yǐ,"classical final particle, similar to modern 了[le5]" -知,zhī,to know; to be aware -知之甚微,zhī zhī shèn wēi,to know very little about -知乎,zhī hū,"Zhihu, Chinese Q&A website modeled on Quora, at zhihu.com, launched in Jan 2011" -知了,zhī liǎo,cicada (onom.) -知交,zhī jiāo,intimate friend -知人善任,zhī rén shàn rèn,(idiom) expert at appointing people according to their abilities; to put the right people in the right places -知人善用,zhī rén shàn yòng,see 知人善任[zhi1 ren2 shan4 ren4] -知人知面不知心,zhī rén zhī miàn bù zhī xīn,one may know a person for a long time without understanding his true nature (idiom) -知其不可而为之,zhī qí bù kě ér wéi zhī,to keep going resolutely despite knowing the task is impossible (idiom) -知其然而不知其所以然,zhī qí rán ér bù zhī qí suǒ yǐ rán,(idiom) to know that it is so but not why it is so -知冷知热,zhī lěng zhī rè,to know whether others are cold or hot (idiom); to be very considerate -知名,zhī míng,well-known; famous -知名人士,zhī míng rén shì,public figure; celebrity -知名度,zhī míng dù,reputation; profile; familiarity in the public consciousness -知子莫若父,zhī zǐ mò ruò fù,nobody understands one's son better than his father (idiom) -知州,zhī zhōu,senior provincial government official in dynastic China -知己,zhī jǐ,to know oneself; to be intimate or close; intimate friend -知己知彼,zhī jǐ zhī bǐ,"know yourself, know your enemy (idiom, from Sunzi's ""The Art of War"" 孫子兵法|孙子兵法[Sun1 zi3 Bing1 fa3])" -知府,zhī fǔ,prefectural magistrate (during Tang to Qing times) -知彼知己,zhī bǐ zhī jǐ,"to know the enemy and know oneself (idiom, from Sunzi's ""The Art of War"")" -知心,zhī xīn,caring; intimate -知耻,zhī chǐ,to have a sense of shame -知恩不报,zhī ēn bù bào,ungrateful -知悉,zhī xī,to know; to be informed of -知情,zhī qíng,to know the facts; to understand; to be familiar with the situation -知情人,zhī qíng rén,person in the know; insider; informed source -知情同意,zhī qíng tóng yì,informed consent -知情达理,zhī qíng dá lǐ,see 通情達理|通情达理[tong1 qing2 da2 li3] -知悭识俭,zhī qiān shí jiǎn,(idiom) to know how to be economical -知易行难,zhī yì xíng nán,easy to grasp but difficult to put into practice (idiom); easier said than done -知晓,zhī xiǎo,to know; to understand -知更鸟,zhī gēng niǎo,redbreast; robin -知书达理,zhī shū dá lǐ,educated and well-balanced (idiom) -知会,zhī huì,to inform; to tell; to notify; notification -知母,zhī mǔ,Anemarrhena asphodeloides; rhyzome of Anemarrhena (used in TCM) -知法犯法,zhī fǎ fàn fǎ,to know the law and break it (idiom); consciously going against the rules -知礼,zhī lǐ,to be well-mannered -知县,zhī xiàn,county head magistrate (old) -知觉,zhī jué,perception; consciousness -知觉力,zhī jué lì,ability to perceive; perceptivity; sentience -知觉解体,zhī jué jiě tǐ,perceptual separability -知识,zhī shi,knowledge; CL:門|门[men2]; intellectual -知识共享,zhī shi gòng xiǎng,Creative Commons -知识分子,zhī shi fèn zǐ,intellectual; intelligentsia; learned person -知识宝库,zhī shi bǎo kù,treasure house of knowledge -知识工程师,zhī shi gōng chéng shī,knowledge worker -知识库,zhī shi kù,knowledge base -知识产权,zhī shi chǎn quán,intellectual property rights (law) -知识界,zhī shi jiè,intellectual circles; intelligentsia -知识论,zhī shí lùn,epistemology -知识越多越反动,zhī shi yuè duō yuè fǎn dòng,"the more knowledgeable, the more reactionary (absurd anti-intellectual slogan attributed after the event to the Gang of Four 四人幫|四人帮[Si4 ren2 bang1])" -知趣,zhī qù,to act tactfully; tactful; discreet -知足,zhī zú,content with one's situation; to know contentment (hence happiness) -知足常乐,zhī zú cháng lè,satisfied with what one has (idiom) -知遇之恩,zhī yù zhī ēn,lit. the kindness of recognizing sb's worth and employing him (idiom); patronage; protection -知过改过,zhī guò gǎi guò,to acknowledge one's faults and correct them (idiom) -知道,zhī dào,to know; to become aware of; also pr. [zhi1dao5] -知道了,zhī dào le,OK!; Got it! -知错能改,zhī cuò néng gǎi,to recognize one's mistakes and be able to reform oneself (idiom) -知难而退,zhī nán ér tuì,lit. to sound out the difficulties and retreat to avoid defeat (idiom); fig. to back out of an awkward situation; to get out on finding out what it's really like -知青,zhī qīng,"educated youth (sent to work in farms during the Cultural Revolution), abbr. for 知識青年|知识青年[zhi1 shi5 qing1 nian2]" -知音,zhī yīn,intimate friend; soul mate -矦,hóu,old variant of 侯[hou2] -矧,shěn,(interrog.) -矩,jǔ,carpenter's square; rule; regulation; pattern; to carve -矩尺,jǔ chǐ,set square (tool to measure right angles) -矩尺座,jǔ chǐ zuò,Norma (constellation) -矩形,jǔ xíng,rectangle -矩阵,jǔ zhèn,array; matrix (math.) -矬,cuó,short; dwarfish -矬子里拔将军,cuó zi lǐ bá jiāng jūn,lit. to choose a general among the dwarves (idiom); fig. to pick the best out of a bad group -短,duǎn,short; brief; to lack; weak point; fault -短中取长,duǎn zhōng qǔ cháng,see 短中抽長|短中抽长[duan3 zhong1 chou1 chang2] -短中抽长,duǎn zhōng chōu cháng,to make the best of a bad job; to make the best use of limited resources (idiom) -短促,duǎn cù,short in time; fleeting; brief; gasping (breath); curt (tone of voice) -短信,duǎn xìn,text message; SMS -短仓,duǎn cāng,short position (finance) -短传,duǎn chuán,short pass (in ball game) -短债,duǎn zhài,short-term loan -短兵相接,duǎn bīng xiāng jiē,lit. short-weaponed soldiery fight one another (idiom); fierce hand-to-hand infantry combat; to fight at close quarters -短剑,duǎn jiàn,dagger -短句,duǎn jù,clause -短吻鳄,duǎn wěn è,alligator -短命,duǎn mìng,to die young; short-lived -短命鬼,duǎn mìng guǐ,sb who dies prematurely -短嘴山椒鸟,duǎn zuǐ shān jiāo niǎo,(bird species of China) short-billed minivet (Pericrocotus brevirostris) -短嘴豆雁,duǎn zuǐ dòu yàn,(bird species of China) tundra bean goose (Anser serrirostris) -短嘴金丝燕,duǎn zuǐ jīn sī yàn,(bird species of China) Himalayan swiftlet (Aerodramus brevirostris) -短多,duǎn duō,good prospects in the short term (finance) -短小精悍,duǎn xiǎo jīng hàn,(of a person) short but plucky (idiom); (of an article) concise and forceful -短少,duǎn shǎo,to be short of the full amount -短尾信天翁,duǎn wěi xìn tiān wēng,(bird species of China) short-tailed albatross (Phoebastria albatrus) -短尾矮袋鼠,duǎn wěi ǎi dài shǔ,quokka (Setonix brachyurus) -短尾贼鸥,duǎn wěi zéi ōu,(bird species of China) parasitic jaeger (Stercorarius parasiticus) -短尾鸦雀,duǎn wěi yā què,(bird species of China) short-tailed parrotbill (Neosuthora davidiana) -短尾鹪鹛,duǎn wěi jiāo méi,(bird species of China) streaked wren-babbler (Napothera brevicaudata) -短尾鹩鹛,duǎn wěi liáo méi,(bird species of China) rufous-throated wren-babbler (Spelaeornis caudatus) -短尾鹱,duǎn wěi hù,(bird species of China) short-tailed shearwater (Puffinus tenuirostris) -短尾鹦鹉,duǎn wěi yīng wǔ,(bird species of China) vernal hanging parrot (Loriculus vernalis) -短工,duǎn gōng,temporary job; odd job; seasonal worker -短打扮,duǎn dǎ ban,shorts; tight-fitting clothes -短指,duǎn zhǐ,brachydactylism (genetic abnormality of short or missing fingers) -短斤缺两,duǎn jīn quē liǎng,to give short weight -短时储存,duǎn shí chǔ cún,short-term storage; store -短时语音记忆,duǎn shí yǔ yīn jì yì,short-term phonological memory -短时间,duǎn shí jiān,short term; short time -短暂,duǎn zàn,of short duration; brief; momentary -短期,duǎn qī,short term; short-term -短期融资,duǎn qī róng zī,short-term financing -短板,duǎn bǎn,short stave of the barrel (which allows the contents to escape); (fig.) shortcoming; weak point -短欠,duǎn qiàn,to fall short in one's payments; to lack; to be short of -短歌,duǎn gē,ballad -短波,duǎn bō,shortwave (radio) -短波长,duǎn bō cháng,short wavelength -短浅,duǎn qiǎn,narrow and shallow -短片,duǎn piàn,short film; video clip -短程,duǎn chéng,short range -短程线,duǎn chéng xiàn,a geodesic -短空,duǎn kōng,poor prospects in the short term (finance) -短篇小说,duǎn piān xiǎo shuō,short story -短简,duǎn jiǎn,brief -短粗,duǎn cū,stocky (short and robust) -短线,duǎn xiàn,short term -短缺,duǎn quē,shortage -短耳鸮,duǎn ěr xiāo,(bird species of China) short-eared owl (Asio flammeus) -短腿猎犬,duǎn tuǐ liè quǎn,dachshund; basset hound -短至,duǎn zhì,the winter solstice -短处,duǎn chù,shortcoming; defect; fault; one's weak points -短衣,duǎn yī,short garment; short jacket -短衣帮,duǎn yī bāng,lit. short jacket party; working people; the toiling masses; blue collar workers -短袖,duǎn xiù,short sleeves; short-sleeved shirt -短裤,duǎn kù,short pants; shorts -短袜,duǎn wà,sock -短见,duǎn jiàn,short-sighted; suicide -短视,duǎn shì,(usually fig.) shortsighted; myopic -短视近利,duǎn shì jìn lì,to be focused on short-term gain -短视频,duǎn shì pín,short video; video clip -短讯,duǎn xùn,SMS; text message -短训班,duǎn xùn bān,short training course -短语,duǎn yǔ,phrase (grammar) -短趾雕,duǎn zhǐ diāo,(bird species of China) short-toed snake eagle (Circaetus gallicus) -短跑,duǎn pǎo,sprint (race) -短距起落飞机,duǎn jù qǐ luò fēi jī,short takeoff and landing aircraft -短距离,duǎn jù lí,short distance; a stone's throw away -短路,duǎn lù,short circuit -短靴,duǎn xuē,ankle boots -矮,ǎi,(of a person) short; (of a wall etc) low; (of rank) inferior (to); lower (than) -矮人,ǎi rén,dwarf -矮个儿,ǎi gè er,a person of short stature; a short person -矮凳,ǎi dèng,low stool -矮化,ǎi huà,to dwarf; to stunt -矮半截,ǎi bàn jié,to be inferior to; to be of a lower grade than -矮呆病,ǎi dāi bìng,cretinism -矮地茶,ǎi dì chá,(loanword) Japanese ardisia (Ardisia japonica) (herb) -矮墩墩,ǎi dūn dūn,pudgy; dumpy; stumpy -矮壮素,ǎi zhuàng sù,chlormequat chloride; cycocel -矮子,ǎi zi,short person; dwarf -矮子里拔将军,ǎi zi li bá jiāng jūn,lit. choose a general from among the dwarfs; fig. choose the best person available (out of a mediocre bunch) -矮小,ǎi xiǎo,short and small; low and small; undersized -矮小精悍,ǎi xiǎo jīng hàn,short but intrepid (idiom) -矮星,ǎi xīng,dwarf star -矮林,ǎi lín,coppice; brushwood -矮杆品种,ǎi gǎn pǐn zhǒng,short-stalked variety; short straw variety -矮杨梅,ǎi yáng méi,dwarf bayberry (Myrica nana) -矮树,ǎi shù,short tree; bush; shrub -矮油,ǎi yóu,"(slang) alternative for 哎呦[ai1 you1] ""oh my!""" -矮瓜,ǎi guā,eggplant (Cantonese) -矮矬,ǎi cuó,short (in stature) -矮胖,ǎi pàng,short and stout; dumpy; roly-poly -矮脚白花蛇利草,ǎi jiǎo bái huā shé lì cǎo,see 白花蛇舌草[bai2 hua1 she2 she2 cao3] -矮脚罗伞,ǎi jiǎo luó sǎn,Ardisia villosa -矮脚苦蒿,ǎi jiǎo kǔ hāo,see 熊膽草|熊胆草[xiong2 dan3 cao3] -矮茎朱砂根,ǎi jīng zhū shā gēn,short-stem Ardisia (Ardisia brevicaulis) -矮行星,ǎi xíng xīng,dwarf planet -矮丑穷,ǎi chǒu qióng,"(Internet slang) (of a man) unmarriageable (lit. short, ugly and poor); opposite: 高富帥|高富帅[gao1 fu4 shuai4]" -矮鹿,ǎi lù,Siberian roe deer (Capreolus pygargus) -矮黑人,ǎi hēi rén,black dwarf (pejorative term for non-Han people) -矫,jiǎo,surname Jiao -矫,jiáo,used in 矯情|矫情[jiao2 qing5] -矫,jiǎo,to correct; to rectify; to redress; strong; brave; to pretend; to feign; affectation -矫健,jiǎo jiàn,strong and healthy; vigorous -矫味剂,jiǎo wèi jì,corrective agent; flavoring agent -矫形,jiǎo xíng,orthopedic (e.g. surgery) -矫形外科,jiǎo xíng wài kē,orthopedic surgery -矫形牙套,jiǎo xíng yá tào,orthodontic brace -矫形医生,jiǎo xíng yī shēng,orthopedic doctor -矫情,jiáo qing,(Beijing dialect) argumentative; unreasonable -矫情,jiǎo qíng,affected; unnatural; pretentious -矫捷,jiǎo jié,vigorous and nimble; athletic -矫揉造作,jiǎo róu zào zuò,pretension; affectation; putting on artificial airs -矫枉过正,jiǎo wǎng guò zhèng,to overcorrect (idiom); to overcompensate -矫枉过直,jiǎo wǎng guò zhí,see 矯枉過正|矫枉过正[jiao3 wang3 guo4 zheng4] -矫正,jiǎo zhèng,to correct; to rectify (e.g. a physical defect such as hearing or vision); to cure; rectification; correction; to straighten -矫正透镜,jiǎo zhèng tòu jìng,correcting lens -矫治,jiǎo zhì,to correct (e.g. sight or hearing); to rectify; to cure -矫直,jiǎo zhí,to straighten; (fig.) to mend one's ways -矫直机,jiǎo zhí jī,(manufacturing) straightening machine; straightener -矫矫,jiǎo jiǎo,gallant; brave; preeminent -矫诏,jiǎo zhào,the pretense of acting on imperial order -矫饰,jiǎo shì,to put on airs; to pretend sth is better than it is; affectation -石,shí,"surname Shi; abbr. for Shijiazhuang 石家莊|石家庄[Shi2jia1zhuang1], the capital of Hebei" -石,dàn,dry measure for grain equal to ten dou 斗[dou3]; one hundred liters; ancient pr. [shi2] -石,shí,rock; stone; stone inscription; one of the eight categories of ancient musical instruments 八音[ba1 yin1] -石井,shí jǐng,Ishii (Japanese surname) -石作,shí zuò,masonry workshop -石像,shí xiàng,stone statue -石像鬼,shí xiàng guǐ,gargoyle; grotesque -石刁柏,shí diāo bǎi,asparagus -石刑,shí xíng,stoning (execution method) -石刻,shí kè,stone inscription; carved stone -石勒,shí lè,"Shi Le, founder of Later Zhao of the Sixteen Kingdoms 後趙|后赵[Hou4 Zhao4] (319-350)" -石化,shí huà,to petrify; petrochemical industry -石化厂,shí huà chǎng,petrochemical plant -石匠,shí jiàng,stonemason -石匠痨,shí jiàng láo,silicosis (occupational disease of miners); grinder's disease; also written 矽末病 -石南属,shí nán shǔ,heather -石南树,shí nán shù,heath -石南花,shí nán huā,heather (Ericaceae) -石印,shí yìn,lithography; lithographic printing -石原慎太郎,shí yuán shèn tài láng,"Ishihara Shintarō (1932-), Japanese author and politician, governor of Tokyo 1999-2012" -石台,shí tái,"Shitai, a county in Chizhou 池州[Chi2zhou1], Anhui" -石台县,shí tái xiàn,"Shitai, a county in Chizhou 池州[Chi2zhou1], Anhui" -石咀山,shí jǔ shān,"Shijushan or Shizuishan (place name); variant of Shizuishan 石嘴山[Shi2 zui3 shan1], prefecture-level city in Ningxia on the border with Inner Mongolia" -石咀山区,shí jǔ shān qū,"variant of 石嘴山區|石嘴山区[Shi2 zui3 shan1 qu1]; Shizuishan district of Shizuishan, Ningxia" -石咀山市,shí jǔ shān shì,"variant of Shizuishan 石嘴山市[Shi2 zui3 shan1 shi4], prefecture-level city in Ningxia on the border with Inner Mongolia" -石嘴山,shí zuǐ shān,"Shizuishan, prefecture-level city in Ningxia on the border with Inner Mongolia" -石嘴山区,shí zuǐ shān qū,"Shizuishan district of Shizuishan, Ningxia" -石嘴山市,shí zuǐ shān shì,"Shizuishan, prefecture-level city in Ningxia on the border with Inner Mongolia" -石器,shí qì,stone tool; stone implement -石器时代,shí qì shí dài,Stone Age -石城,shí chéng,"Shicheng county in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -石城县,shí chéng xiàn,"Shicheng county in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -石块,shí kuài,stone; rock -石墨,shí mò,black lead; graphite; plumbago -石墨气冷堆,shí mò qì lěng duī,gas-graphite reactor -石墨烯,shí mò xī,graphene -石墨碳,shí mò tàn,graphite carbon -石女,shí nǚ,female suffering absence or atresia of vagina (as birth defect) -石子儿,shí zǐ er,cobble -石家庄,shí jiā zhuāng,"Shijiazhuang, prefecture-level city and capital of Hebei Province 河北省[He2bei3 Sheng3] in north China" -石家庄市,shí jiā zhuāng shì,"Shijiazhuang, prefecture-level city and capital of Hebei Province 河北省[He2 bei3 Sheng3] in north China" -石屎,shí shǐ,concrete -石屎森林,shí shǐ sēn lín,concrete jungle -石屏,shí píng,"Shiping county in Honghe Hani and Yi autonomous prefecture, Yunnan" -石屏县,shí píng xiàn,"Shiping county in Honghe Hani and Yi autonomous prefecture, Yunnan" -石冈,shí gāng,"Shihkang Township in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -石冈乡,shí gāng xiāng,"Shihkang Township in Taichung County, 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -石峰区,shí fēng qū,"Shifeng district of Zhuzhou city 株洲市, Hunan" -石岗,shí gǎng,Shek Kong (area in Hong Kong) -石川,shí chuān,Ishikawa (Japanese surname and place name) -石工,shí gōng,stonemasonry; stonemason -石库门,shí kù mén,"""shikumen"" style architecture: traditional (ca. 19th century) residences with courtyards, once common in Shanghai" -石庭,shí tíng,rock garden -石弩,shí nǔ,catapult; ballista (siege catapult firing stone blocks) -石投大海,shí tóu dà hǎi,to disappear like a stone dropped into the sea; to vanish forever without trace -石拐区,shí guǎi qū,"Shiguai district of Baotou city 包頭市|包头市[Bao1 tou2 shi4], Inner Mongolia" -石敢当,shí gǎn dāng,stone tablet erected to ward off evil spirits -石斑鱼,shí bān yú,"grouper (Portuguese: garoupa); also called 鮨; Epinephelinae (subfamily of Serranidae, fish family including grouper)" -石斛,shí hú,noble dendrobium (Dendrobium nobile) -石景山,shí jǐng shān,"Shijingshan, an inner district of west Beijing" -石景山区,shí jǐng shān qū,"Shijingshan, an inner district of west Beijing" -石末沉着病,shí mò chén zhuó bìng,silicosis (occupational disease of miners); grinder's disease; also written 矽末病 -石末肺,shí mò fèi,silicosis; grinder's disease; also written 矽末病 -石板,shí bǎn,slab; flagstone; slate -石板瓦,shí bǎn wǎ,slate tile -石板路,shí bǎn lù,road or pavement laid with flagstones -石林,shí lín,"Stone Forest, notable set of limestone formations in Yunnan" -石林彝族自治县,shí lín yí zú zì zhì xiàn,"Shilin Yi autonomous county in Kunming 昆明[Kun1 ming2], Yunnan" -石林县,shí lín xiàn,"Shilin Yi autonomous county in Kunming 昆明[Kun1 ming2], Yunnan" -石林风景区,shí lín fēng jǐng qū,"Petrified forest scenic area in Shilin Yi autonomous county 石林彞族自治縣|石林彝族自治县[Shi2 lin2 Yi2 zu2 Zi4 zhi4 xian4] in Kunming 昆明[Kun1 ming2], Yunnan" -石柱,shí zhù,Shizhu Tujia Autonomous County in Chongqing 重慶|重庆[Chong2qing4] -石柱,shí zhù,stela; upright stone; obelisk -石柱土家族自治县,shí zhù tǔ jiā zú zì zhì xiàn,Shizhu Tujia Autonomous County in Chongqing 重慶|重庆[Chong2qing4] -石柱县,shí zhù xiàn,Shizhu Tujia autonomous county in Qianjiang suburbs of Chongqing municipality -石棉,shí mián,"Shimian County in Ya'an 雅安[Ya3 an1], Sichuan" -石棉,shí mián,asbestos -石棉瓦,shí mián wǎ,asbestos roofing sheet (corrugated) -石棉县,shí mián xiàn,"Shimian county in Ya'an 雅安[Ya3 an1], Sichuan" -石棺,shí guān,sarcophagus -石榴,shí liu,pomegranate -石榴子,shí liu zǐ,pomegranate seeds; pomegranate arils -石榴树,shí liu shù,pomegranate tree -石榴石,shí liu shí,garnet (red gemstone Mg3Al2Si3O12) -石楼,shí lóu,"Shilou county in Lüliang 呂梁|吕梁[Lu:3 liang2], Shanxi 山西" -石楼县,shí lóu xiàn,"Shilou county in Lüliang 呂梁|吕梁[Lu:3 liang2], Shanxi 山西" -石沉大海,shí chén dà hǎi,lit. to throw a stone and see it sink without trace in the sea (idiom); fig. to elicit no response -石河子,shí hé zǐ,"Shihezi, sub-prefecture-level city in Northern Xinjiang" -石河子市,shí hé zǐ shì,Shixenze shehiri (Shixenze city) or Shíhézǐ subprefecture level city in north Xinjiang -石油,shí yóu,oil; petroleum -石油化学,shí yóu huà xué,petrochemistry -石油换食品项目,shí yóu huàn shí pǐn xiàng mù,Iraq Oil for Food Program -石油蜡,shí yóu là,petroleum wax -石油输出国组织,shí yóu shū chū guó zǔ zhī,Organization of Petroleum Exporting Countries (OPEC) -石油醚,shí yóu mí,petroleum ether -石泉,shí quán,"Shiquan County in Ankang 安康[An1 kang1], Shaanxi" -石泉县,shí quán xiàn,"Shiquan County in Ankang 安康[An1 kang1], Shaanxi" -石洞,shí dòng,cave; cavern -石渠,shí qú,"Sêrxü county (Tibetan: ser shul rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州, Sichuan (formerly in Kham province of Tibet); name of several historical figures" -石渠,shí qú,stone channel (e.g. drain) -石渠县,shí qú xiàn,"Sêrxü county (Tibetan: ser shul rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1], Sichuan (formerly in Kham province of Tibet)" -石渠阁,shí qú gé,cabinet meeting in 51 BC that established the five classics of Confucianism 五經|五经[Wu3 jing1] as state canon -石渠阁议,shí qú gé yì,cabinet meeting in 51 BC that established the five classics of Confucianism 五經|五经[Wu3 jing1] as state canon -石渣,shí zhā,gravel -石涛,shí tāo,"Shi Tao (1642-1707), Chinese landscape painter and poet" -石灰,shí huī,lime (calcium oxide) -石灰岩,shí huī yán,limestone -石灰石,shí huī shí,limestone -石灰华,shí huī huá,travertine (geology); tufa (a type of banded marble) -石炭,shí tàn,coal (old) -石炭井,shí tàn jǐng,"Shitanjing subdistrict of Dawukou district 大武口區|大武口区[Da4 wu3 kou3 qu1] of Shizuishan city 石嘴山市[Shi2 zui3 shan1 shi4], Ningxia" -石炭井区,shí tàn jǐng qū,"Shitanjing subdistrict of Dawukou district 大武口區|大武口区[Da4 wu3 kou3 qu1] of Shizuishan city 石嘴山市[Shi2 zui3 shan1 shi4], Ningxia" -石炭系,shí tàn xì,carboniferous system; coal measure (geology) -石炭纪,shí tàn jì,Carboniferous (geological period 354-292m years ago) -石炭酸,shí tàn suān,phenol C6H5OH; same as 苯酚 -石片,shí piàn,slab -石状,shí zhuàng,stony -石狮,shí shī,"Shishi, county-level city in Quanzhou 泉州[Quan2 zhou1], Fujian" -石狮,shí shī,see 石獅子|石狮子[shi2 shi1 zi5] -石狮子,shí shī zi,"guardian lion, a lion statue traditionally placed at the entrance of Chinese imperial palaces, imperial tombs, temples etc" -石狮市,shí shī shì,"Shishi, county-level city in Quanzhou 泉州[Quan2 zhou1], Fujian" -石玉昆,shí yù kūn,"Shi Yukun (c. 1810-1871), Qing pinghua 評話|评话[ping2 hua4] master storyteller" -石田,shí tián,Ishida (Japanese surname and place name) -石田芳夫,shí tián fāng fū,"Ishida Yoshio (1948-), Japanese Go player" -石砌,shí qì,stone steps -石破天惊,shí pò tiān jīng,earth-shattering; breakthrough; remarkable and original work -石硪,shí wò,"flat stone with ropes attached, used to ram the ground" -石碇,shí dìng,"Shiding or Shihting township in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -石碇乡,shí dìng xiāng,"Shiding or Shihting township in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -石碑,shí bēi,stele; stone tablet (for inscription); CL:方[fang1] -石磙,shí gǔn,stone roller -石磨,shí mò,grindstone -石窟,shí kū,rock cave; grotto; cliff caves (often with Buddhist statues) -石竹,shí zhú,China pink; Dianthus chinensis (botany) -石竹属,shí zhú shǔ,Dianthus genus (carnations and pinks) -石竹目,shí zhú mù,Class Magnoliopsida (biology) -石竹科,shí zhú kē,Caryophyllaceae family (carnations and pinks) -石笋,shí sǔn,stalagmite -石粉,shí fěn,talcum powder -石绵,shí mián,asbestos -石罅,shí xià,a crack in a rock -石脑油,shí nǎo yóu,naphtha -石膏,shí gāo,gypsum CaSO4·2(H2O); plaster; plaster cast (for a broken bone) -石膏墙板,shí gāo qiáng bǎn,drywall; gypsum wallboard; plasterboard -石膏绷带,shí gāo bēng dài,plaster cast -石舫,shí fǎng,"Marble Boat, famous pavilion" -石花菜,shí huā cài,"Gelidium amansii, species of red algae from which agar is extracted" -石英,shí yīng,quartz -石英脉,shí yīng mài,quartz vein -石英钟,shí yīng zhōng,quartz clock -石英卤素灯,shí yīng lǔ sù dēng,quartz halogen lamp -石蒜,shí suàn,red spider lily (Lycoris radiata) -石蕊,shí ruǐ,reindeer moss; litmus (chemistry) -石蕊试纸,shí ruǐ shì zhǐ,litmus paper (chemistry) -石虎,shí hǔ,"Shi Hu (295-349), emperor of Later Zhao 後趙|后赵[Hou4 Zhao4]" -石虎,shí hǔ,leopard cat (Prionailurus bengalensis); sculpted stone tiger installed at the tomb of revered figures in ancient times to ward off evil spirits -石蜡,shí là,paraffin wax -石质,shí zhì,stony -石钟乳,shí zhōng rǔ,stalactite -石门,shí mén,"Shimen or Shihmen township in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -石门县,shí mén xiàn,"Shimen county in Changde 常德[Chang2 de2], Hunan" -石门乡,shí mén xiāng,"Shimen or Shihmen township in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -石阡,shí qiān,"Shiqian, a county in Tongren 銅仁市|铜仁市[Tong2ren2 Shi4], Guizhou" -石阡县,shí qiān xiàn,"Shiqian, a county in Tongren 銅仁市|铜仁市[Tong2ren2 Shi4], Guizhou" -石阶,shí jiē,stone step -石雀,shí què,(bird species of China) rock sparrow (Petronia petronia) -石雕,shí diāo,stone carving; carved sculpture -石鸡,shí jī,(bird species of China) chukar partridge (Alectoris chukar) -石青,shí qīng,azurite; copper azurite 2CuCO3-Cu(OH)2; azure blue -石头,shí tou,stone; CL:塊|块[kuai4] -石头火锅,shí tou huǒ guō,claypot (used in cooking) -石头记,shí tou jì,"The Story of the Stone, another name for A Dream of Red Mansions 紅樓夢|红楼梦[Hong2 lou2 Meng4]" -石首,shí shǒu,"Shishou, county-level city in Jingzhou 荊州|荆州[Jing1 zhou1], Hubei" -石首市,shí shǒu shì,"Shishou, county-level city in Jingzhou 荊州|荆州[Jing1 zhou1], Hubei" -石松,shí sōng,Lycopodiopsida (club mosses) -石鲮鱼,shí líng yú,pangolin (Manis pentadactylata); scaly ant-eater -石盐,shí yán,rock salt -石鼓,dàn gǔ,"Dangu district of Hengyang city 衡陽市|衡阳市[Heng2 yang2 shi4], Hunan" -石鼓区,dàn gǔ qū,"Dangu district of Hengyang city 衡陽市|衡阳市[Heng2 yang2 shi4], Hunan" -石鼓文,shí gǔ wén,"early form of Chinese characters inscribed in stone, a precursor of the small seal 小篆[xiao3 zhuan4]" -石龙,shí lóng,"Shilong district of Pingdingshan city 平頂山市|平顶山市[Ping2 ding3 shan1 shi4], Henan" -石龙区,shí lóng qū,"Shilong district of Pingdingshan city 平頂山市|平顶山市[Ping2 ding3 shan1 shi4], Henan" -石龙子,shí lóng zi,skink; lizard -碇,dìng,variant of 碇[ding4] -矸,gān,used in 矸石[gan1 shi2] -矸子,gān zi,see 矸石[gan1shi2] -矸石,gān shí,(mining) gangue -矻,kū,used in 矻矻[ku1 ku1]; Taiwan pr. [ku4] -矻矻,kū kū,assiduously -矽,xī,(Tw) silicon (chemistry); Taiwan pr. [xi4] -矽利康,xī lì kāng,(Tw) silicone (loanword) -矽晶片,xī jīng piàn,silicon chip; also written 硅晶片[gui1 jing1 pian4] -矽末病,xī mò bìng,silicosis (occupational disease of miners); grinder's disease; also written 矽末病 -矽橡胶,xī xiàng jiāo,(Tw) silicone rubber -矽片,xī piàn,silicon chip; also written 硅片[gui1 pian4] -矽肺,xī fèi,silicosis (occupational disease of miners); grinder's disease -矽肺病,xī fèi bìng,silicosis (occupational disease of miners); grinder's disease -矽胶,xī jiāo,(Tw) silica gel; silicone rubber -矽藻,xī zǎo,diatom -矽谷,xī gǔ,Silicon Valley -矽铝层,xī lǚ céng,Sial -矽镁层,xī měi céng,sima (geology); silicon and magnesium layer in earth's crust -砂,shā,sand; gravel; granule; variant of 沙[sha1] -砂仁,shā rén,"Amomom (fructus Amomi), plant used in Chinese medicine" -砂囊,shā náng,"gizzard (anatomy of birds, gastropods etc)" -砂子,shā zi,sand -砂岩,shā yán,sandstone -砂拉越,shā lā yuè,see 沙撈越|沙捞越[Sha1 lao1 yue4] -砂浆,shā jiāng,mortar (building) -砂石,shā shí,sandstone; sand and stone; aggregate -砂礓,shā jiāng,concretion (geology) -砂砾,shā lì,grit -砂积矿床,shā jī kuàng chuáng,placer (alluvial deposit containing valuable metals) -砂糖,shā táng,granulated sugar -砂纸,shā zhǐ,sandpaper (i.e. abrasive) -砂轮,shā lún,grinding wheel; emery wheel -砂锅,shā guō,casserole; earthenware pot -砉,huā,sound of a thing flying fast by; whoosh; cracking sound; Taiwan pr. [huo4] -砉,xū,sound of flaying -砌,qì,to build by laying bricks or stones -砌,qiè,used in 砌末[qie4mo5] -砌合,qì hé,bond (in building) -砌合法,qì hé fǎ,bond (in building) -砌基脚,qì jī jiǎo,foundation (for building a wall); footing -砌块,qì kuài,building block -砌层,qì céng,course (i.e. building layer) -砌末,qiè mo,variant of 切末[qie4mo5] -砌砖,qì zhuān,to lay bricks; bricklaying -砌砖工,qì zhuān gōng,bricklaying -砌词捏控,qì cí niē kòng,to make an accusation based on fabricated evidence (idiom) -砌路,qì lù,paving -砌长城,qì cháng chéng,(coll.) to play mahjong -砌体,qì tǐ,brickwork -砍,kǎn,to chop; to cut down; to throw sth at sb -砍伐,kǎn fá,to hew; to cut down -砍伤,kǎn shāng,to wound with a blade or hatchet; to slash; to gash -砍价,kǎn jià,to bargain; to cut or beat down a price -砍刀,kǎn dāo,machete -砍大山,kǎn dà shān,to chat (1980s Beijing slang); to chew the fat -砍断,kǎn duàn,to chop off -砍树,kǎn shù,to chop wood; to chop down trees -砍死,kǎn sǐ,to hack to death; to kill with an ax -砍杀,kǎn shā,to attack with a bladed weapon -砍头,kǎn tóu,to decapitate; to behead -砍头不过风吹帽,kǎn tóu bù guò fēng chuī mào,to regard decapitation as no more important than the wind blowing off your hat (idiom) -砑,yà,to calender -砒,pī,arsenic -砒霜,pī shuāng,white arsenic; arsenic trioxide As2O3 -研,yán,to grind; study; research -研修,yán xiū,to do research work; to engage in advanced studies -研修员,yán xiū yuán,research worker; researcher -研判,yán pàn,to study and come to a conclusion; to judge; to determine -研定,yán dìng,to consider and decide; to decide after investigating -研所,yán suǒ,abbr. for 研究所[yan2 jiu1 suo3] -研拟,yán nǐ,to investigate and plan forward -研析,yán xī,to analyze; research -研求,yán qiú,to study; to probe; to research and examine -研发,yán fā,research and development; to develop -研磨,yán mó,milling; to grind; to polish by grinding; to abrade; whetstone; pestle -研磨料,yán mó liào,abrasive (material) -研磨材料,yán mó cái liào,abrasive; grinding material -研磨盘,yán mó pán,abrasive disk; sanding disk -研究,yán jiū,research; a study; CL:項|项[xiang4]; to research; to look into -研究中心,yán jiū zhōng xīn,research center -研究人员,yán jiū rén yuán,research worker; research personnel -研究反应堆,yán jiū fǎn yìng duī,research reactor -研究员,yán jiū yuán,researcher -研究报告,yán jiū bào gào,research report -研究小组,yán jiū xiǎo zǔ,research group -研究所,yán jiū suǒ,research institute; graduate studies; graduate school; CL:個|个[ge4] -研究机构,yán jiū jī gòu,research organization -研究生,yán jiū shēng,graduate student; postgraduate student; research student -研究生院,yán jiū shēng yuàn,graduate school -研究者,yán jiū zhě,investigator; researcher -研究院,yán jiū yuàn,research institute; academy -研究领域,yán jiū lǐng yù,research area; field of research -研钵,yán bō,mortar (bowl for grinding with pestle) -研习,yán xí,research and study -研考,yán kǎo,to investigate; to inspect and study -研华,yán huá,"Advantech, technology company" -研制,yán zhì,to research and manufacture; to research and to develop -研讨,yán tǎo,discussion -研讨会,yán tǎo huì,discussion forum; seminar -研读,yán dú,to study attentively (a book); to delve into -砘,dùn,(agriculture) to compact loose soil with a stone roller after sowing seeds; stone roller used for this purpose -砘子,dùn zi,stone roller used to compact loose soil after sowing seeds -砝,fǎ,used in 砝碼|砝码[fa3 ma3] -砝码,fǎ mǎ,standard weight (used on a balance scale) -砟,zhǎ,fragments -砣,tuó,steelyard weight; stone roller; to polish jade with an emery wheel -砣子,tuó zi,emery wheel -砥,dǐ,baffle (pier); whetstone -砥砺,dǐ lì,whetstone; (lit. and fig.) to hone; to sharpen; to encourage -寨,zhài,variant of 寨[zhai4] -砧,zhēn,anvil -砧木,zhēn mù,rootstock (stem onto which a branch is grafted) -砧板,zhēn bǎn,chopping board or block -砧骨,zhēn gǔ,"incus or anvil bone of middle ear, passing sound vibration from malleus hammer bone to stapes stirrup bone" -砩,fèi,dam up water with rocks -砩,fú,name of a stone -砬,lá,a huge boulder; a towering rock -砭,biān,ancient stone acupuncture needle; to criticize; to pierce -砭灸,biān jiǔ,see 砭灸術|砭灸术[bian1 jiu3 shu4] -砭灸术,biān jiǔ shù,acupuncture and moxibustion (Chinese medicine) -砭石,biān shí,stone needle used in acupuncture -砭针,biān zhēn,remonstrance; admonition -砭骨,biān gǔ,to be extremely cold or painful -砰,pēng,(onom.) bang; thump -砰砰,pēng pēng,(onom.) slam -炮,pào,variant of 炮[pao4] -炮手,pào shǒu,gunner; artillery crew -炮击,pào jī,to shell; to bombard; bombardment -炮火连天,pào huǒ lián tiān,cannon firing for days on end (idiom); enveloped in the flames of war -炮台,pào tái,fort; battery -炮艇,pào tǐng,gunboat -炮舰,pào jiàn,gunboat; gunship -炮轰,pào hōng,variant of 炮轟|炮轰[pao4 hong1] -炮响,pào xiǎng,sound of gunfire; fig. news of momentous events -破,pò,"broken; damaged; worn out; lousy; rotten; to break, split or cleave; to get rid of; to destroy; to break with; to defeat; to capture (a city etc); to expose the truth of" -破事,pò shì,trivial matter; trifle; annoying thing -破亡,pò wáng,to die out; conquered -破例,pò lì,to make an exception -破伤风,pò shāng fēng,tetanus (lockjaw) -破冰,pò bīng,(fig.) to break the ice; to begin to restore amicable relations -破冰型艏,pò bīng xíng shǒu,icebreaker bow -破冰船,pò bīng chuán,ice breaker -破冰舰,pò bīng jiàn,ice breaker -破口,pò kǒu,tear or rupture; to have a tear (e.g. in one's clothes); without restraint (e.g. of swearing) -破口大骂,pò kǒu dà mà,to abuse roundly -破四旧,pò sì jiù,Destroy the Four Olds (campaign of the Cultural Revolution) -破土,pò tǔ,to break ground; to start digging; to plough; to break through the ground (of seedling); fig. the start of a building project -破土典礼,pò tǔ diǎn lǐ,ground breaking ceremony -破壁,pò bì,dilapidated wall; to break through a wall; (fig.) to break through; (biotechnology) to disrupt cell walls; cell disruption -破壁机,pò bì jī,high-speed blender -破坏,pò huài,destruction; damage; to wreck; to break; to destroy -破坏性,pò huài xìng,destructive -破坏活动,pò huài huó dòng,sabotage; subversive activities -破坏无遗,pò huài wú yí,damaged beyond repair -破天荒,pò tiān huāng,unprecedented; for the first time; never before; first ever -破家,pò jiā,to destroy one's family -破局,pò jú,"to collapse (of plan, talks etc)" -破屋又遭连夜雨,pò wū yòu zāo lián yè yǔ,see 屋漏偏逢連夜雨|屋漏偏逢连夜雨[wu1 lou4 pian1 feng2 lian2 ye4 yu3] -破布,pò bù,rag -破戒,pò jiè,to violate a religious precept; to smoke or drink after giving up -破折号,pò zhé hào,"dash; Chinese dash ── (punct., double the length of the western dash)" -破损,pò sǔn,to become damaged -破败,pò bài,to defeat; to crush (in battle); beaten; ruined; destroyed; in decline -破败不堪,pò bài bù kān,crushed; utterly defeated -破敝,pò bì,shabby; damaged -破晓,pò xiǎo,daybreak; dawn -破格,pò gé,to break the rule; to make an exception -破案,pò àn,to solve a case; shabby old table -破梗,pò gěng,(Tw) to reveal a spoiler -破洞,pò dòng,a hole -破浪,pò làng,to set sail; to brave the waves -破涕为笑,pò tì wéi xiào,to turn tears into laughter (idiom); to turn grief into happiness -破灭,pò miè,"to be shattered; to be annihilated (of hope, illusions etc)" -破烂,pò làn,worn-out; dilapidated; tattered; ragged; (coll.) rubbish; junk -破片,pò piàn,fragment; shard -破片杀伤,pò piàn shā shāng,"(military) fragmentation (grenade, bomb etc)" -破获,pò huò,to uncover (a criminal plot); to break open and capture -破瓜,pò guā,(of a girl) to lose one's virginity; to deflower a virgin; to reach the age of 16; (of a man) to reach the age of 64 -破瓦寒窑,pò wǎ hán yáo,"lit. broken tiles, cold hearth; fig. a broken-down house; poor and shabby dwelling" -破产,pò chǎn,to go bankrupt; to become impoverished; bankruptcy -破产者,pò chǎn zhě,bankrupt person -破甲弹,pò jiǎ dàn,armor piercing shell -破发,pò fā,(of a stock) to fall below the issue price; (of a tennis player) to break serve (abbr. for 破發球局|破发球局[po4 fa1 qiu2 ju2]) -破的,pò dì,to hit the target; (fig.) to hit the nail on the head -破相,pò xiàng,(of facial features) to be marred by a scar etc; to disfigure; to make a fool of oneself -破碎,pò suì,to smash to pieces; to shatter -破碗破摔,pò wǎn pò shuāi,lit. to smash a cracked pot; fig. to treat oneself as hopeless and act crazily -破竹之势,pò zhú zhī shì,lit. a force to smash bamboo (idiom); fig. irresistible force -破竹建瓴,pò zhú jiàn líng,"lit. smash bamboo, overturn water tank (idiom); fig. irresistible force" -破纪录,pò jì lù,to break a record; record-breaking -破约,pò yuē,to break a promise -破绽,pò zhàn,split seam; (fig.) flaw; weak point -破绽百出,pò zhàn bǎi chū,"(of an argument, theory etc) full of flaws (idiom)" -破茧成蝶,pò jiǎn chéng dié,lit. to break through a cocoon and turn into a butterfly (idiom); fig. to emerge strong after a period of struggle; to get to a better place after going through difficult period -破缺,pò quē,breaking -破罐破摔,pò guàn pò shuāi,lit. to smash a pot just because it has a crack (idiom); fig. to give up altogether after a setback; to throw one's hands up in frustration and let it all go to hell -破胆,pò dǎn,to be scared stiff -破胆寒心,pò dǎn hán xīn,to be scared out of one's wits -破旧,pò jiù,shabby -破旧立新,pò jiù lì xīn,to get rid of the old to bring in the new (idiom); to innovate -破处,pò chǔ,to break the hymen; to lose virginity -破蛹,pò yǒng,to emerge from a pupa (of a butterfly etc) -破裂,pò liè,to burst; to rupture; (of a relationship etc) to break down -破裂音,pò liè yīn,(linguistics) (old) plosive; stop -破解,pò jiě,"to break (a bond, constraint etc); to explain; to unravel; to decipher; to decode; to crack (software)" -破解版,pò jiě bǎn,cracked version (of software) -破译,pò yì,to decipher; to decode -破读,pò dú,pronunciation of a character other than the standard; lit. broken reading -破财,pò cái,bankrupt; to suffer financial loss -破财免灾,pò cái miǎn zāi,a financial loss may prevent disaster (idiom) -破费,pò fèi,to spend (money or time) -破身,pò shēn,to lose one's virginity -破釜沉舟,pò fǔ chén zhōu,lit. to break the cauldrons and sink the boats (idiom); fig. to cut off one's means of retreat; to burn one's boats -破钞,pò chāo,to spend money -破镜,pò jìng,broken mirror; fig. broken marriage; divorce -破镜重圆,pò jìng chóng yuán,a shattered mirror put back together (idiom); (of marriage) to pick up the pieces and start anew; for a separated couple to reconcile and reunite -破门,pò mén,"to burst or force open a door; to excommunicate sb (from the Roman Catholic Church); to score a goal (in football, hockey etc)" -破门而入,pò mén ér rù,to break the door down and enter (idiom) -破开,pò kāi,to split; to cut open -破关,pò guān,to solve or overcome (a difficult problem); to beat (a video game) -破防,pò fáng,(video games) to break through an opponent's defenses; (by extension) (slang) to get to sb; to make sb feel upset or moved -破除,pò chú,to eliminate; to do away with; to get rid of -破除迷信,pò chú mí xìn,to eliminate superstition (idiom) -破鞋,pò xié,broken shoes; worn-out footwear; loose woman; slut -破音字,pò yīn zì,character with two or more readings; character where different readings convey different meanings (Tw) -破题,pò tí,writing style in which the main subject is approached directly from the outset; opposite of 冒題|冒题[mao4 ti2] -破颜,pò yán,to break into a smile; (of flowers) to open -破体字,pò tǐ zi,nonstandard or corrupted form of a Chinese character -砷,shēn,arsenic (chemistry) -砷中毒,shēn zhòng dú,arsenic poisoning -砷凡纳明,shēn fán nà míng,arsphenamine -砷化氢,shēn huà qīng,arsine -砷化镓,shēn huà jiā,gallium arsenide (GaAs) -砷制剂,shēn zhì jì,arsphenamine -砸,zá,to smash; to pound; to fail; to muck up; to bungle -砸坏,zá huài,to smash; to shatter -砸夯,zá hāng,to pound the earth to make a building foundation -砸死,zá sǐ,to crush to death -砸毁,zá huǐ,to destroy; to smash -砸烂,zá làn,to smash -砸破,zá pò,to break; to shatter -砸碎,zá suì,to pulverize; to smash to bits -砸醒,zá xǐng,to jolt sb awake -砸钱,zá qián,to spend big (on sth); to pour a lot of money into sth -砸锅,zá guō,to fail -砸锅卖铁,zá guō mài tiě,to be willing to sacrifice everything one has (idiom) -砹,ài,astatine (chemistry) -砼,tóng,concrete (construction) -朱,zhū,cinnabar -朱砂,zhū shā,cinnabar; mercuric sulfide HgS -硅,guī,silicon (chemistry) -硅化木,guī huà mù,petrified wood (geology) -硅晶片,guī jīng piàn,silicon chip -硅棒,guī bàng,silicon rod -硅橡胶,guī xiàng jiāo,silicone rubber -硅沙,guī shā,silicon sand -硅灰石,guī huī shí,wollastonite CaSiO3 -硅片,guī piàn,silicon chip -硅石,guī shí,siliceous rock -硅肺病,guī fèi bìng,silicosis (occupational disease of miners); grinder's disease; also written 矽末病 -硅脂,guī zhī,silicone grease -硅胶,guī jiāo,silica gel; silicone rubber -硅藻,guī zǎo,diatom (single-celled phytoplankton) -硅藻门,guī zǎo mén,"Bacillariophyta, phylum of diatom single-celled phytoplankton" -硅谷,guī gǔ,Silicon Valley -硅质,guī zhì,siliceous; containing silica -硅质岩,guī zhì yán,siliceous rock (mostly composed of silica) -硅酮,guī tóng,silicone -硅酸,guī suān,silicic acid; silicate -硅酸氟铝,guī suān fú lǚ,aluminum fluorosilicate -硅酸盐,guī suān yán,silicate -硅酸盐水泥,guī suān yán shuǐ ní,Portland cement -硅铝质,guī lǚ zhì,"sial rock (containing silicon and aluminium, so comparatively light, making continental plates)" -硇,náo,used in 硇砂[nao2 sha1] -硇砂,náo shā,(mineralogy) salammoniac -硌,gè,(coll.) (of sth hard or rough) to press against some part of one's body causing discomfort (like a small stone in one's shoe); to hurt; to chafe -硎,xíng,whetstone -硐,dòng,variant of 洞[dong4]; cave; pit -硐,tóng,grind -硐室,dòng shì,chamber (mining) -硒,xī,selenium (chemistry) -硒鼓,xī gǔ,toner cartridge -硝,xiāo,saltpeter; to tan (leather) -硝化甘油,xiāo huà gān yóu,nitroglycerine -硝基苯,xiāo jī běn,nitrobenzene; benzoil nitrate (chemistry) -硝氮,xiāo dàn,potassium nitrate; saltpeter -硝烟,xiāo yān,smoke (from guns) -硝烟滚滚,xiāo yān gǔn gǔn,(idiom) smoke billows from the raging battle -硝石,xiāo shí,niter; saltpeter; potassium nitrate KNO3 -硝酸,xiāo suān,nitric acid -硝酸甘油,xiāo suān gān yóu,nitroglycerine -硝酸钠,xiāo suān nà,sodium nitrate -硝酸钙,xiāo suān gài,calcium nitrate -硝酸钾,xiāo suān jiǎ,potassium nitrate -硝酸银,xiāo suān yín,silver nitrate -硝酸铵,xiāo suān ǎn,ammonium nitrate -硝酸盐,xiāo suān yán,nitrate -硖,xiá,place name -砗,chē,used in 硨磲|砗磲[che1 qu2] -砗磲,chē qú,giant clam (subfamily Tridacninae) -硪,wò,see 石硪[shi2 wo4] -硫,liú,sulfur (chemistry) -硫代硫酸钠,liú dài liú suān nà,sodium hyposulfide; sodium thiosulfate -硫化,liú huà,vulcanization (curing rubber using sulfur and heat) -硫化氢,liú huà qīng,hydrogen sulfide H2S; sulfureted hydrogen -硫氰酸,liú qíng suān,thiocyanic acid -硫氰酸酶,liú qíng suān méi,rhodanase -硫氰酸盐,liú qíng suān yán,thiocyanate -硫球,liú qiú,"Luzon, island of the Philippines; the Ryukyu islands" -硫磺,liú huáng,sulfur -硫胺素,liú àn sù,thiamine; vitamin B1 -硫茚,liú yìn,benzothiophene (chemistry) -硫酸,liú suān,sulfuric acid H2SO4; sulfate -硫酸钠,liú suān nà,sodium sulfate -硫酸钙,liú suān gài,calcium sulfate -硫酸钾,liú suān jiǎ,potassium sulfate -硫酸铜,liú suān tóng,copper sulfate CuSO4 -硫酸铵,liú suān ǎn,ammonium sulfate -硫酸铝,liú suān lǚ,aluminum sulfate -硫酸钡,liú suān bèi,barium sulfate -硫酸镁,liú suān měi,magnesium sulfate -硫酸铁,liú suān tiě,ferrous sulfate -硫酸盐,liú suān yán,sulfate -硫醇,liú chún,thiol (chemistry) -硫黄,liú huáng,sulfur -硬,yìng,hard; stiff; solid; (fig.) strong; firm; resolutely; uncompromisingly; laboriously; with great difficulty; good (quality); able (person); (of food) filling; substantial -硬仗,yìng zhàng,tough battle; difficult task; big challenge -硬件,yìng jiàn,hardware -硬件平台,yìng jiàn píng tái,hardware platform -硬来,yìng lái,to use force -硬伤,yìng shāng,injury; trauma; (fig.) glaring error; flaw; shortcoming -硬化,yìng huà,to harden; (medicine) sclerosis; (fig.) to become inflexible in one's opinions; to ossify -硬实,yìng shí,sturdy; robust -硬实力,yìng shí lì,hard power (i.e. military and economic power) -硬席,yìng xí,hard seat (on trains) -硬币,yìng bì,coin; CL:枚[mei2] -硬币坯,yìng bì pī,coin blank -硬干,yìng gàn,to proceed tenaciously in spite of obstacles -硬底子,yìng dǐ zi,(esp. of an actor) strong; capable -硬度,yìng dù,hardness -硬座,yìng zuò,hard seat (on trains or boats) -硬式磁碟机,yìng shì cí dié jī,hard disk; hard drive -硬性,yìng xìng,rigid; inflexible; hard (drug) -硬扎,yìng zhā,strong; sturdy; awesome -硬拉,yìng lā,deadlift -硬拗,yìng ào,"(Tw) (coll.) to defend an untenable position with ridiculous arguments (from Taiwanese, Tai-lo pr. [ngē-áu]); Taiwan pr. [ying4ao1]" -硬挺,yìng tǐng,to endure with all one's will; to hold out; rigid; stiff -硬推,yìng tuī,to shove -硬撑,yìng chēng,"to make oneself do sth in spite of adversity, pain etc" -硬是,yìng shì,just; simply; stubbornly; really -硬朗,yìng lǎng,robust; healthy -硬木,yìng mù,hardwood -硬核,yìng hé,hardcore; hard core -硬梆梆,yìng bāng bāng,variant of 硬邦邦[ying4 bang1 bang1] -硬正,yìng zhèng,staunchly honest -硬壳,yìng ké,crust; hard shell -硬壳果,yìng ké guǒ,nut -硬气,yìng qì,firm; unyielding; strong-willed -硬水,yìng shuǐ,hard water -硬派,yìng pài,hard-line; hardcore -硬汉,yìng hàn,"man of steel; unyielding, tough guy" -硬灌,yìng guàn,to force feed -硬玉,yìng yù,jadeite -硬生生,yìng shēng shēng,stiff; rigid; inflexible; forcibly -硬皮,yìng pí,crust (of a solidified liquid etc) -硬盘,yìng pán,hard disk -硬目标,yìng mù biāo,hard target -硬石膏,yìng shí gāo,anhydrite CaSO4 -硬碟,yìng dié,(Tw) hard disk; hard drive -硬碰硬,yìng pèng yìng,to meet force with force; painstaking -硬磁盘,yìng cí pán,hard drive; hard disk -硬笔,yìng bǐ,"generic term for hard writing instruments such as quill pens, fountain pens, ball pens and pencils, as opposed to writing brushes" -硬糖,yìng táng,hard candy -硬纸,yìng zhǐ,cardboard; stiff paper -硬编码,yìng biān mǎ,(computing) to hard code; hard-coded -硬脂酸,yìng zhī suān,stearic acid; stearate -硬脂酸钙,yìng zhī suān gài,calcium stearate -硬卧,yìng wò,hard sleeper (a type of sleeper train ticket class with a harder bunk) -硬菜,yìng cài,(dialect) meaty dish -硬着头皮,yìng zhe tóu pí,to brace oneself to do sth; to put a bold face on it; to summon up courage; to force oneself to -硬蕊,yìng ruǐ,hardcore (Tw) -硬要,yìng yào,firmly set on doing sth; to insist on doing; determined in one's course of action -硬逼,yìng bī,to pressure; to press; to force; to compel; to push; to coerce; to urge; to impel; to bully into; to be compelled -硬邦邦,yìng bāng bāng,very hard -硬陆,yìng lù,to have a hard landing (economy) -硬顶跑车,yìng dǐng pǎo chē,sports coupé (car) -硬领,yìng lǐng,collar -硬骨头,yìng gǔ tou,resolute individual; a hard nut to crack; tough mission; difficult task -硬骨鱼,yìng gǔ yú,bony fishes; Osteichthyes (taxonomic class including most fish) -硬体,yìng tǐ,(computer) hardware -硭,máng,crude saltpeter -确,què,variant of 確|确[que4]; variant of 埆[que4] -砚,yàn,ink-stone -砚兄,yàn xiōng,senior fellow student -砚友,yàn yǒu,classmate; fellow student -砚室,yàn shì,case for an ink slab -砚山,yàn shān,"Yanshan county in Wenshan Zhuang and Miao autonomous prefecture 文山壯族苗族自治州|文山壮族苗族自治州[Wen2 shan1 Zhuang4 zu2 Miao2 zu2 zi4 zhi4 zhou1], Yunnan" -砚山县,yàn shān xiàn,"Yanshan county in Wenshan Zhuang and Miao autonomous prefecture 文山壯族苗族自治州|文山壮族苗族自治州[Wen2 shan1 Zhuang4 zu2 Miao2 zu2 zi4 zhi4 zhou1], Yunnan" -砚席,yàn xí,ink slab and sitting mat; place where one studies and teaches -砚弟,yàn dì,younger fellow student -砚水壶儿,yàn shuǐ hú er,water container for an ink slab -砚池,yàn chí,(concave) ink stone or ink slab -砚滴,yàn dī,small cup for adding water to an ink stone -砚瓦,yàn wǎ,ink slab -砚田,yàn tián,ink stone; writing as a livelihood -砚田之食,yàn tián zhī shí,to make a living by writing (idiom) -砚盒,yàn hé,case for an ink stone or ink slab -砚石,yàn shí,ink stone; ink slab -砚耕,yàn gēng,to live by writing -砚台,yàn tái,ink stone; ink slab; CL:方[fang1] -硼,péng,boron (chemistry) -硼砂,péng shā,borax -硼酸,péng suān,boric acid H3BO3 -棋,qí,variant of 棋[qi2] -碇,dìng,anchor -碇泊,dìng bó,to moor; to drop anchor -碉,diāo,rock cave (archaic) -碉堡,diāo bǎo,(military) pillbox; blockhouse; humorous way of writing 屌爆[diao3bao4] -碌,liù,used in 碌碡[liu4 zhou5]; Taiwan pr. [lu4] -碌,lù,"(bound form used in 忙碌[mang2 lu4], 勞碌|劳碌[lao2 lu4], 庸碌[yong1 lu4] etc)" -碌曲,lù qǔ,"Luqu County in Gannan Tibetan Autonomous Prefecture 甘南藏族自治州[Gan1 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Gansu" -碌曲县,lù qǔ xiàn,"Luqu County in Gannan Tibetan Autonomous Prefecture 甘南藏族自治州[Gan1 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Gansu" -碌碌无为,lù lù wú wéi,unaccomplished; mediocre; feckless -碌碡,liù zhou,"stone roller (for threshing grain, leveling ground etc); Taiwan pr. [lu4 du2]" -碎,suì,(transitive or intransitive verb) to break into pieces; to shatter; to crumble; broken; fragmentary; scattered; garrulous -碎催,suì cuī,lackey -碎冰船,suì bīng chuán,ice breaker; same as 冰船[bing1 chuan2] -碎块,suì kuài,fragment -碎块儿,suì kuài er,erhua variant of 碎塊|碎块[sui4 kuai4] -碎尸,suì shī,dismembered body -碎尸万段,suì shī wàn duàn,(idiom) to cut up sb's body into thousands of pieces (a hyperbolic threat) -碎屑,suì xiè,fragments; particles -碎屑岩,suì xiè yán,clastic rock (geology) -碎屑沉积物,suì xiè chén jī wù,clastic sediment -碎布条,suì bù tiáo,shred -碎形,suì xíng,fractal (math.) -碎心裂胆,suì xīn liè dǎn,in mortal fear (idiom) -碎念,suì niàn,see 碎碎念[sui4 sui4 nian4] -碎掉,suì diào,to drop and smash; broken -碎末,suì mò,flecks; particles; bits; fine powder -碎步,suì bù,small quick steps -碎片,suì piàn,chip; fragment; splinter; tatter -碎片整理,suì piàn zhěng lǐ,defragmentation (computing) -碎石,suì shí,gravel; crushed rock; rock debris -碎碎念,suì suì niàn,to sound like a broken record; to prattle; to nag; to mutter -碎纸机,suì zhǐ jī,paper shredder -碎肉,suì ròu,ground meat; mincemeat -碎裂,suì liè,to disintegrate; to shatter into small pieces -碎钻,suì zuàn,small diamonds; melee (small diamonds used in embellishing mountings for larger gems); splints (sharp-pointed diamond splinters); clatersal (small diamond splints from which diamond powder is produced by crushing) -碎音钹,suì yīn bó,crash cymbal (drum kit component) -碑,bēi,"a monument; an upright stone tablet; stele; CL:塊|块[kuai4],面[mian4]" -碑亭,bēi tíng,pavilion housing a stele -碑刻,bēi kè,inscription on stone tablet -碑帖,bēi tiè,a rubbing from a stone inscription -碑座,bēi zuò,pedestal for stone tablet -碑座儿,bēi zuò er,erhua variant of 碑座[bei1 zuo4] -碑文,bēi wén,inscription on a tablet -碑林,bēi lín,"Forest of Steles (museum in Xi'an); Beilin District of Xi’an 西安市[Xi1 an1 Shi4], Shaanxi" -碑林区,bēi lín qū,"Beilin District of Xi’an 西安市[Xi1 an1 Shi4], Shaanxi" -碑石,bēi shí,stele; vertical stone tablet for carved inscriptions -碑碣,bēi jié,stone tablet (with inscription) -碑记,bēi jì,a record of events inscribed on a tablet -碑志,bēi zhì,historical record inscribed on tablet -碑铭,bēi míng,inscription on stone tablet -碑额,bēi é,the top part of a tablet -碓,duì,pestle; pound with a pestle -碗,wǎn,"bowl; cup; CL:隻|只[zhi1],個|个[ge4]" -碗公,wǎn gōng,very large bowl (Tw) -碗柜,wǎn guì,cupboard -碗筷,wǎn kuài,bowl and chopsticks; tableware -碘,diǎn,iodine (chemistry) -碘化钠,diǎn huà nà,sodium iodide NaI -碘化钾,diǎn huà jiǎ,potassium iodide -碘化银,diǎn huà yín,silver iodide -碘酸,diǎn suān,iodic acid -碚,bèi,(used in place names) -碟,dié,dish; plate -碟仙,dié xiān,"form of divination similar to the Ouija board, in which participants use their forefingers to push a small saucer over a sheet of paper inscribed with numerous Chinese characters" -碟子,dié zi,saucer; small dish; CL:盤|盘[pan2] -碟片,dié piàn,disc; CL:張|张[zhang1] -碡,zhóu,"stone roller (for threshing grain, leveling ground etc); Taiwan pr. [du2]" -碣,jié,stone tablet -碥,biǎn,dangerous rocks jutting out over rapids -碧,bì,green jade; bluish green; blue; jade -碧土,bì tǔ,"Putog, former county 1983-1999 in Zogang county 左貢縣|左贡县[Zuo3 gong4 xian4], Chamdo prefecture, Tibet" -碧土县,bì tǔ xiàn,"Putog, former county 1983-1999 in Zogang county 左貢縣|左贡县[Zuo3 gong4 xian4], Chamdo prefecture, Tibet" -碧昂丝,bì áng sī,"Beyoncé (1981-), American pop singer" -碧欧泉,bì ōu quán,Biotherm (brand name) -碧池,bì chí,bitch (loanword) (Internet slang); clear water pond -碧海青天,bì hǎi qīng tiān,"green sea, blue sky (idiom); sea and sky merge in one shade; loneliness of faithful widow" -碧潭,bì tán,"Bitan or Green Pool on Xindian Creek 新店溪[Xin1 dian4 xi1], Taipei county, Taiwan" -碧潭,bì tán,green pool -碧玉,bì yù,jasper -碧玺,bì xǐ,tourmaline -碧瓦,bì wǎ,green; glazed tile -碧眼,bì yǎn,blue eyes -碧空,bì kōng,the blue sky -碧绿,bì lǜ,dark green -碧草如茵,bì cǎo rú yīn,green grass like cushion (idiom); green meadow so inviting to sleep on -碧蓝,bì lán,dark blue -碧螺春,bì luó chūn,"biluochun or pi lo chun, a type of green tea grown in the Dongting Mountain region near Lake Tai 太湖[Tai4 Hu2], Jiangsu" -碧血,bì xuè,blood shed in a just cause -硕,shuò,large; big -硕士,shuò shì,master's degree; person who has a master's degree; learned person -硕士学位,shuò shì xué wèi,master's degree -硕士生,shuò shì shēng,Master's degree student -硕大,shuò dà,big; huge; massive -硕大无朋,shuò dà wú péng,immense; enormous -硕果,shuò guǒ,major achievement; great work; triumphant success -硕果仅存,shuò guǒ jǐn cún,only remaining of the great (idiom); one of the few greats extant -硕果累累,shuò guǒ lěi lěi,heavily laden with fruit; fertile (of trees); many noteworthy achievements -硕丽,shuò lì,large and beautiful -砧,zhēn,variant of 砧[zhen1] -砀,dàng,stone with color veins -砀山,dàng shān,"Dangshan, a county in Suzhou 宿州[Su4zhou1], Anhui" -砀山县,dàng shān xiàn,"Dangshan, a county in Suzhou 宿州[Su4zhou1], Anhui" -碰,pèng,to touch; to meet with; to bump -碰一鼻子灰,pèng yī bí zi huī,lit. to have one's nose rubbed in the dirt; fig. to meet with a sharp rebuff -碰上,pèng shàng,to run into; to come upon; to meet -碰倒,pèng dǎo,to knock sth over -碰到,pèng dào,to come across; to run into; to meet; to hit -碰壁,pèng bì,to hit a wall; (fig.) to hit a brick wall; to hit a snag; to have the door slammed in one's face -碰巧,pèng qiǎo,by chance; by coincidence; to happen to -碰损,pèng sǔn,bruising (damage to soft fruit etc) -碰撞,pèng zhuàng,to collide; collision -碰撞造山,pèng zhuàng zào shān,collisional orogeny; mountain building as a result of continents colliding -碰击,pèng jī,to knock against; to knock together; to rattle -碰瓷,pèng cí,"(coll.) to scam sb by setting up an ""accident"" in which one appears to have sustained damage or injury caused by the scam victim, then demanding compensation (variations include putting ""expensive"" porcelain in a place where it is likely to be knocked over by passers-by, and stepping into the path of a slow-moving car)" -碰瓷儿,pèng cí er,erhua variant of 碰瓷|碰瓷[peng4 ci2] -碰碰车,pèng pèng chē,bumper car -碰磁,pèng cí,variant of 碰瓷|碰瓷[peng4 ci2] -碰见,pèng jiàn,to run into; to meet (unexpectedly); to bump into -碰触,pèng chù,to touch -碰运气,pèng yùn qi,to try one's luck; to leave sth to chance -碰钉子,pèng dīng zi,to meet with a rebuff -碰面,pèng miàn,to meet; to run into (sb); to get together (with sb) -碰头,pèng tóu,to meet; to hold a meeting -碲,dì,tellurium (chemistry) -碳,tàn,carbon (chemistry) -碳中和,tàn zhōng hé,carbon neutrality; carbon-neutral -碳化,tàn huà,to carbonize; dry distillation; carbonization -碳化氢,tàn huà qīng,hydrocarbon; same as 烴|烃[ting1] -碳化物,tàn huà wù,carbide -碳化硅,tàn huà guī,silicon carbide; carborundum -碳化钙,tàn huà gài,calcium carbide CaC2 -碳汇,tàn huì,carbon credits; carbon sink -碳原子,tàn yuán zǐ,carbon atom -碳排放,tàn pái fàng,carbon emissions; carbon dioxide emissions -碳氢化合物,tàn qīng huà hé wù,hydrocarbon -碳水化合物,tàn shuǐ huà hé wù,carbohydrate -碳减排,tàn jiǎn pái,to reduce carbon emissions -碳粉,tàn fěn,toner (laser printing) -碳纤维,tàn xiān wéi,carbon fiber -碳足印,tàn zú yìn,carbon footprint -碳足迹,tàn zú jì,carbon footprint -碳酰氯,tàn xiān lǜ,"carbonyl chloride COCl2; phosgene, a poisonous gas" -碳酸,tàn suān,carbonic acid; carbonate -碳酸岩,tàn suān yán,carbonate rock (geology) -碳酸氢钠,tàn suān qīng nà,sodium bicarbonate -碳酸钠,tàn suān nà,soda; sodium carbonate (chemistry) -碳酸钙,tàn suān gài,calcium carbonate -碳酸钾,tàn suān jiǎ,potassium carbonate -碳酸盐,tàn suān yán,carbonate salt (chemistry) -碳链,tàn liàn,carbon chain -碳链纤维,tàn liàn xiān wéi,carbon chain fiber -碳隔离,tàn gé lí,carbon sequestration -碳黑,tàn hēi,soot; carbon black -碴,chá,fault; glass fragment; quarrel -砜,fēng,sulfone -确,què,authenticated; solid; firm; real; true -确乎,què hū,really; indeed -确保,què bǎo,to ensure; to guarantee -确信,què xìn,to be convinced; to be sure; to firmly believe; to be positive that; definite news -确切,què qiè,definite; exact; precise -确定,què dìng,definite; certain; fixed; to fix (on sth); to determine; to be sure; to ensure; to make certain; to ascertain; to clinch; to recognize; to confirm; OK (on computer dialog box) -确定性,què dìng xìng,determinacy -确定效应,què dìng xiào yìng,deterministic effect -确实,què shí,indeed; really; reliable; real; true -确山,què shān,"Queshan county in Zhumadian 駐馬店|驻马店[Zhu4 ma3 dian4], Henan" -确山县,què shān xiàn,"Queshan county in Zhumadian 駐馬店|驻马店[Zhu4 ma3 dian4], Henan" -确是,què shì,certainly -确有其事,què yǒu qí shì,(confirm to be) true; authentic -确立,què lì,to establish; to institute -确诊,què zhěn,to make a definite diagnosis; confirmed (case of a specific disease) -确认,què rèn,to confirm; to verify; confirmation -确证,què zhèng,to prove; to confirm; to corroborate; convincing proof -确凿,què záo,definite; conclusive; undeniable; authentic; also pr. [que4 zuo4] -确凿不移,què záo bù yí,established and irrefutable (idiom) -码,mǎ,"weight; number; code; to pile; to stack; classifier for length or distance (yard), happenings etc" -码分多址,mǎ fēn duō zhǐ,Code Division Multiple Access (CDMA) (telecommunications) -码子,mǎ zi,number (e.g. page or house number); numeral (e.g. Arabic or Chinese numeral); code sign; plus or minus sound; counter; chip (e.g. in gambling games); price tag; ready cash at one's disposal (old) -码字,mǎ zì,numeral; digit; counter -码放,mǎ fàng,to pile up; to stack up -码率,mǎ lǜ,bitrate -码线,mǎ xiàn,yard line (sports) -码表,mǎ biǎo,speedometer; stopwatch; cyclocomputer; (computing) code table -码农,mǎ nóng,menial programmer (computing) -码长城,mǎ cháng chéng,(coll.) to play mahjong -码头,mǎ tóu,dock; pier; wharf; CL:個|个[ge4] -碾,niǎn,stone roller; roller and millstone; to grind; to crush; to husk -碾坊,niǎn fáng,grain mill -碾场,niǎn cháng,to thresh or husk grain on a threshing ground (dialect) -碾压,niǎn yā,to crush or compact (with a roller); to run over (with a vehicle); (fig.) to trounce; to wipe the floor with; to be far superior -碾子,niǎn zi,roller (used for milling or crushing) -碾子山,niǎn zi shān,"Nianzishan district of Qiqihar city 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -碾子山区,niǎn zi shān qū,"Nianzishan district of Qiqihar city 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -碾槌,niǎn chuí,pestle -碾盘,niǎn pán,millstone -碾砣,niǎn tuó,roller -碾碎,niǎn suì,to pulverize; to crush -碾磨,niǎn mó,to mill; to grind; grinding stone -碾米机,niǎn mǐ jī,rice milling machine -碾过,niǎn guò,to crush sth by running over it -磁,cí,magnetic; magnetism; porcelain -磁共振,cí gòng zhèn,magnetic resonance -磁共振成像,cí gòng zhèn chéng xiàng,magnetic resonance imaging (MRI) -磁力,cí lì,magnetic force; magnetic -磁力线,cí lì xiàn,line of magnetic flux -磁力锁,cí lì suǒ,magnetic lock -磁力链接,cí lì liàn jiē,(computing) magnet link -磁动势,cí dòng shì,magnetomotive force -磁化,cí huà,to magnetize -磁卡,cí kǎ,magnetic card; IC Card (telephone) -磁吸,cí xī,"(of a magnet) to attract metallic objects; (fig.) to exert a magnetic attraction (for investment, tourists etc)" -磁吸效应,cí xī xiào yìng,"""magnetic"" force that attracts investment and talented individuals; in particular, the attraction China has for people and capital from around the world" -磁单极子,cí dān jí zǐ,magnetic monopole -磁器,cí qì,variant of 瓷器[ci2 qi4] -磁场,cí chǎng,magnetic field -磁层,cí céng,magnetosphere; magnetic layer -磁带,cí dài,"magnetic tape; CL:盤|盘[pan2],盒[he2]" -磁带机,cí dài jī,tape drive -磁性,cí xìng,magnetic; magnetism -磁感应,cí gǎn yìng,magnetic induction -磁感应强度,cí gǎn yìng qiáng dù,magnetic field density -磁感线,cí gǎn xiàn,line of magnetic flux -磁悬浮,cí xuán fú,magnetic levitation (train); maglev -磁控管,cí kòng guǎn,cavity magnetron (used to produce microwaves) -磁条,cí tiáo,magnetic stripe -磁极,cí jí,magnetic pole -磁气圈,cí qì quān,magnetosphere -磁浮,cí fú,maglev (type of train); magnetic levitation -磁片,cí piàn,magnetic disk -磁异常,cí yì cháng,magnetic anomaly (geology) -磁盘,cí pán,(computer) disk -磁盘驱动器,cí pán qū dòng qì,disk drive -磁矩,cí jǔ,magnetic moment -磁石,cí shí,magnet -磁碟,cí dié,(magnetic) computer disk (hard disk or floppy) -磁碟机,cí dié jī,disk drive (computing); drive (computing) -磁县,cí xiàn,"Ci county in Handan 邯鄲|邯郸[Han2 dan1], Hebei" -磁轨炮,cí guǐ pào,railgun -磁通量,cí tōng liàng,magnetic flux -磁通门,cí tōng mén,fluxgate (electrical engineering) -磁重联,cí chóng lián,(physics) magnetic reconnection -磁钉,cí dīng,"button magnet (to use on whiteboards, refrigerator doors etc)" -磁链,cí liàn,flux linkage -磁铁,cí tiě,magnet -磁铁矿,cí tiě kuàng,magnetite Fe3O4 -磁阻,cí zǔ,magnetic reluctance -磁头,cí tóu,magnetic head (of a tape recorder etc) -磁体,cí tǐ,magnet; magnetic body -磅,bàng,"scale (instrument for weighing); to weigh; (loanword) pound (unit of weight, about 454 grams); (printing) point (unit used to measure the size of type)" -磅,páng,used in 磅礴[pang2 bo2]; Taiwan pr. [pang1] -磅刷,bàng shuā,largest-size housepainter's brush -磅礴,páng bó,majestic; boundless; to fill; to pervade -磅秤,bàng chèng,scale; platform balance -磅蛋糕,bàng dàn gāo,pound cake -磉,sǎng,stone plinth -磊,lěi,lumpy; rock pile; uneven; fig. sincere; open and honest -磊磊,lěi lěi,big pile of rocks; bighearted; open and honest -磊落,lěi luò,big and stout; big-hearted; open and honest; continuous; repeated -磊落大方,lěi luò dà fāng,to be generous in the extreme (idiom) -磋,cuō,deliberate; to polish -磋商,cuō shāng,to consult; to discuss seriously; to negotiate; to confer; negotiations; consultations -磐,pán,firm; stable; rock -磐安,pán ān,"Pan'an county in Jinhua 金華|金华[Jin1 hua2], Zhejiang" -磐安县,pán ān xiàn,"Pan'an county in Jinhua 金華|金华[Jin1 hua2], Zhejiang" -磐石,pán shí,"Panshi, county-level city in Jilin prefecture 吉林, Jilin province" -磐石,pán shí,boulder -磐石市,pán shí shì,"Panshi, county-level city in Jilin prefecture 吉林, Jilin province" -磐石县,pán shí xiàn,Panshi county in Jilin -硙,ái,used in 磑磑|硙硙[ai2 ai2] -硙,wéi,used in 磑磑|硙硙[wei2 wei2] -硙,wèi,(literary) grindstone; (literary) to mill -硙硙,ái ái,(literary) lofty; towering; (literary) glistening white; (literary) hard; solid; (literary) piled up -硙硙,wéi wéi,(literary) lofty; towering; also pr. [ai2 ai2] -磔,zhé,"old term for the right-falling stroke in Chinese characters (e.g. the last stroke of 大[da4]), now called 捺[na4]; sound made by birds (onom.); (literary) to dismember (form of punishment); to spread" -磕,kē,"to tap; to knock (against sth hard); to knock (mud from boots, ashes from a pipe etc)" -磕,kè,variant of 嗑[ke4] -磕碰,kē pèng,to knock against; to bump into; to have a disagreement; to clash -磕磕,kē kē,(onom.) knocking -磕磕巴巴,kē kē bā bā,stammering; stuttering; not speaking fluently -磕磕绊绊,kē ke bàn bàn,bumpy (of a road); limping (of a person) -磕碜,kē chen,(dialect) ugly; unsightly; shabby; (dialect) to humiliate; to ridicule -磕糖,kē táng,(slang) to revel in the sight of one's favorite couple being affectionate; to lap it up when one sees a couple whom one ships kissing or cuddling -磕膝盖,kē xī gài,(dialect) knee -磕头,kē tóu,"to kowtow (traditional greeting, esp. to a superior, involving kneeling and pressing one's forehead to the ground)" -磕头如捣蒜,kè tóu rú dǎo suàn,lit. to kowtow like grinding garlic (idiom); fig. to pound the ground with one's head -磙,gǔn,roller; to level with a roller -砖,zhuān,"brick; tile (floor or wall, not roof); CL:塊|块[kuai4]" -砖块,zhuān kuài,brick -砖瓦,zhuān wǎ,tiles and bricks -砖石,zhuān shí,brick -砖窑,zhuān yáo,brick kiln -砖窑场,zhuān yáo chǎng,brick kiln -砖红土,zhuān hóng tǔ,red brick clay -砖头,zhuān tou,brick -碌,liù,variant of 碌[liu4] -碜,chěn,gritty (of food); unsightly -碛,qì,(bound form) moraine; rocks in shallow water -磨,mó,to rub; to grind; to polish; to sharpen; to wear down; to die out; to waste time; to pester; to insist -磨,mò,grindstone; to grind; to turn round -磨不开,mò bù kāi,to feel embarrassed -磨人,mó rén,annoying; bothersome; to fret; to be peevish -磨光,mó guāng,to polish -磨刀,mó dāo,to hone (a knife) -磨刀不误砍柴工,mó dāo bù wù kǎn chái gōng,lit. sharpening the axe won't make the wood-splitting take longer (idiom); fig. time invested in preparations is not lost; a beard well lathered is half shaved -磨刀石,mó dāo shí,whetstone (for honing knives) -磨刀霍霍,mó dāo huò huò,lit. to sharpen one's sword (idiom); fig. to prepare to attack; to be getting ready for battle -磨叨,mò dao,to grumble; to chatter -磨合,mó hé,to break in; to wear in -磨唧,mò ji,(dialect) to be very slow; to dawdle -磨叽,mò ji,(dialect) to dawdle; to waste time; also written 墨跡|墨迹[mo4 ji5] -磨嘴,mó zuǐ,to argue pointlessly; to talk incessant nonsense; to blather -磨嘴皮子,mó zuǐ pí zi,to wear out the skin of one's teeth (idiom); pointlessly blather; to talk incessant nonsense; blah blah -磨坊,mò fáng,mill -磨坊主,mò fáng zhǔ,miller -磨子,mò zi,mill; grain mill; millstone -磨工病,mò gōng bìng,grinder's disease; silicosis; also written 矽末病 -磨床,mó chuáng,grinding machine; grinder -磨得开,mò de kāi,to feel unembarrassed; to be at ease; (dialect) to be convinced; to come round -磨快,mó kuài,to sharpen; to grind (knife blades) -磨折,mó zhé,to torture; to torment -磨拳擦掌,mó quán cā zhǎng,variant of 摩拳擦掌[mo1 quan2 ca1 zhang3] -磨损,mó sǔn,to suffer wear and tear; to deteriorate through use; to wear out -磨损率,mó sǔn lǜ,attrition rate -磨擦,mó cā,variant of 摩擦[mo2 ca1] -磨料,mó liào,abrasive material -磨杵成针,mó chǔ chéng zhēn,to grind an iron bar down to a fine needle (idiom); fig. to persevere in a difficult task; to study diligently -磨机,mó jī,milling machine -磨洋工,mó yáng gōng,to idle on the job -磨灭,mó miè,to obliterate; to erase -磨炼,mó liàn,see 磨練|磨练[mo2 lian4] -磨烦,mò fan,to pester; to bother sb incessantly; to delay; to prevaricate -磨牙,mó yá,to grind one's teeth (during sleep); pointless arguing; (coll.) molar -磨盘,mò pán,lower millstone; tray of a mill -磨石,mó shí,whetstone; millstone -磨石砂砾,mó shí shā lì,millstone grit; coarse sandstone -磨石粗砂岩,mó shí cū shā yán,millstone grit -磨砂,mó shā,to scrub with an abrasive; to sand; frosted (e.g. glass) -磨砂机,mó shā jī,sander; sanding machine -磨砂膏,mó shā gāo,facial scrub -磨破口舌,mó pò kǒu shé,incessant complaining -磨破嘴皮,mó pò zuǐ pí,to talk until one is blue in the face -磨破嘴皮子,mó pò zuǐ pí zi,to wear out one's lips (idiom); to talk until one is blue in the face; to repeat again and again -磨碎,mò suì,to grind up -磨磨蹭蹭,mó mó cèng cèng,to dillydally; slow-going -磨砺,mó lì,to sharpen on grindstone; to improve oneself by practice -磨穿铁砚,mó chuān tiě yàn,to grind one's way through an ink stone; to persevere in a difficult task (idiom); to study diligently (idiom) -磨练,mó liàn,to temper oneself; to steel oneself; self-discipline; endurance -磨耗,mó hào,wear and tear; wearing out by friction -磨脚石,mó jiǎo shí,pumice stone -磨菇,mó gu,variant of 蘑菇[mo2 gu5] -磨蚀,mó shí,erosion; abrasion -磨制石器,mó zhì shí qì,a polished stone (neolithic) implement -磨豆腐,mò dòu fu,to grumble; to chatter away incessantly -磨起泡,mó qǐ pào,friction blister -磨蹭,mó ceng,to rub lightly; to move slowly; to dawdle; to dillydally; to pester; to nag -磨难,mó nàn,a torment; a trial; tribulation; a cross (to bear); well-tried -磨齿,mó chǐ,molar tooth -磬,qìng,"chime stones, ancient percussion instrument made of stone or jade pieces hung in a row and struck as a xylophone" -磬竭,qìng jié,used up; exhausted; emptied -矶,jī,breakwater; jetty -矶鹬,jī yù,(bird species of China) common sandpiper (Actitis hypoleucos) -磲,qú,used in 硨磲|砗磲[che1 qu2] -磴,dèng,cliff-ledge; stone step -磴口,dèng kǒu,"Dengkou county in Bayan Nur 巴彥淖爾|巴彦淖尔[Ba1 yan4 nao4 er3], Inner Mongolia" -磴口县,dèng kǒu xiàn,"Dengkou county in Bayan Nur 巴彥淖爾|巴彦淖尔[Ba1 yan4 nao4 er3], Inner Mongolia" -磷,lín,(chemistry) phosphorus -磷光,lín guāng,phosphorescence -磷化钙,lín huà gài,calcium phosphate (chemistry) -磷火,lín huǒ,phosphorescence -磷灰石,lín huī shí,apatite; phosphatic limestone -磷灰粉,lín huī fěn,apatite (phosphatic lime) -磷石,lín shí,"muscovite, mica (used in TCM)" -磷磷,lín lín,variant of 粼粼[lin2 lin2] -磷矿,lín kuàng,phosphate ore -磷矿石,lín kuàng shí,phosphate -磷肥,lín féi,phosphate fertilizer -磷脂,lín zhī,phospholipid -磷虾,lín xiā,krill -磷酸,lín suān,phosphoric acid -磷酸钠,lín suān nà,sodium phosphate (chemistry) -磷酸钙,lín suān gài,calcium phosphate (chemistry) -磷酸盐,lín suān yán,phosphate -磷酸盐岩,lín suān yán yán,phosphorite; phosphate rock -磺,huáng,sulfur -磺胺,huáng àn,sulfa drugs; sulfanilamide (used to reduce fever) -硗,qiāo,stony soil -礁,jiāo,reef; shoal rock -礁岛,jiāo dǎo,reef island -礁湖,jiāo hú,lagoon -礁湖星云,jiāo hú xīng yún,"Lagoon Nebula, M8" -礁溪,jiāo xī,"Jiaoxi or Chiaohsi Township in Yilan County 宜蘭縣|宜兰县[Yi2 lan2 Xian4], Taiwan" -礁溪乡,jiāo xī xiāng,"Jiaoxi or Chiaohsi Township in Yilan County 宜蘭縣|宜兰县[Yi2 lan2 Xian4], Taiwan" -礁石,jiāo shí,reef -礅,dūn,stone block -硷,jiǎn,variant of 鹼|碱[jian3] -础,chǔ,foundation; base -礓,jiāng,a small stone -碍,ài,to hinder; to obstruct; to block -碍事,ài shì,to be in the way; to be a hindrance; (usu. in the negative) to be of consequence; to matter -碍口,ài kǒu,to shy to speak out; tongue-tied; to hesitate; too embarrassing for words -碍口识羞,ài kǒu shí xiū,tongue-tied for fear of embarrassment (idiom) -碍手碍脚,ài shǒu ài jiǎo,to be in the way; to be a hindrance -碍于,ài yú,to be constrained by; due to (a constraining factor) -碍眼,ài yǎn,to be an irksome presence (i.e. sth or sb one wishes were not there) -碍胃口,ài wèi kǒu,to impair the appetite -碍难,ài nán,inconvenient; difficult for some reason; to find sth embarrassing -碍难从命,ài nán cóng mìng,"difficult to obey orders (idiom); much to my embarrassment, I am unable to comply" -碍面子,ài miàn zi,(not do sth) for fear of offending sb -礞,méng,(mineral) -礴,bó,to fill; to extend -礤,cǎ,shredder; grater (kitchen implement for grating vegetables); grindstone -礤床,cǎ chuáng,vegetable shredder; grater -礤床儿,cǎ chuáng er,shredder; grater (kitchen implement for grating vegetables) -矿,kuàng,mineral deposit; ore deposit; ore; a mine -矿主,kuàng zhǔ,proprietor of a mine -矿井,kuàng jǐng,a mine; a mine shaft -矿务局,kuàng wù jú,mining affairs bureau -矿区,kuàng qū,mining site; mining area -矿坑,kuàng kēng,mine; mine shaft -矿场,kuàng chǎng,a mine; pit -矿层,kuàng céng,ore stratum; vein of ore -矿山,kuàng shān,mine -矿工,kuàng gōng,miner -矿床,kuàng chuáng,(mineral) deposit -矿业,kuàng yè,mining industry -矿机,kuàng jī,(cryptocurrency) mining machine -矿水,kuàng shuǐ,mineral water -矿油精,kuàng yóu jīng,mineral spirits -矿泉,kuàng quán,mineral spring -矿泉水,kuàng quán shuǐ,"mineral water; CL:瓶[ping2],杯[bei1]" -矿渣,kuàng zhā,slag (mining) -矿灯,kuàng dēng,miner's lamp; mining light -矿物,kuàng wù,mineral -矿物学,kuàng wù xué,mineralogy -矿物燃料,kuàng wù rán liào,fossil fuels; oil and coal -矿物质,kuàng wù zhì,"mineral, esp. dietary mineral" -矿产,kuàng chǎn,minerals -矿产资源,kuàng chǎn zī yuán,mineral resources -矿石,kuàng shí,ore -矿脂,kuàng zhī,vaseline; same as 凡士林 -矿脉,kuàng mài,vein of ore -矿藏,kuàng cáng,mineral resources -矿车,kuàng chē,miner's cart; pit truck -矿难,kuàng nàn,mining disaster -矿体,kuàng tǐ,ore body (geology) -矿盐,kuàng yán,halite -砺,lì,grind; sandstone -砾,lì,(bound form) gravel; small stone -砾岩,lì yán,conglomerate (geology) -砾石,lì shí,gravel; pebbles -矾,fán,alum -砻,lóng,to grind; to mill -示,shì,to show; to reveal -示例,shì lì,to illustrate; typical example -示例代码,shì lì dài mǎ,sample code (computing) -示好,shì hǎo,to express goodwill; to be friendly -示威,shì wēi,to demonstrate (as a protest); a demonstration; a military show of force -示威者,shì wēi zhě,demonstrator; protester -示威游行,shì wēi yóu xíng,(protest) demonstration -示威运动,shì wēi yùn dòng,rally -示寂,shì jì,to pass away (of a monk or nun) -示弱,shì ruò,not to fight back; to take it lying down; to show weakness; to show one's softer side -示性,shì xìng,expressivity -示性类,shì xìng lèi,characteristic class (math.) -示恩,shì ēn,to show kindness -示意,shì yì,to hint; to indicate (an idea to sb) -示意图,shì yì tú,sketch; schematic diagram; graph -示指,shì zhǐ,index finger -示波器,shì bō qì,oscillograph; oscilloscope -示现,shì xiàn,(of a deity) to take a material shape; to appear -示众,shì zhòng,to publicly expose -示范,shì fàn,to demonstrate; to show how to do sth; demonstration; a model example -示复,shì fù,please answer (epistolary style) -示警,shì jǐng,to warn; a warning sign -社,shè,(bound form) society; organization; agency; (old) god of the land -社交,shè jiāo,interaction; social contact -社交媒体,shè jiāo méi tǐ,social media -社交恐惧症,shè jiāo kǒng jù zhèng,social phobia; social anxiety -社交才能,shè jiāo cái néng,social accomplishment -社交牛逼症,shè jiāo niú bī zhèng,(neologism c. 2021) gregariousness; facility in social interaction; confidence in social settings -社交网站,shè jiāo wǎng zhàn,social networking site -社交舞,shè jiāo wǔ,social dancing -社交语言,shè jiāo yǔ yán,lingua franca -社保,shè bǎo,social insurance (abbr. for 社會保險|社会保险[she4hui4 bao3xian3]) -社区,shè qū,community; neighborhood -社员,shè yuán,"commune member (PRC, 1958-1985); member of a society (or other organization)" -社团,shè tuán,association; society; group; union; club; organization -社媒,shè méi,social media (abbr. for 社交媒體|社交媒体[she4 jiao1 mei2 ti3] or 社群媒體|社群媒体[she4 qun2 mei2 ti3]) -社学,shè xué,Ming or Qing dynasty school -社工,shè gōng,social work; social worker -社工人,shè gōng rén,social worker -社恐,shè kǒng,social phobia (abbr. for 社交恐懼症|社交恐惧症[she4 jiao1 kong3 ju4 zheng4]) -社戏,shè xì,theatrical performance (e.g. on religious festival) -社招,shè zhāo,social recruiting (abbr. for 社會招聘|社会招聘[she4 hui4 zhao1 pin4]) -社教,shè jiào,Socialist education; abbr. for 社會主義教育運動|社会主义教育运动 -社旗,shè qí,"Sheqi county in Nanyang 南陽|南阳[Nan2 yang2], Henan" -社旗县,shè qí xiàn,"Sheqi county in Nanyang 南陽|南阳[Nan2 yang2], Henan" -社会,shè huì,society; CL:個|个[ge4] -社会主义,shè huì zhǔ yì,socialism -社会主义教育运动,shè huì zhǔ yì jiào yù yùn dòng,"Socialist Education Movement (1963-66), formal name of the Four Cleanups Movement 四清運動|四清运动[Si4 qing1 Yun4 dong4]" -社会主义者,shè huì zhǔ yì zhě,socialist -社会事业,shè huì shì yè,social enterprise -社会保障,shè huì bǎo zhàng,social security -社会保险,shè huì bǎo xiǎn,social security (abbr. to 社保[she4bao3]) -社会信用体系,shè huì xìn yòng tǐ xì,"social credit system, a system that incentivizes individuals and businesses by creating consequences for good and bad behavior" -社会公共利益,shè huì gōng gòng lì yì,public interest -社会化,shè huì huà,to socialize -社会名流,shè huì míng liú,celebrity; public figure -社会团体,shè huì tuán tǐ,social group; community organization -社会学,shè huì xué,sociology -社会工作,shè huì gōng zuò,social work -社会工作者,shè huì gōng zuò zhě,social worker -社会平等,shè huì píng děng,social equality -社会性,shè huì xìng,social -社会服务,shè huì fú wù,social services -社会正义,shè huì zhèng yì,social justice -社会民主,shè huì mín zhǔ,social democracy -社会民主主义,shè huì mín zhǔ zhǔ yì,social democracy -社会民主党,shè huì mín zhǔ dǎng,Social Democratic Party -社会活动,shè huì huó dòng,social activity -社会环境,shè huì huán jìng,social environment; milieu -社会科学,shè huì kē xué,social sciences -社会等级,shè huì děng jí,social rank; class; caste -社会经济,shè huì jīng jì,socio-economic -社会总需求,shè huì zǒng xū qiú,aggregate social demand; total requirement of society -社会融资,shè huì róng zī,private (non-government) financing -社会行动,shè huì xíng dòng,social actions -社会语言学,shè huì yǔ yán xué,sociolinguistics -社会达尔文主义,shè huì dá ěr wén zhǔ yì,social Darwinism -社会关系,shè huì guān xì,social relation -社会关怀,shè huì guān huái,social care -社会阶层,shè huì jiē céng,social class -社会党,shè huì dǎng,socialist party -社死,shè sǐ,(neologism c. 2020) (slang) to die of embarrassment (figuratively) -社民党,shè mín dǎng,Social Democratic party -社火,shè huǒ,"festival entertainment (lion dance, dragon lantern etc)" -社畜,shè chù,"(coll.) corporate drone (orthographic borrowing from Japanese 社畜 ""shachiku"")" -社科,shè kē,social science (abbr.) -社科院,shè kē yuàn,(Chinese) Academy of Social Sciences (CASS) -社稷,shè jì,state; country; the Gods of earth and grain -社维法,shè wéi fǎ,(Tw) public order laws; abbr. of 社會秩序維護法|社会秩序维护法[she4 hui4 zhi4 xu4 wei2 hu4 fa3] -社群,shè qún,community; social grouping -社群媒体,shè qún méi tǐ,social media (Tw) -社融,shè róng,private financing (abbr. for 社會融資|社会融资[she4 hui4 rong2 zi1]) -社评,shè píng,editorial (in a newspaper); also written 社論|社论 -社论,shè lùn,editorial (in a newspaper); CL:篇[pian1] -社运,shè yùn,social movement (abbr. for 社會運動|社会运动[she4 hui4 yun4 dong4]) -社长,shè zhǎng,president or director (of association etc) -社头,shè tóu,"Shetou Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -社头乡,shè tóu xiāng,"Shetou Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -社鼠城狐,shè shǔ chéng hú,"lit. rat in a country shrine, fox on town walls; fig. unprincipled thugs who abuse others' power to bully and exploit people" -祀,sì,to sacrifice; to offer libation to -祀物,sì wù,sacrificial objects -祀神,sì shén,to offer sacrifices to the gods -祁,qí,surname Qi -祁,qí,large; vast -祁奚,qí xī,"Qi Xi (c. 620-550 BC), minister of Jin state 晉國|晋国[Jin4 guo2] of the Spring and Autumn states" -祁奚之荐,qí xī zhī jiàn,Qi Xi's recommendation (idiom); recommending the best person for the job independent of factional loyalty -祁东,qí dōng,"Qidong county in Hengyang 衡陽|衡阳[Heng2 yang2], Hunan" -祁东县,qí dōng xiàn,"Qidong county in Hengyang 衡陽|衡阳[Heng2 yang2], Hunan" -祁县,qí xiàn,"Qi County in Jinzhong 晉中|晋中[Jin4 zhong1], Shanxi" -祁连,qí lián,"Qilian County in Haibei Tibetan Autonomous Prefecture 海北藏族自治州[Hai3 bei3 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -祁连山,qí lián shān,Qilian Mountains in Qinghai -祁连山脉,qí lián shān mài,"Qilian Mountains (formerly Richthofen Range), dividing Qinghai and Gansu provinces" -祁连县,qí lián xiàn,"Qilian County in Haibei Tibetan Autonomous Prefecture 海北藏族自治州[Hai3 bei3 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -祁门,qí mén,"Qimen, a county in Huangshan 黃山|黄山[Huang2shan1], Anhui" -祁门县,qí mén xiàn,"Qimen, a county in Huangshan 黃山|黄山[Huang2shan1], Anhui" -祁阳,qí yáng,"Qiyang County in Yongzhou 永州[Yong3 zhou1], Hunan" -祁阳县,qí yáng xiàn,"Qiyang County in Yongzhou 永州[Yong3 zhou1], Hunan" -祆,xiān,"Ahura Mazda, the creator deity in Zoroastrianism" -祆教,xiān jiào,Zoroastrianism -祆道,xiān dào,Zoroastrianism; see also 祆教[Xian1 jiao4] -只,zhǐ,variant of 只[zhi3] -祇,qí,god of the earth -祈,qí,to implore; to pray; to request -祈仙台,qí xiān tái,memorial altar; platform for praying to immortals -祈使句,qí shǐ jù,imperative sentence -祈望,qí wàng,to hope; to wish; hope; wish; (old) name of an official post -祈求,qí qiú,to pray for; to appeal -祈福,qí fú,to pray for blessings -祈福禳灾,qí fú ráng zāi,to pray for luck and sacrifice to avoid disasters (i.e. traditional superstitions) -祈祷,qí dǎo,to pray; to say one's prayers; prayer -祈愿,qí yuàn,to pray; to pray for sth; to wish sth; prayer; wish -祉,zhǐ,felicity -祉禄,zhǐ lù,happiness and wealth -祓,fú,to cleanse; to remove evil; ritual for seeking good fortune and avoiding disaster -祓濯,fú zhuó,to cleanse; to purify -祓禊,fú xì,exorcistic ablutions -祓除,fú chú,to exorcize (evil spirits); to purify through ritual; to rid oneself of (a bad habit) -祓饰,fú shì,to refresh; to renew -秘,mì,variant of 秘[mi4] -秘传,mì chuán,to hand down secret knowledge from generation to generation within a school or family etc -秘方,mì fāng,secret recipe -秘本,mì běn,a treasured rare book -秘结,mì jié,constipation -秘而不宣,mì ér bù xuān,to withhold information; to keep sth secret -秘藏,mì cáng,to stash away; a hoard; a cache -祖,zǔ,surname Zu -祖,zǔ,ancestor; forefather; grandparents -祖传,zǔ chuán,passed on from ancestors; handed down from generation to generation -祖先,zǔ xiān,ancestors; forebears; (biology) ancestral species; ancient species from which present-day species evolved -祖国,zǔ guó,motherland -祖国光复会,zǔ guó guāng fù huì,movement to restore the fatherland -祖国和平统一委员会,zǔ guó hé píng tǒng yī wěi yuán huì,Committee for Peaceful Reunification of the Fatherland (North Korean) -祖茔,zǔ yíng,ancestral tomb -祖坟,zǔ fén,ancestral tomb -祖姑母,zǔ gū mǔ,father's father's sister; great aunt -祖宗,zǔ zōng,ancestor; forebear -祖居,zǔ jū,former residence; one's original home -祖屋,zǔ wū,ancestral house -祖师,zǔ shī,"founder (of a craft, religious sect etc)" -祖师爷,zǔ shī yé,"founder (of a craft, religious sect etc)" -祖母,zǔ mǔ,father's mother; paternal grandmother -祖母绿,zǔ mǔ lǜ,emerald -祖冲之,zǔ chōng zhī,"Zu Chongzhi (429-500), astronomer and mathematician" -祖父,zǔ fù,father's father; paternal grandfather -祖父母,zǔ fù mǔ,paternal grandparents -祖父辈,zǔ fù bèi,people of one's grandparents' generation -祖祖辈辈,zǔ zǔ bèi bèi,for generations; from generation to generation -祖祠,zǔ cí,shrine dedicated to one's ancestors -祖籍,zǔ jí,ancestral hometown; original domicile (and civil registration) -祖系,zǔ xì,ancestry; lineage; pedigree; also written 祖係|祖系 -祖语,zǔ yǔ,proto-language; parent language (linguistics) -祖辈,zǔ bèi,ancestors; forefathers; ancestry -祖马,zǔ mǎ,"Zuma (name); Jacob Zuma (1942-), South African ANC politician, vice-president 1999-2005, president 2009-2018" -祖鲁,zǔ lǔ,Zulu -祖鲁人,zǔ lǔ rén,Zulu people -祖鸟,zǔ niǎo,dinosaur ancestor of birds -祖鸟类,zǔ niǎo lèi,dinosaur ancestors of birds -祗,zhī,respectful (ly) -祘,suàn,"variant of 算[suan4], to calculate" -祚,zuò,blessing; the throne -祛,qū,sacrifice to drive away calamity; to dispel; to drive away; to remove -祛寒,qū hán,to dispel cold (TCM) -祛淤,qū yū,variant of 祛瘀[qu1 yu1] -祛疑,qū yí,to dispel doubts -祛痰,qū tán,to dispel phlegm (TCM) -祛痰药,qū tán yào,medicine to dispel phlegm (TCM) -祛瘀,qū yū,to dispel blood stasis (TCM) -祛邪,qū xié,to exorcise; to drive away evil spirits -祛邪除灾,qū xié chú zāi,to drive away demons to prevent calamity (idiom) -祛除,qū chú,to dispel; to clear -祛风,qū fēng,"to relieve (cold, rheumatic pain etc); lit. to dispel pathogenic wind (TCM)" -祛魅,qū mèi,disenchantment (as in Max Weber's sociological theory) -祜,hù,celestial blessing -祝,zhù,surname Zhu -祝,zhù,"to pray for; to wish (sb bon voyage, happy birthday etc); person who invokes the spirits during sacrificial ceremonies" -祝允明,zhù yǔn míng,"Zhu Yunming (1460-1526), Ming dynasty calligrapher" -祝寿,zhù shòu,to offer birthday congratulations (to an elderly person) -祝好,zhù hǎo,wish you all the best! (when signing off on a correspondence) -祝枝山,zhù zhī shān,"Zhu Zhishan (1460-1526), Ming calligrapher and poet, one of Four great southern talents of the Ming 江南四大才子" -祝福,zhù fú,blessings; to wish sb well -祝祷,zhù dǎo,to pray -祝融,zhù róng,"Zhurong, god of fire in Chinese mythology" -祝融号,zhù róng hào,"the ""Zhurong"" Chinese Mars rover, landed on the planet in 2021" -祝谢,zhù xiè,to give thanks -祝贺,zhù hè,to congratulate; congratulations; CL:個|个[ge4] -祝贺词,zhù hè cí,congratulatory speech -祝酒,zhù jiǔ,to drink a toast -祝酒词,zhù jiǔ cí,short speech given in proposing a toast -祝酒辞,zhù jiǔ cí,short speech given in proposing a toast -祝颂,zhù sòng,to express good wishes -祝愿,zhù yuàn,to wish -祝发,zhù fà,to cut one's hair (as part of a minority ritual or in order to become a monk) -神,shén,God -神,shén,god; deity; supernatural; magical; mysterious; spirit; mind; energy; lively; expressive; look; expression; (coll.) awesome; amazing -神不守舍,shén bù shǒu shè,abstracted; drifting off; restless -神不知鬼不觉,shén bù zhī guǐ bù jué,top secret; hush-hush -神乎其技,shén hū qí jì,(idiom) brilliant; extremely skillful; virtuosic -神交,shén jiāo,soul brothers; friends in spirit who have never met; to commune with -神人,shén rén,God; deity -神仙,shén xiān,"Daoist immortal; supernatural entity; (in modern fiction) fairy, elf, leprechaun etc; fig. lighthearted person" -神似,shén sì,similar in expression and spirit; to bear a remarkable resemblance to -神位,shén wèi,spirit tablet; ancestral tablet -神佛,shén fó,Gods and Buddhas -神作,shén zuò,(slang) masterpiece -神伤,shén shāng,depressed; dispirited; dejected -神像,shén xiàng,likeness of a god or Buddha; (old) portrait of the deceased -神入,shén rù,(psychology) empathy; to empathize with -神出鬼没,shén chū guǐ mò,lit. to appear and disappear unpredictably like a spirit or a ghost (idiom); fig. elusive -神力,shén lì,occult force; the power of a God or spirit -神功,shén gōng,amazing powers; miraculous skill -神勇,shén yǒng,extraordinarily brave; heroic -神劳形瘁,shén láo xíng cuì,to be completely drained both emotionally and physically (idiom) -神化,shén huà,to make divine; apotheosis -神器,shén qì,magical object; object symbolic of imperial power; fine weapon; very useful tool -神奇,shén qí,magical; mystical; miraculous -神奇宝贝,shén qí bǎo bèi,"Pokémon or Pocket Monsters, popular Japanese video game, anime and manga" -神奈川,shén nài chuān,"Kanagawa, Japan" -神奈川县,shén nài chuān xiàn,"Kanagawa prefecture, Japan" -神奥,shén ào,mysterious; an enigma -神女,shén nǚ,"The Goddess, 1934 silent film about a Shanghai prostitute, directed by 吳永剛|吴永刚[Wu2 Yong3 gang1]" -神女,shén nǚ,goddess; prostitute (slang) -神女峰,shén nǚ fēng,name of a peak by the Three Gorges 長江三峽|长江三峡[Chang2 Jiang1 San1 xia2] -神妙,shén miào,marvelous; wondrous -神妙隽美,shén miào juàn měi,outstanding and elegant; remarkable and refined -神学,shén xué,theological; theology -神学士,shén xué shì,student of theology; Bachelor of Divinity; Taleban (Farsi: student) -神学家,shén xué jiā,theologian -神学研究所,shén xué yán jiū suǒ,seminary -神学院,shén xué yuàn,seminary -神家园,shén jiā yuán,spiritual home -神山,shén shān,sacred mountain -神冈,shén gāng,"Shenkang Township in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -神冈乡,shén gāng xiāng,"Shenkang Township in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -神州,shén zhōu,old name for China -神工鬼斧,shén gōng guǐ fǔ,supernaturally fine craft (idiom); the work of the Gods; uncanny workmanship; superlative craftsmanship -神差鬼使,shén chāi guǐ shǐ,the work of gods and devils (idiom); unexplained event crying out for a supernatural explanation; curious coincidence -神庙,shén miào,temple -神往,shén wǎng,to be fascinated; to be rapt; to long for; to dream of -神志,shén zhì,consciousness; state of mind; compos mentis -神志不清,shén zhì bù qīng,to be delirious; to be mentally confused -神志昏迷,shén zhì hūn mí,to be in a state of delirium -神思,shén sī,state of mind -神思恍惚,shén sī huǎng hū,abstracted; absent-minded; in a trance -神性,shén xìng,divinity -神怪,shén guài,spirits and devils (usually harmful); demon -神情,shén qíng,look; expression -神态,shén tài,appearance; manner; bearing; deportment; look; expression; mien -神慰,shén wèi,spiritual consolation -神憎鬼厌,shén zēng guǐ yàn,(idiom) despicable; loathsome -神户,shén hù,"Kōbe, major Japanese port near Ōsaka" -神探,shén tàn,master sleuth; lit. miraculous detective; cf Sherlock Holmes 福爾摩斯|福尔摩斯[Fu2 er3 mo2 si1] or Di Renjie 狄仁傑|狄仁杰[Di2 Ren2 jie2] -神明,shén míng,deities; gods -神智,shén zhì,mind; wisdom; consciousness -神曲,shén qǔ,The Divine Comedy by Dante Alighieri 但丁 -神曲,shén qū,medicated leaven (used in TCM to treat indigestion) -神木,shén mù,"Shenmu County in Yulin 榆林[Yu2 lin2], Shaanxi" -神木县,shén mù xiàn,"Shenmu County in Yulin 榆林[Yu2 lin2], Shaanxi" -神枯,shén kū,spiritual desolation -神格,shén gé,Godhead -神机妙算,shén jī miào suàn,divine strategy and wonderful planning (idiom); clever scheme; supremely clever in his schemes -神权,shén quán,divine right (of kings) -神权政治,shén quán zhèng zhì,theocracy -神权统治,shén quán tǒng zhì,theocracy -神殿,shén diàn,shrine -神气,shén qì,expression; manner; vigorous; impressive; lofty; pretentious -神气活现,shén qì huó xiàn,arrogant appearance; smug appearance; to act condescending; to put on airs -神池,shén chí,"Shenchi county in Xinzhou 忻州[Xin1 zhou1], Shanxi" -神池县,shén chí xiàn,"Shenchi county in Xinzhou 忻州[Xin1 zhou1], Shanxi" -神治,shén zhì,theocratic; theocracy -神治国,shén zhì guó,theocracy; also written 神權統治|神权统治[shen2 quan2 tong3 zhi4] or 神權政治|神权政治[shen2 quan2 zheng4 zhi4] -神清气爽,shén qīng qì shuǎng,(idiom) full of vitality; relaxed and alert -神游,shén yóu,to go on a mental journey -神汉,shén hàn,sorcerer -神父,shén fu,father (Catholic or Orthodox priest) -神兽,shén shòu,mythological animal -神甫,shén fu,variant of 神父[shen2 fu5] -神异,shén yì,magical; miraculous; mystical -神社,shén shè,shrine -神祇,shén qí,god; deity -神秘莫测,shén mì mò cè,mystery; unfathomable; enigmatic -神祖,shén zǔ,Godhead -神神叨叨,shén shen dāo dāo,see 神神道道[shen2 shen5 dao4 dao4] -神神道道,shén shen dào dào,odd; weird; abnormal -神祠,shén cí,shrine -神秘,shén mì,mysterious; mystery -神秘主义,shén mì zhǔ yì,mysticism -神童,shén tóng,child prodigy -神笔,shén bǐ,lit. divine pen; fig. outstanding writing -神经,shén jīng,nerve; mental state; (coll.) unhinged; nutjob -神经元,shén jīng yuán,neuron -神经元网,shén jīng yuán wǎng,neural network -神经原,shén jīng yuán,neuron; also written 神經元|神经元 -神经外科,shén jīng wài kē,neurosurgery -神经大条,shén jīng dà tiáo,thick-skinned; insensitive -神经失常,shén jīng shī cháng,mental aberration; nervous abnormality -神经学,shén jīng xué,neurology -神经学家,shén jīng xué jiā,neurologist -神经官能症,shén jīng guān néng zhèng,neurosis -神经性,shén jīng xìng,neural; mental; neurological -神经性毒剂,shén jīng xìng dú jì,nerve agent; nerve gas -神经性视损伤,shén jīng xìng shì sǔn shāng,neurological visual impairment (NVI) -神经毒素,shén jīng dú sù,neurotoxin -神经氨酸酶,shén jīng ān suān méi,neuraminidase (the N of virus such as bird flu H5N1) -神经生物学,shén jīng shēng wù xué,neurobiology -神经病,shén jīng bìng,mental disorder; neuropathy; (derog.) mental case -神经症,shén jīng zhèng,neurosis -神经痛,shén jīng tòng,neuralgia (medicine) -神经科,shén jīng kē,neurology department -神经突,shén jīng tū,nerve process -神经管,shén jīng guǎn,neural tube (embryology) -神经节,shén jīng jié,(anatomy) ganglion -神经系统,shén jīng xì tǒng,nervous system -神经索,shén jīng suǒ,nerve cord -神经细胞,shén jīng xì bāo,nerve cell; neuron -神经网,shén jīng wǎng,neural net -神经网络,shén jīng wǎng luò,neural network -神经网路,shén jīng wǎng lù,neural network (artificial or biological) -神经纤维,shén jīng xiān wéi,neurofibril -神经纤维瘤,shén jīng xiān wéi liú,neurofibroma -神经胶质,shén jīng jiāo zhì,glial cell; neuroglia -神经胶质细胞,shén jīng jiāo zhì xì bāo,glial cell (provide support to neuron); neuroglia -神经衰弱,shén jīng shuāi ruò,(euphemism) mental illness; psychasthenia -神经质,shén jīng zhì,nervous; on edge; excitable; neurotic -神经过敏,shén jīng guò mǐn,jumpy; nervous; oversensitive -神圣,shén shèng,divine; hallow; holy; sacred -神圣不可侵犯,shén shèng bù kě qīn fàn,sacred; inviolable -神圣罗马帝国,shén shèng luó mǎ dì guó,the Holy Roman Empire (history) -神圣周,shén shèng zhōu,Holy week; Easter week (esp. Catholic) -神职,shén zhí,clergy; clerical -神职人员,shén zhí rén yuán,clergy; cleric -神舟,shén zhōu,Shenzhou (spacecraft); Hasee (computer manufacturer) -神舟号飞船,shén zhōu hào fēi chuán,Shenzhou (spacecraft) -神舟电脑,shén zhōu diàn nǎo,Hasee (computer manufacturer) -神色,shén sè,expression; look -神话,shén huà,legend; fairy tale; myth; mythology -神话故事,shén huà gù shi,mythical story; myth -神谕,shén yù,oracle -神谱,shén pǔ,list of Gods and Immortals; pantheon -神迹,shén jì,miracle -神舆,shén yú,mikoshi (Japanese portable Shinto shrine) -神农,shén nóng,"Shennong or Farmer God (c. 2000 BC), first of the legendary Flame Emperors, 炎帝[Yan2 di4] and creator of agriculture" -神农本草经,shén nóng běn cǎo jīng,"Shennong's Compendium of Materia Medica, a Han dynasty pharmacological compendium, 3 scrolls" -神农架,shén nóng jià,"Shennongjialin, directly administered forestry reserve in east Hubei" -神农架地区,shén nóng jià dì qū,"Shennongjialin, directly administered forestry reserve in east Hubei" -神农架林区,shén nóng jià lín qū,"Shennongjialin, directly administered forestry reserve in east Hubei" -神农氏,shén nóng shì,"Shennong or Farmer God (c. 2000 BC), first of the legendary Flame Emperors, 炎帝[Yan2 di4] and creator of agriculture in China; followers or clan of Shennong 神農|神农[Shen2 nong2]" -神通,shén tōng,remarkable ability; magical power -神通广大,shén tōng guǎng dà,(idiom) to possess great magical power; to possess remarkable abilities -神速,shén sù,lightning speed; amazingly rapid; incredible pace of development -神造论,shén zào lùn,creationism -神道,shén dào,Shinto (Japanese religion) -神道教,shén dào jiào,Shinto -神采,shén cǎi,expression; spirit; vigor -神采奕奕,shén cǎi yì yì,in glowing spirits (idiom); bursting with life; radiating health and vigor -神采飞扬,shén cǎi fēi yáng,in high spirits (idiom); glowing with health and vigor -神隐,shén yǐn,to be concealed by supernatural forces; to disappear mysteriously; (fig.) to be out of the public eye -神雕侠侣,shén diāo xiá lǚ,variant of 神鵰俠侶|神雕侠侣[Shen2 diao1 Xia2 lu:3] -神灵,shén líng,god; spirit; demon; occult or supernatural entities in general -神韵,shén yùn,charm or grace (in poetry or art) -神风特攻队,shén fēng tè gōng duì,kamikaze unit (Japanese corps of suicide pilots in World War II) -神风突击队,shén fēng tū jī duì,kamikaze unit (Japanese corps of suicide pilots in World War II) -神马,shén mǎ,mythical horse; Internet slang for 什麼|什么[shen2 me5] -神髓,shén suǐ,lit. spirit and marrow; the essential character -神体,shén tǐ,Godhead -神魂,shén hún,mind; state of mind (often abnormal) -神魂颠倒,shén hún diān dǎo,lit. spirit and soul upside down (idiom); infatuated and head over heels in love; fascinated; captivated -神魔小说,shén mó xiǎo shuō,supernatural novel; novel of ghosts and goblins -神鸟,shén niǎo,supernatural bird -神雕侠侣,shén diāo xiá lǚ,"""The Return of the Condor Heroes"" (1959-61 wuxia novel by Jin Yong 金庸[Jin1 Yong1])" -神龙汽车,shén lóng qì chē,Dongfeng Peugeot Citroën Automobile Company Ltd -神龛,shén kān,shrine; niche; household shrine -祟,suì,evil spirit -祠,cí,shrine; to offer a sacrifice -祠堂,cí táng,ancestral hall; memorial hall -祠墓,cí mù,memorial hall and tomb -祠庙,cí miào,ancestral hall; temple to one's forebears -祢,nǐ,you (used to address a deity) -祥,xiáng,auspicious; propitious -祥光,xiáng guāng,auspicious light -祥和,xiáng hé,auspicious and peaceful -祥瑞,xiáng ruì,auspicious sign -祥云,xiáng yún,"Xiangyun county in Dali Bai autonomous prefecture 大理白族自治州[Da4 li3 Bai2 zu2 zi4 zhi4 zhou1], Yunnan" -祥云,xiáng yún,magic cloud -祥云县,xiáng yún xiàn,"Xiangyun county in Dali Bai autonomous prefecture 大理白族自治州[Da4 li3 Bai2 zu2 zi4 zhi4 zhou1], Yunnan" -祧,tiāo,ancestral hall -票,piào,"ticket; ballot; banknote; CL:張|张[zhang1]; person held for ransom; amateur performance of Chinese opera; classifier for groups, batches, business transactions" -票价,piào jià,ticket price; fare; admission fee -票券,piào quàn,voucher; share; share certificate -票汇,piào huì,draft remittance -票卡,piào kǎ,machine-readable card that serves as a ticket (Tw) -票友,piào yǒu,an amateur actor (e.g. in Chinese opera) -票友儿,piào yǒu er,an amateur actor (e.g. in Chinese opera) -票房,piào fáng,box office -票据,piào jù,"negotiable instrument (draft, note etc); voucher; receipt" -票据法,piào jù fǎ,negotiable instruments act -票数,piào shù,number of votes; poll count -票根,piào gēn,ticket stub -票决,piào jué,to decide by vote -票活,piào huó,to work as amateur for no pay -票源,piào yuán,(Tw) voter base -票站,piào zhàn,polling station -票箱,piào xiāng,ballot box -票庄,piào zhuāng,money shop (ancient form of banking business) -票证,piào zhèng,a ticket; a pass (e.g. to enter a building) -票贩子,piào fàn zi,ticket scalper -票选,piào xuǎn,to vote by ballot -票面值,piào miàn zhí,par value; face value (of a bond) -祭,zhài,surname Zhai -祭,jì,to offer a sacrifice to (gods or ancestors); memorial ceremony; (in classical novels) to recite an incantation to activate a magic weapon; (lit. and fig.) to wield -祭典,jì diǎn,sacrificial ceremony; religious festival -祭出,jì chū,"to brandish (a figurative weapon, i.e. some measure intended to deal with the situation); to resort to (some tactic)" -祭司,jì sī,priest -祭司权术,jì sī quán shù,priestcraft -祭品,jì pǐn,offering -祭器,jì qì,ritual dishes; sacrificial vessels -祭坛,jì tán,altar -祭奠,jì diàn,to offer sacrifices (to one's ancestors); to hold or attend a memorial service -祭孔,jì kǒng,to offer sacrifices to Confucius -祭吊,jì diào,to mourn and offer prayers -祭拜,jì bài,to offer sacrifice (to one's ancestors) -祭文,jì wén,funeral oration; eulogy; elegiac address -祭灶,jì zào,to offer sacrifices to the kitchen god -祭物,jì wù,sacrifices -祭牲,jì shēng,sacrificial animal -祭祀,jì sì,to offer sacrifices to the gods or ancestors -祭祖,jì zǔ,to offer sacrifices to one's ancestors -祭礼,jì lǐ,sacrificial offerings; worship; religious rite -祭赛,jì sài,to give sacrifice -祭酒,jì jiǔ,to offer a libation; person who performs the libation before a banquet; senior member of a profession; important government post in imperial China -祺,qí,"auspicious; propitious; good luck; felicity; euphoria; used for 旗, e.g. in 旗袍, long Chinese dress" -禄,lù,good fortune; official salary -禄位,lù wèi,official rank and salary -禄俸,lù fèng,official pay -禄劝,lù quàn,Luquan Yizu Miaozu autonomous county in Yunnan -禄劝彝族苗族自治县,lù quàn yí zú miáo zú zì zhì xiàn,"Luquan Yi and Miao autonomous county in Kunming 昆明[Kun1 ming2], Yunnan" -禄劝县,lù quàn xiàn,"Luquan Yi and Miao autonomous county in Kunming 昆明[Kun1 ming2], Yunnan" -禄命,lù mìng,person's lot through life -禄星,lù xīng,Star God of Rank and Affluence (Daoism) -禄秩,lù zhì,official rank and pay -禄籍,lù jí,good fortune and reputation -禄蠹,lù dù,sinecurist -禄丰,lù fēng,"Lufeng County in Chuxiong Yi Autonomous Prefecture 楚雄彞族自治州|楚雄彝族自治州[Chu3 xiong2 Yi2 zu2 Zi4 zhi4 zhou1], Yunnan" -禄丰县,lù fēng xiàn,"Lufeng County in Chuxiong Yi Autonomous Prefecture 楚雄彞族自治州|楚雄彝族自治州[Chu3 xiong2 Yi2 zu2 Zi4 zhi4 zhou1], Yunnan" -禄食,lù shí,official pay -禄养,lù yǎng,to support sb with official pay -禄饵,lù ěr,official pay as bait (for talent) -禁,jīn,to endure -禁,jìn,to prohibit; to forbid -禁不住,jīn bu zhù,can't help it; can't bear it -禁不起,jīn bu qǐ,to be unable to stand -禁令,jìn lìng,prohibition; ban -禁伐,jìn fá,a ban on logging -禁制,jìn zhì,to control; to restrict; to prohibit; prohibition; restriction -禁制令,jìn zhì lìng,prohibition; ban; law forbidding sth -禁区,jìn qū,restricted area; forbidden region -禁受,jīn shòu,to stand; to endure -禁品,jìn pǐn,contraband goods -禁售,jìn shòu,to ban the sale of -禁地,jìn dì,forbidden area; restricted area; (fig.) sth considered off-limits -禁夜,jìn yè,curfew -禁忌,jìn jì,taboo; contraindication (medicine); to abstain from -禁忌语,jìn jì yǔ,taboo language -禁欲,jìn yù,to suppress desire; self-restraint; asceticism -禁欲主义,jìn yù zhǔ yì,asceticism -禁戒,jìn jiè,to abstain from; to prohibit (certain foods etc) -禁书,jìn shū,banned book -禁果,jìn guǒ,forbidden fruit (esp. premarital sex) -禁止,jìn zhǐ,to prohibit; to forbid; to ban -禁止令行,jìn zhǐ lìng xíng,see 令行禁止[ling4 xing2 jin4 zhi3] -禁止吸烟,jìn zhǐ xī yān,No smoking! -禁止外出,jìn zhǐ wài chū,to forbid sb to go out; to curfew; to ground (as disciplinary measure) -禁止核武器试验条约,jìn zhǐ hé wǔ qì shì yàn tiáo yuē,nuclear test ban treaty -禁止驶入,jìn zhǐ shǐ rù,Do not enter! (road sign) -禁毒,jìn dú,drug prohibition -禁渔,jìn yú,ban on fishing -禁演,jìn yǎn,to ban (a play or movie) -禁烟,jìn yān,to ban smoking; to quit smoking; to prohibit cooking; prohibition on opium (esp. in China from 1729) -禁用,jīn yòng,to withstand heavy use; durable -禁用,jìn yòng,to prohibit the use of sth; to ban; (computing) to disable -禁绝,jìn jué,to totally prohibit; to put an end to -禁脔,jìn luán,exclusive property; forbidden domain -禁药,jìn yào,drugs ban (e.g. for athletes) -禁卫,jìn wèi,defense of the imperial palace or of the capital; the palace guard (or a member of that unit) -禁卫军,jìn wèi jūn,imperial guard -禁见,jìn jiàn,to deny a detainee visitation privileges -禁语,jìn yǔ,taboo (word); unmentionable word -禁赛,jìn sài,to ban (an athlete) from competitions -禁足,jìn zú,"to forbid sb to go out; to confine to one location (e.g. student, soldier, prisoner, monk etc); to ground (as disciplinary measure); to gate; to curfew; restriction on movement; ban on visiting a place; out of bounds; off limits; caveat" -禁军,jìn jūn,imperial guard -禁运,jìn yùn,embargo; export ban (e.g. on weapons) -禁酒,jìn jiǔ,prohibition; ban on alcohol; dry law -禁酒令,jìn jiǔ lìng,prohibition; ban on alcohol -禁锢,jìn gù,to confine; to imprison; prohibition; shackles; fetters -禁食,jìn shí,to fast; to abstain from eating; to forbid the eating of (certain foods); a fast -禊,xì,semiannual ceremony of purification -祸,huò,disaster; misfortune; calamity -祸不单行,huò bù dān xíng,misfortune does not come singly (idiom); it never rains but it pours -祸不旋踵,huò bù xuán zhǒng,trouble is never far away (idiom) -祸乱,huò luàn,calamity and chaos; devastating disorder; great turmoil -祸事,huò shì,disaster; doom -祸及,huò jí,to bring disaster upon -祸国殃民,huò guó yāng mín,to damage the country and cause suffering to the people (idiom) -祸害,huò hài,disaster; harm; scourge; bad person; to damage; to harm; to wreck -祸从口出,huò cóng kǒu chū,Trouble issues from the mouth (idiom). A loose tongue may cause a lot of trouble. -祸患,huò huàn,disaster; calamity -祸根,huò gēn,root of the trouble; cause of the ruin -祸水,huò shuǐ,source of calamity (esp. of women) -祸福,huò fú,disaster and happiness -祸福吉凶,huò fú jí xiōng,fate; portent; luck or disasters as foretold in the stars (astrology) -祸福无常,huò fú wú cháng,disaster and happiness do not follow rules (idiom); future blessings and misfortunes are unpredictable -祸福与共,huò fú yǔ gòng,to stick together through thick and thin (idiom) -祸首,huò shǒu,chief offender; main culprit -祸首罪魁,huò shǒu zuì kuí,"main offender, criminal ringleader (idiom); main culprit; fig. main cause of a disaster" -祯,zhēn,auspicious; lucky -福,fú,surname Fu; abbr. for Fujian province 福建省[Fu2jian4 sheng3] -福,fú,good fortune; happiness; luck -福佬,fú lǎo,Hoklo -福克,fú kè,Fock or Foch (name) -福克斯,fú kè sī,Fox (media company); Focus (car manufactured by Ford) -福克纳,fú kè nà,"William Faulkner (1897-1962), American novelist and poet" -福克兰群岛,fú kè lán qún dǎo,Falkland Islands -福分,fú fen,one's happy lot; good fortune -福利,fú lì,material benefit; benefit in kind; (social) welfare -福利事业,fú lì shì yè,welfare services -福利品,fú lì pǐn,reconditioned or showroom item -福利政策,fú lì zhèng cè,welfare policy -福利院,fú lì yuàn,welfare agency -福地,fú dì,happy land; paradise -福报,fú bào,karmic reward (Buddhism) -福寿,fú shòu,happiness and longevity -福寿绵长,fú shòu mián cháng,good luck and long life -福寿螺,fú shòu luó,giant Amazon snail (Ampullaria gigas spix) that has devastated rice paddies in China since its introduction in the 1980s -福如东海,fú rú dōng hǎi,may your happiness be as immense as the East Sea (idiom) -福委会,fú wěi huì,welfare committee; abbr. for 福利委員會|福利委员会 -福娃,fú wá,Fuwa (official 2008 Olympic mascots) -福安,fú ān,"Fu'an, county-level city in Ningde 寧德|宁德[Ning2 de2], Fujian" -福安市,fú ān shì,"Fu'an, county-level city in Ningde 寧德|宁德[Ning2 de2], Fujian" -福山,fú shān,"Fushan district of Yantai city 煙台市|烟台市, Shandong" -福山区,fú shān qū,"Fushan district of Yantai city 煙台市|烟台市, Shandong" -福冈,fú gāng,"Fukuoka, capital city of Fukuoka Prefecture in Kyushu, Japan; Fukuoka Prefecture, Japan" -福冈县,fú gāng xiàn,"Fukuoka Prefecture, Japan" -福岛,fú dǎo,Fukushima (Japanese surname and place name) -福岛县,fú dǎo xiàn,Fukushima prefecture in north Japan -福州,fú zhōu,Fuzhou prefecture-level city and capital of Fujian province in east China; formerly known as Foochow or Fuchow -福州市,fú zhōu shì,Fuzhou prefecture-level city and capital of Fujian province in east China; formerly known as Foochow or Fuchow -福布斯,fú bù sī,Forbes (US publisher); Forbes magazine -福建,fú jiàn,"Fujian province (Fukien) in east China, abbr. 福 or 閩|闽, capital Fuzhou 福州; Fujian province (Fukien) in Taiwan" -福建省,fú jiàn shěng,"Fujian province (Fukien) in east China, abbr. 閩|闽, capital Fuzhou 福州; Fujian province (Fukien) in Taiwan" -福彩,fú cǎi,"lottery run by China Welfare Lottery, a government agency that uses a portion of the money from ticket sales to fund welfare projects (abbr. for 福利彩票[fu2 li4 cai3 piao4])" -福摩萨,fú mó sà,Formosa -福斯,fú sī,(Tw) Volkswagen (car manufacturer); Fox Entertainment Group -福斯塔夫,fú sī tǎ fū,Falstaff (Shakespearian character) -福斯特,fú sī tè,"Foster or Forster (name); Stephen Collins Foster (1826-1864), American composer" -福星,fú xīng,mascot; lucky star -福星高照,fú xīng gāo zhào,lucky star in the ascendant (idiom); a lucky sign -福晋,fú jìn,"in Qing dynasty, Manchurian word for wife" -福林,fú lín,forint (Hungarian currency) (loanword) -福柯,fú kē,"Michel Foucault (1926-1984), French philosopher" -福楼拜,fú lóu bài,"Gustave Flaubert (1821-1880), French realist novelist, author of Madame Bovary" -福气,fú qi,good fortune; a blessing -福泉,fú quán,"Fuquan, county-level city in Qiannan Buyei and Miao autonomous prefecture 黔南州[Qian2 nan2 zhou1], Guizhou" -福泉市,fú quán shì,"Fuquan, county-level city in Qiannan Buyei and Miao autonomous prefecture 黔南州[Qian2 nan2 zhou1], Guizhou" -福海,fú hǎi,"Fuhai county or Burultoqay nahiyisi in Altay prefecture 阿勒泰地區|阿勒泰地区[A1 le4 tai4 di4 qu1], Xinjiang" -福海县,fú hǎi xiàn,"Fuhai county or Burultoqay nahiyisi in Altay prefecture 阿勒泰地區|阿勒泰地区[A1 le4 tai4 di4 qu1], Xinjiang" -福清,fú qīng,"Fuqing, a county-level city in Fuzhou City 福州市[Fu2zhou1 Shi4], Fujian" -福清市,fú qīng shì,"Fuqing, a county-level city in Fuzhou City 福州市[Fu2zhou1 Shi4], Fujian" -福泽,fú zé,good fortune -福泽谕吉,fú zé yù jí,"Fukuzawa Yukichi (1835-1901), prominent Japanese Westernizer, liberal educator and founder of Keio University" -福无双至,fú wú shuāng zhì,(idiom) blessings never come in pairs -福煦,fú xù,"Ferdinand Foch (1851-1929), leading French general and commander-in-chief of allied forces in the latter stages of World War One" -福尔,fú ěr,"Félix Faure (1841-1899), president of France 1895-1899" -福尔摩斯,fú ěr mó sī,"Sherlock Holmes, 歇洛克·福爾摩斯|歇洛克·福尔摩斯[Xie1 luo4 ke4 · Fu2 er3 mo2 si1]" -福尔摩沙,fú ěr mó shā,Formosa (Tw) -福特,fú tè,"Ford (name); Ford, US car make" -福特汽车,fú tè qì chē,Ford Motor Company -福田,fú tián,"Futian district of Shenzhen City 深圳市, Guangdong; Fukuda (Japanese surname)" -福田,fú tián,field for growing happiness; domain for practices leading to enlightenment (Buddhism) -福田区,fú tián qū,"Futian district of Shenzhen City 深圳市, Guangdong" -福田康夫,fú tián kāng fū,"FUKUDA Yasuo (1936-), Japanese LDP politician, prime minister 2007-2008" -福相,fú xiàng,facial expression of good fortune; joyous and contented look -福祉,fú zhǐ,well-being; welfare -福禄贝尔,fú lù bèi ěr,"surname Fröbel or Froebel; Friedrich Wilhelm August Fröbel (1782-1852), German pedagogue" -福科,fú kē,"Michel Foucault (1926-1984), French philosopher; also written 福柯[Fu2 ke1]" -福维克,fú wéi kè,Vorwerk (brand) -福兴,fú xīng,"Fuxing or Fuhsing Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -福兴乡,fú xīng xiāng,"Fuxing or Fuhsing Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -福袋,fú dài,"fukubukuro or ""lucky bag"", Japanese New Year custom where merchants offer grab bags containing random products at a steep discount" -福贡,fú gòng,Fugong county in Nujiang Lisu autonomous prefecture 怒江傈僳族自治州[Nu4 jiang1 Li4 su4 zu2 zi4 zhi4 zhou1] in northwest Yunnan -福贡县,fú gòng xiàn,Fugong county in Nujiang Lisu autonomous prefecture 怒江傈僳族自治州[Nu4 jiang1 Li4 su4 zu2 zi4 zhi4 zhou1] in northwest Yunnan -福音,fú yīn,good news; glad tidings; gospel -福音书,fú yīn shū,gospel -福马林,fú mǎ lín,formalin (loanword) -福鼎,fú dǐng,"Fuding, county-level city in Ningde 寧德|宁德[Ning2 de2], Fujian" -福鼎市,fú dǐng shì,"Fuding, county-level city in Ningde 寧德|宁德[Ning2 de2], Fujian" -祎,yī,excellent; precious; rare; fine; (used in given names) -禚,zhuó,place name -禛,zhēn,to receive blessings in a sincere spirit -御,yù,(bound form) to defend; to resist -御夫座,yù fū zuò,Auriga (constellation) -御寒,yù hán,to defend against the cold; to keep warm -御敌,yù dí,armed enemy of the nation; enemy of the Emperor; fig. championship challenger; contender opposing champion in sporting contest -禧,xǐ,joy -禧玛诺,xǐ mǎ nuò,Shimano (brand) -祀,sì,variant of 祀[si4] -禅,chán,dhyana (Sanskrit); Zen; meditation (Buddhism) -禅,shàn,to abdicate -禅位,shàn wèi,to abdicate (as king) -禅修,chán xiū,to practice Zen (esp. meditation) -禅城,chán chéng,see 禪城區|禅城区[Chan2 cheng2 qu1] -禅城区,chán chéng qū,"Chancheng district, Foshan city, Guangdong" -禅堂,chán táng,meditation room (in Buddhist monastery) -禅宗,chán zōng,Zen Buddhism -禅师,chán shī,honorific title for a Buddhist monk -禅房,chán fáng,a room in a Buddhist monastery; a temple -禅杖,chán zhàng,the staff of a Buddhist monk -禅林,chán lín,a Buddhist temple -禅机,chán jī,Buddhist allegorical word or gesture; subtleties of Buddhist doctrine -禅让,shàn ràng,to abdicate -禅门五宗,chán mén wǔ zōng,the five schools of Chan Buddhism (idiom) -禅院,chán yuàn,Buddhist hall -礼,lǐ,"surname Li; abbr. for 禮記|礼记[Li3ji4], Classic of Rites" -礼,lǐ,gift; rite; ceremony; CL:份[fen4]; propriety; etiquette; courtesy -礼俗,lǐ sú,etiquette; custom -礼仪,lǐ yí,etiquette; ceremony -礼仪之邦,lǐ yí zhī bāng,a land of ceremony and propriety -礼制,lǐ zhì,etiquette; system of rites -礼券,lǐ quàn,gift voucher; gift coupon -礼包,lǐ bāo,gift bag; gift package -礼品,lǐ pǐn,gift; present -礼器,lǐ qì,ritual object; sacrificial vessel -礼堂,lǐ táng,"assembly hall; auditorium; CL:座[zuo4],處|处[chu4]" -礼坏乐崩,lǐ huài yuè bēng,see 禮崩樂壞|礼崩乐坏[li3 beng1 yue4 huai4] -礼多人不怪,lǐ duō rén bù guài,nobody will find fault with extra courtesy (idiom); courtesy costs nothing -礼尚往来,lǐ shàng wǎng lái,lit. proper behavior is based on reciprocity (idiom); fig. to return politeness for politeness -礼崩乐坏,lǐ bēng yuè huài,rites and music are in ruins (idiom); fig. society in total disarray; cf. 禮樂|礼乐[li3 yue4] -礼帽,lǐ mào,Western-style man's hat -礼废乐崩,lǐ fèi yuè bēng,see 禮崩樂壞|礼崩乐坏[li3 beng1 yue4 huai4] -礼拜,lǐ bài,to attend a religious service; (coll.) week; (coll.) Sunday -礼拜一,lǐ bài yī,Monday -礼拜三,lǐ bài sān,Wednesday -礼拜二,lǐ bài èr,Tuesday -礼拜五,lǐ bài wǔ,Friday -礼拜仪式,lǐ bài yí shì,liturgical -礼拜六,lǐ bài liù,Saturday -礼拜四,lǐ bài sì,Thursday -礼拜堂,lǐ bài táng,chapel; church (Protestant) -礼拜天,lǐ bài tiān,Sunday -礼拜日,lǐ bài rì,Sunday -礼教,lǐ jiào,Confucian code of ethics -礼教吃人,lǐ jiào chī rén,sufferings brought about by Confucian ethics -礼数,lǐ shù,etiquette; (old) gradation of etiquette with social status -礼服,lǐ fú,"ceremonial robe; formal attire (dinner suit, evening gown etc)" -礼乐,lǐ yuè,(Confucianism) rites and music (the means of regulating society) -礼乐崩坏,lǐ yuè bēng huài,see 禮崩樂壞|礼崩乐坏[li3 beng1 yue4 huai4] -礼泉,lǐ quán,"Liquan County in Xianyang 咸陽|咸阳[Xian2 yang2], Shaanxi" -礼泉县,lǐ quán xiàn,"Liquan County in Xianyang 咸陽|咸阳[Xian2 yang2], Shaanxi" -礼法,lǐ fǎ,etiquette; ceremonial rites -礼炮,lǐ pào,gun salute (e.g. 21-gun salute); salvo -礼炮号,lǐ pào hào,"Salyut (salute), Russian spacecraft series" -礼物,lǐ wù,"gift; present; CL:件[jian4],個|个[ge4],份[fen4]" -礼节,lǐ jié,etiquette -礼经,lǐ jīng,Classic of Rites (same as 禮記|礼记[Li3 ji4]) -礼县,lǐ xiàn,"Li county in Longnan 隴南|陇南[Long3 nan2], Gansu" -礼义,lǐ yì,righteousness; justice -礼义廉耻,lǐ yì lián chǐ,"sense of propriety, justice, integrity and honor (i.e. the four social bonds, 四維|四维[si4 wei2])" -礼花,lǐ huā,fireworks -礼记,lǐ jì,Classic of Rites -礼让,lǐ ràng,to show consideration for (others); to yield to (another vehicle etc); courtesy; comity -礼赞,lǐ zàn,"to praise; well done, bravo!" -礼貌,lǐ mào,courtesy; politeness; manners; courteous; polite -礼宾,lǐ bīn,protocol; official etiquette -礼宾员,lǐ bīn yuán,concierge -礼宾部,lǐ bīn bù,concierge department of a hotel or resort -礼贤下士,lǐ xián xià shì,respect for the wise -礼轻人意重,lǐ qīng rén yì zhòng,"slight present but weighty meaning (idiom); It's not the present the counts, it's the thought behind it." -礼轻情意重,lǐ qīng qíng yì zhòng,"goose feather sent from afar, a trifling present with a weighty thought behind it (idiom); It's not the gift that counts, but the thought behind it." -礼遇,lǐ yù,courtesy; deferential treatment; polite reception -礼部,lǐ bù,Ministry of (Confucian) Rites (in imperial China) -礼部尚书,lǐ bù shàng shū,Director of Board of Rites (Confucian) -礼金,lǐ jīn,monetary gift -祢,mí,surname Mi -祢,mí,memorial tablet in a temple commemorating a deceased father -祷,dǎo,prayer; pray; supplication -祷告,dǎo gào,to pray; prayer -祷念,dǎo niàn,to pray; to say one's prayers -祷文,dǎo wén,litany (text of a prayer) -祷祝,dǎo zhù,to pray (for sth) -祷词,dǎo cí,litany (text of a prayer) -禳,ráng,sacrifice for avoiding calamity -禳解,ráng jiě,to pray to the gods for the avoidance of a misfortune -禸,róu,trample -禹,yǔ,"Yu the Great (c. 21st century BC), mythical leader who tamed the floods; surname Yu" -禹城,yǔ chéng,"Yucheng, county-level city in Dezhou 德州[De2 zhou1], Shandong" -禹城市,yǔ chéng shì,"Yucheng, county-level city in Dezhou 德州[De2 zhou1], Shandong" -禹州,yǔ zhōu,"Yuzhou, county-level city in Xuchang 許昌市|许昌市[Xu3 chang1 shi4], Henan" -禹州市,yǔ zhōu shì,"Yuzhou, county-level city in Xuchang 許昌市|许昌市[Xu3 chang1 shi4], Henan" -禹会,yǔ huì,"Yuhui, a district of Bengbu City 蚌埠市[Beng4bu4 Shi4], Anhui" -禹会区,yǔ huì qū,"Yuhui, a district of Bengbu City 蚌埠市[Beng4bu4 Shi4], Anhui" -禹王台,yǔ wáng tái,"Yuwangtai district of Kaifeng city 開封市|开封市[Kai1 feng1 shi4], Henan" -禹王台区,yǔ wáng tái qū,"Yuwangtai district of Kaifeng city 開封市|开封市[Kai1 feng1 shi4], Henan" -禺,ǒu,archaic variant of 偶[ou3] -禺,yú,(archaic) district; (old) type of monkey -离,chī,mythical beast (archaic) -禽,qín,generic term for birds and animals; birds; to capture (old) -禽流感,qín liú gǎn,bird flu; avian influenza -禽兽,qín shòu,birds and animals; creature; beast (brutal person) -禽兽不如,qín shòu bù rú,worse than a beast; to behave immorally -禽畜,qín chù,poultry and livestock -禽蛋,qín dàn,bird eggs -禽类,qín lèi,bird species; birds -禽鸟,qín niǎo,birds; fowl -禽龙,qín lóng,iguanodon -禾,hé,cereal; grain -禾场,hé cháng,threshing floor -禾木科,hé mù kē,"gramineae (family including bamboo, cereals, rice)" -禾本科,hé běn kē,"Graminae or Poaceae, the grass family" -禾秆,hé gǎn,straw -禾稻,hé dào,paddy (rice) -禾谷,hé gǔ,cereal; food grain -禾苗,hé miáo,seedling (of rice or other grain); CL:棵[ke1] -禾草,hé cǎo,grass -秃,tū,bald (lacking hair or feathers); barren; bare; denuded; blunt (lacking a point); (of a piece of writing) unsatisfactory; lacking something -秃子,tū zi,bald-headed person; baldy -秃宝盖,tū bǎo gài,"name of ""cover"" radical in Chinese characters (Kangxi radical 14); see also 冖[mi4]" -秃瓢,tū piáo,bald head (colloquial) -秃疮,tū chuāng,(dialect) favus of the scalp (skin disease) -秃发,tū fā,a branch of the Xianbei 鮮卑|鲜卑 nomadic people -秃顶,tū dǐng,bald head -秃头,tū tóu,to bare one's head; to be bareheaded; to go bald; bald head; bald person -秃驴,tū lǘ,(derog.) Buddhist monk -秃鹫,tū jiù,vulture; (bird species of China) cinereous vulture (Aegypius monachus) -秃鹰,tū yīng,condor; bald eagle -秃鹳,tū guàn,(bird species of China) lesser adjutant (Leptoptilos javanicus) -秃鼻乌鸦,tū bí wū yā,(bird species of China) rook (Corvus frugilegus) -秀,xiù,(bound form) refined; elegant; graceful; beautiful; (bound form) superior; excellent; (loanword) show; (literary) to grow; to bloom; (of grain crops) to produce ears -秀场,xiù chǎng,live show venue -秀外惠中,xiù wài huì zhōng,variant of 秀外慧中[xiu4 wai4 hui4 zhong1] -秀外慧中,xiù wài huì zhōng,good-looking and intelligent (idiom) -秀山,xiù shān,Xiushan Tujia and Miao Autonomous County in Chongqing 重慶|重庆[Chong2qing4] -秀山土家族苗族自治县,xiù shān tǔ jiā zú miáo zú zì zhì xiàn,Xiushan Tujia and Miao Autonomous County in Chongqing 重慶|重庆[Chong2qing4] -秀山县,xiù shān xiàn,Xiushan Tujia and Miao Autonomous County in Chongqing 重慶|重庆[Chong2qing4] -秀峰,xiù fēng,"Xiufeng district of Guilin city 桂林市[Gui4 lin2 shi4], Guangxi" -秀峰区,xiù fēng qū,"Xiufeng district of Guilin city 桂林市[Gui4 lin2 shi4], Guangxi" -秀屿,xiù yǔ,"Xiuyu, a district of Putian City 莆田市[Pu2tian2 Shi4], Fujian" -秀屿区,xiù yǔ qū,"Xiuyu, a district of Putian City 莆田市[Pu2tian2 Shi4], Fujian" -秀恩爱,xiù ēn ài,to make a public display of affection -秀才,xiù cai,a person who has passed the county level imperial exam (historical); scholar; skillful writer; fine talent -秀林,xiù lín,"Xiulin or Hsiulin township in Hualien County 花蓮縣|花莲县[Hua1 lian2 Xian4], east Taiwan" -秀林乡,xiù lín xiāng,"Xiulin or Hsiulin township in Hualien County 花蓮縣|花莲县[Hua1 lian2 Xian4], east Taiwan" -秀气,xiù qi,delicate; graceful -秀水,xiù shuǐ,"Xiushui or Hsiushui Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -秀水乡,xiù shuǐ xiāng,"Xiushui or Hsiushui Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -秀洲,xiù zhōu,"Xiuzhou district of Jiaxing city 嘉興市|嘉兴市[Jia1 xing1 shi4], Zhejiang" -秀洲区,xiù zhōu qū,"Xiuzhou district of Jiaxing city 嘉興市|嘉兴市[Jia1 xing1 shi4], Zhejiang" -秀美,xiù měi,elegant; graceful -秀色可餐,xiù sè kě cān,a feast for the eyes (idiom); (of women) gorgeous; graceful; (of scenery) beautiful -秀色孙鲽,xiù sè sūn dié,yellowtail -秀英,xiù yīng,"Xiuying district of Haikou city 海口市[Hai3 kou3 shi4], Hainan" -秀英区,xiù yīng qū,"Xiuying district of Haikou city 海口市[Hai3 kou3 shi4], Hainan" -秀逗,xiù dòu,to short-circuit; (fig.) to have a mental lapse; to get one's wires crossed; to be addled -秀雅,xiù yǎ,exquisite; in good taste -秀发,xiù fà,beautiful hair -秀发垂肩,xiù fà chuí jiān,beautiful shoulder length hair (idiom) -秀丽,xiù lì,pretty; beautiful -私,sī,personal; private; selfish -私下,sī xià,in private -私了,sī liǎo,to settle privately; to solve behind closed doors; to settle out of court -私事,sī shì,personal matters -私交,sī jiāo,personal friendship -私人,sī rén,private; personal; interpersonal; sb with whom one has a close personal relationship; a member of one's clique -私人服务器,sī rén fú wù qì,(gaming) server emulator; private server -私人钥匙,sī rén yào shi,private key (in encryption) -私仇,sī chóu,personal grudge -私企,sī qǐ,private enterprise; abbr. of 私營企業|私营企业[si1 ying2 qi3 ye4] -私信,sī xìn,private correspondence; personal letter; (computing) personal message (PM); to message sb -私偏,sī piān,selfish preference -私利,sī lì,personal gain; (one's own) selfish interest -私募,sī mù,private placement (investing) -私募基金,sī mù jī jīn,private equity fund; fund offered to private placement (e.g. hedge fund) -私吞,sī tūn,to misappropriate (public funds etc); to embezzle -私售,sī shòu,see 私賣|私卖[si1 mai4] -私囊,sī náng,one's own pocket -私塾,sī shú,private school (in former times) -私奔,sī bēn,to elope -私定终身,sī dìng zhōng shēn,"to make a pledge to be married, without parents' approval" -私家,sī jiā,private; privately owned or managed -私家车,sī jiā chē,private car -私密,sī mì,private; secret; intimate -私底下,sī dǐ xia,privately; secretly; confidentially -私弊,sī bì,fraudulent practice -私心,sī xīn,selfishness; selfish motives -私情,sī qíng,personal considerations; love affair -私愤,sī fèn,personal spite; malice -私房,sī fáng,privately-owned house; private rooms; private ownings -私房,sī fang,personal; private; confidential -私房钱,sī fáng qián,secret purse; secret stash of money -私教,sī jiào,personal trainer -私有,sī yǒu,private; privately-owned -私有制,sī yǒu zhì,private ownership of property -私有化,sī yǒu huà,privatization; to privatize -私服,sī fú,(gaming) server emulator; private server (abbr. for 私人服務器|私人服务器[si1 ren2 fu2 wu4 qi4]) -私欲,sī yù,selfish desire -私法,sī fǎ,private law -私营,sī yíng,privately-owned; private -私营企业,sī yíng qǐ yè,private business; opposite: state-owned enterprise 國有企業|国有企业[guo2 you3 qi3 ye4] -私生子,sī shēng zǐ,illegitimate child (male); bastard; love child -私生子女,sī shēng zǐ nǚ,illegitimate child; bastard; love child -私生活,sī shēng huó,private life -私秘,sī mì,see 私密[si1 mi4] -私立,sī lì,"privately-run; private (school, hospital etc); to set up illegally" -私立学校,sī lì xué xiào,private school -私聊,sī liáo,(computing) to chat privately; private chat -私自,sī zì,private; personal; secretly; without explicit approval -私藏,sī cáng,to keep hidden; to keep in one's private possession; secret store; stash -私处,sī chù,private parts; genitalia -私行,sī xíng,to travel on private business; to act without official approval; to inspect incognito; to act in one's own interest -私讯,sī xùn,(Tw) private message; to send a private message -私语,sī yǔ,to discuss in whispered tones; whispered conversation -私谋叛国,sī móu pàn guó,to secretly plan treason (idiom) -私卖,sī mài,to sell illicitly; to bootleg; to sell privately -私办,sī bàn,privately-run -私通,sī tōng,to have secret ties with; to be in covert communication with (the enemy etc); to engage in an illicit sexual relationship; adultery -私运,sī yùn,to smuggle -私酿,sī niàng,to brew alcoholic drinks illegally -私钥,sī yào,(cryptography) private key -私闯,sī chuǎng,to enter (a place) without permission; to intrude into -私盐,sī yán,illegally-traded salt (with salt tax not paid) -秉,bǐng,surname Bing -秉,bǐng,to grasp; to hold; to maintain -秉公,bǐng gōng,justly; impartially -秉公办理,bǐng gōng bàn lǐ,conducting business impartially (idiom); to act justly -秉性,bǐng xìng,innate character; natural disposition; attitude -秉承,bǐng chéng,to take orders; to receive commands; to carry on (a tradition) -秉持,bǐng chí,to uphold; to hold fast to -秉烛,bǐng zhú,variant of 炳燭|炳烛[bing3 zhu2] -秉笔,bǐng bǐ,to hold the pen; to do the actual writing -秉笔直书,bǐng bǐ zhí shū,to record faithfully -秉赋,bǐng fù,variant of 稟賦|禀赋[bing3fu4] -年,nián,grain; harvest (old); variant of 年[nian2] -秋,qiū,surname Qiu -秋,qiū,autumn; fall; harvest time -秋令,qiū lìng,autumn; autumn weather -秋刀鱼,qiū dāo yú,Pacific saury (Cololabis saira) -秋分,qiū fēn,"Qiufen or Autumn Equinox, 16th of the 24 solar terms 二十四節氣|二十四节气 23rd September-7th October" -秋分点,qiū fēn diǎn,the autumn equinox -秋天,qiū tiān,autumn; CL:個|个[ge4] -秋季,qiū jì,autumn; fall -秋审,qiū shěn,autumn trial (judicial hearing of capital cases during Ming and Qing) -秋征,qiū zhēng,autumn levy (tax on harvest) -秋后算帐,qiū hòu suàn zhàng,lit. settle accounts after the autumn harvest (idiom); to wait until the time is ripe to settle accounts; to bide one's time for revenge -秋后算账,qiū hòu suàn zhàng,lit. to settle accounts after autumn (idiom); fig. to settle scores at an opportune time -秋播,qiū bō,sowing in autumn (for a crop in spring) -秋收,qiū shōu,fall harvest; to reap -秋收起义,qiū shōu qǐ yì,"Autumn Harvest Uprising (1927), insurrection in Hunan and Jiangxi provinces led by Mao Zedong" -秋景,qiū jǐng,autumn scenery; harvest season -秋榜,qiū bǎng,results of the autumn imperial examinations -秋毫,qiū háo,fine hair grown by animals (or down grown by birds) in the fall; (fig.) sth barely discernible; the slightest thing; the minutest detail -秋毫无犯,qiū háo wú fàn,"(idiom) (of soldiers) highly disciplined, not committing the slightest offense against civilians" -秋水,qiū shuǐ,limpid autumn waters (trad. description of girl's beautiful eyes) -秋水仙,qiū shuǐ xiān,autumn crocus (Colchicum autumnale); meadow saffron -秋水仙素,qiū shuǐ xiān sù,colchicine (pharmacy) -秋汛,qiū xùn,autumn flood -秋波,qiū bō,autumn ripples; (fig.) luminous eyes of a woman; amorous glance -秋海棠,qiū hǎi táng,begonia -秋凉,qiū liáng,the cool of autumn -秋灌,qiū guàn,autumn irrigation -秋熟,qiū shú,ripening in autumn (of crops) -秋燥,qiū zào,autumn dryness disease (TCM) -秋瑾,qiū jǐn,"Qiu Jin (1875-1907), famous female martyr of the anti-Qing revolution, the subject of several books and films" -秋田,qiū tián,Akita prefecture of north Japan -秋田县,qiū tián xiàn,"Akita prefecture, northeast Japan" -秋粮,qiū liáng,autumn grain crops -秋老虎,qiū lǎo hǔ,hot spell during autumn; Indian summer -秋耕,qiū gēng,autumn plowing -秋色,qiū sè,colors of autumn; autumn scenery -秋荼密网,qiū tú mì wǎng,"flowering autumn grass, fine net (idiom); fig. abundant and exacting punishments prescribed by law" -秋菊傲霜,qiū jú ào shuāng,the autumn chrysanthemum braves the frost (idiom) -秋菜,qiū cài,autumn vegetables -秋叶,qiū yè,autumn leaf -秋叶原,qiū yè yuán,"Akihabara, region of downtown Tokyo famous for electronics stores" -秋葵,qiū kuí,okra (Abelmoschus esculentus) -秋葵荚,qiū kuí jiá,okra (Hibiscus esculentus); lady's fingers -秋衣,qiū yī,long underwear -秋裤,qiū kù,long underwear pants -秋试,qiū shì,autumn exam (triennial provincial exam during Ming and Qing) -秋游,qiū yóu,autumn outing; autumn excursion -秋闱,qiū wéi,autumn exam (triennial provincial exam during Ming and Qing) -秋雨,qiū yǔ,autumn rain -秋霜,qiū shuāng,autumn frost; fig. white hair as sign of old age -秋风扫落叶,qiū fēng sǎo luò yè,lit. as the autumn gale sweeps away the fallen leaves (idiom); to drive out the old and make a clean sweep -秋风送爽,qiū fēng sòng shuǎng,the cool autumn breeze (idiom) -秋风过耳,qiū fēng guò ěr,lit. as the autumn breeze passes the ear (idiom); not in the least concerned -秋风飒飒,qiū fēng sà sà,the autumn wind is soughing (idiom) -秋高气爽,qiū gāo qì shuǎng,clear and refreshing autumn weather -秋,qiū,old variant of 秋[qiu1] -科,kē,branch of study; administrative section; division; field; branch; stage directions; family (taxonomy); rules; laws; to mete out (punishment); to levy (taxes etc); to fine sb; CL:個|个[ge4] -科什图尼察,kē shí tú ní chá,"surname Kostunica; Vojislav Kostunica (1944-), Serbian politician, last president of Yugoslavia 2000-2003, prime minister of Serbia 2004-2008" -科企,kē qǐ,science & technology and industry; tech company -科佩尔,kē pèi ěr,Koper (port city of Slovenia) -科伦坡,kē lún pō,"Colombo, capital of Sri Lanka" -科仪,kē yí,ritual (Daoism); scientific instrument (abbr. for 科學儀器|科学仪器[ke1 xue2 yi2 qi4]) -科克,kē kè,cork -科利奥兰纳斯,kē lì ào lán nà sī,"Coriolanus, 1607 tragedy by William Shakespeare 莎士比亞|莎士比亚" -科卿,kē qīng,Cochin (in south India) -科右中旗,kē yòu zhōng qí,"Horqin right center banner, Mongolian Khorchin Baruun Garyn Dund khoshuu, in Hinggan league 興安盟|兴安盟[Xing1 an1 meng2], east Inner Mongolia" -科右前旗,kē yòu qián qí,"Horqin right front banner, Mongolian Khorchin Baruun Garyn Ömnöd khoshuu, in Hinggan league 興安盟|兴安盟[Xing1 an1 meng2], east Inner Mongolia" -科名,kē míng,rank obtained in the imperial examinations; scholarly honors -科奈,kē nài,"Kenai (Peninsula, Lake, Mountains), Alaska" -科威特,kē wēi tè,Kuwait -科学,kē xué,"science; scientific knowledge; scientific; rational; CL:門|门[men2],個|个[ge4],種|种[zhong3]" -科学主义,kē xué zhǔ yì,scientism -科学史,kē xué shǐ,history of science -科学执政,kē xué zhí zhèng,rule of science -科学家,kē xué jiā,scientist; CL:個|个[ge4] -科学实验,kē xué shí yàn,scientific experiment -科学幻想,kē xué huàn xiǎng,science fiction -科学怪人,kē xué guài rén,Frankenstein (novel) -科学技术,kē xué jì shù,science and technology -科学技术是第一生产力,kē xué jì shù shì dì yī shēng chǎn lì,science and technology is the number one productive force (from a 1978 speech by Deng Xiaoping 鄧小平|邓小平[Deng4 Xiao3 ping2] introducing the Four Modernizations 四個現代化|四个现代化[si4 ge5 xian4 dai4 hua4]) -科学技术现代化,kē xué jì shù xiàn dài huà,"modernization of science and technology, one of Deng Xiaoping's Four Modernizations" -科学普及,kē xué pǔ jí,popularization of science -科学界,kē xué jiè,world of science; scientific circles -科学发展观,kē xué fā zhǎn guān,"Scientific Outlook on Development, a guiding principle for the CCP attributed to Hu Jintao 胡錦濤|胡锦涛[Hu2 Jin3 tao1], incorporated into the Constitution of the CCP in 2007" -科学知识,kē xué zhī shi,scientific knowledge -科学研究,kē xué yán jiū,scientific research -科学管理,kē xué guǎn lǐ,scientific management -科学编辑,kē xué biān jí,science editor (of a publication) -科学育儿,kē xué yù ér,scientific parenting -科学院,kē xué yuàn,academy of sciences; CL:個|个[ge4] -科室,kē shì,department; administrative division; unit (e.g. intensive care unit) -科尼赛克,kē ní sài kè,Koenigsegg (car manufacturer) -科布多,kē bù duō,"Qobto or Kobdo, khanate of outer Mongolia" -科幻,kē huàn,science fiction; abbr. for 科學幻想|科学幻想[ke1 xue2 huan4 xiang3] -科幻小说,kē huàn xiǎo shuō,science fiction novel -科幻电影,kē huàn diàn yǐng,science fiction movie -科恩,kē ēn,Cohen (name) -科托努,kē tuō nǔ,Cotonou (city in Benin) -科技,kē jì,science and technology -科技人员,kē jì rén yuán,scientific and technical staff -科技大学,kē jì dà xué,university of science and technology -科技工作者,kē jì gōng zuò zhě,worker in science and technology -科技感,kē jì gǎn,"high tech feel (of a product etc); the impression that sb's looks are artificial, affected by cosmetic procedures" -科技脸,kē jì liǎn,"a face noticeably modified by plastic surgery, botox etc" -科技惊悚,kē jì jīng sǒng,techno-thriller (novel); science fiction thriller -科技惊悚小说,kē jì jīng sǒng xiǎo shuō,techno-thriller novel -科摩洛,kē mó luò,Comoros -科摩罗,kē mó luó,Union of Comoros -科教,kē jiào,science education; popular science -科教片,kē jiào piàn,science education film; popular science movie -科教兴国,kē jiào xīng guó,to invigorate the country through science and education -科斗,kē dǒu,tadpole; also written 蝌蚪[ke1 dou3] -科普,kē pǔ,popularization of science (abbr. for 科學普及|科学普及[ke1xue2 pu3ji2]); (attributive) popular science; (coll.) to explain in layperson's terms -科普特人,kē pǔ tè rén,"the Copts, major ethnoreligious group of Egyptian Christians" -科普特语,kē pǔ tè yǔ,"Coptic, Afro-Asiatic language of the Copts 科普特人[Ke1 pu3 te4 ren2], spoken in Egypt until late 17th century" -科朗,kē lǎng,colón (currency of Costa Rica and former currency of El Salvador) -科林,kē lín,Colin (name) -科林斯,kē lín sī,Corinth (city of ancient Greece) -科比,kē bǐ,Kobe Bryant; abbr. for 科比·布萊恩特|科比·布莱恩特[Ke1 bi3 · Bu4 lai2 en1 te4] -科浦,kē pǔ,"Coop, Swiss retailer branded as ""coop""" -科泽科德,kē zé kē dé,"old Chinese name for Calicut, town on Arabian sea in Kerala, India; now called 卡利卡特" -科尔,kē ěr,"Kohl (name); Helmut Kohl (1930-2017), German CDU politician, Chancellor 1982-1998" -科尔多瓦,kē ěr duō wǎ,"Córdoba, Spain" -科尔沁,kē ěr qìn,"Horqin or Xorchin, famous Mongolian archer; Horqin district or Xorchin raion of Tongliao city 通遼市|通辽市[Tong1 liao2 shi4], Inner Mongolia" -科尔沁区,kē ěr qìn qū,"Horqin district or Xorchin raion of Tongliao city 通遼市|通辽市[Tong1 liao2 shi4], Inner Mongolia" -科尔沁右翼中旗,kē ěr qìn yòu yì zhōng qí,"Horqin right center banner, Mongolian Khorchin Baruun Garyn Dund khoshuu, in Hinggan league 興安盟|兴安盟[Xing1 an1 meng2], east Inner Mongolia" -科尔沁右翼前旗,kē ěr qìn yòu yì qián qí,"Horqin right front banner, Mongolian Khorchin Baruun Garyn Ömnöd khoshuu, in Hinggan league 興安盟|兴安盟[Xing1 an1 meng2], east Inner Mongolia" -科尔沁左翼中,kē ěr qìn zuǒ yì zhōng,"Horqin Left Middle banner or Khorchin Züün Garyn Dund khoshuu in Tongliao 通遼|通辽[Tong1 liao2], Inner Mongolia" -科尔沁左翼中旗,kē ěr qìn zuǒ yì zhōng qí,"Horqin Left Middle banner or Khorchin Züün Garyn Dund khoshuu in Tongliao 通遼|通辽[Tong1 liao2], Inner Mongolia" -科尔沁左翼后,kē ěr qìn zuǒ yì hòu,"Horqin Left Rear banner or Khorchin Züün Garyn Xoit khoshuu in Tongliao 通遼|通辽[Tong1 liao2], Inner Mongolia" -科尔沁左翼后旗,kē ěr qìn zuǒ yì hòu qí,"Horqin Left Rear banner or Khorchin Züün Garyn Xoit khoshuu in Tongliao 通遼|通辽[Tong1 liao2], Inner Mongolia" -科特布斯,kē tè bù sī,Cottbus (city in Germany) -科特迪瓦,kē tè dí wǎ,Côte d'Ivoire or Ivory Coast in West Africa -科特迪瓦共和国,kē tè dí wǎ gòng hé guó,Republic of Côte d'Ivoire -科甲,kē jiǎ,imperial examinations -科目,kē mù,academic subject; field of study -科盲,kē máng,person who is ignorant about science and technology; scientific illiteracy -科研,kē yán,(scientific) research -科研人员,kē yán rén yuán,(scientific) researcher -科研小组,kē yán xiǎo zǔ,a scientific research group -科研样机,kē yán yàng jī,research prototype -科系,kē xì,department -科纳克里,kē nà kè lǐ,"Conakry, capital of Guinea" -科级,kē jí,(administrative) section-level -科索沃,kē suǒ wò,Kosovo -科罗娜,kē luó nà,Corona (beer) -科罗恩病,kē luó ēn bìng,Krohn's disease -科罗拉多,kē luó lā duō,Colorado -科罗拉多大峡谷,kē luó lā duō dà xiá gǔ,the Grand Canyon (Colorado) -科罗拉多州,kē luó lā duō zhōu,Colorado -科罗纳,kē luó nà,Corona; Colonna -科考,kē kǎo,"preliminary round of imperial examinations; abbr. for 科學考察|科学考察[ke1 xue2 kao3 cha2], scientific exploration" -科考队,kē kǎo duì,scientific exploration team; expedition -科举,kē jǔ,imperial examination -科举制,kē jǔ zhì,imperial examination system -科举考试,kē jǔ kǎo shì,imperial examinations (in former times) -科茨沃尔德,kē cí wò ěr dé,the Cotswolds (England) -科莫多龙,kē mò duō lóng,Komodo dragon (Varanus komodoensis) -科西嘉岛,kē xī jiā dǎo,Corsica (Island located west of Italy and southeast of France) -科迪勒拉,kē dí lè lā,"Cordillera, series of mountain ranges stretching from Patagonia in South America through to Alaska and Aleutian Islands" -科迪勒拉山系,kē dí lè lā shān xì,"Cordillera, series of mountain ranges stretching from Patagonia in South America through to Alaska and Aleutian islands" -科长,kē zhǎng,section chief; CL:個|个[ge4] -科隆,kē lóng,"Cologne, Germany; Colón, Panama" -科隆水,kē lóng shuǐ,cologne -科隆群岛,kē lóng qún dǎo,Galapagos Islands -秒,miǎo,second (unit of time); arc second (angular measurement unit); (coll.) instantly -秒射,miǎo shè,to ejaculate within a few seconds during sex -秒差距,miǎo chā jù,parsec (astronomy) -秒懂,miǎo dǒng,to understand instantly -秒杀,miǎo shā,(Internet) flash sale; (sports or online gaming) rapid dispatch of an opponent -秒看,miǎo kàn,to take in at a glance -秒秒钟,miǎo miǎo zhōng,in a matter of seconds; swiftly; rapidly -秒表,miǎo biǎo,stopwatch -秒针,miǎo zhēn,second hand (of a clock) -秒钟,miǎo zhōng,(time) second -粳,jīng,variant of 粳[jing1] -秕,bǐ,grain not fully grown; husks; withered grain; unripe grain -秕子,bǐ zi,blighted grain -秕谷,bǐ gǔ,grain not fully grown -秕糠,bǐ kāng,chaff; worthless stuff -只,zhī,grain that has begun to ripen -秘,bì,see 秘魯|秘鲁[Bi4 lu3] -秘,mì,secret; secretary -秘密,mì mì,secret; private; confidential; clandestine; a secret (CL:個|个[ge4]) -秘密会社,mì mì huì shè,a secret society -秘密活动,mì mì huó dòng,clandestine activities; covert operation -秘密警察,mì mì jǐng chá,secret police -秘技,mì jì,cheat code -秘书,mì shū,secretary -秘书长,mì shū zhǎng,secretary-general -秘笈,mì jí,secret book or collection of books -秘籍,mì jí,rare book; cheat code (video games) -秘闻,mì wén,matters (concerning a prominent family etc) intended to be kept private -秘制,mì zhì,to prepare (food etc) using a secret recipe -秘诀,mì jué,secret know-how; key (to longevity); secret (of happiness); recipe (for success) -秘辛,mì xīn,behind-the-scenes story; details known only to insiders -秘银,mì yín,mithril (fictional metal) -秘鲁,bì lǔ,Peru -秘鲁苦蘵,bì lǔ kǔ zhí,Peruvian ground-cherry; cape gooseberry; Physalis peruviana -租,zū,to hire; to rent; to charter; to rent out; to lease out; rent; land tax -租佃,zū diàn,to rent out one's land (to tenant farmers) -租借,zū jiè,to rent; to lease -租借地,zū jiè dì,concession (territory) -租债,zū zhài,rent and debt -租价,zū jià,rent price -租地,zū dì,to rent land; to lease farmland -租子,zū zi,rent (payment) -租客,zū kè,tenant -租户,zū hù,tenant; person who leases -租房,zū fáng,to rent an apartment -租用,zū yòng,to lease; to hire; to rent (sth from sb) -租界,zū jiè,"foreign concession, an enclave occupied by a foreign power (in China in the 19th and 20th centuries)" -租税,zū shuì,"taxation; in former times, esp. land tax" -租约,zū yuē,lease -租船,zū chuán,to charter a ship; to take a vessel on rent -租让,zū ràng,to lease out; to rent (one's property out to sb else) -租赁,zū lìn,to rent; to lease; to hire -租金,zū jīn,rent -租钱,zū qian,rent; same as 租金 -秣,mò,feed a horse with grain; horse feed -秤,chēng,"variant of 稱|称[cheng1], to weigh" -秤,chèng,steelyard; Roman balance; CL:臺|台[tai2] -秤坨,chèng tuó,variant of 秤砣[cheng4 tuo2] -秤杆,chèng gǎn,the beam of a steelyard; a balance arm -秤盘,chèng pán,the tray or pan of a steelyard -秤砣,chèng tuó,steelyard weight; standard weight -秤砣虽小压千斤,chèng tuó suī xiǎo yā qiān jīn,"although small, a steelyard weight may tip a hundred pounds (idiom); apparently insignificant details can have a large impact; for want of a nail the battle was lost" -秤钩,chèng gōu,steelyard hook -秤锤,chèng chuí,steelyard weights -秦,qín,surname Qin; Qin dynasty (221-207 BC) of the first emperor 秦始皇[Qin2 Shi3huang2]; short name for 陝西|陕西[Shan3xi1] -秦二世,qín èr shì,"Qin Ershi (229-207 BC), second Qin emperor" -秦代,qín dài,"Qin dynasty (221-207 BC), founded by the first emperor Qin Shihuang 秦始皇[Qin2 Shi3 huang2], the first dynasty to rule the whole of China" -秦吉了,qín jí liǎo,mythical talking bird; mynah bird -秦国,qín guó,"the state of Qin, one of the seven states of the Warring States Period (475-220 BC)" -秦城监狱,qín chéng jiān yù,"Qincheng Prison, maximum-security prison located about 30 km north of central Beijing, whose inmates include former high-level officials convicted of corruption" -秦始皇,qín shǐ huáng,"Qin Shihuang (259-210 BC), the first emperor" -秦始皇帝,qín shǐ huáng dì,the First Emperor 259-210 BC -秦始皇帝陵,qín shǐ huáng dì líng,the mausoleum of the First Emperor near Xi'an -秦始皇陵,qín shǐ huáng líng,the tomb of the first emperor at Mt Li 驪山|骊山[Li2 shan1] near Xi'an (awaits excavation) -秦孝公,qín xiào gōng,"Duke Xiao of Qin, 秦國|秦国[Qin2 guo2], ruled 361-338 BC during the Warring States Period" -秦安,qín ān,"Qin'an county in Tianshui 天水[Tian1 shui3], Gansu" -秦安县,qín ān xiàn,"Qin'an county in Tianshui 天水[Tian1 shui3], Gansu" -秦岭,qín lǐng,Qinling Mountain Range in Shaanxi forming a natural barrier between the Guanzhong Plain 關中平原|关中平原[Guan1 zhong1 Ping2 yuan2] and the Han River 漢水|汉水[Han4 shui3] valley -秦岭山脉,qín lǐng shān mài,"Qinling Mountain Range in Shaanxi, forming a natural barrier between the Guanzhong Plain 關中平原|关中平原[Guan1 zhong1 Ping2 yuan2] and the Han River 漢水|汉水[Han4 shui3] valley" -秦岭蜀栈道,qín lǐng shǔ zhàn dào,"the Qinling plank road to Shu, a historical mountain road from Shaanxi to Sichuan" -秦州,qín zhōu,"Qinzhou district of Tianshui city 天水市[Tian1 shui3 shi4], Gansu" -秦州区,qín zhōu qū,"Qinzhou district of Tianshui city 天水市[Tian1 shui3 shi4], Gansu" -秦惠文王,qín huì wén wáng,"King Huiwen of Qin 秦國|秦国, ruled 338-311 BC during the Warring States Period" -秦朝,qín cháo,Qin Dynasty (221-207 BC) -秦末,qín mò,the end of the Qin dynasty 207 BC -秦椒,qín jiāo,(dialect) hot pepper (long and thin); same as 花椒[hua1 jiao1] -秦桧,qín huì,"Qin Hui (1090-1155 AD), Song Dynasty official said to have betrayed General Yue Fei 岳飛|岳飞[Yue4 Fei1]" -秦淮,qín huái,Qinhuai district of Nanjing City 南京市 in Jiangsu 江蘇|江苏 -秦淮八艳,qín huái bā yàn,the famous eight beautiful and talented courtesans who lived near the Qinhuai River 秦淮河[Qin2 huai2 He2] in the late Ming or early Qing -秦淮区,qín huái qū,Qinhuai district of Nanjing City 南京市 in Jiangsu 江蘇|江苏 -秦淮河,qín huái hé,"Qinhuai River, a tributary of the Yangtze that flows through central Nanjing" -秦汉,qín hàn,the Qin (221-207 BC) and Han (206 BC-220 AD) dynasties -秦火,qín huǒ,the Qin burning of the books in 212 BC -秦牧,qín mù,"Qin Mu (1919-1992), educator and prolific writer" -秦皇岛,qín huáng dǎo,"Qinhuangdao, prefecture-level city in Hebei" -秦皇岛市,qín huáng dǎo shì,"Qinhuangdao, prefecture-level city in Hebei" -秦穆公,qín mù gōng,"Duke Mu of Qin, the first substantial king of Qin (ruled 659-621 BC), sometimes considered one of the Five Hegemons 春秋五霸" -秦篆,qín zhuàn,seal script as unified by the Qin dynasty; the small seal 小篆 and great seal 大篆 -秦腔,qín qiāng,"Qinqiang, an opera style popular in northwest China, possibly originating in Ming dynasty folk music; Shaanxi opera" -秦艽,qín jiāo,large leaf gentian (Gentiana macrophylla) -秦越人,qín yuè rén,"Qin Yueren (407-310 BC), Warring States physician known for his medical skills" -秦军,qín jūn,the Qin army (model for the terracotta warriors) -秦都,qín dū,"Qindu District in Xianyang City 咸陽市|咸阳市[Xian2 yang2 Shi4], Shaanxi" -秦都区,qín dū qū,"Qindu District in Xianyang City 咸陽市|咸阳市[Xian2 yang2 Shi4], Shaanxi" -秦镜高悬,qín jìng gāo xuán,see 明鏡高懸|明镜高悬[ming2 jing4 gao1 xuan2] -秦陵,qín líng,the tomb of the First Emperor at Mt Li 驪山|骊山[Li2 shan1] near Xi'an (awaits excavation) -秦韬玉,qín tāo yù,"Qin Taoyu, Tang poet, author of poem ""A Poor Woman"" 貧女|贫女[Pin2 nu:3]" -秧,yāng,shoots; sprouts -秧子,yāng zi,sapling; seedling; bud; baby animal -秧歌,yāng ge,"Yangge, a popular rural folk dance" -秧歌剧,yāng ge jù,"Yangge opera, a rural form of theater" -秧田,yāng tián,rice seedling bed -秧苗,yāng miáo,seedling -秩,zhì,order; orderliness; (classifier) ten years -秩序,zhì xù,order (orderly); order (sequence); social order; the state (of society); CL:個|个[ge4] -秩序井然,zhì xù jǐng rán,in perfect order -秩序美,zhì xù měi,order (as an aesthetic quality) -秩然不紊,zhì rán bù wěn,to be in complete order (idiom) -秩禄,zhì lù,official salaries -秫,shú,broomcorn millet (Panicum spp.); Panicum italicum; glutinous millet -秫米,shú mǐ,broomcorn millet (Panicum spp.); Panicum italicum; glutinous millet -秭,zǐ,billion -秭归,zǐ guī,"Zigui county in Yichang 宜昌[Yi2 chang1], Hubei" -秭归县,zǐ guī xiàn,"Zigui county in Yichang 宜昌[Yi2 chang1], Hubei" -秸,jiē,grain stalks left after threshing -秸秆,jiē gǎn,straw -移,yí,to move; to shift; to change; to alter; to remove -移交,yí jiāo,to transfer; to hand over -移位,yí wèi,to shift; shift; translocation; displacement; (medicine) dislocation -移住,yí zhù,to migrate; to resettle -移借,yí jiè,to put to a different use; to borrow; (linguistics) borrowing -移动,yí dòng,to move; movement; migration; mobile; portable -移动平均线,yí dòng píng jūn xiàn,moving average (in financial analysis) -移动平均线指标,yí dòng píng jūn xiàn zhǐ biāo,moving average index (used in financial analysis) -移动式,yí dòng shì,mobile -移动式电话,yí dòng shì diàn huà,mobile telephone -移动性,yí dòng xìng,mobility -移动硬盘,yí dòng yìng pán,portable hard drive; external hard drive -移动设备,yí dòng shè bèi,"mobile device (smartphone, tablet, etc)" -移动通信网络,yí dòng tōng xìn wǎng luò,cell phone network -移动电话,yí dòng diàn huà,mobile telephone -移去,yí qù,to move away -移居,yí jū,to migrate; to move to a new place of residence -移山倒海,yí shān dǎo hǎi,lit. to move mountains and drain seas; to transform nature -移山志,yí shān zhì,the will to move mountains; fig. high ambitions -移工,yí gōng,(Tw) foreign worker (abbr. for 移住勞工|移住劳工[yi2 zhu4 lao2 gong1]) -移师,yí shī,to move troops to; (fig.) to move to; to shift to -移情,yí qíng,to redirect one's affections; (of literature etc) to cultivate people's character; empathy (i.e. attribution of feelings to an object); transference (psychology) -移情别恋,yí qíng bié liàn,"change of affection, shift of love (idiom); to change one's feelings to another love; to fall in love with sb else" -移时,yí shí,for a while -移栽,yí zāi,"to transplant (horticulture, agriculture)" -移植,yí zhí,to transplant -移植性,yí zhí xìng,portability -移植手术,yí zhí shǒu shù,(organ) transplant operation -移机,yí jī,to relocate a piece of equipment (air conditioner etc) -移殖,yí zhí,variant of 移植[yi2 zhi2] -移民,yí mín,to immigrate; to migrate; emigrant; immigrant -移民局,yí mín jú,immigration office -移民工,yí mín gōng,migrant worker -移民者,yí mín zhě,migrant; immigrant -移液器,yí yè qì,pipette -移用,yí yòng,"to use (sth) for a purpose other than its original one; to adapt (tools, methods etc) for another purpose" -移花接木,yí huā jiē mù,lit. to graft flowers onto a tree (idiom); fig. to surreptitiously substitute one thing for another -移调,yí diào,to transpose (music) -移转,yí zhuǎn,to shift; to transfer -移送,yí sòng,"to transfer (a case, a person, files etc)" -移送法办,yí sòng fǎ bàn,to bring to justice; to hand over to the law -移开,yí kāi,to move away -移除,yí chú,to remove -移风易俗,yí fēng yì sú,(idiom) to reform habits and customs -稀,xī,rare; uncommon; watery; sparse -稀世,xī shì,rare -稀土,xī tǔ,rare earth (chemistry) -稀土元素,xī tǔ yuán sù,rare earth element (chemistry) -稀土金属,xī tǔ jīn shǔ,rare earth element -稀奇,xī qí,rare; strange -稀奇古怪,xī qí gǔ guài,crazy; bizarre; weird; fantastic; strange -稀客,xī kè,infrequent visitor -稀少,xī shǎo,sparse; rare -稀巴烂,xī bā làn,see 稀爛|稀烂[xi1 lan4] -稀有,xī yǒu,uncommon -稀有元素,xī yǒu yuán sù,trace element (nutrition) -稀有气体,xī yǒu qì tǐ,rare gas; noble gas (chemistry) -稀烂,xī làn,smashed up; broken into pieces; thoroughly mashed; pulpy -稀疏,xī shū,sparse; infrequent; thinly spread -稀稀拉拉,xī xī lā lā,sparse and fragmentary -稀粥,xī zhōu,water gruel; thin porridge -稀缺,xī quē,scarce; scarcity -稀罕,xī han,rare; uncommon; rare thing; rarity; to value as a rarity; to cherish; Taiwan pr. [xi1han3] -稀薄,xī bó,thin; rarefied -稀里糊涂,xī li hú tu,muddleheaded; careless -稀里哗啦,xī li huā lā,(onom.) rustling sound; sound of rain or of sth falling down; in disorder; completely smashed; badly battered; broken to pieces -稀释,xī shì,to dilute -稀里光当,xī li guāng dāng,thin; diluted -稀饭,xī fàn,porridge; gruel; congee -稀松,xī sōng,poor; sloppy; unconcerned; heedless; lax; unimportant; trivial; loose; porous -稀松骨质,xī sōng gǔ zhì,cancellous bone; trabecular bone; spongy bone -稂,láng,grass; weeds -稃,fū,husk; outside shell of grain -税,shuì,taxes; duties -税制,shuì zhì,tax system -税前,shuì qián,pretax; before taxes -税务,shuì wù,taxation services; state revenue service -税务局,shuì wù jú,Tax Bureau; Inland Revenue Department (Hong Kong) -税官,shuì guān,a taxman; a customs officer -税后,shuì hòu,after tax -税捐,shuì juān,tax; levy; duty; impost -税捐稽征处,shuì juān jī zhēng chù,Taipei Revenue Service (tax office) -税收,shuì shōu,taxation -税款,shuì kuǎn,tax payments -税法,shuì fǎ,tax code; tax law -税率,shuì lǜ,tax rate -税负,shuì fù,tax burden -税费,shuì fèi,tax; levy; duty -税赋,shuì fù,tax liability -税金,shuì jīn,tax money (paid or due) -税关,shuì guān,customs house (in ancient times) -稆,lǚ,variant of 穭|穞[lu:3] -秆,gǎn,stalks of grain -粳,jīng,variant of 粳[jing1] -程,chéng,surname Cheng -程,chéng,rule; order; regulations; formula; journey; procedure; sequence -程不识,chéng bù shí,"Cheng Bushi, Han dynasty general" -程咬金,chéng yǎo jīn,"Cheng Yaojin (589-665), aka 程知節|程知节[Cheng2 Zhi1 jie2], Chinese general of the Tang dynasty" -程子,chéng zi,(Beijing dialect) see 陣子|阵子[zhen4 zi5] -程序,chéng xù,procedures; sequence; order; computer program -程序员,chéng xù yuán,programmer -程序库,chéng xù kù,program library (computing) -程序性,chéng xù xìng,program -程序法,chéng xù fǎ,procedural law -程序猿,chéng xù yuán,(Internet slang) code monkey -程序码,chéng xù mǎ,source code (computing) -程序设计,chéng xù shè jì,computer programming -程度,chéng dù,degree; level; extent -程式,chéng shì,form; pattern; formula; (Tw) (computing) program -程式员,chéng shì yuán,(Tw) programmer -程式码,chéng shì mǎ,source code (computing) (Tw) -程式语言,chéng shì yǔ yán,programming language (Tw) -程控,chéng kòng,programmed; under automatic control -程控交换机,chéng kòng jiāo huàn jī,electronic switching system (telecom.); stored program control exchange (SPC) -程控电话,chéng kòng diàn huà,automatic telephone exchange -程昱,chéng yù,"Cheng Yu (141-220), advisor to General Cao Cao 曹操 during the Three Kingdoms era" -程海湖,chéng hǎi hú,"Chenghai Lake in Lijiang 麗江市|丽江市, Hunan" -程砚秋,chéng yàn qiū,"Cheng Yanqiu (1904-1958), famous Beijing opera star, second only to 梅蘭芳|梅兰芳[Mei2 Lan2 fang1]" -程邈,chéng miǎo,"Cheng Miao, a jailer-turned-prisoner in the Qin dynasty who created the clerical style of Chinese calligraphy" -程错,chéng cuò,(computing) glitch; bug -程门立雪,chéng mén lì xuě,lit. the snow piles up at Cheng Yi's door (idiom); fig. deep reverence for one's master -程颐,chéng yí,"Cheng Yi (1033-1107), Song neo-Confucian scholar" -程颢,chéng hào,"Cheng Hao (1032-1085), Song neo-Confucian scholar" -稍,shāo,somewhat; a little -稍,shào,see 稍息[shao4 xi1] -稍候,shāo hòu,to wait a moment -稍嫌,shāo xián,"more than one would wish; somewhat; a bit too (old, contrived, distracting etc)" -稍安勿躁,shāo ān wù zào,variant of 少安毋躁[shao3 an1 wu2 zao4] -稍安毋躁,shāo ān wú zào,variant of 少安毋躁[shao3 an1 wu2 zao4] -稍后,shāo hòu,in a little while; in a moment; later on -稍微,shāo wēi,a little bit -稍快板,shāo kuài bǎn,allegretto -稍息,shào xī,Stand at ease! (military); Taiwan pr. [shao1 xi2] -稍早,shāo zǎo,a little early -稍早时,shāo zǎo shí,a little earlier -稍异,shāo yì,differing slightly -稍稍,shāo shāo,somewhat; a little; slightly -稍等,shāo děng,to wait a moment -稍纵即逝,shāo zòng jí shì,transient; fleeting -稍许,shāo xǔ,a little; a bit -稍食,shāo shí,(old) monthly salary of an official -稔,rěn,ripe grain -稗,bài,barnyard millet (Echinochloa crus-galli); Panicum crus-galli; (literary) insignificant; trivial -稗官,bài guān,(old) petty official charged with reporting back to the ruler on what people in a locality are talking about; novel in the vernacular; fiction writer; novelist -稙,zhí,early-planted crop -稚,zhì,infantile; young -稚女,zhì nǚ,little girl (of toddler age) -稚嫩,zhì nèn,young and tender; puerile; soft and immature -稚子,zhì zǐ,young child -稚弱,zhì ruò,immature and feeble -稚拙,zhì zhuō,young and clumsy; childish and awkward -稚气,zhì qì,childish nature; infantile; juvenile; puerile -稚气未脱,zhì qì wèi tuō,still possessing the innocence of childhood (idiom) -稚虫,zhì chóng,naiad; larva; developmental stage of insect -棱,léng,arris; edge; corrugation; ridges -棱,líng,used in 穆稜|穆棱[Mu4 ling2] -棱柱,léng zhù,prism -棱台,léng tái,prism -棱角,léng jiǎo,edge and corner; protrusion; sharpness (of a protrusion); craggy; ridge corner -棱锥,léng zhuī,pyramid (geometry) -棱镜,léng jìng,(optics) prism -稞,kē,(wheat) -禀,bǐng,to make a report (to a superior); to give; to endow; to receive; petition -禀告,bǐng gào,to report (to one's superior) -禀报,bǐng bào,to report (to one's superior) -禀复,bǐng fù,to report back (to a superior) -禀性,bǐng xìng,natural disposition -禀承,bǐng chéng,variant of 秉承[bing3 cheng2] -禀赋,bǐng fù,natural endowment; gift; talent -稠,chóu,dense; crowded; thick; many -稠密,chóu mì,dense -稠浊,chóu zhuó,numerous and confused; forming a confused mass -稨,biǎn,see 稨豆[bian3 dou4] -稨豆,biǎn dòu,variant of 扁豆[bian3 dou4] -糯,nuò,variant of 糯[nuo4] -秸,jiē,variant of 秸[jie1] -种,zhǒng,"seed; species; kind; type; classifier for types, kinds, sorts" -种,zhòng,to plant; to grow; to cultivate -种仁,zhǒng rén,seed kernel -种公畜,zhǒng gōng chù,stud; male breeding stock (of animal species) -种加词,zhǒng jiā cí,(biology) specific epithet -种地,zhòng dì,to farm; to work the land -种块,zhǒng kuài,seed tuber -种姓,zhǒng xìng,caste (traditional Indian social division) -种姓制,zhǒng xìng zhì,caste system (traditional Indian social division) -种姓制度,zhǒng xìng zhì dù,caste system -种子,zhǒng zi,"seed; CL:顆|颗[ke1],粒[li4]" -种子岛,zhǒng zi dǎo,"Tanegashima, Japanese Island off Kyushu, the Japanese space launch site" -种子植物,zhǒng zi zhí wù,seed plant -种子选手,zhǒng zi xuǎn shǒu,seeded player -种小名,zhǒng xiǎo míng,(biology) specific epithet -种差,zhǒng chā,determinant (characteristic of a species) -种族,zhǒng zú,race; ethnicity -种族中心主义,zhǒng zú zhōng xīn zhǔ yì,ethnocentrism -种族主义,zhǒng zú zhǔ yì,racism -种族主义者,zhǒng zú zhǔ yì zhě,racist (person) -种族歧视,zhǒng zú qí shì,racial discrimination; racism -种族清洗,zhǒng zú qīng xǐ,"""ethnic cleansing""; genocide" -种族清除,zhǒng zú qīng chú,ethnic cleansing -种族灭绝,zhǒng zú miè jué,genocide -种族隔离,zhǒng zú gé lí,racial segregation; apartheid -种本名,zhǒng běn míng,(biology) specific epithet -种植,zhòng zhí,to plant; to grow (a crop); to cultivate -种植园,zhòng zhí yuán,plantation -种植业,zhòng zhí yè,plantation -种植牙,zhòng zhí yá,dental implant -种植体,zhòng zhí tǐ,implant (dentistry) -种树,zhòng shù,to plant trees -种田,zhòng tián,to farm; farming -种畜,zhǒng chù,breeding stock (of animal species); stud -种禽,zhǒng qín,cock; male breeding poultry -种种,zhǒng zhǒng,all kinds of -种系,zhǒng xì,evolutionary line; line of descent -种群,zhǒng qún,population (of a species); community (of animals or plants) -种脐,zhǒng qí,(botany) hilum; omphalodium -种花,zhòng huā,to grow flowers; (dialect) to vaccinate; (dialect) to grow cotton -种草,zhòng cǎo,(Internet slang) to recommend a product to sb -种薯,zhǒng shǔ,seed tuber -种蛋,zhǒng dàn,breeding egg -种类,zhǒng lèi,kind; genus; type; category; variety; species; sort; class -种马,zhǒng mǎ,stallion; stud horse -种麻,zhǒng má,female hemp plant (Cannabis sativa) -称,chèn,to fit; to match; to suit; (coll.) to have; to possess; Taiwan pr. [cheng4] -称,chēng,to weigh; to state; to name; name; appellation; to praise -称,chèng,variant of 秤[cheng4]; steelyard -称之为,chēng zhī wéi,to call it...; known as... -称作,chēng zuò,to be called; to be known as -称做,chēng zuò,to be called; to be known as -称呼,chēng hu,to call; to address as; form of address; appellation -称多,chèn duō,"Chindu County (Tibetan: khri 'du rdzong) in Yushu Tibetan Autonomous Prefecture 玉樹藏族自治州|玉树藏族自治州[Yu4 shu4 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -称多县,chèn duō xiàn,"Chindu County (Tibetan: khri 'du rdzong) in Yushu Tibetan Autonomous Prefecture 玉樹藏族自治州|玉树藏族自治州[Yu4 shu4 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -称得上,chēng de shàng,can be counted as -称心,chèn xīn,satisfactory; agreeable -称心如意,chèn xīn rú yì,(idiom) after one's own heart; gratifying; satisfactory; everything one could wish -称意,chèn yì,to be satisfactory -称扬,chēng yáng,to praise; to compliment -称为,chēng wéi,"to be called; to be known as; to call it ""...""" -称职,chèn zhí,well qualified; competent; to be equal to the task; able to do sth very well -称号,chēng hào,name; term of address; title -称许,chēng xǔ,to praise; to commend -称说,chēng shuō,to declare; to state; to call; to name -称谓,chēng wèi,title; appellation; form of address -称谢,chēng xiè,to express thanks -称誉,chēng yù,to acclaim; to sing the praises of -称赞,chēng zàn,to praise; to acclaim; to commend; to compliment -称道,chēng dào,to commend; to praise -称重,chēng zhòng,to weigh -称量,chēng liáng,to weigh -称钱,chèn qián,(coll.) rich; well-heeled -称霸,chēng bà,lit. to proclaim oneself hegemon; to take a leading role; to build a personal fiefdom -称颂,chēng sòng,to praise -称愿,chèn yuàn,to feel gratified (esp. at the misfortune of a loathed person); to have one's wish fulfilled -稷,jì,millet; God of cereals worshiped by ancient rulers; minister of agriculture -稷山,jì shān,"Jishan county in Yuncheng 運城|运城[Yun4 cheng2], Shanxi" -稷山县,jì shān xiàn,"Jishan county in Yuncheng 運城|运城[Yun4 cheng2], Shanxi" -稹,zhěn,to accumulate; fine and close -稚,zhì,old variant of 稚[zhi4] -稻,dào,paddy; rice (Oryza sativa) -稻作,dào zuò,rice cultivation -稻城,dào chéng,"Daocheng county (Tibetan: 'dab pa rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1], Sichuan (formerly in Kham province of Tibet)" -稻城县,dào chéng xiàn,"Daocheng county (Tibetan: 'dab pa rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1], Sichuan (formerly in Kham province of Tibet)" -稻子,dào zi,rice (crop); unhulled rice -稻壳,dào ké,rice husk -稻田,dào tián,paddy field; rice paddy -稻田苇莺,dào tián wěi yīng,(bird species of China) paddyfield warbler (Acrocephalus agricola) -稻田鹨,dào tián liù,(bird species of China) paddyfield pipit (Anthus rufulus) -稻谷,dào gǔ,unhusked rice; paddy -稻穗,dào suì,rice ear -稻米,dào mǐ,rice (crop) -稻糠,dào kāng,rice husk -稻苗,dào miáo,rice seedling -稻草,dào cǎo,rice straw -稻草人,dào cǎo rén,scarecrow -稻荷寿司,dào hè shòu sī,inarizushi (pouch of fried tofu typically filled with rice) -稼,jià,to sow grain; (farm) crop -稼穑,jià sè,(literary) sowing and reaping; farm work -稽,jī,surname Ji -稽,jī,to inspect; to check -稽,qǐ,to bow to the ground -稽古,jī gǔ,to learn from the ancients; to study the classic texts -稽古振今,jī gǔ zhèn jīn,studying the old to promote the new (idiom) -稽查,jī chá,inspection -稽查人员,jī chá rén yuán,inspector -稽查员,jī chá yuán,inspector; ticket inspector -稽核,jī hé,to audit; to verify; to examine; auditing -稽颡,qǐ sǎng,to kowtow (touch the forehead to the floor) -稿,gǎo,variant of 稿[gao3] -稿,gǎo,manuscript; draft; stalk of grain -稿件,gǎo jiàn,piece of writing submitted for publication; manuscript; article -稿子,gǎo zi,draft of a document; script; manuscript; mental plan; precedent -稿本,gǎo běn,manuscript (of a book etc); sketch (of a design etc) -稿纸,gǎo zhǐ,draft paper -稿费,gǎo fèi,author's remuneration; CL:筆|笔[bi3] -稿酬,gǎo chóu,fee paid to an author for a piece of writing -谷,gǔ,grain; corn -谷仓,gǔ cāng,barn -谷子,gǔ zi,millet -谷梁,gǔ liáng,"two-character surname Guliang; abbr. for 穀梁傳|谷梁传[Gu3liang2 Zhuan4], Guliang Annals" -谷梁传,gǔ liáng zhuàn,"Guliang Annals, commentary on the Spring and Autumn Annals 春秋[Chun1 qiu1], first published during the Han Dynasty" -谷歌,gǔ gē,variant of 谷歌[Gu3 ge1] -谷壳,gǔ ké,husk (of rice etc); chaff -谷氨酸,gǔ ān suān,"glutamic acid (Glu), an amino acid" -谷氨酸钠,gǔ ān suān nà,monosodium glutamate (MSG) (E621) -谷物,gǔ wù,cereal; grain -谷神,gǔ shén,harvest God -谷神星,gǔ shén xīng,"Ceres, dwarf planet in the asteroid belt between Mars and Jupiter, discovered in 1801 by G. Piazzi" -谷穗,gǔ suì,ear of grain; gerbe (used on coats of arms) -谷粒,gǔ lì,grain (of cereal) -谷糠,gǔ kāng,grain chaff -谷草,gǔ cǎo,straw -谷雨,gǔ yǔ,"Guyu or Grain Rain, 6th of the 24 solar terms 二十四節氣|二十四节气 20th April-4th May" -谷类,gǔ lèi,cereal; grain -糠,kāng,variant of 糠[kang1] -穆,mù,surname Mu -穆,mù,solemn; reverent; calm; burial position in an ancestral tomb (old); old variant of 默 -穆加贝,mù jiā bèi,"Robert Mugabe (1924-2019), Zimbabwean ZANU-PF politician, president of Zimbabwe 1987-2017" -穆勒鞋,mù lè xié,mule shoes (loanword) -穆巴拉克,mù bā lā kè,"Hosni Mubarak (1928-2020), former Egyptian President and military commander" -穆斯林,mù sī lín,Muslim -穆桂英,mù guì yīng,"Mu Guiying, female warrior and heroine of the Yang Saga 楊家將|杨家将" -穆沙拉夫,mù shā lā fū,"Pervez Musharraf (1943-), Pakistani general and politician, president 2001-2008" -穆尔西,mù ěr xī,"Morsi, Mursi or Morsy (name); Mohamed Morsi (1951-2019), Egyptian Muslim Brotherhood politician, president of Egypt 2012-2013" -穆棱,mù líng,"Muling, county-level city in Mudanjiang 牡丹江, Heilongjiang" -穆棱市,mù líng shì,"Muling, county-level city in Mudanjiang 牡丹江, Heilongjiang" -穆索尔斯基,mù suǒ ěr sī jī,"Modest Mussorgsky (1839-1881), Russian composer, composer of Pictures at an Exhibition" -穆罕默德,mù hǎn mò dé,"Mohammed (c. 570-632), central figure of Islam and prophet of God" -穆罕默德六世,mù hǎn mò dé liù shì,King Mohammed VI (King of Morocco) -穆圣,mù shèng,Prophet Muhammad -穆萨维,mù sà wéi,"Moussavi, Mir Hussein (1941-), candidate in Iran's disputed 2009 elections" -穆迪,mù dí,"Moody's, company specializing in financial market ratings" -穆通,mù tōng,"Mouton (name); Gabriel Mouton (1618-1694), French clergyman and scientist, pioneer of the metric system" -穆黑,mù hēi,Islamophobe -稚,zhì,variant of 稚[zhi4] -稣,sū,archaic variant of 蘇|苏[su1]; to revive -积,jī,to amass; to accumulate; to store up; (math.) product (the result of multiplication); (TCM) constipation; indigestion -积不相能,jī bù xiāng néng,(idiom) always at loggerheads; never able to agree with sb; unable to get on with sb -积久,jī jiǔ,to accumulate over time -积代会,jī dài huì,(Cultural Revolution term) conference of activist representatives (abbr. for 積極分子代錶大會|积极分子代表大会) -积冰,jī bīng,ice accretion -积分,jī fēn,"integral (calculus); accumulated points (in sports, at school etc); total credits earned by student; bonus points in a benefit scheme" -积分学,jī fēn xué,integral calculus -积分常数,jī fēn cháng shù,constant of integration (math.) -积分方程,jī fēn fāng chéng,integral equation (math.) -积分榜,jī fēn bǎng,table of scores (in exams or sports league) -积分变换,jī fēn biàn huàn,integral transform (math.) -积劳成疾,jī láo chéng jí,to accumulate work causes sickness (idiom); to fall ill from constant overwork -积厚流广,jī hòu liú guǎng,deep rooted and influential -积土成山,jī tǔ chéng shān,lit. piling up dirt eventually creates a mountain (idiom); fig. success is the cumulation of lots of small actions -积垢,jī gòu,deeply accumulated filth -积压,jī yā,to pile up; to accumulate without being dealt with -积存,jī cún,to stockpile -积少成多,jī shǎo chéng duō,(idiom) many little things add up to sth great; many little drops make an ocean -积年,jī nián,for a long time; over many years; old; advanced in age -积年累月,jī nián lěi yuè,"year in, year out (idiom); (over) many years" -积弊,jī bì,age-old (malpractice); long established (corrupt practices); deeply rooted (superstition) -积弱,jī ruò,cumulative weakness; to decline (over time); degeneration -积德,jī dé,to accumulate merit; to do good; to give to charity; virtuous actions -积德累功,jī dé lěi gōng,to accumulate merit and virtue -积怨,jī yuàn,grievance; accumulated rancor -积恶,jī è,accumulated evil -积恶余殃,jī è yú yāng,Accumulated evil will be repaid in suffering (idiom). -积愤,jī fèn,accumulated anger; pent-up fury -积攒,jī zǎn,to save bit by bit; to accumulate -积于忽微,jī yú hū wēi,to accumulate tiny quantities (idiom) -积木,jī mù,toy building blocks -积案,jī àn,long pending case -积极,jī jí,active; energetic; vigorous; positive (outlook); proactive -积极分子,jī jí fèn zǐ,enthusiast; (political) activist -积极反应,jī jí fǎn yìng,active response; energetic response -积极性,jī jí xìng,zeal; initiative; enthusiasm; activity -积极进取,jī jí jìn qǔ,proactive -积水,jī shuǐ,to collect water; to be covered with water; to pond; accumulated water; ponding -积渐,jī jiàn,gradually -积淀,jī diàn,"deposits accumulated over long periods; fig. valuable experience, accumulated wisdom" -积物,jī wù,sediment; deposit -积叠,jī dié,to pile up layer upon layer -积石山保安族东乡族撒拉族自治县,jī shí shān bǎo ān zú dōng xiāng zú sā lā zú zì zhì xiàn,"Jishishan Bonan, Dongxiang and Salar Autonomous County in Linxia Hui Autonomous Prefecture 臨夏回族自治州|临夏回族自治州[Lin2 xia4 Hui2 zu2 Zi4 zhi4 zhou1], Gansu" -积祖,jī zǔ,many generations of ancestors -积谷防饥,jī gǔ fáng jī,storing grain against a famine; to lay sth by for a rainy day; also written 積穀防飢|积谷防饥 -积累,jī lěi,to accumulate; accumulation; cumulative; cumulatively -积累性,jī lěi xìng,cumulative -积累毒性,jī lěi dú xìng,cumulative poison -积习,jī xí,old habit (usually bad); inbred custom; deep-rooted practice -积习成俗,jī xí chéng sú,accumulated habits become custom -积习难改,jī xí nán gǎi,old habits are hard to change (idiom) -积聚,jī jù,to coalesce; to gather together; to amass -积肥,jī féi,to accumulate manure; to lay down compost -积草屯粮,jī cǎo tún liáng,to stockpile provisions in preparation for war -积蓄,jī xù,to save; to put aside; savings -积薪厝火,jī xīn cuò huǒ,to add fuel to the flames -积贮,jī zhù,to stockpile -积贼,jī zéi,confirmed thief -积重难返,jī zhòng nán fǎn,ingrained habits are hard to overcome (idiom); bad old practices die hard -积金累玉,jī jīn lěi yù,to accumulate gold and jewels (idiom); prosperous -积雨云,jī yǔ yún,cumulonimbus (cloud) -积雪,jī xuě,snow; snow cover; snow mantle -积雪场,jī xuě chǎng,snowpack -积云,jī yún,cumulus; heap cloud -积非成是,jī fēi chéng shì,a wrong repeated becomes right (idiom); a lie or an error passed on for a long time may be taken for the truth -积食,jī shí,(of food) to retain in stomach due to indigestion (TCM) -积体电路,jī tǐ diàn lù,integrated circuit (Tw) -积郁,jī yù,(of gloomy thoughts etc) to smolder; to accumulate in one's mind; accumulated anxiety -颖,yǐng,head of grain; husk; tip; point; clever; gifted; outstanding -颖悟,yǐng wù,intelligent; bright -颖果,yǐng guǒ,(botany) caryopsis -颖异,yǐng yì,highly intelligent; original and unique -穗,suì,abbr. for Guangzhou 廣州|广州[Guang3 zhou1] -穗,suì,ear of grain; fringe; tassel -穗饰,suì shì,tassel -穑,sè,gather in harvest -秽,huì,(bound form) dirty; filthy -秽水,huì shuǐ,dirty water; polluted water; sewage -秽语,huì yǔ,obscene language -糯,nuò,variant of 糯[nuo4] -颓,tuí,variant of 頹|颓[tui2] -稳,wěn,settled; steady; stable -稳中求进,wěn zhōng qiú jìn,to make progress while ensuring stability -稳便,wěn biàn,reliable; at one's convenience; as you wish -稳健,wěn jiàn,firm; stable and steady -稳胜,wěn shèng,"to beat comfortably; to win easily; abbr. for 穩操勝券|稳操胜券, to have victory within one's grasp" -稳厚,wěn hòu,steady and honest -稳固,wěn gù,stable; steady; firm; to stabilize -稳坐钓鱼台,wěn zuò diào yú tái,lit. to sit tight on the fishing terrace despite the storm (idiom); fig. to stay calm in a tense situation -稳压,wěn yā,stable voltage -稳如泰山,wěn rú tài shān,steady as Mt Tai; as safe as houses -稳妥,wěn tuǒ,dependable -稳婆,wěn pó,midwife (old term) -稳定,wěn dìng,steady; stable; stability; to stabilize; to pacify -稳定塘,wěn dìng táng,waste stabilization pond -稳定度,wěn dìng dù,degree of stability -稳定性,wěn dìng xìng,stability -稳定物价,wěn dìng wù jià,stable prices; commodity prices fixed by government (in a command economy); to valorize (a commodity) -稳实,wěn shí,steady; calm and practical -稳恒,wěn héng,steady; stable and permanent; constant; steady-state -稳恒态,wěn héng tài,steady state; stable and permanent attitude -稳态,wěn tài,steady state; homeostasis -稳态理论,wěn tài lǐ lùn,the steady-state theory (cosmology) -稳扎稳打,wěn zhā wěn dǎ,to go steady and strike hard (in fighting); fig. steadily and surely -稳拿,wěn ná,a sure gain; sth one is sure to obtain -稳控,wěn kòng,to get (a situation) under control; to stabilize -稳操胜券,wěn cāo shèng quàn,grasp it and victory is assured; to have success within one's grasp (idiom) -稳操胜算,wěn cāo shèng suàn,to be assured of success -稳步,wěn bù,steadily; a steady pace -稳步不前,wěn bù bù qián,to mark time and make no advances (idiom) -稳获,wěn huò,a sure catch; sth one is sure to obtain -稳当,wěn dang,reliable; secure; stable; firm -稳练,wěn liàn,steady and proficient; skilled and reliable -稳贴,wěn tiē,safe; to appease; to reassure -稳重,wěn zhòng,steady; earnest; staid -稳静,wěn jìng,steady; calm -获,huò,(bound form) to reap; to harvest -获刑,huò xíng,to be punished -获奖者,huò jiǎng zhě,prizewinner -穰,ráng,surname Rang -穰,ráng,abundant; stalk of grain -穴,xué,cave; cavity; hole; acupuncture point; Taiwan pr. [xue4] -穴位,xué wèi,acupuncture point; location of a grave -穴居,xué jū,to live in a cave; (of animals) to be of burrowing habit -穴居人,xué jū rén,cave man -穴播,xué bō,bunch planting -穴脉,xué mài,node (center of energy); acupuncture point; Chakra -穴道,xué dào,acupuncture point; acupoint -穴头,xué tou,(show business) promoter -穴鸟,xué niǎo,jackdaw (family Corvidae) -穵,wā,to dig; to scoop out -究,jiū,after all; to investigate; to study carefully; Taiwan pr. [jiu4] -究其根源,jiū qí gēn yuán,to trace something to its source (idiom) -究竟,jiū jìng,to go to the bottom of a matter; after all; when all is said and done; (in an interrogative sentence) finally; outcome; result -究办,jiū bàn,to investigate and deal with -穸,xī,tomb -穹,qióng,vault; dome; the sky -穹丘,qióng qiū,dome -穹庐,qióng lú,yurt (round tent) -穹形,qióng xíng,arched; vaulted; dome-shaped -穹窿,qióng lóng,a dome; a vault; the sky -穹肋,qióng lèi,a rib of an arch -穹苍,qióng cāng,the sky; the firmament; the vault of heaven -穹隆,qióng lóng,domed structure; vault -穹顶,qióng dǐng,dome; vault; domed roof -空,kōng,empty; air; sky; in vain -空,kòng,to empty; vacant; unoccupied; space; leisure; free time -空中,kōng zhōng,in the sky; in the air -空中交通管制,kōng zhōng jiāo tōng guǎn zhì,air traffic control -空中交通管制员,kōng zhōng jiāo tōng guǎn zhì yuán,air traffic controller -空中分列,kōng zhōng fēn liè,(military) flyover -空中劫持,kōng zhōng jié chí,to hijack (a plane); aircraft hijacking; skyjacking -空中客车,kōng zhōng kè chē,Airbus (aerospace company) -空中小姐,kōng zhōng xiǎo jiě,stewardess; air hostess -空中少爷,kōng zhōng shào ye,airline steward -空中接力,kōng zhōng jiē lì,alley-oop (basketball) -空中格斗,kōng zhōng gé dòu,dogfight (of planes) -空中楼阁,kōng zhōng lóu gé,pavilion in the air (idiom); unrealistic Utopian construction; castles in Spain; imaginary future plans -空中炮舰,kōng zhōng pào jiàn,gunship (aircraft) -空中花园,kōng zhōng huā yuán,hanging gardens (Babylon etc); rooftop garden -空中飘浮,kōng zhōng piāo fú,to float in the air -空中飞人,kōng zhōng fēi rén,trapeze artist; frequent flyer -空乘,kōng chéng,flight attendant; on-board service -空位,kōng wèi,empty place; room (for sb) -空值,kōng zhí,null value (in a relational database) -空儿,kòng er,spare time; free time -空前,kōng qián,unprecedented -空前绝后,kōng qián jué hòu,unprecedented and never to be duplicated; the first and the last; unmatched; unique -空匮,kòng kuì,scarce; poor -空口,kōng kǒu,incomplete meal of a single dish; meat or vegetable dish without rice or wine; rice without meat or vegetables -空口无凭,kōng kǒu wú píng,mere verbal statement cannot be taken as proof (idiom) -空口白话,kōng kǒu bái huà,empty promises -空口说白话,kōng kǒu shuō bái huà,to make empty promises -空名,kōng míng,vacuous reputation; name without substance; in name only; so-called -空喊,kōng hǎn,idle clamor; to prattle -空地,kōng dì,air-to-surface (missile) -空地,kòng dì,vacant land; open space -空地导弹,kōng dì dǎo dàn,air-to-surface missile -空城计,kōng chéng jì,"the empty city stratagem (in which Zhuge Liang presents himself as unperturbed while making it evident that his city is undefended, hoping his adversary will suspect an ambush); double bluff" -空姐,kōng jiě,abbr. for 空中小姐; stewardess; air hostess; female flight attendant -空嫂,kōng sǎo,married stewardess of mature age -空子,kòng zi,gap; unoccupied space or time; fig. gap; loophole -空客,kōng kè,Airbus (abbr. for 空中客車|空中客车[Kong1 zhong1 Ke4 che1]) -空室清野,kōng shì qīng yě,"empty room, clean field (idiom); clean out everything to leave nothing for the enemy; scorched earth policy" -空寂,kōng jì,empty and silent; desolate -空对地,kōng duì dì,air-to-surface (missile) -空对空导弹,kōng duì kōng dǎo dàn,air-to-air missile -空少,kōng shào,airline steward (abbr. for 空中少爺|空中少爷[kong1 zhong1 shao4 ye5]) -空巢,kōng cháo,empty nest; a home where the kids have grown up and moved out -空幻,kōng huàn,vanity; empty fantasy; illusion -空心,kōng xīn,hollow; (of vegetables) to become hollow or spongy inside; (of a basketball) to swish through (not touching the hoop) -空心,kòng xīn,on an empty stomach -空心儿,kòng xīn er,erhua variant of 空心[kong4 xin1] -空心大老官,kōng xīn dà lǎo guān,fake important personage; sham -空心墙,kōng xīn qiáng,cavity wall; hollow wall -空心球,kōng xīn qiú,hollow ball; (basketball) swish shot -空心老大,kōng xīn lǎo dà,pretentious and vacuous person -空心菜,kōng xīn cài,see 蕹菜[weng4 cai4] -空心萝卜,kōng xīn luó bo,useless person -空心面,kōng xīn miàn,macaroni -空怒,kōng nù,air rage -空性,kōng xìng,emptiness -空想,kōng xiǎng,daydream; fantasy; to fantasize -空想家,kōng xiǎng jiā,impractical dreamer -空想性错视,kōng xiǎng xìng cuò shì,pareidolia -空想社会主义,kōng xiǎng shè huì zhǔ yì,utopian socialism -空战,kōng zhàn,air war; air warfare -空房间,kōng fáng jiān,vacant room -空手,kōng shǒu,"empty-handed; unarmed; (painting, embroidery etc) without following a model; (abbr. for 空手道[kong1 shou3 dao4]) karate" -空手而归,kōng shǒu ér guī,to return empty-handed; to fail to win anything -空手道,kōng shǒu dào,karate -空投,kōng tóu,to airdrop -空拍,kōng pāi,aerial photography (video or still) (Tw) -空拍机,kōng pāi jī,drone equipped for aerial photography -空挡,kōng dǎng,neutral gear -空日,kòng rì,day that is named but not numbered (on ethnic calendar) -空暇,kòng xiá,idle; free time; leisure -空旷,kōng kuàng,spacious and empty; void -空服员,kōng fú yuán,flight attendant; cabin crew -空格,kòng gé,blank; blank space on a form; space; 囗 (indicating missing or illegible character) -空格键,kòng gé jiàn,space bar (keyboard) -空档,kòng dàng,gap (between two objects); interval of time (between events); opening in one's schedule; free time; (fig.) gap (in the market etc) -空壳,kōng ké,empty shell -空壳公司,kōng ké gōng sī,shell company; shell corporation -空气,kōng qì,air; atmosphere -空气剂量,kōng qì jì liàng,air dose -空气动力,kōng qì dòng lì,aerodynamic force -空气动力学,kōng qì dòng lì xué,aerodynamics -空气取样,kōng qì qǔ yàng,air sampling -空气取样器,kōng qì qǔ yàng qì,air sampler -空气污染,kōng qì wū rǎn,air pollution -空气流,kōng qì liú,flow of air; draft -空气流通,kōng qì liú tōng,ventilation; air circulation -空气净化器,kōng qì jìng huà qì,air purifier -空气炸锅,kōng qì zhá guō,air fryer -空气缓冲间,kōng qì huǎn chōng jiān,air lock -空气调节,kōng qì tiáo jié,air conditioning -空气阻力,kōng qì zǔ lì,atmospheric drag -空泛,kōng fàn,vague and general; not specific; shallow; empty -空洞,kōng dòng,cavity; empty; vacuous -空洞洞,kōng dòng dòng,empty; deserted -空洞无物,kōng dòng wú wù,"empty cave, nothing there (idiom); devoid of substance; nothing new to show" -空港,kōng gǎng,airport (abbr. for 航空港[hang2 kong1 gang3]) -空无一人,kōng wú yī rén,not a soul in sight (idiom) -空无所有,kōng wú suǒ yǒu,having nothing (idiom); utterly destitute; without two sticks to rub together -空当,kòng dāng,gap; interval -空疏,kōng shū,shallow; empty -空白,kòng bái,blank space -空白支票,kòng bái zhī piào,blank check -空白点,kòng bái diǎn,gap; empty space -空穴,kòng xué,electron hole (physics) -空穴来风,kōng xué lái fēng,lit. wind from an empty cave (idiom); fig. unfounded (story); baseless (claim) -空穴来风未必无因,kòng xué lái fēng wèi bì wú yīn,wind does not come from an empty cave without reason; there's no smoke without fire (idiom) -空空,kōng kōng,empty; vacuous; nothing; vacant; in vain; all for nothing; air-to-air (missile) -空空如也,kōng kōng rú yě,"as empty as anything (idiom); completely bereft; to have nothing; vacuous; hollow; empty (argument, head etc)" -空空导弹,kōng kōng dǎo dàn,air-to-air missile -空空洞洞,kōng kōng dòng dòng,empty; hollow; lacking in substance -空空荡荡,kōng kōng dàng dàng,deserted -空空荡荡,kōng kōng dàng dàng,absolutely empty (space); complete vacuum -空窗期,kōng chuāng qī,"window period (time between infection and the appearance of detectable antibodies); period during which sth is lacking (boyfriend or girlfriend, work, revenue, production of a commodity etc); lull; hiatus" -空竹,kōng zhú,Chinese yo-yo -空缺,kòng quē,vacancy -空置,kōng zhì,to set sth aside; to let sth lie idle; idle; unused -空翻,kōng fān,flip; somersault -空耳,kōng ěr,"to intentionally reinterpret a spoken expression as if one had misheard it, for the sake of humor (often, it is a phrase in a foreign language twisted into a similar-sounding phrase in one's native language with a completely different meaning) (orthographic borrowing from Japanese 空耳 ""soramimi"")" -空腔,kōng qiāng,cavity -空肠,kōng cháng,"jejunum (empty gut, middle segment of small intestine between duodenum 十二指腸|十二指肠[shi2 er4 zhi3 chang2] and ileum 回腸|回肠[hui2 chang2])" -空腹,kōng fù,an empty stomach -空腹高心,kōng fù gāo xīn,ambitious despite a lack of talent (idiom) -空落落,kōng luò luò,empty; desolate -空着手,kōng zhe shǒu,empty-handed -空荡荡,kōng dàng dàng,empty; deserted -空虚,kōng xū,hollow; emptiness; meaningless -空号,kōng hào,disconnected phone number; unassigned phone number -空袭,kōng xí,to make an air raid -空话,kōng huà,empty talk; bunk; malicious gossip -空话连篇,kōng huà lián piān,long-winded empty talk -空调,kōng tiáo,air conditioning; air conditioner (including units that have a heating mode); CL:臺|台[tai2] -空调车,kōng tiáo chē,air conditioned vehicle -空谈,kōng tán,prattle; idle chit-chat -空谷足音,kōng gǔ zú yīn,lit. the sound of footsteps in a deserted valley (idiom); fig. sth hard to come by; sth wonderful and rare -空跑一趟,kōng pǎo yī tàng,to make a journey for nothing -空身,kōng shēn,empty handed (carrying nothing); alone -空军,kōng jūn,air force -空军一号,kōng jūn yī hào,"Air Force One, US presidential jet" -空军司令,kōng jūn sī lìng,air commodore; top commander of air force -空军基地,kōng jūn jī dì,air base -空载,kōng zài,"(of a ship, train etc) not carrying any load (i.e. no passengers or freight etc); (electricity) no-load (used to describe the condition of a transformer when there is no load connected to its secondary coil)" -空运,kōng yùn,air transport -空运费,kōng yùn fèi,air freight (cost of air transport) -空钟,kōng zhong,diabolo (Chinese yo-yo) -空闲,kòng xián,"leisure; spare time; (of a person) free; unoccupied; (of equipment, rooms etc) unoccupied; unused; idle; vacant; spare" -空间,kōng jiān,"space; room; (fig.) scope; leeway; (astronomy) outer space; (physics, math.) space" -空间局,kōng jiān jú,space agency -空间探测,kōng jiān tàn cè,space exploration -空间探测器,kōng jiān tàn cè qì,space probe -空间站,kōng jiān zhàn,space station -空阒,kōng qù,empty and quiet -空防,kōng fáng,air force; air defense -空降,kōng jiàng,to drop from the sky; (fig.) to appear out of nowhere; (attributive) airborne -空降兵,kōng jiàng bīng,paratroopers -空隙,kòng xì,crack; gap between two objects; gap in time between two events -空集,kōng jí,empty set (set theory) -空难,kōng nàn,air crash; aviation accident or incident -空头,kōng tóu,phony; so-called; armchair (expert); vain (promise); (finance) short-seller; bear (market); short (selling) -空头市场,kōng tóu shì chǎng,bear market -空头支票,kōng tóu zhī piào,bounced check; bad check; (fig.) empty promise -空额,kòng é,vacancy; unfilled work place -空余,kòng yú,free; vacant; unoccupied -阱,jǐng,variant of 阱[jing3] -穿,chuān,to wear; to put on; to dress; to bore through; to pierce; to perforate; to penetrate; to pass through; to thread -穿一条裤子,chuān yī tiáo kù zi,(of male friends) to have been through thick and thin together; to be like family; to share the same view of things -穿上,chuān shang,to put on (clothes etc) -穿刺,chuān cì,(medicine) to puncture; to do a needle biopsy -穿反,chuān fǎn,to wear inside out (clothes) -穿回,chuān huí,to put on (clothes); to put (clothes) back on -穿堂风,chuān táng fēng,draft -穿孔,chuān kǒng,to punch a hole; to perforate; (medicine) perforation -穿小鞋,chuān xiǎo xié,lit. to make sb wear tight shoes (idiom); to make life difficult for sb -穿山甲,chuān shān jiǎ,pangolin (Manis pentadactylata); scaly ant-eater -穿帮,chuān bāng,(TV or movie) blooper; continuity error; (theater) to flub one's lines; unintended exposure of a body part; to be exposed (of a scheme or trick); to reveal sth one intended to conceal through a slip of the tongue; to blow one's cover -穿戴,chuān dài,to dress; clothing -穿插,chuān chā,"to insert; to take turns, alternate; to interweave; to interlace; subplot; interlude; episode; (military) to thrust deep into the enemy forces" -穿搭,chuān dā,(Tw) to mix and match; outfit coordination -穿梭,chuān suō,to travel back and forth; to shuttle -穿洞,chuān dòng,pierce -穿破,chuān pò,to wear out (clothes); to pierce (a membrane etc) -穿着,chuān zhuó,attire; clothes; dress -穿着打扮,chuān zhuó dǎ bàn,style of dress; one's appearance -穿着讲究,chuān zhuó jiǎng jiu,smart clothes; particular about one's dress -穿行,chuān xíng,to go through; to pass through; to thread one's way through -穿衣,chuān yī,to put on clothes; to get dressed -穿衣镜,chuān yī jìng,full-length mirror -穿越,chuān yuè,to pass through; to traverse; to cross -穿越剧,chuān yuè jù,time travel series (on TV) -穿越时空,chuān yuè shí kōng,to travel through time -穿透,chuān tòu,to penetrate -穿透辐射,chuān tòu fú shè,penetrating radiation -穿过,chuān guò,to pass through -穿金戴银,chuān jīn dài yín,richly bedecked; dripping with gold and silver (idiom) -穿针,chuān zhēn,to thread a needle -穿针引线,chuān zhēn yǐn xiàn,lit. to thread a needle (idiom); fig. to act as a go-between -穿针走线,chuān zhēn zǒu xiàn,to thread a needle -穿凿,chuān záo,to bore a hole; to give a forced interpretation -穿凿附会,chuān záo fù huì,(idiom) to make far-fetched claims; to offer outlandish explanations -穿马路,chuān mǎ lù,to cross (a street) -窀,zhūn,to bury -窀穸,zhūn xī,to bury (in a tomb) -突,tū,to dash; to move forward quickly; to bulge; to protrude; to break through; to rush out; sudden; Taiwan pr. [tu2] -突兀,tū wù,lofty or towering; sudden or abrupt -突出,tū chū,prominent; outstanding; to give prominence to; to protrude; to project -突厥,tū jué,Turkic ethnic group -突厥斯坦,tū jué sī tǎn,Turkestan -突围,tū wéi,to break a siege; to break out of an enclosure -突如其来,tū rú qí lái,to arise abruptly; to arrive suddenly; happening suddenly -突尼斯,tū ní sī,"Tunisia; Tunis, capital of Tunisia" -突尼斯市,tū ní sī shì,"Tunis, capital of Tunisia" -突尼西亚,tū ní xī yà,Tunisia (Tw) -突击,tū jī,sudden and violent attack; assault; fig. rushed job; concentrated effort to finish a job quickly -突击检查,tū jī jiǎn chá,sudden unannounced investigation; on-the-spot inspection; to search without notification -突击步枪,tū jī bù qiāng,assault rifle -突击队,tū jī duì,commando unit -突击队员,tū jī duì yuán,commando -突泉县,tū quán xiàn,"Tuquan county in Hinggan league 興安盟|兴安盟[Xing1 an1 meng2], east Inner Mongolia" -突然,tū rán,sudden; abrupt; unexpected -突然间,tū rán jiān,suddenly -突发,tū fā,to occur suddenly -突发事件,tū fā shì jiàn,emergency; sudden occurrence -突发奇想,tū fā qí xiǎng,suddenly have a thought (idiom); suddenly be inspired to do something -突破,tū pò,to break through; to make a breakthrough; to surmount (an obstacle); (sports) to break through the opponent's defense -突破口,tū pò kǒu,breach; gap; breakthrough point -突破性,tū pò xìng,groundbreaking -突破瓶颈,tū pò píng jǐng,to make a breakthrough -突破点,tū pò diǎn,point of penetration (military); breakthrough -突突,tū tū,(onom.) beating of the heart; pitapat; pulsation of a machine -突袭,tū xí,to raid; to storm; surprise attack -突触,tū chù,synapse -突触后,tū chù hòu,postsynaptic -突变,tū biàn,sudden change; mutation -突变株,tū biàn zhū,mutant; mutant strain (of virus) -突变理论,tū biàn lǐ lùn,(math.) catastrophe theory -突起,tū qǐ,to appear suddenly; projection; bit sticking out -突起部,tū qǐ bù,bit sticking out; projection -突显,tū xiǎn,conspicuous; to make sth stand out; make sth prominent -突飞猛进,tū fēi měng jìn,to advance by leaps and bounds -窄,zhǎi,narrow; narrow-minded; badly off -窄巷,zhǎi xiàng,narrow alley; narrow street -窄狭,zhǎi xiá,see 狹窄|狭窄[xia2 zhai3] -窄缝,zhǎi fèng,narrow gap; slit -窅,yǎo,sunken eyes; deep and hollow; remote and obscure; variant of 杳[yao3] -窅然,yǎo rán,far and deep; remote and obscure; see also 杳然[yao3 ran2] -窆,biǎn,to put a coffin in the grave -窈,yǎo,(literary) deep; profound; dim (variant of 杳[yao3]) -窈冥,yǎo míng,variant of 杳冥[yao3 ming2] -窈窈,yǎo yǎo,obscure; dusky; far and deep; profound; see also 杳杳[yao3 yao3] -窈窕,yǎo tiǎo,"(literary) (of a woman) graceful and refined; comely; (esp.) slender; slim; (literary) (of a bower, a mountain stream or a boudoir within a palace etc) secluded" -窈霭,yǎo ǎi,variant of 杳靄|杳霭[yao3 ai3] -窒,zhì,to obstruct; to stop up -窒息,zhì xī,to choke; to stifle; to suffocate -窒息性毒剂,zhì xī xìng dú jì,choking agent -窒碍,zhì ài,(literary) to be obstructed -窗,chuāng,variant of 窗[chuang1] -窕,tiǎo,"quiet and secluded; gentle, graceful, and elegant" -窕邃,tiǎo suì,abstruse; deep and profound -窖,jiào,cellar -窖藏,jiào cáng,to store in a cellar -窗,chuāng,window; CL:扇[shan4] -窗口,chuāng kǒu,window; opening providing restricted access (e.g. customer service window); computer operating system window; fig. medium; intermediary; showpiece; testing ground -窗口期,chuāng kǒu qī,window (interval of time); (epidemiology) window period -窗子,chuāng zi,window -窗帷,chuāng wéi,curtain -窗幔,chuāng màn,curtain -窗户,chuāng hu,"window; CL:個|个[ge4],扇[shan4]" -窗户棂,chuāng hù líng,window lattice -窗扇,chuāng shàn,window; the opening panel of a window -窗明几净,chuāng míng jī jìng,lit. clear window and clean table (idiom); fig. bright and clean -窗框,chuāng kuàng,window frame -窗棂,chuāng líng,window lattice -窗棂子,chuāng líng zi,window lattice -窗玻璃,chuāng bō lí,window pane -窗帘,chuāng lián,window curtains -窗台,chuāng tái,windowsill; window ledge -窗花,chuāng huā,paper cutting -窗钩,chuāng gōu,window hook; window latch -窗饰,chuāng shì,window decoration -窗体,chuāng tǐ,form (used in programming languages such as Visual Basic and Delphi to create a GUI window) -窘,jiǒng,distressed; embarrassed -窘匮,jiǒng kuì,destitute; impoverished -窘境,jiǒng jìng,awkward situation; predicament -窘况,jiǒng kuàng,predicament -窘迫,jiǒng pò,poverty-stricken; very poor; hard-pressed; in a predicament; embarrassed -窟,kū,cave; hole -窟窿,kū long,hole; pocket; cavity; loophole; debt -窟窿眼,kū long yǎn,small hole -窟臀,kū tún,buttocks (dialect) -窠,kē,nest -窠臼,kē jiù,stereotypical pattern; rut -窣,sū,used in 窸窣[xi1 su1]; Taiwan pr. [su4] -窨,xūn,to scent tea with flowers; variant of 熏[xun1] -窨,yìn,cellar -窨井,yìn jǐng,inspection shaft; well -窨井盖,yìn jǐng gài,manhole cover -窝,wō,nest; pit or hollow on the human body; lair; den; place; to harbor or shelter; to hold in check; to bend; classifier for litters and broods -窝主,wō zhǔ,person who harbors criminals; receiver (of stolen goods) -窝咑,wō dā,"otak, a Malay food" -窝囊,wō nang,to feel vexed; annoyed; good-for-nothing; stupid and cowardly -窝囊废,wō nang fèi,(coll.) spineless coward; wimp; a good-for-nothing -窝囊气,wō nang qì,pent-up frustration; petty annoyances -窝夫,wō fū,waffle (loanword) -窝子,wō zi,lair; den; stronghold -窝巢,wō cháo,nest -窝工,wō gōng,"(of workers) to have no work to do; to be underutilized (due to lack of supplies, poor organization by management etc)" -窝心,wō xīn,"aggrieved; dejected; (Tw, southern China) to be moved by a kind gesture etc; to feel gratified; to feel warm inside" -窝料,wō liào,groundbait -窝窝头,wō wo tóu,a kind of a bread -窝脖儿,wō bó er,to suffer a snub; to meet with a rebuff -窝脓包,wō nóng bāo,useless weakling -窝藏,wō cáng,to harbor; to shelter -窝里反,wō li fǎn,see 窩裡鬥|窝里斗[wo1 li5 dou4] -窝里横,wō li hèng,"(coll.) meek and civil in public, but a tyrant at home" -窝里斗,wō li dòu,"internal strife (family, group, etc)" -窝阔台,wō kuò tái,"Ögedei Khan (1186-1242), a son of Genghis Khan" -窝阔台汗,wō kuò tái hán,"Ögedei Khan (1186-1242), a son of Genghis Khan" -窝点,wō diǎn,lair; den (of illegal activities) -洼,wā,depression; low-lying area; low-lying; sunken -洼地,wā dì,low-lying ground; depression -窬,yú,hole in a wall -穷,qióng,poor; destitute; to use up; to exhaust; thoroughly; extremely; (coll.) persistently and pointlessly -穷二代,qióng èr dài,those who did not benefit from the Chinese economic reforms of the 1980s; see also 富二代[fu4 er4 dai4] -穷人,qióng rén,poor people; the poor -穷光蛋,qióng guāng dàn,poor wretch; pauper; destitute man; poverty-stricken peasant; penniless good-for-nothing; impecunious vagabond -穷兵黩武,qióng bīng dú wǔ,to engage in wars of aggression at will (idiom); militaristic; bellicose -穷凶极恶,qióng xiōng jí è,fiendish; black-hearted -穷则思变,qióng zé sī biàn,"(idiom) when you hit bottom, you have to come up with a new approach" -穷匮,qióng kuì,to be short of sth; to be wanting in sth -穷困,qióng kùn,destitute; wretched poverty -穷国,qióng guó,poor country -穷奢极侈,qióng shē jí chǐ,extravagant in the extreme (idiom) -穷奢极欲,qióng shē jí yù,to indulge in a life of luxury (idiom); extreme extravagance -穷家富路,qióng jiā fù lù,"(idiom) at home be frugal, but when traveling be prepared to spend" -穷家薄业,qióng jiā bó yè,lit. poor and with few means of subsistance (idiom); fig. destitute -穷寇,qióng kòu,cornered enemy -穷山恶水,qióng shān è shuǐ,lit. barren hills and wild rivers (idiom); fig. inhospitable natural environment -穷忙族,qióng máng zú,the working poor -穷思苦想,qióng sī kǔ xiǎng,to think hard (idiom); to give sth much thought -穷愁,qióng chóu,destitute; troubled; penniless and full of care -穷愁潦倒,qióng chóu liáo dǎo,impoverished and dejected; wretched and penniless -穷抖,qióng dǒu,to shake uncontrollably; to jiggle (one's leg etc) -穷于应付,qióng yú yìng fù,to struggle to cope (with a situation); to be at one's wits' end -穷棒子,qióng bàng zi,poor but spirited person; (old) (derog.) peasant -穷极,qióng jí,extremely; utterly -穷当益坚,qióng dāng yì jiān,"poor but ambitious (idiom); hard-pressed but determined; the worse one's position, the harder one must fight back" -穷尽,qióng jìn,to use up; to exhaust; to probe to the bottom; limit; end -穷竭,qióng jié,to exhaust; to use up -穷竭法,qióng jié fǎ,Archimedes' method of exhaustion (an early form of integral calculus) -穷结,qióng jié,"variant of 瓊結|琼结[Qiong2 jie2], Qonggyai county, Tibetan: 'Phyongs rgyas, in Lhokha prefecture 山南地區|山南地区[Shan1 nan2 di4 qu1], Tibet" -穷结县,qióng jié xiàn,"variant of 瓊結縣|琼结县[Qiong2 jie2 xian4], Qonggyai county, Tibetan: 'Phyongs rgyas rdzong, in Lhokha prefecture 山南地區|山南地区[Shan1 nan2 di4 qu1], Tibet" -穷苦,qióng kǔ,impoverished; destitute -穷蹙,qióng cù,hard-up; in dire straits; desperate -穷追,qióng zhuī,to pursue relentlessly -穷追不舍,qióng zhuī bù shě,to pursue relentlessly -穷途末路,qióng tú mò lù,"lit. the path exhausted, the end of the road (idiom); an impasse; in a plight with no way out; things have reached a dead end" -穷游,qióng yóu,to travel on a small budget -穷乡僻壤,qióng xiāng pì rǎng,a remote and desolate place -穷酸,qióng suān,"(of a scholar) impoverished, shabby and pedantic; impoverished pedant" -穷酸相,qióng suān xiàng,wretched look; shabby looks -穷养,qióng yǎng,to raise (a child) frugally -穷饿,qióng è,exhausted and hungry -穷鬼,qióng guǐ,(vulgar) impoverished person; the poor -穷鼠啮狸,qióng shǔ niè lí,a desperate rat will bite the fox (idiom); the smallest worm will turn being trodden on -窑,yáo,kiln; oven; coal pit; cave dwelling; (coll.) brothel -窑姐,yáo jiě,(dialect) prostitute -窑姐儿,yáo jiě er,erhua variant of 窯姐|窑姐[yao2 jie3] -窑子,yáo zi,(old) low-grade brothel -窑洞,yáo dòng,yaodong (a kind of cave dwelling in the Loess Plateau in northwest China); CL:孔[kong3] -窑,yáo,variant of 窯|窑[yao2] -窑场,yáo cháng,(Yuan dynasty) porcelain kilns (under imperial administration) -窳,yǔ,bad; useless; weak -窳败,yǔ bài,to ruin; corrupt -窭,jù,poor; rustic -窸,xī,used in 窸窣[xi1 su1] -窸窣,xī sū,(onom.) a rustling noise -窥,kuī,to peep; to pry into -窥伺,kuī sì,to spy upon; to lie in wait for (an opportunity) -窥探,kuī tàn,to pry into or spy on; to snoop; to peep; to poke one's nose into; to peer; to get a glimpse of -窥望,kuī wàng,to peep; to spy on -窥知,kuī zhī,to find out about; to discover -窥视,kuī shì,to peep at; to spy on; to peek -窥豹,kuī bào,lit. to see one spot on a leopard; fig. a restricted view -窥豹一斑,kuī bào yī bān,lit. see one spot on a leopard (idiom); fig. a restricted view -窗,chuāng,variant of 窗[chuang1] -窾,cuàn,to conceal; to hide -窾,kuǎn,crack; hollow; cavity; to excavate or hollow out; (onom.) water hitting rock; (old) variant of 款[kuan3] -窿,lóng,cavity; hole -窜,cuàn,to flee; to scuttle; to exile or banish; to amend or edit -窜升,cuàn shēng,to rise rapidly; to shoot up -窜扰,cuàn rǎo,to invade and harass -窜改,cuàn gǎi,to alter; to modify; to change; to tamper -窜犯,cuàn fàn,"to raid; an intrusion (of the enemy, or bandit groups)" -窜稀,cuàn xī,(coll.) to have diarrhea -窜红,cuàn hóng,to become suddenly popular; suddenly all the rage -窜访,cuàn fǎng,(derog.) (of a prominent figure) to visit (another country) (used when one disapproves of the visit for political reasons) -窜踞,cuàn jù,to flee in disorder and encamp somewhere -窜逃,cuàn táo,to flee in disorder; to scurry off -窍,qiào,hole; opening; orifice (of the human body); (fig.) key (to the solution of a problem) -窍门,qiào mén,a trick; an ingenious method; know-how; the knack (of doing sth) -窍门儿,qiào mén er,a trick; an ingenious method; know-how; the knack (of doing sth) -窦,dòu,surname Dou -窦,dòu,hole; aperture; (anatomy) cavity; sinus -窦娥冤,dòu é yuān,The Injustice to Dou E (popular drama by 關漢卿|关汉卿[Guan1 Han4 qing1]) -窦窖,dòu jiào,cellar; crypt -窦道,dòu dào,sinus (anatomy); subterranean passage -灶,zào,variant of 灶[zao4] -窃,qiè,to steal; secretly; (humble) I -窃取,qiè qǔ,"to steal (usu. private information, intellectual property etc)" -窃喜,qiè xǐ,to be secretly delighted -窃嫌,qiè xián,suspected thief (Tw) -窃密,qiè mì,to steal secret information -窃据,qiè jù,to usurp; to claim unjustly; to expropriate -窃权,qiè quán,to usurp authority; to hold power improperly -窃盗,qiè dào,theft; to steal -窃窃,qiè qiè,privately; secretly; unobtrusively -窃窃私语,qiè qiè sī yǔ,to whisper -窃笑,qiè xiào,to snigger; to titter -窃声,qiè shēng,in a whisper; in stealthy tones -窃听,qiè tīng,to eavesdrop; to wiretap -窃听器,qiè tīng qì,tapping device; bug -窃蛋龙,qiè dàn lóng,oviraptorosaurus (egg-stealing dinosaur) -窃蠹甲,qiè dù jiǎ,drugstore beetle; CL:隻|只[zhi1] -窃贼,qiè zéi,thief -立,lì,surname Li -立,lì,to stand; to set up; to establish; to lay down; to draw up; at once; immediately -立下,lì xià,to set up; to establish -立交,lì jiāo,abbr. for 立體交叉|立体交叉[li4 ti3 jiao1 cha1] overpass -立交桥,lì jiāo qiáo,overpass; flyover -立传,lì zhuàn,to record sb's achievements in writing; to write a biography enhancing the subject's image -立像,lì xiàng,standing image (of a Buddha or saint) -立克次体,lì kè cì tǐ,Rickettsia (genus of intracellular parasitic bacteria) -立冬,lì dōng,"Lidong or Start of Winter, 19th of the 24 solar terms 二十四節氣|二十四节气 7th-21st November" -立刀旁,lì dāo páng,"name of the lateral ""knife"" radical 刂[dao1] in Chinese characters (Kangxi radical 18), occurring in 到[dao4], 利[li4], 別|别[bie2] etc" -立刻,lì kè,forthwith; immediate; prompt; promptly; straightway; thereupon; at once -立功,lì gōng,to render meritorious service (one the three imperishables 三不朽[san1 bu4 xiu3]); to make worthy contributions; to distinguish oneself -立功赎罪,lì gōng shú zuì,to redeem oneself; to atone -立即,lì jí,immediately -立可白,lì kě bái,"correction fluid (loanword from ""Liquid Paper"") (Tw)" -立国,lì guó,to found a country -立地成佛,lì dì chéng fó,to become a Buddha on the spot (idiom); instant rehabilitation; to repent and be absolved of one's crimes -立场,lì chǎng,position; standpoint; CL:個|个[ge4] -立夏,lì xià,"Lixia or Start of Summer, 7th of the 24 solar terms 二十四節氣|二十四节气 5th-20th May" -立委,lì wěi,abbr. for 立法委員會|立法委员会[li4 fa3 wei3 yuan2 hui4]; abbr. for 立法委員|立法委员[li4 fa3 wei3 yuan2] -立委选举,lì wěi xuǎn jǔ,legislative elections -立威,lì wēi,to establish one's authority -立定,lì dìng,"to stop; to halt; halt!; to hold resolutely (of a view, an aspiration etc)" -立定跳远,lì dìng tiào yuǎn,standing long jump -立山区,lì shān qū,"Lishan district of Anshan city 鞍山市[An1 shan1 shi4], Liaoning" -立德,lì dé,to distinguish oneself through virtue (one the three imperishables 三不朽[san1 bu4 xiu3]) -立志,lì zhì,to be determined; to be resolved -立宪,lì xiàn,to set up a constitution -立方,lì fāng,cube (math.); abbr. for 立方體|立方体[li4 fang1 ti3]; abbr. for 立方米[li4 fang1 mi3] -立方公尺,lì fāng gōng chǐ,cubic meter (m³) -立方根,lì fāng gēn,cube root (math.) -立方米,lì fāng mǐ,cubic meter (unit of volume) -立方厘米,lì fāng lí mǐ,cubic centimeter -立方体,lì fāng tǐ,cube; cubic -立春,lì chūn,"Lichun or Beginning of Spring, 1st of the 24 solar terms 二十四節氣|二十四节气[er4 shi2 si4 jie2 qi5] 4th-18th February" -立时,lì shí,right away; quickly; immediately -立案,lì àn,to register (to an official organism); to file a case (for investigation) -立案侦查,lì àn zhēn chá,to file for investigation; to prosecute (a case) -立正,lì zhèng,to stand straight; attention! (order to troops) -立氏立克次体,lì shì lì kè cì tǐ,Rickettsia rickettsii -立法,lì fǎ,to enact laws; to legislate; legislation -立法委员,lì fǎ wěi yuán,member of the Legislative Yuan (Tw) -立法委员会,lì fǎ wěi yuán huì,legislative committee -立法会,lì fǎ huì,legislative council; LegCo (Hong Kong) -立法机关,lì fǎ jī guān,legislature -立法院,lì fǎ yuàn,"Legislative Yuan, the legislative branch of government under the constitution of Republic of China, then of Taiwan" -立百病毒,lì bǎi bìng dú,Nipah virus -立秋,lì qiū,"Liqiu or Start of Autumn, 13th of the 24 solar terms 二十四節氣|二十四节气 7th-22nd August" -立竿见影,lì gān jiàn yǐng,lit. set up a pole and immediately see its shadow (idiom); fig. to get instant results -立约,lì yuē,to make a contract -立绒,lì róng,velvet -立卧撑跳,lì wò chēng tiào,burpee -立蛋,lì dàn,egg balancing (activity popular in China at Lichun 立春[Li4 chun1] etc); to stand an egg on its broad end -立言,lì yán,to distinguish oneself through one's writing (one the three imperishables 三不朽[san1 bu4 xiu3]); to expound one's theory -立论,lì lùn,to set forth one's view; to present one's argument; argument; line of reasoning -立足,lì zú,to stand; to have a footing; to be established; to base oneself on -立足点,lì zú diǎn,foothold -立身,lì shēn,to stand up; to conduct oneself -立身处世,lì shēn chǔ shì,(idiom) the way one conducts oneself in society -立军功,lì jūn gōng,to render meritorious military service -立轴,lì zhóu,vertical scroll (painting or calligraphy); vertical shaft (of a machine) -立院,lì yuàn,Legislative Yuan (Tw); abbr. for 立法院[Li4 fa3 yuan4] -立陶宛,lì táo wǎn,Lithuania -立陶宛人,lì táo wǎn rén,Lithuanian (person) -立面图,lì miàn tú,elevation (architectural drawing) -立项,lì xiàng,to launch a project -立顿,lì dùn,Lipton (name) -立马,lì mǎ,at once; immediately; promptly; swiftly -立体,lì tǐ,three-dimensional; solid; stereoscopic -立体交叉,lì tǐ jiāo chā,three-dimensional road junction (i.e. involving flyover bridges or underpass tunnels); overpass -立体图,lì tǐ tú,three-dimensional figure; hologram; stereogram -立体几何,lì tǐ jǐ hé,solid geometry -立体摄像机,lì tǐ shè xiàng jī,stereoscopic camera; 3D camera -立体派,lì tǐ pài,Cubism -立体照片,lì tǐ zhào piàn,three-dimensional photo -立体异构,lì tǐ yì gòu,stereoisomerism (chemistry) -立体异构体,lì tǐ yì gòu tǐ,stereoisomer (chemistry) -立体声,lì tǐ shēng,stereo sound -立体角,lì tǐ jiǎo,solid angle -立体电影院,lì tǐ diàn yǐng yuàn,stereoscopic cinema; 3D cinema -立鱼,lì yú,tilapia -站,zhàn,station; to stand; to halt; to stop; branch of a company or organization; website -站不住脚,zhàn bu zhù jiǎo,ill-founded; groundless -站住,zhàn zhù,to stand -站前区,zhàn qián qū,"Zhanqian district of Yingkou City 營口市|营口市, Liaoning" -站员,zhàn yuán,station employee; railway clerk -站地,zhàn dì,stop (on a bus or train route) -站姿,zhàn zī,stance -站岗,zhàn gǎng,to stand guard; to serve on sentry duty -站牌,zhàn pái,bus stop sign; train station sign -站稳,zhàn wěn,to stand firm -站稳脚步,zhàn wěn jiǎo bù,to gain a firm foothold; (fig.) to get oneself established -站稳脚跟,zhàn wěn jiǎo gēn,to stand firmly; to gain a foothold; to establish oneself -站立,zhàn lì,to stand; standing; on one's feet -站管理,zhàn guǎn lǐ,station management -站台,zhàn tái,platform (at a railway station); (Tw) (of an influential person) to publicly lend one's support (e.g. for an election candidate); (Tw) website -站着说话不腰疼,zhàn zhe shuō huà bù yāo téng,"lit. it's all very well to talk, but getting things done is another matter (idiom); fig. to be an armchair expert; to blabber on" -站街女,zhàn jiē nǚ,streetwalker -站起,zhàn qǐ,to get up on hind legs (esp. of horse); to stand; to spring up -站起来,zhàn qǐ lai,to stand up -站军姿,zhàn jūn zī,to stand at attention (military) -站长,zhàn zhǎng,"person in charge of a train station 車站|车站[che1 zhan4] (stationmaster), website 網站|网站[wang3 zhan4] (webmaster), volunteer center 志工站[zhi4 gong1 zhan4] (center manager), etc" -站队,zhàn duì,to line up; to stand in line; (fig.) to take sides; to side with sb; to align oneself with a faction -站点,zhàn diǎn,"a place set up to serve a specific function (train station, bus stop, toll plaza, bike rental station, meteorological station etc); (Internet) site (website, FTP site etc)" -伫,zhù,to stand for a long time (variant of 佇|伫[zhu4]) -并,bìng,variant of 並|并[bing4] -竟,jìng,unexpectedly; actually; to go so far as to; indeed -竟敢,jìng gǎn,to have the impertinence; to have the cheek to -竟日,jìng rì,(literary) all day long -竟然,jìng rán,unexpectedly; to one's surprise; in spite of everything; in that crazy way; actually; to go as far as to -竟陵,jìng líng,"Jingling, former name of Tianmen 天門|天门, Hubei" -章,zhāng,surname Zhang -章,zhāng,chapter; section; clause; movement (of symphony); seal; badge; regulation; order -章丘,zhāng qiū,"Zhangqiu, county-level city in Jinan 濟南|济南[Ji3 nan2], Shandong" -章丘市,zhāng qiū shì,"Zhangqiu, county-level city in Jinan 濟南|济南[Ji3 nan2], Shandong" -章则,zhāng zé,rule -章回小说,zhāng huí xiǎo shuō,"novel in chapters, main format for long novels from the Ming onwards, with each chapter headed by a summary couplet" -章士钊,zhāng shì zhāo,"Zhang Shizhao (1881-1973), revolutionary journalist in Shanghai, then established writer" -章太炎,zhāng tài yán,"Zhang Taiyan (1869-1936), scholar, journalist, revolutionary and leading intellectual around the time of the Xinhai revolution" -章子,zhāng zi,seal; stamp -章子怡,zhāng zǐ yí,"Zhang Ziyi (1979-), PRC actress" -章炳麟,zhāng bǐng lín,"Zhang Taiyan 章太炎 (1869-1936), scholar, journalist, revolutionary and leading intellectual around the time of the Xinhai revolution" -章甫荐履,zhāng fǔ jiàn lǚ,court crown beneath straw shoe (idiom); everything turned upside down -章程,zhāng chéng,rules; regulations; constitution; statute; articles of association (of company); articles of incorporation; charter (of a corporation); by-laws -章节,zhāng jié,chapter; section -章台,zhāng tái,street name in ancient Chang'an synonymous with brothel area; red-light district -章贡,zhāng gòng,"Zhanggong district of Ganzhou city 贛州市|赣州市[Gan4 zhou1 shi4], Jiangxi" -章贡区,zhāng gòng qū,"Zhanggong district of Ganzhou city 贛州市|赣州市[Gan4 zhou1 shi4], Jiangxi" -章鱼,zhāng yú,octopus -章鱼小丸子,zhāng yú xiǎo wán zi,"takoyaki (octopus dumpling), a Japanese snack food" -章鱼烧,zhāng yú shāo,"takoyaki (octopus dumpling), a Japanese snack food" -俟,sì,variant of 俟[si4] -竣,jùn,complete; finish -竣工,jùn gōng,to complete a project -童,tóng,surname Tong -童,tóng,child -童乩,tóng jī,spirit medium -童便,tóng biàn,"urine of boys under 12, used as medicine (TCM)" -童儿,tóng ér,boy -童叟无欺,tóng sǒu wú qī,cheating neither old nor young (idiom); treating youngsters and old folk equally scrupulously; Our house offers sincere treatment to all and fair trade to old and young alike. -童女,tóng nǚ,virgin female -童婚,tóng hūn,child marriage -童子,tóng zǐ,boy -童子尿,tóng zǐ niào,"urine of boys under 12, used as medicine (TCM)" -童子军,tóng zǐ jūn,Scout (youth organization) -童子军,tóng zǐ jūn,child soldiers; juvenile militia -童山濯濯,tóng shān zhuó zhuó,treeless hill; (fig.) bald head -童工,tóng gōng,child labor -童年,tóng nián,childhood -童床,tóng chuáng,crib; children's bed -童心,tóng xīn,childish heart; childish innocence -童星,tóng xīng,child star -童玩,tóng wán,"(Tw) traditional handcrafted toy (e.g. spinning top 陀螺[tuo2 luo2], tangram 七巧板[qi1 qiao3 ban3] etc)" -童生,tóng shēng,candidate who has not yet passed the county level imperial exam -童男,tóng nán,virgin male -童真,tóng zhēn,childishness; naivete -童稚,tóng zhì,child; childish -童花头,tóng huā tóu,short bobbed hairstyle -童蒙,tóng méng,young and ignorant; ignorant and uneducated -童装,tóng zhuāng,children's clothing -童言无忌,tóng yán wú jì,children's words carry no harm (idiom) -童话,tóng huà,children's fairy tales -童话故事,tóng huà gù shì,fairy tale -童谣,tóng yáo,nursery rhyme -童贞,tóng zhēn,virginity; chastity -童趣,tóng qù,"qualities that delight children (e.g. bold colors in a picture, anthropomorphized characters in a TV show, the physical challenge of playground equipment)" -童身,tóng shēn,undefiled body; virginity; virgin -童军,tóng jūn,Scout (youth organization); see also 童子軍|童子军[Tong2 zi3 jun1] -童养媳,tóng yǎng xí,child bride; girl adopted into a family as future daughter-in-law -童养媳妇,tóng yǎng xí fù,child bride; girl adopted into a family as future daughter-in-law -竦,sǒng,respectful; horrified; to raise (one's shoulders); to stand on tiptoe; to crane -竦然,sǒng rán,variant of 悚然[song3 ran2] -竖,shù,variant of 豎|竖[shu4] -竭,jié,to exhaust -竭力,jié lì,to do one's utmost -竭心,jié xīn,to do one's utmost -竭泽而渔,jié zé ér yú,lit. to drain the pond to get at the fish (idiom); fig. to kill the goose that lays the golden eggs -竭尽,jié jìn,to use up; to exhaust -竭尽全力,jié jìn quán lì,to spare no effort (idiom); to do one's utmost -竭诚,jié chéng,wholeheartedly -端,duān,end; extremity; item; port; to hold sth level with both hands; to carry; regular -端上,duān shàng,"to serve (food, tea etc)" -端五,duān wǔ,variant of 端午[Duan1 wu3] -端倪,duān ní,boundary; clue; indication; to obtain clues; to infer -端到端,duān dào duān,end-to-end -端到端加密,duān dào duān jiā mì,end-to-end encryption -端午,duān wǔ,see 端午節|端午节[Duan1 wu3 jie2] -端午节,duān wǔ jié,Dragon Boat Festival (5th day of the 5th lunar month) -端口,duān kǒu,interface; port -端坐,duān zuò,to sit upright -端子,duān zi,terminal (electronics) -端尿,duān niào,to support a child (or invalid etc) while he or she urinates -端屎,duān shǐ,to support a child (or invalid etc) while he or she defecates -端州,duān zhōu,"Duanzhou District of Zhaoqing City 肇慶市|肇庆市[Zhao4 qing4 Shi4], Guangdong" -端州区,duān zhōu qū,"Duanzhou District of Zhaoqing City 肇慶市|肇庆市[Zhao4 qing4 Shi4], Guangdong" -端方,duān fāng,upright; honest; proper; correct -端木,duān mù,two-character surname Duanmu -端木赐,duān mù cì,"Duanmu Ci (520 BC-446 BC), disciple of Confucius, also known as Zi Gong 子貢|子贡[Zi3 Gong4]" -端架子,duān jià zi,to put on airs -端正,duān zhèng,upright; regular; proper; correct -端然,duān rán,upright; finally; unexpectedly -端的,duān dì,really; after all; details; particulars -端砚,duān yàn,high-quality ink stonemade in Duanxi and Guangdong -端站,duān zhàn,end station -端粒,duān lì,"telomere, a protective DNA cap on a chromosome" -端粒酶,duān lì méi,telomerase -端系统,duān xì tǒng,end system -端绪,duān xù,start and development; thread (of a story); general outline; clue -端线,duān xiàn,end line; baseline (sports) -端庄,duān zhuāng,dignified; composed -端菜,duān cài,to serve food -端详,duān xiáng,full details; full particulars -端详,duān xiang,to look over carefully; to scrutinize -端赖,duān lài,to depend ultimately on (Tw); absolutely reliant on -端阳节,duān yáng jié,see 端午節|端午节[Duan1 wu3 jie2] -端面,duān miàn,end face; end surface of a cylindrical object -端饭,duān fàn,to serve (food) -端点,duān diǎn,starting point or ending point (in stories etc); end point (math) -竞,jìng,to compete; to contend; to struggle -竞价,jìng jià,price competition; bid (in an auction); to compete on price; to bid against sb -竞品,jìng pǐn,competing product; rival product -竞技,jìng jì,competition of skill (e.g. sports); athletics tournament -竞技动物,jìng jì dòng wù,animals used in blood sports -竞技场,jìng jì chǎng,arena -竞技性,jìng jì xìng,competitive -竞拍,jìng pāi,to bid (at an auction); auction -竞业条款,jìng yè tiáo kuǎn,non-compete clause (law) -竞渡,jìng dù,rowing competition; boat race; swimming competition (e.g. to cross river or lake) -竞争,jìng zhēng,to compete; competition -竞争力,jìng zhēng lì,competitive strength; competitiveness -竞争对手,jìng zhēng duì shǒu,rival; competitor -竞争性,jìng zhēng xìng,competitive -竞争模式,jìng zhēng mó shì,competition model -竞争产品,jìng zhēng chǎn pǐn,competing product; competitor's product -竞争者,jìng zhēng zhě,competitor -竞猜,jìng cāi,to compete in solving puzzles -竞相,jìng xiāng,competitive; eagerly; to vie -竞秀,jìng xiù,to compete to be the most beautiful or impressive -竞秀区,jìng xiù qū,"Jingxiu District of Baoding 保定[Bao3 ding4], Hebei" -竞租,jìng zū,rent-seeking (economics) -竞答,jìng dá,to compete to answer questions (in class) -竞艳,jìng yàn,vying to be the most glamorous; each more gorgeous than the other; beauty contest -竞购,jìng gòu,to bid competitively; to compete to buy (at auction) -竞赛,jìng sài,to compete; to race; contest; competition; match; race -竞赛者,jìng sài zhě,player -竞走,jìng zǒu,walking race (athletics event) -竞逐,jìng zhú,competition; to compete; to pursue -竞速,jìng sù,(sports) to race; racing -竞速滑冰,jìng sù huá bīng,speed skating (Tw) -竞选,jìng xuǎn,to take part in an election; to run for office -竞选副手,jìng xuǎn fù shǒu,election assistant; running mate -竞选搭档,jìng xuǎn dā dàng,election partner; running mate -竞选活动,jìng xuǎn huó dòng,(election) campaign -竹,zhú,"bamboo; CL:棵[ke1],支[zhi1],根[gen1]; Kangxi radical 118" -竹内,zhú nèi,Takeuchi (Japanese surname) -竹刀,zhú dāo,shinai (bamboo sword for kendō) -竹北,zhú běi,"Zhubei, a city in Hsinchu County 新竹縣|新竹县[Xin1zhu2 Xian4], northwest Taiwan" -竹北市,zhú běi shì,"Zhubei, a city in Hsinchu County 新竹縣|新竹县[Xin1zhu2 Xian4], northwest Taiwan" -竹南,zhú nán,"Zhunan or Chunan town in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -竹南镇,zhú nán zhèn,"Zhunan or Chunan town in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -竹啄木鸟,zhú zhuó mù niǎo,(bird species of China) pale-headed woodpecker (Gecinulus grantia) -竹器,zhú qì,utensil made of bamboo -竹园,zhú yuán,Chuk Yuen (place in Hong Kong) -竹塘,zhú táng,"Zhutang or Chutang Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -竹塘乡,zhú táng xiāng,"Zhutang or Chutang Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -竹子,zhú zi,"bamboo; CL:棵[ke1],支[zhi1],根[gen1]" -竹山,zhú shān,"Zhushan County in Shiyan 十堰[Shi2 yan4], Hubei; Zhushan or Chushan Town in Nantou County 南投縣|南投县[Nan2 tou2 Xian4], central Taiwan" -竹山县,zhú shān xiàn,"Zhushan county in Shiyan 十堰[Shi2 yan4], Hubei" -竹山镇,zhú shān zhèn,"Zhushan or Chushan Town in Nantou County 南投縣|南投县[Nan2 tou2 Xian4], central Taiwan" -竹岛,zhú dǎo,"Takeshima (Korean Dokdo 獨島|独岛[Du2 dao3]), disputed islands in Sea of Japan" -竹崎,zhú qí,"Zhuqi or Chuchi Township in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -竹崎乡,zhú qí xiāng,"Zhuqi or Chuchi Township in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -竹布,zhú bù,light cotton fabric -竹帛,zhú bó,bamboo and silk writing materials (before paper) -竹排,zhú pái,bamboo raft -竹书纪年,zhú shū jì nián,"Bamboo Annals, early chronicle of Chinese ancient history, written c. 300 BC" -竹木,zhú mù,bamboo and wood -竹东,zhú dōng,"Zhudong or Chutung town in Hsinchu County 新竹縣|新竹县[Xin1 zhu2 Xian4], northwest Taiwan" -竹东镇,zhú dōng zhèn,"Zhudong or Chutung town in Hsinchu County 新竹縣|新竹县[Xin1 zhu2 Xian4], northwest Taiwan" -竹板,zhú bǎn,bamboo clapper boards used in folk theater -竹林,zhú lín,bamboo forest -竹溪,zhú xī,"Zhuxi county in Shiyan 十堰[Shi2 yan4], Hubei" -竹溪县,zhú xī xiàn,"Zhuxi county in Shiyan 十堰[Shi2 yan4], Hubei" -竹田,zhú tián,"Chutien township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -竹田乡,zhú tián xiāng,"Chutien township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -竹竿,zhú gān,bamboo; bamboo pole -竹笙,zhú shēng,bamboo fungus -竹笋,zhú sǔn,bamboo shoot -竹筒,zhú tǒng,bamboo tube; bamboo pipe -竹筒倒豆子,zhú tǒng dào dòu zi,to pour beans out of a bamboo tube; (fig.) to come clean; to make a clean breast of things -竹箍儿,zhú gū er,bamboo hoop; bamboo band -竹管,zhú guǎn,bamboo pipe -竹节,zhú jié,bamboo joint -竹篦,zhú bì,bamboo comb -竹篾,zhú miè,bamboo strip -竹简,zhú jiǎn,bamboo slips (used for writing on in ancient times) -竹篮,zhú lán,wicker basket -竹篮打水,zhú lán dǎ shuǐ,using a wicker basket to draw water (idiom); wasted effort -竹签,zhú qiān,bamboo skewer; bamboo slip used in divination or gambling -竹篱笆,zhú lí bā,fence -竹丝鸡,zhú sī jī,black-boned chicken; silky fowl; silkie; Gallus gallus domesticus Brisson; see also 烏骨雞|乌骨鸡[wu1 gu3 ji1] -竹编,zhú biān,wickerwork -竹芋,zhú yù,Indian arrowroot (Maranta arundinacea) -竹茹,zhú rú,bamboo shavings (Bambusa tuldoides) used in Chinese medicine -竹叶青,zhú yè qīng,Trimeresurus stejnegeri (poisonous snake) -竹叶青蛇,zhú yè qīng shé,Trimeresurus stejnegeri (poisonous snake) -竹荪,zhú sūn,bamboo fungus; veiled lady mushroom (Phallus indusiatus) -竹制,zhú zhì,made of bamboo -竹舆,zhú yú,a bamboo carriage; a palanquin -竹青,zhú qīng,bamboo bark; bamboo green (color) -竹马,zhú mǎ,bamboo stick used as a toy horse -竹马之交,zhú mǎ zhī jiāo,childhood friend (idiom) -竹马之友,zhú mǎ zhī yǒu,see 竹馬之交|竹马之交[zhu2 ma3 zhi1 jiao1] -竹鲛,zhú jiāo,see 馬鮫魚|马鲛鱼[ma3 jiao1 yu2] -竺,zhú,"surname Zhu; abbr. for 天竺[Tian1zhu2], India (esp. in Tang or Buddhist context); (archaic) Buddhism" -竺,dǔ,variant of 篤|笃[du3] -竺乾,zhú qián,Buddha (archaic); Dharma (the teachings of the Buddha) -竺可桢,zhú kě zhēn,"Zhu Kezhen (1890-1974), Chinese metereologist and geologist" -竺学,zhú xué,Buddhist doctrine (archaic); Buddhist studies -竺教,zhú jiào,Buddhism (archaic) -竺书,zhú shū,Buddhist texts (archaic); scripture -竺法,zhú fǎ,"Dharma (the teachings of the Buddha, archaic); Buddhist doctrine" -竽,yú,"free reed wind instrument similar to the sheng 笙[sheng1], used in ancient China" -竿,gān,pole -竿子,gān zi,"bamboo pole; CL:根[gen1],個|个[ge4]" -竿头,gān tóu,bamboo pole's uppermost tip; (fig.) acme -笄,jī,15 years old; hairpin for bun -笄冠,jī guān,to have just attained maturity (traditional) -笄年,jī nián,beginning of maturity (of a girl) -笄蛭,jī zhì,a kind of earthworm -笆,bā,an article made of bamboo strips; fence -笆斗,bā dǒu,round-bottomed basket -笆篱子,bā lí zi,(dialect) prison -笈,jí,trunks (for books) -笊,zhào,loosely woven bamboo ladle -笊篱,zhào li,"strainer (made of bamboo, wicker, or wire)" -笏,hù,(old) ceremonial tablet (held by officials at an audience) -笑,xiào,to laugh; to smile; to laugh at -笑不可仰,xiào bù kě yǎng,to double up with laughter (idiom) -笑不可抑,xiào bù kě yì,to laugh irrepressibly -笑剧,xiào jù,comedy; farce -笑口弥勒,xiào kǒu mí lè,laughing Maitreya -笑吟吟,xiào yín yín,smiling; with a smile -笑哈哈,xiào hā hā,to laugh heartily -笑嘻嘻,xiào xī xī,grinning; smiling -笑场,xiào chǎng,(of an actor) to break character by laughing; to corpse -笑容,xiào róng,smile; smiling expression; CL:副[fu4] -笑容可掬,xiào róng kě jū,smiling wholeheartedly (idiom); beaming from ear to ear -笑意,xiào yì,smiling expression -笑掉大牙,xiào diào dà yá,to laugh one's head off; ridiculous; jaw-dropping -笑料,xiào liào,comedic material; (in reference to a person) laughingstock; butt of jokes -笑料百出,xiào liào bǎi chū,entertaining; hilarious -笑星,xiào xīng,popular comedian; comic star -笑林,xiào lín,"Jokes (title of an ancient collection of jokes, often used in the title of modern collections of jokes)" -笑柄,xiào bǐng,a matter for ridicule; an object of ridicule; laughingstock -笑气,xiào qì,laughing gas (nitrous oxide) -笑涡,xiào wō,see 笑窩|笑窝[xiao4 wo1] -笑盈盈,xiào yíng yíng,smilingly; to be all smiles -笑眯眯,xiào mī mī,beaming; all smiles -笑破肚皮,xiào pò dù pí,to split one's sides laughing -笑窝,xiào wō,dimple -笑纹,xiào wén,laugh lines (on the face) -笑纳,xiào nà,to kindly accept (an offering) -笑骂,xiào mà,to deride; to mock; (jocular) to heckle good-naturedly; to razz -笑而不语,xiào ér bù yǔ,to smile but say nothing -笑声,xiào shēng,laughter -笑脸,xiào liǎn,smiling face; smiley :) ☺; CL:副[fu4] -笑脸儿,xiào liǎn er,erhua variant of 笑臉|笑脸[xiao4 lian3] -笑脸相迎,xiào liǎn xiāng yíng,to welcome sb with a smiling face (idiom) -笑里藏刀,xiào lǐ cáng dāo,"lit. a dagger hidden in smiles (idiom); friendly manners belying hypocritical intentions; when the fox preaches, look to the geese" -笑话,xiào hua,joke; jest (CL:個|个[ge4]); to laugh at; to mock; ridiculous; absurd -笑话儿,xiào hua er,erhua variant of 笑話|笑话[xiao4 hua5] -笑语,xiào yǔ,talking and laughing; cheerful talk -笑谈,xiào tán,object of ridicule; laughingstock; to laugh over sth; to make light chat -笑貌,xiào mào,smiling face -笑贫不笑娼,xiào pín bù xiào chāng,the notion in society that it's better to get ahead in the world by abandoning one's scruples than to suffer poverty; lit. despising poverty but not prostitution (idiom) -笑逐颜开,xiào zhú yán kāi,smile spread across the face (idiom); beaming with pleasure; all smiles; joy written across one's face -笑面虎,xiào miàn hǔ,man with a big smile and evil intentions -笑靥,xiào yè,dimple; smiling face -笑鸥,xiào ōu,(bird species of China) laughing gull (Leucophaeus atricilla) -笑点,xiào diǎn,funny bits; humorous parts; jokes; punchline -笑点低,xiào diǎn dī,amused by even the weakest joke; ready to laugh at the smallest thing -笙,shēng,"sheng, a free reed wind instrument with vertical bamboo pipes" -笙歌,shēng gē,music and song (formal writing) -笙管,shēng guǎn,pipes of a panpipe -笙簧,shēng huáng,reeds of a panpipe -笙箫,shēng xiāo,reed-pipe wind instrument and vertical bamboo flute -笛,dí,flute -笛卡儿,dí kǎ ér,"René Descartes (1596-1650), French philosopher and author of Discours de la méthode 方法論|方法论" -笛卡儿坐标制,dí kǎ ér zuò biāo zhì,Cartesian coordinate system -笛卡尔,dí kǎ ěr,René Descartes (1596-1650) French philosopher -笛子,dí zi,bamboo flute; CL:管[guan3] -笛沙格,dí shā gé,"Girard Desargues (1591-1661), French geometer" -笛膜,dí mó,membrane which covers a hole in a flute and produces a buzzing tone -笞,chī,to whip with bamboo strips -笞刑,chī xíng,whipping with bamboo strips (as corporal punishment) -笞掠,chī lüè,to flog -笞挞,chī tà,to flog; to whip -笞击,chī jī,to cudgel -笞杖,chī zhàng,a cudgel; CL:根[gen1] -笞棰,chī chuí,to beat with a bamboo whip -笞骂,chī mà,to whip and revile -笞背,chī bèi,to flog or whip the back -笞臀,chī tún,to whip the buttocks -笞责,chī zé,to flog with a bamboo stick -笞辱,chī rǔ,to whip and insult -笠,lì,bamboo rain hat -笤,tiáo,broom -笤帚,tiáo zhou,whisk broom; small broom; CL:把[ba3] -笥,sì,square bamboo container for food or clothing -笥匮囊空,sì kuì náng kōng,extremely destitute (idiom) -符,fú,surname Fu -符,fú,mark; sign; talisman; to seal; to correspond to; tally; symbol; written charm; to coincide -符串,fú chuàn,"string (as in ""character string"")" -符合,fú hé,in keeping with; in accordance with; tallying with; in line with; to agree with; to accord with; to conform to; to correspond with; to manage; to handle -符合标准,fú hé biāo zhǔn,to comply with a standard; standards-compliant -符咒,fú zhòu,charm; amulet (religious object conferring blessing) -符拉迪沃斯托克,fú lā dí wò sī tuō kè,Vladivostok (Russian port city) (Chinese name: 海參崴|海参崴[Hai3 shen1 wai3]) -符文,fú wén,rune -符板,fú bǎn,a charm to protect against evil spirits -符牌,fú pái,a talisman or lucky charm -符箓,fú lù,(Taoism) talisman in the form of a painting of symbols thought to have magical powers -符号,fú hào,symbol; mark; sign -符号学,fú hào xué,semiotics; semiology -符记,fú jì,token -符记环,fú jì huán,token ring (computing) -符类福音,fú lèi fú yīn,"synoptic gospels (i.e. Matthew, Mark and Luke, with similar accounts and chronology)" -符腾堡,fú téng bǎo,"Württemberg, region of southwest Germany, former state around Stuttgart 斯圖加特|斯图加特[Si1tu2jia1te4]" -笨,bèn,stupid; foolish; silly; slow-witted; clumsy -笨人,bèn rén,fool; stupid person -笨伯,bèn bó,fool; dolt; clumsy oaf -笨到家了,bèn dào jiā le,extremely stupid -笨口拙舌,bèn kǒu zhuō shé,awkward in speech -笨嘴拙腮,bèn zuǐ zhuō sāi,see 笨嘴拙舌[ben4 zui3 zhuo1 she2] -笨嘴拙舌,bèn zuǐ zhuō shé,clumsy in speech; poor speaker -笨嘴笨舌,bèn zuǐ bèn shé,clumsy in speaking; awkward; inarticulate -笨手笨脚,bèn shǒu bèn jiǎo,clumsy; all thumbs -笨拙,bèn zhuō,clumsy; awkward; stupid -笨瓜,bèn guā,fool; blockhead -笨蛋,bèn dàn,fool; idiot -笨货,bèn huò,idiot -笨重,bèn zhòng,heavy; cumbersome; unwieldy -笨鸡,bèn jī,free-range chicken -笨鸟先飞,bèn niǎo xiān fēi,lit. the clumsy bird flies early (idiom); fig. to work hard to compensate for one's limited abilities -笪,dá,surname Da -笪,dá,rough bamboo mat -笫,zǐ,bamboo mat; bed mat -第,dì,"(prefix indicating ordinal number, as in 第六[di4 liu4] ""sixth""); (literary) grades in which successful candidates in the imperial examinations were placed; (old) residence of a high official; (literary) but; however; (literary) only; just" -第一,dì yī,first; number one; primary -第一例,dì yī lì,first case; first instance; first time (sth is done) -第一国际,dì yī guó jì,"First international, organized by Karl Marx in Geneva in 1866" -第一型糖尿病,dì yī xíng táng niào bìng,Type 1 diabetes -第一基本形式,dì yī jī běn xíng shì,(math.) first fundamental form -第一夫人,dì yī fū rén,First Lady (wife of US president) -第一季度,dì yī jì dù,first quarter (of financial year) -第一手,dì yī shǒu,first-hand -第一把手,dì yī bǎ shǒu,the person in charge; the head of the leadership group -第一时间,dì yī shí jiān,in the first moments (of sth happening); immediately (after an event); first thing -第一桶金,dì yī tǒng jīn,the first pot of gold; the initial profits from an economic endeavour -第一次,dì yī cì,the first time; first; number one -第一次世界大战,dì yī cì shì jiè dà zhàn,World War One -第一步,dì yī bù,step one; first step -第一流,dì yī liú,first-class -第一炮,dì yī pào,(fig.) opening shot -第一产业,dì yī chǎn yè,primary sector of industry -第一眼,dì yī yǎn,at first glance; at first sight -第一级,dì yī jí,first level -第一线,dì yī xiàn,front line; forefront -第一声,dì yī shēng,"first tone in Mandarin; high, level tone" -第一象限,dì yī xiàng xiàn,"first quadrant (of the coordinate plane, where both x and y are positive)" -第一轮,dì yī lún,"first round (of match, or election)" -第三世界,dì sān shì jiè,Third World -第三人称,dì sān rén chēng,third person (grammar) -第三位,dì sān wèi,third place -第三十,dì sān shí,thirtieth -第三国际,dì sān guó jì,see 共產國際|共产国际[Gong4 chan3 Guo2 ji4] -第三地,dì sān dì,territory belonging to a third party (as a neutral location for peace negotiations or as a transit point for indirect travel or trade etc) -第三季度,dì sān jì dù,third quarter (of financial year) -第三帝国,dì sān dì guó,"Third Reich, Nazi regime (1933-1945)" -第三方,dì sān fāng,third party -第三状态,dì sān zhuàng tài,suboptimal health status -第三产业,dì sān chǎn yè,tertiary sector of industry -第三眼睑,dì sān yǎn jiǎn,nictitating membrane (zoology) -第三纪,dì sān jì,third period; tertiary (geological era since the extinction of the dinosaurs at the Cretaceous-Tertiary boundary 65 million years ago) -第三者,dì sān zhě,sb who is romantically involved with sb already in a committed relationship; the other woman; the other man; third person; third party (in dispute); disinterested party; number three in a list -第三声,dì sān shēng,third tone in Mandarin; falling-rising tone -第二,dì èr,second; number two; next; secondary -第二世界,dì èr shì jiè,Second World (Cold War-era term referring to communist nations as a bloc) -第二位,dì èr wèi,second place -第二个人,dì èr ge rén,the second person; (fig.) someone else; third party -第二型糖尿病,dì èr xíng táng niào bìng,Type 2 diabetes -第二天,dì èr tiān,next day; the morrow -第二季度,dì èr jì dù,second quarter (of financial year) -第二性,dì èr xìng,The Second Sex (book by Simone de Beauvoir) -第二春,dì èr chūn,(lit.) second spring; (fig.) falling in love for the second time; a new lease of life; rebirth -第二次,dì èr cì,the second time; second; number two -第二次世界大战,dì èr cì shì jiè dà zhàn,World War II -第二次汉字简化方案,dì èr cì hàn zì jiǎn huà fāng àn,"Second Chinese Character Simplification Scheme (second round of simplified Chinese characters, proposed in 1977 and retracted in 1986); abbr. to 二簡|二简[er4 jian3]" -第二产业,dì èr chǎn yè,secondary industry -第二声,dì èr shēng,second tone in Mandarin; rising tone -第二职业,dì èr zhí yè,second job -第二轮,dì èr lún,"second round (of match, or election)" -第五,dì wǔ,fifth -第五纵队,dì wǔ zòng duì,fifth column (subversive group) -第五类,dì wǔ lèi,category 5; CAT 5 (cable) -第六感,dì liù gǎn,"sixth sense (i.e. intuition, premonition, telepathy etc)" -第六感觉,dì liù gǎn jué,sixth sense; intuition -第勒尼安海,dì lè ní ān hǎi,Tyrrhenian Sea between Sardinia and the Italian mainland -第四季,dì sì jì,fourth quarter -第四季度,dì sì jì dù,fourth quarter (of financial year) -第四纪,dì sì jì,"fourth period; quaternary (geological period covering the recent ice ages over the last 180,000 years)" -第四声,dì sì shēng,fourth tone in Mandarin; falling tone -第四台,dì sì tái,"fourth channel; (in Taiwan) cable TV, FTV" -第戎,dì róng,Dijon (France) -第比利斯,dì bì lì sī,"T'bilisi, capital of Georgia 格魯吉亞|格鲁吉亚[Ge2 lu3 ji2 ya4]" -第纳尔,dì nà ěr,dinar (currency) (loanword) -笮,zé,board under tiles on roof; narrow -笱,gǒu,basket for trapping fish -笳,jiā,whistle made of reed -笸,pǒ,flat basket-tray -筀,guì,bamboo (archaic) -筀竹,guì zhú,bamboo (archaic) -筅,xiǎn,bamboo brush for utensils -筅帚,xiǎn zhǒu,"(dialect) pot-scrubbing brush, made from bamboo strips" -笔,bǐ,"pen; pencil; writing brush; to write or compose; the strokes of Chinese characters; classifier for sums of money, deals; CL:支[zhi1],枝[zhi1]" -笔下,bǐ xià,the wording and purport of what one writes -笔下生花,bǐ xià shēng huā,to write elegantly -笔仙,bǐ xiān,a form of automatic writing in which two or more participants hold a single pen over a sheet of paper and invite a spirit to write answers to their questions; a spirit so invited -笔供,bǐ gòng,"written evidence, as opposed to oral evidence 口供[kou3 gong4]" -笔划,bǐ huà,variant of 筆畫|笔画[bi3 hua4] -笔划检字表,bǐ huà jiǎn zì biǎo,lookup table for Chinese character based on radical and stroke count -笔力,bǐ lì,vigor of strokes in calligraphy or drawing; vigor of style in literary composition -笔友,bǐ yǒu,pen pal -笔名,bǐ míng,pen name; pseudonym -笔墨,bǐ mò,pen and ink; words; writing -笔套,bǐ tào,"the cap of a pen, pencil or writing brush; the sheath of a pen (made of cloth, silk or thread)" -笔尖,bǐ jiān,nib; pen point; the tip of a writing brush or pencil -笔帽,bǐ mào,"the cap of a pen, pencil, or writing brush" -笔底下,bǐ dǐ xià,ability to write -笔心,bǐ xīn,pencil lead; refill (for a ball-point pen) -笔战,bǐ zhàn,written polemics -笔挺,bǐ tǐng,(standing) very straight; straight as a ramrod; bolt upright; well-ironed; trim -笔替,bǐ tì,(poorly paid) ghostwriter or substitute calligrapher -笔会,bǐ huì,PEN (association of writers) -笔架,bǐ jià,pen rack; pen-holder -笔杆,bǐ gǎn,the shaft of a pen or writing brush; pen-holder; pen -笔杆子,bǐ gǎn zi,pen; an effective writer -笔法,bǐ fǎ,"technique of writing, calligraphy or drawing" -笔画,bǐ huà,strokes of a Chinese character -笔画数,bǐ huà shù,stroke count (number of brushstrokes of a Chinese character) -笔直,bǐ zhí,perfectly straight; straight as a ramrod; bolt upright -笔砚,bǐ yàn,writing brush and ink stone -笔筒,bǐ tǒng,pen container; brush pot -笔算,bǐ suàn,to do a sum in writing; written calculation -笔管面,bǐ guǎn miàn,penne pasta -笔者,bǐ zhě,the author; the writer (usu. refers to oneself) -笔耕,bǐ gēng,to make a living by writing; to write (as an author) -笔芯,bǐ xīn,pencil lead; pen refill -笔触,bǐ chù,brush stroke in Chinese painting and calligraphy; brushwork; style of drawing or writing -笔记,bǐ jì,to take down (in writing); notes; a type of literature consisting mainly of short sketches; CL:本[ben3] -笔记型电脑,bǐ jì xíng diàn nǎo,notebook (computer) -笔记本,bǐ jì běn,notebook (stationery); CL:本[ben3]; notebook (computing) -笔记本计算机,bǐ jì běn jì suàn jī,laptop; notebook (computer) -笔记本电脑,bǐ jì běn diàn nǎo,"laptop; notebook (computer); CL:臺|台[tai2],部[bu4]" -笔试,bǐ shì,written examination; paper test (for an applicant) -笔误,bǐ wù,a slip of a pen; CL:處|处[chu4] -笔调,bǐ diào,(of writing) tone; style -笔谈,bǐ tán,to communicate by means of written notes (instead of speaking); to publish one's opinion (e.g. as part of a scholarly dialogue); (in book titles) essays; sketches -笔译,bǐ yì,written translation -笔迹,bǐ jì,handwriting -笔锋,bǐ fēng,the tip of a writing brush; vigor of style in writing; stroke; touch -笔录,bǐ lù,to put down in writing; to take down notes; transcript; record -笔电,bǐ diàn,"notebook (computer); CL:臺|台[tai2],部[bu4]" -笔顺,bǐ shùn,stroke order (when writing Chinese character) -笔头,bǐ tóu,ability to write; writing skill; written; in written form -筇,qióng,(in ancient texts) type of bamboo sometimes used as a staff -等,děng,to wait for; to await; by the time; when; till; and so on; etc.; et al.; (bound form) class; rank; grade; (bound form) equal to; same as; (used to end an enumeration); (literary) (plural suffix attached to a personal pronoun or noun) -等一下,děng yī xià,to wait a moment; later; in awhile -等一下儿,děng yī xià er,erhua variant of 等一下[deng3 yi1 xia4] -等一会,děng yī huì,Wait a moment!; after a while -等一会儿,děng yī huì er,erhua variant of 等一會|等一会[deng3 yi1 hui4] -等一等,děng yī děng,wait a moment -等不及,děng bù jí,can't wait -等位,děng wèi,(physics) equipotential -等位基因,děng wèi jī yīn,allele (one of two paired gene in diploid organism) -等候,děng hòu,to wait; to wait for -等值,děng zhí,of equal value -等价,děng jià,equal; equal in value; equivalent -等价交换,děng jià jiāo huàn,equal-value exchange -等价关系,děng jià guān xì,(math.) equivalence relation -等分,děng fēn,to divide into equal parts -等到,děng dào,to wait until; by the time when (sth is ready etc) -等化器,děng huà qì,"equalizer (electronics, audio) (HK, Tw)" -等同,děng tóng,to equate; equal to -等同语,děng tóng yǔ,(linguistics) an equivalent; a translation of a term into the target language -等周,děng zhōu,isoperimetric -等周不等式,děng zhōu bù děng shì,the isoperimetric inequality -等因奉此,děng yīn fèng cǐ,"officialese; official routine; (old) (conventional phrase used in response to one's superior) in view of the above, we therefore..." -等压,děng yā,constant pressure; equal pressure -等压线,děng yā xiàn,isobar (line of equal pressure) -等差,děng chā,degree of disparity; equal difference -等差数列,děng chā shù liè,arithmetic progression -等差级数,děng chā jí shù,arithmetic series (such as 2+4+6+8+...) -等式,děng shì,an equality; an equation -等待,děng dài,to wait; to wait for -等效,děng xiào,equivalent; equal in effect -等效百万吨当量,děng xiào bǎi wàn dūn dāng liàng,equivalent megatonnage (EMT) -等于,děng yú,to equal; to be tantamount to -等比,děng bǐ,geometric (of mathematical sequences or progressions) -等比数列,děng bǐ shù liè,geometric progression -等比级数,děng bǐ jí shù,geometric series (such as 1+2+4+8+...) -等温,děng wēn,of equal temperature; isothermic -等熵线,děng shāng xiàn,isentropic curve (physics}) -等第,děng dì,level; rank; grade; rating -等等,děng děng,et cetera; and so on ...; wait a minute!; hold on! -等级,děng jí,grade; rank; status -等级制度,děng jí zhì dù,hierarchy -等而下之,děng ér xià zhī,going from there to lower grades (idiom) -等腰三角形,děng yāo sān jiǎo xíng,isosceles triangle -等着瞧,děng zhe qiáo,wait and see (who is right) -等号,děng hào,(math.) equals sign = -等变压线,děng biàn yā xiàn,isallobar (line of equal pressure gradient) -等距,děng jù,equidistant -等轴晶系,děng zhóu jīng xì,cubical system (crystallography); crystal system based on cubic lattice; equiaxial crystal system -等边三角形,děng biān sān jiǎo xíng,equilateral triangle -等闲,děng xián,ordinary; common; unimportant; idly; for no reason -等闲之辈,děng xián zhī bèi,(in the negative) (not) to be trifled with -等离子体,děng lí zǐ tǐ,plasma (physics) -等额比基金,děng é bǐ jī jīn,"equality ration fund, a charitable investment fund that can be drawn down in proportion to further donations" -等额选举,děng é xuǎn jǔ,non-competitive election (i.e. with as many candidates as there are seats); single-candidate election -等高线,děng gāo xiàn,contour line -筊,jiǎo,bamboo rope -筊,jiào,variant of 珓[jiao4] -筊杯,jiǎo bēi,see 杯珓[bei1 jiao4] -筋,jīn,muscle; tendon; veins visible under the skin; sth resembling tendons or veins (e.g. fiber in a vegetable) -筋斗,jīn dǒu,tumble; somersault -筋斗云,jīn dǒu yún,Sun Wukong's magical cloud -筋疲力尽,jīn pí lì jìn,"body weary, strength exhausted (idiom); extremely tired; spent" -筋节,jīn jié,"lit. muscles and joints; by ext. the relations between parts in a speech, composition etc" -筋络,jīn luò,tendons and muscles -筋脉,jīn mài,veins -筋膜,jīn mó,(anatomy) fascia -筋骨,jīn gǔ,muscles and bones; physique; strength; courage -筌,quán,bamboo fish trap -笋,sǔn,bamboo shoot -筏,fá,raft (of logs) -筏子,fá zi,raft -筐,kuāng,basket; CL:隻|只[zhi1] -筐箧,kuāng qiè,rectangular box or chest -筐箧中物,kuāng qiè zhōng wù,a commonplace thing -筑,zhù,short name for Guiyang 貴陽|贵阳[Gui4 yang2] -筑,zhù,five-string lute; Taiwan pr. [zhu2] -筑波,zhù bō,"Tsukuba, university city in Ibaraki prefecture 茨城縣|茨城县[Ci2 cheng2 xian4], northeast of Tokyo, Japan" -筒,tǒng,tube; cylinder; to encase in sth cylindrical (such as hands in sleeves etc) -筒子,tǒng zi,tube-shaped object; tube; bobbin; (Internet slang) homonym for 同志[tong2 zhi4] -筒子米糕,tǒng zǐ mǐ gāo,"rice tube pudding, a single-serve column of glutinous rice topped with a sauce and garnished (Taiwanese dish, originally prepared by stuffing rice into bamboo tubes and steaming them)" -筒灯,tǒng dēng,fluorescent tube or light -筒阀,tǒng fá,a sleeve valve -筒鼓,tǒng gǔ,tom-tom drum (drum kit component) -答,dā,"bound form having the same meaning as the free word 答[da2], used in 答應|答应[da1 ying5], 答理[da1 li5] etc" -答,dá,to answer; to reply; to respond -答卷,dá juàn,"completed examination paper; answer sheet; CL:份[fen4],張|张[zhang1]" -答问,dá wèn,to answer a question; question and answer -答对,dá duì,(usually used in the negative) to answer or reply to sb's question -答复,dá fù,variant of 答覆|答复[da2 fu4] -答应,dā ying,to answer; to respond; to answer positively; to agree; to accept; to promise -答拜,dá bài,to return a visit -答数,dá shù,numerical answer (to a question in math.); (Tw) (of troops) to shout numbers or phrases in unison (to keep in step or maintain morale) -答案,dá àn,answer; solution; CL:個|个[ge4] -答理,dā li,to acknowledge; to respond; to answer; to pay attention; to heed; to deal with -答疑,dá yí,to answer questions (as teacher or consultant); to clarify doubts -答白,dā bái,to answer -答礼,dá lǐ,to return a courtesy; return gift -答腔,dā qiāng,to answer; to respond; to converse -答复,dá fù,to answer; to reply; Reply to: (in email header) -答讪,dā shàn,variant of 搭訕|搭讪[da1 shan4] -答访,dá fǎng,to return a visit -答词,dá cí,reply; thank-you speech -答话,dá huà,to reply; to answer -答谢,dá xiè,to express one's thanks -答辩,dá biàn,to reply (to an accusation); to defend one's dissertation -答录机,dá lù jī,answering machine -答非所问,dá fēi suǒ wèn,(idiom) to sidestep the question; to answer evasively -筕,háng,see 筕篖[hang2 tang2] -策,cè,surname Ce -策,cè,policy; plan; scheme; bamboo slip for writing (old); to whip (a horse); to encourage; riding crop with sharp spines (old); essay written for the imperial examinations (old); upward horizontal stroke in calligraphy -策划,cè huà,to plot; to scheme; to bring about; to engineer; planning; producer; planner -策划人,cè huà rén,sponsor; plotter; schemer -策勒,cè lè,"Chira County in Hotan Prefecture 和田地區|和田地区[He2 tian2 Di4 qu1], Xinjiang" -策勒县,cè lè xiàn,"Chira County in Hotan Prefecture 和田地區|和田地区[He2 tian2 Di4 qu1], Xinjiang" -策动,cè dòng,"to conspire; to plot (a rebellion, crime etc); to machinate; to spur on; to urge action" -策励,cè lì,to encourage; to urge; to impel; to spur sb on -策反,cè fǎn,to instigate (rebellion etc); incitement (e.g. to desertion within opposing camp) -策问,cè wèn,essay on policy in question and answer form used in imperial exams -策士,cè shì,strategist; counsellor on military strategy -策展,cè zhǎn,to curate -策展人,cè zhǎn rén,curator -策应,cè yìng,to support by coordinated action -策源地,cè yuán dì,place of origin; source (of a war or a social movement) -策略,cè lüè,strategy; tactics; crafty; adroit -策画,cè huà,variant of 策劃|策划[ce4 hua4] -策试,cè shì,imperial exam involving writing essay on policy 策論|策论[ce4 lun4] -策论,cè lùn,essay on current affairs submitted to the emperor as policy advice (old) -策谋,cè móu,stratagem (political or military); trick -策马,cè mǎ,to urge on a horse using a whip or spurs -筘,kòu,(a measure of width of cloth) -策,cè,variant of 策[ce4] -筠,yún,skin of bamboo -筠连,yún lián,"Yunlian county in Yibin 宜賓|宜宾[Yi2 bin1], Sichuan" -筠连县,yún lián xiàn,"Yunlian county in Yibin 宜賓|宜宾[Yi2 bin1], Sichuan" -筢,pá,bamboo rake -筢子,pá zi,bamboo rake -筦,guǎn,surname Guan -管,guǎn,variant of 管[guan3] -笕,jiǎn,bamboo conduit; water pipe of bamboo -筒,tǒng,variant of 筒[tong3] -筮,shì,divine by stalk -箸,zhù,variant of 箸[zhu4] -筱,xiǎo,dwarf bamboo; thin bamboo -筲,shāo,basket; bucket -筲箍,shāo gū,to hoop on a basket -筲箕,shāo jī,bamboo basket for rice-washing -策,cè,variant of 策[ce4] -筵,yán,bamboo mat for sitting -筵上,yán shǎng,feast -筵席,yán xí,banquet; mat for sitting -筵席捐,yán xí juān,tax on a banquet or feast -筵宴,yán yàn,feast; banquet -筷,kuài,chopstick -筷子,kuài zi,"chopsticks; CL:對|对[dui4],根[gen1],把[ba3],雙|双[shuang1]" -筷子腿,kuài zi tuǐ,(coll.) skinny legs -筷子芥,kuài zi jiè,"Arabis, a genus of Brassica family including cress" -箅,bì,(bound form) bamboo grid for steaming food -箅子,bì zi,bamboo grid for steaming food; grate; grating; grid -个,gè,variant of 個|个[ge4] -笺,jiān,letter; note-paper -笺注,jiān zhù,to annotate (ancient texts); commentaries -箍,gū,hoop; to bind with hoops -箍嘴,gū zuǐ,to muzzle -箍子,gū zi,finger ring (dialect) -箍带,gū dài,strap; CL:條|条[tiao2] -箍桶,gū tǒng,hooped barrel; to handmake a wooden barrel -箍桶匠,gū tǒng jiàng,cooper; hooper -箍桶店,gū tǒng diàn,coopery -箍煲,gū bāo,to heal the breach (Cantonese) -箍节儿,gū jie er,short length; small section or portion -箍紧,gū jǐn,to fasten tightly with a hoop -箍麻,gū má,to become numb (from being bound too tightly) -筝,zhēng,"zheng or guzheng, a long zither with moveable bridges, played by plucking the strings" -箐,qìng,to draw a bamboo bow or crossbow -帚,zhǒu,variant of 帚[zhou3] -箔,bó,"plaited matting (of rushes, bamboo etc); silkworm basket; metal foil; foil paper" -箕,jī,winnow basket -箕子,jī zǐ,"Jizi, legendary sage from end of Shang dynasty (c. 1100 BC), said to have opposed the tyrant Zhou 紂|纣[Zhou4], then ruled ancient Korea in the Zhou 周[Zhou1] dynasty" -算,suàn,to regard as; to figure; to calculate; to compute -算不了,suàn bù liǎo,does not count for anything; of no account -算不得,suàn bù dé,not count as -算了,suàn le,let it be; let it pass; forget about it -算你狠,suàn nǐ hěn,you got me!; you win!; you are something! -算出,suàn chū,to figure out -算力,suàn lì,computing power; hash rate (digital currency mining) -算卦,suàn guà,fortune telling -算命,suàn mìng,fortune-telling; to tell fortune -算命先生,suàn mìng xiān sheng,fortune-teller -算命家,suàn mìng jiā,fortune-teller -算命者,suàn mìng zhě,fortune-teller -算哪根葱,suàn nǎ gēn cōng,"who do (you) think (you) are?; who does (he, she etc) think (he, she) is?" -算子,suàn zi,operator (math.) -算数,suàn shù,to count numbers; to keep to one's word; to hold (i.e. to remain valid); to count (i.e. to be important) -算是,suàn shì,considered to be; at last -算法,suàn fǎ,arithmetic; algorithm; method of calculation -算准,suàn zhǔn,to calculate precisely; to identify; to discern; to tell -算盘,suàn pán,abacus; CL:把[ba3]; plan; scheme -算老几,suàn lǎo jǐ,"just who do (you) think (you) are? (or ""just who does (she) think (she) is?"" etc)" -算术,suàn shù,arithmetic; sums (mathematics as primary school subject) -算术平均,suàn shù píng jūn,arithmetic mean (math.) -算术平均数,suàn shù píng jūn shù,arithmetic mean -算术式,suàn shù shì,(math.) arithmetic expression -算术级数,suàn shù jí shù,arithmetic series (such as 2+4+6+8+...) -算计,suàn ji,to reckon; to calculate; to plan; to expect; to scheme -算话,suàn huà,(of sb's words) to count; can be trusted -算账,suàn zhàng,(accounting) to balance the books; to do the accounts; (fig.) to settle an account; to get one's revenge -算起来,suàn qǐ lái,to calculate; to estimate; in total; all told; (fig.) if you think about it -箜,kōng,used in 箜篌[kong1 hou2] -箜篌,kōng hóu,konghou (Chinese harp) -箜簧,kōng huáng,old reed wind instrument; (possibly used erroneously for konghou 箜篌 harp or 笙簧 sheng) -箝,qián,pliers; pincers; to clamp -棰,chuí,variant of 棰[chui2] -管,guǎn,surname Guan -管,guǎn,to take care (of); to control; to manage; to be in charge of; to look after; to run; to care about; tube; pipe; woodwind; classifier for tube-shaped objects; particle similar to 把[ba3] in 管...叫 constructions; writing brush; (coll.) to; towards -管不着,guǎn bu zháo,to have no right or ability to interfere in sth; it's none of your business! -管中窥豹,guǎn zhōng kuī bào,lit. to see a leopard through a narrow tube (idiom); fig. to miss the big picture -管井,guǎn jǐng,tube well -管他,guǎn tā,"no matter if; regardless of; don’t worry about (it, him etc); doesn’t matter" -管他三七二十一,guǎn tā sān qī èr shí yī,who cares; no matter what; regardless of the consequences -管他呢,guǎn tā ne,"don’t worry about (it, him etc); doesn’t matter; whatever; anyway" -管他的,guǎn tā de,"don’t worry about (it, him etc); doesn’t matter; whatever; anyway" -管仲,guǎn zhòng,"Guan Zhong (-645 BC), famous politician of Qi 齊國|齐国 of Spring and Autumn period; known as Guangzi 管子" -管仲,guǎn zhòng,a restricted view through a bamboo tube -管住,guǎn zhù,to take control of; to manage; to curb -管住嘴迈开腿,guǎn zhù zuǐ mài kāi tuǐ,"lit. shut your mouth, move your legs (motto for losing weight)" -管保,guǎn bǎo,to guarantee; assuredly -管制,guǎn zhì,to control; to restrict; (PRC law) non-custodial sentence with specified restrictions on one's activities for up to 3 years (e.g. not to participate in demonstrations) -管取,guǎn qǔ,sure -管圆线虫,guǎn yuán xiàn chóng,"""eel worm"", a parasitic worm carrying meningitis" -管城区,guǎn chéng qū,"Guangcheng Hui District of Zhengzhou City 鄭州市|郑州市[Zheng4 zhou1 Shi4], Henan" -管城回族区,guǎn chéng huí zú qū,"Guangcheng Hui District of Zhengzhou City 鄭州市|郑州市[Zheng4 zhou1 Shi4], Henan" -管套,guǎn tào,pipe sleeve -管委会,guǎn wěi huì,administrative committee; management committee; abbr. for 管理委員會|管理委员会[guan3 li3 wei3 yuan2 hui4] -管子,guǎn zǐ,"Guanzi or Guan Zhong 管仲 (-645 BC), famous politician of Qi 齊國|齐国 of Spring and Autumn period; Guanzi, classical book containing writings of Guan Zhong and his school" -管子,guǎn zi,tube; pipe; drinking straw; CL:根[gen1] -管子工,guǎn zi gōng,plumber; pipe-fitter -管子钳,guǎn zi qián,pipe wrench; monkey wrench -管它,guǎn tā,"no matter if; regardless of; don’t worry about (it, him etc); doesn’t matter" -管家,guǎn jiā,(old) butler; steward; manager; administrator; housekeeper; to manage a household -管家婆,guǎn jiā pó,housewife (jocular); female housekeeper of a higher rank (old); busybody -管家职务,guǎn jiā zhí wù,stewardship -管工,guǎn gōng,plumber; pipe-worker -管座,guǎn zuò,to mount an electronic valve; to plug in a bulb -管弦乐,guǎn xián yuè,orchestral music -管弦乐团,guǎn xián yuè tuán,orchestra -管弦乐队,guǎn xián yuè duì,orchestra -管待,guǎn dài,to wait on; to attend; to serve -管得着,guǎn de zháo,to concern oneself with (a matter); to make (sth) one's business -管情,guǎn qíng,to guarantee -管手管脚,guǎn shǒu guǎn jiǎo,to control in every detail; excessive supervision -管扳手,guǎn bān shǒu,pipe wrench -管控,guǎn kòng,to control -管教,guǎn jiào,to discipline; to teach; to guarantee -管教无方,guǎn jiào wú fāng,unable to discipline a child; incapable of dealing with (unruly child) -管束,guǎn shù,to exercise control over; restriction; control -管东管西,guǎn dōng guǎn xī,to micromanage; to be controlling -管乐器,guǎn yuè qì,wind instrument; woodwind -管治,guǎn zhì,governance; to govern -管灯,guǎn dēng,fluorescent light -管理,guǎn lǐ,to supervise; to manage; to administer; management; administration; CL:個|个[ge4] -管理人,guǎn lǐ rén,supervisor; manager; administrator -管理信息库,guǎn lǐ xìn xī kù,Management Information Base; MIB -管理功能,guǎn lǐ gōng néng,management function -管理员,guǎn lǐ yuán,manager; administrator -管理委员会,guǎn lǐ wěi yuán huì,administrative committee; management committee -管理学,guǎn lǐ xué,management studies -管理学院,guǎn lǐ xué yuàn,school of management -管理层收购,guǎn lǐ céng shōu gòu,management buyout (MBO) -管理接口,guǎn lǐ jiē kǒu,management interface -管理站,guǎn lǐ zhàn,management station -管理费,guǎn lǐ fèi,management fee -管用,guǎn yòng,efficacious; useful -管窥,guǎn kuī,to look at sth through a bamboo tube; to have a restricted view -管窥所及,guǎn kuī suǒ jí,in my humble opinion -管纱,guǎn shā,cop (textiles) -管线,guǎn xiàn,"pipeline; general term for pipes, cables etc" -管胞,guǎn bāo,tracheid (botany) -管见,guǎn jiàn,my limited view (lit. view through a thin tube); my limited understanding; my opinion (humble) -管见所及,guǎn jiàn suǒ jí,in my humble opinion (idiom) -管路,guǎn lù,"piping (for water, oil, etc); conduit" -管辖,guǎn xiá,to administer; to have jurisdiction (over) -管道,guǎn dào,tubing; pipeline; (fig.) channel; means -管道运输,guǎn dào yùn shū,pipeline transport -管钳,guǎn qián,pipe wrench -管闲事,guǎn xián shì,"to meddle; to be a ""nosy Parker""; to be too inquisitive about other people's business" -管风琴,guǎn fēng qín,organ; pipe organ -管龠,guǎn yuè,flute; pipe; key; CL:把[ba3] -箢,yuān,used in 箢箕[yuan1 ji1] and 箢篼[yuan1 dou1]; Taiwan pr. [wan3] -箢箕,yuān jī,(dialect) scoop-shaped woven bamboo basket -箢篼,yuān dōu,(dialect) scoop-shaped woven bamboo basket -箬,ruò,(bamboo); skin of bamboo -箭,jiàn,arrow; CL:支[zhi1] -箭杆,jiàn gǎn,arrow shaft -箭步,jiàn bù,sudden big stride forward -箭毒木,jiàn dú mù,"antiaris, aka upas tree (Antiaris toxicaria)" -箭毒蛙,jiàn dú wā,poison dart frog -箭牌,jiàn pái,Wrigley (chewing gum company) -箭矢,jiàn shǐ,arrow; CL:支[zhi1] -箭竹,jiàn zhú,bamboo (genus Fargesia) -箭镞,jiàn zú,arrowhead -箭头,jiàn tóu,arrowhead; arrow symbol -箭头键,jiàn tóu jiàn,arrow key (on keyboard) -箭鱼,jiàn yú,variant of 劍魚|剑鱼[jian4 yu2] -箱,xiāng,box; trunk; chest -箱型车,xiāng xíng chē,van (Tw); also written 廂型車|厢型车[xiang1 xing2 che1] -箱子,xiāng zi,"suitcase; chest; box; case; trunk; CL:隻|只[zhi1],個|个[ge4]" -箱庭,xiāng tíng,(Japanese-style) sandbox (video gaming); sandplay (therapy) -箱根,xiāng gēn,"Hakone, city on the east coast of Japan southwest of Tokyo" -箱梁,xiāng liáng,box girder (construction) -箱箧,xiāng qiè,box; chest -箱鼓,xiāng gǔ,cajón (musical instrument) -箴,zhēn,to warn; to admonish; variant of 針|针[zhen1] -箴言,zhēn yán,admonition; exhortation; dictum; the biblical Book of Proverbs -箸,zhù,(literary) chopsticks -节,jiē,see 節骨眼|节骨眼[jie1 gu5 yan3] -节,jié,"joint; node; (bound form) section; segment; solar term (one of the 24 divisions of the year in the traditional Chinese calendar); seasonal festival; (bound form) to economize; to save; (bound form) moral integrity; chastity; classifier for segments: lessons, train wagons, biblical verses etc; knot (nautical miles per hour)" -节上生枝,jié shàng shēng zhī,a new branch grows out of a knot (idiom); fig. side issues keep arising -节候,jié hòu,season; time of year -节假日,jié jià rì,public holiday -节俭,jié jiǎn,frugal; economical -节制,jié zhì,to control; to restrict; to moderate; to temper; moderation; sobriety; to administer -节哀顺变,jié āi shùn biàn,"restrain your grief, accept fate (condolence phrase)" -节外生枝,jié wài shēng zhī,(idiom) new problems arise unexpectedly -节奏,jié zòu,rhythm; tempo; musical pulse; cadence; beat -节奏口技,jié zòu kǒu jì,beatboxing -节奏布鲁斯,jié zòu bù lǔ sī,Rhythm and Blues R&B -节子,jiē zi,gnarl; knot -节度使,jié dù shǐ,"Tang and Song dynasty provincial governor, in Tang times having military and civil authority, but only civil authority in Song" -节律,jié lǜ,rhythm; pace -节庆,jié qìng,festival -节拍,jié pāi,beat (music); meter -节拍器,jié pāi qì,metronome -节操,jié cāo,integrity; moral principle -节支,jié zhī,to save on expenditure -节日,jié rì,holiday; festival; CL:個|个[ge4] -节期,jié qī,festival season -节本,jié běn,abridged version -节气,jié qi,solar term -节气门,jié qì mén,throttle -节水,jié shuǐ,to save water -节油,jié yóu,to economize on gasoline; fuel-efficient -节流,jié liú,to control flow; to choke; weir valve; a throttle; a choke -节流踏板,jié liú tà bǎn,throttle pedal; accelerator -节流阀,jié liú fá,a throttle -节烈,jié liè,(of a woman) indomitably chaste -节略,jié lüè,abbreviation -节略本,jié lüè běn,abridged version -节疤,jié bā,gnarl; knot -节瘤,jié liú,knot (in wood) -节目,jié mù,"program; item (on a program); CL:臺|台[tai2],個|个[ge4],套[tao4]" -节省,jié shěng,saving; to save; to use sparingly; to cut down on -节礼日,jié lǐ rì,"Boxing Day, holiday on 26th December (the day after Christmas Day) in some countries" -节节,jié jié,step by step; little by little -节节败退,jié jié bài tuì,to retreat again and again in defeat; to suffer defeat after defeat -节约,jié yuē,to economize; to conserve (resources); economy; frugal -节肢介体病毒,jié zhī jiè tǐ bìng dú,arbovirus -节肢动物,jié zhī dòng wù,arthropod -节育,jié yù,to practice birth control -节能,jié néng,to conserve energy; to minimize energy consumption -节能灯,jié néng dēng,compact fluorescent lamp (CFL) -节衣缩食,jié yī suō shí,to save on food and clothing (idiom); to live frugally -节足动物,jié zú dòng wù,"arthropod, segmented animals with jointed limbs; same as 節肢動物|节肢动物[jie2 zhi1 dong4 wu4]" -节选,jié xuǎn,excerpt; selection (from a book); to select; to choose an extract -节录,jié lù,to extract; to excerpt; excerpt -节间,jié jiān,between joints -节电,jié diàn,to save electricity; power saving -节食,jié shí,to save food; to go on a diet -节余,jié yú,to save; savings -节骨眼,jiē gu yǎn,(dialect) critical juncture; crucial moment; Taiwan pr. [jie2 gu5 yan3] -节骨眼儿,jiē gu yǎn er,erhua variant of 節骨眼|节骨眼[jie1 gu5 yan3] -节点,jié diǎn,node -篁,huáng,(bamboo); bamboo grove -范,fàn,pattern; model; example -范例,fàn lì,example; model case -范儿,fàn er,(coll.) style; manner -范围,fàn wéi,range; scope; limit; extent; CL:個|个[ge4] -范式,fàn shì,paradigm -范数,fàn shù,norm (math.) -范本,fàn běn,model (example worthy of being imitated); template -范畴,fàn chóu,category -范畴论,fàn chóu lùn,category theory (math.) -范县,fàn xiàn,"Fan county in Puyang 濮陽|濮阳[Pu2 yang2], Henan" -篆,zhuàn,seal (of office); seal script (a calligraphic style); the small seal 小篆 and great seal 大篆; writing in seal script -篆刻,zhuàn kè,to carve a seal; a seal -篆工,zhuàn gōng,craftsman engaged in carving characters -篆书,zhuàn shū,seal script (Chinese calligraphic style) -篆体,zhuàn tǐ,see 篆書|篆书[zhuan4 shu1] -篇,piān,"sheet; piece of writing; bound set of bamboo slips used for record keeping (old); classifier for written items: chapter, article" -篇什,piān shí,poem -篇幅,piān fu,length (of a piece of writing); space occupied on a printed page -篇目,piān mù,table of contents -篇章,piān zhāng,chapter; section (of a written work); passage of writing; (fig.) chapter (in the history of sth) -篇韵,piān yùn,abbr. for Yupian 玉篇[Yu4 pian1] and Guangyun 廣韻|广韵[Guang3 yun4] -筑,zhù,to build; to construct; to ram; to hit; Taiwan pr. [zhu2] -筑城,zhù chéng,fortification -筑室道谋,zhù shì dào móu,lit. ask passers-by how to build one's house (idiom); fig. to have no idea what to do; without a clue -筑巢,zhù cháo,to nest; to build a nest -箧,qiè,chest; box; trunk; suitcase; portfolio -箧笥,qiè sì,"bamboo box for holding books, clothes etc" -箧箧,qiè qiè,long and thin; slender -箧衍,qiè yǎn,bamboo box -篌,hóu,used in 箜篌[kong1 hou2] -筼,yún,see 篔簹|筼筜[yun2 dang1] -筼筜,yún dāng,species of tall bamboo -筼筜湖,yún dāng hú,Yundang or Yuandang Lake in Xiamen -篙,gāo,pole for punting boats -篚,fěi,round covered basket -篝,gōu,bamboo frame for drying clothes; bamboo cage -篝火,gōu huǒ,bonfire -篝火狐鸣,gōu huǒ hú míng,to tell fox ghost stories around a bonfire and incite rebellion; an uprising is afoot (idiom) -篡,cuàn,to seize; to usurp -篡位,cuàn wèi,to seize the throne -篡夺,cuàn duó,to usurp; to seize -篡弑,cuàn shì,to commit regicide -篡改,cuàn gǎi,to tamper with; to falsify -篡政,cuàn zhèng,to usurp political power -篡权,cuàn quán,to usurp power -篡窃,cuàn qiè,to usurp; to seize -篡立,cuàn lì,to become an unlawful ruler -篡贼,cuàn zéi,usurper -篡军,cuàn jūn,to usurp the military -篡逆,cuàn nì,to rebel; to revolt -篡党,cuàn dǎng,to usurp the leadership of the party -笃,dǔ,serious (illness); sincere; true -笃信,dǔ xìn,to sincerely believe -笃信好学,dǔ xìn hào xué,sincere belief and diligent study -笃厚,dǔ hòu,honest and generous; magnanimous -笃学,dǔ xué,studious; diligent in study -笃守,dǔ shǒu,to comply faithfully; sincerely abiding by -笃定,dǔ dìng,certain; confident (of some outcome); calm and unhurried -笃实,dǔ shí,loyal; sincere; sound -笃专,dǔ zhuān,with undivided attention -笃志,dǔ zhì,steadfast; with single-minded devotion -笃爱,dǔ ài,to love deeply; devoted to sb -笃挚,dǔ zhì,sincere (in friendship); cordial -笃病,dǔ bìng,seriously ill; critical -笃行,dǔ xíng,to carry out (obligation) conscientiously; to behave sincerely -篥,lì,bamboos good for poles; horn -篦,bì,fine-toothed comb; to comb -篦子,bì zi,double-edged fine-toothed comb; grate -篦头,bì tóu,to comb one's hair -筛,shāi,(bound form) a sieve; to sieve; to sift; to filter; to eliminate through selection; to warm a pot of rice wine (over a fire or in hot water); to pour (wine or tea); (dialect) to strike (a gong) -筛子,shāi zi,sieve; CL:面[mian4] -筛查,shāi chá,to screen (for disease etc) -筛检,shāi jiǎn,to screen (for disease etc) -筛法,shāi fǎ,the sieve method (for primes) -筛管,shāi guǎn,(botany) sieve tube -筛糠,shāi kāng,to sift chaff; (fig.) to shake all over -筛选,shāi xuǎn,to filter -筛除,shāi chú,to screen or filter out; to winnow (agriculture) -筛骨,shāi gǔ,ethmoid bone (cheek) -篪,chí,bamboo flute with 7 or 8 holes -筚,bì,wicker -筚路蓝缕,bì lù lán lǚ,the hardships of beginning an undertaking (idiom) -筚门闺窦,bì mén guī dòu,"wicker door, hole window (idiom); fig. wretched hovel; living in poverty" -篷,péng,sail -篷布,péng bù,tarpaulin -篷盖布,péng gài bù,sail cloth -篷车,péng chē,covered truck; caravan; van -篷顶,péng dǐng,canopy; roof; ceiling -篹,suǎn,ancient bamboo basket for food; variant of 匴[suan3]; bamboo container for hats -篹,zhuàn,to compose; to compile; food; delicacies -纂,zuǎn,(literary) to compile (variant of 纂[zuan3]) -篼,dōu,"bamboo, rattan or wicker basket; sedan chair for mountain use (Cantonese)" -篾,miè,the outer layer of a stalk of bamboo (or reed or sorghum); a thin bamboo strip -篾匠,miè jiàng,craftsman who makes articles from bamboo strips -篾席,miè xí,mat woven from bamboo strips -篾条,miè tiáo,bamboo strip -箦,zé,reed mat -簇,cù,crowded; framework for silkworms; gather foliage; bunch; classifier for bunched objects -簇射,cù shè,"shower (radiation, particle, etc)" -簇拥,cù yōng,to crowd around; to escort -簇新,cù xīn,brand-new; spanking new -簇茎石竹,cù jīng shí zhú,boreal carnation or northern pink; Dianthus repens (botany) -簉,zào,deputy; subordinate; concubine -簉室,zào shì,concubine -簋,guǐ,ancient bronze food vessel with a round mouth and two or four handles; round basket of bamboo -簌,sù,dense vegetation; sieve -簌簌,sù sù,very slight sound; rustling (onom.); to stream down (of tears); luxuriant growth (of vegetation) -簌簌发抖,sù sù fā dǒu,shivering; trembling (idiom) -篓,lǒu,basket -篓子,lǒu zi,basket -簏,lù,box; basket -蓑,suō,variant of 蓑[suo1] -篡,cuàn,old variant of 篡[cuan4] -箪,dān,round basket for cooked rice -箪笥,dān sì,bamboo box; vessels for holding food -箪食壶浆,dān shí hú jiāng,to receive troops with food and drink (idiom); to give troops a hearty welcome; also pr. [dan1 si4 hu2 jiang1] -簟,diàn,fine woven grass mat -简,jiǎn,simple; uncomplicated; letter; to choose; to select; bamboo strips used for writing (old) -简介,jiǎn jiè,summary; brief introduction -简便,jiǎn biàn,simple and convenient; handy -简册,jiǎn cè,booklet; brochure; (old) book (made of bamboo strips tied together) -简则,jiǎn zé,general rule; simple principle -简化,jiǎn huà,to simplify -简化字,jiǎn huà zì,simplified Chinese character -简史,jiǎn shǐ,a brief history -简单,jiǎn dān,simple; not complicated -简单化,jiǎn dān huà,simplification; to simplify -简单地说,jiǎn dān de shuō,to put it simply; simply put -简单明了,jiǎn dān míng liǎo,clear and simple; in simple terms -简单网络管理协议,jiǎn dān wǎng luò guǎn lǐ xié yì,Simple Network Management Protocol; SNMP -简报,jiǎn bào,presentation; briefing; (oral or written) brief report -简写,jiǎn xiě,to write characters in simplified form; the simplified form of a character; to abbreviate (a word or expression); to write in simple language -简帖,jiǎn tiě,a letter -简帖儿,jiǎn tiě er,a letter -简慢,jiǎn màn,negligent (towards guests) -简括,jiǎn kuò,brief but comprehensive; compendious -简拼,jiǎn pīn,"(computing) input method where the user types just the initial or first letter of each syllable, e.g. ""shq"" or ""sq"" for 事情[shi4 qing5])" -简明,jiǎn míng,simple and clear; concise -简明扼要,jiǎn míng è yào,brief and to the point (idiom); succinct -简易,jiǎn yì,simple and easy; simplistic; simplicity -简易棚,jiǎn yì péng,makeshift shelter; awning -简易爆炸装置,jiǎn yì bào zhà zhuāng zhì,improvised explosive device (IED) -简本,jiǎn běn,concise edition; abridged edition -简朴,jiǎn pǔ,simple and unadorned; plain -简历,jiǎn lì,curriculum vitae (CV); résumé; biographical notes -简氏防务周刊,jiǎn shì fáng wù zhōu kān,Jane's defense weekly -简洁,jiǎn jié,concise; succinct; pithy -简炼,jiǎn liàn,variant of 簡練|简练[jian3 lian4] -简牍,jiǎn dú,bamboo and wooden slips (used for writing on in ancient times); letter; correspondence; book; document -简略,jiǎn lüè,simple; brief -简略见告,jiǎn lüè jiàn gào,brief outline or overview (of a plan etc) -简直,jiǎn zhí,simply; really -简省,jiǎn shěng,to simplify; to reduce to essentials; economical -简短,jiǎn duǎn,"brief (statement, summary etc); briefly; brevity" -简短介绍,jiǎn duǎn jiè shào,brief introduction -简称,jiǎn chēng,to be abbreviated to; abbreviation; short form -简章,jiǎn zhāng,concise list of rules; brochure; pamphlet -简约,jiǎn yuē,sketchy; concise; abbreviated -简编,jiǎn biān,concise edition; abridged edition; compendium -简练,jiǎn liàn,terse; succinct -简缩,jiǎn suō,abbreviation; short form -简繁,jiǎn fán,simple versus traditional (Chinese characters) -简繁转换,jiǎn fán zhuǎn huàn,conversion from simple to traditional Chinese characters -简而言之,jiǎn ér yán zhī,in a nutshell; to put it briefly -简表,jiǎn biǎo,table (displaying data in rows and columns) -简装,jiǎn zhuāng,paperback; plainly packaged; opposite: 精裝|精装[jing1 zhuang1] -简要,jiǎn yào,concise; brief -简要介绍,jiǎn yào jiè shào,brief introduction -简言之,jiǎn yán zhī,in simple terms; to put things simply; briefly -简讯,jiǎn xùn,newsletter; the news in brief; (Tw) SMS message -简谐,jiǎn xié,"simple harmonic (motion, oscillation etc in mechanics)" -简谐振动,jiǎn xié zhèn dòng,simple harmonic oscillation; sinusoidal oscillation -简谐波,jiǎn xié bō,simple harmonic wave; sine wave -简谐运动,jiǎn xié yùn dòng,simple harmonic motion (in mechanics); motion of a simple pendulum -简谱,jiǎn pǔ,"music notation in which the notes Do, Re, Mi, Fa, Sol, La and Si are represented by numerals 1 to 7" -简述,jiǎn shù,to outline; to summarize; to sketch; summary; brief description; concise narrative; in a nutshell; briefly -简陋,jiǎn lòu,simple and crude -简阳,jiǎn yáng,"Jianyang, county-level city in Ziyang 資陽|资阳[Zi1 yang2], Sichuan" -简阳市,jiǎn yáng shì,"Jianyang, county-level city in Ziyang 資陽|资阳[Zi1 yang2], Sichuan" -简体,jiǎn tǐ,"simplified form of Chinese characters, as opposed to traditional form 繁體|繁体[fan2 ti3]" -简体字,jiǎn tǐ zì,"simplified Chinese character, as opposed to traditional Chinese character 繁體字|繁体字[fan2 ti3 zi4]" -篑,kuì,basket for carrying soil -簦,dēng,large umbrella for stalls; an ancient kind of bamboo or straw hat -簧,huáng,metallic reed; spring of lock -簧片,huáng piàn,reed (music) -簧管,huáng guǎn,reed pipe -簧舌,huáng shé,the lip or vibrating end of a reed in a wind instrument -簧风琴,huáng fēng qín,harmonium -簪,zān,hairpin -箫,xiāo,"xiao, a Chinese musical instrument of ancient times, similar to panpipes" -簪,zān,old variant of 簪[zan1] -檐,yán,variant of 檐[yan2] -簸,bǒ,to winnow; to toss up and down -簸,bò,used in 簸箕[bo4 ji1] -簸扬,bǒ yáng,to winnow -簸谷,bǒ gǔ,to winnow grain -簸箕,bò jī,wicker or bamboo winnowing basket; dustpan -簸荡,bǒ dàng,to be tossed around (like a boat on a rough sea) -筜,dāng,see 篔簹|筼筜[yun2 dang1] -签,qiān,to sign one's name; to write brief comments on a document; inscribed bamboo stick (variant of 籤|签[qian1]); visa -签入,qiān rù,to log on; to log in -签出,qiān chū,to log off -签到,qiān dào,to register; to sign in -签名,qiān míng,to sign (one's name with a pen etc); to autograph; signature -签呈,qiān chéng,petition (submitted to a superior) -签售,qiān shòu,"(of an author, musician etc) to sign (books, records etc) purchased by fans" -签售会,qiān shòu huì,(publishing industry) book signing event; (music industry) fansign event -签唱会,qiān chàng huì,(of a singer) autograph session; record signing event -签字,qiān zì,to sign (one's name); signature -签字笔,qiān zì bǐ,felt-tip pen; roller ball pen; gel ink pen -签字者,qiān zì zhě,signatory -签字费,qiān zì fèi,signing bonus; sign-on bonus -签定,qiān dìng,"to sign (a contract, treaty etc)" -签收,qiān shōu,to sign for the acceptance of sth (e.g. a delivery etc) -签派室,qiān pài shì,dispatch office -签发,qiān fā,to issue (a document); to sign and issue officially -签发地点,qiān fā dì diǎn,place of issue (of document) -签发日期,qiān fā rì qī,date of issue (of document) -签章,qiān zhāng,signature -签约,qiān yuē,to sign a contract or agreement -签约奖金,qiān yuē jiǎng jīn,signing bonus; sign-on bonus -签署,qiān shǔ,to sign (an agreement) -签订,qiān dìng,to agree to and sign (a treaty etc) -签语饼,qiān yǔ bǐng,fortune cookie -签证,qiān zhèng,visa; to issue a visa -签赌,qiān dǔ,to gamble -帘,lián,hanging screen or curtain -帘子,lián zi,curtain -帘布,lián bù,cord fabric used in vehicle tires -帘幕,lián mù,hanging screen; curtain over shop door (for privacy and serving as advertisement) -簿,bù,a book; a register; account-book -簿册,bù cè,a register; land register; account book; ledger -簿子,bù zi,notebook; book -簿籍,bù jí,account books; registers; records -簿记,bù jì,bookkeeping -簿记管理员,bù jì guǎn lǐ yuán,commissarian -籀,zhòu,surname Zhou -籀,zhòu,(literary) seal script used throughout the pre-Han period; to recite; to read (aloud) -籀文,zhòu wén,seal script used throughout the pre-Han period -籀书,zhòu shū,seal script used throughout the pre-Han period -篮,lán,basket (receptacle); basket (in basketball) -篮圈,lán quān,(basketball) hoop; ring -篮子,lán zi,basket; CL:隻|只[zhi1] -篮板,lán bǎn,backboard -篮板球,lán bǎn qiú,rebound (basketball) -篮球,lán qiú,"basketball; CL:個|个[ge4],隻|只[zhi1]" -篮球场,lán qiú chǎng,basketball court -篮筐,lán kuāng,basket -筹,chóu,chip (in gambling); token (for counting); ticket; to prepare; to plan; to raise (funds); resource; way; means -筹备,chóu bèi,preparations; to get ready for sth -筹出,chóu chū,to plan out; to prepare -筹划,chóu huà,to plan and prepare -筹募,chóu mù,to raise funds; to collect money -筹商,chóu shāng,to discuss (a plan); to negotiate (an outcome) -筹委会,chóu wěi huì,organizing committee -筹子,chóu zi,chip; counter -筹建,chóu jiàn,to prepare to build sth -筹思,chóu sī,"to ponder a solution; to consider (the best move, how to find a way etc)" -筹拍,chóu pāi,to prepare to film; to plan a shoot -筹措,chóu cuò,to raise (money) -筹款,chóu kuǎn,fundraising -筹略,chóu lüè,astute; resourceful -筹画,chóu huà,variant of 籌劃|筹划[chou2 hua4] -筹码,chóu mǎ,bargaining chip; gaming chip; casino token -筹算,chóu suàn,to calculate (using bamboo tokens on a counting board); to count beads; (fig.) to budget; to plan (an investment) -筹谋,chóu móu,to work out a strategy; to come up with a plan for -筹议,chóu yì,to discuss (a plan) -筹资,chóu zī,to raise resources -筹办,chóu bàn,to arrange; to make preparations -筹钱,chóu qián,to raise money -筹集,chóu jí,to collect money; to raise funds -筹马,chóu mǎ,variant of 籌碼|筹码[chou2 ma3] -籍,jí,surname Ji -籍,jí,book or record; registry; roll; place of one's family or ancestral records; membership -籍籍,jí jí,noisy; of high reputation; intricate -籍贯,jí guàn,one's native place; place of ancestry; registered birthplace -藤,téng,variant of 藤[teng2] -籑,zhuàn,old variant of 撰[zhuan4] -馔,zhuàn,old variant of 饌|馔[zhuan4] -签,qiān,Japanese variant of 籤|签[qian1] -箓,lù,record book; archive; Taoist written charm; document of prophecy attesting to dynastic fortunes -箨,tuò,sheath around joints of bamboo -籁,lài,a sound; a noise; musical pipe with 3 reeds -笼,lóng,"enclosing frame made of bamboo, wire etc; cage; basket; steamer basket" -笼,lǒng,to envelop; to cover; (used in 籠子|笼子[long3 zi5]) large box; Taiwan pr. [long2] -笼嘴,lóng zuǐ,muzzle (device) -笼子,lóng zi,cage; basket; container -笼子,lǒng zi,large box; trunk; chest -笼屉,lóng tì,bamboo steamer (for buns or dim sum) -笼槛,lóng jiàn,cage (for animals) -笼火,lóng huǒ,to make a fire -笼络,lǒng luò,to coax; to beguile; to win over -笼统,lǒng tǒng,general; broad; sweeping; lacking in detail; vague -笼罩,lǒng zhào,to envelop; to shroud -笼头,lóng tou,headstall; bridle -笼鸟,lóng niǎo,a caged bird -笼鸟槛猿,lóng niǎo jiàn yuán,"bird in a basket, monkey in a cage (idiom); prisoner" -奁,lián,old variant of 奩|奁[lian2] -签,qiān,"inscribed bamboo stick (used in divination, gambling, drawing lots etc); small wood sliver; label; tag" -签条,qiān tiáo,label; tag -笾,biān,bamboo tazza used in ancient times to hold dry food for sacrifices or at banquets -簖,duàn,bamboo fish trap -篱,lí,a fence -篱垣,lí yuán,fence; hedge -篱笆,lí ba,fence (esp. of bamboo or wood railings) -箩,luó,basket -箩筐,luó kuāng,large wicker basket -吁,yù,to implore -吁请,yù qǐng,to implore; to entreat -米,mǐ,surname Mi -米,mǐ,rice; CL:粒[li4]; meter (classifier) -米仓,mǐ cāng,rice granary -米兔,mǐ tù,(Internet slang) (loanword) #MeToo (movement against sexual harassment and assault) -米其林,mǐ qí lín,Michelin (tire company) -米凯拉,mǐ kǎi lā,Michaela (name) -米利班德,mǐ lì bān dé,"Milliband (name); Ed Milliband, UK labor politician, opposition leader from 2010" -米制,mǐ zhì,metric system -米国,mǐ guó,United States; name of a country that formerly existed near Samarkand -米夫,mǐ fū,"Pavel Aleksandrovich Mif (1901-1938), Ukrainian Soviet expert on Chinese affairs, secretly executed in Stalin's purges" -米奇,mǐ qí,Mickey or Mitch (name) -米奇老鼠,mǐ qí lǎo shǔ,Mickey Mouse -米姆,mǐ mǔ,meme (loanword) -米字旗,mǐ zì qí,Union Jack (flag of the United Kingdom) -米已成炊,mǐ yǐ chéng chuī,lit. the rice has already been cooked (idiom); fig. what is done cannot be undone -米底亚,mǐ dǐ yà,Media (ancient Middle east region) -米德尔伯里,mǐ dé ěr bó lǐ,Middlebury (College) -米拉,mǐ lā,"Mira (red giant star, Omicron Ceti)" -米易,mǐ yì,"Miyi county in Panzhihua 攀枝花[Pan1 zhi1 hua1], south Sichuan" -米易县,mǐ yì xiàn,"Miyi county in Panzhihua 攀枝花[Pan1 zhi1 hua1], south Sichuan" -米林,mǐ lín,"Mainling county, Tibetan: Sman gling rdzong, in Nyingchi prefecture 林芝地區|林芝地区[Lin2 zhi1 di4 qu1], Tibet" -米林县,mǐ lín xiàn,"Mainling county, Tibetan: Sman gling rdzong, in Nyingchi prefecture 林芝地區|林芝地区[Lin2 zhi1 di4 qu1], Tibet" -米果,mǐ guǒ,rice cracker -米格,mǐ gé,MiG; Russian Aircraft Corporation; Mikoyan -米歇尔,mǐ xiē ěr,"Michel or Mitchell (name); George Mitchell (1933-), US Democratic party politician and diplomat, influential in brokering Northern Ireland peace deal in 1990s, US Middle East special envoy from 2009" -米欧,mǐ ōu,mu (Greek letter Μμ) -米泉,mǐ quán,"Miquan, county-level city in Changji Hui autonomous prefecture 昌吉回族自治州[Chang1 ji2 Hui2 zu2 zi4 zhi4 zhou1], Xinjiang" -米泉市,mǐ quán shì,"Miquan, county-level city in Changji Hui autonomous prefecture 昌吉回族自治州[Chang1 ji2 Hui2 zu2 zi4 zhi4 zhou1], Xinjiang" -米浆,mǐ jiāng,rice milk -米尔斯,mǐ ěr sī,Mills (name) -米尔顿,mǐ ěr dùn,"Milton (name); John Milton (1608-1674), English republican writer and poet, author of Paradise Lost" -米白色,mǐ bái sè,off-white; creamy white -米突,mǐ tū,meter (unit of length) (loanword) (old) -米粉,mǐ fěn,rice flour; rice-flour noodles; (Internet slang) Xiaomi fan -米粉肉,mǐ fěn ròu,rice flour meat -米粒,mǐ lì,grain of rice; granule -米粒组织,mǐ lì zǔ zhī,granulation -米粥,mǐ zhōu,congee -米精,mǐ jīng,rice cereal for infants (Tw) -米糠,mǐ kāng,bran -米纳尔迪,mǐ nà ěr dí,"Minardi, Formula 1 racing team" -米线,mǐ xiàn,rice-flour noodles -米罗,mǐ luó,"Joan Miró (1893-1983), Spanish surrealist painter" -米老鼠,mǐ lǎo shǔ,Mickey Mouse -米脂,mǐ zhī,"Mizhi County in Yulin 榆林[Yu2 lin2], Shaanxi" -米脂县,mǐ zhī xiàn,"Mizhi County in Yulin 榆林[Yu2 lin2], Shaanxi" -米芾,mǐ fú,"Mi Fu (1051-1107), Song poet and calligrapher" -米兰,mǐ lán,Milano; Milan (Italy) -米虫,mǐ chóng,rice weevil; (fig.) sponger; parasite -米袋子,mǐ dài zi,(fig.) supply of grain to the public -米该亚,mǐ gāi yà,Micah -米诺安,mǐ nuò ān,Minoan (civilization on Crete) -米开朗基罗,mǐ kāi lǎng jī luó,"Michelangelo Buonarroti (1475-1564), Renaissance painter and sculptor" -米开兰基罗,mǐ kāi lán jī luó,Michelangelo (Tw) -米饭,mǐ fàn,(cooked) rice -米高,mǐ gāo,Michael (name) -米高扬,mǐ gāo yáng,"Mikoyan (name); Anastas Ivanonovich Mikoyan (1895-1978), Soviet politician, politburo member in the 1950s and 1960s; Artem Ivanovich Mikoyan (1905-1970), brother of the politician and one designer of MiG military aircraft" -米高梅,mǐ gāo méi,Metro-Goldwyn-Mayer (American media company) -米麴菌,mǐ qū jūn,Aspergillus oryzae (type of mold) -米面,mǐ miàn,rice and noodles; rice flour; rice-flour noodles -米黄,mǐ huáng,beige -籼,xiān,long-grained rice; same as 秈 -籼稻,xiān dào,"long-grained rice (Indian rice, as opposed to round-grained rice)" -籼米,xiān mǐ,"long-grained rice (Indian rice, as opposed to round-grained rice 粳米[jing1 mi3])" -籽,zǐ,seeds -籽实,zǐ shí,seed; grain; kernel; bean -秕,bǐ,variant of 秕[bi3] -糠,kāng,old variant of 糠[kang1] -粉,fěn,powder; cosmetic face powder; food prepared from starch; noodles or pasta made from any kind of flour; to turn to powder; (dialect) to whitewash; white; pink; (suffix) fan (abbr. for 粉絲|粉丝[fen3 si1]); to be a fan of -粉刷,fěn shuā,to paint; to whitewash; emulsion; plaster -粉刺,fěn cì,pimple; comedo; blackhead; acne -粉圆,fěn yuán,tapioca ball -粉土,fěn tǔ,silt; silty soil -粉尘,fěn chén,dust; airborne powder; solid particulate matter -粉墨登场,fěn mò dēng chǎng,to make up and go on stage (idiom); to embark on a career (esp. in politics or crime) -粉底,fěn dǐ,foundation (cosmetics) -粉拳,fěn quán,"soft, ineffectual fist (usu. of a woman)" -粉扑,fěn pū,powder puff (cosmetics) -粉末,fěn mò,fine powder; dust -粉板,fěn bǎn,blackboard; painted board on which to make temporary notes with brush pen -粉条,fěn tiáo,vermicelli made from mung bean starch etc -粉墙,fěn qiáng,whitewashed wall; to whitewash a wall -粉盒,fěn hé,(cosmetics) powder box; compact -粉砂,fěn shā,silt -粉砂岩,fěn shā yán,siltstone -粉砂石,fěn shā shí,siltstone -粉碎,fěn suì,to crush; to smash; to shatter -粉碎机,fěn suì jī,pulverizer; grinder -粉笔,fěn bǐ,"chalk; CL:支[zhi1],段[duan4]" -粉红,fěn hóng,pink -粉红山椒鸟,fěn hóng shān jiāo niǎo,(bird species of China) rosy minivet (Pericrocotus roseus) -粉红椋鸟,fěn hóng liáng niǎo,(bird species of China) rosy starling (Pastor roseus) -粉红燕鸥,fěn hóng yàn ōu,(bird species of China) roseate tern (Sterna dougallii) -粉红胸鹨,fěn hóng xiōng liù,(bird species of China) rosy pipit (Anthus roseatus) -粉红腹岭雀,fěn hóng fù lǐng què,(bird species of China) Asian rosy finch (Leucosticte arctoa) -粉红色,fěn hóng sè,pink -粉丝,fěn sī,bean vermicelli; mung bean starch noodles; Chinese vermicelli; cellophane noodles; CL:把[ba3]; fan (loanword); enthusiast for sb or sth -粉色,fěn sè,pink; white; erotic; beautiful woman; powdered (with make-up) -粉艳,fěn yàn,"(of a woman, a flower etc) delicate colors" -粉芡,fěn qiàn,cooking starch; pasty mixture of starch and water -粉蝶,fěn dié,pierid (butterfly of the Pieridae family) -粉身碎骨,fěn shēn suì gǔ,lit. torn body and crushed bones (idiom); fig. to die horribly; to sacrifice one's life -粉车,fěn chē,(Mary Kay Cosmetics) pink car -粉转黑,fěn zhuǎn hēi,(Internet slang) to go from being an admirer to being a detractor -粉领,fěn lǐng,pink collar; woman working in the service industry -粉头,fěn tóu,prostitute (old); crafty character (in opera) -粉饰,fěn shì,to paint; to whitewash; to decorate; plaster; fig. to gloss over; to cover up -粉饰太平,fěn shì tài píng,to pretend that everything is going well -粉饼,fěn bǐng,pressed cosmetic powder (formed into a cake); compact powder -粉黛,fěn dài,face powder and eyebrow liner; cosmetics; (fig.) beautiful woman -粑,bā,a round flat cake (dialect) -粒,lì,"grain; granule; classifier for small round things (peas, bullets, peanuts, pills, grains etc)" -粒子,lì zǐ,(elementary) particle; grain -粒子,lì zi,grain (of rice); granule -粒子加速器,lì zǐ jiā sù qì,particle accelerator -粒子束,lì zǐ shù,beam of elementary particles -粒子流,lì zǐ liú,stream of particles; particle flow -粒子物理,lì zǐ wù lǐ,particle physics -粒子物理学,lì zǐ wù lǐ xué,particle physics -粒径,lì jìng,grain size -粒白细胞,lì bái xì bāo,white granulocyte (blood cell) -粒细胞,lì xì bāo,granulocyte -粕,pò,grains in distilled liquor -粗,cū,(of sth long) wide; thick; (of sth granular) coarse; (of a voice) gruff; (of sb's manner etc) rough; crude; careless; rude -粗估,cū gū,rough estimate -粗俗,cū sú,vulgar -粗分,cū fēn,"broad classification; (when followed by 為|为[wei2]) to roughly divide (into category A, category B, ...)" -粗剪,cū jiǎn,(cinema) rough cut -粗劣,cū liè,coarse -粗劣作品,cū liè zuò pǐn,kitsch; vulgar art; art in bad taste -粗厉,cū lì,abrasive; husky (voice) -粗口,cū kǒu,swear words; obscene language; foul language -粗哑,cū yǎ,husky; hoarse; raucous -粗壮,cū zhuàng,thick and solid -粗大,cū dà,thick; bulky; loud -粗心,cū xīn,careless; thoughtless -粗心大意,cū xīn dà yì,negligent; careless; inadvertent -粗放,cū fàng,extensive; expansive; large-scale -粗暴,cū bào,crude; crass; rude; rough; harsh -粗枝大叶,cū zhī dà yè,thick stems and broad leaves (idiom); boorish; rough and ready; sloppy -粗榧,cū fěi,Chinese plum-yew; Cephalotaxus sinensis (botany) -粗活,cū huó,unskilled labor; heavy manual work -粗浅,cū qiǎn,shallow; superficial -粗犷,cū guǎng,rough; rude; boorish; straightforward; uninhibited -粗率,cū shuài,rough; coarse; crude; without due care; ill-considered -粗略,cū lüè,rough (not precise or accurate); cursory -粗疏,cū shū,coarse; rough; careless -粗砂,cū shā,grit -粗笨,cū bèn,awkward; clumsy; unwieldy; heavy-handed -粗管面,cū guǎn miàn,rigatoni -粗糙,cū cāo,crude; gruff; rough; coarse -粗粮,cū liáng,"coarse grains (maize, sorghum etc)" -粗粝,cū lì,coarse rice; coarse (of food) -粗细,cū xì,thick and thin; coarse and fine; thickness (caliber); coarseness; quality of work -粗茶淡饭,cū chá dàn fàn,plain tea and simple food; (fig.) bread and water -粗莽,cū mǎng,brusque; rough; boorish; crude -粗制滥造,cū zhì làn zào,to churn out large quantities without regard for quality (idiom); rough and slipshod work -粗话,cū huà,vulgar language; coarse language -粗语,cū yǔ,rude words; dirty talk -粗豪,cū háo,straightforward; forthright -粗鄙,cū bǐ,vulgar; coarse; uncouth -粗野,cū yě,insolent; boorish; rough (in actions) -粗陋,cū lòu,crude; coarse; unsophisticated; shallow -粗饭,cū fàn,an unappealing and unsatisfying meal -粗体,cū tǐ,bold (typeface) -粗体字,cū tǐ zì,bold letter -粗鲁,cū lǔ,coarse; crude (in one's manner); boorish -粗鲁不文,cū lǔ bù wén,crude and ill-educated (idiom) -粗卤,cū lǔ,variant of 粗魯|粗鲁[cu1 lu3] -粗盐,cū yán,coarse salt; rock salt -粘,nián,variant of 黏[nian2] -粘,zhān,to glue; to paste; to adhere; to stick to -粘乎乎,nián hū hū,sticky; slimy -粘扣,zhān kòu,velcro -粘扣带,zhān kòu dài,velcro; Taiwan pr. [nian2kou4dai4] -粘接,zhān jiē,to bond; to splice -粘皮带骨,nián pí dài gǔ,(old) (idiom) muddled; indecisive; plodding -粘皮著骨,nián pí zhuó gǔ,see 粘皮帶骨|粘皮带骨[nian2 pi2 dai4 gu3] -粘稠,nián chóu,viscous; thick and sticky -粘糯,nián nuò,sticky; glutinous (mouthfeel) -粘缠,nián chán,to stick closely to; cloying -粘聚,nián jù,to cohere; to group together as a unit; to agglomerate -粘船鱼,zhān chuán yú,shark sucker (Echeneis naucrates) -粘虫,nián chóng,"army worm (e.g. Mythimna separata or Leucania separata etc, major cereal pests)" -粘贴,zhān tiē,"to stick; to affix; to adhere; to paste (as in ""copy and paste""); Taiwan pr. [nian2 tie1]; also written 黏貼|黏贴[nian2 tie1]" -粘连,nián lián,to adhere; to stick together -粘连,zhān lián,adhesion; to adhere; to cohere; to stick -粞,xī,ground rice; thresh rice -粟,sù,surname Su -粟,sù,millet; (metonym) grain -粟子,sù zi,(dialect) millet -粟米,sù mǐ,corn; maize (dialect) -粟裕,sù yù,"Su Yu (1907-1984), PLA commander" -粢,zī,common millet -粥,yù,used in 葷粥|荤粥[Xun1yu4] -粥,zhōu,congee; gruel; porridge; CL:碗[wan3] -粥少僧多,zhōu shǎo sēng duō,see 僧多粥少[seng1 duo1 zhou1 shao3] -粥厂,zhōu chǎng,food relief center; soup kitchen -粥棚,zhōu péng,food relief center; soup kitchen -粥样硬化,zhōu yàng yìng huà,atherosclerosis; hardening of the arteries -磷,lín,variant of 磷[lin2] -妆,zhuāng,variant of 妝|妆[zhuang1] -粱,liáng,sorghum -粲,càn,beautiful; bright; splendid; smilingly -粲夸克,càn kuā kè,charm quark (particle physics) -粲然,càn rán,clear and bright; with a big smile -粳,jīng,round-grained nonglutinous rice (Japonica rice); Taiwan pr. [geng1] -粳稻,jīng dào,round-grained nonglutinous rice (Japonica rice) -粳米,jīng mǐ,polished round-grained nonglutinous rice (Japonica rice) -粤,yuè,Cantonese; short name for Guangdong 廣東|广东[Guang3 dong1] -粤剧,yuè jù,Cantonese opera -粤拼,yuè pīn,"Jyutping, one of the many Cantonese romanization systems; abbr. of 粵語拼音|粤语拼音[Yue4 yu3 Pin1 yin1]" -粤海,yuè hǎi,Guangdong-Hainan -粤港澳大湾区,yuè gǎng ào dà wān qū,"Guangdong-Hong Kong-Macao Greater Bay Area, established in 2017, consisting of Hong Kong, Macao and nine cities in Guangdong" -粤汉铁路,yuè hàn tiě lù,"Canton-Hankou Railway, linking Guangzhou and Wuchang, incorporated since 1957 into the Jing-Guang Railway 京廣鐵路|京广铁路[Jing1 Guang3 Tie3 lu4]" -粤绣,yuè xiù,"Guangdong embroidery, one of the four major traditional styles of Chinese embroidery (the other three being 蘇繡|苏绣[Su1 xiu4], 湘繡|湘绣[Xiang1 xiu4] and 蜀繡|蜀绣[Shu3 xiu4])" -粤菜,yuè cài,Cantonese cuisine -粤语,yuè yǔ,Cantonese language -粤语拼音,yuè yǔ pīn yīn,"Cantonese romanization; Jyutping, one of the many Cantonese romanization systems" -粹,cuì,pure; unmixed; essence -稗,bài,polished rice; old variant of 稗[bai4] -粼,lín,clear (as of water) -粼粼,lín lín,clear and crystalline (of water) -粽,zòng,rice dumplings wrapped in leaves -粽子,zòng zi,glutinous rice and choice of filling wrapped in leaves and steamed or boiled -精,jīng,essence; extract; vitality; energy; semen; sperm; mythical goblin spirit; highly perfected; elite; the pick of sth; proficient (refined ability); extremely (fine); selected rice (archaic) -精光,jīng guāng,"nothing left (money, food etc); all finished; bright and shiny; radiant; glorious" -精兵,jīng bīng,elite troops -精分,jīng fēn,schizophrenia (abbr. for 精神分裂) -精利主义,jīng lì zhǔ yì,egoism masked by a veneer of urbanity (neologism c. 2012) (abbr. for 精緻的利己主義|精致的利己主义[jing1 zhi4 de5 li4 ji3 zhu3 yi4]) -精力,jīng lì,energy -精力充沛,jīng lì chōng pèi,vigorous; energetic -精品,jīng pǐn,quality goods; premium product; fine work (of art) -精品店,jīng pǐn diàn,boutique -精囊,jīng náng,spermatophore -精妙,jīng miào,exquisite; fine and delicate (usu. of works of art) -精子,jīng zǐ,sperm cell; spermatozoon -精子密度,jīng zǐ mì dù,"sperm concentration, often called sperm count" -精子库,jīng zǐ kù,sperm bank -精密,jīng mì,accuracy; exact; precise; refined -精密仪器,jīng mì yí qì,precision instruments -精密化,jīng mì huà,refinement; to add precision -精密陶瓷,jīng mì táo cí,"fine ceramics (used for dental implants, synthetic bones, electronics, knife blades etc); advanced ceramics; engineered ceramics" -精巢,jīng cháo,(zoology) spermary; (in higher animals) testicle -精工,jīng gōng,"Seiko, Japanese watch and electronics company" -精工,jīng gōng,refined; delicate; exquisite (craftsmanship) -精巧,jīng qiǎo,elaborate -精干,jīng gàn,crack (troops); special (forces); highly capable -精干高效,jīng gàn gāo xiào,top-notch efficiency -精度,jīng dù,precision -精彩,jīng cǎi,wonderful; marvelous; brilliant -精微,jīng wēi,subtle; profound -精心,jīng xīn,with utmost care; fine; meticulous; detailed -精怪,jīng guài,"supernatural being (such as a demon, monster, ghost, spirit, gremlin etc)" -精打光,jīng dǎ guāng,with absolutely nothing; completely broke -精打细算,jīng dǎ xì suàn,meticulous planning and careful accounting (idiom) -精挑细选,jīng tiāo xì xuǎn,to select very carefully -精于,jīng yú,skillful in; proficient in; adept at -精于此道,jīng yú cǐ dào,to be proficient in the area of; skilled in this field -精日,jīng rì,abbr. for 精神日本人[jing1 shen2 Ri4 ben3 ren2] -精明,jīng míng,astute; shrewd; smart -精明强干,jīng míng qiáng gàn,intelligent and capable (idiom) -精明能干,jīng míng néng gàn,able and efficient -精校,jīng jiào,to proofread meticulously (abbr. for 精確校對|精确校对[jing1 que4 jiao4 dui4]) -精气神,jīng qì shén,"the three energies of Chinese medicine: 精[jing1], 氣|气[qi4], and 神[shen2]" -精氨酸,jīng ān suān,"argnine (Arg), an essential amino acid" -精河,jīng hé,"Jing Nahiyisi or Jinghe county in Börtala Mongol autonomous prefecture 博爾塔拉蒙古自治州|博尔塔拉蒙古自治州, Xinjiang" -精河县,jīng hé xiàn,"Jing Nahiyisi or Jinghe county in Börtala Mongol autonomous prefecture 博爾塔拉蒙古自治州|博尔塔拉蒙古自治州, Xinjiang" -精油,jīng yóu,essential oil -精液,jīng yè,semen -精深,jīng shēn,refined; profound -精减,jīng jiǎn,to reduce; to pare down; to streamline -精湛,jīng zhàn,consummate; exquisite -精准,jīng zhǔn,accurate; exact; precise; precision -精炼,jīng liàn,"to refine (a substance); to purify; to refine (one's skills, writing etc); refined; polished; succinct; skilled; capable" -精炼厂,jīng liàn chǎng,refinery (of oil etc) -精当,jīng dàng,precise and appropriate -精疲力尽,jīng pí lì jìn,"spirit weary, strength exhausted (idiom); spent; drained; washed out" -精疲力竭,jīng pí lì jié,"spirit weary, strength exhausted (idiom); spent; drained; washed out" -精瘦,jīng shòu,"(coll.) lean (figure, meat etc); slender" -精白,jīng bái,pure white; spotlessly white -精益求精,jīng yì qiú jīng,(idiom) to constantly seek to improve; to keep perfecting -精尽人亡,jīng jìn rén wáng,to die from excessive ejaculation -精研,jīng yán,to research carefully; to study intensively -精确,jīng què,accurate; precise -精确度,jīng què dù,accuracy; precision -精矿,jīng kuàng,refined ore; concentrate -精神,jīng shén,spirit; mind; consciousness; thought; mental; psychological; essence; gist; CL:個|个[ge4] -精神,jīng shen,vigor; vitality; spirited; good-looking -精神健康,jīng shén jiàn kāng,mental health -精神分析,jīng shén fēn xī,psychoanalysis -精神分裂症,jīng shén fēn liè zhèng,schizophrenia -精神奕奕,jīng shén yì yì,in great spirits; to have great vitality -精神学,jīng shén xué,psychology -精神学家,jīng shén xué jiā,psychologist -精神官能症,jīng shén guān néng zhèng,neurosis -精神崩溃,jīng shén bēng kuì,nervous breakdown -精神性,jīng shén xìng,spirituality; mental; nervous; psychogenic -精神性厌食症,jīng shén xìng yàn shí zhèng,anorexia nervosa -精神恍惚,jīng shén huǎng hū,absent-minded; in a trance -精神抖擞,jīng shén dǒu sǒu,spirit trembling with excitement (idiom); in high spirits; lively and full of enthusiasm; full of energy; con brio -精神支柱,jīng shén zhī zhù,moral pillars; spiritual props -精神文明,jīng shén wén míng,spiritual culture -精神日本人,jīng shén rì běn rén,(neologism) (derog.) Japanophile (esp. a Chinese admirer of WWII-era Japan) -精神满腹,jīng shén mǎn fù,full of wisdom (idiom); astute and widely experienced -精神焕发,jīng shén huàn fā,in high spirits (idiom); glowing with health and vigor -精神状态,jīng shén zhuàng tài,mental state; psychological condition -精神狂乱,jīng shén kuáng luàn,delirium; mental illness -精神生活,jīng shén shēng huó,spiritual or moral life -精神疾病,jīng shén jí bìng,mental illness -精神病,jīng shén bìng,mental disorder; psychosis -精神病学,jīng shén bìng xué,psychiatry -精神病患,jīng shén bìng huàn,mental illness -精神病医院,jīng shén bìng yī yuàn,psychiatric hospital -精神病院,jīng shén bìng yuàn,mental hospital; psychiatric hospital -精神疗法,jīng shén liáo fǎ,psychotherapy; mental health treatment -精神百倍,jīng shén bǎi bèi,lit. vitality a hundredfold (idiom); refreshed; one's vigor thoroughly restored -精神科,jīng shén kē,psychiatry -精神科医生,jīng shén kē yī shēng,psychiatrist -精神药物,jīng shén yào wù,psychotropic drugs -精神衰弱,jīng shén shuāi ruò,psychasthenia; obsessive-compulsive disorder -精神训话,jīng shén xùn huà,pep talk -精神财富,jīng shén cái fù,spiritual wealth -精神错乱,jīng shén cuò luàn,insanity -精神领袖,jīng shén lǐng xiù,spiritual leader (of a nation or church); religious leader -精神饱满,jīng shén bǎo mǎn,full of vigor (idiom); lively; in high spirits -精算,jīng suàn,actuarial -精算师,jīng suàn shī,actuary -精简,jīng jiǎn,to simplify; to reduce -精简开支,jīng jiǎn kāi zhī,to reduce spending; to cut spending -精米,jīng mǐ,refined rice -精粹,jīng cuì,succinct; pure and concise -精粮,jīng liáng,"refined grain (rice, wheat etc)" -精纯,jīng chún,pure; unadulterated; exquisite -精索,jīng suǒ,spermatic cord (anatomy) -精索静脉曲张,jīng suǒ jìng mài qū zhāng,varicocele (medicine) -精细,jīng xì,fine; meticulous; careful -精练,jīng liàn,(textiles) to scour; to degum (silk); variant of 精煉|精炼[jing1 lian4] -精致,jīng zhì,delicate; fine; exquisite; refined -精致露营,jīng zhì lù yíng,glamping (neologism c. 2019) -精美,jīng měi,exquisite; elegant; fine -精义,jīng yì,quintessence; essentials -精耕细作,jīng gēng xì zuò,intensive farming -精肉,jīng ròu,(dialect) lean meat -精良,jīng liáng,excellent; of superior quality -精英,jīng yīng,cream; elite; essence; quintessence -精华,jīng huá,best feature; most important part of an object; quintessence; essence; soul -精虫,jīng chóng,spermatozoon; spermatozoa -精虫冲脑,jīng chóng chōng nǎo,lit. the spermatozoons have gone to his head; fig. overwhelmed by lust -精卫,jīng wèi,"mythological bird, reincarnation of drowned daughter Nüwa 女娃[Nu:3 wa2] of Fiery Emperor 炎帝[Yan2 di4]" -精卫填海,jīng wèi tián hǎi,lit. mythical bird Jingwei tries to fill the ocean with stones (idiom); futile ambition; task of Sisyphus; determination in the face of impossible odds -精装,jīng zhuāng,hardcover (book); elaborately packaged; opposite: 簡裝|简装[jian3 zhuang1] -精制,jīng zhì,refined -精诚,jīng chéng,sincerity; absolute good faith -精诚所至,jīng chéng suǒ zhì,no difficulty is insurmountable if one is sincere (idiom) -精讲多练,jīng jiǎng duō liàn,to speak concisely and practice frequently (idiom) -精读,jīng dú,to read carefully and thoroughly; intensive reading -精读课,jīng dú kè,intensive reading course -精通,jīng tōng,to be proficient in; to master (a subject) -精进,jīng jìn,to forge ahead vigorously; to dedicate oneself to progress -精选,jīng xuǎn,carefully chosen; handpicked; best of the bunch; choice (product); concentration (mining); to concentrate; to winnow -精酿啤酒,jīng niàng pí jiǔ,craft beer -精锐,jīng ruì,elite (e.g. troops); crack; best quality personnel -精辟,jīng pì,clear and penetrating (e.g. analysis); incisive; insightful -精障,jīng zhàng,mental disorder (abbr. for 精神障礙|精神障碍[jing1 shen2 zhang4 ai4]) (Tw) -精雕细刻,jīng diāo xì kè,lit. fine sculpting (idiom); fig. to work (at sth) with extreme care and precision -精雕细琢,jīng diāo xì zhuó,see 精雕細刻|精雕细刻[jing1diao1-xi4ke4] -精灵,jīng líng,spirit; fairy; elf; sprite; genie -精灵宝钻,jīng líng bǎo zuàn,treasure of spirits; Silmarillion or Quenta Silmarillion by J.R.R. Tolkien 托爾金|托尔金 -精灵文,jīng líng wén,Elvish (language of elves) -精髓,jīng suǐ,marrow; pith; quintessence; essence -精魂,jīng hún,spirit; soul -糅,róu,mix -糅合,róu hé,mix together; put together (usu. things that do not blend well together) -糈,xǔ,official pay; sacrificial rice -粽,zòng,variant of 粽[zong4] -糊,hú,muddled; paste; scorched -糊,hù,paste; cream -糊剂,hú jì,paste; glue -糊口,hú kǒu,to scrape a meager living; to get by with difficulty -糊名,hú míng,(old) to seal an examinee's name on the examination paper to prevent fraud -糊嘴,hú zuǐ,to scrape a meager living; to get by with difficulty -糊涂,hú tu,muddled; silly; confused -糊涂虫,hú tu chóng,blunderer; bungler -糊涂账,hú tu zhàng,muddled accounts; a mess of bookkeeping -糊弄,hù nong,to fool; to deceive; to go through the motions -糊墙,hú qiáng,to paper a wall -糊墙纸,hú qiáng zhǐ,wallpaper -糊精,hú jīng,dextrin -糊糊,hú hu,viscous; gooey; sticky; indistinct; thick congee; porridge -糊糊涂涂,hú hu tú tu,confused; muddled; stupid; dumb -糊里糊涂,hú li hú tú,confused; vague; indistinct; muddle-headed; mixed up; in a daze -糊里糊涂,hú li hú tú,variant of 糊裡糊塗|糊里糊涂[hu2 li5 hu2 tu2] -糌,zān,"zanba, Tibetan barley bread" -糌粑,zān bā,"tsamba, Tibetan barley bread" -糍,cí,sticky rice cake -糍粑,cí bā,sticky rice cake -糕,gāo,cake -糕饼,gāo bǐng,cakes; pastries -糕点,gāo diǎn,cakes; pastries -糖,táng,"sugar; sweets; candy; CL:顆|颗[ke1],塊|块[kuai4]" -糖分,táng fèn,sugar content -糖原,táng yuán,glycogen -糖友,táng yǒu,diabetes sufferer -糖寮,táng liáo,sugar mill -糖尿病,táng niào bìng,diabetes; diabetes mellitus -糖弹,táng dàn,"sugar-coated bullets, term used by Mao (originally in 1949) to refer to corrupting bourgeois influences (abbr. for 糖衣炮彈|糖衣炮弹[tang2 yi1 pao4 dan4])" -糖房,táng fáng,sugar mill -糖果,táng guǒ,candy; CL:粒[li4] -糖水,táng shuǐ,syrup; sweetened water; tong sui (sweet soup) -糖汁,táng zhī,syrup -糖油粑粑,táng yóu bā bā,"sweet snack made from glutinous rice, sugar and honey, common in Changsha 長沙|长沙[Chang2 sha1], Hunan" -糖浆,táng jiāng,syrup -糖瓜,táng guā,"malt sugar candy, a traditional offering to the kitchen god Zaoshen 灶神" -糖皮质激素,táng pí zhì jī sù,glucocorticosteroid (corticosteroid hormone secreted by the adrenal cortex) -糖稀,táng xī,maltose syrup -糖粉,táng fěn,icing sugar; confectioner's sugar; powdered sugar -糖精,táng jīng,saccharin -糖脂,táng zhī,glycolipid -糖苷,táng gān,glucoside -糖萼,táng è,glycocalyx -糖葫芦,táng hú lu,sugar-coated Chinese hawthorn or other fruit on a bamboo skewer; tanghulu -糖蛋白,táng dàn bái,glycoprotein -糖蜜,táng mì,molasses; syrup -糖衣,táng yī,frosting or icing (on cakes etc); sugarcoating -糖衣炮弹,táng yī pào dàn,"sugar-coated bullets, term used by Mao (originally in 1949) to refer to corrupting bourgeois influences" -糖酯,táng zhǐ,glycolipid -糖酵解,táng jiào jiě,glycolysis (anaerobic metabolism of glucose) -糖醇,táng chún,sugar alcohol -糖醋,táng cù,sweet and sour -糖醋肉,táng cù ròu,sweet and sour pork -糖醋里脊,táng cù lǐ jǐ,sweet and sour pork -糖醋鱼,táng cù yú,sweet and sour fish -糖类,táng lèi,sugar (chemistry) -糖饴,táng yí,malt sugar; maltose -糖高粱,táng gāo liáng,sweet sorghum -糗,qiǔ,surname Qiu -糗,qiǔ,dry rations (for a journey); (dialect) (of noodles etc) to become mush (from overcooking); (coll.) embarrassing; embarrassment -糗事,qiǔ shì,awkward incident -糗粮,qiǔ liáng,dry rations -糙,cāo,rough; coarse (in texture) -糙皮病,cāo pí bìng,pellagra (medicine) -糙米,cāo mǐ,brown rice -糙面内质网,cāo miàn nèi zhì wǎng,rough endoplasmic reticulum -糜,mí,surname Mi -糜,méi,millet -糜,mí,rice gruel; rotten; to waste (money) -糜烂,mí làn,dissipated; rotten; decaying -糜烂性毒剂,mí làn xìng dú jì,vesicant -糜费,mí fèi,variant of 靡費|靡费[mi2 fei4] -糁,sǎn,to mix (of powders) -粪,fèn,manure; dung -粪便,fèn biàn,excrement; feces; night soil -粪凼,fèn dàng,cesspool; cesspit -粪化石,fèn huà shí,coprolite -粪土,fèn tǔ,dirty soil; dung and dirt; (fig.) worthless thing -粪坑,fèn kēng,latrine pit; cesspit -粪尿,fèn niào,feces and urine; excreta; human or animal waste -粪石,fèn shí,coprolite -粪耙,fèn pá,manure rake -粪肥,fèn féi,manure; dung -粪草,fèn cǎo,trash; garbage -粪蛆,fèn qū,muckworm -粪道,fèn dào,coprodeum (in birds) -粪金龟,fèn jīn guī,dung beetle -粪金龟子,fèn jīn guī zǐ,dung beetle -粪除,fèn chú,(literary) to clean up -粪青,fèn qīng,"""shit youth"", sarcastic homonym for 憤青|愤青[fen4 qing1]" -糟,zāo,dregs; draff; pickled in wine; rotten; messy; ruined -糟了,zāo le,gosh!; oh no!; darn! -糟心,zāo xīn,vexed; annoyed; upset -糟溜黄鱼,zāo liū huáng yú,stir-fried yellow fish filet -糟溜黄鱼片,zāo liū huáng yú piàn,stir-fried yellow fish filet -糟粕,zāo pò,dross; dregs; rubbish; fig. useless residue -糟糕,zāo gāo,too bad; how terrible; what bad luck; terrible; bad -糟糠,zāo kāng,"chaff, husks, distillers' dregs etc (food eaten by the poor); (fig.) rubbish; junk; (abbr. for 糟糠妻[zao1 kang1 qi1]) wife who goes through the hardships of poverty with her husband" -糟糠妻,zāo kāng qī,wife who goes through the hardships of poverty with her husband -糟踏,zāo tà,variant of 糟蹋[zao1 ta4] -糟践,zāo jian,to waste; to spoil; to destroy; to insult grievously -糟蹋,zāo tà,to waste; to defile; to abuse; to insult; to defile; to trample on; to wreck; also pr. [zao1 ta5] -糟透,zāo tòu,in a bad state; horrible; dreadful; entirely regrettable -糠,kāng,husk; (of a radish etc) spongy (and therefore unappetising) -糠疹,kāng zhěn,pityriasis (medicine) -糠秕,kāng bǐ,same as 秕糠[bi3 kang1] -糠醛,kāng quán,furfural (chemistry) -糢,mó,blurred -糢糊,mó hu,variant of 模糊[mo2 hu5] -粮,liáng,grain; food; provisions; agricultural tax paid in grain -粮仓,liáng cāng,granary; barn; fig. bread basket (of fertile agricultural land) -粮店,liáng diàn,grain store -粮库,liáng kù,grain depot -粮栈,liáng zhàn,wholesale grain store -粮票,liáng piào,coupons for food or grain used in a PRC economic program c. 1955-1993 -粮秣,liáng mò,provisions (e.g. military); forage; fodder -粮站,liáng zhàn,grain supply station -粮草,liáng cǎo,army provisions; rations and fodder -粮荒,liáng huāng,famine; critical shortage of grain -粮行,liáng háng,grain retailer (in former times) -粮农,liáng nóng,food and agriculture; grain farmer -粮道,liáng dào,route for providing foodstuff -粮食,liáng shi,foodstuff; cereals; CL:種|种[zhong3] -粮食作物,liáng shi zuò wù,grain crops; cereals -粮饷,liáng xiǎng,army provisions -糨,jiàng,"(of soup, paste etc) thick" -糨子,jiàng zi,(coll.) paste -糨糊,jiàng hu,paste; also written 漿糊|浆糊[jiang4 hu5]; Taiwan pr. [jiang4 hu2] -糬,shǔ,used in 麻糬[ma2 shu3] -糯,nuò,glutinous rice; sticky rice -糯稻,nuò dào,glutinous rice; sticky rice -糯米,nuò mǐ,glutinous rice (Oryza sativa var. glutinosa) -糯米粉,nuò mǐ fěn,glutinous rice flour -糯米糍,nuò mǐ cí,rice cake dumpling; sticky rice cake; mochi cake -糯米糕,nuò mǐ gāo,glutinous rice cake; CL:塊|块[kuai4] -糯米纸,nuò mǐ zhǐ,"rice paper; membrane of glutinous rice, used to wrap sweets etc" -糯麦,nuò mài,glutinous barley -团,tuán,dumpling -团子,tuán zi,dango (Japanese dumpling) -粝,lì,coarse rice -籴,dí,to buy up (grain) -粜,tiào,to sell grain -糸,mì,fine silk; Kangxi radical 120 -纟,sī,"""silk"" radical in Chinese characters (Kangxi radical 120), occurring in 紅|红[hong2], 綠|绿[lu:4], 累[lei4] etc; also pr. [mi4]" -纠,jiū,old variant of 糾|纠[jiu1] -系,xì,system; department; faculty -系主任,xì zhǔ rèn,"chairman of department; dean; CL:位[wei4],個|个[ge4]" -系出名门,xì chū míng mén,to come from a distinguished family -系列,xì liè,series; set -系列放大器,xì liè fàng dà qì,series amplifier -系列片,xì liè piàn,film series -系统,xì tǒng,system; CL:個|个[ge4] -系统性,xì tǒng xìng,systematic -系统角色,xì tǒng jué sè,non-playable character (in a role-playing game) -系综,xì zōng,(physics) ensemble -纠,jiū,to gather together; to investigate; to entangle; to correct -纠偏,jiū piān,to correct an error -纠合,jiū hé,gathering; a get-together -纠察,jiū chá,to maintain order; steward (policing a meeting) -纠弹,jiū tán,to censure; to denounce; to impeach -纠正,jiū zhèng,to correct; to make right -纠众,jiū zhòng,to muster; to gather a crowd -纠纷,jiū fēn,dispute -纠结,jiū jié,to intertwine; to band together (with); to link up (with); twisted; tangled; confused; to be at a loss -纠缠,jiū chán,to be in a tangle; to nag -纠缠不清,jiū chán bù qīng,hopelessly muddled; impossible to unravel -纠葛,jiū gé,entanglement; dispute -纠错,jiū cuò,to correct an error -纠集,jiū jí,to gather together; to muster -纪,jǐ,surname Ji; also pr. [Ji4] -纪,jì,order; discipline; age; era; period; to chronicle -纪伯伦,jì bó lún,"Khalil Gibran (1883-1931), Lebanese poet, writer and artist" -纪传体,jì zhuàn tǐ,"history genre based on biography, such as Sima Qian's Record of the Historian" -纪元,jì yuán,calendar era; epoch -纪元前,jì yuán qián,before the common era (BC) -纪委,jì wěi,discipline inspection commission -纪实,jì shí,record of actual events; documentary (factual rather than fictional) -纪年,jì nián,to number the years; calendar era; annals; chronicle -纪律,jì lǜ,discipline -纪律检查委员会,jì lǜ jiǎn chá wěi yuán huì,Central Commission for Discipline Inspection of the CCP -纪念,jì niàn,to commemorate; to honor the memory of; memento; keepsake; souvenir -纪念品,jì niàn pǐn,souvenir -纪念堂,jì niàn táng,memorial hall; mausoleum -纪念日,jì niàn rì,day of commemoration; memorial day -纪念奖,jì niàn jiǎng,trophy -纪念碑,jì niàn bēi,monument -纪念章,jì niàn zhāng,memorial badge; souvenir badge; CL:枚[mei2] -纪念邮票,jì niàn yóu piào,commemorative postage stamp -纪念馆,jì niàn guǎn,memorial hall; commemorative museum -纪昀,jì yún,"Ji Yun (1724-1805), Qing Dynasty writer, author of supernatural novel Notes on a Minutely Observed Thatched Hut 閱微草堂筆記|阅微草堂笔记" -纪检,jì jiǎn,disciplinary inspection; to inspect another's discipline -纪要,jì yào,minutes; written summary of a meeting -纪录,jì lù,"variant of 記錄|记录[ji4 lu4] (but in Taiwan, not for the verb sense ""to record"")" -纪录片,jì lù piàn,newsreel; documentary (film or TV program); CL:部[bu4] -纣,zhòu,"Zhou, pejorative name given posthumously to the last king of the Shang dynasty, King Zhou of Shang 商紂王|商纣王[Shang1 Zhou4 Wang2] (the name refers to a crupper 紂|纣[zhou4], the piece of horse tack most likely to be soiled by the horse)" -纣,zhòu,crupper (harness strap running over a horse's hindquarters and under its tail) -纣辛,zhòu xīn,"Zhou Xin (c. 11th century BC), last king of the Shang dynasty" -约,yāo,to weigh in a balance or on a scale -约,yuē,to make an appointment; to invite; approximately; pact; treaty; to economize; to restrict; to reduce (a fraction); concise -约伯,yuē bó,Job (name); Book of Job in the Old Testament -约伯记,yuē bó jì,Book of Job (in the Old Testament) -约但,yuē dàn,"variant of 約旦|约旦, Jordan" -约但河,yuē dàn hé,variant of 約旦河|约旦河[Yue1 dan4 He2] -约克,yuē kè,York -约克郡,yuē kè jùn,Yorkshire (English region) -约出,yuē chū,to arrange to go on a date with sb -约分,yuē fēn,reduced fraction (e.g. one half for three sixths); to reduce a fraction by canceling common factors in the numerator and denominator -约制,yuē zhì,to bind; to restrict; to constrain -约合,yuē hé,approximately; about (some numerical value) -约同,yuē tóng,"to invite sb to go along with oneself (to a meeting, on a trip etc)" -约坦,yuē tǎn,Jotham (son of Uzziah) -约塔,yāo tǎ,iota (Greek letter Ιι) -约契,yuē qì,contract; oath of allegiance -约定,yuē dìng,"to agree on sth (after discussion); to conclude a bargain; to arrange; to promise; to stipulate; to make an appointment; stipulated (time, amount, quality etc); an arrangement; a deal; appointment; undertaking; commitment; understanding; engagement; stipulation" -约定俗成,yuē dìng sú chéng,established by popular usage (idiom); common usage agreement; customary convention -约定资讯速率,yuē dìng zī xùn sù lǜ,committed information rate (Frame Relay); CIR -约拿书,yuē ná shū,Book of Jonah -约摸,yuē mo,about; around; approximately; also written 約莫|约莫 -约数,yuē shù,divisor (of a number); approximate number -约旦,yuē dàn,Jordan -约旦河,yuē dàn hé,Jordan River -约书亚,yuē shū yà,Joshua (name) -约书亚记,yuē shū yà jì,Book of Joshua -约会,yuē huì,"appointment; engagement; date; CL:次[ci4],個|个[ge4]; to arrange to meet" -约会对象,yuē huì duì xiàng,partner for dating; a date (boyfriend or girlfriend) -约束,yuē shù,to restrict; to limit to; to constrain; restriction; constraint -约束力,yuē shù lì,(of a contract) binding (law) -约束条件,yuē shù tiáo jiàn,restrictive condition; constraint -约根,yuē gēn,Jurgen (name) -约柜,yuē guì,Ark of the Covenant -约沙法,yuē shā fǎ,"Jehoshaphat, fourth king of Judah (Judaism)" -约法,yuē fǎ,temporary law; provisional constitution -约法三章,yuē fǎ sān zhāng,to agree on three laws (idiom); three-point covenant; (fig.) preliminary agreement; basic rules -约炮,yuē pào,(slang) to hook up for a one night stand; booty call -约珥书,yuē ěr shū,Book of Joel -约瑟,yuē sè,Joseph (name) -约瑟夫,yuē sè fū,Joseph (name) -约略,yuē lüè,approximate; rough -约略估计,yuē lüè gū jì,approximate estimate; to reckon roughly -约当现金,yuē dāng xiàn jīn,cash equivalent (accountancy) -约章,yuē zhāng,charter -约等于,yuē děng yú,approximately equal to -约纳,yuē nà,Jonah -约维克,yāo wéi kè,"Gjøvik (city in Oppland, Norway)" -约翰,yuē hàn,John (name); Johan (name); Johann (name) -约翰一书,yuē hàn yī shū,First epistle of St John -约翰三书,yuē hàn sān shū,Third epistle of St John -约翰二书,yuē hàn èr shū,Second epistle of St John -约翰保罗,yuē hàn bǎo luó,"John Paul (name); Pope John Paul II, Karol Józef Wojtyła (1920-2005), Pope 1978-2005" -约翰内斯堡,yuē hàn nèi sī bǎo,"Johannesburg, South Africa" -约翰壹书,yuē hàn yī shū,First epistle of St John; also written 約翰一書|约翰一书 -约翰斯顿,yuē hàn sī dùn,"Johnston, Johnson, Johnstone etc, name" -约翰福音,yuē hàn fú yīn,Gospel according to St John -约翰贰书,yuē hàn èr shū,Second epistle of St John; also written 約翰二書|约翰二书 -约翰逊,yuē hàn xùn,Johnson or Johnston (name) -约莫,yuē mo,about; around; approximately -约西亚,yuē xī yà,"Josiah or Yoshiyahu (649-609 BC), a king of Judah (Judaism)" -约见,yuē jiàn,to arrange an interview; an appointment (with the foreign ambassador) -约言,yuē yán,promise; one's word; pledge; abbreviation -约计,yuē jì,to calculate to be roughly ... -约请,yuē qǐng,to invite; to issue an invitation -约集,yuē jí,to gather at an appointed place and time -红,hóng,surname Hong -红,hóng,red; popular; revolutionary; bonus -红不让,hóng bù ràng,home run (loanword); a big hit (hugely popular) (Tw) -红五类,hóng wǔ lèi,"the “five red categories” (Cultural Revolution term), i.e. poor and lower-middle peasants, workers, revolutionary soldiers, revolutionary cadres, and revolutionary martyrs" -红交嘴雀,hóng jiāo zuǐ què,(bird species of China) red crossbill (Loxia curvirostra) -红人,hóng rén,a favorite of sb in power; a celebrity; American Indian -红利,hóng lì,bonus; dividend -红利股票,hóng lì gǔ piào,scrip shares (issued as dividend payment) -红加仑,hóng jiā lún,redcurrant -红包,hóng bāo,money wrapped in red as a gift; bonus payment; kickback; bribe -红十字,hóng shí zì,Red Cross -红原,hóng yuán,"Hongyuan County (Tibetan: rka khog rdzong) in Ngawa Tibetan and Qiang Autonomous Prefecture 阿壩藏族羌族自治州|阿坝藏族羌族自治州[A1 ba4 Zang4 zu2 Qiang1 zu2 Zi4 zhi4 zhou1], northwest Sichuan" -红原县,hóng yuán xiàn,"Hongyuan County (Tibetan: rka khog rdzong) in Ngawa Tibetan and Qiang Autonomous Prefecture 阿壩藏族羌族自治州|阿坝藏族羌族自治州[A1 ba4 Zang4 zu2 Qiang1 zu2 Zi4 zhi4 zhou1], northwest Sichuan" -红原鸡,hóng yuán jī,(bird species of China) red junglefowl (Gallus gallus) -红古,hóng gǔ,"Honggu District of Lanzhou City 蘭州市|兰州市[Lan2 zhou1 Shi4], Gansu" -红古区,hóng gǔ qū,"Honggu District of Lanzhou City 蘭州市|兰州市[Lan2 zhou1 Shi4], Gansu" -红名单,hóng míng dān,whitelist -红喉山鹧鸪,hóng hóu shān zhè gū,(bird species of China) rufous-throated partridge (Arborophila rufogularis) -红喉歌鸲,hóng hóu gē qú,(bird species of China) Siberian rubythroat (Calliope calliope) -红喉潜鸟,hóng hóu qián niǎo,(bird species of China) red-throated loon (Gavia stellata) -红喉鹨,hóng hóu liù,(bird species of China) red-throated pipit (Anthus cervinus) -红嘴山鸦,hóng zuǐ shān yā,(bird species of China) red-billed chough (Pyrrhocorax pyrrhocorax) -红嘴巨鸥,hóng zuǐ jù ōu,(bird species of China) Caspian tern (Hydroprogne caspia) -红嘴椋鸟,hóng zuǐ liáng niǎo,(bird species of China) vinous-breasted starling (Acridotheres burmannicus) -红嘴相思鸟,hóng zuǐ xiāng sī niǎo,(bird species of China) red-billed leiothrix (Leiothrix lutea) -红嘴蓝鹊,hóng zuǐ lán què,(bird species of China) red-billed blue magpie (Urocissa erythroryncha) -红嘴钩嘴鹛,hóng zuǐ gōu zuǐ méi,(bird species of China) coral-billed scimitar babbler (Pomatorhinus ferruginosus) -红嘴鸦雀,hóng zuǐ yā què,(bird species of China) great parrotbill (Conostoma oemodium) -红嘴鸥,hóng zuǐ ōu,(bird species of China) black-headed gull (Chroicocephalus ridibundus) -红土,hóng tǔ,red soil; laterite -红地毯,hóng dì tǎn,red carpet -红堡,hóng bǎo,"Red Fort (historic building in Delhi, India)" -红场,hóng chǎng,Red Square (in Moscow) -红塔,hóng tǎ,"Hongta district of Yuxi city 玉溪市[Yu4 xi1 shi4], Yunnan" -红塔区,hóng tǎ qū,"Hongta district of Yuxi city 玉溪市[Yu4 xi1 shi4], Yunnan" -红尘,hóng chén,the world of mortals (Buddhism); human society; worldly affairs -红外,hóng wài,infrared (ray) -红外光谱,hóng wài guāng pǔ,infrared spectrum -红外线,hóng wài xiàn,infrared ray -红外线导引飞弹,hóng wài xiàn dǎo yǐn fēi dàn,infrared guided missile -红妆,hóng zhuāng,splendid gay female clothing -红姑娘,hóng gū niang,Chinese lantern plant; winter cherry; strawberry ground-cherry; Physalis alkekengi -红娘,hóng niáng,matchmaker -红孩症,hóng hái zhèng,kwashiorkor (a form of malnutrition) -红学,hóng xué,"""Redology"", academic field devoted to the study of A Dream of Red Mansions" -红安,hóng ān,"Hong'an county in Huanggang 黃岡|黄冈[Huang2 gang1], Hubei" -红安县,hóng ān xiàn,"Hong'an county in Huanggang 黃岡|黄冈[Huang2 gang1], Hubei" -红客,hóng kè,"""honker"", Chinese hacker motivated by patriotism, using one's skills to protect domestic networks and work in national interest" -红寡妇鸟,hóng guǎ fu niǎo,(ornithology) red bishop (Euplectes orix) -红宝书,hóng bǎo shū,"the ""Little Red Book"" of selected writings of Mao Zedong (refers to 毛主席語錄|毛主席语录[Mao2 Zhu3 xi2 Yu3 lu4])" -红宝石,hóng bǎo shí,ruby -红寺堡,hóng sì bǎo,"Hongsibao district of Wuzhong city 吳忠市|吴忠市[Wu2 zhong1 shi4], Ningxia" -红寺堡区,hóng sì bǎo qū,"Hongsibao district of Wuzhong city 吳忠市|吴忠市[Wu2 zhong1 shi4], Ningxia" -红寺堡镇,hóng sì bǎo zhèn,"Hongsibao district of Wuzhong city 吳忠市|吴忠市[Wu2 zhong1 shi4], Ningxia" -红尾伯劳,hóng wěi bó láo,(bird species of China) brown shrike (Lanius cristatus) -红尾歌鸲,hóng wěi gē qú,(bird species of China) rufous-tailed robin (Larvivora sibilans) -红尾水鸲,hóng wěi shuǐ qú,(bird species of China) plumbeous water redstart (Phoenicurus fuliginosus) -红尾鸫,hóng wěi dōng,(bird species of China) Naumann's thrush (Turdus naumanni) -红山,hóng shān,"Hongshan District of Chifeng City 赤峰市[Chi4 feng1 Shi4], Inner Mongolia" -红山区,hóng shān qū,"Hongshan District of Chifeng City 赤峰市[Chi4 feng1 Shi4], Inner Mongolia" -红岗,hóng gǎng,"Honggang district of Daqing city 大慶|大庆[Da4 qing4], Heilongjiang" -红岗区,hóng gǎng qū,"Honggang district of Daqing city 大慶|大庆[Da4 qing4], Heilongjiang" -红巨星,hóng jù xīng,red giant (star) -红巾军,hóng jīn jūn,"the Red Turbans, peasant rebellion at the end of the Yuan dynasty" -红彤彤,hóng tōng tōng,bright red -红心,hóng xīn,"heart ♥ (in card games); red, heart-shaped symbol; bullseye" -红扑扑,hóng pū pū,red; rosy; flushed -红斑,hóng bān,(medicine) erythema -红斑性狼疮,hóng bān xìng láng chuāng,lupus erythematosus -红斑狼疮,hóng bān láng chuāng,(medicine) lupus erythematosus -红新月,hóng xīn yuè,Red Crescent -红旗,hóng qí,"Hongqi district of Xinxiang city 新鄉市|新乡市[Xin1 xiang1 shi4], Henan" -红旗,hóng qí,red flag; CL:面[mian4] -红旗区,hóng qí qū,"Red flag city district; Hongqi district of Xinxiang city 新鄉市|新乡市[Xin1 xiang1 shi4], Henan" -红日,hóng rì,sun -红星,hóng xīng,"Hongxing district of Yichun city 伊春市[Yi1 chun1 shi4], Heilongjiang" -红星,hóng xīng,red star; five pointed star as symbol or communism or proletariat; hot film star -红星区,hóng xīng qū,"Hongxing district of Yichun city 伊春市[Yi1 chun1 shi4], Heilongjiang" -红景天,hóng jǐng tiān,roseroot (Rhodiola rosea) -红晕,hóng yùn,to blush; to flush red -红曲,hóng qū,red food dye made from yeast -红木,hóng mù,red wood; mahogany; rosewood; padauk -红杏出墙,hóng xìng chū qiáng,lit. the red apricot tree leans over the garden wall (idiom); fig. a wife having an illicit lover -红果,hóng guǒ,haw fruit -红桃,hóng táo,heart ♥ (in card games) -红梅花雀,hóng méi huā què,(bird species of China) red avadavat (Amandava amandava) -红枣,hóng zǎo,jujube; red date -红极一时,hóng jí yī shí,tremendously popular for a while -红桤树,hóng qī shù,red alder (Alnus rubra) -红楼梦,hóng lóu mèng,"A Dream of Red Mansions (first completed edition 1791) by Cao Xueqin 曹雪芹[Cao2 Xue3 qin2], one of the four great novels" -红树,hóng shù,red mangrove (Rhizophora mangle); CL:棵[ke1] -红树林,hóng shù lín,mangrove forest or swamp -红桥,hóng qiáo,Hongqiao district of Tianjin municipality 天津市[Tian1 jin1 shi4] -红桥区,hóng qiáo qū,Hongqiao district of Tianjin municipality 天津市[Tian1 jin1 shi4] -红橙,hóng chéng,blood orange -红橙黄绿蓝靛紫,hóng chéng huáng lǜ lán diàn zǐ,"red, orange, yellow, green, blue, indigo, violet (the colors of the rainbow)" -红机,hóng jī,"red phone, a telephone in the secure internal phone system used by the CCP elite" -红桧,hóng guì,"Formosan cypress, aka Taiwan red cedar (Chamaecyparis formosensis)" -红樱枪,hóng yīng qiāng,"ancient spear-like weapon, decorated with a red tassel" -红殷殷,hóng yān yān,dark red; crimson; also pr. [hong2 yin1 yin1] -红毛丹,hóng máo dān,rambutan or rumbutan (tropical fruit) (Nephelium lappaceum) -红毯,hóng tǎn,red carpet -红汞,hóng gǒng,merbromin; mercurochrome -红河,hóng hé,"Honghe county in Honghe Hani and Yi autonomous prefecture, Yunnan; Red River in China; Northern Vietnam" -红河哈尼族彝族自治州,hóng hé hā ní zú yí zú zì zhì zhōu,Honghe Hani and Yi Autonomous Prefecture in Yunnan 雲南|云南[Yun2 nan2] -红河州,hóng hé zhōu,Honghe Hani and Yi autonomous prefecture in Yunnan 雲南|云南[Yun2 nan2] -红河县,hóng hé xiàn,"Honghe county in Honghe Hani and Yi autonomous prefecture, Yunnan" -红油,hóng yóu,chili oil -红海,hóng hǎi,Red Sea -红海,hóng hǎi,(neologism) highly competitive market (contrasted with 藍海|蓝海[lan2 hai3]) -红润,hóng rùn,ruddy; rosy; florid -红潮,hóng cháo,to blush; flush; red tide (algal bloom); menstruation -红灌木茶,hóng guàn mù chá,rooibos tea -红火,hóng huǒ,prosperous -红火蚁,hóng huǒ yǐ,"fire ant (Solenopsis invicta), an introduced species in China" -红熊猫,hóng xióng māo,lesser Panda; red panda; firefox -红灯,hóng dēng,red light -红灯区,hóng dēng qū,red-light district -红灯记,hóng dēng jì,The Legend of the Red Lantern -红烧,hóng shāo,to braise in soy sauce until reddish-brown -红烧肉,hóng shāo ròu,red braised pork -红烛,hóng zhú,red candle (used during birthdays and other celebrations) -红牌,hóng pái,red card (sports) -红牙,hóng yá,"clappers (musical instrument used to mark the time, made from ivory or hardwood and painted red)" -红牛,hóng niú,Red Bull (energy drink) -红牛皮菜,hóng niú pí cài,"chard (Beta vulgaris), a foliage beet" -红玉髓,hóng yù suǐ,(mineralogy) carnelian -红珊瑚,hóng shān hú,red coral; precious coral (Corallium rubrum and several related species of marine coral) -红玛瑙,hóng mǎ nǎo,cornelian -红璧玺,hóng bì xǐ,topaz -红环,hóng huán,Rotring (company) -红男绿女,hóng nán lǜ nǚ,young people decked out in gorgeous clothes (idiom) -红白喜事,hóng bái xǐ shì,weddings and funerals -红盘,hóng pán,(of a stock price or market index) currently higher than at the previous day's close -红眉朱雀,hóng méi zhū què,(bird species of China) Chinese beautiful rosefinch (Carpodacus davidianus) -红眉松雀,hóng méi sōng què,(bird species of China) crimson-browed finch (Carpodacus subhimachalus) -红眼,hóng yǎn,to become infuriated; to see red; envious; jealous; covetous; pink eye (conjunctivitis); red-eye (flight)(photography) red eye -红眼病,hóng yǎn bìng,pinkeye; envy; jealousy -红矮星,hóng ǎi xīng,red dwarf star -红磷,hóng lín,red phosphorus -红移,hóng yí,red shift (astronomy) -红箍儿,hóng gū er,(northern dialects) red armband -红筹股,hóng chóu gǔ,red chip stocks (Chinese company stocks incorporated outside mainland China and listed in the Hong Kong stock exchange) -红粉,hóng fěn,rouge and powder; (fig.) the fair sex -红糖,hóng táng,brown sugar -红细胞,hóng xì bāo,erythrocyte; red blood cell -红细胞沉降率,hóng xì bāo chén jiàng lǜ,erythrocyte sedimentation rate (ESR) -红绿灯,hóng lǜ dēng,traffic light; traffic signal -红线,hóng xiàn,red line -红羊劫,hóng yáng jié,national disaster (ancient astrological allusion) -红翅旋壁雀,hóng chì xuán bì què,(bird species of China) wallcreeper (Tichodroma muraria) -红翅绿鸠,hóng chì lǜ jiū,(bird species of China) white-bellied green pigeon (Treron sieboldii) -红翅薮鹛,hóng chì sǒu méi,(bird species of China) scarlet-faced liocichla (Liocichla ripponi) -红翅凤头鹃,hóng chì fèng tóu juān,(bird species of China) chestnut-winged cuckoo (Clamator coromandus) -红耳鹎,hóng ěr bēi,(bird species of China) red-whiskered bulbul (Pycnonotus jocosus) -红肉,hóng ròu,red meat -红股,hóng gǔ,"(economics) bonus stock or share, i.e. share issued fully or partly paid to an existing shareholder in a company, generally on a pro rata basis" -红背伯劳,hóng bèi bó láo,(bird species of China) red-backed shrike (Lanius collurio) -红背红尾鸲,hóng bèi hóng wěi qú,(bird species of China) rufous-backed redstart (Phoenicurus erythronotus) -红背蜘蛛,hóng bèi zhī zhū,redback spider -红胡子,hóng hú zi,band of mounted bandits in Manchuria (archaic) -红胸啄花鸟,hóng xiōng zhuó huā niǎo,(bird species of China) fire-breasted flowerpecker (Dicaeum ignipectus) -红胸山鹧鸪,hóng xiōng shān zhè gū,(bird species of China) chestnut-breasted partridge (Arborophila mandellii) -红胸朱雀,hóng xiōng zhū què,(bird species of China) red-fronted rosefinch (Carpodacus puniceus) -红胸田鸡,hóng xiōng tián jī,(bird species of China) ruddy-breasted crake (Porzana fusca) -红胸秋沙鸭,hóng xiōng qiū shā yā,(bird species of China) red-breasted merganser (Mergus serrator) -红胸角雉,hóng xiōng jiǎo zhì,(bird species of China) satyr tragopan (Tragopan satyra) -红胸鸻,hóng xiōng héng,(bird species of China) Caspian plover (Charadrius asiaticus) -红胸黑雁,hóng xiōng hēi yàn,(bird species of China) red-breasted goose (Branta ruficollis) -红胁绣眼鸟,hóng xié xiù yǎn niǎo,(bird species of China) chestnut-flanked white-eye (Zosterops erythropleurus) -红胁蓝尾鸲,hóng xié lán wěi qú,(bird species of China) red-flanked bluetail (Tarsiger cyanurus) -红脖子,hóng bó zi,redneck -红肿,hóng zhǒng,inflamed; red and swollen -红腰朱雀,hóng yāo zhū què,(bird species of China) red-mantled rosefinch (Carpodacus rhodochlamys) -红脚苦恶鸟,hóng jiǎo kǔ è niǎo,(bird species of China) brown crake (Amaurornis akool) -红脚隼,hóng jiǎo sǔn,(bird species of China) Amur falcon (Falco amurensis) -红脚鲣鸟,hóng jiǎo jiān niǎo,(bird species of China) red-footed booby (Sula sula) -红脚鹬,hóng jiǎo yù,(bird species of China) common redshank (Tringa totanus) -红肠,hóng cháng,saveloy -红腹咬鹃,hóng fù yǎo juān,(bird species of China) Ward's trogon (Harpactes wardi) -红腹山雀,hóng fù shān què,(bird species of China) rusty-breasted tit (Poecile davidi) -红腹滨鹬,hóng fù bīn yù,(bird species of China) red knot (Calidris canutus) -红腹灰雀,hóng fù huī què,(bird species of China) Eurasian bullfinch (Pyrrhula pyrrhula) -红腹红尾鸲,hóng fù hóng wěi qú,(bird species of China) white-winged redstart (Phoenicurus erythrogastrus) -红腹角雉,hóng fù jiǎo zhì,(bird species of China) Temminck's tragopan (Tragopan temminckii) -红腹锦鸡,hóng fù jǐn jī,(bird species of China) golden pheasant (Chrysolophus pictus) -红腿小隼,hóng tuǐ xiǎo sǔn,(bird species of China) collared falconet (Microhierax caerulescens) -红腿斑秧鸡,hóng tuǐ bān yāng jī,(bird species of China) red-legged crake (Rallina fasciata) -红臂章,hóng bì zhāng,(southern dialects) red armband -红脸,hóng liǎn,to blush; to turn red -红脸鸬鹚,hóng liǎn lú cí,(bird species of China) red-faced cormorant (Phalacrocorax urile) -红色,hóng sè,red (color); revolutionary -红色娘子军,hóng sè niáng zi jūn,"Red Detachment of Women, revolutionary opera that premiered in 1964" -红色旅游,hóng sè lǚ yóu,"red tourism, focused on sites in China associated with the Communist Revolution" -红色炸弹,hóng sè zhà dàn,"(jocular) wedding invitation (lit. ""red bomb"", because wedding invitations use red paper, and invitees are expected to give a substantial sum of money as a wedding gift)" -红色高棉,hóng sè gāo mián,"Khmer Rouge, Cambodian political party" -红艳艳,hóng yàn yàn,brilliant red -红花,hóng huā,safflower (Carthamus tinctorius) -红花岗,hóng huā gǎng,"Honghuagang District of Zunyi City 遵義市|遵义市[Zun1 yi4 Shi4], Guizhou" -红花岗区,hóng huā gǎng qū,"Honghuagang District of Zunyi City 遵義市|遵义市[Zun1 yi4 Shi4], Guizhou" -红苕,hóng sháo,(dialect) sweet potato or yam -红茶,hóng chá,"black tea; CL:杯[bei1],壺|壶[hu2]" -红茶菌,hóng chá jūn,kombucha (fermented tea) -红菜头,hóng cài tóu,beet; beetroot; (dialect) carrot -红叶,hóng yè,red autumnal leaves -红莲,hóng lián,red lotus -红薯,hóng shǔ,sweet potato -红药水,hóng yào shuǐ,mercurochrome (antiseptic solution) -红萝卜,hóng luó bo,carrot; red radish -红蛋,hóng dàn,"red-dyed egg, traditionally given to friends and relatives one month after the birth of one's child" -红血球,hóng xuè qiú,erythrocyte; red blood cell -红血球生成素,hóng xuè qiú shēng chéng sù,erythropoietin (EPO) -红卫兵,hóng wèi bīng,"Red Guards (Cultural Revolution, 1966-1976)" -红衣主教,hóng yī zhǔ jiào,Catholic cardinal -红角鸮,hóng jiǎo xiāo,(bird species of China) oriental scops owl (Otus sunia) -红豆,hóng dòu,azuki bean; red bean -红豆杉醇,hóng dòu shān chún,"Taxol (a.k.a. Paclitaxel), mitotic inhibitor used in cancer chemotherapy" -红豆沙,hóng dòu shā,red bean paste -红超巨星,hóng chāo jù xīng,red supergiant (star) -红军,hóng jūn,"Red Army (1928-1937), predecessor of the PLA; (Soviet) Red Army (1917-1946)" -红轮,hóng lún,the sun -红辣椒,hóng là jiāo,hot red pepper; chili -红通,hóng tōng,(Interpol) red notice; abbr. for 紅色通緝令|红色通缉令[hong2 se4 tong1 ji1 ling4] -红通通,hóng tōng tōng,variant of 紅彤彤|红彤彤[hong2 tong1 tong1] -红运,hóng yùn,good luck -红酒,hóng jiǔ,red wine -红醋栗,hóng cù lì,red currant -红铃虫,hóng líng chóng,pink bollworm; Pectinophora gassypiella -红铜,hóng tóng,copper (chemistry); see also 銅|铜[tong2] -红隼,hóng sǔn,(bird species of China) common kestrel (Falco tinnunculus) -红霉素,hóng méi sù,erythromycin -红顶绿鸠,hóng dǐng lǜ jiū,(bird species of China) whistling green pigeon (Treron formosae) -红顶鹛,hóng dǐng méi,(bird species of China) chestnut-capped babbler (Timalia pileata) -红领,hóng lǐng,red collar; government worker -红领巾,hóng lǐng jīn,"red neckscarf; by extension, a member of the Young Pioneers" -红领绿鹦鹉,hóng lǐng lǜ yīng wǔ,(bird species of China) rose-ringed parakeet (Psittacula krameri) -红头咬鹃,hóng tóu yǎo juān,(bird species of China) red-headed trogon (Harpactes erythrocephalus) -红头噪鹛,hóng tóu zào méi,(bird species of China) chestnut-crowned laughingthrush (Trochalopteron erythrocephalum) -红头文件,hóng tóu wén jiàn,"red-letterhead document, an official document with the name of the issuing government agency printed in red at the top, circulated to relevant bodies" -红头潜鸭,hóng tóu qián yā,(bird species of China) common pochard (Aythya ferina) -红头灰雀,hóng tóu huī què,(bird species of China) red-headed bullfinch (Pyrrhula erythrocephala) -红头穗鹛,hóng tóu suì méi,(bird species of China) rufous-capped babbler (Stachyridopsis ruficeps) -红头菜,hóng tóu cài,beetroot -红头长尾山雀,hóng tóu cháng wěi shān què,(bird species of China) black-throated bushtit (Aegithalos concinnus) -红头鸦雀,hóng tóu yā què,(bird species of China) rufous-headed parrotbill (Psittiparus bakeri) -红颈滨鹬,hóng jǐng bīn yù,(bird species of China) red-necked stint (Calidris ruficollis) -红颈瓣蹼鹬,hóng jǐng bàn pǔ yù,(bird species of China) red-necked phalarope (Phalaropus lobatus) -红颈绿啄木鸟,hóng jǐng lǜ zhuó mù niǎo,(bird species of China) red-collared woodpecker (Picus rabieri) -红额穗鹛,hóng é suì méi,(bird species of China) rufous-fronted babbler (Stachyridopsis rufifrons) -红额金翅雀,hóng é jīn chì què,(bird species of China) European goldfinch (Carduelis carduelis) -红颜,hóng yán,a beautiful woman; young beauties; youths; rosy cheeks -红颜知己,hóng yán zhī jǐ,close female friend; confidante -红颜祸水,hóng yán huò shuǐ,femme fatale -红颜薄命,hóng yán bó mìng,beautiful women suffer unhappy fates (idiom) -红马甲,hóng mǎ jiǎ,red waistcoat; (stock market) floor trader; floor broker -红骨髓,hóng gǔ suǐ,red bone marrow (myeloid tissue) -红高粱,hóng gāo liáng,red sorghum -红魔鬼,hóng mó guǐ,"Red Devils, nickname of Manchester United Football Club" -红鲣,hóng jiān,red mullet -红黑名单,hóng hēi míng dān,"whitelist and blacklist, i.e. 紅名單|红名单[hong2 ming2 dan1] and 黑名單|黑名单[hei1 ming2 dan1]" -红霉素,hóng méi sù,erythromycin -纡,yū,surname Yu -纡,yū,winding; twisting -纡尊降贵,yū zūn jiàng guì,(idiom) to show deference to sb of lower status; to condescend; to deign -纥,gē,knot -纥,hé,tassels -纨,wán,white; white silk -纨绔子弟,wán kù zǐ dì,hedonistic son of rich parents -纨裤子弟,wán kù zǐ dì,dandy; fop; lounge lizard -纫,rèn,to thread (a needle); to sew; to stitch; (literary) very grateful -紊,wěn,involved; tangled; disorderly; confused; chaotic; Taiwan pr. [wen4] -紊乱,wěn luàn,disorder; chaos -紊流,wěn liú,turbulent flow -纹,wén,line; trace; mark; pattern; grain (of wood etc) -纹刺,wén cì,to tattoo -纹喉凤鹛,wén hóu fèng méi,(bird species of China) stripe-throated yuhina (Yuhina gularis) -纹喉鹎,wén hóu bēi,(bird species of China) stripe-throated bulbul (Pycnonotus finlaysoni) -纹层,wén céng,lamina; lamella; lamination -纹理,wén lǐ,vein lines (in marble or fingerprint); grain (in wood etc) -纹章,wén zhāng,coat of arms -纹丝,wén sī,tiny bit; a jot; whisker -纹丝不动,wén sī bù dòng,to not move a single jot (idiom) -纹丝儿,wén sī er,erhua variant of 紋絲|纹丝[wen2 si1] -纹缕,wén lǚ,veined pattern; wrinkles; vein lines (in marble or fingerprint); grain (in wood etc) -纹缕儿,wén lǚ er,erhua variant of 紋縷|纹缕[wen2 lu:3] -纹背捕蛛鸟,wén bèi bǔ zhū niǎo,(bird species of China) streaked spiderhunter (Arachnothera magna) -纹胸啄木鸟,wén xiōng zhuó mù niǎo,(bird species of China) stripe-breasted woodpecker (Dendrocopos atratus) -纹胸斑翅鹛,wén xiōng bān chì méi,(bird species of China) streak-throated barwing (Actinodura waldeni) -纹胸织雀,wén xiōng zhī què,(bird species of China) streaked weaver (Ploceus manyar) -纹胸鹛,wén xiōng méi,(bird species of China) pin-striped tit-babbler (Macronus gularis) -纹胸鹪鹛,wén xiōng jiāo méi,(bird species of China) eyebrowed wren-babbler (Napothera epilepidota) -纹路,wén lù,veined pattern; wrinkles; vein lines (in marble or fingerprint); grain (in wood etc) -纹身,wén shēn,tattoo -纹银,wén yín,fine silver -纹面,wén miàn,see 文面[wen2 mian4] -纹头斑翅鹛,wén tóu bān chì méi,(bird species of China) hoary-throated barwing (Actinodura nipalensis) -纹风不动,wén fēng bù dòng,absolutely still; fig. not the slightest change; also written 文風不動|文风不动 -纹饰,wén shì,decorative motif; figure -纳,nà,surname Na -纳,nà,to receive; to accept; to enjoy; to bring into; to pay (tax etc); nano- (one billionth); to reinforce sole of shoes or stockings by close sewing -纳什,nà shí,Nash (surname) -纳什维尔,nà shí wéi ěr,"Nashville, capital of Tennessee" -纳杰夫,nà jié fū,"Najaf (city in Iraq, a Shia holy city)" -纳入,nà rù,to bring into; to channel into; to integrate into; to incorporate -纳匝肋,nà zā lèi,Nazareth -纳吉布,nà jí bù,"Muhammad Naguib (1901-1984), first president of the Republic of Egypt" -纳塔乃耳,nà tǎ nǎi ěr,Nathaniel -纳妾,nà qiè,to take a concubine -纳宠,nà chǒng,to take a concubine -纳尼,nà ní,(Internet slang) what? (loanword from Japanese 何 なに nani) -纳尼亚,nà ní yà,"Narnia, children's fantasy world in stories by C.S. Lewis" -纳尼亚传奇,nà ní yà chuán qí,"The Chronicles of Narnia, children's stories by C.S. Lewis" -纳德阿里,nà dé ā lǐ,"Nad Ali, town in Helmand province, Afghanistan" -纳闷,nà mèn,puzzled; bewildered -纳闷儿,nà mèn er,erhua variant of 納悶|纳闷[na4 men4] -纳扎尔巴耶夫,nà zhā ěr bā yē fū,"Nursultan Nazarbayev (1940-), president of Kazakhstan 1990-2019" -纳指,nà zhǐ,"NASDAQ; National Association of Securities Dealers Automated Quotations, a computerized data system to provide brokers with price quotations for securities traded over the counter" -纳斯达克,nà sī dá kè,NASDAQ (stock exchange) -纳新,nà xīn,to accept the new; to take fresh (air); fig. to accept new members (to reinvigorate the party); new blood -纳星,nà xīng,nanosatellite -纳木错,nà mù cuò,"Namtso or Lake Nam (officially Nam Co), mountain lake at Nakchu in central Tibet" -纳洛酮,nà luò tóng,naloxone (medication) (loanword) -纳凉,nà liáng,to enjoy the cool air -纳溪,nà xī,"Naxi district of Luzhou city 瀘州市|泸州市[Lu2 zhou1 shi4], Sichuan" -纳溪区,nà xī qū,"Naxi district of Luzhou city 瀘州市|泸州市[Lu2 zhou1 shi4], Sichuan" -纳尔逊,nà ěr xùn,"Horatio Nelson (1758-1805), British naval hero" -纳瓦特尔语,nà wǎ tè ěr yǔ,Nahuatl (language) -纳瓦萨,nà wǎ sà,Navassa -纳瓦霍,nà wǎ huò,Navajo -纳皮尔,nà pí ěr,"Napier (name); John Napier (1550-1617), Scottish mathematician, inventor of logarithms; Napier, city in New Zealand" -纳福,nà fú,to accept a life of ease; to enjoy a comfortable retirement -纳秒,nà miǎo,"nanosecond, ns, 10^-9 s (PRC); Taiwan equivalent: 奈秒[nai4 miao3]" -纳税,nà shuì,to pay taxes -纳税人,nà shuì rén,taxpayer -纳米,nà mǐ,nanometer -纳米技术,nà mǐ jì shù,nanotechnology -纳米比亚,nà mǐ bǐ yà,Namibia -纳粹,nà cuì,Nazi (loanword) -纳粹主义,nà cuì zhǔ yì,Nazism -纳粹分子,nà cuì fèn zǐ,Nazi -纳粹德国,nà cuì dé guó,Nazi Germany (1933-1945) -纳粹党,nà cuì dǎng,Nazi Party; Nationalsozialistische Deutsche Arbeiterpartei (NSDAP) (1919-1945) -纳粮,nà liáng,"to pay taxes in kind (rice, cloth etc)" -纳罕,nà hǎn,bewildered; amazed -纳聘,nà pìn,to pay bride-price (payment to the bride's family in former times) -纳兰性德,nà lán xìng dé,"Nalan Xingde (1655-1685), Manchu ethnic Qing dynasty poet" -纳卫星,nà wèi xīng,nanosatellite -纳西,nà xī,Nakhi (ethnic group) -纳西族,nà xī zú,Nakhi ethnic group in Yunnan -纳豆,nà dòu,"nattō, a type of fermented soybean, popular as a breakfast food in Japan" -纳豆菌,nà dòu jūn,"Bacillus subtilis (formerly Bacillus natto), a common soil bacterium" -纳贡,nà gòng,to pay tribute -纳贿,nà huì,bribery; to give or accept bribes -纳赛尔,nà sài ěr,"Nasr or Nasser (Arab name); Gamal Abdel Nasser (1918-1970), Egyptian President" -纳赫雄,nà hè xióng,Nahshon (name) -纳达尔,nà dá ěr,"Nadal (name); Rafael Nadal (1986-), Spanish tennis player" -纳闽,nà mǐn,"Labuan, island territory of Malaysia off Sabah coast, north Borneo 婆羅洲|婆罗洲" -纳降,nà xiáng,to surrender; to accept defeat -纳雍,nà yōng,"Nayong county in Bijie prefecture 畢節地區|毕节地区[Bi4 jie2 di4 qu1], Guizhou" -纳雍县,nà yōng xiàn,"Nayong county in Bijie prefecture 畢節地區|毕节地区[Bi4 jie2 di4 qu1], Guizhou" -纳霍德卡,nà huò dé kǎ,Nakhodka (city in Russia) -纳骨塔,nà gǔ tǎ,columbarium -纳鸿,nà hóng,Nahum -纽,niǔ,to turn; to wrench; button; nu (Greek letter Νν) -纽交所,niǔ jiāo suǒ,New York Stock Exchange (abbr. for 紐約證券交易所|纽约证券交易所[Niu3 yue1 Zheng4 quan4 Jiao1 yi4 suo3]) -纽伦堡,niǔ lún bǎo,"Nuremberg, town in Bavaria, Germany" -纽卡斯尔,niǔ kǎ sī ěr,Newcastle (place name) -纽卡素,niǔ kǎ sù,Newcastle -纽埃,niǔ āi,Niue (island) -纽奥良,niǔ ào liáng,"New Orleans, Louisiana" -纽子,niǔ zi,button -纽带,niǔ dài,tie; link; bond -纽几内亚,niǔ jī nèi yà,New Guinea; Papua-New Guinea -纽扣,niǔ kòu,button -纽时,niǔ shí,"New York Times, abbr. for 紐約時報|纽约时报[Niu3 Yue1 Shi2 bao4]" -纽泽西,niǔ zé xī,"New Jersey, USA (Tw)" -纽瓦克,niǔ wǎ kè,Newark (place name) -纽约,niǔ yuē,New York -纽约人,niǔ yuē rén,New Yorker -纽约大学,niǔ yuē dà xué,New York University -纽约客,niǔ yuē kè,"The New Yorker, US magazine; resident of New York" -纽约州,niǔ yuē zhōu,New York state -纽约市,niǔ yuē shì,New York City -纽约帝国大厦,niǔ yuē dì guó dà shà,Empire State Building -纽约时报,niǔ yuē shí bào,New York Times (newspaper) -纽约证券交易所,niǔ yuē zhèng quàn jiāo yì suǒ,New York Stock Exchange (NYSE) -纽约邮报,niǔ yuē yóu bào,New York Post (newspaper) -纽绊,niǔ bàn,see 紐襻|纽襻[niu3 pan4] -纽芬兰,niǔ fēn lán,"Newfoundland Island, Canada" -纽芬兰与拉布拉多,niǔ fēn lán yǔ lā bù lā duō,"Newfoundland and Labrador, province of Canada" -纽襻,niǔ pàn,button loop -纽西兰,niǔ xī lán,New Zealand (Tw) -纾,shū,abundant; ample; at ease; relaxed; to free from; to relieve -纾困,shū kùn,to provide financial relief; to bail out (financially); financial relief; bailout -纾压,shū yā,to alleviate stress -纾缓,shū huǎn,to relax; relaxed -纾解,shū jiě,to relieve; to ease (pressure); to alleviate; to remove; to get rid of -纯,chún,pure; simple; unmixed; genuine -纯利,chún lì,net profit -纯利益,chún lì yì,net profit -纯化,chún huà,to purify -纯品,chún pǐn,sterling -纯属,chún shǔ,to be purely; pure and simple; sheer; outright -纯度,chún dù,purity -纯情,chún qíng,pure and innocent; a pure heart -纯爱,chún ài,"pure love; BL, aka boys' love (genre of male homoerotic fictional media)" -纯文字,chún wén zì,text only (webpage) -纯文字页,chún wén zì yè,text-only webpage -纯文本,chún wén běn,plain text (computing) -纯棉,chún mián,pure cotton; 100% cotton -纯朴,chún pǔ,variant of 淳樸|淳朴[chun2 pu3] -纯正,chún zhèng,pure; unadulterated; (of motives etc) honest -纯净,chún jìng,pure; clean; unmixed -纯净水,chún jìng shuǐ,purified water -纯洁,chún jié,pure; clean and honest; to purify -纯熟,chún shú,skillful; proficient -纯牛奶,chún niú nǎi,pure milk -纯白,chún bái,pure white -纯真,chún zhēn,innocent and unaffected; pure and unadulterated -纯真天然,chún zhēn tiān rán,natural; authentic -纯真无垢,chún zhēn wú gòu,pure of heart -纯种,chún zhǒng,purebred -纯粹,chún cuì,pure; unadulterated; purely; completely -纯粹数学,chún cuì shù xué,pure mathematics -纯素,chún sù,plain; ordinary; vegan; vegetarian -纯素颜,chún sù yán,see 素顏|素颜[su4 yan2] -纯素食,chún sù shí,vegan; vegan food -纯素食主义,chún sù shí zhǔ yì,"veganism, a diet consisting solely of plant products; strict vegetarianism" -纯素食者,chún sù shí zhě,a vegan; person following a vegan diet -纯良,chún liáng,pure and kindhearted -纯色啄花鸟,chún sè zhuó huā niǎo,(bird species of China) plain flowerpecker (Dicaeum minullum) -纯色噪鹛,chún sè zào méi,(bird species of China) scaly laughingthrush (Trochalopteron subunicolor) -纯色岩燕,chún sè yán yàn,(bird species of China) dusky crag martin (Ptyonoprogne concolor) -纯血,chún xuè,pure-blooded -纯血统,chún xuè tǒng,pure-blood; full-blood -纯褐鹱,chún hè hù,(bird species of China) Bulwer's petrel (Bulweria bulwerii) -纯金,chún jīn,pure gold -纯音,chún yīn,pure tone -纯碱,chún jiǎn,sodium carbonate; soda ash; Na2CO3 -纰,pī,error; carelessness; spoiled silk -纰漏,pī lòu,careless mistake; slip-up -纰缪,pī miù,error; mistake -纱,shā,cotton yarn; muslin -纱布,shā bù,gauze -纱布口罩,shā bù kǒu zhào,gauze mask -纱帽,shā mào,gauze hat; (fig.) job as an official -纱厂,shā chǎng,cotton mill; textile factory -纱支,shā zhī,(textiles) yarn count (unit indicating the fineness of a yarn); (sometimes used loosely to mean thread count) -纱窗,shā chuāng,screen window -纱笼,shā lóng,sarong (loanword) -纱绽,shā zhàn,spindle -纱线,shā xiàn,yarn -纱丽,shā lì,sari (loanword) -纸,zhǐ,"paper (CL:張|张[zhang1],沓[da2]); classifier for documents, letters etc" -纸上谈兵,zhǐ shàng tán bīng,"lit. military tactics on paper (idiom); fig. theoretical discussion that is worse than useless in practice; armchair strategist; idle theorizing; cf Zhao Kuo 趙括|赵括[Zhao4 Kuo4] leading an army of 400,000 to total annihilation at battle of Changping 長平之戰|长平之战[Chang2 ping2 zhi1 Zhan4] in 260 BC" -纸人,zhǐ rén,human figure made of paper or papier-mâché -纸人纸马,zhǐ rén zhǐ mǎ,paper dolls for ritual use in the shape of people or animals -纸包不住火,zhǐ bāo bù zhù huǒ,lit. paper can't wrap fire; fig. the truth will out -纸包饮品,zhǐ bāo yǐn pǐn,juice box; drink in a carton; Tetra Pak drink -纸品,zhǐ pǐn,paper products; stationery -纸型,zhǐ xíng,paper matrix in which type is set -纸堆,zhǐ duī,papers; stack of paper -纸夹,zhǐ jiā,paper clip -纸婚,zhǐ hūn,paper wedding (first wedding anniversary) -纸媒,zhǐ méi,print media; (old) paper taper used to light a cigarette etc -纸尿布,zhǐ niào bù,disposable diaper -纸尿片,zhǐ niào piàn,disposable diaper -纸尿裤,zhǐ niào kù,disposable diaper -纸巾,zhǐ jīn,"paper towel; napkin; facial tissue; CL:張|张[zhang1],包[bao1]" -纸带,zhǐ dài,paper tape; ticker tape; paper streamer -纸币,zhǐ bì,bank notes; paper currency; CL:張|张[zhang1] -纸张,zhǐ zhāng,paper -纸书,zhǐ shū,print book; printed book -纸杯,zhǐ bēi,paper cup -纸板,zhǐ bǎn,cardboard -纸条,zhǐ tiáo,slip of paper -纸样,zhǐ yàng,paper pattern as model in dressmaking; paper patten -纸浆,zhǐ jiāng,paper pulp -纸火柴,zhǐ huǒ chái,matches made of cardboard -纸火锅,zhǐ huǒ guō,"paper hot pot (hot pot using a single-use pot made of Japanese washi paper with a special coating to prevent burning and leaking, used for cooking at the dining table)" -纸灰,zhǐ huī,ash from burnt paper -纸烟,zhǐ yān,cigarette -纸煤儿,zhǐ méi er,paper taper used to light cigarette etc -纸片,zhǐ piàn,"a piece, scrap or fragment of paper" -纸牌,zhǐ pái,playing card -纸盆,zhǐ pén,paper cone used as hailer -纸短情长,zhǐ duǎn qíng cháng,(idiom) a piece of paper is too short to convey my feelings -纸箔,zhǐ bó,joss paper -纸箱,zhǐ xiāng,carton; cardboard box -纸老虎,zhǐ lǎo hǔ,paper tiger -纸花,zhǐ huā,paper flower -纸草,zhǐ cǎo,papyrus -纸叶子,zhǐ yè zi,deck of playing cards -纸袋,zhǐ dài,paper bag -纸质,zhǐ zhì,paper; hard copy; printed (as opposed to electronically displayed) -纸醉金迷,zhǐ zuì jīn mí,lit. dazzling with paper and gold (idiom); fig. indulging in a life of luxury -纸钞,zhǐ chāo,banknote -纸锭,zhǐ dìng,paper ingots (burned as offerings to the dead) -纸钱,zhǐ qián,ritual money made of paper burnt for the Gods or the dead -纸马,zhǐ mǎ,paper dolls for ritual use in the shape of people or animals -纸马儿,zhǐ mǎ er,erhua variant of 紙馬|纸马[zhi3 ma3] -纸鱼,zhǐ yú,silverfish (Lepisma saccarina); fish moth -纸鸢,zhǐ yuān,kite -纸鹤,zhǐ hè,paper crane -纸鹞,zhǐ yào,kite -纸黄金,zhǐ huáng jīn,gold contract; special drawing right (SDR); paper gold (finance) -级,jí,"level; grade; rank; step (of stairs); CL:個|个[ge4]; classifier: step, level" -级别,jí bié,(military) rank; level; grade -级差,jí chā,differential (between grades); salary differential -级数,jí shù,(math.) series -级联,jí lián,cascade; cascading -级距,jí jù,"range of values; category defined by a range of values (tier, bracket, stratum etc)" -级长,jí zhǎng,class president (in a school); class captain; cohort leader -纷,fēn,numerous; confused; disorderly -纷乱,fēn luàn,numerous and disorderly -纷呈,fēn chéng,brilliant and varied; (often in the combination 精彩紛呈|精彩纷呈[jing1 cai3 fen1 cheng2]) -纷披,fēn pī,scattered; mixed and disorganized -纷扰,fēn rǎo,turmoil; unrest; disturbance -纷争,fēn zhēng,to dispute -纷纷,fēn fēn,one after another; in succession; one by one; continuously; diverse; in profusion; numerous and confused; pell-mell -纷纷扬扬,fēn fēn yáng yáng,fluttering about (of leaves etc) -纷纭,fēn yún,diverse and muddled; many and confused -纷繁,fēn fán,numerous and complicated -纷至沓来,fēn zhì tà lái,to come thick and fast (idiom) -纷杂,fēn zá,numerous and confused; in a mess -纷飞,fēn fēi,"to swirl in the air (of thickly falling snowflakes, flower petals etc); to flutter about" -纭,yún,confused; numerous -纭纭,yún yún,variant of 芸芸[yun2 yun2] -纴,rèn,"to weave; to lay warp for weaving; silk thread for weaving; variant of 紉|纫, to sew; to stitch; thread" -纴织,rèn zhī,to weave -素,sù,"raw silk; white; plain, unadorned; vegetarian (food); essence; nature; element; constituent; usually; always; ever" -素不相能,sù bù xiāng néng,unable to get along (idiom) -素不相识,sù bù xiāng shí,to be total strangers (idiom) -素人,sù rén,"untrained, inexperienced person; layman; amateur" -素来,sù lái,consistently; always (in the past and now) -素常,sù cháng,ordinarily; usually -素手,sù shǒu,white hand; empty-handed -素描,sù miáo,sketch -素数,sù shù,prime number -素日,sù rì,usually -素昧平生,sù mèi píng shēng,to have never met sb before (idiom); entirely unacquainted; a complete stranger; not to know sb from Adam -素有,sù yǒu,to have; to have always had -素未谋面,sù wèi móu miàn,(idiom) to have never met; to be complete strangers -素材,sù cái,source material (in literature and art) -素朴,sù pǔ,simple; unadorned; unsophisticated; naive -素净,sù jing,simple and neat; quiet (colors); unobtrusive; (of food) light; not greasy or strongly flavored -素筵,sù yán,vegetarian feast; food offerings to Buddha -素肉,sù ròu,vegetarian meat substitute -素菜,sù cài,vegetable dish -素质,sù zhì,inner quality; basic essence -素质差,sù zhì chà,so uneducated!; so ignorant! -素质教育,sù zhì jiào yù,"all-round education (contrasted with 應試教育|应试教育[ying4 shi4 jiao4 yu4], exam-oriented education)" -素雅,sù yǎ,simple yet elegant -素鸡,sù jī,"vegetarian chicken, a soybean product" -素面,sù miàn,face (of a woman) without makeup; solid color (unpatterned) -素面朝天,sù miàn cháo tiān,"lit. to present oneself confidently to the emperor, without makeup (as did the sister of Yang Guifei 楊貴妃|杨贵妃[Yang2 Gui4 fei1]) (idiom); fig. (of a woman) to show one's natural features, without makeup; to present oneself just as one is, without artifice" -素颜,sù yán,a face without makeup -素食,sù shí,vegetarian food; to eat a vegetarian diet -素食主义,sù shí zhǔ yì,vegetarianism -素食者,sù shí zhě,vegetarian -素养,sù yǎng,(personal) accomplishment; attainment in self-cultivation -素馅,sù xiàn,vegetable filling -素面,sù miàn,vegetable noodle dish -素斋,sù zhāi,vegetarian food -纺,fǎng,to spin (cotton or hemp etc); fine woven silk fabric -纺纱,fǎng shā,"to spin (cotton, wool etc); spinning" -纺丝,fǎng sī,to spin synthetic fiber; to spin silk; spinning; filature -纺织,fǎng zhī,spinning and weaving -纺织品,fǎng zhī pǐn,textile; fabrics -纺织娘,fǎng zhī niáng,katydid; long-horned grasshopper -纺织工业,fǎng zhī gōng yè,textile industry -纺织厂,fǎng zhī chǎng,textile factory; cotton mill -纺织物,fǎng zhī wù,textile material -纺织者,fǎng zhī zhě,weaver -纺车,fǎng chē,spinning wheel -纺轮,fǎng lún,spinning wheel -纺锤,fǎng chuí,spindle -索,suǒ,"surname Suo; abbr. for 索馬里|索马里[Suo3ma3li3], Somalia" -索,suǒ,to search; to demand; to ask; to exact; large rope; isolated -索杰纳,suǒ jié nà,Sojourner (Martian land rover) -索价,suǒ jià,to ask a price; to charge; asking price -索具装置,suǒ jù zhuāng zhì,rig -索取,suǒ qǔ,to ask; to demand -索命,suǒ mìng,to demand sb's life -索国,suǒ guó,Solomon Islands -索多玛,suǒ duō mǎ,Sodom -索多玛与哈摩辣,suǒ duō mǎ yǔ hā mó là,Sodom and Gomorrah -索契,suǒ qì,Sochi (city on the Black Sea in Russia) -索尼,suǒ ní,Sony -索带,suǒ dài,cable tie; plastic strap -索引,suǒ yǐn,index -索性,suǒ xìng,you might as well (do it); simply; just -索普,suǒ pǔ,Thorpe (name) -索求,suǒ qiú,to seek; to demand -索然,suǒ rán,dull; dry -索然寡味,suǒ rán guǎ wèi,dull and insipid -索然无味,suǒ rán wú wèi,dull; insipid -索尔,suǒ ěr,Thor (Norse god of thunder) -索尔仁尼琴,suǒ ěr rén ní qín,"Alexandr Solzhenitsyn (1918-2008), Russian writer, prominent Soviet dissident, author of the Gulag Archipelago" -索尔兹伯里平原,suǒ ěr zī bó lǐ píng yuán,Salisbury plain -索尔兹伯里石环,suǒ ěr zī bó lǐ shí huán,Stonehenge; Salisbury stone circle -索福克勒斯,suǒ fú kè lè sī,"Sophocles (496-406 BC), Greek tragedian, author of Oedipus the King" -索福克里斯,suǒ fú kè lǐ sī,"Sophocles (496-406 BC), Greek playwright" -索索,suǒ suǒ,trembling -索绪尔,suǒ xù ěr,Saussure (name) -索县,suǒ xiàn,"Sog county, Tibetan: Sog rdzong, in Nagchu prefecture 那曲地區|那曲地区[Na4 qu3 di4 qu1], central Tibet" -索罗斯,suǒ luó sī,"Soros (name); George Soros or György Schwartz (1930-), Hungarian American financial speculator and millionaire philanthropist" -索罗门,suǒ luó mén,Solomon (name); Solomon (Islands) -索菲亚,suǒ fēi yà,Sofia (capital of Bulgaria) -索要,suǒ yào,to ask for; to request; to demand -索解,suǒ jiě,to seek an answer; to look for an explanation; to explain; explanation -索讨,suǒ tǎo,to demand; to ask for -索谢,suǒ xiè,(old) to ask for recompense (for personal services rendered) -索贿,suǒ huì,to exact bribes; to solicit bribes; to demand bribes; to extort -索赔,suǒ péi,to ask for compensation; to claim damages; claim for damages -索道,suǒ dào,ropeway -索邦大学,suǒ bāng dà xué,Université Paris IV; the Sorbonne -索里亚,suǒ lǐ yà,"Soria, Spain" -索非亚,suǒ fēi yà,"Sofia, capital of Bulgaria" -索马利,suǒ mǎ lì,variant of 索馬里|索马里[Suo3 ma3 li3] -索马利亚,suǒ mǎ lì yà,Somalia (Tw) -索马里,suǒ mǎ lǐ,variant of 索馬里|索马里[Suo3 ma3 li3]; Somalia -索马里,suǒ mǎ lǐ,Somalia -索马里亚,suǒ mǎ lǐ yà,variant of 索馬利亞|索马利亚[Suo3 ma3 li4 ya4] -扎,zā,variant of 紮|扎[za1] -扎,zhā,variant of 紮|扎[zha1] -紫,zǐ,purple; violet -紫丁香,zǐ dīng xiāng,lilac -紫云苗族布依族自治县,zǐ yún miáo zú bù yī zú zì zhì xiàn,"Ziyun Hmong and Buyei autonomous county in Anshun 安順|安顺[An1 shun4], Guizhou" -紫啸鸫,zǐ xiào dōng,(bird species of China) blue whistling thrush (Myophonus caeruleus) -紫坪铺,zǐ píng pū,"Zipingpu reservoir, Sichuan" -紫坪铺大坝,zǐ píng pū dà bà,"Zipingpu reservoir, Sichuan" -紫坪铺水库,zǐ píng pū shuǐ kù,"Zipingpu Reservoir, Sichuan" -紫寿带,zǐ shòu dài,(bird species of China) Japanese paradise flycatcher (Terpsiphone atrocaudata) -紫外,zǐ wài,ultraviolet (ray) -紫外光,zǐ wài guāng,ultraviolet light -紫外射线,zǐ wài shè xiàn,ultraviolet ray -紫外线,zǐ wài xiàn,ultraviolet ray -紫外线光,zǐ wài xiàn guāng,ultraviolet light -紫宽嘴鸫,zǐ kuān zuǐ dōng,(bird species of China) purple cochoa (Cochoa purpurea) -紫式部,zǐ shì bù,"Murasaki Shikibu (born c. 973), Japanese writer, author of ""The Tale of Genji""" -紫微宫,zǐ wēi gōng,palace of Jade emperor (in Taoism) -紫微斗数,zǐ wēi dǒu shù,"Zi Wei Dou Shu, a form of Chinese fortune-telling" -紫斑,zǐ bān,bruise -紫晶,zǐ jīng,amethyst (purple crystalline silicon dioxide) -紫杉,zǐ shān,Japanese yew (taxus cuspidata) -紫杉醇,zǐ shān chún,"Taxol (a.k.a. Paclitaxel), mitotic inhibitor used in cancer chemotherapy" -紫林鸽,zǐ lín gē,(bird species of China) pale-capped pigeon (Columba punicea) -紫檀,zǐ tán,red sandalwood -紫气,zǐ qì,purple cloud (auspicious portent in astrology) -紫水晶,zǐ shuǐ jīng,amethyst -紫水鸡,zǐ shuǐ jī,(bird species of China) purple swamphen (Porphyrio porphyrio) -紫河车,zǐ hé chē,(TCM) dried human placenta (used as medicine) -紫甘蓝,zǐ gān lán,red cabbage; purple cabbage -紫石英,zǐ shí yīng,amethyst -紫石英号,zǐ shí yīng hào,"HMS Amethyst, Royal Navy corvette involved in a 1949 gunfight with the PLA on the Changjiang" -紫砂,zǐ shā,"a type of clay found in the region of Yixing 宜興|宜兴[Yi2 xing1], used to make Yixing stoneware, with its distinctive russet or dark purple coloring" -紫禁城,zǐ jìn chéng,the Forbidden City; the Imperial Palace in Beijing; same as 故宮|故宫[Gu4 gong1] -紫竹,zǐ zhú,black bamboo (Phyllostachys nigra) -紫红色,zǐ hóng sè,red-purple; mauve; prune (color); claret -紫罗兰,zǐ luó lán,(botany) common stock; gillyflower (Matthiola incana); (botany) violet -紫罗兰色,zǐ luó lán sè,violet (color) -紫翅椋鸟,zǐ chì liáng niǎo,(bird species of China) common starling (Sturnus vulgaris) -紫背椋鸟,zǐ bèi liáng niǎo,(bird species of China) chestnut-cheeked starling (Agropsar philippensis) -紫胀,zǐ zhàng,to get red and swollen -紫色,zǐ sè,purple; violet (color) -紫色花蜜鸟,zǐ sè huā mì niǎo,(bird species of China) purple sunbird (Cinnyris asiaticus) -紫芝眉宇,zǐ zhī méi yǔ,your appearance (honorific) -紫花地丁,zǐ huā dì dīng,Chinese violet (Viola mandsurica) -紫草,zǐ cǎo,red root gromwell (Lithospermum erythrorhizon); flowering plant whose roots provide purple dye; arnebia (plant genus in family Boraginaceae) -紫草科,zǐ cǎo kē,Boraginaceae (family of flowers and bushes) -紫荆,zǐ jīng,Chinese redbud (Cercis chinensis) -紫菀,zǐ wǎn,(botany) aster (Aster tataricus) -紫菜,zǐ cài,"edible seaweed of genus Porphyra or genus Pyropia, esp. one used to make dried sheets of nori" -紫菜包饭,zǐ cài bāo fàn,"gimbap, aka kimbap (Korean dish made by rolling up steamed rice and other ingredients in a sheet of nori)" -紫菜属,zǐ cài shǔ,Porphyra (genus of edible seaweed) -紫菜苔,zǐ cài tái,purple cabbage; Brassica campestris var. purpurea -紫薇,zǐ wēi,crape myrtle -紫藤,zǐ téng,wisteria -紫苏,zǐ sū,beefsteak plant; shiso; Perilla frutescens -紫苏属,zǐ sū shǔ,genus Perilla (includes basil and mints) -紫袍,zǐ páo,"purple qipao gown, the sign of an official position" -紫貂,zǐ diāo,sable (Martes zibellina) -紫质症,zǐ zhì zhèng,porphyria (medicine) -紫金,zǐ jīn,"Zijin county in Heyuan 河源[He2 yuan2], Guangdong" -紫金山,zǐ jīn shān,"Purple Mountain in suburbs of Nanjing, with Ming tombs and Sun Yat-sen's mausoleum" -紫金山天文台,zǐ jīn shān tiān wén tái,Purple Mountain Observatory -紫金牛,zǐ jīn niú,Japanese ardisia (Ardisia japonica) -紫金县,zǐ jīn xiàn,"Zijin county in Heyuan 河源[He2 yuan2], Guangdong" -紫金鹃,zǐ jīn juān,(bird species of China) violet cuckoo (Chrysococcyx xanthorhynchus) -紫铜,zǐ tóng,"copper (pure copper, as opposed to alloy)" -紫锥花,zǐ zhuī huā,coneflower genus (Echinacea) -紫阳,zǐ yáng,"Ziyang County in Ankang 安康[An1 kang1], Shaanxi" -紫阳县,zǐ yáng xiàn,"Ziyang County in Ankang 安康[An1 kang1], Shaanxi" -紫云,zǐ yún,"Ziyun Hmong and Buyei autonomous county in Anshun 安順|安顺[An1 shun4], Guizhou" -紫云英,zǐ yún yīng,Chinese milk vetch (Astragalus sinicus) -紫颊直嘴太阳鸟,zǐ jiá zhí zuǐ tài yáng niǎo,(bird species of China) ruby-cheeked sunbird (Chalcoparia singalensis) -扎,zā,"to tie; to bind; classifier for flowers, banknotes etc: bundle; Taiwan pr. [zha2]" -扎,zhā,(of troops) to be stationed (at); Taiwan pr. [zha2] -扎实,zhā shi,variant of 扎實|扎实[zha1 shi5] -扎寨,zhā zhài,to set up an encampment -扎染,zā rǎn,to tie-dye -扎欧扎翁,zā ōu zā wēng,"name of village in Nyima county, Nagchu prefecture, Tibet" -扎营,zhā yíng,to camp; to pitch camp; stationed; quartered; Taiwan pr. [zha2 ying2] -扎线带,zā xiàn dài,cable ties; zip ties -扎马剌丁,zā mǎ lá dīng,"Jamal al-Din ibn Muhammad al-Najjari (13th century), famous Persian astronomer and scholar who served Khubilai Khan 忽必烈 from c. 1260" -扎马鲁丁,zā mǎ lǔ dīng,see 紮馬剌丁|扎马剌丁[Za1 ma3 la2 ding1] -累,lěi,to accumulate; to involve or implicate (Taiwan pr. [lei4]); continuous; repeated -累,lèi,tired; weary; to strain; to wear out; to work hard -累加器,lěi jiā qì,accumulator (computing) -累加总数,lěi jiā zǒng shù,cumulative total -累及,lěi jí,to involve; to affect -累垮,lèi kuǎ,to collapse; to be worn out; to break down -累坠,léi zhuì,variant of 累贅|累赘[lei2 zhui4] -累坏,lèi huài,to become exhausted -累心,lèi xīn,taxing (mentally or emotionally) -累成狗,lèi chéng gǒu,(Internet slang) to be dog-tired -累死累活,lèi sǐ lèi huó,to tire oneself out through overwork; to work oneself to death -累犯,lěi fàn,to repeatedly commit an offense; repeat offender; habitual criminal; recidivist; recidivism -累积,lěi jī,to accumulate -累积剂量,lěi jī jì liàng,cumulative dose -累累,léi léi,"(literary) (of fruit, achievements etc) clusters of; piles of; heaps of; (literary) gaunt; haggard; wretched; Taiwan pr. [lei3 lei3]" -累累,lěi lěi,again and again; innumerable; repeated; riddled with; accumulated -累觉不爱,lèi jué bù ài,(lit.) so exhausted (by difficulties in a relationship) that one feels one could never fall in love again (Internet slang); disenchanted with sth -累计,lěi jì,to calculate the running total; cumulative; the total; in total -累赘,léi zhuì,superfluous; cumbersome; a burden on sb; a nuisance to sb; to inconvenience; to tie sb down; long-winded (of writing); also pr. [lei2 zhui5] -累趴,lèi pā,tired to the point of dropping -累进,lěi jìn,progressive (taxation etc) -细,xì,thin or slender; finely particulate; thin and soft; fine; delicate; trifling; (of a sound) quiet; frugal -细作,xì zuò,police spy; secret agent -细分,xì fēn,"to divide (into subgroups etc); to break down (into subcategories, subprocesses etc)" -细则,xì zé,detailed rules and regulations; bylaws -细化,xì huà,to give a more granular level of detail; to elaborate; to refine; to become more differentiated -细化管理,xì huà guǎn lǐ,micromanagement -细嘴短趾百灵,xì zuǐ duǎn zhǐ bǎi líng,(bird species of China) Hume's short-toed lark (Calandrella acutirostris) -细嘴鸥,xì zuǐ ōu,(bird species of China) slender-billed gull (Chroicocephalus genei) -细嘴黄鹂,xì zuǐ huáng lí,(bird species of China) slender-billed oriole (Oriolus tenuirostris) -细嚼慢咽,xì jiáo màn yàn,to eat slowly (idiom) -细大不捐,xì dà bù juān,"not to discard anything, whether small or big (idiom); all-embracing" -细姨,xì yí,concubine -细嫩,xì nèn,tender -细密,xì mì,fine (texture); meticulous; careful; detailed -细察,xì chá,to observe carefully -细小,xì xiǎo,tiny; fine; minute -细微,xì wēi,tiny; minute; fine; subtle; sensitive (instruments) -细微末节,xì wēi mò jié,tiny insignificant details; niceties -细心,xì xīn,meticulous; careful; attentive -细思极恐,xì sī jí kǒng,scary to think about (coll.) (coined c. 2013) -细挑,xì tiāo,slender -细支气管炎,xì zhī qì guǎn yán,bronchiolitis -细数,xì shǔ,countdown; breakdown; to list; to enumerate; to run through -细明体,xì míng tǐ,Mincho narrow font -细枝末节,xì zhī mò jié,minor details; trifles -细毛,xì máo,fuzz; fine fur (of marten etc) -细水长流,xì shuǐ cháng liú,lit. thin streams flow forever; fig. economy will get you a long way; to work steadily at something little by little -细沙,xì shā,fine sand -细河,xì hé,"Xihe river in Fuxin; Xihe district of Fuxin city 阜新市, Liaoning" -细河区,xì hé qū,"Xihe district of Fuxin city 阜新市, Liaoning" -细润,xì rùn,fine and glossy -细皮嫩肉,xì pí nèn ròu,soft skin and tender flesh (idiom); smooth-skinned -细目,xì mù,detailed listing; specific item -细看,xì kàn,to peer; to scan; to examine carefully -细碎,xì suì,fragments; bits and pieces -细磨刀石,xì mò dāo shí,whetstone (for honing knives) -细究,xì jiū,to look into (a matter) -细节,xì jié,details; particulars -细粉,xì fěn,powder -细粒,xì lì,fine grain; fine-grained -细纹噪鹛,xì wén zào méi,(bird species of China) streaked laughingthrush (Trochalopteron lineatum) -细纹苇莺,xì wén wěi yīng,(bird species of China) speckled reed warbler (Acrocephalus sorghophilus) -细细,xì xì,attentive; careful -细细品味,xì xì pǐn wèi,to savor; to relish -细线,xì xiàn,string; thread -细致,xì zhì,delicate; fine; careful; meticulous; painstaking -细绳,xì shéng,string; twine; cord -细声细气,xì shēng xì qì,in a fine voice (idiom); softly spoken -细听,xì tīng,to listen carefully (for tiny sounds) -细胞,xì bāo,cell (biology) -细胞分裂,xì bāo fēn liè,cell division -细胞周期,xì bāo zhōu qī,cell cycle -细胞器,xì bāo qì,organelle -细胞器官,xì bāo qì guān,organelle -细胞因子,xì bāo yīn zǐ,cytokine -细胞培养,xì bāo péi yǎng,cell culture -细胞培养器,xì bāo péi yǎng qì,cell cultivator -细胞壁,xì bāo bì,cell wall -细胞外液,xì bāo wài yè,extracellular fluid -细胞学,xì bāo xué,cytology -细胞核,xì bāo hé,nucleus (of cell) -细胞毒,xì bāo dú,cytotoxin -细胞毒性,xì bāo dú xìng,cytotoxicity -细胞生物学,xì bāo shēng wù xué,cell biology -细胞破碎,xì bāo pò suì,(biotechnology) cell disruption -细胞膜,xì bāo mó,cell membrane -细胞色素,xì bāo sè sù,cytochrome -细胞融合,xì bāo róng hé,cell fusion -细胞质,xì bāo zhì,cytoplasm -细胞骨架,xì bāo gǔ jià,cytoskeleton (of a cell) -细腰,xì yāo,slender waist; fig. pretty woman; mortise and tenon joint on a coffin -细腻,xì nì,"(of skin etc) smooth; satiny; delicate; (of a performance, depiction, craftsmanship etc) finely detailed; subtle; exquisite; meticulous" -细菌,xì jūn,bacterium; germ -细菌性痢疾,xì jūn xìng lì jí,bacillary dysentery -细菌战,xì jūn zhàn,biological warfare; germ warfare -细菌武器,xì jūn wǔ qì,biological weapon (using germs) -细菌病毒,xì jūn bìng dú,bacteriophage; virus that infects bacteria -细菌群,xì jūn qún,bacterial community (e.g. in the gut) -细叶脉,xì yè mài,veinlet in a leaf -细语,xì yǔ,to chat with a low voice -细说,xì shuō,to tell in detail -细调,xì diào,to fine tune -细软,xì ruǎn,fine and soft; valuables -细辛,xì xīn,Manchurian wild ginger (family Asarum) -细部,xì bù,small part (of a whole ensemble); detail -细长,xì cháng,slender -细雨,xì yǔ,fine rain; drizzle; poem by Tang poet Li Shangyin 李商隱|李商隐 -细颈瓶,xì jǐng píng,jug -细颗粒物,xì kē lì wù,fine particle (PM 2.5); fine particulate matter (air pollution etc) -细香葱,xì xiāng cōng,chive -细盐,xì yán,refined salt; table salt -绂,fú,ribbon for a seal; sash -绁,xiè,to tie; to bind; to hold on a leash; rope; cord -绅,shēn,member of gentry -绅士,shēn shì,gentleman -绍,shào,surname Shao -绍,shào,to continue; to carry on -绍兴,shào xīng,"Shaoxing, prefecture-level city in Zhejiang" -绍兴市,shào xīng shì,"Shaoxing, prefecture-level city in Zhejiang" -绍兴酒,shào xīng jiǔ,"Shaoxing wine a.k.a. ""yellow wine"", traditional Chinese wine made from glutinous rice and wheat" -绍莫吉州,shào mò jí zhōu,"Somogy, a county in southwest Hungary, capital 考波什堡[Kao3bo1shi2bao3]" -绀,gàn,violet or purple -绋,fú,heavy rope; rope of a bier -绐,dài,to cheat; to pretend; to deceive -绌,chù,crimson silk; deficiency; to stitch -终,zhōng,end; finish -终久,zhōng jiǔ,in the end; eventually -终了,zhōng liǎo,to end -终傅,zhōng fù,last rites (Christian ceremony) -终南,zhōng nán,"Zhongnan mountains, near Xi'an" -终南山,zhōng nán shān,"Zhongnan Mountains, near Xi'an; also known as the Taiyi Mountains" -终南捷径,zhōng nán jié jìng,"lit. the Mount Zhongnan shortcut (idiom); fig. shortcut to a high-flying career; easy route to success (an allusion to the Tang Dynasty story of 盧藏用|卢藏用[Lu2 Cang4 yong4], who lived like a hermit on Mt. Zhongnan in order to gain a reputation for wisdom, which he then used to gain a position in the Imperial Court)" -终场,zhōng chǎng,end (of a performance or sports match); last round of testing in the imperial examinations -终场锣声,zhōng chǎng luó shēng,the final bell (esp. in sports competition) -终天,zhōng tiān,all day long; all one's life -终天之恨,zhōng tiān zhī hèn,eternal regret -终审,zhōng shěn,final ruling -终审法院,zhōng shěn fǎ yuàn,Court of Final Appeal -终局,zhōng jú,endgame; conclusion; outcome; final part of a chess game -终年,zhōng nián,entire year; throughout the year; age at death -终年积雪,zhōng nián jī xuě,permanent snow cover -终成泡影,zhōng chéng pào yǐng,(idiom) to come to nothing -终成眷属,zhōng chéng juàn shǔ,see 有情人終成眷屬|有情人终成眷属[you3 qing2 ren2 zhong1 cheng2 juan4 shu3] -终战,zhōng zhàn,end of the war -终于,zhōng yú,at last; in the end; finally; eventually -终日,zhōng rì,all day long -终期,zhōng qī,terminal; final -终期癌,zhōng qī ái,terminal cancer -终极,zhōng jí,ultimate; final -终止,zhōng zhǐ,to stop; to terminate -终生,zhōng shēng,throughout one's life; lifetime; lifelong -终生伴侣,zhōng shēng bàn lǚ,lifelong partner or companion -终产物,zhōng chǎn wù,end product -终究,zhōng jiū,in the end; after all is said and done -终端,zhōng duān,end; terminal -终端机,zhōng duān jī,terminal -终端用户,zhōng duān yòng hù,end user -终结,zhōng jié,end; conclusion; to come to an end; to terminate (sth) -终老,zhōng lǎo,to spend one's last years -终而复始,zhōng ér fù shǐ,lit. the end comes back to the start (idiom); the wheel comes full circle -终声,zhōng shēng,the final of a Korean syllable (consonant or consonant cluster at the end of the syllable) -终身,zhōng shēn,lifelong; all one's life; marriage -终身俸,zhōng shēn fèng,"(Tw) pension (for retired military, civil service and teaching personnel)" -终身制,zhōng shēn zhì,life tenure -终身大事,zhōng shēn dà shì,major turning point of lifelong import (esp. marriage) -终身监禁,zhōng shēn jiān jìn,life sentence -终点,zhōng diǎn,the end; end point; finishing line (in a race); destination; terminus; CL:個|个[ge4] -终点地址,zhōng diǎn dì zhǐ,destination address -终点站,zhōng diǎn zhàn,terminus; final stop on rail or bus line -终点线,zhōng diǎn xiàn,finishing line -组,zǔ,surname Zu -组,zǔ,"to form; to organize; group; team; classifier for sets, series, groups of people, batteries" -组件,zǔ jiàn,module; unit; component; assembly -组分,zǔ fèn,components; individual parts making up a compound -组合,zǔ hé,to assemble; to combine; to compose; combination; association; set; compilation; (math.) combinatorial -组合拳,zǔ hé quán,a combination of punches; (fig.) a set of measures -组合数学,zǔ hé shù xué,combinatorial mathematics; combinatorics -组合论,zǔ hé lùn,combinatorics -组合音响,zǔ hé yīn xiǎng,hi-fi system; stereo sound system; abbr. to 音響|音响[yin1 xiang3] -组图,zǔ tú,picture; image; diagram; map -组团,zǔ tuán,to form a group or delegation -组块,zǔ kuài,chunk -组委,zǔ wěi,organizational committee; abbr. for 組織委員會|组织委员会 -组字,zǔ zì,word formation -组屋,zǔ wū,HDB flats; public apartment flats (in Singapore and Malaysia) -组建,zǔ jiàn,to organize; to set up; to establish -组成,zǔ chéng,to form; to make up; to constitute -组成部分,zǔ chéng bù fèn,part; component; ingredient; constituent -组曲,zǔ qǔ,suite (music) -组会,zǔ huì,group meeting -组氨酸,zǔ ān suān,"histidine (His), an essential amino acid" -组织,zǔ zhī,to organize; organization; (biology) tissue; (textiles) weave; CL:個|个[ge4] -组织委员会,zǔ zhī wěi yuán huì,organizing committee; abbr. to 組委|组委 -组织学,zǔ zhī xué,histology -组织法,zǔ zhī fǎ,organic law -组织浆霉菌病,zǔ zhī jiāng méi jūn bìng,histoplasmosis -组织者,zǔ zhī zhě,organizer -组织胞浆菌病,zǔ zhī bāo jiāng jūn bìng,histoplasmosis -组织胺,zǔ zhī àn,histamine -组胺,zǔ àn,histamine (a biogenic amine involved in local immune responses) -组装,zǔ zhuāng,to assemble; to put together -组装厂,zǔ zhuāng chǎng,assembly plant -组词,zǔ cí,to combine words; word formation -组距,zǔ jù,class interval (statistics) -组长,zǔ zhǎng,group leader -组阁,zǔ gé,to form a cabinet -组队,zǔ duì,to team up (with); to put a team together -绊,bàn,to trip; to stumble; to hinder -绊住,bàn zhù,to entangle; to hinder; to impede movement -绊倒,bàn dǎo,to trip; to stumble -绊脚,bàn jiǎo,to stumble over sth -绊脚石,bàn jiǎo shí,stumbling block; obstacle; someone who gets in your way -绊跤,bàn jiāo,to trip; to stumble -绗,háng,to quilt -绗缝,háng féng,to quilt -绁,xiè,variant of 紲|绁[xie4] -结,jiē,(of a plant) to produce (fruit or seeds); Taiwan pr. [jie2] -结,jié,knot; sturdy; bond; to tie; to bind; to check out (of a hotel) -结了,jié le,that's that; that's it; that will do -结交,jié jiāo,to make friends with -结仇,jié chóu,to start a feud; to become enemies -结伙,jié huǒ,to form a gang -结伴,jié bàn,to go with sb; to form companionships -结伴而行,jié bàn ér xíng,(of a group) to stay together; to keep together -结冰,jié bīng,to freeze -结出,jiē chū,to bear (fruit) -结汇,jié huì,foreign exchange settlement -结合,jié hé,to combine; to link; to integrate; binding; CL:次[ci4] -结合律,jié hé lǜ,associative law (xy)z = x(yz) (math.) -结合模型,jié hé mó xíng,combination model -结合过程,jié hé guò chéng,cohesive process(es) -结喉,jié hóu,see 喉結|喉结[hou2 jie2] -结单,jié dān,statement of account -结婚,jié hūn,to marry; to get married; CL:次[ci4] -结婚生子,jié hūn shēng zǐ,to get married and have kids; to start a family -结婚纪念日,jié hūn jì niàn rì,wedding anniversary -结婚证,jié hūn zhèng,marriage certificate -结子,jiē zǐ,to bear seeds (of plant) -结子,jié zi,knot (on a rope or string) -结存,jié cún,balance; cash in hand -结实,jiē shí,to bear fruit -结实,jiē shi,rugged; sturdy; strong; durable; buff (physique) -结对子,jié duì zi,"(of two parties, e.g. police and the community) to team up; to pair up; to form a cooperative association" -结尾,jié wěi,ending; coda; to wind up -结局,jié jú,conclusion; ending -结巴,jiē ba,to stutter -结帐,jié zhàng,to pay the bill; to settle accounts; also written 結賬|结账 -结幕,jié mù,final scene (of a play); denouement -结庐,jié lú,to build one's house -结彩,jié cǎi,to adorn; to festoon -结怨,jié yuàn,to arouse dislike; to incur hatred -结恭,jié gōng,to be constipated (euphemism) -结成,jié chéng,to form; to forge (alliances etc) -结拜,jié bài,to become sworn brothers or sisters; sworn (brothers) -结晶,jié jīng,to crystallize; crystallization; crystal; crystalline; (fig.) the fruit (of labor etc) -结晶学,jié jīng xué,crystallography -结晶水,jié jīng shuǐ,water of crystallization -结晶状,jié jīng zhuàng,crystalline -结晶体,jié jīng tǐ,a crystal -结末,jié mò,ending; finally -结束,jié shù,termination; to finish; to end; to conclude; to close -结束工作,jié shù gōng zuò,to finish work -结束语,jié shù yǔ,concluding remarks -结果,jiē guǒ,to bear fruit; CL:個|个[ge4] -结果,jié guǒ,outcome; result; conclusion; in the end; as a result; to kill; to dispatch -结核,jié hé,tuberculosis; consumption; nodule -结核杆菌,jié hé gǎn jūn,tubercle bacillus -结核病,jié hé bìng,tuberculosis -结核菌素,jié hé jūn sù,tubercule bacillus -结案,jié àn,to conclude a case; to wind up -结梁子,jié liáng zi,(slang) to start a feud; to have a beef -结棍,jié gùn,(Wu dialect) sturdy; robust; formidable; awesome -结业,jié yè,"to finish school, esp. a short course; to complete a course; (of a company) to cease operations" -结构,jié gòu,"structure; composition; makeup; architecture; CL:座[zuo4],個|个[ge4]" -结构主义,jié gòu zhǔ yì,structuralism -结构助词,jié gòu zhù cí,"structural particle, such as 的[de5], 地[de5], 得[de5] and 所[suo3]" -结构式,jié gòu shì,structural formula (chemistry) -结构性,jié gòu xìng,structural; structured -结构理论,jié gòu lǐ lùn,structural theory (physics) -结欢,jié huān,on friendly terms -结壳,jié ké,crust; crusting; incrustation -结清,jié qīng,to settle (an account); to square up -结球甘蓝,jié qiú gān lán,cabbage -结界,jié jiè,"(Buddhism) to designate the boundaries of a sacred place within which monks are to be trained; a place so designated; (fantasy fiction) force field; invisible barrier (orthographic borrowing from Japanese 結界 ""kekkai"")" -结疤,jié bā,to form a scar; to form a scab -结痂,jié jiā,scab; to form a scab -结盟,jié méng,to form an alliance; to ally oneself with; allied with; aligned; to bond with -结石,jié shí,(medicine) calculus; stone -结社,jié shè,to form an association -结社自由,jié shè zì yóu,(constitutional) freedom of association -结算,jié suàn,to settle a bill; to close an account -结算方式,jié suàn fāng shì,"settlement terms (accountancy, law)" -结节,jié jié,nodule; tubercle -结纳,jié nà,to make friends; to form friendship -结扎,jié zā,to tie up; to bind up; (medicine) to ligate; (of a male) to have a vasectomy (ligation of the vasa deferentia); (of a female) to have one's tubes tied (tubal ligation) -结结巴巴,jiē jiē bā ba,stammeringly -结网,jié wǎng,to spin a web (spider); to weave a net (e.g. for fishing) -结缔组织,jié dì zǔ zhī,connective tissue -结缘,jié yuán,"to form ties; to become attached (to sb, sth)" -结缡,jié lí,to marry; to tie the bridal veil -结缨,jié yīng,to die a hero; martyrdom in a good cause -结义,jié yì,to swear brotherhood -结脉,jié mài,knotted or slow pulse (TCM) -结肠,jié cháng,colon (large intestine) -结肠炎,jié cháng yán,colitis (medicine) -结肠镜,jié cháng jìng,colonoscope; colonoscopy (abbr. for 結腸鏡檢查|结肠镜检查[jie2 chang2 jing4 jian3 cha2]) -结肠镜检查,jié cháng jìng jiǎn chá,colonoscopy -结膜,jié mó,conjunctiva (membrane surrounding the eyeball) -结膜炎,jié mó yán,conjunctivitis -结舌,jié shé,"tongue-tied; unable to speak (out of surprise, embarrassment etc)" -结草,jié cǎo,deep gratitude up to death -结草衔环,jié cǎo xián huán,to repay sb's kind acts (idiom) -结褵,jié lí,to marry; to tie the bridal veil -结亲,jié qīn,to marry -结训,jié xùn,to complete the training course (Tw) -结记,jié jì,to remember; to concern oneself with -结语,jié yǔ,concluding remarks -结论,jié lùn,conclusion; verdict; CL:個|个[ge4]; to conclude; to reach a verdict -结识,jié shí,to get to know sb; to meet sb for the first time -结账,jié zhàng,to pay the bill; to settle accounts; also written 結帳|结帐 -结连,jié lián,linked in a chain -结队,jié duì,to troop (of soldiers etc); convoy -结队成群,jié duì chéng qún,to form a large group (idiom) -结霜,jié shuāng,to frost up -结余,jié yú,balance; cash surplus -结发,jié fà,(in former times) to bind one's hair on coming of age -结点,jié diǎn,joint; node -结党,jié dǎng,to form a clique -结党营私,jié dǎng yíng sī,(idiom) to form a clique for self-serving purposes -絓,guà,to hinder; to offend; to form; unique -絓,kuā,type of coarse silk; bag used to wrap silk before washing -绝,jué,to cut short; extinct; to disappear; to vanish; absolutely; by no means -绝不,jué bù,in no way; not in the least; absolutely not -绝世,jué shì,unique; exceptional -绝世佳人,jué shì jiā rén,a woman of unmatched beauty (idiom) -绝了,jué le,(slang) awesome; dope -绝交,jué jiāo,to break off relations; to break with sb -绝代,jué dài,"peerless; unmatched in his generation; incomparable (talent, beauty)" -绝代佳人,jué dài jiā rén,beauty unmatched in her generation (idiom); woman of peerless elegance; prettiest girl ever -绝佳,jué jiā,exceptionally good -绝倒,jué dǎo,to split one's sides laughing -绝伦,jué lún,outstanding; peerless; beyond compare -绝口不提,jué kǒu bù tí,(idiom) to avoid mentioning -绝句,jué jù,quatrain (poetic form) -绝命,jué mìng,to commit suicide; to have one's life cut short -绝命书,jué mìng shū,suicide note -绝品,jué pǐn,peerless artwork; absolute gem -绝唱,jué chàng,most perfect song -绝地,jué dì,danger spot; Jedi (in Star Wars) -绝域,jué yù,a faraway and hard-to-reach land (classical) -绝境,jué jìng,desperate straits -绝壁,jué bì,precipice -绝大多数,jué dà duō shù,the vast majority -绝大部分,jué dà bù fen,overwhelming majority -绝妙,jué miào,exquisite -绝密,jué mì,top secret -绝密文件,jué mì wén jiàn,top secret document; classified papers -绝对,jué duì,absolute; unconditional -绝对值,jué duì zhí,absolute value -绝对地址,jué duì dì zhǐ,absolute address (computing) -绝对多数,jué duì duō shù,absolute majority -绝对大多数,jué duì dà duō shù,absolute majority -绝对数字,jué duì shù zì,absolute (as opposed to relative) number -绝对权,jué duì quán,(law) absolute rights; erga omnes rights -绝对温度,jué duì wēn dù,absolute temperature -绝对湿度,jué duì shī dù,absolute humidity -绝对观念,jué duì guān niàn,absolute idea (in Hegel's philosophy) -绝对连续,jué duì lián xù,absolutely continuous (math.) -绝对零度,jué duì líng dù,absolute zero -绝对高度,jué duì gāo dù,absolute temperature -绝后,jué hòu,to have no offspring; never to be seen again; unique -绝情,jué qíng,heartless; without regard for others' feelings -绝技,jué jì,consummate skill; supreme feat; tour-de-force; stunt -绝招,jué zhāo,unique skill; unexpected tricky move (as a last resort); masterstroke; finishing blow -绝收,jué shōu,"(agriculture) to have no harvest (due to flooding, diseases etc)" -绝景,jué jǐng,stunning scenery -绝望,jué wàng,to despair; to give up all hope; desperate; desperation -绝杀,jué shā,"to deal the fatal blow (sports, chess etc); to score the winning point" -绝气,jué qì,to expire -绝活,jué huó,specialty; unique skill -绝灭,jué miè,to annihilate; to exterminate; extinction -绝无仅有,jué wú jǐn yǒu,one and only (idiom); rarely seen; unique of its kind -绝然,jué rán,completely; absolutely -绝热,jué rè,to insulate thermally; (physics) adiabatic -绝热漆,jué rè qī,heat-resistant paint -绝版,jué bǎn,out of print -绝产,jué chǎn,crop failure; property left with no-one to inherit; sterilization -绝症,jué zhèng,incurable disease; terminal illness -绝种,jué zhǒng,extinct (species); extinction -绝笔,jué bǐ,words written on one’s deathbed; an artist's final work; swansong -绝粮,jué liáng,provisions are exhausted; out of food -绝经,jué jīng,menopause -绝缘,jué yuán,to have no contact with; to be cut off from; (electricity) to insulate -绝缘体,jué yuán tǐ,electrical insulation; heat insulation -绝罚,jué fá,to excommunicate -绝育,jué yù,to sterilize; to spay -绝色,jué sè,(of a woman) remarkably beautiful; stunning -绝处逢生,jué chù féng shēng,to find a way to survive when everything seems hopeless (idiom) -绝诣,jué yì,profoundly well-versed -绝赞,jué zàn,amazing; awesome; ultimate -绝迹,jué jì,to be eradicated; to vanish; extinct; to break off relations -绝配,jué pèi,perfect match -绝门儿,jué mén er,extinct profession; lost trade; unique skill; astonishing; fantastic -绝非,jué fēi,absolutely not -绝顶,jué dǐng,(lit. and fig.) summit; peak; extremely; utterly -绝顶聪明,jué dǐng cōng ming,highly intelligent; brilliant -绝食,jué shí,to go on a hunger strike -绝食抗议,jué shí kàng yì,hunger strike -絘,cì,ancient tax in the form of bales of cloth -絘布,cì bù,ancient tax in the form of bales of cloth -绦,dí,see 絛綸|绦纶[di2 lun2] -绦,tāo,braid; cord; sash -绦子,tāo zi,silk ribbon or braid; lace or embroidery used for hemming -绦带,tāo dài,silk ribbon; silk braid -绦纶,dí lún,variant of 滌綸|涤纶[di2 lun2] -绦虫,tāo chóng,tapeworm -绦虫纲,tāo chóng gāng,Cestoda (an order of flatworms) -絜,jié,clean -絜,xié,marking line; pure; to regulate -绔,kù,variant of 褲|裤[ku4] -绞,jiǎo,to twist (strands into a thread); to entangle; to wring; to hang (by the neck); to turn; to wind; classifier for skeins of yarn -绞刀,jiǎo dāo,reamer -绞刑,jiǎo xíng,to execute by hanging -绞刑架,jiǎo xíng jià,gibbet; hanging post -绞扭,jiǎo niǔ,to wring -绞架,jiǎo jià,gallows; gibbet -绞死,jiǎo sǐ,to hang (i.e. execute by hanging); to strangle -绞杀,jiǎo shā,"to kill by strangling, hanging or garrotting; (fig.) to snuff out" -绞痛,jiǎo tòng,"sharp pain; cramp; griping pain; colic; angina, cf 心絞痛|心绞痛" -绞尽脑汁,jiǎo jìn nǎo zhī,to rack one's brains -绞盘,jiǎo pán,capstan -绞索,jiǎo suǒ,a noose for hanging criminals -绞缢,jiǎo yì,to be hanged; to hang oneself -绞肉,jiǎo ròu,minced meat -绞肉机,jiǎo ròu jī,meat grinder -绞股蓝,jiǎo gǔ lán,jiaogulan (Gynostemma pentaphyllum) -绞脑汁,jiǎo nǎo zhī,to rack one's brains -绞车,jiǎo chē,winch; windlass -络,lào,small net -络,luò,net-like object; to hold sth in place with a net; to wind; to twist; (TCM) channels in the human body -络绎,luò yì,continuous; unending -络绎不绝,luò yì bù jué,(idiom) continuously; in an endless stream -络腮胡子,luò sāi hú zi,full beard -绚,xuàn,adorned; swift; gorgeous; brilliant; variegated -绚烂,xuàn làn,splendid; gorgeous; dazzling -绚丽,xuàn lì,gorgeous; magnificent -绚丽多彩,xuàn lì duō cǎi,bright and colorful; gorgeous -给,gěi,to; for; for the benefit of; to give; to allow; to do sth (for sb); (grammatical equivalent of 被); (grammatical equivalent of 把); (sentence intensifier) -给,jǐ,to supply; to provide -给予,jǐ yǔ,(literary) to give; to accord; to render -给事,jǐ shì,"(the name of an official position in the imperial court), aka 給事中|给事中[ji3 shi4 zhong1]" -给付,jǐ fù,to pay; payment -给以,gěi yǐ,to give; to grant -给你点颜色看看,gěi nǐ diǎn yán sè kàn kan,(I'll) teach you a lesson; put you in your place -给力,gěi lì,cool; nifty; awesome; impressive; to put in extra effort -给定,gěi dìng,to state in advance; preset; given -给水,jǐ shuǐ,to supply water; to provide feedwater -给皂器,jǐ zào qì,soap dispenser -给与,jǐ yǔ,variant of 給予|给予[ji3 yu3] -给药,jǐ yào,to administer medicine -给面子,gěi miàn zi,to show deference or praise publicly -给养,jǐ yǎng,provisions; supplies; victuals; (literary) to support; to provide for; to look after -绒,róng,velvet; woolen -绒布,róng bù,flannel -绒毛,róng máo,fur; down (soft fur); villi capillary (in the small intestine) -绒毛性腺激素,róng máo xìng xiàn jī sù,human chorionic gonadotropin (HCG) -绒球,róng qiú,pompon -绒线,róng xiàn,wool; woolen thread -绒螯蟹,róng áo xiè,mitten crab (Eriocheir sinensis) -絮,xù,cotton wadding; fig. padding; long-winded -絮叨,xù dao,long-winded; garrulous; to talk endlessly without getting to the point -絮嘴,xù zuǐ,to chatter endlessly -絮棉,xù mián,cotton wadding -絮烦,xù fán,boring prattle -絮片,xù piàn,floccule; a wisp of material precipitated from liquid -絮状物,xù zhuàng wù,floccule; a wisp of material precipitated from liquid -絮球,xù qiú,"ball of fluff (containing seeds), e.g. a dandelion clock" -絮絮,xù xu,endless prattle; to chatter incessantly -絮絮叨叨,xù xu dāo dāo,long-winded; garrulous; to talk endlessly without getting to the point -絮聒,xù guō,noisy prattle; to chatter loudly -絮语,xù yǔ,to chatter incessantly -絮说,xù shuō,to chatter endlessly -统,tǒng,to gather; to unite; to unify; whole -统一,tǒng yī,7-Eleven (convenience store chain) -统一,tǒng yī,to unify; to integrate; unified; integrated -统一口径,tǒng yī kǒu jìng,to adopt a unified approach to discussing an issue; to sing from the same hymn sheet -统一思想,tǒng yī sī xiǎng,with the same idea in mind; with a common purpose -统一性,tǒng yī xìng,unity -统一战线,tǒng yī zhàn xiàn,united front -统一战线工作部,tǒng yī zhàn xiàn gōng zuò bù,United Front Work Department of CCP Central Committee (UFWD) -统一招生,tǒng yī zhāo shēng,national unified entrance exam -统一新罗,tǒng yī xīn luó,"unified Silla (658-935), Korean kingdom" -统一发票,tǒng yī fā piào,"uniform invoice, a standardized government-issued invoice used in Taiwan for recording financial transactions, including purchases and sales, and also serving as a ticket for a lottery program to promote transparency and tax compliance" -统一码,tǒng yī mǎ,Unicode -统一社会信用代码,tǒng yī shè huì xìn yòng dài mǎ,"unified social credit identifier, the VAT identification number of a business or organization" -统一编号,tǒng yī biān hào,(Tw) the VAT identification number of a business or organization -统一规划,tǒng yī guī huà,integrated program -统一资源,tǒng yī zī yuán,unified resource -统一资源定位,tǒng yī zī yuán dìng wèi,"universal resource locator (URL), i.e. webaddress" -统一资源定位符,tǒng yī zī yuán dìng wèi fú,"universal resource locator (URL), i.e. webaddress" -统一超,tǒng yī chāo,7-Eleven (convenience store chain) (abbr. for 統一超商|统一超商[Tong3yi1 Chao1shang1]) -统一体,tǒng yī tǐ,whole; single entity -统共,tǒng gòng,altogether; in total -统制,tǒng zhì,to control -统合,tǒng hé,(Tw) to integrate; integrated -统属,tǒng shǔ,subordination; line of command -统帅,tǒng shuài,command; commander-in-chief -统建,tǒng jiàn,to develop as a government project; to construct under the authority of a commission -统御,tǒng yù,(literary) to have control over; to rule -统感,tǒng gǎn,feeling of togetherness -统战,tǒng zhàn,united front (abbr. for 統一戰線|统一战线[tong3 yi1 zhan4 xian4]) -统战部,tǒng zhàn bù,United Front Work Department of CCP Central Committee (UFWD); abbr. for 統一戰線工作部|统一战线工作部[Tong3 yi1 Zhan4 xian4 Gong1 zuo4 bu4] -统摄,tǒng shè,to command -统揽,tǒng lǎn,to be in overall charge; to have overall control -统治,tǒng zhì,to rule (a country); to govern; rule; regime -统治权,tǒng zhì quán,sovereignty; dominion; dominance -统治者,tǒng zhì zhě,ruler -统汉字,tǒng hàn zì,Unihan; China Japan Korea (CJK) unified ideographs; abbr. for 中日韓統一表意文字|中日韩统一表意文字[Zhong1 Ri4 Han2 tong3 yi1 biao3 yi4 wen2 zi4] -统独,tǒng dú,unification and independence -统率,tǒng shuài,to command; to direct -统称,tǒng chēng,to be collectively called; collective term; general designation -统称为,tǒng chēng wéi,collectively known as; to call sth as a group -统管,tǒng guǎn,unified administration -统筹,tǒng chóu,an overall plan; to plan an entire project as a whole -统筹兼顾,tǒng chóu jiān gù,an overall plan taking into account all factors -统统,tǒng tǒng,totally -统编,tǒng biān,(Tw) the VAT identification number of a business or organization (abbr. for 統一編號|统一编号[tong3 yi1 bian1 hao4]) -统考,tǒng kǎo,unified examination (e.g. across the country) -统舱,tǒng cāng,common passenger accommodation in the hold of a ship; steerage -统计,tǒng jì,statistics; to count; to add up -统计员,tǒng jì yuán,statistician -统计学,tǒng jì xué,statistics -统计数据,tǒng jì shù jù,statistical data -统计结果,tǒng jì jié guǒ,statistical results -统计表,tǒng jì biǎo,statistical table; chart -统读,tǒng dú,"standard (unified) pronunciation of a character with multiple readings, as stipulated by the PRC Ministry of Education in 1985" -统货,tǒng huò,unified goods; goods in the command economy that are not graded by quality and uniformly priced -统购,tǒng gòu,state purchasing monopoly; unified government purchase -统购派购,tǒng gòu pài gòu,unified government purchase at fixed price (esp of farm products) -统购统销,tǒng gòu tǒng xiāo,state monopoly of purchasing and marketing -统辖,tǒng xiá,to govern; to have complete control over; to be in command of -统通,tǒng tōng,everything -统配,tǒng pèi,a unified distribution; a unified allocation -统销,tǒng xiāo,state marketing monopoly -统铺,tǒng pù,a common bed (to sleep many) -统领,tǒng lǐng,to lead; to command; commander; officer -统驭,tǒng yù,to control -丝,sī,"silk; thread-like thing; (cuisine) shreds or julienne strips; classifier: a trace (of smoke etc), a tiny bit etc" -丝光椋鸟,sī guāng liáng niǎo,(bird species of China) red-billed starling (Spodiopsar sericeus) -丝囊,sī náng,spinneret -丝巾,sī jīn,headscarf; kerchief; silk neckband -丝带,sī dài,ribbon -丝柏,sī bó,cypress -丝毫,sī háo,the slightest amount or degree; a bit -丝毫不差,sī háo bù chā,accurate to perfection (idiom); precise to the finest detail -丝氨酸,sī ān suān,"serine (Ser), an amino acid" -丝状,sī zhuàng,thread-like -丝状物,sī zhuàng wù,filament -丝状病毒,sī zhuàng bìng dú,filovirus -丝瓜,sī guā,luffa (loofah) -丝盘虫,sī pán chóng,Trichoplax adhaerens (biology) -丝竹,sī zhú,traditional Chinese musical instruments; music -丝绦,sī tāo,silk waistband -丝绒,sī róng,velvet -丝丝小雨,sī sī xiǎo yǔ,fine drizzle -丝绸,sī chóu,silk cloth; silk -丝绸之路,sī chóu zhī lù,the Silk Road -丝绸古路,sī chóu gǔ lù,the ancient Silk Road; see also 絲綢之路|丝绸之路[Si1 chou2 zhi1 Lu4] -丝绸织物,sī chóu zhī wù,silk fabric -丝网,sī wǎng,silk screen; screen (printing) -丝绵,sī mián,silk floss; down -丝线,sī xiàn,silk thread (for sewing); silk yarn (for weaving) -丝缕,sī lǚ,silk thread -丝织品,sī zhī pǐn,item made from woven silk or rayon -丝织物,sī zhī wù,woven silk fabric -丝腺,sī xiàn,silk gland -丝袜,sī wà,stockings; pantyhose -丝足,sī zú,feet and legs in silk stockings (especially in the massage context) -丝路,sī lù,the Silk Road; abbr. for 絲綢之路|丝绸之路[Si1 chou2 zhi1 Lu4] -丝雨,sī yǔ,drizzle; fine rain -绛,jiàng,capital of the Jin State during the Spring and Autumn Period (770-475 BC) -绛,jiàng,purple-red -绛紫,jiàng zǐ,dark reddish purple -绛县,jiàng xiàn,"Jiang county in Yuncheng 運城|运城[Yun4 cheng2], Shanxi" -绝,jué,variant of 絕|绝[jue2] -绢,juàn,"thin, tough silk fabric" -絻,miǎn,old variant of 冕[mian3] -絻,wèn,(old) mourning apparel -绑,bǎng,to tie; bind or fasten together; to kidnap -绑住,bǎng zhù,to fasten; to bind -绑匪,bǎng fěi,kidnapper -绑定,bǎng dìng,(loanword) binding; to bind (e.g. an account to a mobile phone number) -绑带,bǎng dài,bandage; puttee -绑架,bǎng jià,to kidnap; to abduct; to hijack; a kidnapping; abduction; staking -绑桩,bǎng zhuāng,"(Tw) to buy off influential people (in an election, a call for tenders etc)" -绑标,bǎng biāo,bid rigging; collusive tendering -绑票,bǎng piào,to kidnap (for ransom) -绑扎,bǎng zā,to bind; to wrap up; (computing) binding -绑缚,bǎng fù,to tie up; to bind; to tether; bondage (BDSM) -绑腿,bǎng tuǐ,leg wrappings; puttee; gaiters; leggings -绑走,bǎng zǒu,to abduct; to kidnap -绑赴市曹,bǎng fù shì cáo,to bind up and take to the market (idiom); to take a prisoner to the town center for execution -绡,xiāo,raw silk -绠,gěng,(literary) well rope (for drawing water) -绨,tí,coarse greenish black pongee -绣,xiù,variant of 繡|绣[xiu4] -绥,suí,to pacify; Taiwan pr. [sui1] -绥中,suí zhōng,"Suizhong county in Huludao 葫蘆島|葫芦岛, Liaoning" -绥中县,suí zhōng xiàn,"Suizhong county in Huludao 葫蘆島|葫芦岛, Liaoning" -绥化,suí huà,"Suihua, prefecture-level city in Heilongjiang province 黑龍江|黑龙江[Hei1 long2 jiang1] in northeast China" -绥化市,suí huà shì,"Suihua, prefecture-level city in Heilongjiang Province 黑龍江|黑龙江[Hei1 long2 jiang1] in northeast China" -绥宁,suí níng,"Suining county in Shaoyang 邵陽|邵阳[Shao4 yang2], Hunan" -绥宁县,suí níng xiàn,"Suining county in Shaoyang 邵陽|邵阳[Shao4 yang2], Hunan" -绥德,suí dé,"Suide County in Yulin 榆林[Yu2 lin2], Shaanxi" -绥德县,suí dé xiàn,"Suide County in Yulin 榆林[Yu2 lin2], Shaanxi" -绥江,suí jiāng,"Suijiang county in Zhaotong 昭通[Zhao1 tong1], Yunnan" -绥江县,suí jiāng xiàn,"Suijiang county in Zhaotong 昭通[Zhao1 tong1], Yunnan" -绥滨,suí bīn,"Suibin county in Hegang 鶴崗|鹤岗[He4 gang3], Heilongjiang" -绥滨县,suí bīn xiàn,"Suibin county in Hegang 鶴崗|鹤岗[He4 gang3], Heilongjiang" -绥棱,suí léng,"Suileng county in Suihua 綏化|绥化, Heilongjiang" -绥棱县,suí léng xiàn,"Suileng county in Suihua 綏化|绥化, Heilongjiang" -绥芬河,suí fēn hé,"Suifenhe River; Suifenhe, county-level city in Mudanjiang 牡丹江, Heilongjiang" -绥芬河市,suí fēn hé shì,"Suifenhe, county-level city in Mudanjiang 牡丹江, Heilongjiang" -绥远,suí yuǎn,"old name for district of Hohhot city 呼和浩特[Hu1 he2 hao4 te4], Inner Mongolia" -绥远省,suí yuǎn shěng,former Suiyuan province in Inner Mongolia and Shanxi -绥阳,suí yáng,"Suiyang county in Zunyi 遵義|遵义[Zun1 yi4], Guizhou" -绥阳县,suí yáng xiàn,"Suiyang county in Zunyi 遵義|遵义[Zun1 yi4], Guizhou" -绥靖,suí jìng,to pacify; to appease; appeasement -绥靖主义,suí jìng zhǔ yì,appeasement -捆,kǔn,variant of 捆[kun3] -经,jīng,surname Jing -经,jīng,classics; sacred book; scripture; to pass through; to undergo; to bear; to endure; warp (textile); longitude; menstruation; channel (TCM); abbr. for economics 經濟|经济[jing1 ji4] -经不住,jīng bu zhù,to be unable to bear -经不起,jīng bu qǐ,can't stand it; to be unable to bear; to be unable to resist -经不起推究,jīng bù qǐ tuī jiū,does not bear examination -经世,jīng shì,statecraft -经久,jīng jiǔ,long-lasting; durable -经久不息,jīng jiǔ bù xī,"prolonged (applause, cheering etc)" -经久不衰,jīng jiǔ bù shuāi,unfailing; never-ending -经信委,jīng xìn wěi,Economy and Informatization Commission -经侦,jīng zhēn,economic crime investigation -经传,jīng zhuàn,classic work (esp. Confucian classics) -经典,jīng diǎn,"the classics; scriptures; classical; classic (example, case etc); typical" -经典场论,jīng diǎn chǎng lùn,classical field theory (physics) -经典案例,jīng diǎn àn lì,case study; classic example -经卷,jīng juàn,volumes of classics; volumes of scriptures; ancient scrolls -经受,jīng shòu,to undergo (hardship); to endure; to withstand -经合,jīng hé,Organization for Economic Cooperation and Development (OECD); abbr. for 經濟合作與發展組織|经济合作与发展组织 -经合组织,jīng hé zǔ zhī,"Organization for Economic Cooperation and Development, OECD; abbr. for 經濟合作與發展組織|经济合作与发展组织" -经商,jīng shāng,to trade; to carry out commercial activities; in business -经圈,jīng quān,line of longitude; meridian (geography) -经堂,jīng táng,scripture hall (Buddhism) -经学,jīng xué,study of the Confucian classics -经常,jīng cháng,frequently; constantly; regularly; often; day-to-day; everyday; daily -经常账户,jīng cháng zhàng hù,(economics) current account -经幡,jīng fān,Tibetan prayer flag -经幢,jīng chuáng,Buddhist stone pillar -经年,jīng nián,for years; year after year -经年累月,jīng nián lěi yuè,for years; over the years -经度,jīng dù,longitude -经得起,jīng de qǐ,to be able to withstand; to be able to endure -经手,jīng shǒu,to pass through one's hands; to handle; to deal with -经手人,jīng shǒu rén,the person in charge; agent; broker -经撞,jīng zhuàng,shock-resistant -经文,jīng wén,scripture; scriptures; CL:本[ben3] -经书,jīng shū,classic books in Confucianism; scriptures; sutras -经期,jīng qī,menstrual period -经查,jīng chá,upon investigation -经历,jīng lì,"experience; CL:個|个[ge4],次[ci4]; to experience; to go through" -经历风雨,jīng lì fēng yǔ,to go through thick and thin (idiom) -经气聚集,jīng qì jù jí,meeting points of qi (in Chinese medicine) -经济,jīng jì,economy; economic -经济人,jīng jì rén,Homo economicus -经济作物,jīng jì zuò wù,cash crop (economics) -经济制裁,jīng jì zhì cái,economic sanctions -经济前途,jīng jì qián tú,economic future; economic outlook -经济力量,jīng jì lì liang,economic strength -经济协力开发机构,jīng jì xié lì kāi fā jī gòu,Organization for Economic Cooperation and Development (OECD); also written 經濟合作與發展組織|经济合作与发展组织[Jing1 ji4 He2 zuo4 yu3 Fa1 zhan3 Zu3 zhi1] -经济危机,jīng jì wēi jī,economic crisis -经济合作与发展组织,jīng jì hé zuò yǔ fā zhǎn zǔ zhī,Organization for Economic Cooperation and Development (OECD); abbr. to 經合組織|经合组织 -经济问题,jīng jì wèn tí,economic problem -经济困境,jīng jì kùn jìng,economic difficulty -经济基础,jīng jì jī chǔ,socio-economic base; economic foundation -经济增加值,jīng jì zēng jiā zhí,"Economic value added, EVA" -经济增长,jīng jì zēng zhǎng,economic growth -经济增长率,jīng jì zēng zhǎng lǜ,economic growth rate -经济学,jīng jì xué,economics (as a field of study) -经济学人,jīng jì xué rén,The Economist (magazine) -经济学家,jīng jì xué jiā,economist -经济学者,jīng jì xué zhě,economist -经济安全,jīng jì ān quán,economic security -经济座,jīng jì zuò,economy seat -经济情况,jīng jì qíng kuàng,economic situation; one's socio-economic status -经济改革,jīng jì gǎi gé,economic reform -经济有效,jīng jì yǒu xiào,cost-effective -经济活动,jīng jì huó dòng,economic activity -经济特区,jīng jì tè qū,special economic zone -经济状况,jīng jì zhuàng kuàng,economic situation -经济界,jīng jì jiè,economic circles -经济发展,jīng jì fā zhǎn,economic development -经济社会及文化权利国际公约,jīng jì shè huì jí wén huà quán lì guó jì gōng yuē,"International Covenant on Economic, Social and Cultural Rights (ICESCR)" -经济繁荣,jīng jì fán róng,economic prosperity -经济舱,jīng jì cāng,economy class -经济落后,jīng jì luò hòu,economically backward -经济萧条,jīng jì xiāo tiáo,economic depression -经济衰退,jīng jì shuāi tuì,(economic) recession -经济周期,jīng jì zhōu qī,economic cycle -经济体,jīng jì tǐ,an economy; a country (or region etc) viewed as an economic entity -经济体制,jīng jì tǐ zhì,economic system -经济体系,jīng jì tǐ xì,economic system -经营,jīng yíng,to engage in (business etc); to run; to operate -经营管理和维护,jīng yíng guǎn lǐ hé wéi hù,Operations Administration and Maintenance; OAM -经营者,jīng yíng zhě,executive; manager; transactor -经营费用,jīng yíng fèi yòng,business cost; business expense -经理,jīng lǐ,"manager; director; CL:個|个[ge4],位[wei4],名[ming2]" -经由,jīng yóu,via -经痛,jīng tòng,period pain; menstrual cramps; dysmenorrhea -经穴,jīng xué,"acupuncture point (any point on any meridian); category of 12 specific acupuncture points near the wrist or ankle, each lying on a different meridian (one of five categories collectively termed 五輸穴|五输穴)" -经筵,jīng yán,place where the emperor listened to lectures (traditional) -经管,jīng guǎn,to be in charge of -经籍,jīng jí,religious text -经纪,jīng jì,to manage (a business); manager; broker -经纪人,jīng jì rén,broker; middleman; agent; manager -经纱,jīng shā,warp (vertical thread in weaving) -经络,jīng luò,energy channels; meridian (TCM); (dialect) trick; tactic -经丝彩色显花,jīng sī cǎi sè xiǎn huā,warp brocade; woven fabric with single woof but colored warp -经线,jīng xiàn,warp; line of longitude; meridian (geography) -经纬,jīng wěi,warp and woof; longitude and latitude; main points -经纬仪,jīng wěi yí,theodolite -经纬密度,jīng wěi mì dù,(textiles) thread count -经纬线,jīng wěi xiàn,lines of latitude and longitude; warp and woof -经脉,jīng mài,channel of TCM -经血,jīng xuè,menstruation (TCM) -经行,jīng xíng,to perform walking meditation -经费,jīng fèi,funds; expenditure; CL:筆|笔[bi3] -经贸,jīng mào,trade -经过,jīng guò,to pass; to go through; process; course; CL:個|个[ge4] -经销,jīng xiāo,to sell; to sell on commission; to distribute -经销商,jīng xiāo shāng,dealer; seller; distributor; broker; agency; franchise (i.e. company); retail outlet -经锦,jīng jǐn,warp brocade; woven fabric with single colored woof but many-colored warp -经闭,jīng bì,amenorrhoea -经验,jīng yàn,experience; to experience -经验主义,jīng yàn zhǔ yì,empiricism -经验丰富,jīng yàn fēng fù,experienced; with ample experience -综,zèng,heddle; Taiwan pr. [zong4] -综,zōng,(bound form) to synthesize; to combine; Taiwan pr. [zong4] -综上所述,zōng shàng suǒ shù,to summarize; to sum up -综合,zōng hé,comprehensive; composite; synthesized; mixed; to sum up; to integrate; to synthesize -综合报导,zōng hé bào dǎo,summary report; press release; brief -综合报道,zōng hé bào dào,comprehensive report; consolidated report -综合布线,zōng hé bù xiàn,integrated wiring -综合征,zōng hé zhēng,syndrome -综合性,zōng hé xìng,synthesis -综合叙述,zōng hé xù shù,to summarize; a summary -综合服务数位网络,zōng hé fú wù shù wèi wǎng luò,Integrated Services Digital Network; ISDN -综合业务数字网,zōng hé yè wù shù zì wǎng,Integrated Services Digital Network (ISDN) (computing) -综合法,zōng hé fǎ,synthesis; synthetic reasoning -综合症,zōng hé zhèng,syndrome -综合艺术,zōng hé yì shù,composite arts; multimedia arts -综合馆,zōng hé guǎn,complex (group of buildings) -综括,zōng kuò,to summarize; to sum up -综效,zōng xiào,synergy -综析,zōng xī,synthesis -综理,zōng lǐ,to be in overall charge; to oversee -综艺,zōng yì,variety (entertainment format) -综艺节目,zōng yì jié mù,variety show -综观,zōng guān,to take a broad view of sth -综计,zōng jì,grand total; to add everything together -综述,zōng shù,to sum up; a roundup; a general narrative -绿,lǜ,green; (slang) (derived from 綠帽子|绿帽子[lu:4 mao4 zi5]) to cheat on (one's spouse or boyfriend or girlfriend) -绿化,lǜ huà,to make green with plants; to reforest; (Internet slang) Islamization -绿区,lǜ qū,(Baghdad) green zone -绿卡,lǜ kǎ,permanent residency permit (originally referred specifically to the US green card) -绿喉太阳鸟,lǜ hóu tài yáng niǎo,(bird species of China) green-tailed sunbird (Aethopyga nipalensis) -绿喉蜂虎,lǜ hóu fēng hǔ,(bird species of China) green bee-eater (Merops orientalis) -绿嘴地鹃,lǜ zuǐ dì juān,(bird species of China) green-billed malkoha (Phaenicophaeus tristis) -绿园,lǜ yuán,"Lüyuan district of Changchun city 長春市|长春市[Chang2 chun1 shi4], Jilin" -绿园区,lǜ yuán qū,"Lüyuan district of Changchun city 長春市|长春市[Chang2 chun1 shi4], Jilin" -绿地,lǜ dì,green area (e.g. urban park or garden) -绿坝,lǜ bà,"Green Dam, content-control software, in use during 2009-2010 (abbr. for 綠壩·花季護航|绿坝·花季护航[Lu:4 ba4 · Hua1 ji4 Hu4 hang2])" -绿女红男,lǜ nǚ hóng nán,young people decked out in gorgeous clothes (idiom) -绿孔雀,lǜ kǒng què,(bird species of China) green peafowl (Pavo muticus) -绿宽嘴鸫,lǜ kuān zuǐ dōng,(bird species of China) green cochoa (Cochoa viridis) -绿宝石,lǜ bǎo shí,beryl -绿尾虹雉,lǜ wěi hóng zhì,(bird species of China) Chinese monal (Lophophorus lhuysii) -绿岛,lǜ dǎo,"Lüdao or Lutao township in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan" -绿岛乡,lǜ dǎo xiāng,"Lüdao or Lutao township in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan" -绿帽子,lǜ mào zi,"green hat (figuratively, a symbol of being a cuckold)" -绿幕,lǜ mù,green screen -绿惨红愁,lǜ cǎn hóng chóu,(of women) grieved appearance (idiom); sorrowful mien -绿教,lǜ jiào,(derog.) Islam -绿旗兵,lǜ qí bīng,"same as 綠營|绿营[lu:4 ying2], Green standard army, standing infantry during Qing dynasty, originally formed from Ming and other Chinese army units" -绿春,lǜ chūn,"Lüchun county in Honghe Hani and Yi autonomous prefecture, Yunnan" -绿春县,lǜ chūn xiàn,"Lüxi county in Honghe Hani and Yi autonomous prefecture, Yunnan" -绿松石,lǜ sōng shí,turquoise (gemstone) -绿林,lù lín,"place in Hubei, the starting point for a major rebellion at the end of Western Han; also pr. [Lu:4 lin2]" -绿林好汉,lǜ lín hǎo hàn,true hero of Greenwood (refers to popular hero in Robin Hood style) -绿林豪客,lǜ lín háo kè,bold hero of Greenwood (refers to popular hero in Robin Hood style) -绿树,lǜ shù,trees; greenery -绿树成荫,lǜ shù chéng yīn,(of an area) to have trees with shade-giving foliage; (of a road) to be tree-lined -绿水,lǜ shuǐ,green water; crystal-clear water -绿油油,lǜ yóu yóu,lush green; verdant -绿泥石,lǜ ní shí,chlorite (geology) -绿洲,lǜ zhōu,oasis -绿灯,lǜ dēng,green light (traffic signal); (fig.) permission to proceed -绿营,lǜ yíng,"Green Standard Army, standing infantry during Qing dynasty, originally formed from Ming and other Chinese army units" -绿营兵,lǜ yíng bīng,"Green standard army, standing infantry during Qing dynasty, originally formed from Ming and other Chinese army units" -绿玉髓,lǜ yù suǐ,(mineralogy) chrysoprase -绿莹莹,lǜ yīng yīng,green and lush -绿玛瑙,lǜ mǎ nǎo,chrysoprase (mineral) -绿皇鸠,lǜ huáng jiū,(bird species of China) green imperial pigeon (Ducula aenea) -绿皮书,lǜ pí shū,green paper (government report proposing policies and inviting discussion) -绿皮车,lǜ pí chē,"green train (slow, noisy, unairconditioned train with forest green livery and yellow trim that ran on the Chinese railway system from the 1950s, phased out in the early 21st century)" -绿盘,lǜ pán,(of a stock price or market index) currently lower than at the previous day's close -绿矾,lǜ fán,green vitriol (ferrous sulfate FeSO4:7H2O) -绿箭,lǜ jiàn,Wrigley's Doublemint (brand) -绿翅短脚鹎,lǜ chì duǎn jiǎo bēi,(bird species of China) mountain bulbul (Ixos mcclellandii) -绿翅金鸠,lǜ chì jīn jiū,(bird species of China) common emerald dove (Chalcophaps indica) -绿翅鸭,lǜ chì yā,(bird species of China) Eurasian teal (Anas crecca) -绿肥,lǜ féi,green manure -绿背山雀,lǜ bèi shān què,(bird species of China) green-backed tit (Parus monticolus) -绿胸八色鸫,lǜ xiōng bā sè dōng,(bird species of China) hooded pitta (Pitta sordida) -绿脚山鹧鸪,lǜ jiǎo shān zhè gū,(bird species of China) green-legged partridge (Arborophila chloropus) -绿色,lǜ sè,green -绿色和平,lǜ sè hé píng,Greenpeace (environmental network) -绿色食品,lǜ sè shí pǐn,"clean, unadulterated food product; organic food" -绿花椰菜,lǜ huā yē cài,broccoli -绿花菜,lǜ huā cài,broccoli -绿苔,lǜ tái,green algae -绿茵,lǜ yīn,grassy area -绿茵场,lǜ yīn chǎng,football field -绿茶,lǜ chá,green tea; (slang) (of a girl) seemingly innocent and charming but actually calculating and manipulative; a girl who has these qualities -绿茶婊,lǜ chá biǎo,"""green tea bitch"", a girl who seems innocent and charming but is actually calculating and manipulative" -绿草,lǜ cǎo,green grass -绿草如茵,lǜ cǎo rú yīn,green grass like cushion (idiom); green meadow so inviting to sleep on -绿菜花,lǜ cài huā,broccoli -绿叶,lǜ yè,green leaf; (fig.) actor playing a supporting role -绿荫,lǜ yìn,shade (of a tree) -绿豆,lǜ dòu,mung bean -绿豆凸,lǜ dòu tū,see 綠豆椪|绿豆椪[lu:4 dou4 peng4] -绿豆椪,lǜ dòu pèng,"mung bean cake (pastry with a rounded top, containing a sweet or savory filling made with cooked mung beans)" -绿赤杨,lǜ chì yáng,green alder (Alnus viridis) -绿阴,lǜ yīn,tree shade; shady -绿雀,lǜ què,oriental greenfinch (Carduelis sinica) -绿头巾,lǜ tóu jīn,"green turban (figuratively, a symbol of being a cuckold)" -绿头鸭,lǜ tóu yā,(bird species of China) mallard (Anas platyrhynchos) -绿鹭,lǜ lù,(bird species of China) striated heron (Butorides striata) -绿党,lǜ dǎng,worldwide green parties -绸,chóu,(light) silk; CL:匹[pi3] -绸子,chóu zi,silk fabric; silk; CL:匹[pi3] -绸缎,chóu duàn,satin; silk fabric -绸缪,chóu móu,to be sentimentally attached to sb or sth -绻,quǎn,bound in a league -綦,qí,dark gray; superlative; variegated -綦江,qí jiāng,"Qijiang, a district of Chongqing 重慶|重庆[Chong2qing4]" -綦江区,qí jiāng qū,"Qijiang, a district of Chongqing 重慶|重庆[Chong2qing4]" -线,xiàn,variant of 線|线[xian4] -绶,shòu,cord on a seal -绶带,shòu dài,ribbon (as a decoration); cordon (diagonal belt worn as a sign of office or honor) -维,wéi,abbr. for Uighur 維吾爾|维吾尔[Wei2wu2er3]; surname Wei -维,wéi,to preserve; to maintain; to hold together; dimension; vitamin (abbr. for 維生素|维生素[wei2 sheng1 su4]) -维也纳,wéi yě nà,"Vienna, capital of Austria" -维京人,wéi jīng rén,Viking -维他命,wéi tā mìng,vitamin (loanword) -维修,wéi xiū,maintenance (of equipment); to protect and maintain -维克托,wéi kè tuō,Victor (name) -维吉尼亚,wéi jí ní yà,"Virginia, US state (Tw)" -维吉尼亚州,wéi jí ní yà zhōu,"Virginia, US state (Tw)" -维吉尔,wéi jí ěr,"Virgil or Vergilius (70-19 BC), Roman poet and author of the Aeneid 埃涅阿斯紀|埃涅阿斯纪[Ai1 nie4 a1 si1 Ji4]" -维吾尔,wéi wú ěr,Uighur ethnic group of Xinjiang -维吾尔人,wéi wú ěr rén,Uighur person or people -维吾尔族,wéi wú ěr zú,Uighur (Uyghur) ethnic group of Xinjiang -维吾尔语,wéi wú ěr yǔ,Uighur language -维和,wéi hé,peacekeeping -维基,wéi jī,wiki (Internet) -维基媒体基金会,wéi jī méi tǐ jī jīn huì,Wikimedia Foundation -维基数据,wéi jī shù jù,"Wikistats, (stats.wikimedia.org), online tool providing statistics for Wikimedia projects" -维基物种,wéi jī wù zhǒng,"Wikispecies, (species.wikimedia.org), online project to catalog all known species" -维基百科,wéi jī bǎi kē,Wikipedia (online encyclopedia) -维基解密,wéi jī jiě mì,WikiLeaks -维基词典,wéi jī cí diǎn,Wiktionary (online dictionary) -维多利亚,wéi duō lì yà,"Victoria (name); Victoria, capital of the Seychelles" -维多利亚公园,wéi duō lì yà gōng yuán,"Victoria Park, Hong Kong" -维多利亚女王,wéi duō lì yà nǚ wáng,Queen Victoria (reigned 1837-1901) -维多利亚岛,wéi duō lì yà dǎo,Victoria Island -维多利亚州,wéi duō lì yà zhōu,"Victoria, southeastern Australian state" -维多利亚港,wéi duō lì yà gǎng,"Victoria Harbor, Hong Kong" -维多利亚湖,wéi duō lì yà hú,"Lake Victoria or Victoria Nyanza, Kenya, on the White Nile" -维多利亚瀑布,wéi duō lì yà pù bù,"Victoria Falls or Mosi-oa-Tunya on the Zambesi River, between Zambia and Zimbabwe" -维奇,wéi qí,Pope Vigilius (in office 537-555); phonetic -vich or -wich in Russian names -维妙维肖,wéi miào wéi xiào,to imitate to perfection; to be remarkably true to life -维它命,wéi tā mìng,variant of 維他命|维他命[wei2 ta1 ming4] -维密,wéi mì,Victoria's Secret -维尼熊,wéi ní xióng,Winnie the Pooh -维尼纶,wéi ní lún,see 維綸|维纶[wei2 lun2] -维冈,wéi gāng,"Wigan, town in England" -维度,wéi dù,dimension (math.); dimensionality -维德角,wéi dé jiǎo,Cape Verde (Tw) -维恩图解,wéi ēn tú jiě,Venn diagram -维拉,wéi lā,Vala (Middle-earth) -维拉港,wéi lā gǎng,"Port Vila, capital of Vanuatu" -维持,wéi chí,to keep; to maintain; to preserve -维持原判,wéi chí yuán pàn,to affirm the original sentence (law) -维持生活,wéi chí shēng huó,to subsist; to eke out a living; to keep body and soul together -维持费,wéi chí fèi,maintenance costs -维扬,wéi yáng,"Weiyang district of Yangzhou city 揚州市|扬州市[Yang2 zhou1 shi4], Jiangsu; historical name for Yangzhou 揚州|扬州[Yang2 zhou1]" -维扬区,wéi yáng qū,"Weiyang district of Yangzhou city 揚州市|扬州市[Yang2 zhou1 shi4], Jiangsu" -维数,wéi shù,(math.) dimension; dimensionality -维新,wéi xīn,(political) reform; revitalization; modernization -维新派,wéi xīn pài,the reformist faction -维新变法,wéi xīn biàn fǎ,"Hundred Days Reform (1898), failed attempt to reform the Qing dynasty" -维族,wéi zú,"abbr. for 維吾爾族|维吾尔族, Uighur (Uyghur) ethnic group of Xinjiang" -维根,wéi gēn,"Wigan, town in England (Tw)" -维权,wéi quán,to defend (legal) rights -维权人士,wéi quán rén shì,civil rights activist -维氏,wéi shì,Victorinox (knife manufacturer) -维港,wéi gǎng,"Victoria Harbor, Hong Kong; abbr. for 維多利亞港|维多利亚港[Wei2 duo1 li4 ya4 Gang3]" -维尔容,wéi ěr róng,(Johannes Lodewikus) Viljoen (South African ambassador to Taiwan) -维尔斯特拉斯,wéi ěr sī tè lā sī,"Karl Weierstrass (1815-1897), German mathematician" -维尔纽斯,wéi ěr niǔ sī,"Vilnius, capital of Lithuania" -维特,wéi tè,"Werther, opera by Jules Massenet; Werther, German masculine given name" -维特根斯坦,wéi tè gēn sī tǎn,"Wittgenstein (name); Ludwig Wittgenstein (1889-1951), Austrian-British philosopher" -维珍,wéi zhēn,Virgin (company) -维珍尼亚州,wéi zhēn ní yà zhōu,"Virginia (US state) (Hong Kong, Macau)" -维生,wéi shēng,abbr. for 維持生活|维持生活[wei2 chi2 sheng1 huo2] -维生素,wéi shēng sù,vitamin -维稳,wéi wěn,to maintain social stability -维管,wéi guǎn,vascular -维管束,wéi guǎn shù,vascular bundle (botany) -维管束植物,wéi guǎn shù zhí wù,vascular plants; tracheophytes (botany) -维管柱,wéi guǎn zhù,vascular column -维纳斯,wéi nà sī,"Venus (mythology, Roman goddess of love)" -维纶,wéi lún,"vinylon, synthetic fiber made from polyvinyl alcohol (loanword)" -维系,wéi xì,to maintain; to keep up; to hold together -维罗纳,wéi luó nà,Verona -维萨,wéi sà,Visa (credit card) -维西傈僳族自治县,wéi xī lì sù zú zì zhì xiàn,"Weixi Lisu Autonomous County in Diqing Tibetan Autonomous Prefecture 迪慶藏族自治州|迪庆藏族自治州[Di2 qing4 Zang4 zu2 Zi4 zhi4 zhou1], northwest Yunnan" -维西县,wéi xī xiàn,"Weixi Lisu Autonomous County in Diqing Tibetan autonomous prefecture 迪慶藏族自治州|迪庆藏族自治州[Di2 qing4 Zang4 zu2 Zi4 zhi4 zhou1], northwest Yunnan" -维护,wéi hù,to defend; to safeguard; to protect; to uphold; to maintain -维护和平,wéi hù hé píng,to uphold peace -维达,wéi dá,Vidar (Norse deity) -綮,qǐ,embroidered banner -绾,wǎn,bind up; string together -纲,gāng,head rope of a fishing net; guiding principle; key link; class (taxonomy); outline; program -纲纪,gāng jì,law and order -纲举目张,gāng jǔ mù zhāng,if you lift the headrope the meshes spread open (idiom); take care of the big things and the little things will take care of themselves; (of a piece of writing) well-structured and ordered -纲要,gāng yào,outline; essential points -纲领,gāng lǐng,program (i.e. plan of action); guiding principle -网,wǎng,net; network -网上,wǎng shàng,online -网上广播,wǎng shàng guǎng bō,online broadcast; webcast -网下,wǎng xià,(of an activity) off-line (not done over the Internet) -网信办,wǎng xìn bàn,Cyberspace Administration of China -网传,wǎng chuán,"(of video clips, rumors etc) to circulate on the Internet" -网剧,wǎng jù,web series -网卡,wǎng kǎ,network adapter card (computing) -网友,wǎng yǒu,online friend; Internet user -网吧,wǎng bā,Internet café -网咖,wǎng kā,Internet café (Tw) -网售,wǎng shòu,to sell online -网址,wǎng zhǐ,website; web address; URL -网孔,wǎng kǒng,mesh -网室,wǎng shì,netted enclosure (protecting crops) -网布,wǎng bù,(textiles) mesh fabric; tulle -网师园,wǎng shī yuán,"Master of the Nets Garden in Suzhou, Jiangsu" -网店,wǎng diàn,online shop -网恋,wǎng liàn,online love affair; cyberdate; Internet dating -网易,wǎng yì,NetEase -网景,wǎng jǐng,Netscape -网暴,wǎng bào,to cyberbully (abbr. for 網絡暴力|网络暴力[wang3 luo4 bao4 li4]) -网杓,wǎng sháo,skimmer (kitchen utensil) -网架,wǎng jià,rack -网格,wǎng gé,grid; mesh; lattice -网模,wǎng mó,model for online fashion sites etc -网桥,wǎng qiáo,(network) bridge -网段,wǎng duàn,network segment -网民,wǎng mín,web user; netizen -网片,wǎng piàn,mesh; netting -网版,wǎng bǎn,(printing) screen -网特,wǎng tè,anonymous state-sponsored Internet commentator (abbr. for 網絡特工|网络特工[wang3 luo4 te4 gong1]) -网状泡沫,wǎng zhuàng pào mò,reticulated foam -网状脉,wǎng zhuàng mài,netted veins; reticulated veins (of a leaf etc); stockwork (geology) -网球,wǎng qiú,tennis; tennis ball; CL:個|个[ge4] -网球场,wǎng qiú chǎng,tennis court -网球赛,wǎng qiú sài,tennis match; tennis competition; CL:場|场[chang3] -网瘾,wǎng yǐn,Internet addiction; net addiction; web addiction -网盘,wǎng pán,online storage space; cloud file storage -网目,wǎng mù,mesh -网眼,wǎng yǎn,mesh -网禁,wǎng jìn,Internet censorship -网站,wǎng zhàn,website -网站导览,wǎng zhàn dǎo lǎn,(Tw) website sitemap -网管,wǎng guǎn,network management; webmaster -网管员,wǎng guǎn yuán,network manager; network administrator -网管接口,wǎng guǎn jiē kǒu,network management interface -网管系统,wǎng guǎn xì tǒng,network management -网箱,wǎng xiāng,net cage (fish farming) -网约车,wǎng yuē chē,app-based taxi -网红,wǎng hóng,Internet celebrity; influencer -网络,wǎng luò,Internet -网络,wǎng luò,"network (computing, telecommunications, transport etc)" -网络俚语,wǎng luò lǐ yǔ,Internet slang; netspeak; cyberspeak -网络协议,wǎng luò xié yì,network protocol -网络地址转换,wǎng luò dì zhǐ zhuǎn huàn,(computing) network address translation -网络客,wǎng luò kè,online customer -网络层,wǎng luò céng,network layer -网络层协议,wǎng luò céng xié yì,network layer protocol -网络广告,wǎng luò guǎng gào,online advertising -网络应用,wǎng luò yìng yòng,network application -网络成瘾,wǎng luò chéng yǐn,Internet addiction; net addiction; web addiction -网络打印机,wǎng luò dǎ yìn jī,network printer -网络打手,wǎng luò dǎ shǒu,see 網絡水軍|网络水军[Wang3 luo4 shui3 jun1] -网络技术,wǎng luò jì shù,network technology -网络操作系统,wǎng luò cāo zuò xì tǒng,network operating system -网络日记,wǎng luò rì jì,blog; weblog; same as 博客[bo2 ke4] -网络欺诈,wǎng luò qī zhà,phishing -网络水军,wǎng luò shuǐ jūn,"""Internet Navy""; paid Internet posters; astroturfers" -网络浏览器,wǎng luò liú lǎn qì,network browser; Internet browser -网络特工,wǎng luò tè gōng,anonymous state-sponsored Internet commentator -网络环境,wǎng luò huán jìng,network environment -网络用语,wǎng luò yòng yǔ,see 網絡語言|网络语言[wang3 luo4 yu3 yan2] -网络直径,wǎng luò zhí jìng,network diameter -网络科技,wǎng luò kē jì,network technology -网络空间,wǎng luò kōng jiān,cyberspace -网络管理,wǎng luò guǎn lǐ,network management -网络管理员,wǎng luò guǎn lǐ yuán,network administrator -网络管理系统,wǎng luò guǎn lǐ xì tǒng,network management system; NMS -网络红人,wǎng luò hóng rén,Internet celebrity -网络规划人员,wǎng luò guī huà rén yuán,network planner -网络设备,wǎng luò shè bèi,network equipment -网络设计,wǎng luò shè jì,network design; network plan -网络语言,wǎng luò yǔ yán,Internet language; Internet slang; netspeak; cyberspeak -网络语音,wǎng luò yǔ yīn,VoIP (Voice over IP) (computing); to speak with others over the Internet -网络迁移,wǎng luò qiān yí,network migration -网络铁路,wǎng luò tiě lù,Network Rail (UK railway organization) -网综,wǎng zōng,online variety show (abbr. for 網絡綜藝節目|网络综艺节目[wang3 luo4 zong1 yi4 jie2 mu4]) -网罟,wǎng gǔ,net used to catch fish (or birds etc); (fig.) the net of justice 法網|法网[fa3wang3] -网罟座,wǎng gǔ zuò,Reticulum (constellation) -网罗,wǎng luó,net for fishing or bird catching; (fig.) fetters; to snare (a valuable new team member etc); to bring together under the one umbrella -网膜,wǎng mó,retina (anatomy) -网蝽,wǎng chūn,lace bug; Tingidae -网虫,wǎng chóng,Internet addict -网袋,wǎng dài,string bag; mesh bag; net bag -网袜,wǎng wà,fishnet stockings -网志,wǎng zhì,blog; weblog; same as 博客[bo2 ke4] -网语,wǎng yǔ,netspeak; cyberspeak -网课,wǎng kè,online classes -网警,wǎng jǐng,Internet police (abbr. for 網絡警察|网络警察[wang3 luo4 jing3 cha2]) -网贷,wǎng dài,(finance) online lending (or borrowing) -网赚,wǎng zhuàn,to make money online -网购,wǎng gòu,Internet shopping; to purchase online -网路,wǎng lù,"network (computer, telecom); Internet; Taiwanese term for 網絡|网络[wang3 luo4]" -网路作业系统,wǎng lù zuò yè xì tǒng,network operating system -网路平台,wǎng lù píng tái,network platform -网路应用,wǎng lù yìng yòng,network application -网路服务,wǎng lù fú wù,network service -网路架构,wǎng lù jià gòu,network infrastructure -网路特务,wǎng lù tè wu,anonymous state-sponsored Internet commentator -网路环境,wǎng lù huán jìng,network environment -网路节点,wǎng lù jié diǎn,network node -网路节点介面,wǎng lù jié diǎn jiè miàn,network node interface -网路链接层,wǎng lù liàn jiē céng,network link layer -网通,wǎng tōng,"China Netcom (CNC), former telecommunication service provider in PRC" -网游,wǎng yóu,online game (abbr. for 網絡遊戲|网络游戏[wang3 luo4 you2 xi4]) -网银,wǎng yín,online banking; abbr. for 網上銀行|网上银行[wang3 shang4 yin2 hang2] -网开一面,wǎng kāi yī miàn,open the net on one side (idiom); let the caged bird fly; to give one's opponent a way out; lenient treatment -网开三面,wǎng kāi sān miàn,to leave the net open on three sides (idiom); let the caged bird fly; to give one's opponent a way out; lenient treatment -网关,wǎng guān,network router; gateway (to Internet or between networks) -网际,wǎng jì,Internet; net; cyber- -网际协定,wǎng jì xié dìng,Internet protocol; IP -网际网络,wǎng jì wǎng luò,Internet -网际网路,wǎng jì wǎng lù,Internet -网际色情,wǎng jì sè qíng,cyberporn -网页,wǎng yè,web page -网页地址,wǎng yè dì zhǐ,webaddress; URL -网页设计,wǎng yè shè jì,web design -网飞,wǎng fēi,"Netflix, American entertainment company" -网点,wǎng diǎn,(computing) node in a network; (commerce) sales outlet; branch; service center; (illustration) screentone; halftone dot -绷,bēng,variant of 繃|绷[beng1]; variant of 繃|绷[beng3] -缀,chuò,variant of 輟|辍[chuo4] -缀,zhuì,to sew; to stitch together; to combine; to link; to connect; to put words together; to compose; to embellish -缀合,zhuì hé,to compose; to put together -缀字,zhuì zì,to spell; to compose words -缀字课本,zhuì zì kè běn,spelling book -缀文,zhuì wén,to compose an essay -缀饰,zhuì shì,to decorate; decoration -綷,cuì,five-color silk; see 綷縩[cui4 cai4] -綷縩,cuì cài,(onom.) sound of friction of fabric -纶,lún,to classify; to twist silk; silk thread -绺,liǔ,skein; tuft; lock -绮,qǐ,beautiful; open-work silk -绮井,qǐ jǐng,ceiling (architecture) -绮梦,qǐ mèng,pleasant and romantic dream -绮室,qǐ shì,magnificent room -绮年,qǐ nián,young; youthful -绮思,qǐ sī,beautiful thoughts (in writing) -绮想,qǐ xiǎng,fantasies; imaginings -绮想曲,qǐ xiǎng qǔ,capriccio (music) -绮岁,qǐ suì,youthful age -绮灿,qǐ càn,enchanting; gorgeous -绮窗,qǐ chuāng,beautifully decorated window -绮筵,qǐ yán,magnificent feast -绮绣,qǐ xiù,silk material with grained pattern -绮罗,qǐ luó,beautiful silk fabrics; person in beautiful silk dress -绮色佳,qǐ sè jiā,"Ithaca, Island state of Greece, the home of Odysseus 奧迪修斯|奥迪修斯[Ao4 di2 xiu1 si1]; Ithaca NY (but pronounced [Yi3 se4 jia1]), location of Cornell University 康奈爾|康奈尔[Kang1 nai4 er3]" -绮衣,qǐ yī,beautiful clothes -绮语,qǐ yǔ,flowery writing; writing concerning love and sex -绮貌,qǐ mào,beautiful appearance -绮陌,qǐ mò,splendid streets -绮云,qǐ yún,beautiful clouds -绮靡,qǐ mǐ,beautiful and intricate; ornate; gorgeous -绮丽,qǐ lì,beautiful; enchanting -绽,zhàn,to burst open; to split at the seam -绽放,zhàn fàng,to blossom -绽破,zhàn pò,to burst; to split -绽线,zhàn xiàn,to have a ripped seam -绽裂,zhàn liè,to split open; to split apart -绽开,zhàn kāi,to burst forth -绽露,zhàn lù,to appear (formal) -绰,chāo,to grab; to snatch up; variant of 焯[chao1] -绰,chuò,(bound form) ample; spacious; (literary) graceful; used in 綽號|绰号[chuo4 hao4] and 綽名|绰名[chuo4 ming2] -绰名,chuò míng,nickname -绰约,chuò yuē,(literary) graceful; charming -绰绰有余,chuò chuò yǒu yú,(idiom) more than enough -绰号,chuò hào,nickname -绫,líng,damask; thin silk -绫罗绸缎,líng luó chóu duàn,(idiom) silk and satin -绵,mián,silk floss; continuous; soft; weak; mild-mannered (dialect) -绵亘,mián gèn,to stretch in an unbroken chain (esp. of mountains) -绵力,mián lì,one's limited power (humble expr.) -绵子,mián zi,(dial.) silk floss -绵密,mián mì,detailed; meticulous; fine and careful -绵延,mián yán,(esp. of a mountain range) to be continuous; to stretch long and unbroken -绵惙,mián chuò,critically ill -绵白糖,mián bái táng,sugar powder -绵竹,mián zhú,"Mianzhu, county-level city in Deyang 德陽|德阳[De2 yang2], Sichuan" -绵竹市,mián zhú shì,"Mianzhu, county-level city in Deyang 德陽|德阳[De2 yang2], Sichuan" -绵竹县,mián zhú xiàn,"Mianzhu county in Deyang 德陽|德阳[De2 yang2] prefecture, Sichuan" -绵绸,mián chóu,rough-textured fabric of waste silk -绵绵,mián mián,continuous; uninterrupted -绵绵不绝,mián mián bù jué,continuous; endless -绵羊,mián yáng,sheep -绵联,mián lián,variant of 綿連|绵连[mian2 lian2] -绵薄,mián bó,my humble effort; my meager contribution (humble) -绵里藏针,mián lǐ cáng zhēn,lit. a needle concealed in silk floss (idiom); fig. ruthless character behind a gentle appearance; a wolf in sheep's clothing; an iron fist in a velvet glove -绵连,mián lián,continuous; uninterrupted -绵远,mián yuǎn,remote -绵邈,mián miǎo,far back in time; faraway; remote -绵长,mián cháng,"long and continuous (coastline, sound etc); extensive; prolonged" -绵阳,mián yáng,"Mianyang, prefecture-level city in Sichuan" -绵阳市,mián yáng shì,"Mianyang, prefecture-level city in north Sichuan, Sichuan's second city" -绲,gǔn,cord; embroidered sash; to sew -绲边,gǔn biān,"(of a dress etc) border, edging" -缁,zī,Buddhists; black silk; dark -紧,jǐn,tight; strict; close at hand; near; urgent; tense; hard up; short of money; to tighten -紧俏,jǐn qiào,(merchandise) in high demand -紧咬不放,jǐn yǎo bù fàng,(idiom) unwilling to let go; like a dog with a bone; dogged -紧密,jǐn mì,inseparably close -紧密相联,jǐn mì xiāng lián,closely interrelated; intimately related -紧密织物,jǐn mì zhī wù,closely woven fabric -紧密配合,jǐn mì pèi hé,to coordinate closely; to act in close partnership with -紧实,jǐn shí,tight; firm; dense; packed -紧巴,jǐn bā,tight (i.e. lacking money); hard up; same as 緊巴巴|紧巴巴 -紧巴巴,jǐn bā bā,tight fitting; hard up (i.e. lacking money) -紧张,jǐn zhāng,nervous; keyed up; intense; tense; strained; in short supply; scarce; CL:陣|阵[zhen4] -紧张状态,jǐn zhāng zhuàng tài,tense situation; standoff -紧张缓和,jǐn zhāng huǎn hé,detente -紧急,jǐn jí,urgent; emergency -紧急事件,jǐn jí shì jiàn,emergency -紧急应变,jǐn jí yìng biàn,emergency management -紧急状态,jǐn jí zhuàng tài,state of emergency -紧急疏散,jǐn jí shū sàn,emergency evacuation -紧急医疗,jǐn jí yī liáo,emergency medical care -紧扣,jǐn kòu,to stick closely to (a topic or theme etc) -紧抱,jǐn bào,to hug; to embrace -紧接,jǐn jiē,to follow immediately afterwards; immediately adjacent -紧接着,jǐn jiē zhe,immediately afterwards; shortly after that -紧握,jǐn wò,"to hold firmly, not let go" -紧挤,jǐn jǐ,to pinch; to squeeze tightly -紧凑,jǐn còu,compact; terse; tight (schedule) -紧凑型车,jǐn còu xíng chē,compact car model -紧凑渺子线圈,jǐn còu miǎo zǐ xiàn quān,Compact Muon Solenoid (CMS) -紧盯,jǐn dīng,to gaze; to stare fixedly -紧箍咒,jǐn gū zhòu,the Band-tightening Spell (in 西遊記|西游记[Xi1 you2 Ji4]); a spell or incantation for controlling sb -紧绌,jǐn chù,supply shortage -紧紧,jǐn jǐn,closely; tightly -紧缩,jǐn suō,(economics) to reduce; to curtail; to cut back; to tighten; austerity; tightening; crunch -紧绷,jǐn bēng,to stretch taut; (of muscles etc) taut; strained; tense -紧绷绷,jǐn bēng bēng,"tight; stretched; (face, lips) taut; strained" -紧缺,jǐn quē,in short supply; scarce -紧衣缩食,jǐn yī suō shí,see 節衣縮食|节衣缩食[jie2 yi1 suo1 shi2] -紧裹,jǐn guǒ,to wrap tightly; to wind tightly; to bind; close-fitting (clothes) -紧要,jǐn yào,critical; crucial; vital -紧要关头,jǐn yào guān tóu,urgent and important moment (idiom); critical juncture -紧贴,jǐn tiē,to stick close to; to press up against -紧跟,jǐn gēn,to follow precisely; to comply with -紧身,jǐn shēn,skintight -紧迫,jǐn pò,pressing; urgent -紧迫盯人,jǐn pò dīng rén,to keep a close eye on sb (idiom) -紧追,jǐn zhuī,to pursue closely -紧逼,jǐn bī,to press hard; to close in on -紧邻,jǐn lín,to be right next to; close neighbor -紧闭,jǐn bì,to close securely; tightly closed; secure -紧随其后,jǐn suí qí hòu,to follow closely behind sb or sth (idiom) -紧集,jǐn jí,compact set -紧靠,jǐn kào,to be right next to; to lean closely against -绯,fēi,dark red; purple silk -绯红,fēi hóng,crimson; scarlet -绯闻,fēi wén,sex scandal -绯胸鹦鹉,fēi xiōng yīng wǔ,(bird species of China) red-breasted parakeet (Psittacula alexandri) -繁,fán,old variant of 繁[fan2] -绪,xù,beginnings; clues; mental state; thread -绪言,xù yán,see 緒論|绪论[xu4 lun4] -绪论,xù lùn,introduction; introductory chapter -绱,shàng,to sole a shoe -绱鞋,shàng xié,variant of 上鞋[shang4xie2] -缃,xiāng,light yellow color -缄,jiān,letters; to close; to seal -缄口不言,jiān kǒu bù yán,see 閉口不言|闭口不言[bi4 kou3 bu4 yan2] -缄默,jiān mò,to keep silent -缂,kè,used in 緙絲|缂丝[ke4 si1] -缂丝,kè sī,"kesi or k’o-ssu, Chinese silk tapestry woven in a pictorial design" -线,xiàn,"thread; string; wire; line; CL:條|条[tiao2],股[gu3],根[gen1]; (after a number) tier (unofficial ranking of a Chinese city)" -线上,xiàn shàng,online -线上查询,xiàn shàng chá xún,online search -线下,xiàn xià,offline; below the line -线人,xiàn rén,spy; informer -线圈,xiàn quān,solenoid (electrical engineering); coil -线圈般,xiàn quān bān,solenoid (electrical engineering); coil -线图,xiàn tú,line drawing; diagram; line graph -线团,xiàn tuán,ball of string -线报,xiàn bào,tip-off -线尾燕,xiàn wěi yàn,(bird species of China) wire-tailed swallow (Hirundo smithii) -线形图,xiàn xíng tú,line chart -线性,xiàn xìng,linear; linearity -线性代数,xiàn xìng dài shù,linear algebra -线性回归,xiàn xìng huí guī,linear regression (statistics) -线性图,xiàn xìng tú,line chart -线性方程,xiàn xìng fāng chéng,linear equation (math.) -线性波,xiàn xìng bō,linear wave -线性空间,xiàn xìng kōng jiān,(math.) vector space; linear space -线性算子,xiàn xìng suàn zi,linear operator (math.) -线性系统,xiàn xìng xì tǒng,linear system -线性规划,xiàn xìng guī huà,linear programming -线杆,xiàn gǎn,telephone pole; utility pole -线条,xiàn tiáo,"line (in drawing, calligraphy etc); the lines or contours of a three-dimensional object (hairstyle, clothing, car etc)" -线段,xiàn duàn,line segment -线状,xiàn zhuàng,linear -线程,xiàn chéng,(computing) thread -线粒体,xiàn lì tǐ,mitochondrion -线索,xiàn suǒ,trail; clues; thread (of a story) -线绳,xiàn shéng,string; cotton rope -线缆,xiàn lǎn,cable; wire; cord (computer) -线虫,xiàn chóng,nematode -线西,xiàn xī,"Xianxi or Hsienhsi Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -线西乡,xiàn xī xiāng,"Xianxi or Hsienhsi Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -线路,xiàn lù,(electricity) line; circuit; wire; (traffic) road; track; route -线轴,xiàn zhóu,thread spool -线速度,xiàn sù dù,linear velocity -线锯,xiàn jù,fret saw; jigsaw -线香,xiàn xiāng,incense stick -绵,mián,old variant of 綿|绵[mian2]; cotton -缉,jī,to seize; to arrest; Taiwan pr. [qi4] -缉,qī,to stitch finely -缉拿,jī ná,to arrest; to seize -缉捕,jī bǔ,to seize; to apprehend; an arrest -缉查,jī chá,to raid; to search (for criminal) -缉毒,jī dú,to counter narcotics trafficking; drug enforcement -缉毒犬,jī dú quǎn,drug detector dog; sniffer dog -缉获,jī huò,to arrest; to apprehend -缉私,jī sī,to suppress smugglers; to search for smuggled goods -缉访,jī fǎng,to search and enquire -缎,duàn,satin -缎子,duàn zi,satin -缎布,duàn bù,satin -缎带,duàn dài,ribbon -缎纹织,duàn wén zhī,satin weave -缎织,duàn zhī,satin weave -缔,dì,closely joined; connection; knot -缔约,dì yuē,to conclude a treaty -缔约国,dì yuē guó,signatory states; countries that are party to a treaty -缔约方,dì yuē fāng,"party in a contract, treaty etc" -缔结,dì jié,to conclude (an agreement) -缔造,dì zào,to found; to create -缔造者,dì zào zhě,creator (of a great work); founder -缗,mín,cord; fishing-line; string of coins -缘,yuán,cause; reason; karma; fate; predestined affinity; margin; hem; edge; along -缘何,yuán hé,why?; for what reason? -缘分,yuán fèn,fate or chance that brings people together; predestined affinity or relationship; (Budd.) destiny -缘故,yuán gù,reason; cause -缘于,yuán yú,to originate from; to come from the fact that; owing to; because of -缘木求鱼,yuán mù qiú yú,lit. climb a tree to catch a fish (idiom); fig. to attempt the impossible -缘由,yuán yóu,reason; cause -缘起,yuán qǐ,to originate; origin; genesis; account of the origins of an endeavor -缘饰,yuán shì,fringe -褓,bǎo,variant of 褓[bao3] -缌,sī,fine linen -编,biān,to weave; to plait; to organize; to group; to arrange; to edit; to compile; to write; to compose; to fabricate; to make up -编修,biān xiū,to compile and edit -编入,biān rù,"to include (in a list etc); to assign (to a class, a work unit etc)" -编列,biān liè,"to arrange in order; to compile; to prepare (a budget, project etc)" -编制,biān zhì,to establish (a unit or department); staffing structure (excluding temporary and casual staff) -编剧,biān jù,to write a play; scenario; dramatist; screenwriter -编务,biān wù,editing -编印,biān yìn,to compile and print; to publish -编审,biān shěn,to copy-edit; copy editor -编写,biān xiě,to compile -编导,biān dǎo,"to write and direct (a play, film etc); playwright-director; choreographer-director; scenarist-director" -编年史,biān nián shǐ,annals; chronicle -编年体,biān nián tǐ,"in the style of annals; chronological history, the regular form of the Chinese dynastic histories" -编成,biān chéng,to organize; to put together; to edit -编排,biān pái,to arrange; to lay out -编撰,biān zhuàn,to compile; to edit -编曲,biān qǔ,to compose (music); arrangement -编次,biān cì,to arrange things in sequence; sequence in which things are arranged -编班,biān bān,to group students into classes; to divide people (staff members etc) into groups -编班考试,biān bān kǎo shì,placement test -编目,biān mù,to make a catalogue; catalogue; list -编码,biān mǎ,to code; to encode; code -编码器,biān mǎ qì,encoder -编码字符集,biān mǎ zì fú jí,coded character set -编码系统,biān mǎ xì tǒng,coding system -编磬,biān qìng,musical instrument consisting of a set of chime stones suspended from a beam and struck as a xylophone -编程,biān chéng,(computing) to program; programming -编组,biān zǔ,to organize into groups; marshalling -编结,biān jié,to weave; to plait -编结业,biān jié yè,weaving industry -编织,biān zhī,"to weave; to knit; to plait; to braid; (fig.) to create (sth abstract, e.g. a dream, a lie etc)" -编织品,biān zhī pǐn,woven fabric -编纂,biān zuǎn,to compile (an encyclopedia etc) -编者,biān zhě,editor; compiler -编者按,biān zhě àn,editor's commentary -编者案,biān zhě àn,variant of 編者按|编者按[bian1 zhe3 an4] -编舞,biān wǔ,choreography; choreographer -编著,biān zhù,to compile; to write -编号,biān hào,to number; numbering; serial number -编制,biān zhì,"to weave; to plait; to compile; to put together (a lesson plan, budget etc)" -编注,biān zhù,editor's note -编译,biān yì,to translate and edit; translator-editor; (computing) to compile (source code) -编译器,biān yì qì,compiler -编译家,biān yì jiā,translator and editor -编辑,biān jí,to edit; to compile; editor; compiler -编辑器,biān jí qì,editor (software) -编辑室,biān jí shì,editorial office -编辑家,biān jí jiā,editor; compiler -编造,biān zào,to compile; to draw up; to fabricate; to invent; to concoct; to make up; to cook up -编遣,biān qiǎn,to reorganize (troops etc) and discharge surplus personnel -编选,biān xuǎn,to select and edit; to compile -编录,biān lù,to select and edict; to edit extracts -编钟,biān zhōng,set of bells (old Chinese music instrument) -编队,biān duì,to form into columns; to organize into teams; formation (of ships or aircraft) -缓,huǎn,slow; unhurried; sluggish; gradual; not tense; relaxed; to postpone; to defer; to stall; to stave off; to revive; to recuperate -缓不济急,huǎn bù jì jí,lit. slow no aid to urgent (idiom); slow measures will not address a critical situation; too slow to meet a pressing need -缓兵之计,huǎn bīng zhī jì,delaying tactics; stalling; measures to stave off an attack; stratagem to win a respite -缓刑,huǎn xíng,suspended sentence; probation -缓动,huǎn dòng,sluggish -缓和,huǎn hé,to ease (tension); to alleviate; to moderate; to allay; to make more mild -缓存,huǎn cún,(computing) cache; buffer memory -缓征,huǎn zhēng,to suspend taxes momentarily; to postpone military draft -缓急,huǎn jí,priority; whether sth is urgent -缓急相济,huǎn jí xiāng jì,to help one another in difficulty; mutual assistance in extremity -缓急轻重,huǎn jí qīng zhòng,"slight or important, urgent or non-urgent (idiom); to deal with important matters first; sense of priority; also written 輕重緩急|轻重缓急" -缓慢,huǎn màn,slow -缓期,huǎn qī,to defer; to put off (until later); to postpone -缓期付款,huǎn qī fù kuǎn,to defer payment -缓步,huǎn bù,to walk slowly; to amble along; gradually; slowly -缓气,huǎn qì,to get one's breath back; to take a breather -缓发中子,huǎn fā zhōng zǐ,delayed neutron -缓缓,huǎn huǎn,slowly; unhurriedly; little by little -缓聘,huǎn pìn,to defer employment; to put off hiring -缓冲,huǎn chōng,buffer; to cushion; to adjust to sharp changes -缓冲器,huǎn chōng qì,buffer (computing) -缓解,huǎn jiě,to bring relief; to alleviate (a crisis); to dull (a pain) -缓办,huǎn bàn,to postpone; to delay -缓降,huǎn jiàng,to decrease gradually; to descend gradually -缓降器,huǎn jiàng qì,cable reel and harness used to lower oneself to safety (e.g. from a building on fire) -缓颊,huǎn jiá,to urge reconciliation; to dissuade from punitive action -缅,miǎn,Myanmar (formerly Burma) (abbr. for 緬甸|缅甸[Mian3 dian4]) -缅,miǎn,distant; remote; detailed -缅元,miǎn yuán,"kyat, currency of Myanmar" -缅因,miǎn yīn,"Maine, US state" -缅因州,miǎn yīn zhōu,"Maine, US state" -缅怀,miǎn huái,to commemorate; to recall fondly; to think of the past -缅文,miǎn wén,"Burmese (language, esp. written)" -缅甸,miǎn diàn,Myanmar (or Burma) -缅甸联邦,miǎn diàn lián bāng,"Union of Myanmar, official name of Burma 1998-2010" -缅甸语,miǎn diàn yǔ,Burmese (language of Myanmar) -缅邈,miǎn miǎo,far; remote -纬,wěi,latitude; woof (horizontal thread in weaving); weft -纬圈,wěi quān,line of latitude; parallel -纬度,wěi dù,latitude -纬纱,wěi shā,woof (horizontal thread in weaving); weft -纬线,wěi xiàn,woof; line of latitude; parallel -纬线圈,wěi xiàn quān,line of latitude; parallel -纬锦,wěi jǐn,woof brocade; woven fabric with many-colored woof -缑,gōu,surname Gou -缑,gōu,rope attached to a sword hilt; (archaic) hilt; sword -缈,miǎo,indistinct -练,liàn,to practice; to train; to drill; to perfect (one's skill); exercise; (literary) white silk; to boil and scour raw silk -练兵,liàn bīng,to drill troops; army training -练功,liàn gōng,"to do tai chi; to practice kung-fu (or other martial art); to train (for dancing, acrobatics etc)" -练字,liàn zì,to practice writing characters -练就,liàn jiù,to master (a skill) -练手,liàn shǒu,to practice a skill -练习,liàn xí,to practice; exercise; drill; practice; CL:個|个[ge4] -练习册,liàn xí cè,exercise booklet -练习场,liàn xí chǎng,driving range (golf); practice court; practice ground -练习本,liàn xí běn,exercise book; workbook; CL:本[ben3] -练达,liàn dá,experienced; sophisticated; worldly-wise -缏,biàn,braid -缇,tí,orange-red silk; orange-red colored -致,zhì,(bound form) fine; delicate; exquisite -致密,zhì mì,fine; dense; compact -萦,yíng,(literary) to wind around -萦绕,yíng rào,to linger on; to hover; to encircle -萦回,yíng huí,"to linger; to swirl around (in the air, in one's mind etc)" -缙,jìn,red silk -缙云,jìn yún,"Jinyun county in Lishui 麗水|丽水[Li2 shui3], Zhejiang" -缙云县,jìn yún xiàn,"Jinyun county in Lishui 麗水|丽水[Li2 shui3], Zhejiang" -缢,yì,(literary) to die by hanging or strangulation -缢死,yì sǐ,to execute by hanging; to hang oneself -缢杀,yì shā,to strangle to death -缢颈,yì jǐng,to hang oneself -缒,zhuì,to let down with a rope -绉,zhòu,crepe; wrinkle -绉褶,zhòu zhě,variant of 皺褶|皱褶[zhou4 zhe3] -缣,jiān,thick waterproof silk -缊,yūn,orange color; used in 絪縕|𬘡缊[yin1 yun1] -缊,yùn,hemp; vague; mysterious -缚,fù,to bind; to tie; Taiwan pr. [fu2] -缜,zhěn,fine and dense -缜匝,zhěn zā,dense; fine (texture) -缜密,zhěn mì,meticulous; careful; deliberate; delicate; fine (texture) -缜润,zhěn rùn,fine and smooth -缟,gǎo,plain white silk -缟玛瑙,gǎo mǎ nǎo,onyx; white agate -缟素,gǎo sù,white silk mourning dress -缛,rù,adorned; beautiful -县,xiàn,county -县令,xiàn lìng,county magistrate (during Tang to Qing times) -县名,xiàn míng,name of county -县地,xiàn dì,county seat; county town -县城,xiàn chéng,county seat; county town -县域,xiàn yù,county -县委,xiàn wěi,CCP county committee -县官,xiàn guān,district magistrate; county magistrate -县府,xiàn fǔ,county government -县志,xiàn zhì,general history of a county; county annals -县政府,xiàn zhèng fǔ,county administration; county regional government -县界,xiàn jiè,county border; county line -县级,xiàn jí,county level -县级市,xiàn jí shì,county-level city -县长,xiàn zhǎng,county's head commissioner -绦,tāo,variant of 絛|绦[tao1] -縩,cài,see 綷縩[cui4 cai4] -缝,féng,to sew; to stitch -缝,fèng,seam; crack; narrow slit; CL:道[dao4] -缝合,féng hé,to sew together; suture (in surgery); to sew up (a wound) -缝合带,fèng hé dài,suture zone (geology) -缝子,fèng zi,crack; chink; narrow slit; crevice -缝穷,féng qióng,to sew and mend clothes for a pittance -缝纫,féng rèn,to sew; tailoring -缝纫机,féng rèn jī,sewing machine; CL:架[jia4] -缝缀,féng zhuì,to patch together; to mend -缝线,féng xiàn,sewing thread; suture -缝缝连连,féng féng lián lián,needlework; sewing and mending -缝衣匠,féng yī jiàng,tailor -缝衣工人,féng yī gōng rén,needleworker -缝衣针,féng yī zhēn,sewing needle -缝补,féng bǔ,to darn (clothing); to sew and mend -缝制,féng zhì,"to sew; to make (clothes, bedding)" -缝针,féng zhēn,a stitch; surgical stitches -缝针,fèng zhēn,needle -缝针迹,féng zhēn jì,seam -缝隙,fèng xì,small crack; chink -缡,lí,bridal veil or kerchief -缩,suō,to withdraw; to pull back; to contract; to shrink; to reduce; abbreviation; also pr. [su4] -缩印,suō yìn,to reprint (a book etc) in a smaller format -缩印本,suō yìn běn,compact edition (of a dictionary etc) -缩多氨酸,suō duō ān suān,"polypeptide, a chain of amino acids linked by peptide bonds CO-NH, a component of protein; same as 多肽[duo1 tai4]" -缩写,suō xiě,abbreviation; to abridge -缩小,suō xiǎo,to reduce; to decrease; to shrink -缩小模型,suō xiǎo mó xíng,miniature -缩影,suō yǐng,miniature version of sth; microcosm; epitome; (Tw) to microfilm -缩微平片,suō wēi píng piàn,microfiche -缩成,suō chéng,to shrink into -缩成一团,suō chéng yī tuán,to huddle together; to curl up -缩手缩脚,suō shǒu suō jiǎo,bound hand and foot (idiom); constrained -缩排,suō pái,(typesetting) to indent -缩放,suō fàng,scaling; resizing; zoom (graphics) -缩时摄影,suō shí shè yǐng,time-lapse photography -缩格,suō gé,(typesetting) to indent -缩氨酸,suō ān suān,peptide (two or more amino acids linked by peptide bonds CO-NH) -缩水,suō shuǐ,to shrink (in the wash); fig. to shrink (of profits etc) -缩减,suō jiǎn,to cut; to reduce -缩略,suō lüè,to contract; to abbreviate; abbreviation -缩略图,suō lüè tú,thumbnail (computing) -缩略字,suō lüè zì,abbreviated character -缩略语,suō lüè yǔ,abbreviated word; acronym -缩短,suō duǎn,to shorten; to reduce; to curtail -缩约,suō yuē,contraction (in grammar); abbreviation -缩紧,suō jǐn,to tighten; to contract; to shrink in -缩胸,suō xiōng,breast reduction; reduction mammaplasty -缩衣节食,suō yī jié shí,to economize on clothes and food; to scrimp and save (idiom) -缩表,suō biǎo,to reduce the balance sheet -缩语,suō yǔ,abbreviated word; acronym -缩进,suō jìn,to retreat into; to draw back into; (typography) to indent -缩阴,suō yīn,to make the vagina tighter -缩头乌龟,suō tóu wū guī,a turtle that pulls its head in; (fig.) coward; chicken -纵,zòng,vertical; north-south (Taiwan pr. [zong1]); from front to back; longitudinal; lengthwise (Taiwan pr. [zong1]); military unit corresponding to an army corps (Taiwan pr. [zong1]); (bound form) to release (a captive); to indulge; to leap up; (literary) even if -纵享,zòng xiǎng,to enjoy; to indulge in -纵令,zòng lìng,to indulge; to give free rein; even if -纵使,zòng shǐ,even if; even though -纵剖面,zòng pōu miàn,vertical section; longitudinal section -纵向,zòng xiàng,longitudinal; vertical -纵容,zòng róng,to indulge; to connive at -纵坐标,zòng zuò biāo,vertical coordinate; ordinate -纵情,zòng qíng,to your heart's content -纵意,zòng yì,willfully; wantonly -纵欲,zòng yù,to indulge in debauchery -纵摇,zòng yáo,pitching motion (of a boat) -纵放,zòng fàng,undisciplined; untrammeled; to indulge -纵断面,zòng duàn miàn,vertical section; longitudinal section -纵梁,zòng liáng,longitudinal beam -纵横,zòng héng,"lit. warp and weft in weaving; vertically and horizontal; length and breadth; criss-crossed; able to move unhindered; abbr. for 合縱連橫|合纵连横[He2 zong4 Lian2 heng2], School of Diplomacy during the Warring States Period (475-221 BC)" -纵横交错,zòng héng jiāo cuò,criss-crossed (idiom) -纵横字谜,zòng héng zì mí,crossword -纵横家,zòng héng jiā,School of Diplomacy of the Warring States Period (475-221 BC) whose leading advocates were Su Qin 蘇秦|苏秦[Su1 Qin2] and Zhang Yi 張儀|张仪[Zhang4 Yi2] -纵横驰骋,zòng héng chí chěng,to criss-cross; to run unhindered across the whole country -纵步,zòng bù,to stride; to bound -纵波,zòng bō,longitudinal wave -纵深,zòng shēn,"depth (from front to rear); depth (into a territory); span (of time); (fig.) depth (of deployment, progress, development etc)" -纵火,zòng huǒ,to set on fire; to commit arson -纵火犯,zòng huǒ fàn,arsonist -纵然,zòng rán,even if; even though -纵目,zòng mù,as far as the eye can see -纵神经索,zòng shén jīng suǒ,longitudinal nerve cord -纵纹,zòng wén,stria longitudinalis (in the brain) -纵纹绿鹎,zòng wén lǜ bēi,(bird species of China) striated bulbul (Pycnonotus striatus) -纵纹腹小鸮,zòng wén fù xiǎo xiāo,(bird species of China) little owl (Athene noctua) -纵纹角鸮,zòng wén jiǎo xiāo,(bird species of China) pallid scops owl (Otus brucei) -纵线,zòng xiàn,vertical line; vertical coordinate line -纵声,zòng shēng,loudly; in a loud voice -纵肌,zòng jī,longitudinal muscle -纵虎归山,zòng hǔ guī shān,lit. to let the tiger return to the mountain; fig. to store up future calamities -纵裂,zòng liè,lobe; longitudinal slit; vertical fracture -纵览,zòng lǎn,panoramic view; wide survey -纵观,zòng guān,to survey comprehensively; an overall survey -纵言,zòng yán,to theorize generally -纵谈,zòng tán,to talk freely -纵论,zòng lùn,to talk freely -纵贯,zòng guàn,lit. warp string in weaving; fig. vertical or north-south lines; to pass through; to cross lengthwise; to pierce (esp. north-south or top-to-bottom) -纵身,zòng shēn,to leap; to spring; to throw oneself -纵酒,zòng jiǔ,to drink excessively -纵队,zòng duì,"column; file (formation of people) (CL:列[lie4],路[lu4]); PLA army corps (1946-1949) (CL:個|个[ge4])" -纵隔,zòng gé,mediastinum (organs and tissues in the thorax between the lungs) -缧,léi,(literary) thick rope used to restrain a prisoner -纤,qiàn,boatman's tow-rope -纤夫,qiàn fū,burlak (barge hauler) -纤道,qiàn dào,towpath (along a canal) -缦,màn,plain thin silk; slow; unadorned -絷,zhí,to connect; to tie up -缕,lǚ,"strand; thread; detailed; in detail; classifier for wisps (of smoke, mist or vapor), strands, locks (of hair)" -缕述,lǚ shù,to relate in detail -缥,piāo,used in 縹渺|缥渺[piao1 miao3]; Taiwan pr. [piao3] -缥,piǎo,(literary) light blue; (literary) light blue silk fabric -缥囊,piǎo náng,book bag made of silk -缥渺,piāo miǎo,variant of 飄渺|飘渺[piao1 miao3] -缥缈,piāo miǎo,variant of 飄渺|飘渺[piao1 miao3] -縻,mí,to tie up -总,zǒng,general; overall; to sum up; in every case; always; invariably; anyway; after all; eventually; sooner or later; surely; (after a person's name) abbr. for 總經理|总经理[zong3 jing1 li3] or 總編|总编[zong3 bian1] etc -总主教,zǒng zhǔ jiào,archbishop; primate (of a church); metropolitan -总之,zǒng zhī,in a word; in short; in brief -总人口,zǒng rén kǒu,total population -总供给,zǒng gōng jǐ,aggregate supply -总值,zǒng zhí,total value -总价,zǒng jià,total price -总公司,zǒng gōng sī,parent company; head office -总共,zǒng gòng,altogether; in sum; in all; in total -总分,zǒng fēn,overall score; total points -总则,zǒng zé,general rules; general principles; general provisions -总动员,zǒng dòng yuán,general mobilization (for war etc) -总务,zǒng wù,general matters; division of general affairs; person in overall charge -总汇,zǒng huì,(of streams) to come together; to converge; confluence; (fig.) compendium; aggregation; (in the name of a shop) emporium; (Tw) club sandwich (abbr. for 總匯三明治|总汇三明治[zong3 hui4 san1 ming2 zhi4]) -总汇三明治,zǒng huì sān míng zhì,(Tw) club sandwich -总卵黄管,zǒng luǎn huáng guǎn,common vitelline duct -总参谋部,zǒng cān móu bù,(military) General Staff Headquarters -总参谋长,zǒng cān móu zhǎng,(military) Chief of Staff -总台,zǒng tái,front desk; reception desk -总司令,zǒng sī lìng,commander-in-chief; top military commander for a country or theater of operations -总司令部,zǒng sī lìng bù,general headquarters -总合,zǒng hé,to collect together; to add up; altogether -总和,zǒng hé,sum -总吨位,zǒng dūn wèi,overall tonnage (of a shipping fleet or company) -总回报,zǒng huí bào,total return; aggregate profit -总局,zǒng jú,head office; general office; central office -总平面图,zǒng píng miàn tú,general layout; site plan -总干事,zǒng gàn shi,secretary-general -总后勤部,zǒng hòu qín bù,(military) General Logistics Department -总得,zǒng děi,must; have to; be bound to -总成本,zǒng chéng běn,total costs -总括,zǒng kuò,to sum up; all-inclusive -总指挥部,zǒng zhǐ huī bù,general headquarters -总揽,zǒng lǎn,to assume full responsibility; to be in full control; to monopolize -总收入,zǒng shōu rù,gross income -总收益,zǒng shōu yì,total profit; aggregate return -总政治部,zǒng zhèng zhì bù,(military) General Political Department -总数,zǒng shù,total; sum; aggregate -总方针,zǒng fāng zhēn,general policy; overall guidelines -总是,zǒng shì,always -总书记,zǒng shū ji,general secretary (of the Communist Party) -总会三明治,zǒng huì sān míng zhì,(Tw) club sandwich (variant of 總匯三明治|总汇三明治[zong3 hui4 san1 ming2 zhi4]) -总会会长,zǒng huì huì zhǎng,president of the association -总有,zǒng yǒu,inevitably there will be -总杆赛,zǒng gān sài,stroke play (golf) -总机,zǒng jī,central exchange; telephone exchange; switchboard -总次数,zǒng cì shù,total number of times -总归,zǒng guī,anyhow; after all; eventually -总决赛,zǒng jué sài,finals (sports) -总法律顾问,zǒng fǎ lǜ gù wèn,general counsel -总热值,zǒng rè zhí,gross calorific value -总理,zǒng lǐ,"premier; prime minister; CL:個|个[ge4],位[wei4],名[ming2]" -总理衙门,zǒng lǐ yá men,the Qing dynasty equivalent of the Foreign Office -总产值,zǒng chǎn zhí,gross product; total output -总产量,zǒng chǎn liàng,total output -总的来说,zǒng de lái shuō,generally speaking; to sum up; in summary; in short -总监,zǒng jiān,head; director (of an organizational unit); (police) commissioner; inspector-general; rank of local governor in Tang dynasty administration -总目,zǒng mù,superorder (taxonomy); catalog; table of contents -总督,zǒng dū,governor-general; viceroy; governor -总社,zǒng shè,cooperative (organisation); cooperation (e.g. between companies) -总称,zǒng chēng,generic term -总站,zǒng zhàn,terminus -总算,zǒng suàn,at long last; finally; on the whole -总管,zǒng guǎn,to be in charge of (a major area of responsibility); person in charge; manager; (old) butler (of a rich family); chief steward -总管理处,zǒng guǎn lǐ chù,headquarters; main administrative office -总结,zǒng jié,to sum up; to conclude; summary; résumé; CL:個|个[ge4] -总统,zǒng tǒng,"president (of a country); CL:個|个[ge4],位[wei4],名[ming2],屆|届[jie4]" -总统任期,zǒng tǒng rèn qī,presidential term of office; presidency -总统制,zǒng tǒng zhì,presidential system -总统大选,zǒng tǒng dà xuǎn,presidential election -总统府,zǒng tǒng fǔ,presidential palace -总统选举,zǒng tǒng xuǎn jǔ,presidential election -总经理,zǒng jīng lǐ,general manager; CEO -总线,zǒng xiàn,computer bus -总编,zǒng biān,chief editor (of newspaper); abbr. for 總編輯|总编辑 -总编辑,zǒng biān jí,chief editor (of newspaper) -总署,zǒng shǔ,general office -总而言之,zǒng ér yán zhī,in short; in a word; in brief -总能,zǒng néng,total energy -总裁,zǒng cái,chairman; director-general (of a company etc) -总装,zǒng zhuāng,to assemble (the finished product); final assembly -总装备部,zǒng zhuāng bèi bù,General Armaments Department (GAD) -总要,zǒng yào,nevertheless -总览,zǒng lǎn,a general overview -总角之交,zǒng jiǎo zhī jiāo,childhood friend (idiom) -总角之好,zǒng jiǎo zhī hǎo,childhood friend (idiom) -总计,zǒng jì,(grand) total -总论,zǒng lùn,(often used in book or chapter titles) general introduction; overview -总谐波失真,zǒng xié bō shī zhēn,(acoustics) total harmonic distortion (THD) -总谱,zǒng pǔ,musical score -总述,zǒng shù,overview; to give an overview -总运单,zǒng yùn dān,master air waybill (MAWB) (transport) -总部,zǒng bù,general headquarters -总重,zǒng zhòng,gross weight; total weight -总量,zǒng liàng,total; overall amount -总长,zǒng cháng,total length -总长,zǒng zhǎng,"name used for cabinet ministers between 1912-1927, superseded by 部長|部长[bu4 zhang3]" -总开关,zǒng kāi guān,main switch -总集,zǒng jí,general collection; anthology -总需求,zǒng xū qiú,aggregate demand -总领事,zǒng lǐng shì,consul general -总领事馆,zǒng lǐng shì guǎn,consulate general -总领馆,zǒng lǐng guǎn,consulate general; same as 總領事館|总领事馆[zong3 ling3 shi4 guan3] -总额,zǒng é,total (amount or value) -总风险,zǒng fēng xiǎn,aggregate risk -总体,zǒng tǐ,completely; totally; total; entire; overall; population (statistics) -总体上说,zǒng tǐ shàng shuō,looking at the big picture; all in all; all things considered -总体目标,zǒng tǐ mù biāo,overall target; overall objective -总体经济学,zǒng tǐ jīng jì xué,macroeconomics (Tw) -总体规划,zǒng tǐ guī huà,overall plan; master plan -绩,jì,to spin (hemp etc); merit; accomplishment; Taiwan pr. [ji1] -绩优股,jì yōu gǔ,gilt-edged stock; blue chip stock -绩效,jì xiào,performance; results; achievement -绩溪,jì xī,"Jixi, a county in Xuancheng 宣城[Xuan1cheng2], Anhui" -绩溪县,jì xī xiàn,"Jixi, a county in Xuancheng 宣城[Xuan1cheng2], Anhui" -绩点,jì diǎn,(education) grade point -繁,fán,"complicated; many; in great numbers; abbr. for 繁體|繁体[fan2 ti3], traditional form of Chinese characters" -繁冗,fán rǒng,variant of 煩冗|烦冗[fan2 rong3] -繁博,fán bó,numerous and wide-ranging -繁多,fán duō,many and varied; of many different kinds -繁密,fán mì,numerous and close together; (of hair) luxuriant; (of woods) dense; (of gunfire) intense -繁峙,fán shì,"Fanshi county in Xinzhou 忻州[Xin1 zhou1], Shanxi" -繁峙县,fán shì xiàn,"Fanshi county in Xinzhou 忻州[Xin1 zhou1], Shanxi" -繁征博引,fán zhēng bó yǐn,an elaborate string of references; many quotations -繁忙,fán máng,busy; bustling -繁文,fán wén,convoluted; elaborate formalities -繁文缛节,fán wén rù jié,convoluted and overelaborate (document); unnecessarily elaborate writing; mumbo-jumbo -繁昌,fán chāng,"Fanchang, a district in Wuhu City 蕪湖市|芜湖市[Wu2hu2 Shi4], Anhui" -繁昌区,fán chāng qū,"Fanchang, a district in Wuhu City 蕪湖市|芜湖市[Wu2hu2 Shi4], Anhui" -繁昌县,fán chāng xiàn,"Fanchang county in Wuhu 蕪湖|芜湖[Wu2 hu2], Anhui" -繁星,fán xīng,many stars; a vast sky full of stars -繁本,fán běn,detailed edition; unexpurgated version -繁荣,fán róng,prosperous; booming -繁荣昌盛,fán róng chāng shèng,glorious and flourishing (idiom); thriving -繁殖,fán zhí,to breed; to reproduce; to propagate -繁琐,fán suǒ,many and complicated; mired in minor details -繁盛,fán shèng,prosperous; thriving; (of vegetation) luxuriant -繁简,fán jiǎn,complicated and simple; traditional and simplified form of Chinese characters -繁缛,fán rù,many and elaborate -繁缕,fán lǚ,common chickweed (Stellaria media) -繁育,fán yù,to breed -繁花,fán huā,flourishing blossom; a mass of flowers; luxuriant flowers -繁茂,fán mào,(of vegetation) lush; luxuriant -繁华,fán huá,flourishing; bustling -繁芜,fán wú,wordy; verbose; flourishing and thriving -繁衍,fán yǎn,to multiply; to reproduce; to increase gradually in number or quantity -繁复,fán fù,complicated -繁重,fán zhòng,heavy; burdensome; heavy-duty; arduous; onerous -繁杂,fán zá,many; diverse -繁体,fán tǐ,"traditional form of Chinese, as opposed to simplified form 簡體|简体[jian3 ti3]" -繁体字,fán tǐ zì,traditional Chinese character -繁闹,fán nào,bustling -绷,bēng,to draw tight; to stretch taut; to tack (with thread or pin); (bound form) embroidery hoop; (bound form) woven bed mat -绷,běng,to have a taut face -绷不住,bēng bu zhù,(Internet slang) can't contain oneself; unable to bear; can't help (doing sth) -绷子,bēng zi,embroidery frame; hoop; tambour -绷巴吊拷,bēng bā diào kǎo,variant of 繃扒吊拷|绷扒吊拷[beng1 ba1 diao4 kao3] -绷带,bēng dài,bandage (loanword) -绷床,bēng chuáng,trampoline -绷扒吊拷,bēng bā diào kǎo,"to strip, tie up, hang and beat sb, an ancient torture technique" -绷簧,bēng huáng,spring -绷紧,bēng jǐn,to stretch taut -绷着脸,běng zhe liǎn,to have a taut face; to pull a long face; to look displeased -缫,sāo,to reel silk from cocoons -缪,miào,surname Miao -缪,liǎo,old variant of 繚|缭[liao3] -缪,miào,mu (Greek letter Μμ) -缪,miù,error; erroneous (variant of 謬|谬[miu4]) -缪,móu,to wind round -缪,mù,old variant of 穆[mu4] -缪巧,miù qiǎo,plan; scheme; intelligent; quick-witted -缪思,miù sī,variant of 繆斯|缪斯[Miu4 si1] -缪斯,miù sī,Muse (Greek mythology) -繇,yáo,folk-song; forced labor -繇,yóu,cause; means -繇,zhòu,interpretations of the trigrams -缯,zēng,surname Zeng -缯,zēng,silk fabrics -缯,zèng,to tie; to bind -织,zhī,to weave -织品,zhī pǐn,textile -织女,zhī nǚ,Vega (star); Weaving girl of folk tales -织女星,zhī nǚ xīng,"Vega, brightest star in constellation Lyra 天琴星座" -织布,zhī bù,woven cloth; to weave cloth -织布机,zhī bù jī,loom -织机,zhī jī,loom -织物,zhī wù,cloth; woven material; textiles -织田信长,zhī tián xìn cháng,"ODA Nobunaga (1534-1582), Japanese shogun (warlord), played an important role in unifying Japan" -织当访婢,zhī dāng fǎng bì,"if it's weaving, ask the maid (idiom); when managing a matter, consult the appropriate specialist" -织纴,zhī rèn,spinning and weaving -织花,zhī huā,woven pattern -织补,zhī bǔ,darning; to darn -织造,zhī zào,to weave; to manufacture by weaving -织金,zhī jīn,"Zhijin county in Bijie prefecture 畢節地區|毕节地区[Bi4 jie2 di4 qu1], Guizhou" -织金县,zhī jīn xiàn,"Zhijin county in Bijie prefecture 畢節地區|毕节地区[Bi4 jie2 di4 qu1], Guizhou" -织金锦,zhī jīn jǐn,gold brocade -织锦,zhī jǐn,brocade; silk fabric with colored pattern -缮,shàn,to repair; to mend; to rewrite; to transcribe -缮写,shàn xiě,to copy; to transcribe -缮清,shàn qīng,to make a clean copy -伞,sǎn,damask silk; variant of 傘|伞[san3] -缭,liáo,to wind round; to sew with slanting stitches -缭乱,liáo luàn,dazzled; confused -缭绕,liáo rào,(of smoke from a chimney) to curl upward; (of a sound) to linger on -缭边儿,liáo biān er,to stitch a hem -绕,rào,to wind; to coil (thread); to rotate around; to spiral; to move around; to go round (an obstacle); to by-pass; to make a detour; to confuse; to perplex -绕一圈,rào yī quān,to go around one time; to do a circuit -绕来绕去,rào lái rào qù,meandering and circuitous (idiom); to go around in circles and never get anywhere -绕口令,rào kǒu lìng,tongue-twister -绕嘴,rào zuǐ,hard to get one's mouth around; a tongue-twister -绕圈子,rào quān zi,to go around in circles; to make a detour; (fig.) to beat about the bush -绕地,rào dì,to orbit the earth -绕射,rào shè,(physics) to diffract -绕弯,rào wān,to go for a walk around; fig. to speak in a roundabout way -绕弯儿,rào wān er,to go for a walk around; (fig.) to speak in a roundabout way -绕弯子,rào wān zi,lit. to go on a long detour; fig. to speak vaguely around the topic without getting to the point; to beat about the bush -绕弯子儿,rào wān zǐ er,lit. to go on a long detour; fig. to speak vaguely around the topic without getting to the point; to beat about the bush -绕手,rào shǒu,thorny issue; tricky case -绕梁三日,rào liáng sān rì,reverberates around the rafters for three days (idiom); fig. sonorous and resounding (esp. of singing voice) -绕流,rào liú,turbulence (in fluid mechanics) -绕组,rào zǔ,coil (in electric motor or transformer) -绕绕,rào rào,twisting and turning; involved and tricky -绕脖子,rào bó zi,tricky; involved; to beat about the bush -绕膝,rào xī,(children) run around parent's knees; fig. to stay to look after one's elderly parents -绕膝承欢,rào xī chéng huān,"to live with one's parents, thus bringing them happiness (idiom)" -绕行,rào xíng,to take a circular (or circuitous) route; to do a circuit; (of a planet) to orbit; (of a sailor) to circumnavigate; to take a detour; to bypass -绕路,rào lù,to make a detour; to take the long route -绕过,rào guò,to detour; to bypass; to circumvent; to avoid; to wind around (of a road etc) -绕道,rào dào,to go by a roundabout route; to take a detour; (medicine or civil engineering) bypass -绕远儿,rào yuǎn er,to go the long way round; to take a circuitous route; (of a route) circuitous -绕腾,rào teng,to run a long way around; fig. to speak vaguely around the topic without getting to the point; to beat about the bush -绣,xiù,to embroider; embroidery -绣墩,xiù dūn,see 坐墩[zuo4 dun1] -绣帷,xiù wéi,tapestry -绣球花,xiù qiú huā,hydrangea -绣球藤,xiù qiú téng,Clematis montana -绣花,xiù huā,to embroider; to do embroidery -绣花鞋,xiù huā xié,embroidered shoes -缋,huì,multicolor; to draw -襁,qiǎng,string of copper coins; variant of 襁[qiang3] -绳,shéng,rope; CL:根[gen1] -绳之以法,shéng zhī yǐ fǎ,to punish according to the law; to bring to justice -绳墨,shéng mò,lit. carpenter's straight line marker; same as 墨斗; fig. rules; rules and regulations -绳套,shéng tào,noose; harness -绳子,shéng zi,cord; string; rope; CL:條|条[tiao2] -绳文,shéng wén,"Jyōmon period of Japanese prehistory, with rope pattern pottery" -绳梯,shéng tī,a rope ladder -绳索,shéng suǒ,rope -绳索套,shéng suǒ tào,a noose -绳结,shéng jié,knot -绘,huì,to draw; to paint; to depict; to portray -绘图,huì tú,to chart; to sketch; to draft; to plot -绘文字,huì wén zì,emoji -绘本,huì běn,picture book -绘架座,huì jià zuò,Pictor (constellation) -绘画,huì huà,to draw; to paint -绘声绘色,huì shēng huì sè,vivid and colorful (idiom); true to life; lively and realistic -绘制,huì zhì,to draw; to draft -系,jì,to tie; to fasten; to button up -系,xì,to connect; to arrest; to worry -系上,jì shang,to tie on; to buckle up; to fasten -系囚,xì qiú,prisoner -系带,xì dài,(anatomy) frenulum -系放,xì fàng,"to tag (an animal, for scientific research); to band (a bird)" -系泊,jì bó,to moor -茧,jiǎn,(bound form) cocoon; (bound form) callus (variant of 趼[jian3]) -茧子,jiǎn zi,callus (patch or hardened skin); corns (on feet); also 趼子 -缰,jiāng,variant of 韁|缰[jiang1] -缳,huán,to bind; to tie; lace; noose (for suicide); hangman's noose -缳首,huán shǒu,death by hanging -缲,qiāo,hem with invisible stitches -缲,sāo,to reel silk from cocoons -缴,jiǎo,to hand in; to hand over; to seize -缴交,jiǎo jiāo,to hand in; to hand over -缴付,jiǎo fù,to pay; to hand over (tax payment etc) -缴械,jiǎo xiè,to disarm; to lay down one's weapons; to surrender -缴枪,jiǎo qiāng,to lay down one's arms; to surrender; to disarm -缴枪不杀,jiǎo qiāng bù shā,“surrender and your life will be spared” -缴获,jiǎo huò,to capture; to seize -缴税,jiǎo shuì,to pay tax -缴纳,jiǎo nà,to pay (taxes etc) -缴费,jiǎo fèi,to pay a fee -缴销,jiǎo xiāo,to hand in and cancel -绎,yì,continuous; to interpret; to unravel; to draw silk (old) -继,jì,to continue; to follow after; to go on with; to succeed; to inherit; then; afterwards -继任,jì rèn,to succeed sb in a job; successor -继任者,jì rèn zhě,successor -继位,jì wèi,to succeed to the throne -继兄,jì xiōng,older stepbrother -继兄弟姐妹,jì xiōng dì jiě mèi,step-siblings -继嗣,jì sì,to continue; to continue a family line; posterity; heir -继女,jì nǚ,"stepdaughter; CL:個|个[ge4],名[ming2]" -继妹,jì mèi,younger stepsister -继姐,jì jiě,older stepsister -继子,jì zǐ,stepson -继子女,jì zǐ nǚ,stepchildren; adopted children -继室,jì shì,second wife (of a widower) -继弟,jì dì,younger stepbrother -继往开来,jì wǎng kāi lái,to follow the past and herald the future (idiom); part of a historical transition; forming a bridge between earlier and later stages -继后,jì hòu,later; afterwards -继承,jì chéng,to inherit; to succeed to (the throne etc); to carry on (a tradition etc) -继承人,jì chéng rén,heir; successor -继承权,jì chéng quán,right of inheritance -继承者,jì chéng zhě,successor -继承衣钵,jì chéng yī bō,to take up sb's mantle; to follow in sb's steps -继武,jì wǔ,to follow in the steps of one's predecessor -继母,jì mǔ,stepmother -继父,jì fù,stepfather -继父母,jì fù mǔ,step-parents -继统,jì tǒng,to succeed on the throne -继续,jì xù,to continue; to proceed with; to go on with -继而,jì ér,then; afterwards -继亲,jì qīn,stepfamily; (old) stepmother; to marry -继轨,jì guǐ,to follow in the steps of -继述,jì shù,(literary) to carry on; to inherit; to succeed -继配,jì pèi,second wife (of a widower) -继电器,jì diàn qì,relay (electronics) -缤,bīn,helter-skelter; mixed colors; in confusion -缤纷,bīn fēn,vast and various; rich and diverse -缱,qiǎn,attached to; loving -缱绻,qiǎn quǎn,in love and inseparable -纂,zuǎn,(literary) to compile; to edit; (coll.) (hairstyle) bun; chignon (as 纂兒|纂儿[zuan3 r5]); red silk ribbon; variant of 纘|缵[zuan3] -纂修,zuǎn xiū,to compile and revise; to inherit and develop -缬,xié,knot; tie a knot -缬氨酸,xié ān suān,"valine (Val), an essential amino acid" -缬草,xié cǎo,valerian (Valeriana officinalis) -纩,kuàng,fine floss-silk or cotton -续,xù,to continue; to replenish -续作,xù zuò,sequel -续保,xù bǎo,renewal of insurance -续借,xù jiè,extended borrowing (e.g. library renewal) -续假,xù jià,extended leave; prolonged absence -续增,xù zēng,addition; appendix; addendum -续娶,xù qǔ,to remarry -续弦,xù xián,(literary) (of a widower) to remarry -续书,xù shū,sequel; continuation of a book -续杯,xù bēi,to refill (a beverage cup) -续发感染,xù fā gǎn rǎn,secondary infection -续租,xù zū,to renew a lease -续篇,xù piān,sequel; continuation (of a story) -续签,xù qiān,to renew a contract; contract extension -续约,xù yuē,to renew or extend a contract -续编,xù biān,sequel; continuation (of a serial publication) -续续,xù xù,continuous; on and on; running -续航,xù háng,"(of an airplane, ship, vehicle etc) to continue a journey without refueling; (of an electronic device, battery etc) to run before needing to be recharged" -续西游记,xù xī yóu jì,one of three Ming dynasty sequels to Journey to the West 西遊記|西游记 -续订,xù dìng,to renew -续费,xù fèi,to renew a subscription -续跌,xù diē,to continue to fall (of share prices) -续随子,xù suí zi,caper (Capparis spinosa) -续集,xù jí,sequel; next episode (of TV series etc) -累,léi,surname Lei -累,léi,rope; to bind together; to twist around -累累,léi léi,variant of 累累[lei2 lei2] -缠,chán,to wind around; to wrap round; to coil; tangle; to involve; to bother; to annoy -缠夹,chán jiā,to annoy; to bother; to harass -缠夹不清,chán jiā bù qīng,to muddle things together (idiom); to bother sb with annoying muddle-headed talk -缠夹二先生,chán jiā èr xiān sheng,annoying muddle-headed person who gabbles unintelligibly -缠手,chán shǒu,troublesome; hard to deal with -缠扰,chán rǎo,to harass; to disturb -缠结,chán jié,to coil around; knot; to entangle -缠络,chán luò,to wind around; to twist and turn (of road or river) -缠丝玛瑙,chán sī mǎ nǎo,sardonyx (gemstone of brown-white striped chalcedony) -缠绵,chán mián,touching (emotions); lingering (illness) -缠绵不已,chán mián bù yǐ,to cling without letting go; to pester without end; to cling lovingly to each other -缠绵悱恻,chán mián fěi cè,"(of a person) sad beyond words (idiom); (of music, literature etc) poignant; very sentimental" -缠绕,chán rào,twisting; to twine; to wind; to pester; to bother -缠绕茎,chán rào jīng,vine; twining stem -缠足,chán zú,foot-binding -缠身,chán shēn,"(of an illness, debt etc) to plague one; to bog one down; to preoccupy one" -缠头,chán tóu,embroidered headband used as decoration by actors or in Hui ethnic group; to reward an actor with brocade headband -缨,yīng,tassel; sth shaped like a tassel (e.g. a leaf etc); ribbon -缨翅目,yīng chì mù,see 薊馬|蓟马[ji4 ma3] -才,cái,(variant of 才[cai2]) just now; (variant of 才[cai2]) (before an expression of quantity) only -才然,cái rán,just recently; just a moment ago; just now -纤,xiān,fine; delicate; minute -纤尘,xiān chén,speck of dust; fine dust -纤尘不染,xiān chén bù rǎn,see 一塵不染|一尘不染[yi1 chen2 bu4 ran3] -纤密,xiān mì,close; fine; intricate -纤小,xiān xiǎo,fine; delicate -纤屑,xiān xiè,fine detail -纤巧,xiān qiǎo,delicate; dainty -纤度,xiān dù,size -纤弱,xiān ruò,fragile; delicate -纤微,xiān wēi,slight; slim -纤悉,xiān xī,detailed; fine and meticulous -纤悉无遗,xiān xī wú yí,detailed and nothing left out (idiom); meticulous and comprehensive; not missing an iota -纤手,xiān shǒu,delicate hands; woman's tender and soft hands -纤柔,xiān róu,delicate; fine -纤毛,xiān máo,cilium -纤毛动力蛋白,xiān máo dòng lì dàn bái,ciliary dynein protein -纤瘦,xiān shòu,slender; slim as a thread -纤细,xiān xì,fine; slim; tender -纤维,xiān wéi,fiber; CL:種|种[zhong3] -纤维丛,xiān wéi cóng,fiber bundle (math.) -纤维囊泡症,xiān wéi náng pào zhèng,cystic fibrosis -纤维状,xiān wéi zhuàng,fibrous -纤维素,xiān wéi sù,cellulose -纤维肌痛,xiān wéi jī tòng,fibromyalgia -纤维胶,xiān wéi jiāo,viscose -纤维蛋白,xiān wéi dàn bái,fibrous protein -纤纤,xiān xiān,slim; slender -纤美,xiān měi,exquisite; delicate and beautiful -纤腰,xiān yāo,slender waistline -纤芯,xiān xīn,core (of a fiber) -纤芯直径,xiān xīn zhí jìng,core diameter (of a fiber) -纤体,xiān tǐ,to get a slender figure; slimming -缵,zuǎn,(literary) to inherit -纛,dào,big banner; feather banner or fan -缆,lǎn,cable; hawser; to moor -缆桩,lǎn zhuāng,mooring bollard -缆索,lǎn suǒ,cable; hawser; mooring rope -缆索吊椅,lǎn suǒ diào yǐ,ski-lift -缆线,lǎn xiàn,cable -缆绳,lǎn shéng,cable; hawser; mooring rope -缆车,lǎn chē,cable car -缶,fǒu,pottery -缸,gāng,jar; vat; classifier for loads of laundry; CL:口[kou3] -缺,quē,deficiency; lack; scarce; vacant post; to run short of -缺一不可,quē yī bù kě,not a single one is dispensable; can't do without either -缺乏,quē fá,to lack; to be short of -缺乏症,quē fá zhèng,clinical deficiency -缺位,quē wèi,"(of a position) to fall vacant; vacant post; a vacancy; (of regulation, service etc) unsatisfactory; dysfunctional" -缺勤,quē qín,to be absent from work or school -缺口,quē kǒu,nick; jag; gap; shortfall -缺嘴,quē zuǐ,harelip -缺失,quē shī,lack; deficiency; shortcoming; flaw; defect; to be deficient; to lack -缺少,quē shǎo,lack; shortage of; shortfall; to be short (of); to lack -缺席,quē xí,to be absent -缺德,quē dé,mean; nasty; reprehensible; unprincipled -缺德事,quē dé shì,misdeed; immoral action; wicked deed; a deliberate wrongdoing -缺德鬼,quē dé guǐ,"public nuisance; a wicked, mean spirited individual" -缺心少肺,quē xīn shǎo fèi,brainless; stupid -缺心眼,quē xīn yǎn,stupid; senseless; dim-witted -缺心眼儿,quē xīn yǎn er,erhua variant of 缺心眼[que1 xin1 yan3] -缺憾,quē hàn,a regret; sth regrettable -缺损,quē sǔn,defective; defect -缺斤少两,quē jīn shǎo liǎng,to give short weight -缺斤短两,quē jīn duǎn liǎng,to give short weight -缺氧,quē yǎng,lacking oxygen; anaerobic -缺氧症,quē yǎng zhèng,anoxia -缺水,quē shuǐ,water shortage; dehydration -缺油,quē yóu,oil shortage -缺漏,quē lòu,to overlook; omissions; deficiencies -缺省,quē shěng,default (setting) -缺粮,quē liáng,to lack food supplies -缺血,quē xuè,(of an organ) to have insufficient blood supply; (of a blood bank) to run low on blood supplies -缺衣少食,quē yī shǎo shí,short of food and clothing; destitute -缺角,quē jiǎo,"(of a square shape, such as a house plan) to have a corner missing; (fig.) to lack something; missing piece" -缺货,quē huò,lack of supplies; unavailable goods -缺钱,quē qián,shortage of money -缺陷,quē xiàn,defect; flaw -缺电,quē diàn,electricity shortage -缺额,quē é,vacancy -缺点,quē diǎn,weak point; fault; shortcoming; disadvantage; CL:個|个[ge4] -钵,bō,small earthenware plate or basin; a monk's alms bowl; Sanskrit paatra -钵盂,bō yú,alms bowl -钵头,bō tóu,earthen bowl (Shanghainese) -瓶,píng,variant of 瓶[ping2] -罄,qìng,to use up; to exhaust; empty -罄匮,qìng kuì,used-up; exhausted -罄然,qìng rán,well disciplined -罄尽,qìng jìn,to use up entirely -罄竭,qìng jié,variant of 磬竭[qing4 jie2] -罄竹难书,qìng zhú nán shū,so many that the bamboo slats have been exhausted; innumerable crimes (idiom); see also 罄筆難書|罄笔难书[qing4 bi3 nan2 shu1] -罄笔难书,qìng bǐ nán shū,too numerous to be cited (of atrocities or misdeeds) (idiom); see also 罄竹難書|罄竹难书[qing4 zhu2 nan2 shu1] -罄身,qìng shēn,nudity; nakedness -罄身儿,qìng shēn er,erhua variant of 罄身[qing4 shen1] -罅,xià,crack; grudge -罅隙,xià xì,gap; crack; rift -樽,zūn,variant of 樽[zun1] -坛,tán,earthen jar -坛子,tán zi,jug (earthenware with a big belly and a small opening) -瓮,wèng,variant of 甕|瓮[weng4] -罂,yīng,earthen jar with small mouth -罂粟,yīng sù,poppy -罐,guàn,can; jar; pot -罐子,guàn zi,jar; pitcher; pot -罐笼,guàn lóng,(mining) mine cage -罐装,guàn zhuāng,"canned (food, coffee etc)" -罐车,guàn chē,(road) tanker truck; (rail) tank car; tank wagon -罐头,guàn tou,tin; can; CL:個|个[ge4] -罐头笑声,guàn tóu xiào shēng,canned laughter; laugh track -罐头起子,guàn tou qǐ zi,can opener -罒,wǎng,net (Kangxi radical 122) -罓,wǎng,net (Kangxi radical 122) -罔,wǎng,to deceive; there is none; old variant of 網|网[wang3] -罔两,wǎng liǎng,variant of 魍魎|魍魉[wang3liang3] -罕,hǎn,rare -罕有,hǎn yǒu,to rarely have; rare -罕见,hǎn jiàn,rare; rarely seen -罘,fú,place name -罟,gǔ,to implicate; net for birds or fish -罡,gāng,stars of the Big Dipper that constitute the tail of the dipper -罡风,gāng fēng,"in Daoism, astral wind on which immortals may ride; strong wind" -罨,yǎn,foment; valve -罩,zhào,to cover; to spread over; a cover; a shade; a hood; bamboo fish trap; bamboo chicken coop; (Tw) (coll.) to protect; to have sb's back; (Tw) (coll.) awesome; incredible; (Tw) (coll.) (often as 罩得住[zhao4 de2 zhu4]) to have things under control; to be able to handle it -罩子,zhào zi,cover; casing -罩杯,zhào bēi,cup (bra size) -罩衣,zhào yī,overalls; CL:件[jian4] -罩衫,zhào shān,smock -罩袍,zhào páo,Chinese-style long robe worn as outermost garment; burqa -罩门,zhào mén,Achilles' heel; chink in the armor -罪,zuì,guilt; crime; fault; blame; sin -罪人,zuì rén,sinner -罪刑,zuì xíng,crime and punishment; penalty for a crime -罪名,zuì míng,charge; accusation; stigma; bad name; stained reputation -罪大恶极,zuì dà è jí,guilty of terrible crimes (idiom); reprehensible -罪孽,zuì niè,sin; crime; wrongdoing -罪性,zuì xìng,sinful nature -罪恶,zuì è,crime; evil; sin -罪恶感,zuì è gǎn,feeling of guilt -罪恶滔天,zuì è tāo tiān,(idiom) to have committed heinous crimes -罪愆,zuì qiān,sin; offense -罪有应得,zuì yǒu yīng dé,guilty and deserves to be punished (idiom); entirely appropriate chastisement; the punishment fits the crime -罪案,zuì àn,a criminal case -罪犯,zuì fàn,criminal -罪状,zuì zhuàng,charges or facts about a crime; the nature of the offense -罪疚,zuì jiù,guilt -罪与罚,zuì yǔ fá,Crime and Punishment by Dostoyevsky 陀思妥耶夫斯基[Tuo2 si1 tuo3 ye1 fu1 si1 ji1] -罪行,zuì xíng,crime; offense -罪行累累,zuì xíng lěi lěi,having an extensive criminal record -罪责,zuì zé,guilt -罪过,zuì guo,sin; offense -罪魁,zuì kuí,criminal ringleader; chief culprit; fig. cause of a problem -罪魁祸首,zuì kuí huò shǒu,"criminal ringleader, main offender (idiom); main culprit; fig. main cause of a disaster" -置,zhì,to install; to place; to put; to buy -置中对齐,zhì zhōng duì qí,centered alignment (typography) -置之不问,zhì zhī bù wèn,to pass by without showing interest (idiom) -置之不理,zhì zhī bù lǐ,to pay no heed to (idiom); to ignore; to brush aside -置之度外,zhì zhī dù wài,to give no thought to; to have no regard for; to disregard -置之死地而后生,zhì zhī sǐ dì ér hòu shēng,"(idiom based on Sunzi's ""The Art of War"" 孫子兵法|孙子兵法[Sun1zi3 Bing1fa3]) to deploy one's troops in such a way that there is no possibility of retreat, so that they will fight for their lives and win the battle; to fight desperately when confronted with mortal danger; to find a way to emerge from a dire situation" -置之脑后,zhì zhī nǎo hòu,to banish from one's thoughts; to ignore; to take no notice -置信,zhì xìn,to believe (what sb claims) (usually used in the negative); (math.) confidence (interval etc) -置信系数,zhì xìn xì shù,confidence coefficient (math.) -置信区间,zhì xìn qū jiān,(statistics) confidence interval -置信水平,zhì xìn shuǐ píng,confidence level (math.) -置信限,zhì xìn xiàn,confidence limit (math.) -置入,zhì rù,to insert; to implant; to embed; to introduce (a new element) into -置入性行销,zhì rù xìng xíng xiāo,product placement -置喙,zhì huì,to offer an opinion; to comment (on the issue); to have a say (in the matter) -置换,zhì huàn,to permute; permutation (math.); to displace; displacement; to replace; replacement -置换突变,zhì huàn tū biàn,missense mutation -置换群,zhì huàn qún,(math.) permutation group -置放,zhì fàng,to put; to place -置于,zhì yú,to place in; to put in (a position) -置景,zhì jǐng,"(cinema, theater) to dress the set" -置业,zhì yè,to buy real estate -置物柜,zhì wù guì,locker; cabinet -置疑,zhì yí,to doubt -置若罔闻,zhì ruò wǎng wén,to turn a deaf ear to (idiom); to pretend not to hear -置装,zhì zhuāng,variant of 治裝|治装[zhi4 zhuang1] -置装费,zhì zhuāng fèi,variant of 治裝費|治装费[zhi4 zhuang1 fei4] -置评,zhì píng,comment; statement -置诸高阁,zhì zhū gāo gé,lit. place on a high shelf; to pay no attention to (idiom) -置买,zhì mǎi,to purchase; to buy (usu. real estate) -置身,zhì shēn,to place oneself; to stay -置身事外,zhì shēn shì wài,not to get involved; to stay out of it -置办,zhì bàn,to purchase; to buy -置辩,zhì biàn,to argue -置顶,zhì dǐng,to sticky (an Internet forum thread etc) -罚,fá,to punish; to penalize; to fine -罚不当罪,fá bù dāng zuì,disproportionate punishment; the punishment is harsher than the crime -罚俸,fá fèng,to forfeit one's salary -罚出场,fá chū chǎng,(of a referee) to send a player off the field -罚则,fá zé,penal provision; penalty -罚半蹲,fá bàn dūn,to punish a student by having him stand in a half-squatting position with arms extended forward -罚单,fá dān,violation ticket; infringement notice -罚写,fá xiě,"to make a student write sth out many times, as a punishment; writing lines" -罚款,fá kuǎn,to fine; penalty; fine (monetary) -罚没,fá mò,to impose a fine and confiscate (property) -罚球,fá qiú,penalty shot; penalty kick (in sports) -罚站,fá zhàn,to be made to stand still as a punishment -罚跪,fá guì,to punish by protracted kneeling -罚酒,fá jiǔ,to drink as the result of having lost a bet -罚金,fá jīn,fine; to forfeit -罚钱,fá qián,to fine -罚锾,fá huán,a fine -罱,lǎn,"a kind of tool used to dredge up fish, water plants or river mud, consisting of a net attached to a pair of bamboo poles, which are used to open and close the net; to dredge with such a tool" -罱泥船,lǎn ní chuán,boat used for collecting river sludge (to use as a fertilizer) -署,shǔ,office; bureau; (Taiwan pr. [shu4]) to sign; to arrange -署名,shǔ míng,to sign (a signature) -署方,shǔ fāng,(government) department -骂,mà,"to scold; to abuse; to curse; CL:通[tong4],頓|顿[dun4]" -骂不绝口,mà bù jué kǒu,to scold without end (idiom); incessant abuse -骂人,mà rén,to swear or curse (at people); to scold or yell at someone -骂到臭头,mà dào chòu tóu,to chew sb out (Tw) -骂名,mà míng,infamy; blackened name -骂娘,mà niáng,to curse (at sb); to call sb names -骂骂咧咧,mà ma liē liē,to swear while talking; to be foul-mouthed -骂声,mà shēng,scolding; tongue-lashing; (fig.) angry criticism; opprobrium; CL:片[pian4] -骂街,mà jiē,to shout abuses in the street -罢,bà,to stop; to cease; to dismiss; to suspend; to quit; to finish -罢,ba,"(final particle, same as 吧)" -罢了,bà le,"a modal particle indicating (that's all, only, nothing much)" -罢了,bà liǎo,"a modal particle indicating (don't mind it, ok)" -罢休,bà xiū,to give up; to abandon (a goal etc); to let sth go; forget it; let the matter drop -罢免,bà miǎn,to remove sb from their post; to dismiss -罢官,bà guān,to dismiss from office; to resign from office -罢工,bà gōng,a strike; to go on strike -罢市,bà shì,protest strike by merchants -罢手,bà shǒu,to give up -罢教,bà jiào,teacher's strike -罢课,bà kè,student strike; to boycott classes -罢论,bà lùn,abandoned idea -罢黜,bà chù,to dismiss from office; to ban; to reject -罚,fá,variant of 罰|罚[fa2] -罹,lí,happen to; sorrow; suffer from -罹患,lí huàn,to suffer (from an illness); to fall ill -罹祸,lí huò,to suffer a disaster; to fall victim to misfortune -罹难,lí nàn,to die in an accident or disaster; to be killed -罾,zēng,large square net -罗,luó,surname Luo -罗,luó,gauze; to collect; to gather; to catch; to sift -罗一秀,luó yī xiù,"Luo Yixiu (1889-1910), Mao Zedong's first wife" -罗世昌,luó shì chāng,"Luo Shichang, Qing dynasty painter" -罗伯斯庇尔,luó bó sī bì ěr,"Robespierre (name); Maximilien François Marie Isidore de Robespierre (1758-1794), French revolutionary leader, enthusiastic advocate of reign of terror 1791-1794" -罗伯特,luó bó tè,Robert (name) -罗伯茨,luó bó cí,Roberts -罗伯逊,luó bó xùn,Robertson (name) -罗保铭,luó bǎo míng,"Luo Baoming (1952-), sixth governor of Hainan" -罗伦斯,luó lún sī,"Lawrence (city in Kansas, USA)" -罗杰,luó jié,Roger -罗杰斯,luó jié sī,Rogers -罗切斯特,luó qiē sī tè,Rochester -罗列,luó liè,"to list; to enumerate; (of buildings, objects etc) to be laid out; to be scattered about" -罗利,luó lì,"Raleigh, capital of North Carolina" -罗刹,luó chà,demon in Buddhism; poltergeist in temple that plays tricks on monks and has a taste for their food -罗勒,luó lè,sweet basil (Ocimum basilicum) -罗口,luó kǒu,rib collar; rib top of socks -罗唆,luō suō,incorrect variant of 囉嗦|啰嗦[luo1 suo5] -罗唣,luó zào,variant of 囉唣|啰唣[luo2 zao4] -罗喉,luó hóu,variant of 羅睺|罗睺[luo2 hou2] -罗嗦,luō suo,incorrect variant of 囉嗦|啰嗦[luo1suo5] -罗嘉良,luó jiā liáng,"Gallen Lo (1962-), Hong Kong actor and singer" -罗圈,luó quān,round frame of a sieve -罗圈儿,luó quān er,erhua variant of 羅圈|罗圈[luo2 quan1] -罗圈儿揖,luó quān er yī,to bow around with hands joined (to people on all sides) -罗圈架,luó quān jià,a quarrel in which third parties get involved -罗圈腿,luó quān tuǐ,bow-legged; bandy-legged -罗城,luó chéng,a second wall built around a city wall -罗城仫佬族自治县,luó chéng mù lǎo zú zì zhì xiàn,"Luocheng Mulao autonomous county in Hezhou 賀州|贺州[He4 zhou1], Guangxi" -罗城县,luó chéng xiàn,"Luocheng Mulao autonomous county in Hezhou 賀州|贺州[He4 zhou1], Guangxi" -罗塞塔石碑,luó sāi tǎ shí bēi,Rosetta Stone -罗夫诺,luō fū nuò,"Rivne (or Rovno), city in western Ukraine; Rivne (Oblast)" -罗姆人,luó mǔ rén,"Romani, an ethnic group of Europe" -罗姆酒,luó mǔ jiǔ,rum (loanword) -罗姗,luó shān,Roxanne or Roxane or Rosanna (name) -罗威纳犬,luó wēi nà quǎn,Rottweiler (dog breed) -罗安达,luó ān dá,"Luanda, capital of Angola" -罗宋,luó sòng,(dialect) Russia -罗宋汤,luó sòng tāng,"borscht, a traditional beetroot soup" -罗定,luó dìng,"Luoding, county-level city in Yunfu 雲浮|云浮[Yun2 fu2], Guangdong" -罗定市,luó dìng shì,"Luoding, county-level city in Yunfu 雲浮|云浮[Yun2 fu2], Guangdong" -罗家英,luó jiā yīng,"Law Kar-Ying (1946-), Hong Kong actor" -罗密欧,luó mì ōu,Romeo (name) -罗密欧与朱丽叶,luó mì ōu yǔ zhū lì yè,"Romeo and Juliet, 1594 tragedy by William Shakespeare 莎士比亞|莎士比亚" -罗山,luó shān,"Luoshan county in Xinyang 信陽|信阳, Henan" -罗山县,luó shān xiàn,"Luoshan county in Xinyang 信陽|信阳, Henan" -罗巴切夫斯基,luó bā qiè fū sī jī,"Nikolai Ivanovich Lobachevsky (1793-1856), one of the discoverers of non-Euclidean geometry" -罗布,luó bù,"to display; to spread out; to distribute; old spelling of 盧布|卢布[lu2 bu4], ruble" -罗布林卡,luó bù lín kǎ,"Norbulingka (Tibetan: precious garden), summer residence of Dalai Lamas in Lhasa, Tibet" -罗布泊,luó bù pō,"Lop Nor, former salt lake in Xinjiang, now a salt-encrusted lake bed" -罗布麻,luó bù má,"dogbane (Apocynum venetum), leaves used in TCM" -罗平,luó píng,"Luoping county in Qujing 曲靖[Qu3 jing4], Yunnan" -罗平县,luó píng xiàn,"Luoping county in Qujing 曲靖[Qu3 jing4], Yunnan" -罗式几何,luó shì jǐ hé,hyperbolic geometry; Lobachevskian geometry -罗得岛,luó dé dǎo,"Rhode Island, US state; Rhodes, an island of Greece" -罗得斯岛,luó dé sī dǎo,"Rhodes, Mediterranean island" -罗德岛,luó dé dǎo,"Rhode Island, US state; Rhodes, an island of Greece" -罗彻斯特,luó chè sī tè,Rochester -罗必达法则,luó bì dá fǎ zé,L'Hôpital's rule (math.) (Tw) -罗志祥,luó zhì xiáng,"Luo Zhixiang or Show Luo or Alan Luo (1979-), Taiwanese pop star" -罗恩,luó ēn,Ron (name) -罗懋登,luó mào dēng,"Luo Maodeng (16th century), Ming author of operas and popular fiction" -罗托鲁瓦,luó tuō lǔ wǎ,"Rotorua, city in New Zealand" -罗拉,luó lā,roller (loanword) -罗拜,luó bài,to line up to pay homage -罗掘,luó jué,to scrape together money (abbr. for 羅雀掘鼠|罗雀掘鼠[luo2que4-jue2shu3]) -罗摩衍那,luó mó yǎn nà,the Ramayana (Indian epic) -罗摩诺索夫,luó mó nuò suǒ fū,"Mikhail Vasilyevich Lomonosov (1711-1765), famous Russian chemist and polymath" -罗摩诺索夫山脊,luó mó nuò suǒ fū shān jǐ,Lomonosov ridge (in the Artic Ocean) -罗文,luó wén,"Roman Tam (1949-), Canto-pop singer" -罗斯,luó sī,"Roth, Ross, Rose or Rossi (name); Kenneth Roth (1955-), executive director of Human Rights Watch 人權觀察|人权观察[Ren2 quan2 Guan1 cha2]; Rus' (as in Kievan Rus' 基輔羅斯|基辅罗斯[Ji1 fu3 Luo2 si1])" -罗斯托克,luó sī tuō kè,Rostock (city in Germany) -罗斯托夫,luó sī tuō fū,"Rostov-on-Don, Russian river port and regional capital close to Sea of Azov (north of the Black Sea)" -罗斯涅夫,luó sī niè fū,Rosneft (Russian state oil company) -罗斯福,luó sī fú,"Roosevelt (name); Theodore Roosevelt (1858-1919), US President 1901-1909; Franklin D. Roosevelt (1882-1945), US President 1933-1945" -罗曼使,luó màn shǐ,romance; love affair; more commonly written 羅曼史|罗曼史 -罗曼史,luó màn shǐ,romance (loanword); love affair -罗曼司,luó màn sī,romance (loanword) -罗曼蒂克,luó màn dì kè,romantic (loanword) -罗曼语族,luó màn yǔ zú,Romance language family -罗曼诺,luó màn nuò,Romano (name) -罗东,luó dōng,"Luodong or Lotong Town in Yilan County 宜蘭縣|宜兰县[Yi2 lan2 Xian4], Taiwan" -罗东镇,luó dōng zhèn,"Luodong or Lotong Town in Yilan County 宜蘭縣|宜兰县[Yi2 lan2 Xian4], Taiwan" -罗格,luó gé,"Logue or Rogge (name); Jacques Rogge, president of International Olympic Committee (IOC)" -罗格斯大学,luó gé sī dà xué,Rutgers University (New Jersey) -罗梭,luó suō,"Roseau, capital of Dominica (Tw)" -罗荣桓,luó róng huán,"Luo Ronghuan (1902-1963), Chinese communist military leader" -罗氏,luó shì,Roche; F. Hoffmann-La Roche Ltd -罗氏几何,luó shì jǐ hé,hyperbolic geometry; Lobachevskian geometry -罗氏线圈,luó shì xiàn quān,Rogowski coil -罗水,luó shuǐ,"name of a river, the northern tributary of Miluo river 汨羅江|汨罗江[Mi4 luo2 jiang1]" -罗江,luó jiāng,"Luojiang county in Deyang 德陽|德阳[De2 yang2], Sichuan" -罗江县,luó jiāng xiàn,"Luojiang county in Deyang 德陽|德阳[De2 yang2], Sichuan" -罗浮宫,luó fú gōng,"the Louvre, museum in Paris (Tw)" -罗浮山,luó fú shān,"Mt Luofushan in Zengcheng county, Guangdong" -罗湖,luó hú,"Luohu district of Shenzhen City 深圳市, Guangdong" -罗湖区,luó hú qū,"Luohu district of Shenzhen City 深圳市, Guangdong" -罗源,luó yuán,"Luoyuan, a county in Fuzhou City 福州市[Fu2zhou1 Shi4], Fujian" -罗源县,luó yuán xiàn,"Luoyuan, a county in Fuzhou City 福州市[Fu2zhou1 Shi4], Fujian" -罗汉,luó hàn,(Buddhism) arhat (abbr. for 阿羅漢|阿罗汉[a1luo2han4]) -罗汉拳,luó hàn quán,Luohan Quan (Shaolin kung fu style) -罗汉果,luó hàn guǒ,"monk fruit, the sweet fruit of Siraitia grosvenorii, a vine of the Curcubitaceae family native to southern China and northern Thailand, used in Chinese medicine" -罗汉病,luó hàn bìng,"snail fever (bilharzia or schistosomiasis), disease caused by schistosome parasitic flatworm" -罗汉肚,luó hàn dù,potbelly -罗汉豆,luó hàn dòu,broad bean (Vicia faba); fava bean -罗汉鱼,luó hàn yú,flowerhorn cichlid -罗洁爱尔之,luó jié ài ěr zhī,"Raziel, archangel in Judaism" -罗尔定理,luó ěr dìng lǐ,Rolle's theorem (in calculus) -罗琳,luó lín,"Rowling (name); Joanne Kathleen Rowling (1965-), author of the Harry Potter series of novels" -罗生门,luó shēng mén,"Rashomon, Japanese novel and movie; (fig.) situation where conflicting interpretations of the same event obscure the truth; unsolvable case" -罗田,luó tián,"Luotian county in Huanggang 黃岡|黄冈[Huang2 gang1], Hubei" -罗田县,luó tián xiàn,"Luotian county in Huanggang 黃岡|黄冈[Huang2 gang1], Hubei" -罗甸,luó diàn,"Luodian county in Qiannan Buyei and Miao autonomous prefecture 黔南州[Qian2 nan2 zhou1], Guizhou" -罗甸县,luó diàn xiàn,"Luodian county in Qiannan Buyei and Miao autonomous prefecture 黔南州[Qian2 nan2 zhou1], Guizhou" -罗皂,luó zào,variant of 囉唣|啰唣[luo2 zao4] -罗盛教,luó chéng jiào,"Luo Chengjiao (1931-1952), PRC hero of the volunteer army in Korea" -罗盘,luó pán,compass -罗盘度,luó pán dù,roulette -罗盘座,luó pán zuò,Pyxis (constellation) -罗纹,luó wén,rib (in fabric); ribbed pattern -罗纹鸭,luó wén yā,(bird species of China) falcated duck (Anas falcata) -罗纳,luó nà,"Rhone, river of Switzerland and France" -罗纳河,luó nà hé,"Rhone, river of Switzerland and France" -罗纳尔多,luó nà ěr duō,"Ronaldo (name); Cristiano Ronaldo (1985-), Portuguese soccer player" -罗素,luó sù,"Russell (name); Bertrand Arthur William, 3rd Earl Russell (1872-1970), British logician, rationalist philosopher and pacifist" -罗索,luó suǒ,"Roseau, capital of Dominica" -罗经,luó jīng,compass; same as 羅盤|罗盘 -罗网,luó wǎng,net; fishing net; bird net -罗缎,luó duàn,ribbed -罗缕纪存,luó lǚ jì cún,to record and preserve -罗织,luó zhī,to frame sb; to cook up imaginary charges against sb -罗致,luó zhì,to employ; to recruit (talented personnel); to gather together (a team) -罗兴亚人,luó xìng yǎ rén,"Rohingya (predominantly Muslim ethnic group primarily residing in Rakhine State, Myanmar)" -罗兹,luó zī,"Łódź, third largest city of Poland" -罗庄,luó zhuāng,"Luozhuang district of Linyi city 臨沂市|临沂市[Lin2 yi2 shi4], Shandong" -罗庄区,luó zhuāng qū,"Luozhuang district of Linyi city 臨沂市|临沂市[Lin2 yi2 shi4], Shandong" -罗莎,luó shā,Rosa (name) -罗蒙诺索夫,luó méng nuò suǒ fū,"Mikhail Lomonosov (1711-1765), Russian polymath and writer" -罗兰,luó lán,Roland (name) -罗讷河,luó nè hé,"Rhone River, France" -罗语,luó yǔ,Romanian language -罗贯中,luó guàn zhōng,"Luo Guanzhong (c. 1330-c. 1400), author of the Romance of the Three Kingdoms and other works" -罗贾瓦,luó jiǎ wǎ,Rojava (de facto autonomous region in northeastern Syria) -罗宾汉,luó bīn hàn,Robin Hood (English 12th century folk hero) -罗宾逊,luó bīn xùn,Robinson (name) -罗锅,luó guō,to hunch one's back (coll.); a hunchback -罗锅儿,luó guō er,erhua variant of 羅鍋|罗锅[luo2 guo1] -罗锅桥,luó guō qiáo,a humpback bridge -罗雀掘鼠,luó què jué shǔ,lit. to net sparrows and dig out rats (idiom); fig. to try every possible means of obtaining food (in times of starvation) -罗霄山,luó xiāo shān,"Luoxiao Mountains, mountain range straddling the border between Jiangxi and Hunan" -罗非鱼,luó fēi yú,tilapia -罗预,luó yù,"(old) very short unit of time (loanword, from Sanskrit)" -罗马,luó mǎ,"Rome, capital of Italy" -罗马公教,luó mǎ gōng jiào,Roman Catholicism -罗马化,luó mǎ huà,romanization -罗马字,luó mǎ zì,the Latin alphabet -罗马字母,luó mǎ zì mǔ,Roman letters; Roman alphabet -罗马尼亚,luó mǎ ní yà,Romania -罗马帝国,luó mǎ dì guó,Roman Empire (27 BC-476 AD) -罗马教廷,luó mǎ jiào tíng,the Church (as Royal Court); the Holy See; the Vatican -罗马数字,luó mǎ shù zì,Roman numerals -罗马书,luó mǎ shū,Epistle of St Paul to the Romans -罗马法,luó mǎ fǎ,Roman law -罗马凉鞋,luó mǎ liáng xié,Roman sandals; ankle-strap sandals -罗马诺,luó mǎ nuò,Romano (name) -罗马里奥,luó mǎ lǐ ào,Romário -罗马鞋,luó mǎ xié,caligae (sandals worn by Roman soldiers in ancient times); (fashion) Roman-style sandals; ankle-strap sandals -罗马斗兽场,luó mǎ dòu shòu chǎng,Colosseum (Rome) -罴,pí,brown bear -罴虎,pí hǔ,fierce animals -羁,jī,bridle; halter; to restrain; to detain; to lodge; inn -羁宦,jī huàn,(literary) to serve as a government official far from one's native place -羁押,jī yā,to detain; to take into custody; detention; imprisonment -羁旅,jī lǚ,(literary) to stay long in a place far from home; (literary) person who lives in an alien land -羁留,jī liú,to stay; to detain -羁绊,jī bàn,trammels; fetters; yoke; to restrain; to hinder; restraint -羊,yáng,surname Yang -羊,yáng,"sheep; goat; CL:頭|头[tou2],隻|只[zhi1]" -羊入虎口,yáng rù hǔ kǒu,lit. a lamb in a tiger's den (idiom); fig. to tread dangerous ground -羊卓雍措,yáng zhuó yōng cuò,"Yamdrok Lake, Tibet" -羊卓雍错,yáng zhuó yōng cuò,"Yamdrok Lake, Tibet" -羊城,yáng chéng,"Yangcheng, a nickname for 廣州|广州[Guang3 zhou1]" -羊奶,yáng nǎi,sheep's milk -羊年,yáng nián,Year of the Ram (e.g. 2003) -羊怪,yáng guài,"faun, half-goat half-human creature of Greek mythology" -羊拐,yáng guǎi,"children's game, similar to knucklebones" -羊排,yáng pái,lamb chop -羊桃,yáng táo,variant of 楊桃|杨桃[yang2 tao2]; carambola; star fruit -羊栈,yáng zhàn,sheep or goat pen -羊毛,yáng máo,fleece; wool; woolen -羊毛出在羊身上,yáng máo chū zài yáng shēn shàng,"lit. wool comes from the sheep's back (idiom); One gets the benefit, but the price has been paid.; Nothing comes for free." -羊毛毯,yáng máo tǎn,woolen blanket -羊毛线,yáng máo xiàn,knitting wool; wool yarn -羊毛脂,yáng máo zhī,lanolin; wool oil -羊毛衫,yáng máo shān,wool sweater; cardigan -羊水,yáng shuǐ,amniotic fluid -羊水穿刺,yáng shuǐ chuān cì,amniocentesis (used in Taiwan) -羊油,yáng yóu,sheep's fat; suet; mutton tallow -羊男,yáng nán,goat-man; faun of Greek mythology -羊瘙痒病,yáng sào yǎng bìng,scrapie (prion disease of sheep) -羊瘙痒症,yáng sào yǎng zhèng,scrapie (prion disease of sheep) -羊痫风,yáng xián fēng,epilepsy -羊痒疫,yáng yǎng yì,scrapie (prion disease of sheep) -羊癫疯,yáng diān fēng,epilepsy -羊皮,yáng pí,sheepskin -羊皮纸,yáng pí zhǐ,parchment -羊穿,yáng chuān,amniocentesis (abbr. for 羊膜穿刺[yang2 mo2 chuan1 ci4]) -羊羔,yáng gāo,lamb -羊群,yáng qún,flock of sheep -羊羹,yáng gēng,"yōkan, gelatin dessert typically made from red bean paste, agar, and sugar, sold in block form" -羊肉,yáng ròu,mutton; goat meat -羊肉串,yáng ròu chuàn,lamb kebab -羊肉馅,yáng ròu xiàn,minced mutton -羊肚子手巾,yáng dù zi shǒu jīn,see 羊肚手巾[yang2 du4 shou3 jin1] -羊肚子毛巾,yáng dù zi máo jīn,see 羊肚手巾[yang2 du4 shou3 jin1] -羊肚手巾,yáng dù shǒu jīn,(dialect) towel (especially worn as a turban) -羊脂白玉,yáng zhī bái yù,"sheep-fat white jade, a type of jade" -羊肠小径,yáng cháng xiǎo jìng,winding road (twisting and turning like a sheep's intestine) -羊肠小道,yáng cháng xiǎo dào,road as twisty as sheep's intestine (idiom); narrow and winding road; fig. complicated and tricky job -羊膜,yáng mó,(anatomy) amnion -羊膜穿刺,yáng mó chuān cì,amniocentesis -羊膜穿刺术,yáng mó chuān cì shù,amniocentesis -羊角包,yáng jiǎo bāo,croissant -羊角村,yáng jiǎo cūn,Giethoorn (city in the Netherlands) -羊角疯,yáng jiǎo fēng,variant of 羊角風|羊角风[yang2 jiao3 feng1] -羊角芹,yáng jiǎo qín,ground-elder (Aegopodium podagraria) -羊角豆,yáng jiǎo dòu,okra (Hibiscus esculentus); lady's fingers -羊角锤,yáng jiǎo chuí,claw hammer -羊角风,yáng jiǎo fēng,epilepsy -羊角面包,yáng jiǎo miàn bāo,croissant -羊触藩篱,yáng chù fān lí,lit. billy goat's horns caught in the fence (idiom from Book of Changes 易經|易经); impossible to advance or to retreat; without any way out of a dilemma; trapped; in an impossible situation -羊质虎皮,yáng zhì hǔ pí,lit. the heart of a sheep in the skin of a tiger (idiom); fig. impressive in appearance but lacking in substance; braggart -羊头,yáng tóu,sheep's head; fig. advertisement for good meat -羊头狗肉,yáng tóu gǒu ròu,see 掛羊頭賣狗肉|挂羊头卖狗肉[gua4 yang2 tou2 mai4 gou3 rou4] -羊驼,yáng tuó,alpaca -芈,mǐ,surname Mi -芈,mǐ,to bleat (of a sheep) -羌,qiāng,Qiang ethnic group of northwestern Sichuan; surname Qiang -羌,qiāng,muntjac; grammar particle indicating nonsense (classical) -羌族,qiāng zú,"Qiang ethnic group, nowadays esp. in north Sichuan" -羌活,qiāng huó,Notopterygium root (root of Notopterygium incisum) -羌无故实,qiāng wú gù shí,to have no basis in fact (idiom) -羌笛,qiāng dí,Qiang flute -羌鹫,qiāng jiù,sea eagle; CL:隻|只[zhi1] -羍,dá,little lamb -美,měi,(bound form) the Americas (abbr. for 美洲[Mei3 zhou1]); (bound form) USA (abbr. for 美國|美国[Mei3 guo2]) -美,měi,beautiful; very satisfactory; good; to beautify; to be pleased with oneself -美不胜收,měi bù shèng shōu,nothing more beautiful can be imagined (idiom) -美中,měi zhōng,USA-China -美中不足,měi zhōng bù zú,everything is fine except for one small defect (idiom); the fly in the ointment -美中台,měi zhōng tái,US-China-Taiwan -美乃滋,měi nǎi zī,mayonnaise (loanword) (Tw) -美事,měi shì,a fine thing; a wonderful thing -美人,měi rén,beauty; belle -美人坯子,měi rén pī zi,a beauty in the bud -美人尖,měi rén jiān,"widow's peak (in China, regarded as attractive in women)" -美人腿,měi rén tuǐ,"(Tw) (coll.) edible stem of Manchurian wild rice 菰[gu1], aka water bamboo" -美人蕉,měi rén jiāo,canna or Indian shot (genus Canna) -美人计,měi rén jì,honey trap; sexual entrapment; CL:條|条[tiao2] -美人鱼,měi rén yú,mermaid -美他沙酮,měi tā shā tóng,metaxalone -美以美,měi yǐ měi,Methodist (Christian sect) -美元,měi yuán,American dollar; US dollar -美其名曰,měi qí míng yuē,to call by the glorified name of (idiom) -美刀,měi dāo,(slang) US dollar; USD -美分,měi fēn,one cent (United States coin) -美利坚,měi lì jiān,America -美利坚合众国,měi lì jiān hé zhòng guó,United States of America -美利坚治世,měi lì jiān zhì shì,Pax Americana -美利奴羊,měi lì nú yáng,merino (breed of sheep) -美剧,měi jù,American TV series (abbr. for 美國電視劇|美国电视剧[Mei3 guo2 dian4 shi4 ju4]) -美加,měi jiā,US and Canada (abbr.) -美劳,měi láo,(Tw) arts and crafts (as a school subject) -美化,měi huà,to make more beautiful; to decorate; embellishment -美名,měi míng,good name; good reputation -美味,měi wèi,delicious; delicious food; delicacy -美味可口,měi wèi kě kǒu,delicious; tasty -美味牛肝菌,měi wèi niú gān jùn,porcino (Boletus edulis) -美善,měi shàn,beautiful and good -美因茨,měi yīn cí,Mainz (city in Germany) -美国,měi guó,United States; USA; US -美国之音,měi guó zhī yīn,Voice of America (VOA) -美国交会,měi guó jiāo huì,"abbr. for 美國證券交易委員會|美国证券交易委员会, US Securities and Exchange Commission (SEC)" -美国人,měi guó rén,American; American person; American people; CL:個|个[ge4] -美国人民,měi guó rén mín,the American people -美国佬,měi guó lǎo,an American (derog.); a Yankee -美国全国广播公司,měi guó quán guó guǎng bō gōng sī,National Broadcasting Company (NBC) -美国参议院,měi guó cān yì yuàn,United States Senate -美国国务院,měi guó guó wù yuàn,US Department of State -美国国家侦察局,měi guó guó jiā zhēn chá jú,National Reconnaissance Office (of the United States) -美国国家标准学会,měi guó guó jiā biāo zhǔn xué huì,American National Standards Institute (ANSI) -美国国家航天航空局,měi guó guó jiā háng tiān háng kōng jú,National Aeronautics and Space Administration; NASA -美国国家航空航天局,měi guó guó jiā háng kōng háng tiān jú,"NASA, National Aeronautics and Space Administration, agency of US government" -美国国徽,měi guó guó huī,the Great Seal of the United States -美国国会,měi guó guó huì,US Congress -美国国际集团,měi guó guó jì jí tuán,American International Group -美国在线,měi guó zài xiàn,America Online (AOL) -美国地质局,měi guó dì zhì jú,United States Geological Survey (USGS) -美国地质调查局,měi guó dì zhì diào chá jú,United States Geological Survey (USGS) -美国太空总署,měi guó tài kōng zǒng shǔ,NASA (National Aeronautics and Space Administration) -美国存托凭证,měi guó cún tuō píng zhèng,American depository receipt (ADR) -美国宇航局,měi guó yǔ háng jú,US National Aeronautics and Space Administration; NASA -美国广播公司,měi guó guǎng bō gōng sī,ABC (American Broadcasting Corporation) -美国最高法院,měi guó zuì gāo fǎ yuàn,Supreme Court of the United States -美国有线新闻网,měi guó yǒu xiàn xīn wén wǎng,Cable Network News (CNN) -美国海岸警卫队,měi guó hǎi àn jǐng wèi duì,United States Coast Guard -美国独立战争,měi guó dú lì zhàn zhēng,American War of Independence (1775-1783) -美国众议院,měi guó zhòng yì yuàn,United States House of Representatives -美国联合通讯社,měi guó lián hé tōng xùn shè,Associated Press (AP); abbr. to 美聯社|美联社[Mei3 Lian2 she4] -美国联准,měi guó lián zhǔn,American Federal Reserve -美国联邦储备,měi guó lián bāng chǔ bèi,"US Federal Reserve (Fed), the US central bank" -美国联邦航空局,měi guó lián bāng háng kōng jú,Federal Aviation Authority (FAA) -美国能源部,měi guó néng yuán bù,US Department of Energy (DOE) -美国航空,měi guó háng kōng,American Airlines -美国航空公司,měi guó háng kōng gōng sī,American Airlines -美国证券交易委员会,měi guó zhèng quàn jiāo yì wěi yuán huì,US Securities and Exchange Commission (SEC) -美国资讯交换标准码,měi guó zī xùn jiāo huàn biāo zhǔn mǎ,"ASCII, American Standard Code for Information Interchange" -美国军人,měi guó jūn rén,American serviceman; US soldier -美国运通,měi guó yùn tōng,American Express Co. (Amex) -美国电话电报公司,měi guó diàn huà diàn bào gōng sī,AT&T -美圆,měi yuán,US dollar -美团点评,měi tuán diǎn píng,"Meituan-Dianping, China's largest service-focused e-commerce platform" -美梦成真,měi mèng chéng zhēn,a dream come true -美女,měi nǚ,beautiful woman -美好,měi hǎo,beautiful; fine -美妙,měi miào,beautiful; wonderful; splendid -美姑,měi gū,"Meigu county in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -美姑河,měi gū hé,Meigu River in south Sichuan -美姑县,měi gū xiàn,"Meigu county in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -美学,měi xué,aesthetics -美宇航局,měi yǔ háng jú,US National Aeronautics and Space Administration; NASA; abbr. for 美國宇航局|美国宇航局 -美容,měi róng,to improve one's appearance (using cosmetics or cosmetic surgery); to make oneself more attractive; to beautify -美容女,měi róng nǚ,hairdresser (female); beautician -美容师,měi róng shī,hairdresser; beautician (male) -美容店,měi róng diàn,beauty salon; CL:家[jia1] -美容手术,měi róng shǒu shù,cosmetic surgery -美容觉,měi róng jiào,beauty sleep (before midnight) -美容院,měi róng yuàn,beauty salon; beauty parlor -美尼尔氏综合症,měi ní ěr shì zōng hé zhèng,Meniere's disease -美尼尔病,měi ní ěr bìng,Meniere's disease -美属维尔京群岛,měi shǔ wéi ěr jīng qún dǎo,United States Virgin Islands (USVI) -美属萨摩亚,měi shǔ sà mó yà,American Samoa -美工,měi gōng,art design; art designer -美工刀,měi gōng dāo,utility knife; box cutter -美差,měi chāi,cushy job; pleasant task -美差事,měi chāi shì,a terrific job -美巴,měi bā,America and Pakistan; America and Brazil; America and Panama -美帝,měi dì,"(in early CCP propaganda) United States (as an imperialist nation); (in more recent times) a neutral, colloquial term for the United States" -美式,měi shì,American-style -美式咖啡,měi shì kā fēi,caffè americano -美式橄榄球,měi shì gǎn lǎn qiú,American football -美式足球,měi shì zú qiú,American football -美德,měi dé,USA and Germany -美德,měi dé,virtue -美心,měi xīn,Maxine (name) -美意,měi yì,goodwill; kindness -美感,měi gǎn,sense of beauty; aesthetic perception -美拉尼西亚,měi lā ní xī yà,Melanesia -美日,měi rì,US-Japan -美景,měi jǐng,beautiful scenery -美智子,měi zhì zǐ,"Michiko, Japanese female given name; Empress Michiko of Japan (1934-)" -美朝,měi cháo,US and North Korea -美杜莎,měi dù shā,Medusa (monster of Greek mythology) -美东时间,měi dōng shí jiān,USA Eastern Standard Time -美林集团,měi lín jí tuán,Merrill Lynch -美乐,měi lè,Merlot (grape type) -美欧,měi ōu,US and EU; America-Europe -美汁源,měi zhī yuán,Minute Maid -美沙酮,měi shā tóng,methadone -美泉宫,měi quán gōng,Schönbrunn Palace in Vienna -美洛昔康,měi luò xī kāng,meloxicam (anti-inflammatory drug) -美洲,měi zhōu,"America (including North, Central and South America); the Americas; abbr. for 亞美利加洲|亚美利加洲[Ya4 mei3 li4 jia1 Zhou1]" -美洲国家组织,měi zhōu guó jiā zǔ zhī,Organization of American States -美洲大陆,měi zhōu dà lù,the Americas; North and South American continents -美洲小鸵,měi zhōu xiǎo tuó,Lesser Rhea; Darwin's Rhea; Rhea pennata -美洲狮,měi zhōu shī,cougar; mountain lion; puma -美洲绿翅鸭,měi zhōu lǜ chì yā,(bird species of China) green-winged teal (Anas carolinensis) -美洲虎,měi zhōu hǔ,jaguar -美洲豹,měi zhōu bào,jaguar (Panthera onca) -美洲金鸻,měi zhōu jīn héng,(bird species of China) American golden plover (Pluvialis dominica) -美洲鸵,měi zhōu tuó,Greater Rhea; American Rhea; Rhea americana -美溪,měi xī,"Meixi district of Yichun city 伊春市[Yi1 chun1 shi4], Heilongjiang" -美溪区,měi xī qū,"Meixi district of Yichun city 伊春市[Yi1 chun1 shi4], Heilongjiang" -美滋滋,měi zī zī,very happy; elated -美满,měi mǎn,happy; blissful -美浓,měi nóng,"Meinung town in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -美浓镇,měi nóng zhèn,"Meinung town in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -美玉,měi yù,fine jade -美玲,měi líng,"Meiling (female name); Zhou Meiling 周美玲[Zhou1 Mei3 ling2] (1969-), Taiwanese gay film director" -美甲,měi jiǎ,manicure and-or pedicure -美白,měi bái,to whiten (the skin or teeth) -美的,měi dí,Midea (brand) -美眄,měi miǎn,captivating glance -美眉,měi méi,(coll.) pretty girl -美瞳,měi tóng,cosmetic contact lens; big eye contact lens; circle contact lens -美石,měi shí,precious stone; jewel -美神,měi shén,Goddess of beauty -美禄,měi lù,Nestlé Milo (chocolate-flavored powder added to milk or water) -美称,měi chēng,to dub with a nice-sounding appellation; fanciful moniker -美籍,měi jí,American (i.e. of US nationality) -美粒果,měi lì guǒ,Minute Maid (brand) -美索不达米亚,měi suǒ bù dá mǐ yà,Mesopotamia -美网,měi wǎng,US Open (tennis tournament) -美编,měi biān,(publishing) (abbr. for 美術編輯|美术编辑[mei3 shu4 bian1 ji2]) layout and graphics; graphic design; art editor; graphic designer -美耐板,měi nài bǎn,melamine veneer (loanword) -美耐皿,měi nài mǐn,(Tw) (loanword) melamine -美联储,měi lián chǔ,"US Federal Reserve (Fed), the US central bank" -美联社,měi lián shè,Associated Press (AP); abbr. for 美國聯合通訊社|美国联合通讯社[Mei3 guo2 Lian2 he2 Tong1 xun4 she4] -美声,měi shēng,bel canto -美声唱法,měi shēng chàng fǎ,bel canto -美职篮,měi zhí lán,National Basketball Association (NBA) -美色,měi sè,charm; loveliness (of a woman) -美艳,měi yàn,beautiful and alluring; glamorous; gorgeous -美英,měi yīng,US and UK; Anglo-American -美蓝,měi lán,methylene blue -美苏,měi sū,"American-Soviet (tension, rapprochement etc)" -美兰,měi lán,"Meilan district of Haikou city 海口市[Hai3 kou3 shi4], Hainan" -美兰区,měi lán qū,"Meilan district of Haikou city 海口市[Hai3 kou3 shi4], Hainan" -美术,měi shù,art; fine arts; painting; CL:種|种[zhong3] -美术史,měi shù shǐ,history of art -美术品,měi shù pǐn,an art object -美术编辑,měi shù biān jí,(publishing) layout and graphics; graphic design; art editor; graphic designer -美术馆,měi shù guǎn,art gallery -美制,měi zhì,American made -美观,měi guān,pleasing to the eye; beautiful; artistic -美语,měi yǔ,American English -美谈,měi tán,anecdote passed on with approbation -美誉,měi yù,fame; good reputation; famous for sth -美貌,měi mào,good looks; beauty; good-looking -美军,měi jūn,US army; US armed forces -美轮美奂,měi lún měi huàn,"(idiom) (of houses, scenery etc) magnificent" -美酒,měi jiǔ,good wine; fine liquor -美金,měi jīn,US dollar; USD -美钞,měi chāo,US dollar bill; greenback -美颜,měi yán,to beautify sb's face (with cosmetics etc); to retouch a photo to make sb look more beautiful; beautiful face; beautified face -美颜相机,měi yán xiàng jī,"BeautyCam, a smartphone app for retouching selfies (abbr. to 美顏|美颜[Mei3 yan2])" -美食,měi shí,culinary delicacy; fine food; gourmet food -美食家,měi shí jiā,gourmet -美食街,měi shí jiē,food court; food street -美餐,měi cān,tasty meal; to eat a satisfying meal -美馔,měi zhuàn,delicacy -美体小铺,měi tǐ xiǎo pù,The Body Shop (UK cosmetics company) -美发,měi fà,hairdressing; to give sb's hair a cut or other beauty treatment; beautiful hair -美发师,měi fà shī,hairdresser; beautician -美丽,měi lì,beautiful -美丽岛,měi lì dǎo,"Formosa (from Ilha Formosa, ""Beautiful Isle"", the name given to Taiwan Island by passing Portuguese mariners in 1544)" -美丽岛事件,měi lì dǎo shì jiàn,"Kaohsiung Incident (aka Formosa Incident), a crackdown on pro-democracy demonstrations in Kaohsiung, Taiwan, on 10 December 1979 during Taiwan's martial law period" -美丽新世界,měi lì xīn shì jiè,"Brave New World, novel by Aldous Huxley 阿道司·赫胥黎[A1 dao4 si1 · He4 xu1 li2]" -羔,gāo,lamb -羔皮,gāo pí,lambskin; kid leather -羔羊,gāo yáng,sheep; lamb -羌,qiāng,variant of 羌[qiang1] -羚,líng,antelope -羚牛,líng niú,takin (type of goat-antelope) -羚羊,líng yáng,antelope; CL:隻|只[zhi1] -羝,dī,billy goat; ram -羝羊触藩,dī yáng chù fān,lit. billy goat's horns caught in the fence (idiom from Book of Changes 易經|易经); impossible to advance or to retreat; without any way out of a dilemma; trapped; in an impossible situation -羞,xiū,shy; ashamed; shame; bashful; variant of 饈|馐[xiu1]; delicacies -羞口难开,xiū kǒu nán kāi,to be too embarrassed for words (idiom) -羞怯,xiū qiè,shy; timid -羞耻,xiū chǐ,(a feeling of) shame -羞恼,xiū nǎo,resentful; humiliated and angry -羞愧,xiū kuì,ashamed -羞愧难当,xiū kuì nán dāng,to feel ashamed (idiom) -羞惭,xiū cán,a disgrace; ashamed -羞愤,xiū fèn,ashamed and resentful; indignant -羞于启齿,xiū yú qǐ chǐ,to be too shy to speak one's mind (idiom) -羞涩,xiū sè,shy; bashful -羞答答,xiū dā dā,bashful -羞红,xiū hóng,to blush -羞羞脸,xiū xiū liǎn,(jocular) shame on you! -羞脸,xiū liǎn,to blush with shame -羞赧,xiū nǎn,(literary) embarrassed; bashful -羞辱,xiū rǔ,to humiliate; to shame; humiliation; indignity -群,qún,variant of 群[qun2] -群,qún,"group; crowd; flock, herd, pack etc" -群交,qún jiāo,group sex -群件,qún jiàn,collaborative software -群嘲,qún cháo,(neologism c. 2011) to deride a group of people; (of a group of people) to deride (sb) -群居,qún jū,to live together (in a large group or flock) -群山,qún shān,mountains; a range of hills -群峰,qún fēng,the peaks of a mountain range -群岛,qún dǎo,group of islands; archipelago -群岛弧,qún dǎo hú,island arc (geology) -群架,qún jià,group scuffle; gang fight -群演,qún yǎn,extra (actor engaged to appear in a crowd scene) (abbr. for 群眾演員|群众演员[qun2 zhong4 yan3 yuan2]) -群猴猴族,qún hóu hóu zú,"Qauqaut, one of the indigenous peoples of Taiwan" -群发,qún fā,to send to multiple recipients; mass mailout; to occur in a clustered fashion -群发性地震,qún fā xìng dì zhèn,earthquake swarm -群发性头痛,qún fā xìng tóu tòng,cluster headache -群众,qún zhòng,mass; multitude; the masses -群众团体,qún zhòng tuán tǐ,mass (non-government) organization -群众外包,qún zhòng wài bāo,crowdsourcing; abbr. to 眾包|众包[zhong4 bao1] -群众大会,qún zhòng dà huì,mass rally -群众性,qún zhòng xìng,"to do with the masses; mass (meeting, movement etc)" -群众演员,qún zhòng yǎn yuán,extra (actor engaged to appear in a crowd scene) -群众组织,qún zhòng zǔ zhī,communal organization -群众路线,qún zhòng lù xiàn,"the mass line, CCP term for Party policy aimed at broadening and cultivating contacts with the masses" -群租,qún zū,"to rent to multiple co-tenants, esp. where the number of tenants exceeds what the dwelling is fit to accommodate (i.e. involving subdivision of rooms etc)" -群组,qún zǔ,group; cohort; cluster -群聊,qún liáo,(computing) group chat; to have a group chat -群聚,qún jù,to gather; to congregate; to aggregate -群花,qún huā,blossom -群芳,qún fāng,all flowers; all beauties; all talents -群英,qún yīng,assemblage of talented individuals; ensemble of heroes -群英会,qún yīng huì,distinguished gathering; a meeting of heroes -群落,qún luò,community; (science) biocoenosis; ecological community -群言堂,qún yán táng,letting everyone have their say; taking people's views into account; free expression of different views; (contrasted with 一言堂[yi1 yan2 tang2]) -群论,qún lùn,group theory (math.) -群起而攻之,qún qǐ ér gōng zhī,the masses rise to attack it (idiom); Everyone is against the idea.; universally abhorrent -群雄,qún xióng,outstanding heroes; warlords vying for supremacy (in former times); stars (of sports or pop music) -群雄逐鹿,qún xióng zhú lù,great heroes pursue deer in the central plains (idiom); fig. many vie for supremacy -群集,qún jí,to gather; to congregate; to aggregate -群震,qún zhèn,earthquake swarm -群飞,qún fēi,to fly as a flock or swarm -群马县,qún mǎ xiàn,Gumma prefecture in northern Japan -群体,qún tǐ,community; colony -群体免疫,qún tǐ miǎn yì,herd immunity -群体性事件,qún tǐ xìng shì jiàn,"mass incident (PRC term for incidents of social unrest, including rioting, melees and petition campaigns)" -群龙无首,qún lóng wú shǒu,lit. a thunder of dragons without a head; fig. a group lacking a leader -羟,qiǎng,hydroxyl (radical) -羟基,qiǎng jī,hydroxyl group -OH -羟基丁酸,qiǎng jī dīng suān,"gamma-Hydroxybutyric acid, GHB" -羟基磷灰石,qiǎng jī lín huī shí,hydroxy-apatite (phosphatic lime deposited in bone) -羟氯喹,qiǎng lǜ kuí,hydroxychloroquine (medication) -羟自由基,qiǎng zì yóu jī,hydroxyl radical -羧,suō,carboxyl radical (chemistry) -羧基,suō jī,carboxyl group -COOH -羧基酸,suō jī suān,carboxylic acid -羧甲司坦,suō jiǎ sī tǎn,carbocysteine -羧酸,suō suān,carboxylic acid -羡,xiàn,to envy -羡慕,xiàn mù,to envy; to admire -羡慕嫉妒恨,xiàn mù jí dù hèn,to be green with envy (neologism c. 2009) -义,yì,"surname Yi; (Tw) abbr. for 義大利|义大利[Yi4da4li4], Italy" -义,yì,"justice; righteousness; meaning; foster (father etc); adopted; artificial (tooth, limb etc); relationship; friendship" -义不容辞,yì bù róng cí,not to be shirked without dishonor (idiom); incumbent; bounden (duty) -义之所在,yì zhī suǒ zài,justice is to be found everywhere (idiom) -义交,yì jiāo,traffic auxiliary police (Tw) -义人,yì rén,righteous man -义勇,yì yǒng,courageous in fighting for a just cause -义勇军,yì yǒng jūn,volunteer army -义勇军进行曲,yì yǒng jūn jìn xíng qǔ,March of the Volunteer Army (PRC National Anthem) -义务,yì wù,duty; obligation (CL:項|项[xiang4]); volunteer (work etc) -义务工作者,yì wù gōng zuò zhě,volunteer; voluntary worker -义务教育,yì wù jiào yù,compulsory education -义和乱,yì hé luàn,the Boxer uprising -义和团,yì hé tuán,the Righteous and Harmonious Fists; the Boxers (history) -义和团运动,yì hé tuán yùn dòng,Boxer Rebellion -义和拳,yì hé quán,the Righteous and Harmonious Fists; the Boxers (history) -义冢,yì zhǒng,potter's field; pauper's grave -义士,yì shì,high-minded and righteous person; patriot; loyalist -义大利,yì dà lì,(Tw) Italy; Italian -义女,yì nǚ,adopted daughter -义子,yì zǐ,adopted son -义学,yì xué,free school (old) -义安,yì ān,"Yi'an, a district of Tongling City 銅陵市|铜陵市[Tong2ling2 Shi4], Anhui" -义安区,yì ān qū,"Yi'an, a district of Tongling City 銅陵市|铜陵市[Tong2ling2 Shi4], Anhui" -义工,yì gōng,volunteer worker; volunteer work -义式,yì shì,(Tw) Italian-style -义怒,yì nù,righteous anger -义愤,yì fèn,righteous indignation; moral indignation -义愤填胸,yì fèn tián xiōng,righteous indignation fills one's breast (idiom); to feel indignant at injustice -义愤填膺,yì fèn tián yīng,righteous indignation fills one's breast (idiom); to feel indignant at injustice -义正辞严,yì zhèng cí yán,(idiom) to speak forcibly out of a sense of righteousness -义母,yì mǔ,adoptive mother -义气,yì qì,spirit of loyalty and self-sacrifice; code of brotherhood; also pr. [yi4 qi5] -义演,yì yǎn,benefit performance; charity show -义乌,yì wū,"Yiwu, county-level city in Jinhua 金華|金华[Jin1 hua2], Zhejiang" -义乌市,yì wū shì,"Yiwu, county-level city in Jinhua 金華|金华[Jin1 hua2], Zhejiang" -义无反顾,yì wú fǎn gù,honor does not allow one to glance back (idiom); duty-bound not to turn back; no surrender; to pursue justice with no second thoughts -义父,yì fù,adoptive father -义父母,yì fù mǔ,adoptive parents -义理,yì lǐ,doctrine (esp. religious); argumentation (in a speech or essay) -义竹,yì zhú,"Yizhu or Ichu Township in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -义竹乡,yì zhú xiāng,"Yizhu or Ichu Township in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -义结金兰,yì jié jīn lán,to be close friends -义县,yì xiàn,"Yi county in Jinzhou 錦州|锦州, Liaoning" -义县龙,yì xiàn lóng,"Yixianosaurus, genus of theropod dinosaur from Yi county 義縣|义县, Jinzhou 錦州|锦州, west Liaoning" -义肢,yì zhī,artificial limb; prosthesis -义薄云天,yì bó yún tiān,supremely honorable and righteous -义行,yì xíng,righteous deed -义诊,yì zhěn,"to provide free medical treatment; to provide medical treatment, donating consultation fees to a charitable cause" -义警,yì jǐng,vigilante; volunteer (police) -义译,yì yì,"to translate a term into Chinese using a combination of characters or words that suggests its meaning (as opposed to transliteration 音譯|音译[yin1 yi4]) (e.g. 超文本[chao1 wen2 ben3], 火車|火车[huo3 che1])" -义卖,yì mài,to hold a charity bazaar; to sell goods for a good cause -义卖会,yì mài huì,bazaar -义军,yì jūn,volunteer army -义项,yì xiàng,sense (of a word) -义马,yì mǎ,"Yima, county-level city in Sanmenxia 三門峽|三门峡[San1 men2 xia2], Henan" -义马市,yì mǎ shì,"Yima, county-level city in Sanmenxia 三門峽|三门峡[San1 men2 xia2], Henan" -义齿,yì chǐ,artificial tooth -羯,jié,"Jie people, a tribe of northern China around the 4th century" -羯,jié,"ram, esp. gelded; to castrate; deer's skin" -羯族,jié zú,"Jie people, a tribe of northern China around the 4th century" -羯磨,jié mó,karma (loanword) -羯羊,jié yáng,wether (castrated ram) -羯胡,jié hú,"Jie people, a tribe of northern China around the 4th century" -羯鼓,jié gǔ,double-ended skin drum with a narrow waist -羯鼓催花,jié gǔ cuī huā,"drumming to make apricots flower, cf joke by Tang Emperor Xuanzhong 唐玄宗, playing the drum in apricot blossom" -羰,tāng,carbonyl (radical) -羲,xī,"same as Fuxi 伏羲[Fu2xi1], a mythical emperor; surname Xi" -羲皇上人,xī huáng shàng rén,lit. a person before the legendary emperor Fuxi 伏羲[Fu2 Xi1]; person from ages immemorial; fig. untroubled person -膻,shān,a flock of sheep (or goats); old variant of 膻[shan1]; old variant of 羶[shan1] -羸,léi,entangled; lean -羸弱,léi ruò,frail; weak -羹,gēng,soup -羹汤,gēng tāng,soup -羹藜含糗,gēng lí hán qiǔ,nothing but herb soup and dry provisions to eat (idiom); to survive on a coarse diet; à la guerre comme à la guerre -羹藜唅糗,gēng lí hān qiǔ,nothing but herb soup and dry provisions to eat (idiom); to survive on a coarse diet; à la guerre comme à la guerre -羼,chàn,to mix; to blend; to dilute; to adulterate -羼水,chàn shuǐ,to mix with water (wine); to adulterate -羼杂,chàn zá,to mix; to blend; to dilute; to adulterate; mingled; mongrel -羽,yǔ,feather; 5th note in pentatonic scale -羽冠,yǔ guān,feathered crest (of bird) -羽化,yǔ huà,"levitation (of Daoist immortal); to become as light as a feather and ascend to heaven; (in Daoism) to become immortal; to die; of winged insects, to emerge from the cocoon in adult form; eclosion" -羽客,yǔ kè,Daoist priest -羽尾袋鼯,yǔ wěi dài wú,feathertail glider (Acrobates pygmaeus) -羽族,yǔ zú,birds -羽林,yǔ lín,armed escort -羽毛,yǔ máo,feather; plumage; plume -羽毛球,yǔ máo qiú,badminton; shuttlecock -羽毛球场,yǔ máo qiú chǎng,badminton court -羽毛笔,yǔ máo bǐ,quill pen -羽毛缎,yǔ máo duàn,camlet (silk fabric) -羽流,yǔ liú,plume -羽涅,yǔ niè,alumen; alunite (TCM) -羽状复叶,yǔ zhuàng fù yè,bipinnate leaf (in phyllotaxy) -羽球,yǔ qiú,badminton; shuttlecock -羽田,yǔ tián,Haneda (one of the two main airports serving Tokyo) -羽绒,yǔ róng,down (soft feathers) -羽绒服,yǔ róng fú,down-filled garment -羽缎,yǔ duàn,camlet (silk fabric) -羽翼,yǔ yì,wing; (fig.) assistant -羽翼丰满,yǔ yì fēng mǎn,fully fledged -羽茎,yǔ jīng,quill -羽衣甘蓝,yǔ yī gān lán,kale -羽裂,yǔ liè,pinnation (splitting of leaves into lobes) -羽鳃鲐,yǔ sāi tái,Indian mackerel -羿,yì,surname Yi; name of a legendary archer (also called 后羿[Hou4 Yi4]) -翁,wēng,surname Weng -翁,wēng,elderly man; father; father-in-law; neck feathers of a bird (old) -翁姑,wēng gū,husband's father and mother -翁婿,wēng xù,father-in-law (wife's father) and son-in-law -翁安县,wēng ān xiàn,"Weng'an County in Qiannan Buyei and Miao Autonomous Prefecture 黔南布依族苗族自治州[Qian2 nan2 Bu4 yi1 zu2 Miao2 zu2 Zi4 zhi4 zhou1], Guizhou" -翁山,wēng shān,see 昂山[Ang2 Shan1] -翁山苏姬,wēng shān sū jī,see 昂山素季[Ang2 Shan1 Su4 Ji4] -翁源,wēng yuán,"Wengyuan County in Shaoguan 韶關|韶关[Shao2 guan1], Guangdong" -翁源县,wēng yuán xiàn,"Wengyuan County in Shaoguan 韶關|韶关[Shao2 guan1], Guangdong" -翁牛特,wēng niú tè,"Ongniud banner or Ongnuud khoshuu in Chifeng 赤峰[Chi4 feng1], Inner Mongolia" -翁牛特旗,wēng niú tè qí,"Ongniud banner or Ongnuud khoshuu in Chifeng 赤峰[Chi4 feng1], Inner Mongolia" -翅,chì,variant of 翅[chi4] -翅,chì,wing (of a bird or insect) (bound form) -翅子,chì zi,shark's fin; wing; CL:隻|只[zhi1] -翅展,chì zhǎn,wingspan -翅汤,chì tāng,shark-fin soup -翅膀,chì bǎng,"wing; CL:個|个[ge4],對|对[dui4]" -翅膀硬,chì bǎng yìng,"(of a bird) to fledge; (fig.) (of a person) to outgrow the need to be submissive to one's parents, mentor etc; to break away from the people who have supported one up to now" -翊,yì,assist; ready to fly; respect -翌,yì,bright; tomorrow -翌年,yì nián,the following year; the next year -翌日,yì rì,next day -翎,líng,tail feathers; plume -翎子,líng zi,peacock feathers on an official's hat displaying his rank (traditional); pheasant tail feathers on warriors' helmets (opera) -翎毛,líng máo,feather; plume; plumage; CL:根[gen1] -翏,liù,the sound of the wind; to soar -习,xí,surname Xi -习,xí,(bound form) to practice; to study; habit; custom -习以成俗,xí yǐ chéng sú,to become accustomed to sth through long practice -习以成性,xí yǐ chéng xìng,deeply ingrained; steeped in -习以为常,xí yǐ wéi cháng,accustomed to; used to -习作,xí zuò,"(writing, drawing, calligraphy etc) to apply oneself to producing practice pieces; a practice piece; an exercise" -习俗,xí sú,custom; tradition; local tradition; convention -习俗移性,xí sú yí xìng,one's habits change with long custom -习大大,xí dà dà,"Papa Xi, nickname for Xi Jinping 習近平|习近平[Xi2 Jin4 ping2]" -习字,xí zì,to practice writing characters -习得,xí dé,to learn; to acquire (some skill through practice); acquisition -习得性,xí dé xìng,acquired; learned -习得性无助感,xí dé xìng wú zhù gǎn,(psychology) learned helplessness -习性,xí xìng,character acquired through long habit; habits and properties -习惯,xí guàn,habit; custom; usual practice; to be used to; CL:個|个[ge4] -习惯性,xí guàn xìng,customary -习惯成自然,xí guàn chéng zì rán,habit becomes nature (idiom); get used to something and it seems inevitable; second nature -习惯法,xí guàn fǎ,customary law; common law -习惯用法,xí guàn yòng fǎ,idiom -习惯用语,xí guàn yòng yǔ,idiom; idiomatic expression; habitual form of speech (grammar) -习惯自然,xí guàn zì rán,habit becomes nature (idiom); get used to something and it seems inevitable; second nature; same as 習慣成自然|习惯成自然 -习惯若自然,xí guàn ruò zì rán,habit becomes nature (idiom); get used to something and it seems inevitable; second nature; same as 習慣成自然|习惯成自然 -习气,xí qì,custom; practice (usually a regrettable one) -习水,xí shuǐ,"Xishui county in Zunyi 遵義|遵义[Zun1 yi4], Guizhou" -习水县,xí shuǐ xiàn,"Xishui county in Zunyi 遵義|遵义[Zun1 yi4], Guizhou" -习用,xí yòng,to use habitually; usual; conventional -习习,xí xí,(of the wind) blowing gently; abundant; flying -习见,xí jiàn,commonly seen -习语,xí yǔ,common saying; idiom -习近平,xí jìn píng,"Xi Jinping (1953-), PRC politician, General Secretary of the CCP from 2012, president of the PRC from 2013" -习题,xí tí,(schoolwork) exercise; problem; question -翔,xiáng,to soar; to glide; variant of 詳|详[xiang2]; (slang) shit -翔回,xiáng huí,to circle (in the sky) -翔安,xiáng ān,"Xiang'an, a district of Xiamen City 廈門市|厦门市[Xia4men2 Shi4], Fujian" -翔安区,xiáng ān qū,"Xiang'an, a district of Xiamen City 廈門市|厦门市[Xia4men2 Shi4], Fujian" -翔实,xiáng shí,complete and accurate -翔凤,xiáng fèng,"Comac ARJ21, Chinese-built twin-engine regional jet" -翕,xī,to open and close (the mouth etc); friendly; compliant; Taiwan pr. [xi4] -翕动,xī dòng,to open and close (the mouth etc) -翟,dí,"surname Di; variant of 狄[Di2], generic name for northern ethnic minorities during the Qin and Han Dynasties (221 BC-220 AD)" -翟,zhái,surname Zhai -翟,dí,long-tail pheasant -翟志刚,zhái zhì gāng,"Zhai Zhigang (1966-), Chinese astronaut" -翟理斯,zhái lǐ sī,"Herbert Allen Giles (1845-1935), British diplomat and linguist, contributor to the Wade-Giles Chinese romanization system" -翠,cuì,bluish-green; green jade -翠冠玉,cuì guān yù,peyote (Lophophora williamsii) -翠屏区,cuì píng qū,"Cuiping district of Yibin city 宜賓市|宜宾市[Yi2 bin1 shi4], Sichuan" -翠峦,cuì luán,"Cuiluan district of Yichun city 伊春市[Yi1 chun1 shi4], Heilongjiang" -翠峦区,cuì luán qū,"Cuiluan district of Yichun city 伊春市[Yi1 chun1 shi4], Heilongjiang" -翠绿,cuì lǜ,greenish-blue; emerald green -翠金鹃,cuì jīn juān,(bird species of China) Asian emerald cuckoo (Chrysococcyx maculatus) -翠青蛇,cuì qīng shé,Entechinus major (kind of snake) -翠鸟,cuì niǎo,kingfisher -翡,fěi,green jade; kingfisher -翡冷翠,fěi lěng cuì,"Florence, city in Italy (Tw)" -翡翠,fěi cuì,jadeite; tree kingfisher -翥,zhù,to soar -翦,jiǎn,surname Jian -翦,jiǎn,variant of 剪[jian3] -翦伯赞,jiǎn bó zàn,"Jian Bozan (1898-1968), Chinese Marxist historian and vice-president of Bejing University 1952-1968" -翩,piān,to fly fast -翩然而至,piān rán ér zhì,come trippingly -翩翩,piān piān,elegant; graceful; smart; to dance lightly -翩翩起舞,piān piān qǐ wǔ,(to start) dancing lightly and gracefully -翩跹,piān xiān,spry and lively (of dancing and movements) -玩,wán,variant of 玩[wan2]; Taiwan pr. [wan4] -翮,hé,quill -翰,hàn,surname Han -翰,hàn,writing brush; writing; pen -翰林,hàn lín,"refers to academics employed as imperial secretaries from the Tang onwards, forming the Hanlin Imperial Academy 翰林院" -翰林学士,hàn lín xué shì,"members of the Hanlin Imperial Academy 翰林院, employed as imperial secretaries from the Tang onwards" -翰林院,hàn lín yuàn,"Imperial Hanlin Academy, lasting from Tang dynasty until 1911" -翱,áo,see 翱翔[ao2 xiang2] -翱翔,áo xiáng,to soar; to wheel about in the sky -翳,yì,feather screen; to screen; to shade; cataract -翳眼,yì yǎn,cataract -翘,qiáo,outstanding; to raise -翘,qiào,to stick up; to rise on one end; to tilt -翘二郎腿,qiào èr láng tuǐ,to stick one leg over the other (when sitting) -翘企,qiáo qǐ,to look forward eagerly; to long for -翘嘴鹬,qiáo zuǐ yù,(bird species of China) Terek sandpiper (Xenus cinereus) -翘尾巴,qiào wěi ba,to be cocky -翘居群首,qiáo jū qún shǒu,head and shoulders above the crowd (idiom); preeminent; outstanding -翘拇指,qiào mǔ zhǐ,to give a thumbs-up -翘曲,qiáo qū,to warp; to bend; fig. distorted opinion; prejudice -翘望,qiáo wàng,to raise one's head and look into the distance; fig. to forward to; to long for -翘材,qiáo cái,outstandingly talented person -翘板,qiào bǎn,a see-saw -翘楚,qiáo chǔ,person of outstanding talent -翘班,qiào bān,to skip work; to sneak out of work early -翘盼,qiáo pàn,to long for; eager for -翘硬,qiào yìng,hard; erect; to be in erection -翘棱,qiáo leng,to warp; to bend -翘翘板,qiào qiào bǎn,see-saw; also written 蹺蹺板|跷跷板[qiao1 qiao1 ban3] -翘舌音,qiào shé yīn,"retroflex sound (e.g. in Mandarin zh, ch, sh, r)" -翘课,qiào kè,to skip school; to cut class -翘起,qiào qǐ,to stick up; to point sth up -翘足,qiáo zú,lit. on tiptoes; to look forward eagerly; to long for -翘足引领,qiáo zú yǐn lǐng,waiting on tiptoes and craning one's neck (idiom); to look forward eagerly; to long for; also pr. [qiao4 zu2 yin3 ling3] -翘足而待,qiáo zú ér dài,to expect in a short time (idiom); also pr. [qiao4 zu2 er2 dai4] -翘辫子,qiào biàn zi,(coll.) to die; to kick the bucket -翘首,qiáo shǒu,to raise one's head and look -翘首以待,qiáo shǒu yǐ dài,to hold one's breath (in anticipation) (idiom); to anxiously await -翘鼻麻鸭,qiào bí má yā,(bird species of China) common shelduck (Tadorna tadorna) -翱,áo,variant of 翱[ao2] -翻,fān,to turn over; to flip over; to overturn; to rummage through; to translate; to decode; to double; to climb over or into; to cross -翻一番,fān yī fān,to increase by 100%; to double -翻作,fān zuò,to compose; to write words to a tune -翻来覆去,fān lái fù qù,to toss and turn (sleeplessly); again and again -翻供,fān gòng,to retract a confession or testimony -翻修,fān xiū,to rebuild (house or road); to overhaul -翻倍,fān bèi,to double -翻倒,fān dǎo,to overturn; to overthrow; to capsize; to collapse -翻动,fān dòng,to flip over; to turn (a page); to scroll (an electronic document); to stir (food in a pot etc); to move things about; to rummage -翻印,fān yìn,to reprint (generally without authorization) -翻卷,fān juǎn,to spin; to whirl around -翻唱,fān chàng,to cover (a previously recorded song); cover version (of a song) -翻嘴,fān zuǐ,to withdraw a remark; to quarrel -翻天覆地,fān tiān fù dì,sky and the earth turning upside down (idiom); fig. complete confusion; everything turned on its head -翻子拳,fān zi quán,"Fanziquan - ""Overturning Fist"" - Martial Art" -翻山越岭,fān shān yuè lǐng,lit. to pass over mountain ridges (idiom); fig. hardships of the journey -翻悔,fān huǐ,to renege; to go back (on a deal); to back out (of a promise) -翻手为云覆手变雨,fān shǒu wéi yún fù shǒu biàn yǔ,"lit. turning his hand palm up he gathers the clouds, turning his hand palm down he turns them to rain; very powerful and capable (idiom)" -翻拍,fān pāi,to reproduce photographically; to duplicate; to adapt (as a movie); to remake (a movie); adaptation; reproduction; remake -翻拣,fān jiǎn,to browse and select; to glance through and check -翻搅,fān jiǎo,to stir up; to turn over -翻斗卡车,fān dǒu kǎ chē,dump truck -翻新,fān xīn,to revamp; a face-lift; to retread (a tire); to refurbish (old clothes); newly emerging -翻本,fān běn,to win back one's money (gambling etc) -翻案,fān àn,to reverse a verdict; to present different views on a historical person or verdict -翻桌,fān zhuō,to flip a table over (in a fit of anger); (at a restaurant) to turn over a table (i.e. to complete a cycle from the seating of one group of diners until the arrival of another group at the same table) -翻桌率,fān zhuō lǜ,table turnover rate (in a restaurant) -翻检,fān jiǎn,to rummage; to look through; to leaf through -翻江倒海,fān jiāng dǎo hǎi,lit. overturning seas and rivers (idiom); fig. overwhelming; earth-shattering; in a spectacular mess -翻沉,fān chén,to capsize and sink -翻涌,fān yǒng,to roll over and over (of billows or clouds) -翻滚,fān gǔn,to roll; to boil -翻炒,fān chǎo,to stir-fry -翻然,fān rán,"suddenly and completely (realize, change one's strategy etc); also written 幡然[fan1 ran2]" -翻然悔悟,fān rán huǐ wù,to see the error of one's ways; to make a clean break with one's past -翻墙,fān qiáng,lit. to climb over the wall; fig. to breach the Great Firewall of China -翻版,fān bǎn,to reprint; reproduction; pirate copy; (fig.) imitation; carbon copy; clone -翻版碟,fān bǎn dié,copy of DVD; pirate DVD -翻番,fān fān,to double; to increase by a certain number of times -翻白眼,fān bái yǎn,to roll one's eyes -翻盘,fān pán,to make a comeback; (of a doctor's assessment of the gender of a fetus) to turn out to be wrong -翻看,fān kàn,to browse; to look over (books) -翻石鹬,fān shí yù,(bird species of China) ruddy turnstone (Arenaria interpres) -翻空出奇,fān kōng chū qí,"to overturn empty convention, and display originality (idiom); new and different ideas" -翻筋斗,fān jīn dǒu,to tumble; to turn a somersault -翻箱倒柜,fān xiāng dǎo guì,to overturn trunks and boxes; to make a thorough search (idiom) -翻箱倒箧,fān xiāng dǎo qiè,to overturn trunks and boxes; to make a thorough search (idiom) -翻篇儿,fān piān er,to turn a page; (fig.) to turn over a new leaf -翻糖,fān táng,fondant (loanword) -翻红,fān hóng,(of a stock or index) to turn positive; to regain popularity -翻老皇历,fān lǎo huáng lì,to look to the past for guidance (idiom) -翻老账,fān lǎo zhàng,to turn over old accounts; fig. to revive old quarrels; to reopen old wounds -翻耕,fān gēng,to plow; to turn the soil -翻脸,fān liǎn,to fall out with sb; to become hostile -翻脸不认人,fān liǎn bù rèn rén,to fall out with sb and become hostile -翻旧账,fān jiù zhàng,to turn over old accounts; fig. to revive old quarrels; to reopen old wounds -翻船,fān chuán,to capsize; (fig.) to suffer a setback or defeat -翻盖,fān gài,"flip-top (mobile phone, handbag etc); to rebuild; to renovate" -翻覆,fān fù,to overturn (a vehicle); to capsize; to turn upside down; to change completely -翻译,fān yì,"to translate; to interpret; translator; interpreter; translation; interpretation; CL:個|个[ge4],位[wei4],名[ming2]" -翻译家,fān yì jiā,translator (of writings) -翻译者,fān yì zhě,translator; interpreter -翻越,fān yuè,to cross; to surmount; to transcend -翻跟斗,fān gēn dǒu,to turn a somersault -翻跟头,fān gēn tou,to turn a somersault -翻身,fān shēn,to turn over (when lying); (fig.) to free oneself; to emancipate oneself; to bring about a change of one's fortunes -翻车,fān chē,(of a vehicle) to flip over; (fig.) to go wrong; to flop -翻车鱼,fān chē yú,ocean sunfish (Mola mola) -翻转,fān zhuǎn,to roll; to turn over; to invert; to flip -翻造,fān zào,to rebuild; to renovate -翻遍,fān biàn,to rummage through; to turn everything over; to ransack -翻过,fān guò,to turn over; to transform -翻过来,fān guò lái,to overturn; to turn upside down -翻开,fān kāi,to open up -翻阅,fān yuè,to thumb through; to flip through (a book) -翻云覆雨,fān yún fù yǔ,to produce clouds with one turn of the hand and rain with another (idiom); fig. to shift one's ground; tricky and inconstant; to make love -翻领,fān lǐng,turndown collar; lapel -翻腾,fān téng,to turn over; to surge; to churn; to rummage; raging (torrent) -翼,yì,"surname Yi; alternative name for 絳|绛[Jiang4], the capital of the Jin State during the Spring and Autumn Period (770-475 BC)" -翼,yì,wing; area surrounding the bullseye of a target; to assist; one of the 28 constellations of Chinese astronomy; old variant of 翌 -翼侧,yì cè,flank (military) -翼城,yì chéng,"Yicheng county in Linfen 臨汾|临汾[Lin2 fen2], Shanxi" -翼城县,yì chéng xiàn,"Yicheng county in Linfen 臨汾|临汾[Lin2 fen2], Shanxi" -翼子板,yì zi bǎn,(PRC) fender (automotive) -翼展,yì zhǎn,wingspan -翼手龙,yì shǒu lóng,pterodactyl -翼瓣,yì bàn,(botany) alae; wing petals (of a papilionaceous flower) -翼翼,yì yì,cautious; prudent -翼膜,yì mó,patagium -翼装,yì zhuāng,wingsuit -翼龙,yì lóng,Dodge Nitro (abbr. for 道奇翼龍|道奇翼龙) -翼龙,yì lóng,pterosaur -耀,yào,brilliant; glorious -耀州,yào zhōu,"Yaozhou District of Tongchuan City 銅川市|铜川市[Tong2 chuan1 Shi4], Shaanxi" -耀州区,yào zhōu qū,"Yaozhou District of Tongchuan City 銅川市|铜川市[Tong2 chuan1 Shi4], Shaanxi" -耀德,yào dé,to hold up as a virtuous example -耀斑,yào bān,solar flare -耀武扬威,yào wǔ yáng wēi,to show off one's military strength (idiom); to strut around; to bluff; to bluster -耀眼,yào yǎn,to dazzle; dazzling -耀西,yào xī,Yoshi (Nintendo video game character) -老,lǎo,prefix used before the surname of a person or a numeral indicating the order of birth of the children in a family or to indicate affection or familiarity; old (of people); venerable (person); experienced; of long standing; always; all the time; of the past; very; outdated; (of meat etc) tough -老一套,lǎo yī tào,the same old stuff -老一辈,lǎo yī bèi,previous generation; older generation -老丈,lǎo zhàng,sir (respectful form of address for an old man) -老丈人,lǎo zhàng ren,(coll.) father-in-law (wife's father) -老三篇,lǎo sān piān,"Lao San Pian, three short essays written by Mao Zedong before the PRC was established" -老三色,lǎo sān sè,"the three plain colors used for clothing in the PRC in the 1960s: black, gray and blue" -老不死,lǎo bù sǐ,(derog.) old but still alive; old fart; old bastard -老幺,lǎo yāo,youngest -老二,lǎo èr,second-eldest child in a family; (euphemism) penis -老人,lǎo rén,old man or woman; the elderly; one's aged parents or grandparents -老人家,lǎo rén jiā,polite term for old woman or man -老人院,lǎo rén yuàn,nursing home; old people's home -老伯,lǎo bó,uncle (polite form of address for older male) -老伯伯,lǎo bó bo,grandpa (polite form of address for old man) -老伴,lǎo bàn,(of an elderly couple) husband or wife -老伴儿,lǎo bàn er,erhua variant of 老伴[lao3 ban4] -老佛爷,lǎo fó yé,title of respect for the queen mother or the emperor's father; nickname for Empress Dowager Cixi 慈禧太后[Ci2 xi3 tai4 hou4] -老来俏,lǎo lái qiào,old person who dresses up as teenager; mutton dressed as lamb -老来少,lǎo lái shào,old but young at heart -老例,lǎo lì,custom; customary practice -老家伙,lǎo jiā huo,variant of 老家伙[lao3 jia1 huo5] -老兄,lǎo xiōng,elder brother (often used self-referentially); (form of address between male friends) old chap; buddy -老儿,lǎo ér,father; husband; old man -老两口,lǎo liǎng kǒu,old married couple -老两口儿,lǎo liǎng kǒu er,an old married couple -老公,lǎo gōng,(coll.) husband -老公,lǎo gong,(coll.) eunuch; see also 老公[lao3 gong1] -老公公,lǎo gōng gong,old man; husband's father; father-in-law; court eunuch -老兵,lǎo bīng,old soldier; veteran; veteran (sb who has a lot of experience in some domain) -老到,lǎo dao,experienced and careful -老化,lǎo huà,"(of a person, population or material) to age; (of knowledge) to become outdated" -老化酶,lǎo huà méi,aged enzyme -老千,lǎo qiān,swindler; cheat (in gambling) -老半天,lǎo bàn tiān,(coll.) a long time -老去,lǎo qù,to get old -老友,lǎo yǒu,old friend; sb who passed the county level imperial exam (in Ming dynasty) -老叟,lǎo sǒu,old man -老古板,lǎo gǔ bǎn,overly conservative; old-fashioned; old fogey; a square -老司机,lǎo sī jī,(coll.) an old hand at sth -老君,lǎo jūn,"Laozi or Lao-tze (c. 500 BC), Chinese philosopher, founder of Taoism" -老土,lǎo tǔ,old-fashioned; unstylish -老地方,lǎo dì fāng,same place as before; usual place; stomping ground -老城,lǎo chéng,old town; old district of a city -老城区,lǎo chéng qū,"Laocheng district of Luoyang City 洛陽市|洛阳市[Luo4 yang2 shi4], Henan" -老城区,lǎo chéng qū,old city district; historical center -老境,lǎo jìng,advanced years; old age -老墨,lǎo mò,(coll.) a Mexican -老外,lǎo wài,(coll.) foreigner (esp. non Asian person); layman; amateur -老大,lǎo dà,old age; very; eldest child in a family; leader of a group; boss; captain of a boat; leader of a criminal gang -老大不小,lǎo dà bù xiǎo,no longer a child (idiom) -老大哥,lǎo dà gē,big brother -老大娘,lǎo dà niáng,old lady; Madam (polite address); CL:位[wei4] -老大妈,lǎo dà mā,"""Madam"" (affectionate term for an elderly woman); CL:位[wei4]" -老大徒伤悲,lǎo dà tú shāng bēi,vain regrets of old age (idiom) -老大爷,lǎo dà yé,uncle; grandpa; CL:位[wei4] -老天,lǎo tiān,God; Heavens -老天爷,lǎo tiān yé,God; Heavens -老天爷饿不死瞎家雀,lǎo tiān yé è bù sǐ xiā jiā què,"lit. heaven won't let the sparrows go hungry (idiom); fig. don't give up hope; if you tough it out, there will be light at the end of the tunnel" -老太,lǎo tài,old lady -老太公,lǎo tài gōng,"aged gentleman (dialect, respectful term)" -老太太,lǎo tài tai,elderly lady (respectful); esteemed mother; CL:位[wei4] -老太婆,lǎo tài pó,old woman (at times contemptuous) -老太爷,lǎo tài yé,elderly gentleman (respectful); esteemed father -老夫,lǎo fū,I (spoken by an old man) -老套,lǎo tào,hackneyed; well-worn (phrase etc); same old story; stereotypical fashion -老套子,lǎo tào zi,old methods; old habits -老奶奶,lǎo nǎi nai,(coll.) father's father's mother; paternal great-grandmother; respectful form of address for an old woman -老奸巨滑,lǎo jiān jù huá,variant of 老奸巨猾[lao3 jian1 ju4 hua2] -老奸巨猾,lǎo jiān jù huá,cunning; crafty; wily old fox -老好人,lǎo hǎo rén,one who tries never to offend anybody -老姥,lǎo mǔ,"old lady; (old woman's self-reference) I, me" -老娘,lǎo niáng,"my old mother; I, this old woman; my old lady (colloquial); maternal grandmother; midwife" -老婆,lǎo pó,(coll.) wife -老婆孩子热炕头,lǎo pó hái zi rè kàng tou,"wife, kids and a warm bed (idiom); the simple and good life" -老妇人,lǎo fù rén,old lady -老妈,lǎo mā,mother; mom -老妈子,lǎo mā zi,older female servant; amah -老妪,lǎo yù,old woman (formal writing) -老子,lǎo zǐ,"Laozi or Lao-tze (c. 500 BC), Chinese philosopher, the founder of Taoism; the sacred book of Daoism, 道德經|道德经[Dao4 de2 jing1] by Laozi" -老子,lǎo zi,"father; daddy; ""I, your father"" (in anger, or out of contempt); I (used arrogantly or jocularly)" -老字号,lǎo zì hào,"shop, firm, or brand of merchandise with a long-established reputation" -老客,lǎo kè,peddler; old or regular customer -老客儿,lǎo kè er,erhua variant of 老客[lao3 ke4] -老家,lǎo jiā,native place; place of origin; home state or region -老家伙,lǎo jiā huo,(coll.) old fellow; old codger -老家贼,lǎo jiā zéi,(dialect) sparrow -老实,lǎo shi,honest; sincere; well-behaved; naive; gullible -老实巴交,lǎo shi bā jiāo,(coll.) docile; well-behaved; biddable -老实说,lǎo shí shuō,"honestly speaking; to be frank, ..." -老将,lǎo jiàng,"lit. old general; commander-in-chief 將帥|将帅, the equivalent of king in Chinese chess; fig. old-timer; veteran" -老小,lǎo xiǎo,the old and the young; the youngest member of the family -老小老小,lǎo xiǎo lǎo xiǎo,"(coll.) as one ages, one becomes more and more like a child" -老少,lǎo shào,the old and the young -老少咸宜,lǎo shào xián yí,suitable for young and old -老少无欺,lǎo shào wú qī,cheating neither old nor young; treating youngsters and old folk equally scrupulously; Our house offers sincere treatment to all and fair trade to old and young alike. -老少皆宜,lǎo shào jiē yí,suitable for both the young and the old -老山自行车馆,lǎo shān zì xíng chē guǎn,"Laoshan Velodrome, a Beijing 2008 Olympics venue" -老师,lǎo shī,"teacher; CL:個|个[ge4],位[wei4]" -老帽儿,lǎo mào er,(dialect) country bumpkin; a hick -老年,lǎo nián,elderly; old age; autumn of one's years -老年人,lǎo nián rén,old people; the elderly -老年性痴呆症,lǎo nián xìng chī dāi zhèng,senile dementia -老年期,lǎo nián qī,old age -老年痴呆,lǎo nián chī dāi,senile dementia; Alzheimer's disease -老年痴呆症,lǎo nián chī dāi zhèng,senile dementia; Alzheimer's disease -老几,lǎo jǐ,where in the order of seniority among siblings?; (sometimes used in rhetorical questions to express disparagement) -老式,lǎo shì,old-fashioned; old type; outdated -老弟,lǎo dì,(affectionate form of address for a male who is not very much younger than oneself) my boy; old pal -老态,lǎo tài,old and frail; decrepit; doddering; decrepitude; infirmities of old age -老态龙钟,lǎo tài lóng zhōng,doddering; senile -老成,lǎo chéng,mature; experienced; sophisticated -老成持重,lǎo chéng chí zhòng,old and wise; experienced and knowledgeable -老戏骨,lǎo xì gǔ,(dialect) veteran actor; old trouper -老手,lǎo shǒu,experienced person; an old hand at sth -老抽,lǎo chōu,dark soy sauce -老拙,lǎo zhuō,old fart (usually in self-reference); geezer -老掉牙,lǎo diào yá,very old; obsolete; out of date -老抠,lǎo kōu,penny-pincher; miser -老挝,lǎo wō,Laos -老于世故,lǎo yú shì gù,experienced in the ways of the world (idiom); worldly-wise; sophisticated -老旦,lǎo dàn,old woman role in Chinese opera -老早,lǎo zǎo,a long time ago -老是,lǎo shi,always -老朋友,lǎo péng you,old friend; (slang) period; menstruation -老本,lǎo běn,capital; assets; savings; nest egg; (fig.) reputation; laurels (to rest upon); old edition of a book; (tree) trunk -老东西,lǎo dōng xi,(derog.) old fool; old bastard -老板,lǎo bǎn,variant of 老闆|老板[lao3 ban3] -老框框,lǎo kuàng kuàng,rigid conventions; reactionary framework -老梗,lǎo gěng,(Tw) unoriginal; hackneyed; (of a joke) old -老样子,lǎo yàng zi,old situation; things as they were -老歌,lǎo gē,oldie (song) -老死,lǎo sǐ,to die of old age -老残游记,lǎo cán yóu jì,"The Travels of Lao Tsan, novel by late Qing novelist Liu E 劉鶚|刘鹗[Liu2 E4]" -老毛子,lǎo máo zi,Westerner (esp. a Russian) (derog.) -老毛病,lǎo máo bìng,chronic illness; old weakness; chronic problem -老气横秋,lǎo qì héng qiū,old and decrepit; proud of one's age and experience (idiom) -老江湖,lǎo jiāng hú,"a much-travelled person, well acquainted with the ways of the world" -老河口,lǎo hé kǒu,"Laohekou, county-level city in Xiangfan 襄樊[Xiang1 fan2], Hubei" -老河口市,lǎo hé kǒu shì,"Laohekou, county-level city in Xiangfan 襄樊[Xiang1 fan2], Hubei" -老油子,lǎo yóu zi,(coll.) wily old fox; crafty fellow -老油条,lǎo yóu tiáo,old fox; slick customer -老派,lǎo pài,old-fashioned; old-school -老汉,lǎo hàn,old man; I (an old man referring to himself) -老乌恰,lǎo wū qià,same as 烏魯克恰提|乌鲁克恰提 in Xinjiang -老烟枪,lǎo yān qiāng,heavy smoker; chain smoker; life-long smoker -老烟鬼,lǎo yān guǐ,heavy smoker; chain smoker -老父,lǎo fù,father; old man; venerable sir -老爸,lǎo bà,father; dad -老爹,lǎo diē,(dialect) father; old man; sir -老爷,lǎo ye,(respectful) lord; master; (coll.) maternal grandfather -老爷子,lǎo yé zi,my (your etc) old father; polite appellation for an elderly male -老爷岭,lǎo ye lǐng,Chinese name for Sichote-Alin mountain range in Russia's Primorsky Krai around Vladivostok -老爷爷,lǎo yé ye,(coll.) father's father's father; paternal great-grandfather -老爷车,lǎo ye chē,classic car -老牌,lǎo pái,"old, well-known brand; old style; old school; an old hand; experienced veteran" -老牛吃嫩草,lǎo niú chī nèn cǎo,lit. an old cow eats young grass (idiom); fig. a May-December relationship; a romance where the man is significantly older than the woman -老牛拉破车,lǎo niú lā pò chē,see 老牛破車|老牛破车[lao3 niu2 po4 che1] -老牛破车,lǎo niú pò chē,lit. old ox pulling a shabby cart (idiom); fig. slow and inefficient -老牛舐犊,lǎo niú shì dú,lit. an old ox licking its calf (idiom); fig. (of parents) to dote on one's children -老狐狸,lǎo hú li,old fox; fig. cunning person -老玉米,lǎo yù mi,(dialect) corn -老生,lǎo shēng,"venerable middle-aged or elderly man, usually wearing an artificial beard (in Chinese opera)" -老生常谈,lǎo shēng cháng tán,an old observation (idiom); a truism; banal comments -老当益壮,lǎo dāng yì zhuàng,old but vigorous (idiom); hale and hearty despite the years -老百姓,lǎo bǎi xìng,"ordinary people; the ""person in the street""; CL:個|个[ge4]" -老皇历,lǎo huáng lì,(lit.) past years' almanac; (fig.) ancient history; obsolete practice; old-fashioned principle -老眼昏花,lǎo yǎn hūn huā,blurred vision of an old person (idiom) -老神在在,lǎo shén zài zài,"calm; unperturbed (from Taiwanese, Tai-lo pr. [lāu-sîn-tsāi-tsāi])" -老等,lǎo děng,to wait patiently; heron -老粗,lǎo cū,uneducated person; yokel; boor; roughneck -老糊涂,lǎo hú tu,dotard -老练,lǎo liàn,seasoned; experienced -老总,lǎo zǒng,boss; sir (person with a leading role in an organization); (after a surname) high ranking commander in the PLA; (Qing dynasty) high ranking government official; (old) courteous term used by the general populace in addressing a rank-and-file soldier or police officer -老茧,lǎo jiǎn,callus (patch or hardened skin); corns (on feet); also 老趼 -老美,lǎo měi,(coll.) an American; person from the United States -老羞成怒,lǎo xiū chéng nù,see 惱羞成怒|恼羞成怒[nao3 xiu1 cheng2 nu4] -老翁,lǎo wēng,old man -老老,lǎo lao,maternal grandmother; same as 姥姥 -老耄,lǎo mào,dim sight of the aged; doddering; senile -老者,lǎo zhě,old man; elderly man -老聃,lǎo dān,another name for Laozi 老子[Lao3 zi3] -老脸,lǎo liǎn,self-respect of old person; face; thick-skinned (i.e. impervious to criticism); brazen -老腊肉,lǎo là ròu,(coll.) experienced and usually well-positioned middle-aged man -老旧,lǎo jiù,outmoded; old-fashioned -老舍,lǎo shě,"Lao She (1899-1966), Chinese novelist and dramatist" -老花,lǎo huā,presbyopia -老花眼,lǎo huā yǎn,presbyopia -老花镜,lǎo huā jìng,presbyopic glasses -老庄,lǎo zhuāng,"Laozi and Zhuangzi (or Lao-tze and Chuang-tze), the founders of Daoism" -老着脸,lǎo zhe liǎn,shamelessly -老虎,lǎo hǔ,tiger; CL:隻|只[zhi1] -老虎伍兹,lǎo hǔ wǔ zī,"Eldrick ""Tiger"" Woods (1975-), American golfer" -老虎凳,lǎo hǔ dèng,"tiger bench (torture method in which the victim sits with legs extended horizontally along a bench, upper legs held down with straps while bricks are inserted under the feet, forcing the knee joint to bend in reverse)" -老虎机,lǎo hǔ jī,slot machine -老虎灶,lǎo hǔ zào,old-style large kitchen stove -老虎菜,lǎo hǔ cài,"tiger salad, a northeast China dish usually consisting of hot pepper, cucumber, cilantro and leek" -老虎钳,lǎo hǔ qián,vise; pincer pliers -老处女,lǎo chǔ nǚ,unmarried old woman; spinster -老蚌生珠,lǎo bàng shēng zhū,lit. an old oyster producing a pearl (idiom); fig. birthing a son at an advanced age -老街,lǎo jiē,"Lao Cai, Vietnam; Laokai or Laukkai, Burma (Myanmar)" -老视,lǎo shì,presbyopia -老视眼,lǎo shì yǎn,presbyopia -老话,lǎo huà,an old saying -老调重弹,lǎo diào chóng tán,to play the same old tune (idiom); unoriginal -老谋深算,lǎo móu shēn suàn,rigorous schemes and deep foresight (idiom); astute and circumspect -老谱,lǎo pǔ,old ways; old habit -老资格,lǎo zī gé,veteran -老账,lǎo zhàng,lit. old account; old debt; fig. old scores to settle; old quarrels; old grudge -老赖,lǎo lài,(coll.) debt dodger -老趼,lǎo jiǎn,callus; corns (on the feet) -老路,lǎo lù,old road; familiar way; beaten track; conventional behavior -老辈,lǎo bèi,the older generation; ancestors -老辣,lǎo là,shrewd and ruthless; efficient and unscrupulous -老远,lǎo yuǎn,very far away -老迈,lǎo mài,aged; senile -老边,lǎo biān,"Laobian district of Yingkou City 營口市|营口市, Liaoning" -老边区,lǎo biān qū,"Laobian district of Yingkou City 營口市|营口市, Liaoning" -老乡,lǎo xiāng,fellow townsman; fellow villager; sb from the same hometown -老酒,lǎo jiǔ,"wine, esp. Shaoxing wine" -老铁,lǎo tiě,(slang) very close friend; bro -老板,lǎo bǎn,Robam (brand) -老板,lǎo bǎn,boss; business proprietor; CL:個|个[ge4] -老板娘,lǎo bǎn niáng,female proprietor; lady boss; boss's wife -老头,lǎo tóu,old fellow; old man; father; husband -老头儿,lǎo tóu er,see 老頭子|老头子[lao3 tou2 zi5] -老头子,lǎo tóu zi,(coll.) old man; (said of an aging husband) my old man -老头乐,lǎo tóu lè,"backscratcher (made from bamboo etc); (may also refer to other products that are of benefit to old people, such as padded cloth shoes, mobility tricycle etc)" -老饕,lǎo tāo,glutton -老马嘶风,lǎo mǎ sī fēng,old horse sniffs the wind (idiom); fig. aged person with great aspirations -老马恋栈,lǎo mǎ liàn zhàn,lit. the old horse loves his stable; fig. sb old but reluctant to relinquish their post (idiom) -老马识途,lǎo mǎ shí tú,an old horse knows the way (idiom); an experienced worker knows what to do; an old hand knows the ropes -老骥,lǎo jì,old thoroughbred; fig. aged person with great aspirations -老骥伏枥,lǎo jì fú lì,lit. an old steed in the stable still aspires to gallop 1000 miles (idiom); fig. aged person with great aspirations -老骥嘶风,lǎo jì sī fēng,old steed sniffs the wind (idiom); fig. aged person with great aspirations -老骨头,lǎo gǔ tou,"weary old body (colloquial term, used jocularly or irreverently)" -老鸟,lǎo niǎo,old hand; veteran -老鸨,lǎo bǎo,female brothel keeper -老鸹,lǎo gua,(dialect) crow; raven -老雕,lǎo diāo,vulture -老鹰,lǎo yīng,(coll.) eagle; hawk; any similar bird of prey -老鹰星云,lǎo yīng xīng yún,"Eagle Nebula, aka Star Queen Nebula, M16" -老黑,lǎo hēi,(coll.) black person -老鼠,lǎo shǔ,rat; mouse (CL:隻|只[zhi1]) -老鼠尾巴,lǎo shǔ wěi ba,lit. rat's tail; fig. a follower of inferior stature -老鼠洞,lǎo shǔ dòng,mouse hole -老鼻子,lǎo bí zi,many -老龄,lǎo líng,old age; aging; aged; geriatric; the aged -老龄化,lǎo líng huà,aging (population) -考,kǎo,to check; to verify; to test; to examine; to take an exam; to take an entrance exam for; deceased father -考上,kǎo shàng,to pass a university entrance exam -考中,kǎo zhòng,to pass an exam -考克斯,kǎo kè sī,Cox (surname) -考克斯报告,kǎo kè sī bào gào,Cox Report; Report of the Select Committee on US National Security and Military-Commercial Concerns with the PRC (1999); Committee Chairman Republican Rep. Chris Cox -考入,kǎo rù,to pass entrance exam; to enter college after a competitive exam -考分,kǎo fēn,grade; exam mark -考勤,kǎo qín,to check attendance (at school or workplace); to monitor efficiency (of workers) -考勤簿,kǎo qín bù,attendance record book -考勤表,kǎo qín biǎo,attendance sheet -考区,kǎo qū,the exam area; the district where an exam takes place -考卷,kǎo juàn,exam paper -考取,kǎo qǔ,to pass an entrance exam; to be admitted to -考古,kǎo gǔ,archaeology -考古学,kǎo gǔ xué,archaeology -考古学家,kǎo gǔ xué jiā,archaeologist -考古家,kǎo gǔ jiā,archaeologist -考古题,kǎo gǔ tí,questions from previous years' exams (Tw) -考场,kǎo chǎng,exam room -考完,kǎo wán,to finish an exam -考官,kǎo guān,an examiner; an official conducting an exam -考察,kǎo chá,to inspect; to observe and study; on-the-spot investigation -考察团,kǎo chá tuán,inspection team -考察船,kǎo chá chuán,survey ship -考察队,kǎo chá duì,investigation team; scientific expedition -考工记,kǎo gōng jì,"The Artificer's Record, a technology treaty compiled towards the end of the Spring and Autumn period" -考虑,kǎo lǜ,to think over; to consider; consideration -考拉,kǎo lā,koala (loanword) -考据,kǎo jù,textual criticism -考文垂,kǎo wén chuí,"Coventry city in West Midlands 西米德蘭茲|西米德兰兹[Xi1 mi3 de2 lan2 zi1], UK" -考文垂市,kǎo wén chuí shì,Coventry (UK) -考期,kǎo qī,the exam period; the exam date -考本,kǎo běn,"to take a relevant exam for a certificate (e.g. driving test, license etc)" -考查,kǎo chá,to investigate; to study -考核,kǎo hé,to examine; to check up on; to assess; to review; appraisal; review; evaluation -考波什堡,kǎo bō shí bǎo,"Kaposvár in southwest Hungary, capital of Somogy County 紹莫吉州|绍莫吉州[Shao4mo4ji2 Zhou1]" -考生,kǎo shēng,exam candidate; student whose name has been put forward for an exam -考研,kǎo yán,to sit an entrance exam for a graduate program -考砸,kǎo zá,to flunk; to fail a test -考究,kǎo jiū,to investigate; to check and research; exquisite -考级,kǎo jí,to take a test to establish one's level of proficiency; placement test; (music) grade exam -考纲,kǎo gāng,"exam outline (outline of the content of an exam, published prior to the exam as a guide for examinees) (abbr. for 考試大綱|考试大纲[kao3 shi4 da4 gang1])" -考绩,kǎo jì,to check up on sb's achievements -考订,kǎo dìng,to check and correct -考评,kǎo píng,evaluation; to investigate and evaluate -考试,kǎo shì,to take an exam; exam; CL:次[ci4] -考试卷,kǎo shì juàn,exam paper; test paper; CL:張|张[zhang1] -考试卷子,kǎo shì juàn zi,see 考試卷|考试卷[kao3 shi4 juan4] -考试院,kǎo shì yuàn,"Examination Yuan, the qualification and appointment board under the constitution of Republic of China, then of Taiwan; exam board" -考证,kǎo zhèng,to do textual research; to make textual criticism; to verify by means of research (esp. historical details); to take an exam to get a certificate (abbr. for 考取證件|考取证件[kao3 qu3 zheng4 jian4]) -考进,kǎo jìn,to gain entry by passing an exam; to be admitted to (a college etc) -考过,kǎo guò,to pass (an exam) -考选部,kǎo xuǎn bù,"Ministry of Examination, Taiwan" -考量,kǎo liáng,to consider; to give serious consideration to sth; consideration -考霸,kǎo bà,"""exam master"", sb who takes many exams and aces all of them" -考题,kǎo tí,exam question -考验,kǎo yàn,to test; to put to the test; trial; ordeal -耄,mào,extremely aged (in one's 80s or 90s); octogenarian; nonagenarian -耄倪,mào ní,old and young -耄思,mào sī,to be upset or disturbed -耄期,mào qī,to have reached the age of eighty or ninety -耄耋,mào dié,extremely aged; gray and venerable -耄耋之年,mào dié zhī nián,"old age (in one's 80s, 90s, or more)" -耄龄,mào líng,"old age; eighties, nineties, or greater (of age)" -者,zhě,"(after a verb or adjective) one who (is) ...; (after a noun) person involved in ...; -er; -ist; (used after a number or 後|后[hou4] or 前[qian2] to refer to sth mentioned previously); (used after a term, to mark a pause before defining the term); (old) (used at the end of a command); (old) this" -者流,zhě liú,(after a personal attribute) people who have that attribute; people of that type -耆,qí,man of sixty or seventy -耆宿,qí sù,venerable old person -耋,dié,aged; in one's eighties -而,ér,and; as well as; and so; but (not); yet (not); (indicates causal relation); (indicates change of state); (indicates contrast) -而且,ér qiě,(not only ...) but also; moreover; in addition; furthermore -而今,ér jīn,now; at the present (time) -而已,ér yǐ,that's all; nothing more -而后,ér hòu,after that; then -而是,ér shì,rather -而立之年,ér lì zhī nián,the age of 30 -而言,ér yán,(typically preceded by 就…[jiu4 xx5] or 對…|对…[dui4 xx5] etc) as far as ... is concerned; speaking in terms of ... -耍,shuǎ,surname Shua -耍,shuǎ,"to play with; to wield; to act (cool etc); to display (a skill, one's temper etc)" -耍嘴皮,shuǎ zuǐ pí,to show off with clever talk; big-headed; a smart-ass -耍嘴皮子,shuǎ zuǐ pí zi,to talk glibly; to talk big; to be all talk -耍子,shuǎ zi,to play; to have fun -耍宝,shuǎ bǎo,to show off; to put on a show to amuse others -耍小聪明,shuǎ xiǎo cōng ming,to get smart; to resort to petty tricks -耍废,shuǎ fèi,(Tw) (slang) to pass time idly; to chill; to hang out -耍弄,shuǎ nòng,to play with; to engage in; to resort to; to dally with -耍得团团转,shuǎ de tuán tuán zhuàn,to fool; to dupe -耍手腕,shuǎ shǒu wàn,to play tricks; to maneuver -耍滑,shuǎ huá,"to resort to tricks; to act in a slippery way; to try to evade (work, responsibility)" -耍滑头,shuǎ huá tóu,see 耍滑[shua3 hua2] -耍泼,shuǎ pō,(dialect) to make an unreasonable scene -耍无赖,shuǎ wú lài,to act shamelessly; to behave in a way that leaves others tut-tutting and shaking their heads in disapproval -耍猴,shuǎ hóu,to get a monkey to perform tricks; to put on a monkey show; to make fun of sb; to tease -耍狮子,shuǎ shī zi,to perform a lion dance -耍私情,shuǎ sī qíng,the play of passions; carried away by passion (e.g. to commit a crime) -耍坛子,shuǎ tán zi,to perform a jar juggling and balancing act -耍脾气,shuǎ pí qì,to go into a huff -耍花招,shuǎ huā zhāo,to play tricks on sb -耍花枪,shuǎ huā qiāng,to play tricks; to dupe -耍花样,shuǎ huā yàng,to play tricks on sb -耍贫嘴,shuǎ pín zuǐ,(coll.) to wag one's tongue; to indulge in idle gossip and silly jokes; to chatter endlessly; to speak glibly -耍赖,shuǎ lài,"to act shamelessly; to refuse to acknowledge that one has lost the game, or made a promise etc; to act dumb; to act as if sth never happened" -耍钱,shuǎ qián,(coll.) to gamble -耍闹,shuǎ nào,to skylark; to play boisterously; to fool around -耐,nài,(bound form) to bear; to endure; to withstand -耐久,nài jiǔ,durable; long-lasting -耐人寻味,nài rén xún wèi,thought-provoking; worth thinking over; to provide food for thought -耐克,nài kè,"Nike, Inc." -耐力,nài lì,endurance -耐劳,nài láo,hardy; able to resist hardship -耐受,nài shòu,to tolerate; endurance -耐受力,nài shòu lì,tolerance; ability to survive; hardiness -耐受性,nài shòu xìng,"tolerance (to heat, acid etc); resistance" -耐寒,nài hán,coldproof; resistant to cold -耐心,nài xīn,to be patient; patience -耐心帮助,nài xīn bāng zhù,forbearance; tolerance; patient help -耐心烦,nài xīn fán,(coll.) patience -耐性,nài xìng,patience -耐操,nài cāo,(Tw) (of a person) to have stamina; (of a product) durable; (mainland China) (vulgar) (usu. of a woman) alternative form of 耐肏 (enthusiastic as a sexual partner) -耐水,nài shuǐ,waterproof -耐水性,nài shuǐ xìng,waterproof -耐洗,nài xǐ,wash-resistant -耐洗涤性,nài xǐ dí xìng,washing or color fastness; launderability -耐火,nài huǒ,refractory (material); fire-resistant -耐火土,nài huǒ tǔ,fireproof stone; flame-resistant material -耐火砖,nài huǒ zhuān,refractory brick; firebrick -耐烦,nài fán,to put up with (sth disagreeable) -耐热,nài rè,heat resistant; fireproof -耐用,nài yòng,durable -耐用品,nài yòng pǐn,durable goods -耐看,nài kàn,able to withstand careful appreciation; well worth a second look -耐磨,nài mó,wear resistant -耐穿,nài chuān,durable; proof against wear and tear -耐腐蚀,nài fǔ shí,proof against corrosion -耐药性,nài yào xìng,drug resistance; drug tolerance (medicine) -耐蚀,nài shí,to resist corrosion -耐酸,nài suān,acid-resistant -耐高温,nài gāo wēn,heat-resistant -耐碱,nài jiǎn,alkali-resistant -专,zhuān,variant of 專|专[zhuan1] -端,duān,old variant of 端[duan1]; start; origin -耒,lěi,plow -耒耜,lěi sì,plow -耒阳,lěi yáng,"Leiyang, county-level city in Hengyang 衡陽|衡阳[Heng2 yang2], Hunan" -耒阳市,lěi yáng shì,"Leiyang, county-level city in Hengyang 衡陽|衡阳[Heng2 yang2], Hunan" -耔,zǐ,hoe up soil around plants -耕,gēng,to plow; to till -耕作,gēng zuò,farming -耕地,gēng dì,arable land; to plow land -耕奴,gēng nú,agricultural slave; serf -耕犁,gēng lí,plow -耕田,gēng tián,to cultivate soil; to till fields -耕畜,gēng chù,draft animal -耕当问奴,gēng dāng wèn nú,"if it's plowing, ask the laborer (idiom); when managing a matter, consult the appropriate specialist" -耕种,gēng zhòng,to till; to cultivate -耕者有其田,gèng zhě yǒu qí tián,"""land to the tiller"", post-Liberation land reform movement instigated by the CCP" -耕耘,gēng yún,plowing and weeding; farm work; fig. to work or study diligently -耕读,gēng dú,to be both a farmer and a scholar; to work the land and also undertake academic studies -耖,chào,harrow-like implement for pulverizing clods of soil; to level ground with such an implement -耗,hào,to waste; to spend; to consume; to squander; news; (coll.) to delay; to dilly-dally -耗力,hào lì,to require much effort -耗失,hào shī,"(of sth that should be retained: nutrients, moisture, heat etc) to be lost" -耗子,hào zi,(dialect) mouse; rat -耗子尾汁,hào zi wěi zhī,you're on your own (pun on 好自為之|好自为之[hao3 zi4 wei2 zhi1]) -耗损,hào sǔn,to waste -耗散,hào sàn,to dissipate; to squander -耗时,hào shí,time-consuming; to take a period of (x amount of time) -耗时耗力,hào shí hào lì,requiring much time and effort -耗材,hào cái,consumables; to consume raw materials -耗油量,hào yóu liàng,fuel consumption -耗尽,hào jìn,to exhaust; to use up; to deplete; to drain -耗能,hào néng,to consume energy -耗费,hào fèi,to waste; to spend; to consume; to squander -耗资,hào zī,to spend; expenditure; to cost -耗电,hào diàn,to consume electricity; power consumption -耘,yún,to weed -耙,bà,a hoe; to harrow -耙,pá,a rake -耙地,bà dì,to harrow; to break the ground with a hoe -耙子,pá zi,a rake -耙耳朵,pā ěr duo,(dialect) henpecked; to be under one's wife's thumb -耜,sì,plow; plowshare -耠,huō,a hoe; to hoe; to loosen the soil with a hoe; Taiwan pr. [he2] -耤,jí,plow -耦,ǒu,a pair; a mate; a couple; to couple; plowshare -耦合,ǒu hé,coupling (physics); copula (statistics); to be coupled (with sth) -耦园,ǒu yuán,"Couple's Retreat Garden in Suzhou, Jiangsu" -耦居,ǒu jū,to live together (as husband and wife) -耦联晶体管,ǒu lián jīng tǐ guǎn,coupled transistor (electronics) -耦语,ǒu yǔ,to have a tete-à-tete; to whisper to each other -耨,nòu,hoe; to hoe; to weed -耩,jiǎng,to plow; to sow -耪,pǎng,to hoe -耧,lóu,drill for sowing grain -耢,lào,a kind of farm tool (in the form of a rectangular frame) used to level the ground; to level the ground by dragging this tool -耱,mò,see 耮|耢[lao4] -耳,ěr,ear; handle (archaeology); and that is all (Classical Chinese) -耳下腺,ěr xià xiàn,subauricular gland; parotid gland (salivary gland in the cheek) -耳光,ěr guāng,a slap on the face; CL:記|记[ji4] -耳刮子,ěr guā zi,(coll.) a slap on one's face; a cuff -耳力,ěr lì,hearing ability -耳垂,ěr chuí,earlobe -耳垢,ěr gòu,earwax -耳塞,ěr sāi,earplug; earphone -耳坠子,ěr zhuì zi,"eardrops (pendant jewelry); earrings; CL:對|对[dui4],隻|只[zhi1]" -耳套,ěr tào,earmuff; CL:副[fu4] -耳子,ěr zi,handle (on a pot) -耳屎,ěr shǐ,earwax; cerumen -耳廓,ěr kuò,outer ear; auricle; pinna -耳廓狐,ěr kuò hú,fennec; Vulpes zerda -耳挖,ěr wā,earpick; curette -耳挖勺,ěr wā sháo,(dialect) earpick; curette -耳挖子,ěr wā zi,earpick; curette -耳提面命,ěr tí miàn mìng,to give sincere advice (idiom); to exhort earnestly -耳掴子,ěr guāi zi,slap -耳旁风,ěr páng fēng,lit. wind past your ear; fig. sth you don't pay much attention to; in one ear and out the other -耳朵,ěr duo,"ear; CL:隻|只[zhi1],個|个[ge4],對|对[dui4]; handle (on a cup)" -耳朵眼儿,ěr duo yǎn er,earhole; ear piercing hole; earring hole -耳朵软,ěr duo ruǎn,credulous -耳根,ěr gēn,base of the ear; ear; (Buddhism) sense of hearing -耳根子,ěr gēn zi,ear -耳根子软,ěr gēn zi ruǎn,credulous -耳根清净,ěr gēn qīng jìng,lit. ears pure and peaceful (idiom); to stay away from the filth and unrest of the world -耳根软,ěr gēn ruǎn,credulous -耳机,ěr jī,headphones; earphones; telephone receiver -耳壳,ěr ké,outer ear; auricle; pinna -耳洞,ěr dòng,ear piercing hole; earring hole -耳源性,ěr yuán xìng,otogenic -耳源性眩晕,ěr yuán xìng xuàn yùn,aural vertigo -耳温枪,ěr wēn qiāng,ear thermometer -耳濡目染,ěr rú mù rǎn,to be influenced -耳熟,ěr shú,to sound familiar; familiar-sounding -耳熟能详,ěr shú néng xiáng,what's frequently heard can be repeated in detail (idiom) -耳片,ěr piān,tab (of a web browser) -耳环,ěr huán,"earring; CL:隻|只[zhi1],對|对[dui4]" -耳畔,ěr pàn,ears -耳痛,ěr tòng,earache -耳目,ěr mù,eyes and ears; sb's attention or notice; information; knowledge; spies -耳目一新,ěr mù yī xīn,a pleasant change; a breath of fresh air; refreshing -耳石,ěr shí,otolith -耳石症,ěr shí zhèng,benign paroxysmal positional vertigo; BPPV -耳罩,ěr zhào,earmuffs -耳闻,ěr wén,to hear of; to hear about -耳闻不如目见,ěr wén bù rú mù jiàn,seeing sth for oneself is better than hearing about it from others -耳闻目睹,ěr wén mù dǔ,to witness personally -耳聪目明,ěr cōng mù míng,sharp ears and keen eyes (idiom); keen and alert; perceptive -耳聋,ěr lóng,deaf -耳背,ěr bèi,to be hearing impaired -耳膜,ěr mó,eardrum; tympanum (of the middle ear); tympanic membrane -耳蜗,ěr wō,cochlea -耳蜡,ěr là,earwax; cerumen -耳语,ěr yǔ,to whisper in sb's ear; a whisper -耳软,ěr ruǎn,credulous -耳边风,ěr biān fēng,lit. wind past your ear; fig. sth you don't pay much attention to; in one ear and out the other -耳郭,ěr guō,outer ear; auricle; pinna -耳钉,ěr dīng,stud earring -耳针,ěr zhēn,auriculotherapy (ear acupuncture) -耳饰,ěr shì,"ear ornament (earring, eardrop, stud etc)" -耳发,ěr fa,(men) sideburns; (women) lengths of hair that hang down over the temples -耳鬓厮磨,ěr bìn sī mó,lit. to play together ear to ear and temple to temple (idiom); fig. (of a boy and a girl) to play together often during childhood -耳鸣,ěr míng,tinnitus -耳麦,ěr mài,headphones; earphones -耳鼓,ěr gǔ,eardrum; tympanum (of the middle ear); tympanic membrane -耳鼻咽喉,ěr bí yān hóu,ear nose and throat; otolaryngology -耵,dīng,used in 耵聹|耵聍[ding1ning2]; Taiwan pr. [ding3] -耵聍,dīng níng,earwax; cerumen -耶,yē,(phonetic ye) -耶,yé,interrogative particle (classical) -耶,ye,final particle indicating enthusiasm etc -耶利哥,yē lì gē,Jericho (Biblical city) -耶利米,yē lì mǐ,Jeremy or Jeremiah (name) -耶利米哀歌,yē lì mǐ āi gē,the Lamentations of Jeremiah -耶利米书,yē lì mǐ shū,Book of Jeremiah -耶和华,yē hé huá,"Jehovah (biblical name for God, Hebrew: YHWH); compare Yahweh 雅威[Ya3 wei1] and God 上帝[Shang4 di4]" -耶和华见证人,yē hé huá jiàn zhèng rén,Jehovah's Witnesses -耶哥尼雅,yē gē ní yǎ,Jechoniah or Jeconiah (son of Josiah) -耶弗他,yē fú tā,"Jephthah (Hebrew: Yiftach) son of Gilead, Judges 11-foll." -耶律大石,yē lǜ dà shí,"Yollig Taxin or Yelü Dashi (1087-1143), Chinese-educated Khitan leader, founder of Western Liao 西遼|西辽 in Central Asia" -耶律楚材,yē lǜ chǔ cái,"Yelü Chucai (1190-1244), Khitan statesman and advisor to Genghis Khan and Ögödei Khan, known for convincing the Mongols to tax the conquered population of the north China plains rather than slaughter it" -耶户,yē hù,"Jehu (842-815 BC), Israelite king, prominent character in 2 Kings 9:10" -耶洗别,yē xǐ bié,"Jezebel, wife of Ahab and mother of Ahaziah, major character in 1 Kings 16:31, 19:1, 21 and 2 Kings 9, killed by Jehu 耶戶|耶户[Ye1 hu4]" -耶烈万,yē liè wàn,"Yerevan, capital of Armenia; also written 埃里溫|埃里温[Ai1 li3 wen1]" -耶稣,yē sū,Jesus -耶稣光,yē sū guāng,crepuscular rays; sunbeams -耶稣升天节,yē sū shēng tiān jié,Ascension Day (Christian festival forty days after Easter) -耶稣受难节,yē sū shòu nàn jié,Good Friday -耶稣基督,yē sū jī dū,Jesus Christ -耶稣基督后期圣徒教会,yē sū jī dū hòu qī shèng tú jiào huì,The Church of Jesus Christ of Latter-day Saints -耶稣基督末世圣徒教会,yē sū jī dū mò shì shèng tú jiào huì,The Church of Jesus Christ of Latter-day Saints -耶稣教,yē sū jiào,Protestantism -耶稣会,yē sū huì,The Jesuits (Society of Jesus) -耶稣会士,yē sū huì shì,a Jesuit; member of Society of Jesus -耶稣降临节,yē sū jiàng lín jié,Advent (Christian period of 4 weeks before Christmas) -耶西,yē xī,Jesse (son of Obed) -耶诞节,yē dàn jié,Christmas (Tw) -耶路撒冷,yē lù sā lěng,Jerusalem -耶酥,yē sū,variant of 耶穌|耶稣[Ye1 su1] -耶酥会,yē sū huì,the Society of Jesus; the Jesuits -耶酥会士,yē sū huì shì,a Jesuit -耶鲁,yē lǔ,Yale -耶鲁大学,yē lǔ dà xué,Yale University -耷,dā,(literary) big ears; (bound form) to droop -耷拉,dā la,to droop; to hang down; to dangle -耷着,dā zhe,to droop; to hang down; to dangle -耽,dān,to indulge in; to delay -耽心,dān xīn,variant of 擔心|担心[dan1 xin1] -耽忧,dān yōu,variant of 擔憂|担忧[dan1 you1] -耽搁,dān ge,to tarry; to delay; to stop over -耽溺,dān nì,to indulge in; to wallow in -耽美,dān měi,"(slang) boys' love, aka BL (genre of homoerotic online literature)" -耽误,dān wu,to delay; to hold up; to waste time; to interfere with -耿,gěng,surname Geng -耿,gěng,(literary) bright; brilliant; honest; upright -耿介,gěng jiè,upright and outstanding -耿直,gěng zhí,honest; frank; candid -耿耿,gěng gěng,bright; devoted; having sth on one's mind; troubled -耿耿于怀,gěng gěng yú huái,to take troubles to heart (idiom); brooding -耿饼,gěng bǐng,"dried persimmon (from Geng village, Heze 荷澤|荷泽, Shandong)" -耿马傣族佤族自治县,gěng mǎ dǎi zú wǎ zú zì zhì xiàn,"Gengma Dai and Va autonomous county in Lincang 臨滄|临沧[Lin2 cang1], Yunnan" -耿马县,gěng mǎ xiàn,"Gengma Dai and Va autonomous county in Lincang 臨滄|临沧[Lin2 cang1], Yunnan" -聃,dān,ears without rim -聆,líng,(literary) to hear; to listen -聆听,líng tīng,to listen (respectfully) -聆讯,líng xùn,hearing (law) -聊,liáo,(coll.) to chat; (literary) temporarily; for a while; (literary) somewhat; slightly; (literary) to depend upon -聊且,liáo qiě,for the time being; tentatively -聊以,liáo yǐ,"to use it (or do it) for the purpose of (allaying hunger, relieving boredom etc) to some extent" -聊以塞责,liáo yǐ sè zé,in order to minimally fulfill one's responsibilities; in order to get off the hook -聊以自慰,liáo yǐ zì wèi,to find some consolation (idiom); to find relief in -聊以解闷,liáo yǐ jiě mèn,to use it for the purpose of relieving the tedium to some extent -聊备,liáo bèi,to provide on a makeshift basis; to use temporarily as -聊备一格,liáo bèi yī gé,to use as a stopgap; to make a perfunctory gesture; token; nominal -聊胜于无,liáo shèng yú wú,better than nothing (idiom) -聊城,liáo chéng,Liaocheng prefecture-level city in Shandong -聊城市,liáo chéng shì,Liaocheng prefecture-level city in Shandong -聊天,liáo tiān,to chat; to gossip -聊天儿,liáo tiān er,erhua variant of 聊天[liao2 tian1] -聊天室,liáo tiān shì,chat room -聊叙,liáo xù,to speak tentatively -聊生,liáo shēng,to earn a living (esp. with negative) -聊表寸心,liáo biǎo cùn xīn,(of a gift) to be a small token of one's feelings -聊赖,liáo lài,to suffer tedium -聊骚,liáo sāo,to chat flirtatiously -聊斋志异,liáo zhāi zhì yì,"Strange Stories from a Chinese Studio, Qing dynasty book of tales by 蒲松齡|蒲松龄[Pu2 Song1 ling2]" -聒,guō,raucous; clamor; unpleasantly noisy -聒噪,guō zào,a clamor; noisy -聒耳,guō ěr,raucous; ear-splitting -圣,shèng,"(bound form) peerless (in wisdom, moral virtue, skill etc); (bound form) peerless individual; paragon (sage, saint, emperor, master of a skill etc); (bound form) holy; sacred" -圣上,shèng shàng,courtier's or minister's form of address for the current Emperor -圣事,shèng shì,Holy sacrament; Christian rite (esp. Catholic); also called 聖禮|圣礼 by Protestants -圣人,shèng rén,sage; the Sage (i.e. Confucius); (old) (respectful way of addressing a monarch) your sagacious majesty; (religion) saint -圣代,shèng dài,sundae (loanword) -圣伯多禄大殿,shèng bó duō lù dà diàn,"St Peter's Basilica, Vatican City" -圣但尼,shèng dàn ní,St Denis or St Dennis -圣佛明节,shèng fó míng jié,"Fiesta de Saint Fermin, festival held annually in Pamplona, Spain" -圣保罗,shèng bǎo luó,"St Paul; São Paulo, city in Brazil" -圣像,shèng xiàng,"icon; iconic; religious image; figure (of Confucius, Buddha, Jesus Christ, the Virgin Mary etc); CL:張|张[zhang1]" -圣僧,shèng sēng,senior monk -圣克鲁斯,shèng kè lǔ sī,Santa Cruz -圣克鲁斯岛,shèng kè lǔ sī dǎo,"Santa Cruz Island, off the California coast" -圣典,shèng diǎn,sacred writing; canon -圣凯瑟琳,shèng kǎi sè lín,Saint Catherine -圣劳伦斯河,shèng láo lún sī hé,"St Lawrence River, Canada" -圣化,shèng huà,sanctify; sanctification; consecrate -圣君,shèng jūn,sage -圣哈辛托,shèng hā xīn tuō,San Jacinto -圣哉经,shèng zāi jīng,Sanctus (section of Catholic mass) -圣哲,shèng zhé,sage -圣善,shèng shàn,supreme goodness; (respectful term for sb's mother) -圣乔治,shèng qiáo zhì,St George -圣地,shèng dì,"holy land (of a religion); sacred place; shrine; holy city (such as Jerusalem, Mecca etc); center of historic interest" -圣地亚哥,shèng dì yà gē,"Santiago, capital of Chile; San Diego, California" -圣地牙哥,shèng dì yá gē,"(Tw) San Diego, California; Santiago, capital of Chile" -圣城,shèng chéng,Holy City -圣基茨和尼维斯,shèng jī cí hé ní wéi sī,Saint Kitts and Nevis -圣塔伦,shèng tǎ lún,Santarém (Portugal); Santarém (Brazil) -圣多明各,shèng duō míng gè,"Santo Domingo, capital of the Dominican Republic" -圣多明哥,shèng duō míng gē,"Santo Domingo, capital of Dominican Republic (Tw)" -圣多美,shèng duō měi,"Sao Tome, capital of Sao Tome and Principe" -圣多美和普林西比,shèng duō měi hé pǔ lín xī bǐ,São Tomé and Príncipe -圣大非,shèng dà fēi,Santa Fe -圣奥古斯丁,shèng ào gǔ sī dīng,"St Augustine; Aurelius Augustinus (354-430), theologian and Christian philosopher; Sankt Augustin, suburb of Beuel, Bonn, Germany" -圣女果,shèng nǚ guǒ,cherry tomato -圣女贞德,shèng nǚ zhēn dé,"Joan of Arc (1412-1431), French heroine and liberator, executed as a witch by the Burgundians and English" -圣婴,shèng yīng,El Niño (meteorology); Holy Infant (Christianity) -圣子,shèng zǐ,Holy Son; Jesus Christ; God the Son (in the Christian Trinity) -圣安地列斯断层,shèng ān de liè sī duàn céng,"San Andreas Fault, California; also written 聖安德列斯斷層|圣安德列斯断层" -圣安多尼堂区,shèng ān duō ní táng qū,St Anthony Parish (Macau); Freguesia de Santo António -圣安德列斯断层,shèng ān dé liè sī duàn céng,"San Andreas Fault, California" -圣安德鲁,shèng ān dé lǔ,St Andrew -圣安东尼奥,shèng ān dōng ní ào,"San Antonio, Texas" -圣帕特里克,shèng pà tè lǐ kè,Saint Patrick -圣庙,shèng miào,shrine to a sage (esp. Confucius) -圣彼得,shèng bǐ dé,Saint Peter -圣彼得堡,shèng bǐ dé bǎo,Saint Petersburg (city in Russia) -圣徒,shèng tú,saint -圣德克旭贝里,shèng dé kè xù bèi lǐ,(Antoine de) Saint-Exupéry -圣德太子,shèng dé tài zǐ,"Prince Shōtoku Taiji (574-621), major Japanese statesman and reformer of the Asuka period 飛鳥時代|飞鸟时代[Fei1 niao3 Shi2 dai4], proponent of state Buddhism, portrayed as Buddhist saint" -圣心,shèng xīn,Sacred Heart (Christian) -圣心节,shèng xīn jié,Feast of the Sacred Heart -圣战,shèng zhàn,Holy war; jihad -圣手,shèng shǒu,divine physician; sage doctor; highly skilled practitioner -圣文森及格瑞那丁,shèng wén sēn jí gé ruì nà dīng,Saint Vincent and the Grenadines (Tw) -圣文森和格林纳丁,shèng wén sēn hé gé lín nà dīng,"St Vincent and Grenadines, Caribbean island in Lesser Antilles" -圣文森特和格林纳丁斯,shèng wén sēn tè hé gé lín nà dīng sī,Saint Vincent and the Grenadines -圣旨,shèng zhǐ,imperial edict -圣明,shèng míng,enlightened sage; brilliant master (flattering words applied to ruler) -圣朝,shèng cháo,the current imperial dynasty; one's own court -圣杯,shèng bēi,Holy Grail -圣歌,shèng gē,hymn -圣殿,shèng diàn,temple -圣母,shèng mǔ,the Virgin Mary -圣母,shèng mǔ,goddess -圣母升天节,shèng mǔ shēng tiān jié,Assumption of the Virgin Mary (Christian festival on 15th August) -圣母婊,shèng mǔ biǎo,(Internet slang) sanctimonious bitch -圣母峰,shèng mǔ fēng,(Tw) Mount Everest -圣母教堂,shèng mǔ jiào táng,Church of Our Lady; Frauenkirche -圣母玛利亚,shèng mǔ mǎ lì yà,Mary (mother of Jesus) -圣水,shèng shuǐ,holy water -圣油,shèng yóu,chrism; holy anointing oil -圣洗,shèng xǐ,baptism (Christian ceremony) -圣涡,shèng wō,dimples of Venus; back dimples -圣洁,shèng jié,pure and holy -圣潘克勒斯站,shèng pān kè lēi sī zhàn,Saint Pancras (London railway station) -圣火,shèng huǒ,sacred fire; (esp.) the Olympic flame -圣灰瞻礼日,shèng huī zhān lǐ rì,Ash Wednesday -圣灰节,shèng huī jié,Ash Wednesday (first day of Lent) -圣烛节,shèng zhú jié,Candlemas (Christian Festival on 2nd February) -圣父,shèng fù,Holy Father; God the Father (in the Christian Trinity) -圣王,shèng wáng,sage ruler -圣皮埃尔和密克隆,shèng pí āi ěr hé mì kè lóng,Saint-Pierre and Miquelon -圣盘,shèng pán,Holy Grail -圣卢西亚,shèng lú xī yà,Saint Lucia -圣卢西亚岛,shèng lú xī yà dǎo,Saint Lucia -圣祖,shèng zǔ,"Shengzu, temple name of the second Qing emperor, known as the Kangxi Emperor (1654-1722); cf. 康熙[Kang1 xi1]" -圣祖,shèng zǔ,divine ancester; patron saint -圣神,shèng shén,"feudal term of praise for ruler, king or emperor; general term for saint in former times; term for God during the Taiping Heavenly Kingdom 太平天國|太平天国; Holy Spirit (in Christian Trinity)" -圣神降临,shèng shén jiàng lín,Whit Sunday (Christian Festival celebrating the Holy Spirit) -圣神降临周,shèng shén jiàng lín zhōu,Whitsuntide -圣礼,shèng lǐ,Holy sacrament; Christian rite (esp. Protestant); also called 聖事|圣事 by Catholics -圣约,shèng yuē,covenant -圣约瑟夫,shèng yuē sè fū,Saint Joseph -圣约翰,shèng yuē hàn,Saint John -圣约翰斯,shèng yuē hàn sī,"St John's, capital of Labrador and Newfoundland province, Canada" -圣纳帕,shèng nà pà,"Agia Napa, Cyprus; Ayia Napa, Cyprus" -圣索非亚,shèng suǒ fēi yà,Hagia Sophia (Greek: Holy wisdom) -圣索非亚大教堂,shèng suǒ fēi yà dà jiào táng,"Hagia Sophia (the main cathedral of Constantinople, subsequently the major mosque of Istanbul)" -圣经,shèng jīng,"the Confucian classics; (Christianity, Judaism) the holy scriptures; CL:本[ben3],部[bu4]" -圣经外传,shèng jīng wài zhuàn,Apocrypha; biography external to the classics -圣经段落,shèng jīng duàn luò,Bible passage -圣经贤传,shèng jīng xián zhuàn,lit. holy scripture and biography of sage (idiom); refers to Confucian canonical texts -圣者,shèng zhě,holy one; saint -圣职,shèng zhí,priesthood -圣胎,shèng tāi,immortal body (of born again Daoist) -圣胡安,shèng hú ān,"San Juan, capital of Puerto Rico" -圣膏油,shèng gāo yóu,chrism; holy anointing oil -圣荷西,shèng hé xī,San Jose -圣菲,shèng fēi,Santa Fe -圣萨尔瓦多,shèng sà ěr wǎ duō,"San Salvador, capital of El Salvador" -圣药,shèng yào,panacea -圣训,shèng xùn,sage's instructions; imperial edict -圣诗,shèng shī,hymn -圣诞,shèng dàn,Christmas; birthday of reigning Emperor; Confucius' birthday -圣诞前夕,shèng dàn qián xī,Christmas eve -圣诞卡,shèng dàn kǎ,Christmas card -圣诞岛,shèng dàn dǎo,"Christmas Island, Australia" -圣诞快乐,shèng dàn kuài lè,Merry Christmas -圣诞树,shèng dàn shù,Christmas tree -圣诞节,shèng dàn jié,Christmas time; Christmas season; Christmas -圣诞红,shèng dàn hóng,poinsettia (Euphorbia pulcherrima) -圣诞老人,shèng dàn lǎo rén,Father Christmas; Santa Claus -圣诞花,shèng dàn huā,poinsettia (Euphorbia pulcherrima) -圣诞颂,shèng dàn sòng,A Christmas Carol by Charles Dickens -圣谕,shèng yù,imperial edict; see also 上諭|上谕[shang4 yu4] -圣贤,shèng xián,a sage; wise and holy man; virtuous ruler; Buddhist lama; wine -圣贤孔子鸟,shèng xián kǒng zǐ niǎo,Confuciusornis sanctus (Jurassic fossil bird) -圣贤书,shèng xián shū,holy book -圣赫勒拿,shèng hè lēi ná,St Helena -圣赫勒拿岛,shèng hè lè ná dǎo,Saint Helena -圣迹,shèng jì,holy relic; miracle -圣路易斯,shèng lù yì sī,"St Louis, large city in eastern Missouri" -圣躬,shèng gōng,the Emperor's body; Holy body; the current reigning Emperor -圣雄,shèng xióng,sage hero; refers to Mahatma Gandhi -圣露西亚,shèng lù xī yà,Saint Lucia (Tw) -圣灵,shèng líng,Holy Ghost; Holy Spirit -圣灵降临,shèng líng jiàng lín,Pentecost -圣餐,shèng cān,Holy Communion; Eucharist -圣餐台,shèng cān tái,(Christian) altar -圣马利诺,shèng mǎ lì nuò,San Marino (Tw) -圣马力诺,shèng mǎ lì nuò,San Marino -圣马洛,shèng mǎ luò,"St Malo, town in Normandy" -圣体,shèng tǐ,the Emperor's body; Jesus' body; communion wafer (in Christian mass) -圣体节,shèng tǐ jié,Corpus Christi (Catholic festival on second Thursday after Whit Sunday) -圣体血,shèng tǐ xuè,the body and blood of Christ; Holy communion -聘,pìn,to engage (a teacher etc); to hire; to betroth; betrothal gift; to get married (of woman) -聘任,pìn rèn,to appoint (to a position); appointed -聘问,pìn wèn,international exchange of visits; to visit as envoy; to visit as family representative for purpose of marriage arrangement (traditional culture) -聘娶婚,pìn qǔ hūn,formal betrothal (in which the boy's family sends presents to the girl's family) -聘书,pìn shū,letter of appointment; contract -聘用,pìn yòng,to employ; to hire -聘礼,pìn lǐ,betrothal gift -聘请,pìn qǐng,to engage; to hire (a lawyer etc) -聘金,pìn jīn,betrothal money (given to the bride's family) -聚,jù,to assemble; to gather (transitive or intransitive); (chemistry) poly- -聚丙烯,jù bǐng xī,polypropylene -聚乙烯,jù yǐ xī,polythene; polyethylene -聚伙,jù huǒ,to gather a crowd; a mob -聚光,jù guāng,to focus light (e.g. in theater); to spotlight -聚光太阳能,jù guāng tài yáng néng,concentrating solar power (CSP) -聚光灯,jù guāng dēng,spotlight -聚友,jù yǒu,MySpace (social networking website) -聚合,jù hé,to come together (to form sth); to assemble together; (chemistry) to polymerize -聚合作用,jù hé zuò yòng,polymerization -聚合物,jù hé wù,polymer -聚合资讯订阅,jù hé zī xùn dìng yuè,RSS (news feeds) -聚合酶,jù hé méi,polymerase (enzyme) -聚合体,jù hé tǐ,aggregate; polymer -聚四氟乙烯,jù sì fú yǐ xī,"polytetrafluoroethylene (PTFE), trademarked as Teflon" -聚在一起,jù zài yī qǐ,to get together -聚宝盆,jù bǎo pén,treasure bowl (mythology); fig. source of wealth; cornucopia; gold mine -聚少离多,jù shǎo lí duō,"(idiom) (of a husband and wife, etc) to spend more time apart than together; to see each other very little" -聚居,jù jū,to inhabit a region (esp. ethnic group); to congregate -聚居地,jù jū dì,inhabited land; habitat -聚拢,jù lǒng,to gather together -聚散,jù sàn,coming together and separating; aggregation and dissipation -聚敛,jù liǎn,to accumulate; to gather; to amass wealth by heavy taxation or other unscrupulous means; (science) convergent -聚晤,jù wù,to meet (as a social group) -聚会,jù huì,party; gathering; to meet; to get together -聚歼,jù jiān,to annihilate; to round up and wipe out -聚氨酯,jù ān zhǐ,polyurethane -聚氯乙烯,jù lǜ yǐ xī,polyvinyl chloride (PVC) -聚沙成塔,jù shā chéng tǎ,sand grains accumulate to make a tower a tower (idiom); by gathering small amounts one gets a huge quantity; many a mickle makes a muckle -聚焦,jù jiāo,to focus -聚甲醛,jù jiǎ quán,polyformaldehyde (CH2O)n -聚众,jù zhòng,to gather a crowd; to muster -聚众淫乱罪,jù zhòng yín luàn zuì,group licentiousness (offense punishable by up to five years in prison in the PRC) -聚碳酸酯,jù tàn suān zhǐ,polycarbonate -聚积,jù jī,to accumulate; to collect; to build up -聚精会神,jù jīng huì shén,to concentrate one's attention (idiom) -聚义,jù yì,to meet as volunteers for an uprising -聚脂,jù zhī,polyester; also written 聚酯 -聚苯乙烯,jù běn yǐ xī,polystyrene -聚落,jù luò,settlement; dwelling place; town; village -聚萤映雪,jù yíng yìng xuě,lit. to collect fireflies and study by their light (idiom); fig. ambitious student from impoverished background; burning the midnight oil -聚讼纷纭,jù sòng fēn yún,(of a body of people) to offer all kinds of different opinions (idiom); to argue endlessly -聚谈,jù tán,to have a discussion in a group; to have a chat with sb -聚议,jù yì,to meet for negotiation -聚变,jù biàn,fusion (physics) -聚变反应,jù biàn fǎn yìng,nuclear fusion -聚变武器,jù biàn wǔ qì,fusion-type weapon -聚赌,jù dǔ,communal gambling -聚酯,jù zhǐ,polyester -聚酯树脂,jù zhǐ shù zhī,polyester resin -聚酯纤维,jù zhǐ xiān wéi,polyester fiber -聚酰亚胺,jù xiān yà àn,polyimide -聚酰胺,jù xiān àn,polyamide -聚集,jù jí,to assemble; to gather -聚头,jù tóu,to meet; to get together -聚饮,jù yǐn,to meet for social drinking -聚餐,jù cān,communal meal; formal dinner of club or group -聚首,jù shǒu,to gather; to meet -聚点,jù diǎn,meeting point; accumulation point (math.) -聚齐,jù qí,to meet together; to assemble (of a group of people) -闻,wén,surname Wen -闻,wén,to hear; news; well-known; famous; reputation; fame; to smell; to sniff at -闻一多,wén yī duō,"Wen Yiduo (1899-1946), poet and patriotic fighter, executed by Guomindang in Kunming" -闻一知十,wén yī zhī shí,lit. to hear one and know ten (idiom); fig. explain one thing and (he) understands everything; a word to the wise -闻上去,wén shàng qù,to smell of sth; to smell like sth -闻人,wén rén,famous person -闻出,wén chū,to identify by smell; to detect a scent; to sniff out -闻到,wén dào,to smell; to sniff sth out; to perceive by smelling -闻名,wén míng,well-known; famous; renowned; eminent -闻名不如见面,wén míng bù rú jiàn miàn,knowing sb by their reputation can't compare to meeting them in person (idiom) -闻名于世,wén míng yú shì,world-famous -闻名遐迩,wén míng xiá ěr,(idiom) to be famous far and wide -闻喜,wén xǐ,"Wenxi county in Yuncheng 運城|运城[Yun4 cheng2], Shanxi" -闻喜县,wén xǐ xiàn,"Wenxi county in Yuncheng 運城|运城[Yun4 cheng2], Shanxi" -闻悉,wén xī,to hear (about sth) -闻所未闻,wén suǒ wèi wén,unheard of; an extremely rare and unprecedented event -闻见,wén jiàn,to smell; to hear; knowledge; information -闻言,wén yán,to have heard what was said -闻讯,wén xùn,to receive news (of) -闻诊,wén zhěn,"(TCM) auscultation and smelling, one of the four methods of diagnosis 四診|四诊[si4 zhen3]" -闻过则喜,wén guò zé xǐ,to accept criticism gladly (humble expr.); to be happy when one's errors are pointed out -闻达,wén dá,illustrious and influential; well-known -闻鸡起舞,wén jī qǐ wǔ,to start practicing at the first crow of the cock (idiom); to be diligent in one's studies -闻风先遁,wén fēng xiān dùn,to flee at hearing the news (idiom) -闻风丧胆,wén fēng sàng dǎn,hear the wind and lose gall (idiom); terror-stricken at the news -闻风而动,wén fēng ér dòng,to respond instantly; to act at once on hearing the news -联,lián,(bound form) to ally oneself with; to unite; to combine; to join; (bound form) (poetry) antithetical couplet -联系,lián xì,variant of 聯繫|联系[lian2 xi4] -联俄,lián é,alliance with Russia (e.g. of early Chinese communists) -联保,lián bǎo,"joint guarantee (finance, law)" -联动,lián dòng,(of the parts of a machine) to move together; to act in coordination; to be coupled; linkage -联合,lián hé,to combine; to join; unite; alliance -联合公报,lián hé gōng bào,joint announcement -联合包裹服务公司,lián hé bāo guǒ fú wù gōng sī,United Parcel Service (UPS) -联合古大陆,lián hé gǔ dà lù,Pangea or Pangaea -联合品牌,lián hé pǐn pái,to cobrand -联合国,lián hé guó,United Nations -联合国儿童基金会,lián hé guó ér tóng jī jīn huì,United Nations Children's Fund; UNICEF -联合国大会,lián hé guó dà huì,United Nations General Assembly -联合国安全理事会,lián hé guó ān quán lǐ shì huì,United Nations Security Council -联合国宪章,lián hé guó xiàn zhāng,United Nations charter -联合国教科文组织,lián hé guó jiào kē wén zǔ zhī,"UNESCO, United Nations Educational, Scientific and Cultural Organization" -联合国气候变化框架公约,lián hé guó qì hòu biàn huà kuàng jià gōng yuē,United Nations Framework Convention on Climate Change -联合国海洋法公约,lián hé guó hǎi yáng fǎ gōng yuē,United Nations Convention on the Law of the Sea -联合国环境规划署,lián hé guó huán jìng guī huà shǔ,United Nations Environment Program (UNEP) -联合国秘书处,lián hé guó mì shū chù,United Nations Secretariat -联合国粮农组织,lián hé guó liáng nóng zǔ zhī,Food and Agriculture Organization of the United Nations (FAO) -联合国开发计划署,lián hé guó kāi fā jì huà shǔ,United Nations Development Program -联合国难民事务高级专员办事处,lián hé guó nán mín shì wù gāo jí zhuān yuán bàn shì chù,Office of the UN High Commissioner for Refugees (UNHCR) -联合报,lián hé bào,"United Daily News, Taiwan newspaper" -联合式合成词,lián hé shì hé chéng cí,coordinative compound word -联合技术公司,lián hé jì shù gōng sī,United Technologies Corporation -联合收割机,lián hé shōu gē jī,combine (i.e. combine harvester) -联合政府,lián hé zhèng fǔ,coalition government -联合会,lián hé huì,federation -联合王国,lián hé wáng guó,United Kingdom -联合发表,lián hé fā biǎo,joint statement; joint announcement -联合组织,lián hé zǔ zhī,syndicate -联合声明,lián hé shēng míng,joint declaration -联合自强,lián hé zì qiáng,to combine together for self-improvement; joint movement for self-strengthening -联合舰队,lián hé jiàn duì,combined fleet -联合军演,lián hé jūn yǎn,joint military exercise -联名,lián míng,"jointly (signed, declared, sponsored)" -联大,lián dà,"abbr. for 聯合國大會|联合国大会[Lian2 he2 guo2 Da4 hui4], United Nations General Assembly; abbr. for 國立西南聯合大學|国立西南联合大学[Guo2 li4 Xi1 nan2 Lian2 he2 Da4 xue2], National Southwest Combined University" -联姻,lián yīn,"related by marriage; to connect by marriage (families, work units)" -联宗,lián zōng,combined branches of a clan -联席会议,lián xí huì yì,joint conference -联席董事,lián xí dǒng shì,associate director -联想,lián xiǎng,Lenovo -联想,lián xiǎng,to associate (cognitively); to make an associative connection; mental association; word prediction and auto-complete functions of input method editing programs -联想学习,lián xiǎng xué xí,associative learning -联想起,lián xiǎng qǐ,to associate; to think of -联想集团,lián xiǎng jí tuán,Lenovo Group (PRC computer firm) -联手,lián shǒu,lit. to join hands; to act together -联接,lián jiē,variant of 連接|连接[lian2 jie1] -联播,lián bō,to broadcast over a network; (radio or TV) hookup; simulcast -联星,lián xīng,binary star -联机,lián jī,online; network; to connect online; to connect an electronic device to another device -联机分析处理,lián jī fēn xī chǔ lǐ,online analysis processing OLAP -联机游戏,lián jī yóu xì,a network computer game -联欢,lián huān,to have a get-together; celebration; party -联欢会,lián huān huì,social gathering; party -联氨,lián ān,hydrazine -联营,lián yíng,joint venture; under joint management -联产,lián chǎn,co-production; cooperative production -联产到劳,lián chǎn dào láo,to pay sb according to their productivity -联产到户,lián chǎn dào hù,"household responsibility system, introduced in the early 1980s, under which each rural household could freely decide what to produce and how to sell, as long as it fulfilled its quota of products to the state" -联盟,lián méng,alliance; union; coalition -联盟号,lián méng hào,"Soyuz (union), Russian spacecraft series" -联立方程式,lián lì fāng chéng shì,simultaneous equations (math.) -联结,lián jié,to bind; to tie; to link -联结主义,lián jié zhǔ yì,connectionism -联结车,lián jié chē,(Tw) 18-wheeler; big rig; semi-trailer -联络,lián luò,to get in touch with; to contact; to stay in contact (with); liaison; (math.) connection -联络官,lián luò guān,liaison officer -联络簿,lián luò bù,contact book -联网,lián wǎng,to connect (or be connected) to a network; to network -联缀,lián zhuì,variant of 連綴|连缀[lian2 zhui4] -联绵,lián mián,variant of 連綿|连绵[lian2 mian2] -联绵词,lián mián cí,"two-syllable word featuring alliteration or rhyme, such as 玲瓏|玲珑[ling2 long2]" -联系,lián xì,connection; contact; relation; to get in touch with; to integrate; to link; to touch -联系人,lián xì rén,contact (person) -联系方式,lián xì fāng shì,contact details -联署,lián shǔ,joint signatures (on a letter or declaration) -联翩,lián piān,(literary) to come in quick succession; wave after wave -联考,lián kǎo,entrance examination -联航,lián háng,"China United Airlines, abbr. for 中國聯合航空|中国联合航空[Zhong1 guo2 Lian2 he2 Hang2 kong1]" -联号,lián hào,variant of 連號|连号[lian2 hao4] -联袂,lián mèi,jointly; as a group; together -联诵,lián sòng,liaison (in phonetics) (loanword) -联谊,lián yì,friendship; fellowship -联谊会,lián yì huì,association; club; society; party; get-together -联调联试,lián tiáo lián shì,debugging and commissioning; testing (of a whole system) -联贯,lián guàn,variant of 連貫|连贯[lian2 guan4] -联赛,lián sài,(sports) league; league tournament -联军,lián jūn,allied armies -联轴器,lián zhòu qì,(mechanics) coupler; coupling -联轴节,lián zhòu jié,(mechanics) coupling -联通,lián tōng,China United Telecommunications Corporation; aka China Unicom or Unicom; abbr. for 中國聯通|中国联通 -联通,lián tōng,connection; link; to link together -联通红筹公司,lián tōng hóng chóu gōng sī,"Unicom Red Chip, Hong Kong subsidiary of China Unicom 中國聯通|中国联通[Zhong1 guo2 Lian2 tong1]" -联运,lián yùn,through transport; through traffic jointly organized by different enterprises -联运票,lián yùn piào,transfer ticket -联邦,lián bāng,federal; federation; commonwealth; federal union; federal state; union -联邦制,lián bāng zhì,federal; federal system -联邦州,lián bāng zhōu,federal state; German Bundesland -联邦德国,lián bāng dé guó,German Federation; Bundesrepublik Deutschland; Germany -联邦快递,lián bāng kuài dì,FedEx -联邦政府,lián bāng zhèng fǔ,federal government -联邦紧急措施署,lián bāng jǐn jí cuò shī shǔ,Federal Emergency Management Agency; FEMA -联邦调查局,lián bāng diào chá jú,Federal Bureau of Investigation (FBI) -联邦通信委员会,lián bāng tōng xìn wěi yuán huì,Federal Communications Commission (FCC) -联队,lián duì,wing (of an air force); sports team representing a combination of entities (e.g. United Korea) -联集,lián jí,union (symbol ∪) (set theory) (Tw) -联体别墅,lián tǐ bié shù,townhouse -聪,cōng,(literary) acute (of hearing); (bound form) clever; intelligent; sharp -聪慧,cōng huì,bright; intelligent -聪敏,cōng mǐn,bright; sharp; quick-witted -聪明,cōng ming,intelligent; clever; bright; acute (of sight and hearing) -聪明伶俐,cōng ming líng lì,bright; clever; quick-witted -聪明反被聪明误,cōng míng fǎn bèi cōng míng wù,(idiom) a clever person may become the victim of his own ingenuity; cleverness may overreach itself; too smart for one's own good -聪明才智,cōng ming cái zhì,intelligence and ability -聪明绝顶,cōng ming jué dǐng,highly intelligent; brilliant -聪明过头,cōng ming guò tóu,too clever by half; excessive ingenuity -聪颖,cōng yǐng,smart; intelligent -聱,áo,difficult to pronounce -声,shēng,sound; voice; tone; noise; reputation; classifier for sounds -声像,shēng xiàng,audio-visual; (ultrasonography etc) acoustic image -声价,shēng jià,reputation -声优,shēng yōu,"voice actor (orthographic borrowing from Japanese 声優 ""seiyū"")" -声势,shēng shì,fame and power; prestige; influence; impetus; momentum -声卡,shēng kǎ,sound card -声名,shēng míng,reputation; declaration -声名大噪,shēng míng dà zào,to rise to fame -声名大震,shēng míng dà zhèn,to create a sensation -声名狼藉,shēng míng láng jí,to have a bad reputation -声呐,shēng nà,sonar (loanword) -声嘶力竭,shēng sī lì jié,to shout oneself hoarse (idiom) -声囊,shēng náng,vocal sac; vocal pouch (for vocal amplification in male frogs) -声威,shēng wēi,prestige; renown; influence -声学,shēng xué,acoustics -声带,shēng dài,vocal cords; vocal folds; (motion picture) soundtrack -声张,shēng zhāng,to make public; to disclose -声息,shēng xī,"sound (often with negative, not a sound); whisper" -声情并茂,shēng qíng bìng mào,(of a singer etc) excellent in voice and expression (idiom) -声押,shēng yā,to apply to a court for an arrest warrant -声援,shēng yuán,to support (a cause) -声效,shēng xiào,sound effect -声旁,shēng páng,phonetic component of Chinese character -声旁字,shēng páng zì,character serving as sound value of another character; phonetic -声旁错误,shēng páng cuò wù,phonological error -声明,shēng míng,"to state; to declare; statement; declaration; CL:項|项[xiang4],份[fen4]" -声明书,shēng míng shū,statement -声望,shēng wàng,popularity; prestige -声东击西,shēng dōng jī xī,to threaten the east and strike to the west (idiom); to create a diversion -声乐,shēng yuè,vocal music -声母,shēng mǔ,the initial consonant of a Chinese syllable; the phonetic component of a phono-semantic compound character (e.g. the component 青[qing1] in 清[qing1]) -声气,shēng qì,voice; tone; information -声波,shēng bō,sound wave -声波定位,shēng bō dìng wèi,sonic location system (esp. underwater sonar); acoustic positioning -声浪,shēng làng,clamor -声泪俱下,shēng lèi jù xià,to shed tears while recounting sth; speaking in a tearful voice -声称,shēng chēng,to claim; to state; to proclaim; to assert -声符,shēng fú,phonetic component of a Chinese character (e.g. the component 青[qing] in 清[qing1]) -声纳,shēng nà,sonar (loanword) -声索国,shēng suǒ guó,claimant country (in a territorial dispute) -声线,shēng xiàn,voice (as sth that may be described as husky 沙啞|沙哑[sha1 ya3] or deep 低沉[di1 chen2] etc); (physics) sound ray -声闻,shēng wén,(Buddhism) disciple -声色场所,shēng sè chǎng suǒ,red-light district -声言,shēng yán,to state; to declare; pronouncement; declaration -声讨,shēng tǎo,to denounce; to condemn -声训,shēng xùn,explaining a character or word by using a homophone -声说,shēng shuō,to narrate -声调,shēng diào,tone; note; a tone (on a Chinese syllable); CL:個|个[ge4] -声调语言,shēng diào yǔ yán,tonal language (e.g. Chinese or Vietnamese) -声调轮廓,shēng diào lún kuò,tone contour -声请,shēng qǐng,to make a formal request; formal request; to make a claim (law) -声誉,shēng yù,reputation; fame -声道,shēng dào,sound track; audio channel -声部,shēng bù,"part (in multipart instrumental or choral music), such as the soprano part or bass part" -声门,shēng mén,glottis -声音,shēng yīn,voice; sound; CL:個|个[ge4] -声韵学,shēng yùn xué,phonetics -声响,shēng xiǎng,sound; noise -声频,shēng pín,audio frequency -声类,shēng lèi,"Shenglei, the earliest Chinese rime dictionary with 11,520 single-character entries, released in 3rd century (was not preserved to this day)" -声类系统,shēng lèi xì tǒng,phonetic system -耸,sǒng,to excite; to raise up; to shrug; high; lofty; towering -耸人听闻,sǒng rén tīng wén,to sensationalize (idiom); deliberate exaggeration to scare people -耸动,sǒng dòng,to shake (a part of one's body); to shrug (shoulders); to create a sensation; to incite -耸立,sǒng lì,to stand tall; to tower aloft -耸肩,sǒng jiān,to shrug one's shoulders -聩,kuì,born deaf; deaf; obtuse -聂,niè,surname Nie -聂,niè,to whisper -聂姆曹娃,niè mǔ cáo wá,"Božena Němcová (1820-1862), Czech writer" -聂拉木,niè lā mù,"Nyalam county, Tibetan: Gnya' lam rdzong, in Shigatse prefecture, Tibet" -聂拉木县,niè lā mù xiàn,"Nyalam county, Tibetan: Gnya' lam rdzong, in Shigatse prefecture, Tibet" -聂荣,niè róng,"Nyainrong county, Tibetan: Gnyan rong rdzong, in Nagchu prefecture 那曲地區|那曲地区[Na4 qu3 di4 qu1], central Tibet" -聂荣县,niè róng xiàn,"Nyainrong county, Tibetan: Gnyan rong rdzong, in Nagchu prefecture 那曲地區|那曲地区[Na4 qu3 di4 qu1], central Tibet" -聂耳,niè ěr,"Nie Er (1912-1935), musician and composer of the PRC national anthem March of the Volunteer Army 義勇軍進行曲|义勇军进行曲" -聂卫平,niè wèi píng,"Nie Weiping (1952-), professional Go player" -职,zhí,office; duty -职位,zhí wèi,position; post; job -职分,zhí fèn,duty -职务,zhí wù,post; position; job; duties -职员,zhí yuán,"office worker; staff member; CL:個|个[ge4],位[wei4]" -职场,zhí chǎng,workplace; workforce (of a nation or industry etc); job market -职守,zhí shǒu,duty; responsibility; post -职工,zhí gōng,employee; staff member; worker -职志,zhí zhì,aspiration -职掌,zhí zhǎng,to be in charge of; assignment -职业,zhí yè,occupation; profession; vocation; professional -职业中学,zhí yè zhōng xué,vocational high school -职业倦怠症,zhí yè juàn dài zhèng,professional boredom syndrome -职业化,zhí yè huà,professionalization -职业教育,zhí yè jiào yù,vocational training -职业病,zhí yè bìng,occupational disease -职业素质,zhí yè sù zhì,professionalism -职业运动员,zhí yè yùn dòng yuán,professional (athlete); pro -职业高中,zhí yè gāo zhōng,vocational high school (abbr. to 職高|职高[zhi2 gao1]) -职业高尔夫球协会,zhí yè gāo ěr fū qiú xié huì,Professional Golfer's Association (PGA) -职权,zhí quán,authority; power over others -职涯,zhí yá,career -职称,zhí chēng,one's professional position; title; job title -职级,zhí jí,(job) position; level; grade; rank -职缺,zhí quē,(job) opening -职能,zhí néng,function; role -职责,zhí zé,duty; responsibility; obligation -职军,zhí jūn,(Tw) professional soldier -职衔,zhí xián,title (position within an organization) -职高,zhí gāo,vocational high school (abbr. for 職業高中|职业高中[zhi2 ye4 gao1 zhong1]) -聍,níng,used in 耵聹|耵聍[ding1ning2] -听,tīng,"to listen to; to hear; to heed; to obey; a can (loanword from English ""tin""); classifier for canned beverages; to let be; to allow (Taiwan pr. [ting4]); (literary) to administer; to deal with (Taiwan pr. [ting4])" -听上去,tīng shàng qu,"to sound (difficult, worthwhile etc); to seem" -听不到,tīng bu dào,can't hear -听不懂,tīng bu dǒng,unable to make sense of what one is hearing -听不见,tīng bu jiàn,not be able to hear -听不进去,tīng bù jìn qu,not to listen; to be deaf to -听之任之,tīng zhī rèn zhī,to take a laissez-faire attitude -听事,tīng shì,to hold audience; to advise on state affairs; to administer state affairs; audience hall; to listen in -听任,tīng rèn,to let (sth happen); to allow (sb to do sth); to submit to; to yield -听来,tīng lái,"to sound (old, foreign, exciting, right etc); to ring (true); to sound as if (i.e. to give the listener an impression); to hear from somewhere" -听信,tīng xìn,to listen to information; to get the news; to believe what one hears -听信谣言,tīng xìn yáo yán,to take heed of idle chatter (idiom) -听候,tīng hòu,"to wait for (orders, a decision, a judgment)" -听其自便,tīng qí zì biàn,to allow sb to do sth at his convenience -听其自然,tīng qí zì rán,to let things take their course; to take things as they come -听其言而观其行,tīng qí yán ér guān qí xíng,"hear what he says and observe what he does (idiom, from Analects); judge a person not by his words, but by his actions" -听其言观其行,tīng qí yán guān qí xíng,"hear what he says and observe what he does (idiom, from Analects); judge a person not by his words, but by his actions" -听到,tīng dào,to hear -听力,tīng lì,hearing; listening ability -听力理解,tīng lì lǐ jiě,listening comprehension -听友,tīng yǒu,listener (of a radio program etc) -听取,tīng qǔ,to hear (news); to listen to -听命,tīng mìng,to obey an order; to take orders; to accept a state of affairs -听天安命,tīng tiān ān mìng,to accept one's situation as dictated by heaven (idiom) -听天由命,tīng tiān yóu mìng,(idiom) to submit to the will of heaven; to resign oneself to fate; to trust to luck -听审,tīng shěn,to attend court; to take part in a trial -听审会,tīng shěn huì,hearing (law) -听写,tīng xiě,(of a pupil) to write down (in a dictation exercise); dictation; (music) to transcribe by ear -听小骨,tīng xiǎo gǔ,"ossicles (of the middle ear); three ossicles, acting as levers to amplify sound, namely: stapes or stirrup bone 鐙骨|镫骨, incus or anvil bone 砧骨, malleus or hammer bone 錘骨|锤骨" -听岔,tīng chà,to mishear; to hear wrongly -听得懂,tīng de dǒng,to understand (by hearing); to catch (what sb says) -听得见,tīng dé jiàn,audible -听从,tīng cóng,to listen and obey; to comply with; to heed; to hearken -听凭,tīng píng,to allow (sb to do as he pleases) -听懂,tīng dǒng,to understand (on hearing); to catch (what is spoken) -听戏,tīng xì,to attend an opera; to see an opera -听房,tīng fáng,to eavesdrop outside bridal bedchamber (folk custom) -听断,tīng duàn,to judge (i.e. to hear and pass judgment in a law court); to hear and decide -听书,tīng shū,to listen to a performance of pinghua storytelling 評話|评话[ping2hua4]; to listen to an audiobook -听会,tīng huì,to attend a meeting (and hear what is discussed) -听清,tīng qīng,to hear clearly -听墙根,tīng qiáng gēn,to eavesdrop; to listen in secret to sb's conversations -听墙根儿,tīng qiáng gēn er,erhua variant of 聽牆根|听墙根[ting1 qiang2 gen1] -听墙面,tīng qiáng miàn,surface of wall -听牌,tīng pái,(mahjong) to be one tile away from completing a hand; (sports) to be on the verge of winning -听众,tīng zhòng,audience; listeners -听窗,tīng chuāng,to eavesdrop outside bridal bedchamber (folk custom) -听筒,tīng tǒng,telephone receiver; headphone; earphone; earpiece; stethoscope -听者,tīng zhě,listener; member of audience -听而不闻,tīng ér bù wén,to hear but not react (idiom); to turn a deaf ear; to ignore deliberately -听闻,tīng wén,to listen; to hear what sb says; news one has heard -听腻了,tīng nì le,fed up of hearing -听见,tīng jiàn,to hear -听见风就是雨,tīng jiàn fēng jiù shì yǔ,"lit. on hearing wind, to say rain; to agree uncritically with whatever people say; to parrot other people's words; to chime in with others" -听觉,tīng jué,sense of hearing; auditory -听讼,tīng sòng,to hear litigation (in a law court); to hear a case -听诊器,tīng zhěn qì,stethoscope -听话,tīng huà,to do what one is told; obedient -听说,tīng shuō,to hear (sth said); one hears (that); hearsay; listening and speaking -听说读写,tīng shuō dú xiě,"listening, speaking, reading and writing (language skills)" -听课,tīng kè,to attend a class; to go to a lecture -听讲,tīng jiǎng,to attend a lecture; to listen to a talk -听证会,tīng zhèng huì,(legislative) hearing -听起来,tīng qi lai,to sound like -听错,tīng cuò,to mishear -听阈,tīng yù,audibility threshold -听随,tīng suí,to obey; to allow -听头,tīng tóu,"a can (loanword from English ""tin"")" -听风就是雨,tīng fēng jiù shì yǔ,lit. to believe in the rain on hearing the wind (idiom); to believe rumors; to be credulous -听骨,tīng gǔ,ossicles (in the middle ear); also written 聽小骨|听小骨 -听骨链,tīng gǔ liàn,chain of ossicles (in the middle ear) -聋,lóng,deaf -聋人,lóng rén,deaf person; hearing-impaired person -聋哑,lóng yǎ,deaf and nonverbal -聋哑人,lóng yǎ rén,person who is deaf and nonverbal -聋子,lóng zi,deaf person -聋聩,lóng kuì,deaf; fig. stupid and ignorant -聋胞,lóng bāo,hearing impaired person (Tw) -聿,yù,(arch. introductory particle); then; and then -肄,yì,to learn; to practice or study (old) -肄业,yì yè,to attend (a school); to drop out (of college etc) -肄业生,yì yè shēng,dropout student -肄业证书,yì yè zhèng shū,certificate of partial completion; certificate of attendance (for a student who did not graduate) -肃,sù,surname Su -肃,sù,respectful; solemn; to eliminate; to clean up -肃北县,sù běi xiàn,"Subei Mongol autonomous county in Jiuquan 酒泉, Gansu" -肃北蒙古族自治县,sù běi měng gǔ zú zì zhì xiàn,"Subei Mongol autonomous county in Jiuquan 酒泉, Gansu" -肃南裕固族自治县,sù nán yù gù zú zì zhì xiàn,Sunan Yuguzu autonomous county in Gansu -肃反,sù fǎn,to eliminate counterrevolutionaries (abbr. for 肅清反革命分子|肃清反革命分子[su4 qing1 fan3 ge2 ming4 fen4 zi3]) -肃反运动,sù fǎn yùn dòng,purge of counterrevolutionaries (esp. Mao's purge of hidden counterrevolutionaries 1955-56 and Stalin's Great Purge 1936-38) -肃宁,sù níng,"Suning county in Cangzhou 滄州|沧州[Cang1 zhou1], Hebei" -肃宁县,sù níng xiàn,"Suning county in Cangzhou 滄州|沧州[Cang1 zhou1], Hebei" -肃州,sù zhōu,"Suzhou district of Jiuquan City 酒泉市, Gansu" -肃州区,sù zhōu qū,"Suzhou district of Jiuquan City 酒泉市, Gansu" -肃慎,sù shèn,ancient ethnic group of northeast frontier of China -肃敬,sù jìng,respectful; deferential -肃杀,sù shā,austere; stern; harsh; somber and desolate (autumn or winter) -肃清,sù qīng,to purge -肃然,sù rán,respectful; solemn; awed -肃然起敬,sù rán qǐ jìng,to feel deep veneration for sb (idiom) -肃穆,sù mù,solemn and respectful; serene -肃立,sù lì,"to stand respectfully; (of trees, mountains) standing tall and majestic" -肃静,sù jìng,solemnly silent -肆,sì,four (banker's anti-fraud numeral); unrestrained; wanton; (literary) shop -肆意,sì yì,wantonly; recklessly; willfully -肆意妄为,sì yì wàng wéi,see 恣意妄為|恣意妄为[zi4 yi4 wang4 wei2] -肆无忌惮,sì wú jì dàn,absolutely unrestrained; unbridled; without the slightest scruple -肆虐,sì nüè,to wreak havoc; to devastate -肆行,sì xíng,to act recklessly -肇,zhào,at first; devise; originate -肇事,zhào shì,to cause an accident; to be responsible for an incident; to provoke a disturbance -肇事者,zhào shì zhě,offender; culprit -肇事逃逸,zhào shì táo yì,hit-and-run -肇俊哲,zhào jùn zhé,"Zhao Junzhe (1979-), Chinese football player" -肇因,zhào yīn,cause; origin -肇始,zhào shǐ,to initiate; to start; the start -肇州,zhào zhōu,"Zhaozhou county in Daqing 大慶|大庆[Da4 qing4], Heilongjiang" -肇州县,zhào zhōu xiàn,"Zhaozhou county in Daqing 大慶|大庆[Da4 qing4], Heilongjiang" -肇庆,zhào qìng,Zhaoqing prefecture-level city in Guangdong Province 廣東省|广东省[Guang3 dong1 Sheng3] in south China -肇庆大学,zhào qìng dà xué,Zhaoqing University (Guangdong) -肇庆市,zhào qìng shì,Zhaoqing prefecture-level city in Guangdong Province 廣東省|广东省[Guang3 dong1 Sheng3] in south China -肇东,zhào dōng,"Zhaodong, county-level city in Suihua 綏化|绥化, Heilongjiang" -肇东市,zhào dōng shì,"Zhaodong, county-level city in Suihua 綏化|绥化, Heilongjiang" -肇源,zhào yuán,"Zhaoyuan county in Daqing 大慶|大庆[Da4 qing4], Heilongjiang" -肇源县,zhào yuán xiàn,"Zhaoyuan county in Daqing 大慶|大庆[Da4 qing4], Heilongjiang" -肇祸,zhào huò,to cause an accident -肇端,zhào duān,the starting point -肇,zhào,the start; the origin -肇建,zhào jiàn,to build (for the first time); to create (a building) -肉,ròu,meat; flesh; pulp (of a fruit); (coll.) (of a fruit) squashy; (of a person) flabby; irresolute; Kangxi radical 130 -肉丁,ròu dīng,diced meat -肉中刺,ròu zhōng cì,a thorn in one's flesh -肉丸,ròu wán,meatball -肉乎乎,ròu hū hū,plump; fleshy -肉偿,ròu cháng,(fig.) to use sex to pay off (a debt) -肉冠,ròu guān,comb (fleshy crest on a bird's head) -肉冻,ròu dòng,aspic; meat jelly -肉刑,ròu xíng,corporal punishment (such as castration or amputation) -肉包子打狗,ròu bāo zi dǎ gǒu,lit. to fling a meat bun at a dog (idiom); fig. to flush (one's money or efforts) down the toilet; to kiss sth goodbye -肉呼呼,ròu hū hū,variant of 肉乎乎[rou4 hu1 hu1] -肉商,ròu shāng,meat merchant; butcher -肉嘟嘟,ròu dū dū,chubby -肉圆,ròu yuán,"ba-wan, dumpling made of glutinous dough, typically stuffed with minced pork, bamboo shoots etc, and served with a savory sauce (Taiwanese snack) (from Taiwanese 肉圓, Tai-lo pr. [bah-uân])" -肉垂麦鸡,ròu chuí mài jī,(bird species of China) red-wattled lapwing (Vanellus indicus) -肉垫,ròu diàn,pad (on animal paw) -肉夹馍,ròu jiā mó,"lit. meat wedged in steamed bun; ""Chinese burger""; sliced meat sandwich popular in north China" -肉孜节,ròu zī jié,see 開齋節|开斋节[Kai1zhai1jie2] -肉弹,ròu dàn,suicide attacker; suicide bomber; voluptuous woman; muscular man -肉感,ròu gǎn,sexiness; sexy; sensuality; sensual; voluptuous -肉欲,ròu yù,carnal desire -肉搏,ròu bó,to fight hand-to-hand -肉搏战,ròu bó zhàn,hand-to-hand combat -肉搜,ròu sōu,(Tw) abbr. for 人肉搜索|人肉搜索[ren2 rou4 sou1 suo3] -肉末,ròu mò,ground meat -肉桂,ròu guì,Chinese cinnamon (Cinnamomum cassia) -肉条,ròu tiáo,cutlet -肉棒,ròu bàng,meat stick; penis -肉毒中毒,ròu dú zhòng dú,botulism -肉毒杆菌,ròu dú gǎn jūn,Clostridium botulinum -肉毒杆菌毒素,ròu dú gǎn jūn dú sù,botulinum toxin -肉毒梭状芽孢杆菌,ròu dú suō zhuàng yá bāo gǎn jūn,Clostridium difficile (bacterium causing gut infection) -肉毒素,ròu dú sù,botulinum toxin (abbr. for 肉毒桿菌毒素|肉毒杆菌毒素[rou4 du2 gan3 jun1 du2 su4]) -肉汁,ròu zhī,meat stock -肉沫,ròu mò,minced pork -肉汤,ròu tāng,meat soup; broth -肉汤面,ròu tāng miàn,noodles in meat soup -肉燥,ròu zào,"(Tw) minced pork stewed with soy sauce and spices (served with rice or noodles, or as a filling in buns etc); Taiwan pr. [rou4 sao4]" -肉烂在锅里,ròu làn zài guō lǐ,"lit. the meat falls apart as it stews, but it all stays in the pot (idiom); fig. some of us may lose or gain, but in any case the benefits don't go to outsiders" -肉片,ròu piàn,meat slice -肉瘤,ròu liú,wart; sarcoma; superfluous; useless -肉皮,ròu pí,pork skin -肉盾,ròu dùn,human shield; (gaming) tank; meat shield -肉眼,ròu yǎn,naked eye; layman's eyes -肉眼凡胎,ròu yǎn fán tāi,ignoramus (idiom) -肉眼观察,ròu yǎn guān chá,observation by naked eye -肉票,ròu piào,hostage -肉糜,ròu mí,minced meat -肉丝,ròu sī,shredded meat; shredded pork -肉羹,ròu gēng,stew; bouillon -肉脯,ròu fǔ,dried meat -肉蒲团,ròu pú tuán,"The Carnal Prayer Mat, Chinese erotic novel from 17th century, usually attributed to Li Yu 李漁|李渔[Li3 Yu3]" -肉袒,ròu tǎn,to make a humble apology (formal writing) -肉豆蔻,ròu dòu kòu,nutmeg (Myristica fragrans Houtt); mace; Myristicaceae (family of plants producing aromatic or hallucinogenic oils) -肉豆蔻料,ròu dòu kòu liào,"Myristicaceae (family of plants producing aromatic or hallucinogenic oils, including nutmeg)" -肉贩,ròu fàn,butcher -肉质,ròu zhì,quality of meat; succulent (botany) -肉质根,ròu zhì gēn,succulent root (botany) -肉足鹱,ròu zú hù,(bird species of China) flesh-footed shearwater (Puffinus carneipes) -肉身,ròu shēn,corporeal body -肉酱,ròu jiàng,minced meat sauce; (fig.) mincemeat; a person cut to pieces -肉铺,ròu pù,butcher's shop -肉鸡,ròu jī,chicken raised for meat; broiler; (computing) zombie; infected computer in a botnet -肉类,ròu lèi,meat -肉食,ròu shí,carnivorous -肉食动物,ròu shí dòng wù,carnivore -肉饼,ròu bǐng,meat patty -肉馅,ròu xiàn,ground meat; mincemeat -肉骨茶,ròu gǔ chá,"bak-kut-teh or pork ribs soup, popular in Malaysia and Singapore" -肉体,ròu tǐ,physical body -肉松,ròu sōng,meat floss; shredded dried pork -肉碱,ròu jiǎn,carnitine (biochemistry) -肉麻,ròu má,sickening; corny; sappy; maudlin; fulsome (of praise) -肋,lèi,rib; Taiwan pr. [le4] -肋眼,lèi yǎn,rib eye (steak) (loanword) -肋间肌,lèi jiàn jī,intercostal muscle (between ribs) -肋骨,lèi gǔ,rib -肌,jī,(bound form) flesh; muscle -肌动蛋白,jī dòng dàn bái,actin -肌原纤维,jī yuán xiān wéi,myofibril -肌球蛋白,jī qiú dàn bái,myosin (biochemistry) -肌理,jī lǐ,"texture (of skin, surface etc)" -肌纤维,jī xiān wéi,muscle fiber -肌纤蛋白,jī xiān dàn bái,myocilin; muscle fibrin -肌肉,jī ròu,muscle; flesh -肌肉注射,jī ròu zhù shè,intramuscular injection -肌肉男,jī ròu nán,muscular man; muscleman -肌肉发达,jī ròu fā dá,muscular -肌肉组织,jī ròu zǔ zhī,muscle tissue -肌肉萎缩症,jī ròu wěi suō zhèng,muscular dystrophy -肌肉松弛剂,jī ròu sōng chí jì,muscle relaxant (medicine) -肌胃,jī wèi,gizzard -肌腱,jī jiàn,tendon (anatomy); sinew; hamstrings -肌肤,jī fū,skin; flesh; fig. close physical relationship -肌苷酸二钠,jī gān suān èr nà,disodium inosinate (E631) -肌电图,jī diàn tú,electromyogram (EMG) -肌体,jī tǐ,the body; organism (usually human); (fig.) fabric (of society etc); cohesive structure (of an entity) -肯,kěn,old variant of 肯[ken3] -胳,gē,variant of 胳[ge1] -肓,huāng,region between heart and diaphragm -肖,xiāo,surname Xiao; Taiwan pr. [Xiao4] -肖,xiào,similar; resembling; to resemble; to be like -肖伯纳,xiāo bó nà,"Bernard Shaw (1856-1950), Irish-born British playwright" -肖似,xiào sì,to resemble; to look like -肖像,xiào xiàng,"portrait (painting, photo etc); (in a general sense) representation of a person; likeness" -肖恩,xiāo ēn,"Sean, Shaun or Shawn (name)" -肖想,xiào xiǎng,"(Tw) to dream of having (sth one cannot possibly have); to covet (sth beyond one's grasp) (from Taiwanese 數想, Tai-lo pr. [siàu-siūnn])" -肖扬,xiāo yáng,"Xiao Yang (1938-), president of the PRC Supreme Court 1998-2008" -肖蛸,xiāo shāo,variant of 蠨蛸|蟏蛸[xiao1 shao1] -肖邦,xiāo bāng,"Frédéric Chopin (1810-1849), Polish pianist and composer" -肘,zhǒu,elbow; pork shoulder -肘子,zhǒu zi,pork shoulder; (coll.) elbow -肘腋,zhǒu yè,lit. armpit; elbow and armpit; fig. right up close (to a disaster); in one's backyard; on one's doorstep -肙,yuān,a small worm; to twist; to surround; empty -肚,dǔ,tripe -肚,dù,belly -肚儿,dǔ er,erhua variant of 肚[du3] -肚兜,dù dōu,undergarment covering the chest and abdomen -肚子,dù zi,belly; abdomen; stomach; CL:個|个[ge4] -肚子痛,dù zi tòng,stomachache; bellyache -肚孤,dù gū,"(Tw) to doze off (from Taiwanese 盹龜, Tai-lo pr. [tuh-ku])" -肚痛,dù tòng,stomachache -肚皮,dù pí,belly -肚皮舞,dù pí wǔ,belly dance -肚腩,dù nǎn,belly -肚腹,dù fù,belly (old) -肚脐,dù qí,navel -肚脐眼,dù qí yǎn,navel; belly button -肛,gāng,anus; rectum -肛交,gāng jiāo,anal intercourse -肛塞,gāng sāi,butt plug -肛欲期,gāng yù qī,anal stage (psychology) -肛毛,gāng máo,hair around the anus -肛裂,gāng liè,anal fissure -肛门,gāng mén,anus -肛门直肠,gāng mén zhí cháng,rectum (anatomy) -肜,róng,surname Rong -肝,gān,"liver; CL:葉|叶[ye4],個|个[ge4]; (slang) to put in long hours, typically late into the night, playing (a video game); (of a video game) involving a lot of repetition in order to progress; grindy" -肝吸虫,gān xī chóng,liver fluke -肝火,gān huǒ,irascibility; irritability; (TCM) inflammation of the liver -肝炎,gān yán,hepatitis -肝病,gān bìng,liver disease -肝癌,gān ái,liver cancer -肝硬化,gān yìng huà,cirrhosis -肝糖,gān táng,glycogen -肝脑涂地,gān nǎo tú dì,to offer one's life in sacrifice -肝肠寸断,gān cháng cùn duàn,lit. liver and guts cut to pieces (idiom); fig. grief-stricken -肝胆相照,gān dǎn xiāng zhào,to treat one another with absolute sincerity (idiom); to show total devotion -肝脏,gān zàng,liver -肝醣,gān táng,(Tw) glycogen -肟,wò,oxime; oximide; -oxil (chemistry) -股,gǔ,"thigh; part of a whole; portion of a sum; (stock) share; strand of a thread; low-level administrative unit, translated as ""section"" or ""department"" etc, ranked below 科[ke1]; classifier for long winding things like ropes, rivers etc; classifier for smoke, smells etc: thread, puff, whiff; classifier for bands of people, gangs etc; classifier for sudden forceful actions" -股二头肌,gǔ èr tóu jī,biceps femoris (anatomy) -股交,gǔ jiāo,intercrural sex -股份,gǔ fèn,a share (in a company); stock -股份公司,gǔ fèn gōng sī,joint-stock company -股份制公司,gǔ fèn zhì gōng sī,joint-stock company -股份有限公司,gǔ fèn yǒu xiàn gōng sī,joint-stock limited company; corporation -股价,gǔ jià,stock price; share price -股利,gǔ lì,dividend -股动脉,gǔ dòng mài,femoral artery -股四头肌,gǔ sì tóu jī,quadriceps muscle group; thigh muscles -股市,gǔ shì,stock market -股息,gǔ xī,dividend -股栗,gǔ lì,(literary) to tremble with fear -股栗肤粟,gǔ lì fū sù,with shuddering thighs and skin like gooseflesh (idiom) -股指,gǔ zhǐ,stock market index; share price index; abbr. for 股票指數|股票指数[gu3 piao4 zhi3 shu4] -股掌,gǔ zhǎng,(have sb in) the palm of one's hand; fig. (under) one's complete control -股本,gǔ běn,capital stock; investment -股本回报率,gǔ běn huí bào lǜ,return on equity (ROE) -股本金比率,gǔ běn jīn bǐ lǜ,equity ratio -股东,gǔ dōng,shareholder; stockholder -股东名册,gǔ dōng míng cè,register of shareholders -股东大会,gǔ dōng dà huì,general shareholders' meeting -股东特别大会,gǔ dōng tè bié dà huì,special shareholders' meeting -股权,gǔ quán,equity shares; stock right -股民,gǔ mín,stock investor; share trader -股沟,gǔ gōu,buttock cleavage; butt crack -股灾,gǔ zāi,market crash -股癣,gǔ xuǎn,"tinea cruris, fungal skin infection of the groin; dermatomycosis, esp. sexually transmitted; jock itch" -股票,gǔ piào,share certificate; stock (finance) -股票交易所,gǔ piào jiāo yì suǒ,stock exchange -股票代号,gǔ piào dài hào,ticker symbol (to identify share coupon) -股票市场,gǔ piào shì chǎng,stock market; stock exchange -股票投资,gǔ piào tóu zī,to invest in stock; to buy shares -股票指数,gǔ piào zhǐ shù,stock market index; share price index -股肱,gǔ gōng,trusted aide -股长,gǔ zhǎng,"person in charge of a 股[gu3] (section or department); head; chief; director; (in a class in a school) student responsible for a specific duty, e.g. 風紀股長|风纪股长[feng1 ji4 gu3 zhang3] discipline monitor" -股集资,gǔ jí zī,share issue -股骨,gǔ gǔ,femur -肢,zhī,limb -肢解,zhī jiě,to dismember; (fig.) to break into parts -肢体,zhī tǐ,limb; limbs and trunk; body -肢体冲突,zhī tǐ chōng tū,physical encounter; fight -肥,féi,fat; fertile; loose-fitting or large; to fertilize; to become rich by illegal means; fertilizer; manure -肥力,féi lì,fertility (of soil) -肥厚,féi hòu,plump; fleshy; fertile -肥城,féi chéng,"Feicheng, county-level city in Tai'an 泰安[Tai4 an1], Shandong" -肥城市,féi chéng shì,"Feicheng, county-level city in Tai'an 泰安[Tai4 an1], Shandong" -肥墩墩,féi dūn dūn,exceedingly obese -肥壮,féi zhuàng,stout and strong -肥大,féi dà,(of clothes) baggy; loose; (of a person) fat; stout; (medicine) hypertrophy -肥实,féi shí,plump (of fruit); fat (of meat); fertile (of land) -肥差,féi chāi,lucrative job; cushy job -肥效,féi xiào,effectiveness of fertilizer -肥料,féi liào,fertilizer; manure -肥东,féi dōng,"Feidong, a county in Hefei 合肥[He2fei2], Anhui" -肥东县,féi dōng xiàn,"Feidong, a county in Hefei 合肥[He2fei2], Anhui" -肥水不流外人田,féi shuǐ bù liú wài rén tián,lit. don't let one's own fertile water flow into others' field; fig. keep the goodies within the family (proverb) -肥沃,féi wò,fertile -肥滋滋,féi zī zī,fat; plump -肥甘,féi gān,fine foods -肥田,féi tián,fertile land; to fertilize the soil -肥田粉,féi tián fěn,ammonium sulfate fertilizer -肥皂,féi zào,"soap; CL:塊|块[kuai4],條|条[tiao2]" -肥皂剧,féi zào jù,soap opera (loanword) -肥皂水,féi zào shuǐ,soapy water -肥皂沫,féi zào mò,soapy lather; foam -肥皂泡,féi zào pào,soap bubble -肥硕,féi shuò,"fleshy (fruit); plump; large and firm-fleshed (limbs, body); stout" -肥缺,féi quē,lucrative post -肥羊,féi yáng,(fig.) attractive and easy mark; source of steady profit; moneymaker; cash cow -肥美,féi měi,fertile; luxuriant; plump; rounded -肥肉,féi ròu,fat (e.g. pork fat); fatty meat; (fig.) a gold mine; cash cow -肥肝,féi gān,foie gras -肥胖,féi pàng,fat; obese -肥胖症,féi pàng zhèng,obesity -肥肠,féi cháng,pig-gut (large intestine used as foodstuff) -肥腻,féi nì,(of foods) fatty; greasy -肥西,féi xī,"Feixi, a county in Hefei 合肥[He2fei2], Anhui" -肥西县,féi xī xiàn,"Feixi, a county in Hefei 合肥[He2fei2], Anhui" -肥乡,féi xiāng,"Feixiang county in Handan 邯鄲|邯郸[Han2 dan1], Hebei" -肥乡县,féi xiāng xiàn,"Feixiang county in Handan 邯鄲|邯郸[Han2 dan1], Hebei" -肥头大耳,féi tóu dà ěr,fat; plump; chubby -肥马轻裘,féi mǎ qīng qiú,lit. stout horses and light furs; fig. to live in luxury -肥鲜,féi xiān,fresh and tender (of food); delicious -胚,pēi,variant of 胚[pei1] -肩,jiān,shoulder; to shoulder (responsibilities etc) -肩并肩,jiān bìng jiān,shoulder to shoulder; abreast; side by side -肩周炎,jiān zhōu yán,adhesive capsulitis (frozen shoulder) -肩射导弹,jiān shè dǎo dàn,shoulder-fired missile -肩带,jiān dài,shoulder strap; shoulder harness; shoulder belt; baldric; CL:條|条[tiao2] -肩扛,jiān káng,to carry on the shoulder -肩章,jiān zhāng,epaulet; shoulder loop; shoulder mark -肩胛,jiān jiǎ,shoulder; scapular region; scapula -肩胛骨,jiān jiǎ gǔ,scapula; shoulder blade -肩膀,jiān bǎng,shoulder -肩膊,jiān bó,shoulder -肩负,jiān fù,to shoulder (a burden); to bear; to suffer (a disadvantage) -肩起,jiān qǐ,to bear; to shoulder (responsibilities etc) -肩部,jiān bù,shoulder; shoulder area -肩头,jiān tóu,on one's shoulders; (dialect) shoulder -肪,fáng,animal fat -肫,zhūn,gizzard -肭,nà,used in 膃肭|腽肭[wa4 na4] -肯,kěn,to agree; to consent; to be willing to -肯亚,kěn yà,Kenya (Tw) (written as 肯尼亞|肯尼亚 in PRC) -肯塔基,kěn tǎ jī,"Kentucky, US state" -肯塔基州,kěn tǎ jī zhōu,"Kentucky, US state" -肯定,kěn dìng,to be certain; to be positive; assuredly; definitely; to give recognition; to affirm; affirmative (answer) -肯定并例句,kěn dìng bìng lì jù,active conjoined sentence -肯定句,kěn dìng jù,affirmative sentence -肯尼亚,kěn ní yà,Kenya -肯尼迪,kěn ní dí,"Kennedy (name); J.F. Kennedy (1917-1963), US Democrat politician, president 1961-1963" -肯尼迪航天中心,kěn ní dí háng tiān zhōng xīn,"Kennedy space center, Cape Canaveral 卡納維拉爾角|卡纳维拉尔角[Ka3 na4 wei2 la1 er3 jiao3], Florida" -肯尼迪角,kěn ní dí jiǎo,"Cape Kennedy, name 1963-1973 of Cape Canaveral 卡納維拉爾角|卡纳维拉尔角[Ka3 na4 wei2 la1 er3 jiao3], Florida" -肯德基,kěn dé jī,KFC; Kentucky Fried Chicken -肯德基炸鸡,kěn dé jī zhá jī,Kentucky Fried Chicken (KFC) -肯德拉,kěn dé lā,Kendra (name) -肯普索恩,kěn pǔ suǒ ēn,(Dirk) Kempthorne (US Senator from Idaho) -肯沃伦,kěn wò lún,"Ken Warren (1927-1991), American adventurer and river runner" -肯特,kěn tè,Kent (English county) -肰,rán,dog meat; old variant of 然[ran2] -肱,gōng,upper arm; arm -肱三头肌,gōng sān tóu jī,triceps brachii (back of the upper arm) -肱二头肌,gōng èr tóu jī,bicipital muscle; biceps -肱骨,gōng gǔ,humerus -育,yù,to have children; to raise or bring up; to educate -育人,yù rén,to educate people (esp. morally) -育儿,yù ér,to raise a child -育儿嫂,yù ér sǎo,nanny (for infants and toddlers) -育儿袋,yù ér dài,marsupial pouch -育婴,yù yīng,to look after a baby -育婴假,yù yīng jià,parental leave (Tw) -育婴师,yù yīng shī,nanny (for infants and toddlers) -育幼袋,yù yòu dài,pouch of a female marsupial -育幼院,yù yòu yuàn,orphanage -育有,yù yǒu,to be the parent of (a child) -育乐,yù lè,"(Tw) (abbr. for 教育與娛樂|教育与娱乐[jiao4 yu4 yu3 yu2 le4]) education and entertainment, the 5th and 6th aspects of life beyond the four basic necessities of food, clothing, shelter and transportation 食衣住行[shi2 yi1 zhu4 xing2]; (sometimes used to signify edutainment or just recreation)" -育水,yù shuǐ,name of river; old name of Baihe 白河 in Henan -育种,yù zhǒng,to breed; breeding -育空,yù kōng,Yukon (Canadian territory adjacent to Alaska) -育龄,yù líng,childbearing age -育龄期,yù líng qī,childbearing age -肴,yáo,meat dishes; mixed viands -肺,fèi,lung; CL:個|个[ge4] -肺刺激性毒剂,fèi cì jī xìng dú jì,lung irritant -肺动脉,fèi dòng mài,pulmonary artery -肺心病,fèi xīn bìng,pulmonary heart disease (medicine) -肺栓塞,fèi shuān sè,pulmonary embolism (medicine) -肺气肿,fèi qì zhǒng,emphysema -肺水肿,fèi shuǐ zhǒng,pulmonary edema -肺泡,fèi pào,pulmonary alveolus -肺活量,fèi huó liàng,(medicine) vital capacity -肺炎,fèi yán,pneumonia; inflammation of the lungs -肺炎克雷伯氏菌,fèi yán kè léi bó shì jūn,Klebsiella pnenmoniae -肺炎双球菌,fèi yán shuāng qiú jūn,Diplococcus pneumoniae -肺炎霉浆菌,fèi yán méi jiāng jūn,Mycoplasma pneumoniae -肺病,fèi bìng,lung disease -肺痨,fèi láo,tuberculosis -肺癌,fèi ái,lung cancer -肺结核,fèi jié hé,tuberculosis; TB -肺结核病,fèi jié hé bìng,"tuberculosis, TB" -肺腑,fèi fǔ,bottom of the heart (fig.) -肺腑之言,fèi fǔ zhī yán,words from the bottom of one's heart -肺通气,fèi tōng qì,pulmonary ventilation (medicine) -肼,jǐng,hydrazine -肽,tài,peptide (two or more amino acids linked by peptide bonds CO-NH) -肽单位,tài dān wèi,peptide unit (on protein chain) -肽基,tài jī,peptide group; peptide unit -肽聚糖,tài jù táng,peptidoglycan (PG) or murein (polymer of sugars and amino acids forming cell wall) -肽键,tài jiàn,peptide bond CO-NH; bond in protein between carboxyl radical and amino radical -肽链,tài liàn,peptide chain (chain of amino acids making up protein) -胂,shèn,arsine -胂凡纳明,shèn fán nà míng,arsphenamine -胃,wèi,stomach; CL:個|个[ge4] -胃下垂,wèi xià chuí,gastroptosis -胃口,wèi kǒu,appetite; liking -胃寒,wèi hán,stomach cold (TCM) -胃小凹,wèi xiǎo āo,(physiology) gastric pits -胃液,wèi yè,gastric fluid -胃灼热,wèi zhuó rè,heartburn; pyrosis -胃炎,wèi yán,gastritis -胃疼,wèi téng,stomachache -胃病,wèi bìng,stomach trouble; stomach illness -胃痛,wèi tòng,stomachache -胃癌,wèi ái,stomach cancer -胃绕道,wèi rào dào,gastric bypass -胃肠道,wèi cháng dào,gastrointestinal tract -胃蛋白酶,wèi dàn bái méi,pepsin -胃酸,wèi suān,gastric acid -胃镜,wèi jìng,gastroscope (medicine) -胄,zhòu,helmet; descendants -胄子,zhòu zǐ,eldest son -胄甲,zhòu jiǎ,helmet and armor -胄裔,zhòu yì,distant progeny -胄裔繁衍,zhòu yì fán yǎn,Descendants are great in numbers. (idiom) -背,bēi,to be burdened; to carry on the back or shoulder -背,bèi,the back of a body or object; to turn one's back; to hide something from; to learn by heart; to recite from memory; unlucky (slang); hard of hearing -背井离乡,bèi jǐng lí xiāng,"to leave one's native place, esp. against one's will (idiom)" -背信,bèi xìn,to break faith -背信弃义,bèi xìn qì yì,breaking faith and abandoning right (idiom); to betray; treachery; perfidy -背倚,bèi yǐ,to have one's back against; to lean against; to be backed up by (a mountain etc) -背侧,bèi cè,back; back side -背光,bèi guāng,to be in a poor light; to do sth with one's back to the light; to stand in one's own light -背刺,bèi cì,to backstab -背包,bēi bāo,knapsack; rucksack; infantry pack; field pack; blanket roll; CL:個|个[ge4] -背包客,bēi bāo kè,backpacker -背包袱,bēi bāo fú,to have a weight on one's mind; to take on a mental burden -背包游,bèi bāo yóu,backpacking -背叛,bèi pàn,to betray -背叛者,bèi pàn zhě,traitor -背囊,bèi náng,backpack; knapsack; rucksack -背地,bèi dì,secretly; in private; behind someone's back -背地里,bèi dì li,behind sb's back -背地风,bèi dì fēng,behind sb's back; privately; on the sly -背城借一,bèi chéng jiè yī,to make a last-ditch stand before the city wall (idiom); to fight to the last ditch; to put up a desperate struggle -背夹电池,bèi jiā diàn chí,battery case (for a phone) -背字,bèi zì,bad luck -背对,bèi duì,to have one's back towards -背对背,bèi duì bèi,back to back -背山,bèi shān,with back to the mountain (favored location) -背山临水,bèi shān lín shuǐ,with back to the mountain and facing the water (favored location) -背带,bēi dài,braces; suspenders; sling (for a rifle); straps (for a knapsack) -背带裤,bēi dài kù,overalls; dungarees -背影,bèi yǐng,rear view; figure seen from behind; view of the back (of a person or object) -背影儿,bèi yǐng er,erhua variant of 背影[bei4 ying3] -背影杀手,bèi yǐng shā shǒu,(slang) (usu. of a woman) sb who looks stunning from behind; sb who has a great figure but not necessarily an attractive face; abbr. to 背殺|背杀[bei4 sha1] -背后,bèi hòu,behind; at the back; in the rear; behind sb's back -背德,bèi dé,immoral; unethical -背心,bèi xīn,"sleeveless garment (vest, waistcoat, singlet, tank top etc); CL:件[jian4]" -背斜,bèi xié,anticline (geology) -背时,bèi shí,outdated; out of luck -背景,bèi jǐng,background; backdrop; context; (fig.) powerful backer; CL:種|种[zhong3] -背景虚化,bèi jǐng xū huà,background blurring (photography) -背景调查,bèi jǐng diào chá,background check -背景音乐,bèi jǐng yīn yuè,background music (BGM); soundtrack; musical setting -背书,bèi shū,"to recite (a text) from memory; to learn a text by heart; to back; to endorse (a political candidate, product, check etc); backing; endorsement" -背板,bèi bǎn,panel; back panel -背弃,bèi qì,to abandon; to desert; to renounce -背榜,bēi bǎng,to score last in an examination -背杀,bèi shā,(slang) (usu. of a woman) sb who looks stunning from behind; sb who has a great figure but not necessarily an attractive face; abbr. for 背影殺手|背影杀手[bei4 ying3 sha1 shou3] -背气,bèi qì,to stop breathing (as a medical condition); (fig.) to pass out (in anger); to have a stroke -背水一战,bèi shuǐ yī zhàn,lit. fight with one's back to the river (idiom); fig. to fight to win or die -背称,bèi chēng,term used to refer to a person who is not present (e.g. 小姨子[xiao3 yi2 zi5]) (contrasted with 面稱|面称[mian4 cheng1]) -背篓,bēi lǒu,a basket carried on the back -背约,bèi yuē,to break an agreement; to go back on one's word; to fail to keep one's promise -背脊,bèi jǐ,the back of the human body -背着,bēi zhe,carrying on one's back -背着,bèi zhe,turning one's back to (sth or sb); keeping sth secret from (sb); keeping (one's hands) behind one's back -背着手,bèi zhe shǒu,with one's hands clasped behind one's back -背着抱着一般重,bēi zhe bào zhe yī bān zhòng,"lit. whether one carries it on one's back or in one's arms, it's equally heavy (idiom); fig. one can't avoid the burden" -背诵,bèi sòng,to recite; to repeat from memory -背调,bèi diào,background check (abbr. for 背景調查|背景调查[bei4 jing3 diao4 cha2]); to conduct a background check -背谬,bèi miù,variant of 悖謬|悖谬[bei4 miu4] -背负,bēi fù,to bear; to carry on one's back; to shoulder -背转,bèi zhuǎn,to turn away; to turn one's back to; (gymnastics etc) backspin -背逆,bèi nì,to violate; to go against -背运,bèi yùn,bad luck; unlucky -背道而驰,bèi dào ér chí,to run in the opposite direction (idiom); to run counter to -背部,bèi bù,"back (of a human or other vertebrate, or of an object)" -背锅,bēi guō,(slang) (neologism derived from 背黑鍋|背黑锅[bei1 hei1 guo1]) to carry the can; to be a scapegoat -背阔肌,bèi kuò jī,latissimus dorsi muscle (back of the chest) -背阴,bèi yīn,in the shade; shady -背离,bèi lí,to depart from; to deviate from; deviation -背靠背,bèi kào bèi,back to back -背面,bèi miàn,the back; the reverse side; the wrong side -背头,bēi tóu,swept-back hairstyle -背骨,bèi gǔ,spine -背鳍,bèi qí,dorsal fin -背黑锅,bēi hēi guō,to be made a scapegoat; to be unjustly blamed -胍,guā,guanidine -胎,tāi,fetus; classifier for litters (of puppies etc); padding (in clothing or bedding); womb carrying a fetus; (fig.) origin; source; (loanword) tire -胎便,tāi biàn,meconium -胎儿,tāi ér,unborn child; fetus; embryo -胎动,tāi dòng,fetal movement -胎压,tāi yā,tire pressure -胎座,tāi zuò,(botany) placenta -胎教,tāi jiào,prenatal education; antenatal training; prenatal influences -胎死腹中,tāi sǐ fù zhōng,fetus dies in the belly; (fig.) plans or projects failed before being carried out -胎生,tāi shēng,viviparity; zoogony -胎盘,tāi pán,placenta -胎粪,tāi fèn,meconium -胎记,tāi jì,birthmark -胎面,tāi miàn,surface of tire; tread (of tire) -胎体,tāi tǐ,"(in ceramics, lacquerware etc) the base (made of clay, metal, bamboo etc) onto which a glaze, lacquer or other decorative elements are applied" -胎龄,tāi líng,gestational age -胖,pán,healthy; at ease -胖,pàng,fat; plump -胖乎乎,pàng hū hū,chubby -胖人,pàng rén,overweight person; fatty -胖嘟嘟,pàng dū dū,plump; pudgy; chubby -胖墩儿,pàng dūn er,"(coll.) short, fat person (esp. a kid); a roly-poly" -胖墩墩,pàng dūn dūn,short and stout; heavy-set -胖大海,pàng dà hǎi,malva nut; seed of Sterculia lychnophora -胖子,pàng zi,fat person; fatty -胖次,pàng cì,(Internet slang) panties (loanword) -胖头鱼,pàng tóu yú,see 鱅魚|鳙鱼[yong1 yu2] -胗,zhēn,gizzard -胙,zuò,to grant or bestow; sacrificial flesh offered to the gods (old); blessing; title of a sovereign (old) -胚,pēi,embryo -胚乳,pēi rǔ,endosperm (botany) -胚囊,pēi náng,(botany) embryo sac -胚囊泡,pēi náng pào,(biology) blastodermic vesicle -胚层,pēi céng,germ layer; layer of tissue in embryology -胚泡,pēi pào,(biology) blastocyst -胚珠,pēi zhū,ovule -胚胎,pēi tāi,embryo -胚胎学,pēi tāi xué,embryology -胚胎发生,pēi tāi fā shēng,embryogenesis -胚芽,pēi yá,bud; sprout; germ -胚芽米,pēi yá mǐ,"semipolished rice (i.e. rice minus the husk, but including the germ)" -胚芽鞘,pēi yá qiào,"coleoptile, protective sheath covering an emerging shoot (botany)" -胛,jiǎ,shoulder blade -胝,zhī,used in 胼胝[pian2 zhi1] -胞,bāo,placenta; womb; born of the same parents -胞嘧啶,bāo mì dìng,"cytosine nucleotide (C, pairs with guanine G 鳥嘌呤|鸟嘌呤 in DNA and RNA)" -胞子,bāo zǐ,variant of 孢子[bao1 zi3] -胞宫,bāo gōng,uterus; womb -胞波,bāo bō,"brethren on the other side of the border (used in the context of China-Myanmar friendship) (loanword from Burmese ""paukphaw"", meaning ""close kin"")" -胞浆,bāo jiāng,cytoplasm -胞藻,bāo zǎo,algae -胞衣,bāo yī,afterbirth -胠,qū,flank of animal; side; to pry open; to steal -胠箧,qū qiè,to steal; to pilfer -胡,hú,surname Hu -胡,hú,"non-Han people, esp. from central Asia; reckless; outrageous; what?; why?; to complete a winning hand at mahjong (also written 和[hu2])" -胡乱,hú luàn,careless; reckless; casually; absent-mindedly; at will; at random; any old how -胡人,hú rén,ethnic groups in the north and west of China in ancient times; foreigner; barbarian -胡佛,hú fó,"Hoover (name); Herbert Hoover (1874-1964) US mining engineer and Republican politician, president (1929-1933)" -胡作非为,hú zuò fēi wéi,to run amok (idiom); to commit outrages -胡佳,hú jiā,"Hu Jia (1973-), PRC dissident human rights activist" -胡来,hú lái,to act arbitrarily regardless of the rules; to mess with sth; to make a hash of things; to cause trouble -胡兀鹫,hú wù jiù,(bird species of China) bearded vulture (Gypaetus barbatus) -胡克,hú kè,"Hook or Hooke (name); Robert Hooke (1635-1703), brilliant English experimental scientist and inventor" -胡叼盘,hú diāo pán,"derogatory nickname given to Hu Xijin 胡錫進|胡锡进[Hu2 Xi1 jin4] for doing the CCP's bidding as editor of the ""Global Times""" -胡吃海喝,hú chī hǎi hē,to eat and drink gluttonously; to pig out -胡吃海塞,hú chī hǎi sāi,to stuff oneself with food -胡同,hú tòng,lane; alley; CL:條|条[tiao2] -胡同儿,hú tòng er,erhua variant of 胡同|胡同|[hu2 tong4] -胡吹,hú chuī,to boast wildly -胡吹乱捧,hú chuī luàn pěng,indiscriminate admiration (idiom) -胡吣,hú qìn,to talk provokingly or nonsensically -胡图族,hú tú zú,"Hutu, an ethnic group in Rwanda and Burundi" -胡涂,hú tu,variant of 糊塗|糊涂[hu2 tu5] -胡涂虫,hú tu chóng,blunderer; bungler; also written 糊塗蟲|糊涂虫 -胡塞尔,hú sài ěr,"Edmund Husserl (1859-1938), German philosopher" -胡天,hú tiān,Zoroastrianism -胡天胡帝,hú tiān hú dì,with all the majesty of an emperor (idiom); reckless; intemperate -胡夫,hú fū,"Khufu (pharaoh, reigned possibly 2590-2568 BC)" -胡姬花,hú jī huā,"Vanda miss joaquim (hybrid orchid), national flower of Singapore" -胡安,hú ān,Juan (Spanish given name) -胡弄,hú nong,to fool; to deceive; to go through the motions -胡志强,hú zhì qiáng,"Jason Hu (1948-), former Taiwan foreign minister" -胡志明,hú zhì míng,"Ho Chi Minh (1890-1969), former Vietnamese leader; see also 胡志明市[Hu2 Zhi4 ming2 Shi4]" -胡志明市,hú zhì míng shì,"Ho Chi Minh City a.k.a. Saigon, Vietnam" -胡思乱想,hú sī luàn xiǎng,to indulge in flights of fancy (idiom); to let one's imagination run wild -胡想,hú xiǎng,see 胡思亂想|胡思乱想[hu2 si1 luan4 xiang3] -胡慧中,hú huì zhōng,"Sibelle Hu (1958-), Taiwanese actress" -胡扯,hú chě,to chatter; nonsense; blather -胡扯八溜,hú chě bā liū,to talk nonsense -胡扯淡,hú chě dàn,nonsense; irresponsible patter -胡抡,hú lūn,to act rashly -胡搞,hú gǎo,to mess around; to mess with something; to have an affair -胡搅,hú jiǎo,to disturb; to pester -胡搅蛮缠,hú jiǎo mán chán,(idiom) to pester endlessly -胡桃,hú táo,walnut -胡桃夹子,hú táo jiā zi,The Nutcracker (ballet) -胡椒,hú jiāo,pepper -胡椒喷雾,hú jiāo pēn wù,pepper spray; OC spray -胡椒子,hú jiāo zǐ,peppercorn; seeds of pepper -胡椒属,hú jiāo shǔ,pepper genus (Piper spp.) -胡椒粉,hú jiāo fěn,ground pepper (i.e. powder) -胡椒粒,hú jiāo lì,peppercorn; seeds of pepper -胡椒薄荷,hú jiāo bò he,peppermint -胡乐,hú yuè,Hu music; central Asian music (e.g. as appreciated by Tang literati) -胡温新政,hú wēn xīn zhèng,"Hu-Wen New Administration (formed in 2003), ostensibly reform-oriented leadership of Hu Jintao 胡錦濤|胡锦涛[Hu2 Jin3 tao1] and Wen Jiabao 溫家寶|温家宝[Wen1 Jia1 bao3]" -胡燕妮,hú yān nī,"Jenny Hu (1945-), Hong Kong actress" -胡牌,hú pái,to win in mahjong (by completing a hand) (Tw) -胡狼,hú láng,jackal -胡琴,hú qin,"huqin; family of Chinese two-stringed fiddles, with snakeskin covered wooden soundbox and bamboo bow with horsehair bowstring" -胡琴儿,hú qín er,erhua variant of 胡琴[hu2 qin2] -胡瓜,hú guā,cucumber -胡瓜鱼,hú guā yú,smelt (family Osmeridae) -胡笙,hú shēng,pipe wind instrument introduced from the non-Han peoples in the North and West -胡紫微,hú zǐ wēi,"Hu Ziwei (1970-), PRC lady TV presenter" -胡紫薇,hú zǐ wēi,"Hu Ziwei (1970-), PRC lady TV presenter" -胡编,hú biān,"to make things up; to concoct (a story, an excuse etc)" -胡编乱造,hú biān luàn zào,to concoct a cock-and-bull story (idiom); to make things up -胡缠,hú chán,to pester; to involve sb unreasonably -胡耀邦,hú yào bāng,"Hu Yaobang (1915-1989), Chinese politician" -胡臭,hú chòu,variant of 狐臭[hu2 chou4] -胡芫,hú yuán,coriander -胡花,hú huā,to spend recklessly; to squander money -胡荽,hú suī,coriander -胡芦巴,hú lú bā,fenugreek -胡萝卜,hú luó bo,carrot -胡萝卜素,hú luó bo sù,carotene -胡蜂,hú fēng,wasp; hornet -胡蝶,hú dié,variant of 蝴蝶[hu2 die2] -胡言乱语,hú yán luàn yǔ,babbling nonsense (idiom); crazy and unfounded ravings; double Dutch -胡话,hú huà,nonsense; ridiculous talk; hogwash -胡说,hú shuō,to talk nonsense; drivel -胡说八道,hú shuō bā dào,to talk rubbish -胡诌,hú zhōu,to invent crazy nonsense; to cook up (excuses); to talk at random; wild babble -胡诌乱傍,hú zhōu luàn bàng,to talk random nonsense (idiom); to say whatever comes into one's head -胡诌乱扯,hú zhōu luàn chě,to talk nonsense (idiom); saying whatever comes into his head -胡诌乱说,hú zhōu luàn shuō,(idiom) to talk random nonsense; to say whatever comes into one's head -胡诌乱道,hú zhōu luàn dào,to talk nonsense (idiom); saying whatever comes into his head -胡诌八扯,hú zhōu bā chě,to talk random nonsense (idiom); to say whatever comes into one's head -胡豆,hú dòu,broad bean (Vicia faba); fava bean -胡越,hú yuè,"the peoples north, west and south of China" -胡越,hú yuè,large distance; disaster; calamity -胡适,hú shì,"Hu Shi (1891-1962), original proponent of writing in colloquial Chinese 白話文|白话文[bai2 hua4 wen2]" -胡鄂公,hú è gōng,"Hu Egong (1884-1951), Chinese revolutionary and politician" -胡铨,hú quán,"Hu Quan (1102-1180), Song Dynasty official and poet" -胡锦涛,hú jǐn tāo,"Hu Jintao (1942-), General Secretary of the CCP 2002-2012, president of the PRC 2003-2013" -胡锡进,hú xī jìn,"Hu Xijin (1960-), editor-in-chief of the ""Global Times"" 環球時報|环球时报[Huan2 qiu2 Shi2 bao4] 2005-2021" -胡雁,hú yàn,"Tatar goose, wild goose found in territories northwest of China in ancient times" -胡闹,hú nào,to act willfully and make a scene; to make trouble -胡麻,hú má,sesame; (botany) flax; linseed -胡麻籽,hú má zǐ,sesame seed -胤,yìn,descendant; heir; offspring; posterity; to inherit -胥,xū,surname Xu -胥,xū,all; assist; to store -胥吏,xū lì,low-level government official (in former times) -胩,kǎ,carbylamine; isocyanide -胬,nǔ,used in 胬肉[nu3 rou4] -胬肉,nǔ ròu,pterygium (medicine) -胭,yān,rouge -胭脂,yān zhī,rouge -胭脂虫,yān zhī chóng,cochineal insect -胭脂鱼,yān zhī yú,Chinese high-fin banded shark (Myxocyprinus asiaticus) -胯,kuà,crotch; groin; hip -胯下之辱,kuà xià zhī rǔ,lit. the humiliation of having to crawl between the legs of one's adversary (as Han Xin 韓信|韩信[Han2 Xin4] supposedly did rather than engage in a sword fight) (idiom); fig. utter humiliation -胯下物,kuà xià wù,(slang) male member; package -胯间,kuà jiān,crotch; groin -胯骨,kuà gǔ,hip bone -胰,yí,pancreas -胰子,yí zi,pancreas (of a domestic animal); (dialect) soap -胰岛,yí dǎo,see 郎格罕氏島|郎格罕氏岛[Lang2 ge2 han3 shi4 dao3] -胰岛素,yí dǎo sù,insulin -胰液,yí yè,pancreatic fluid -胰腺,yí xiàn,pancreas -胰腺炎,yí xiàn yán,pancreatitis -胰脏,yí zàng,pancreas -胰脏炎,yí zàng yán,pancreatitis -胱,guāng,used in 膀胱[pang2guang1] -胲,hǎi,hydroxylamine (chemistry) -胳,gē,armpit -胳肢,gé zhi,(dialect) to tickle -胳肢窝,gā zhi wō,armpit; also pr. [ge1 zhi5 wo1]; also written 夾肢窩|夹肢窝[ga1 zhi5 wo1] -胳膊,gē bo,"arm; CL:隻|只[zhi1],條|条[tiao2],雙|双[shuang1]" -胳膊拧不过大腿,gē bo nǐng bu guò dà tuǐ,(idiom) the weak cannot overcome the strong -胳膊肘,gē bo zhǒu,elbow -胳膊肘子,gē bo zhǒu zi,see 胳膊肘[ge1 bo5 zhou3] -胳膊肘往外拐,gē bo zhǒu wǎng wài guǎi,see 胳膊肘朝外拐[ge1 bo5 zhou3 chao2 wai4 guai3] -胳膊肘朝外拐,gē bo zhǒu cháo wài guǎi,lit. the elbow turns outward (idiom); fig. to side with outsiders rather than one's own people -胳臂,gē bei,"arm; CL:條|条[tiao2],隻|只[zhi1]; also pr. [ge1 bi4]" -胳臂箍儿,gē bei gū er,armband -胳臂肘儿,gē bei zhǒu er,elbow -胴,dòng,large intestine; torso -胴体,dòng tǐ,carcass; naked body -胸,xiōng,variant of 胸[xiong1] -胸,xiōng,chest; bosom; heart; mind; thorax -胸中,xiōng zhōng,one's mind -胸中无数,xiōng zhōng wú shù,see 心中無數|心中无数[xin1 zhong1 wu2 shu4] -胸乳,xiōng rǔ,(woman's) breast -胸前,xiōng qián,(on the) chest; bosom -胸口,xiōng kǒu,chest -胸噎,xiōng yē,thoracic choke (animal harness) -胸围,xiōng wéi,chest measurement; bust -胸大无脑,xiōng dà wú nǎo,(having) big boobs but no brain; bimbo -胸大肌,xiōng dà jī,pectoralis major muscle (across the top of the chest) -胸宽,xiōng kuān,width of chest -胸廓,xiōng kuò,thorax -胸廓切开术,xiōng kuò qiē kāi shù,thoracotomy (medicine) -胸闷,xiōng mēn,chest pain; chest distress -胸怀,xiōng huái,one's bosom (the seat of emotions); breast; broad-minded and open; to think about; to cherish -胸怀坦荡,xiōng huái tǎn dàng,open and candid (idiom); not hiding anything; ingenuous; openhearted; unselfish; magnanimous; broad-minded -胸推,xiōng tuī,massage using one's breasts -胸有丘壑,xiōng yǒu qiū hè,far-sighted; astute -胸有城府,xiōng yǒu chéng fǔ,subtle way of thinking (idiom); hard to fathom; deep and shrewd -胸有成略,xiōng yǒu chéng lüè,the hero has plans already laid (idiom); to have plans ready in advance; forewarned is forearmed -胸有成竹,xiōng yǒu chéng zhú,(idiom) to have a well thought out plan in mind -胸有成算,xiōng yǒu chéng suàn,the hero has plans already laid (idiom); to have plans ready in advance; forewarned is forearmed -胸椎,xiōng zhuī,thoracic vertebra; the twelve thoracic vertebras behind the ribcage of humans and most mammals -胸槽,xiōng cáo,cleavage (hollow between a woman's breasts) -胸无城府,xiōng wú chéng fǔ,open and candid (idiom); not hiding anything; ingenuous -胸无大志,xiōng wú dà zhì,to have no aspirations (idiom); unambitious -胸无宿物,xiōng wú sù wù,open and candid (idiom); not hiding anything; ingenuous -胸墙,xiōng qiáng,parapet; defensive wall; breastwork -胸甲,xiōng jiǎ,breastplate -胸章,xiōng zhāng,lapel badge; CL:枚[mei2] -胸罩,xiōng zhào,brassiere (underwear); bra -胸肉,xiōng ròu,"breast meat (brisket, chicken breast etc)" -胸肌,xiōng jī,pectoral muscles -胸胁,xiōng xié,chest and hypochondrium; upper part of the body -胸脯,xiōng pú,chest -胸腔,xiōng qiāng,thoracic cavity -胸腺,xiōng xiàn,thymus -胸腺嘧啶,xiōng xiàn mì dìng,"thymine nucleotide (T, pairs with adenine A 腺嘌呤 in DNA)" -胸膛,xiōng táng,chest -胸膜,xiōng mó,pleural cavity (part of thorax containing lungs) -胸膜炎,xiōng mó yán,pleurisy -胸臆,xiōng yì,inner feelings; what is deep in one's heart -胸花,xiōng huā,corsage; boutonnière -胸襟,xiōng jīn,lapel of jacket; heart; aspiration; vision -胸透,xiōng tòu,chest fluoroscopy -胸部,xiōng bù,chest; bosom -胸针,xiōng zhēn,brooch -胸靶,xiōng bǎ,chest silhouette (used as a target in shooting practice) -胸音,xiōng yīn,chest voice -胸骨,xiōng gǔ,sternum; breastbone -胸鳍,xiōng qí,pectoral fin -胺,àn,amine; Taiwan pr. [an1] -胺基酸,àn jī suān,amino acid; also written 氨基酸 -胼,pián,used in 胼胝[pian2 zhi1] -胼手胝足,pián shǒu zhī zú,lit. with calluses on hands and feet (idiom); fig. to work one's fingers to the bone -胼胝,pián zhī,callus -胼胝体,pián zhī tǐ,(anatomy) corpus callosum -能,néng,surname Neng -能,néng,can; to be able to; might possibly; ability; (physics) energy -能上能下,néng shàng néng xià,"ready to take any job, high or low" -能事,néng shì,particular abilities; one's forte -能人,néng rén,"capable person; Homo habilis, extinct species of upright East African hominid" -能伸能屈,néng shēn néng qū,"can bow and submit, or can stand tall (idiom, from Book of Changes); ready to give and take; flexible" -能力,néng lì,capability; ability; CL:個|个[ge4] -能动性,néng dòng xìng,initiative; active role -能否,néng fǒu,whether or not; can it or can't it; is it possible? -能够,néng gòu,to be capable of; to be able to; can -能写善算,néng xiě shàn suàn,to be literate and numerate (idiom) -能屈能伸,néng qū néng shēn,"can bow and submit, or can stand tall (idiom, from Book of Changes); ready to give and take; flexible" -能干,néng gàn,capable; competent -能弱能强,néng ruò néng qiáng,to be either weak or strong both have their purpose (idiom) -能彀,néng gòu,able to do sth; in a position to do sth; same as 能夠|能够 -能手,néng shǒu,expert -能效,néng xiào,energy efficiency -能歌善舞,néng gē shàn wǔ,can sing and dance (idiom); fig. a person of many talents -能源,néng yuán,energy; power source; CL:個|个[ge4] -能源危机,néng yuán wēi jī,energy crisis -能源短缺,néng yuán duǎn quē,energy shortage -能级,néng jí,energy level -能者多劳,néng zhě duō láo,"(idiom) it's the most capable people who do the most work (intended as consolation for the overworked, or flattery when making a request etc)" -能耐,néng nài,ability; capability -能耗,néng hào,energy consumption -能见度,néng jiàn dù,visibility -能言善辩,néng yán shàn biàn,glib of tongue (idiom); eloquent -能诗善文,néng shī shàn wén,"highly literate; lit. capable at poetry, proficient at prose" -能说会道,néng shuō huì dào,can talk really well (idiom); the gift of the gab -能量,néng liàng,energy; capabilities -能量代谢,néng liàng dài xiè,energy metabolism -能量守恒,néng liàng shǒu héng,conservation of energy (physics) -能量饮料,néng liàng yǐn liào,energy drink -能愿动词,néng yuàn dòng cí,"modal verb (e.g. 肯[ken3], 能[neng2], 會|会[hui4], 要[yao4], 該|该[gai1], 得[dei3], 願意|愿意[yuan4 yi4], 可以[ke3 yi3], 可能[ke3 neng2], 敢[gan3], 應該|应该[ying1 gai1])" -脂,zhī,fat; rouge (cosmetics); resin -脂环烃,zhī huán tīng,alicyclic hydrocarbon (i.e. involving ring other than benzene ring) -脂粉,zhī fěn,cosmetics -脂粉气,zhī fěn qì,feminine quality; effeminate -脂肪,zhī fáng,"fat (in the body, in a plant, or in food)" -脂肪团,zhī fáng tuán,cellulite -脂肪肝,zhī fáng gān,fatty liver -脂肪酸,zhī fáng suān,fatty acid -脂膏,zhī gāo,fat; grease; riches; fortune; fruits of one's labor -脂蛋白,zhī dàn bái,lipoprotein -脂质体,zhī zhì tǐ,liposome (bilayer lipid vesicle) -脂酸,zhī suān,see 脂肪酸[zhi1 fang2 suan1] -脂麻,zhī ma,variant of 芝麻[zhi1 ma5] -脆,cuì,old variant of 脆[cui4] -胁,xié,flank (the side of one's torso); to coerce; to threaten -胁从犯,xié cóng fàn,accomplice under duress; coerced accomplice; induced accomplice -胁持,xié chí,to hold under duress -胁迫,xié pò,to coerce; to compel; to force -脆,cuì,brittle; fragile; crisp; crunchy; clear and loud voice; neat -脆弱,cuì ruò,weak; frail -脆爽,cuì shuǎng,(of food) crispy and tasty; (of a voice or sound) sharp and clear -脆片,cuì piàn,chip -脆谷乐,cuì gǔ lè,Cheerios (breakfast cereal) -脆脆,cuì cuì,crispy -胁,xié,variant of 脅|胁[xie2] -脉,mài,"arteries and veins; vein (on a leaf, insect wing etc)" -脉,mò,see 脈脈|脉脉[mo4 mo4] -脉动,mài dòng,pulse; throbbing; pulsation -脉口,mài kǒu,location on wrist over the radial artery where pulse is taken in TCM -脉压,mài yā,blood pressure -脉息,mài xī,pulse -脉搏,mài bó,pulse (both medical and figurative) -脉案,mài àn,"(TCM) diagnosis, usu. written on the prescription; medical record" -脉石,mài shí,(mining) gangue; veinstone -脉管,mài guǎn,vascular (made up of vessels) -脉管组织,mài guǎn zǔ zhī,vascular tissue -脉络,mài luò,"arteries and veins; network of blood vessels; vascular system (of a plant or animal); (fig.) fabric (i.e. underlying structure, as in ""social fabric""); overall context" -脉络膜,mài luò mó,choroid (vascular layer of the eyeball between the retina and the sclera) -脉脉,mò mò,affectionate; loving -脉冲,mài chōng,pulse (physics) -脉冲星,mài chōng xīng,pulsar (astronomy) -脉冲波,mài chōng bō,see 脈衝|脉冲[mai4 chong1] -脉诊,mài zhěn,(TCM) diagnosis based on the patient's pulse; to make such a diagnosis -脉象,mài xiàng,condition or type of pulse (in Chinese medicine) -脉轮,mài lún,chakra -脉门,mài mén,"inner side of the wrist, where the pulse is felt" -脊,jǐ,(bound form) spine; backbone; (bound form) ridge -脊令,jí líng,variant of 鶺鴒|鹡鸰[ji2 ling2] -脊柱,jǐ zhù,spinal column; columna vertebralis -脊柱侧凸,jǐ zhù cè tū,scoliosis -脊柱侧弯,jǐ zhù cè wān,scoliosis -脊柱裂,jǐ zhù liè,spina bifida -脊梁,jǐ liáng,backbone; spine; Taiwan pr. [ji3 liang5] -脊梁,jǐ liang,(coll.) back (of a human or other vertebrate) -脊梁骨,jǐ liang gǔ,backbone -脊椎,jǐ zhuī,vertebra; backbone -脊椎侧弯,jǐ zhuī cè wān,scoliosis -脊椎动物,jǐ zhuī dòng wù,vertebrate -脊椎动物门,jǐ zhuī dòng wù mén,"Vertebrata, the phylum of vertebrates" -脊椎指压治疗师,jǐ zhuī zhǐ yā zhì liáo shī,chiropractor -脊椎指压治疗医生,jǐ zhuī zhǐ yā zhì liáo yī shēng,chiropractor -脊椎指压疗法,jǐ zhuī zhǐ yā liáo fǎ,chiropractic therapy -脊椎骨,jǐ zhuī gǔ,vertebra -脊灰,jǐ huī,polio (abbr. for 脊髓灰質炎|脊髓灰质炎[ji3sui3 hui1zhi4yan2]) -脊索,jǐ suǒ,notochord (anatomy) -脊索动物,jǐ suǒ dòng wù,chordata -脊索动物门,jǐ suǒ dòng wù mén,"Chordata, phylum containing vertebrates" -脊线,jǐ xiàn,ridge line -脊肋,jǐ lèi,ribcage -脊背,jǐ bèi,back (of a human or other vertebrate) -脊骨,jǐ gǔ,backbone -脊骨神经医学,jǐ gǔ shén jīng yī xué,chiropractic -脊髓,jǐ suǐ,spinal cord; medulla spinalis -脊髓灰质炎,jǐ suǐ huī zhì yán,poliomyelitis -脊髓炎,jǐ suǐ yán,myelitis; inflammation of spinal cord -脒,mǐ,amidine (chemistry) -脖,bó,neck -脖子,bó zi,neck; CL:個|个[ge4] -脖领,bó lǐng,shirt collar -脖颈儿,bó gěng er,back of the neck; nape -吻,wěn,variant of 吻[wen3] -脘,wǎn,internal cavity of stomach -胫,jìng,lower part of leg -胫骨,jìng gǔ,tibia -脞,cuǒ,chopped meat; trifles -脢,méi,meat on the back of an animal -唇,chún,variant of 唇[chun2] -修,xiū,variant of 修[xiu1] -脩,xiū,dried meat presented by pupils to their teacher at their first meeting (in ancient times); dried; withered -脱,tuō,to shed; to take off; to escape; to get away from -脱下,tuō xià,to take off (clothing) -脱不了身,tuō bù liǎo shēn,busy and unable to get away -脱亚入欧,tuō yà rù ōu,to abandon the old (Asian) ways and learn from Europe; refers to the ideas that led to the Meiji Restoration and Japan's subsequent colonization projects in Asia -脱俗,tuō sú,free from vulgarity; refined; outstanding -脱光,tuō guāng,to strip naked; to strip nude; (coll.) to find oneself a partner -脱出,tuō chū,to break away; to extricate; to escape; to leave the confines of -脱力,tuō lì,exhausted -脱北者,tuō běi zhě,North Korean refugee -脱卸,tuō xiè,to evade responsibility; to shirk -脱去,tuō qù,to throw off -脱口,tuō kǒu,to blurt out -脱口秀,tuō kǒu xiù,(loanword) talk show; stand-up comedy -脱口而出,tuō kǒu ér chū,(idiom) to blurt out; to let slip (an indiscreet remark) -脱咖啡因,tuō kā fēi yīn,decaffeinated; decaf; see also 無咖啡因|无咖啡因[wu2 ka1 fei1 yin1] -脱单,tuō dān,to find oneself a partner -脱垂,tuō chuí,prolapse -脱孝,tuō xiào,to get through the mourning period -脱岗,tuō gǎng,to take time off; to take leave (e.g. for study); to skive off work -脱序,tuō xù,disorder -脱手,tuō shǒu,(not of regular commerce) to sell or dispose of (goods etc); to get rid of; to unload -脱掉,tuō diào,to remove; to take off; to strip off; to discard; to shed; to come off; to fall off -脱换,tuō huàn,to molt -脱支,tuō zhī,de-Sinicization and rejection of Han culture -脱敏,tuō mǐn,to desensitize; to become desensitized; to anonymize (data); to remove sensitive content -脱星,tuō xīng,actress or actor known for having been photographed in the nude or for appearing in sexy scenes -脱期,tuō qī,to fail to come out on time; to miss a deadline -脱机,tuō jī,offline -脱档,tuō dàng,sold out; out of stock -脱欧,tuō ōu,to withdraw from the European Union; abbr. for 脫離歐盟|脱离欧盟 -脱壳,tuō ké,to break out of an eggshell; to molt; to remove the husk; to shell -脱毛,tuō máo,to lose hair or feathers; to molt; depilation; to shave -脱毛剂,tuō máo jì,depilatory medicine -脱氧,tuō yǎng,deoxidation -脱氧核糖,tuō yǎng hé táng,deoxyribose -脱氧核糖核酸,tuō yǎng hé táng hé suān,DNA -脱氧核苷酸,tuō yǎng hé gān suān,deoxyribonucleoside monophosphate; dNMP -脱氧麻黄碱,tuō yǎng má huáng jiǎn,methamphetamine -脱氢,tuō qīng,dehydrogenation -脱氢酶,tuō qīng méi,dehydrogenase (enzyme) -脱水,tuō shuǐ,to dry out; to extract water; dehydration; dehydrated; desiccation -脱水机,tuō shuǐ jī,a device for extracting water (such as a centrifuge) -脱泥,tuō ní,to remove mud; desliming (in coal production) -脱浅,tuō qiǎn,to refloat (a boat that has run aground) -脱溶,tuō róng,to precipitate (solid from a solution) -脱滑,tuō huá,to shirk; to try to get off work; to slide on the job -脱漏,tuō lòu,omission; to leave out; missing -脱涩,tuō sè,to remove astringent taste -脱洒,tuō sǎ,elegant; free and easy -脱然,tuō rán,unconcerned; without worries -脱班,tuō bān,behind schedule; late -脱产,tuō chǎn,to transfer (from production to other duties); to take leave (for study or other job); to dispose of property; to transfer assets (to avoid liability) -脱略,tuō lüè,unrestrained; throwing off strictures; unrespectful; indulgence -脱肛,tuō gāng,variant of 脫肛|脱肛[tuo1 gang1] -脱皮,tuō pí,to molt; to peel; fig. seriously hurt -脱皮掉肉,tuō pí diào ròu,"lit. to shed skin, drop flesh; to work as hard as possible; to work one's butt off" -脱盲,tuō máng,to acquire literacy; to throw off blindness -脱稿,tuō gǎo,(of a manuscript) to be completed; to do without prepared notes (when giving a speech) -脱颖而出,tuō yǐng ér chū,to reveal one's talent (idiom); to rise above others; to distinguish oneself -脱空,tuō kōng,"to fail; to come to nothing; to fall through (of plans, hopes); to lie" -脱空汉,tuō kōng hàn,liar -脱窗,tuō chuāng,"cross-eyed (Tw) (from Taiwanese 挩窗, Tai-lo pr. [thuah-thang])" -脱节,tuō jié,to come apart -脱粒,tuō lì,to thresh -脱粒机,tuō lì jī,threshing machine -脱粟,tuō sù,grain kernel (after threshing and winnowing) -脱线,tuō xiàn,derailment; to jump the track (of train); to derail -脱羽,tuō yǔ,to shed feathers; to molt (of birds) -脱肛,tuō gāng,rectal prolapse -脱胎,tuō tāi,"to be born; (fig.) to develop out of sth else (of ideas, stories, political systems etc); (fig.) to shed one's body (to be reborn); bodiless (e.g. lacquerware)" -脱胎成仙,tuō tāi chéng xiān,reborn as immortal -脱胎换骨,tuō tāi huàn gǔ,"to shed one's mortal body and exchange one's bones (idiom); born again Daoist; to turn over a new leaf; fig. to change wholly; to create from other material (story, artwork etc)" -脱胎漆器,tuō tāi qī qì,bodiless lacquerware -脱脂,tuō zhī,to remove fat; to skim (milk) -脱脂棉,tuō zhī mián,absorbent cotton -脱脱,tuō tuō,"Toktoghan (1314-1355), Mongol politician during the Yuan dynasty, prime minister until 1345, compiled three dynastic histories of Song 宋史, Liao 遼史|辽史 and Jin 金史; also written Tuoketuo 托克托" -脱肠,tuō cháng,(rectal) hernia -脱臼,tuō jiù,dislocation (of a joint) -脱色,tuō sè,to lose color; to turn pale; to bleach; to fade -脱色剂,tuō sè jì,bleaching agent; decolorant -脱落,tuō luò,"to drop off; to fall off; (of hair, teeth etc) to fall out; to omit (a character when writing)" -脱衣服,tuō yī fú,undress -脱衣舞,tuō yī wǔ,striptease -脱裤子放屁,tuō kù zi fàng pì,lit. to take off trousers to fart; fig. to do something absolutely unnecessary; fig. to make things too complicated -脱误,tuō wù,omission; missing word -脱贫,tuō pín,to lift oneself out of poverty -脱贫致富,tuō pín zhì fù,to rise from poverty and become prosperous (idiom); poverty alleviation -脱货,tuō huò,out of stock; sold out -脱身,tuō shēn,to get away; to escape (from obligations); to free oneself; to disengage -脱轨,tuō guǐ,to leave the rails; to derail; to jump the track -脱逃,tuō táo,to run away; to escape -脱钩,tuō gōu,to cut ties; to disconnect; out of touch -脱销,tuō xiāo,to sell out; to run out (of supplies); deficient; lack of supplies -脱开,tuō kāi,to withdraw -脱除,tuō chú,to get rid of -脱险,tuō xiǎn,to get out of danger -脱离,tuō lí,to separate oneself from; to break away from; diastasis (medicine); abscission; abjunction (botany) -脱离危险,tuō lí wēi xiǎn,out of danger; to avoid danger -脱离苦海,tuō lí kǔ hǎi,to escape from the abyss of suffering; to shed off a wretched plight -脱靶,tuō bǎ,to miss; to shoot and miss the target; off the mark -脱鞋,tuō xié,to take off one's shoes -脱缰,tuō jiāng,to throw off the reins; runaway (horse); fig. out of control -脱缰之马,tuō jiāng zhī mǎ,lit. a horse that has thrown off the reins (idiom); runaway horse; out of control -脱缰野马,tuō jiāng yě mǎ,a wild horse that refuses to be bridled (a metaphor for sth that runs wild) -脱骨换胎,tuō gǔ huàn tāi,to shed one's mortal body and exchange one's bones (idiom); born again Daoist; to turn over a new leaf; fig. to change wholly -脱发,tuō fà,to lose one's hair; hair loss; alopecia -脱党,tuō dǎng,to leave a political party; to give up party membership -脬,pāo,bladder -脯,fǔ,dried meat; preserved fruit -脯,pú,chest; breast -脯子,pú zi,breast meat (of chicken etc) -脯氨酸,pú ān suān,"proline (Pro), an amino acid" -脲,niào,carbamide; urea (NH2)2CO; also written 尿素 -脲醛,niào quán,urea formaldehyde -脷,lì,(cattle) tongue (Cantonese) -胀,zhàng,to swell; dropsical; swollen; bloated -胀大,zhàng dà,swollen -胀起,zhàng qǐ,bulge -脾,pí,spleen -脾性,pí xìng,temperament; disposition -脾气,pí qi,character; temperament; disposition; bad temper; CL:股[gu3] -脾胃,pí wèi,spleen and stomach (digestive organs in TCM); preferences; one's taste (e.g. in literature) -脾脏,pí zàng,spleen -脾虚,pí xū,depletion of the spleen (Chinese medicine) -腆,tiǎn,make strong (as liquors); virtuous -腈,jīng,acrylic -腈纶,jīng lún,acrylic fiber -腊,xī,dried meat; also pr. [xi2] -腋,yè,armpit; (biology) axilla; (botany) axil; Taiwan pr. [yi4] -腋下,yè xià,underarm; armpit -腋毛,yè máo,armpit hair -腋生,yè shēng,axillary (botany); budding in the angle between branch and stem -腋窝,yè wō,armpit -腋臭,yè chòu,body odor; bromhidrosis; armpit odor; underarm stink; also called 狐臭[hu2 chou4] -腋芽,yè yá,axillary bud; bud growing from axil of plant -腌,yān,variant of 醃|腌[yan1] -腌臜,ā zā,dirty; filthy; awkward; disgusting; nauseating; Taiwan pr. [ang1 zang1] -腌制,yān zhì,"marinated; to make by pickling, salting or curing" -腌货,yān huò,pickles -腌咸,yān xián,to pickle with salt -肾,shèn,kidney -肾上腺,shèn shàng xiàn,adrenal glands -肾上腺皮质,shèn shàng xiàn pí zhì,adrenal cortex -肾上腺素,shèn shàng xiàn sù,adrenaline -肾上腺髓质,shèn shàng xiàn suǐ zhì,adrenal medulla -肾功能,shèn gōng néng,kidney function -肾小球,shèn xiǎo qiú,glomerulus (medicine) -肾炎,shèn yán,kidney inflammation; nephritis -肾盂,shèn yú,renal pelvis (medicine) -肾盂炎,shèn yú yán,pyelitis (medicine) -肾结石,shèn jié shí,kidney stone -肾脏,shèn zàng,kidney -腐,fǔ,decay; rotten -腐乳,fǔ rǔ,pickled tofu -腐刑,fǔ xíng,castration (a form of punishment during the Han period) -腐化,fǔ huà,to rot; to decay; to become corrupt -腐国,fǔ guó,UK (slang term reflecting a perception of UK as decadent for its attitudes toward homosexuality) -腐坏,fǔ huài,to rot; to spoil; (fig.) to become corrupted -腐女,fǔ nǚ,"fujoshi (woman who likes manga about male homosexual love) (derived from Japanese 腐女子 ""fujoshi"")" -腐败,fǔ bài,corruption; to corrupt; to rot; rotten -腐败罪,fǔ bài zuì,the crime of corruption -腐朽,fǔ xiǔ,rotten; decayed; decadent; degenerate -腐殖土,fǔ zhí tǔ,humus (topsoil of decayed vegetation) -腐殖覆盖物,fǔ zhí fù gài wù,mulch -腐殖酸,fǔ zhí suān,humic acid -腐烂,fǔ làn,to rot; to putrefy; (fig.) corrupt -腐生兰,fǔ shēng lán,Cymbidium macrorrhizum Lindl. -腐竹,fǔ zhú,roll of dried tofu strips -腐肉,fǔ ròu,rotting flesh; carrion -腐臭,fǔ chòu,rotten (smell); stinking; putrid -腐旧,fǔ jiù,outmoded; decadent; decaying -腐蚀,fǔ shí,corrosion; to corrode (degrade chemically); to rot; corruption -腐蚀剂,fǔ shí jì,a corrosive (chemical) -腐蚀性,fǔ shí xìng,(lit. and fig.) corrosive; corrosiveness -腑,fǔ,internal organs -腓,féi,calf of leg; decay; protect -腓利门书,féi lì mén shū,Epistle of St Paul to Philemon -腓力,féi lì,Philip -腓尼基,féi ní jī,"Phoenicia, ancient civilization along the coast of the Mediterranean Sea" -腓特烈斯塔,féi tè liè sī tǎ,"Fredrikstad (city in Østfold, Norway)" -腓立比,féi lì bǐ,Philip; Philippi -腓立比书,féi lì bǐ shū,Epistle of St Paul to the Philippians -腓肠,féi cháng,calf (of the leg) -腓肠肌,féi cháng jī,calf muscle; gastrocnemius muscle -腓骨,féi gǔ,fibula; calf bone -腔,qiāng,(bound form) cavity; tune; accent (in one's speech); (old) (classifier for carcasses of slaughtered livestock) -腔壁,qiāng bì,cavity wall -腔子,qiāng zi,thoracic cavity; intonation; accent -腔棘鱼,qiāng jí yú,coelacanth -腔肠动物,qiāng cháng dòng wù,Coelenterata (such as jellyfish) -腔调,qiāng diào,a tune; a melody; accent (distinctive way of pronouncing a language); tone (manner of expression); elegance; refinement -腔隙,qiāng xì,lacuna; gap -腕,wàn,"wrist; (squid, starfish etc) arm" -腕儿,wàn er,see 大腕[da4 wan4] -腕子,wàn zi,wrist -腕管综合症,wàn guǎn zōng hé zhèng,carpal tunnel syndrome -腕级,wàn jí,celebrated; famous; A-list -腕足动物,wàn zú dòng wù,brachiopod -腕表,wàn biǎo,wristwatch -腕隧道症候群,wàn suì dào zhèng hòu qún,carpal tunnel syndrome (pain in the hands due to pressure on the median nerve); median neuropathy at the wrist -腕龙,wàn lóng,brachiosaurus -胨,dòng,see 蛋白腖|蛋白胨[dan4 bai2 dong4] -腙,zōng,hydrazone (chemistry) -腚,dìng,buttocks; butt -腠,còu,the tissue between the skin and the flesh -脶,luó,fingerprint -腥,xīng,fishy (smell) -腥风血雨,xīng fēng xuè yǔ,lit. foul wind and bloody rain (idiom); fig. reign of terror; carnage -脑,nǎo,brain; mind; head; essence -脑下垂体,nǎo xià chuí tǐ,pituitary glands (at the base of the skull) -脑中风,nǎo zhòng fēng,cerebral stroke -脑充血,nǎo chōng xuè,stroke; cerebral hemorrhage -脑儿,nǎo er,brains (as food) -脑内啡,nǎo nèi fēi,endorphin -脑出血,nǎo chū xuè,cerebral hemorrhage -脑力,nǎo lì,mental capacity -脑力劳动,nǎo lì láo dòng,mental labor; intellectual work -脑力激荡,nǎo lì jī dàng,to brainstorm -脑勺,nǎo sháo,back of the head -脑卒中,nǎo cù zhòng,stroke; cerebral hemorrhage -脑回,nǎo huí,gyrus (neuroanatomy) -脑图,nǎo tú,mind map -脑垂体,nǎo chuí tǐ,pituitary gland -脑子,nǎo zi,brains; mind; CL:個|个[ge4] -脑子有泡,nǎo zi yǒu pào,soft in the head; brainless; dumb -脑子生锈,nǎo zi shēng xiù,lit. brains rusty; ossified thinking -脑子进水,nǎo zi jìn shuǐ,to have lost one's mind; crazy; soft in the head -脑室,nǎo shì,ventricles of the brain -脑岛,nǎo dǎo,insula -脑干,nǎo gàn,brain stem -脑后,nǎo hòu,the back of the head; (fig.) the back of one's mind -脑性痲痹,nǎo xìng má bì,variant of 腦性麻痺|脑性麻痹; cerebral palsy; spasticity -脑性麻痹,nǎo xìng má bì,cerebral palsy; spasticity -脑成像技术,nǎo chéng xiàng jì shù,brain imaging technique -脑损伤,nǎo sǔn shāng,brain damage -脑杓,nǎo sháo,the spoon shape slope on the nape -脑梗塞,nǎo gěng sè,cerebral infarction -脑梗死,nǎo gěng sǐ,cerebral infarction -脑桥,nǎo qiáo,(anatomy) pons -脑机接口,nǎo jī jiē kǒu,brain-computer interface -脑死亡,nǎo sǐ wáng,brain death -脑残,nǎo cán,moronic; brainless; bonehead; retard -脑残粉,nǎo cán fěn,(slang) fanboy; fangirl -脑壳,nǎo ké,(coll.) head; skull; (fig.) brains (mental capacity) -脑水肿,nǎo shuǐ zhǒng,cerebral edema -脑汁,nǎo zhī,brains -脑波,nǎo bō,brain wave; EEG -脑洞大开,nǎo dòng dà kāi,imaginative; to have one's mind buzzing with ideas -脑海,nǎo hǎi,the mind; the brain -脑液,nǎo yè,brain fluid -脑沟,nǎo gōu,sulcus (neuroanatomy) -脑溢血,nǎo yì xuè,cerebral hemorrhage; stroke -脑满肠肥,nǎo mǎn cháng féi,(idiom) overweight as a result of living a life of privilege -脑涨,nǎo zhàng,variant of 腦脹|脑胀[nao3 zhang4] -脑浆,nǎo jiāng,brains -脑炎,nǎo yán,encephalitis -脑瓜,nǎo guā,skull; brain; head; mind; mentality; ideas -脑瓜儿,nǎo guā er,erhua variant of 腦瓜|脑瓜[nao3 gua1] -脑瓜子,nǎo guā zi,see 腦瓜|脑瓜[nao3 gua1] -脑瓢儿,nǎo piáo er,top of the head; crown -脑病,nǎo bìng,brain disease; encephalopathy -脑瘤,nǎo liú,brain tumor -脑瘫,nǎo tān,cerebral palsy -脑神经,nǎo shén jīng,cranial nerves -脑筋,nǎo jīn,brains; mind; head; way of thinking -脑细胞,nǎo xì bāo,brain cell -脑脊液,nǎo jǐ yè,cerebrospinal fluid (CSF) -脑胀,nǎo zhàng,lit. brain swelling; dizzy; light-headed; intoxicated -脑肿瘤,nǎo zhǒng liú,brain tumor -脑膜,nǎo mó,meninx; meninges; membranes lining the brain -脑膜炎,nǎo mó yán,meningitis -脑花,nǎo huā,brain (served as a culinary dish) -脑叶,nǎo yè,lobe of the brain -脑血管屏障,nǎo xuè guǎn píng zhàng,blood brain barrier -脑血管疾病,nǎo xuè guǎn jí bìng,cerebrovascular disease -脑袋,nǎo dai,"head; skull; brains; mental capability; CL:顆|颗[ke1],個|个[ge4]" -脑袋开花,nǎo dài kāi huā,to blow one's brain out -脑补,nǎo bǔ,(Internet slang) to imagine; to visualize -脑贫血,nǎo pín xuè,cerebral anemia -脑门,nǎo mén,forehead -脑门子,nǎo mén zi,forehead (dialect) -脑际,nǎo jì,mind; memory -脑电图,nǎo diàn tú,electroencephalogram (EEG) -脑电图版,nǎo diàn tú bǎn,electroencephalogram (EEG) -脑电波,nǎo diàn bō,see 腦波|脑波[nao3 bo1] -脑震荡,nǎo zhèn dàng,(med.) cerebral concussion -脑髓,nǎo suǐ,brain tissue; gray matter; brain; medulla -腧,shù,insertion point in acupuncture; acupoint -腧穴,shù xué,acupuncture point -腩,nǎn,brisket; belly beef; spongy meat from cow's underside and neighboring ribs; see 牛腩[niu2 nan3] esp. Cantonese; erroneously translated as sirloin -腩炙,nǎn zhì,stewed brisket -肿,zhǒng,to swell; swelling; swollen -肿块,zhǒng kuài,swelling; growth; tumor; lump -肿大,zhǒng dà,swelling; enlargement; hypertrophy -肿瘤,zhǒng liú,tumor -肿瘤切除术,zhǒng liú qiè chú shù,lumpectomy -肿瘤学,zhǒng liú xué,oncology; study of tumors -肿瘤病医生,zhǒng liú bìng yī shēng,oncologist (medicine) -肿胀,zhǒng zhàng,swelling; oedema; internal bruising -肿么,zhǒng me,Internet slang for 怎麼|怎么[zen3 me5] -腮,sāi,cheek -腮帮,sāi bāng,cheek; upper (of a shoe) -腮帮子,sāi bāng zi,cheek -腮托,sāi tuō,chin rest (e.g. for a violin) -腮红,sāi hóng,rouge (cosmetics) -腮腺,sāi xiàn,parotid gland; saliva gland in cheek -腮腺炎,sāi xiàn yán,mumps -腮颊,sāi jiá,cheek; jaw -腮胡,sāi hú,sideburns -腰,yāo,waist; lower back; pocket; middle; loins -腰包,yāo bāo,waist purse (old); (fig.) purse; pocket; waist pack; fanny pack; bum bag -腰围,yāo wéi,waist measurement; girth -腰子,yāo zi,kidney -腰封,yāo fēng,wide belt; sash; (packaging) paper sash around a book or other product -腰带,yāo dài,"belt; CL:條|条[tiao2],根[gen1]" -腰斩,yāo zhǎn,to chop sb in half at the waist (capital punishment); to cut sth in half; to reduce sth by a dramatic margin; to terminate; to cut short -腰板,yāo bǎn,waist and back; physique -腰果,yāo guǒ,cashew nuts -腰果鸡丁,yāo guǒ jī dīng,chicken with cashew nuts -腰杆,yāo gǎn,(a person's) back (usu. as sth one keeps straight); (fig.) backing; support -腰杆子,yāo gǎn zi,waist; small of the back; (fig.) backing -腰椎,yāo zhuī,lumbar vertebra (lower backbone) -腰椎间盘,yāo zhuī jiān pán,intervertebral disk -腰椎间盘突出,yāo zhuī jiān pán tū chū,slipped disk; vertebral herniation; prolapsed disk -腰椎间盘突出症,yāo zhuī jiān pán tū chū zhèng,herniated lumbar disk -腰窝,yāo wō,dimples of Venus; back dimples -腰缠万贯,yāo chán wàn guàn,lit. ten thousand strings of cash in money belt (idiom); carrying lots of money; extremely wealthy; loaded -腰肉,yāo ròu,loin -腰肢,yāo zhī,waist -腰胯,yāo kuà,hips; waist -腰身,yāo shēn,waist; waistline -腰部,yāo bù,waist; small of the back -腰金衣紫,yāo jīn yī zǐ,"golden seal at the waist, purple gown (idiom); in official position" -腰间,yāo jiān,waist -腰际,yāo jì,waist; hips -腰骨,yāo gǔ,lumbar vertebrae -腰鼓,yāo gǔ,waist drum; waist-drum dance (Han ethnic group folk dance) -腱,jiàn,tendon; sinew -腱外膜,jiàn wài mó,(anatomy) epitenon -腱子,jiàn zi,sinew -腱弓,jiàn gōng,tendon arch (anatomy) -腱炎,jiàn yán,tendonitis -腱鞘,jiàn qiào,(anatomy) tendon sheath -腱鞘炎,jiàn qiào yán,tenosynovitis (medicine) -脚,jiǎo,"foot; leg (of an animal or an object); base (of an object); CL:雙|双[shuang1],隻|只[zhi1]; classifier for kicks" -脚,jué,role (variant of 角[jue2]) -脚下,jiǎo xià,under the foot -脚不沾地,jiǎo bù zhān dì,feet not touching the ground (idiom); to run like the wind -脚不点地,jiǎo bù diǎn dì,see 腳不沾地|脚不沾地[jiao3 bu4 zhan1 di4] -脚丫子,jiǎo yā zi,(coll.) foot -脚位,jiǎo wèi,foot position (in dance) -脚凳,jiǎo dèng,footstool -脚刹,jiǎo shā,foot brake -脚印,jiǎo yìn,footprint -脚夫,jiǎo fū,porter; bearer -脚孤拐,jiǎo gū guai,bunion; hallux valgus -脚尖,jiǎo jiān,the extremity of the foot -脚底,jiǎo dǐ,soles of the feet -脚后跟,jiǎo hòu gēn,heel -脚心,jiǎo xīn,arch of the foot -脚户,jiǎo hù,porter; donkey driver -脚手架,jiǎo shǒu jià,scaffolding -脚指,jiǎo zhǐ,variant of 腳趾|脚趾[jiao3 zhi3] -脚指甲,jiǎo zhǐ jia,toenail -脚掌,jiǎo zhǎng,the sole of the foot -脚本,jiǎo běn,script -脚板,jiǎo bǎn,the sole of the foot -脚根,jiǎo gēn,variant of 腳跟|脚跟[jiao3 gen1] -脚杆,jiǎo gǎn,(dialect) leg -脚正不怕鞋歪,jiǎo zhèng bù pà xié wāi,lit. a straight foot has no fear of a crooked shoe; an upright man is not afraid of gossip (idiom) -脚步,jiǎo bù,footstep; step -脚气,jiǎo qì,athlete's foot; tinea pedis; beriberi -脚气病,jiǎo qì bìng,beriberi -脚注,jiǎo zhù,footnote -脚爪,jiǎo zhǎo,paw; claw -脚癣,jiǎo xuǎn,athlete's foot -脚背,jiǎo bèi,instep (upper surface of the foot) -脚脖子,jiǎo bó zi,(coll.) ankle -脚腕,jiǎo wàn,ankle -脚腕子,jiǎo wàn zi,see 腳腕|脚腕[jiao3 wan4] -脚误,jiǎo wù,foot fault (tennis etc) -脚趾,jiǎo zhǐ,toe -脚趾头,jiǎo zhǐ tou,toe -脚跟,jiǎo gēn,heel -脚跟脚,jiǎo gēn jiǎo,one closely following the other -脚踏,jiǎo tà,pedal -脚踏两条船,jiǎo tà liǎng tiáo chuán,lit. to stand with each foot in a different boat (idiom); fig. to have it both ways; to run after two hares; (especially) to have two lovers at the same time -脚踏两只船,jiǎo tà liǎng zhī chuán,to have a foot in both camps; to have a bet each way; to be having an affair -脚踏实地,jiǎo tà shí dì,to have one's feet firmly planted on the ground (idiom); realistic without flights of fancy; steady and serious character -脚踏板,jiǎo tà bǎn,pedal; treadle; (motor scooter) floorboard -脚踏车,jiǎo tà chē,(Tw) bicycle; bike; CL:輛|辆[liang4] -脚踏钹,jiǎo tà bó,hi-hat (drum kit component) -脚踝,jiǎo huái,ankle -脚踩两只船,jiǎo cǎi liǎng zhī chuán,see 腳踏兩隻船|脚踏两只船[jiao3 ta4 liang3 zhi1 chuan2] -脚蹬,jiǎo dēng,pedal -脚蹼,jiǎo pǔ,flippers; fins -脚轮,jiǎo lún,"caster (attached to the bottom of furniture, trolleys etc)" -脚违例,jiǎo wéi lì,foot fault (tennis etc) -脚钱,jiǎo qián,payment to a porter -脚链,jiǎo liàn,ankle bracelet -脚镣,jiǎo liào,fetters; leg-irons -脚门,jiǎo mén,variant of 角門|角门[jiao3 men2] -脚面,jiǎo miàn,instep (upper surface of the foot) -脚鸭子,jiǎo yā zi,see 腳丫子|脚丫子[jiao3 ya1 zi5] -腴,yú,fat on belly; fertile; rich -肠,cháng,intestines -肠仔,cháng zǐ,sausage -肠壁,cháng bì,wall of intestine; lining of gut -肠套叠,cháng tào dié,intussusception (medicine) -肠子,cháng zi,intestines -肠支,cháng zhī,cecum -肠易激综合征,cháng yì jī zōng hé zhēng,irritable bowel syndrome (IBS) -肠毒素,cháng dú sù,enterotoxins -肠炎,cháng yán,enteritis -肠病毒,cháng bìng dú,enterovirus -肠管,cháng guǎn,intestine; gut -肠粉,cháng fěn,"rice noodle roll, a roll made from sheets of rice flour dough, steamed and stuffed with meat, vegetables etc" -肠胃,cháng wèi,stomach and intestine; digestive system -肠胃炎,cháng wèi yán,gastroenteritis -肠胃道,cháng wèi dào,digestive tract -肠蠕动,cháng rú dòng,peristalsis (wave movement of gut wall) -肠衣,cháng yī,sausage casing -肠道,cháng dào,intestines; gut -肠镜,cháng jìng,colonoscope; colonoscopy (abbr. for 腸鏡檢查|肠镜检查[chang2 jing4 jian3 cha2]) -腹,fù,abdomen; stomach; belly -腹吸盘,fù xī pán,acetabulum (part of the pelvis bone) -腹哀,fù āi,Abdominal Lament; acupuncture point SP 16 -腹地,fù dì,hinterland; interior; outback -腹壁,fù bì,abdominal wall -腹带,fù dài,belly band -腹水,fù shuǐ,(medicine) ascites; ascitic fluid; hydroperitoneum -腹泻,fù xiè,diarrhea; to have the runs -腹痛,fù tòng,bellyache; stomach pain -腹直肌,fù zhí jī,rectus abdominis muscle (aka abdominals or abs) -腹稿,fù gǎo,mental outline -腹笥便便,fù sì pián pián,a learned person (idiom) -腹笥甚宽,fù sì shèn kuān,well-read (idiom) -腹肌,fù jī,abdominal muscle -腹股沟,fù gǔ gōu,groin (anatomy) -腹背受敌,fù bèi shòu dí,(idiom) to be attacked from the front and rear -腹背相亲,fù bèi xiāng qīn,to be on intimate terms with sb (idiom) -腹腔,fù qiāng,abdominal cavity -腹膜,fù mó,peritoneum (anatomy) -腹语,fù yǔ,ventriloquism -腹语师,fù yǔ shī,ventriloquist -腹语术,fù yǔ shù,ventriloquism -腹诽,fù fěi,silent curse or disagreement; unspoken criticism -腹足,fù zú,gastropod (class of mollusks including snails) -腹足纲,fù zú gāng,gastropod (class of mollusks including snails) -腹部,fù bù,abdomen; belly; flank -腹部绞痛,fù bù jiǎo tòng,abdominal cramping -腹鳍,fù qí,ventral fin; pelvic fin -腹黑,fù hēi,(slang) outwardly kind but inwardly evil; two-faced -腺,xiàn,gland -腺嘌呤,xiàn piào lìng,"adenine nucleotide (A, pairs with thymine T 胸腺嘧啶 in DNA and with uracil U 尿嘧啶 in RNA)" -腺嘌呤核苷三磷酸,xiàn piào lìng hé gān sān lín suān,adenosine triphosphate (ATP) -腺垂体,xiàn chuí tǐ,pituitary gland -腺样,xiàn yàng,adenoid gland; pharyngeal tonsil -腺毛,xiàn máo,(botany) glandular hair -腺病,xiàn bìng,adenosis (glandular disease) -腺病毒,xiàn bìng dú,adenovirus -腺癌,xiàn ái,Adenocarcinoma -腺苷,xiàn gān,adenosine -腺体,xiàn tǐ,gland -腺鼠疫,xiàn shǔ yì,bubonic plague -腿,tuǐ,leg; CL:條|条[tiao2] -腿了,tuǐ le,"(Tw) (Internet slang) too late, someone posted that already (supposedly from ""lag"" misspelled as ""leg"")" -腿后腱,tuǐ hòu jiàn,hamstring muscle -腿玩年,tuǐ wán nián,(slang) stunning legs; sexy legs -腿肚子,tuǐ dù zi,calf (back of the leg below the knee) -腿腕,tuǐ wàn,ankle -腿脚,tuǐ jiǎo,legs and feet; ability to walk; strides -腿号,tuǐ hào,legband (on a bird) -腿号箍,tuǐ hào gū,see 腿號|腿号[tui3 hao4] -膀,bǎng,upper arm; wing -膀,bàng,used in 吊膀子[diao4 bang4 zi5] -膀,pāng,puffed (swollen) -膀,páng,used in 膀胱[pang2guang1] -膀大腰圆,bǎng dà yāo yuán,tall and strong; burly; beefy -膀子,bǎng zi,upper arm; arm; wing -膀爷,bǎng yé,"topless guy (man who, in a public place, is not wearing a shirt)" -膀胱,páng guāng,urinary bladder -膀胱气化,páng guāng qì huà,(TCM) the extraction of impure fluid by the kidneys and the passing of it from the body by the bladder as urine -膀胱炎,páng guāng yán,cystitis -膀臂,bǎng bì,upper arm; arm; reliable helper; right-hand man -肷,qiǎn,(usu. of an animal) the part of the side of the body between the ribs and the hipbone -膂,lǚ,backbone; strength -膂力,lǚ lì,strength; bodily strength; brawn -腽,wà,used in 膃肭|腽肭[wa4 na4] -腽肭,wà nà,fur seal; (literary) fat; obese -腽肭兽,wà nà shòu,fur seal (Callorhinus ursinus Linnaeus) -腽肭脐,wà nà qí,penis and testes of fur seal (used in TCM) -膈,gé,diaphragm (anatomy) -膈,gè,used in 膈應|膈应[ge4ying5] -膈应,gè ying,(coll.) objectionable; to feel revolted; to gross (sb) out -膈肌,gé jī,diaphragm (anatomy) -膈肢,gé zhi,variant of 胳肢[ge2 zhi5] -膈膜,gé mó,diaphragm (anatomy) -膊,bó,shoulder; upper arm -膏,gāo,ointment; paste; CL:帖[tie3] -膏,gào,"to moisten; to grease; to apply (cream, ointment); to dip a brush in ink" -膏方,gāo fāng,medicinal concoction in paste form (TCM) -膏立,gào lì,to annoint -膏膏,gāo gāo,to anoint -膏药,gāo yao,herbal plaster applied to a wound -膏药旗,gāo yao qí,Japanese flag (derog.) -膏血,gāo xuè,lit. fat and blood; fruit of one's hard labor; flesh and blood -肠,cháng,old variant of 腸|肠[chang2] -膘,biāo,fat of a stock animal -膘肥,biāo féi,(of a stock animal) well-fed; fat -膘肥体壮,biāo féi tǐ zhuàng,(of a livestock animal) plump and strong; well-fed -肤,fū,skin -肤浅,fū qiǎn,skin-deep; superficial; shallow -肤色,fū sè,skin color -膛,táng,(bound form) hollow space -膛径,táng jìng,caliber (of a gun) -膛线,táng xiàn,rifling (helical grooves inside the barrel of a gun) -膜,mó,membrane; film -膜孔,mó kǒng,"hole in the body of a musical instrument, covered with a membrane which produces a buzzing tone" -膜拜,mó bài,to kneel and bow with joined hands at forehead level; to worship -膜炎,mó yán,inflammation of membrane; membranitis -膜翅目,mó chì mù,Hymenoptera (insect order including ants and bees) -膝,xī,knee -膝上型,xī shàng xíng,laptop (computer) -膝上型电脑,xī shàng xíng diàn nǎo,laptop (computer) -膝上舞,xī shàng wǔ,lap dance -膝下,xī xià,at the knee (in reference to children); (salutation used in letters to parents or grandparents) -膝盖,xī gài,knee; (Internet slang) to kneel down (in admiration) -膝盖骨,xī gài gǔ,kneecap -膝袒,xī tǎn,to walk on one's knees and bare one's breast (a gesture of deepest apology) -胶,jiāo,to glue; glue; gum; rubber -胶乳,jiāo rǔ,latex -胶南,jiāo nán,"Jiaonan, county-level city in Qingdao 青島|青岛, Shandong" -胶南市,jiāo nán shì,"Jiaonan, county-level city in Qingdao 青島|青岛, Shandong" -胶印,jiāo yìn,offset printing -胶卷,jiāo juǎn,film; roll of film; also written 膠捲|胶卷 -胶原,jiāo yuán,collagen (protein) -胶原蛋白,jiāo yuán dàn bái,collagen -胶原质,jiāo yuán zhì,collagen (protein) -胶合,jiāo hé,to join with glue -胶合板,jiāo hé bǎn,plywood -胶囊,jiāo náng,(pharm.) capsule -胶囊酒店,jiāo náng jiǔ diàn,capsule hotel -胶圈,jiāo quān,rubber ring; gasket -胶子,jiāo zǐ,gluon (particle physics) -胶州,jiāo zhōu,"Jiaozhou, county-level city in Qingdao 青島|青岛, Shandong" -胶州市,jiāo zhōu shì,"Jiaozhou, county-level city in Qingdao 青島|青岛, Shandong" -胶州湾,jiāo zhōu wān,Gulf of Jiaozhou (Shandong province) -胶布,jiāo bù,adhesive plaster; band-aid; rubber tape; rubberized fabric -胶带,jiāo dài,adhesive tape; magnetic tape -胶卷,jiāo juǎn,film; roll of film -胶接,jiāo jiē,to splice; a glued joint; a bond -胶木,jiāo mù,bakelite -胶束,jiāo shù,micelle (chemistry) -胶棒,jiāo bàng,glue stick -胶氨芹,jiāo ān qín,"ammoniacum or gum ammoniac (Dorema ammoniacum), resin has medical uses" -胶水,jiāo shuǐ,glue -胶泥,jiāo ní,clay -胶济铁路,jiāo jì tiě lù,Jiaonan-Jinan railway -胶片,jiāo piàn,(photographic) film -胶片佩章,jiāo piàn pèi zhāng,film badge -胶版印刷,jiāo bǎn yìn shuā,offset printing -胶状,jiāo zhuàng,gluey; gelatinous; colloid (chemistry) -胶粒,jiāo lì,colloid; colloidal particles -胶结,jiāo jié,to glue; to cement; a bond -胶着,jiāo zhuó,to stick onto; stalemate; gridlock; to agglutinate -胶质,jiāo zhì,colloid; gelatinous matter -胶轮,jiāo lún,pneumatic tire; rubber tire -胶体,jiāo tǐ,colloid -胶黏,jiāo nián,sticky; adhesive -胶黏剂,jiāo nián jì,glue; adhesive -膣,zhì,vagina -膦,lìn,phosphine -膨,péng,swollen -膨压,péng yā,turgor pressure (botany) -膨润土,péng rùn tǔ,bentonite (mineralogy) -膨胀,péng zhàng,to expand; to inflate; to swell -膨松剂,péng sōng jì,leavening agent -腻,nì,greasy; soft; unctuous; intimate; tired of -腻人,nì rén,greasy; boring -腻友,nì yǒu,intimate friend -腻味,nì wei,tired of; fed up with; sick of; (of a person) to annoy; to be tiresome -腻子,nì zi,putty (same as 泥子); frequent caller; hanger-on -腻歪,nì wai,(of a couple) to be sweet to each other; lovey-dovey; variant of 膩味|腻味[ni4 wei5] -腻烦,nì fan,bored; to be fed up with; sick and tired of sth; Taiwan pr. [ni4 fan2] -膪,chuài,used in 囊膪[nang1 chuai4] -膫,liáo,name of a state during Han Dynasty -膫,liáo,male genitals; old variant of 膋[liao2] -膲,jiāo,see 三膲[san1 jiao1] -膳,shàn,meals -膳食,shàn shí,meals; food -膳食纤维,shàn shí xiān wéi,dietary fiber -膳魔师,shàn mó shī,Thermos (brand) -膺,yīng,breast; receive -膺选,yīng xuǎn,to be elected -膻,shān,rank odor (of sheep or goats) -胆,dǎn,"gall bladder; courage; guts; gall; inner container (e.g. bladder of a football, inner container of a thermos)" -胆儿,dǎn er,see 膽子|胆子[dan3 zi5] -胆力,dǎn lì,courage; bravery -胆囊,dǎn náng,gallbladder -胆固醇,dǎn gù chún,cholesterol -胆大,dǎn dà,daring; bold; audacious -胆大包天,dǎn dà bāo tiān,reckless; extremely daring -胆大妄为,dǎn dà wàng wéi,daring; presumptuous; daredevil -胆子,dǎn zi,courage; nerve; guts -胆寒,dǎn hán,to fear; to be terrified -胆小,dǎn xiǎo,cowardice; timid -胆小如鼠,dǎn xiǎo rú shǔ,(idiom) chicken-hearted; gutless -胆小鬼,dǎn xiǎo guǐ,coward -胆怯,dǎn qiè,timidity; timid; cowardly -胆战,dǎn zhàn,to tremble with fear -胆战心惊,dǎn zhàn xīn jīng,to tremble with fear (idiom); scared witless -胆敢,dǎn gǎn,to dare (negative connotation); to have the audacity to (do sth) -胆气,dǎn qì,courageous; bold -胆汁,dǎn zhī,gall; bile -胆略,dǎn lüè,courage and resource -胆石,dǎn shí,gallstone -胆石症,dǎn shí zhèng,gallstone -胆石绞痛,dǎn shí jiǎo tòng,gallstone colic -胆破,dǎn pò,to be frightened to death -胆管,dǎn guǎn,bile duct -胆红素,dǎn hóng sù,bilirubin -胆结石,dǎn jié shí,gallstone -胆绿素,dǎn lǜ sù,biliverdin -胆肥,dǎn féi,(coll.) bold; brazen; to have a lot of nerve -胆色素,dǎn sè sù,bilirubin -胆识,dǎn shí,courage and insight -胆道,dǎn dào,bile duct -胆量,dǎn liàng,courage; boldness; guts -胆颤心惊,dǎn chàn xīn jīng,panic-stricken -胆惊心颤,dǎn jīng xīn chàn,see 心驚膽戰|心惊胆战[xin1 jing1 dan3 zhan4] -胆魄,dǎn pò,boldness; daring -胆碱,dǎn jiǎn,choline (amine related to vitamin B complex) -胆碱酯酶,dǎn jiǎn zhǐ méi,"choline esterase (ChE), hydrolyzing enzyme in blood plasma" -脍,kuài,chopped meat or fish -脍炙人口,kuài zhì rén kǒu,appealing to the masses; universally appreciated (idiom) -脓,nóng,pus -脓包,nóng bāo,pustule; (fig.) worthless person; a good-for-nothing; useless weakling -脓毒症,nóng dú zhèng,sepsis -脓水,nóng shuǐ,pus -脓泡,nóng pào,pustule; pussy pimple; same as 膿包|脓包[nong2 bao1] -脓痂疹,nóng jiā zhěn,impetigo (medicine) -脓疱,nóng pào,pimple containing pus -脓肿,nóng zhǒng,abscess -臀,tún,buttocks; hips; rump -臀位,tún wèi,breech presentation (obstetrics) -臀位分娩,tún wèi fēn miǎn,breech delivery (medicine) -臀位取胎术,tún wèi qǔ tāi shù,breech extraction (medicine) -臀围,tún wéi,hip measurement -臀大肌,tún dà jī,(anatomy) gluteus maximus -臀尖,tún jiān,pork rump -臀推,tún tuī,massage using one's buttocks -臀沟,tún gōu,gluteal fold -臀瓣,tún bàn,anal lobe -臀产式分娩,tún chǎn shì fēn miǎn,breech delivery (medicine) -臀疣,tún yóu,monkey's seat pads (zoology) -臀肌,tún jī,gluteal muscle; gluteus; buttocks -臀部,tún bù,butt; buttocks -臀鳍,tún qí,anal fin -臁,lián,sides of the lower part of the leg -臂,bì,arm -臂弯,bì wān,crook of the arm -臂章,bì zhāng,armband; armlet; shoulder emblem -臂纱,bì shā,armband -臂膀,bì bǎng,arm -臂膊,bì bó,arm -臃,yōng,see 臃腫|臃肿[yong1 zhong3] -臃肿,yōng zhǒng,obese; bloated; swollen (style); (fig.) (of an organization) oversized or overstaffed -臆,yì,(bound form) chest; breast; (bound form) inner feelings; subjective -臆想,yì xiǎng,subjective idea -臆想狂,yì xiǎng kuáng,mythomaniac -臆想症,yì xiǎng zhèng,mythomania -臆断,yì duàn,to assume; assumption -臆测,yì cè,to speculate; to conjecture -臆羚,yì líng,chamois (Rupicapra rupicapra) -臆见,yì jiàn,subjective view -臆造,yì zào,to concoct; to dream up -腊,là,old variant of 臘|腊[la4] -脸,liǎn,"face; CL:張|张[zhang1],個|个[ge4]" -脸上贴金,liǎn shàng tiē jīn,lit. to apply gold leaf to the face of a statue (idiom); fig. to talk up; to extol the virtues of (oneself or sb else) -脸厚,liǎn hòu,thick-skinned; brazen -脸型,liǎn xíng,shape of face; physiognomy -脸基尼,liǎn jī ní,facekini -脸大,liǎn dà,bold; unafraid -脸孔,liǎn kǒng,face -脸巴子,liǎn bā zi,cheek -脸形,liǎn xíng,"variant of 臉型|脸型, shape of face; physiognomy" -脸书,liǎn shū,Facebook -脸皮,liǎn pí,face; cheek -脸皮厚,liǎn pí hòu,brazen -脸皮嫩,liǎn pí nèn,bashful; shy -脸皮薄,liǎn pí báo,thin-skinned; sensitive -脸盆,liǎn pén,washbowl; basin for washing hands and face; CL:個|个[ge4] -脸盘儿,liǎn pán er,face; contour of face -脸盲,liǎn máng,face-blind; prosopagnosic -脸盲症,liǎn máng zhèng,prosopagnosia; face blindness -脸相,liǎn xiàng,complexion; looks; appearance of one's face -脸红,liǎn hóng,"to blush; to redden (with shame, indignation etc)" -脸红筋暴,liǎn hóng jīn bào,red and tense with anger (idiom) -脸红筋涨,liǎn hóng jīn zhǎng,red and tense with anger (idiom) -脸红脖子粗,liǎn hóng bó zi cū,red in the face; extremely angry -脸罩,liǎn zhào,visor -脸膛,liǎn táng,facial contour; facial shape -脸色,liǎn sè,complexion; look -脸薄,liǎn báo,bashful; shy -脸蛋,liǎn dàn,cheek; face -脸蛋儿,liǎn dàn er,cheek; face (often of child) -脸蛋子,liǎn dàn zi,cheek; face -脸谱,liǎn pǔ,Facebook -脸谱,liǎn pǔ,types of facial makeup in operas -脸部,liǎn bù,face -脸部表情,liǎn bù biǎo qíng,facial expression -脸都绿了,liǎn dōu lǜ le,green in the face (idiom); to look unwell -脸面,liǎn miàn,face -脸颊,liǎn jiá,cheek -脸庞,liǎn páng,face -臊,sāo,to smell of urine (or sweat etc) -臊,sào,shame; bashfulness; to shame; to humiliate -臊子,sào zi,(dialect) minced or diced meat (as part of a dish) -臊气,sāo qì,foul smell; stench; smell of urine -臊眉耷眼,sào méi dā yǎn,(idiom) ashamed -臊腥,sāo xīng,stench; stink -臀,tún,old variant of 臀[tun2] -臌,gǔ,dropsical; swollen -臌胀,gǔ zhàng,see 鼓脹|鼓胀[gu3 zhang4] -脐,qí,(bound form) the navel; the umbilicus; (bound form) the belly flap of a crab; apron -脐屎,qí shǐ,newborn baby's excrement (meconium); belly button discharge (infection) -脐带,qí dài,umbilical cord -脐梗,qí gěng,umbilical cord -脐橙,qí chéng,navel orange -脐装,qí zhuāng,crop top -脐轮,qí lún,"manipūra or manipura, the solar plexus chakra 查克拉, residing in the upper abdomen" -膑,bìn,variant of 髕|髌[bin4] -膑刑,bìn xíng,removal of the kneecaps (punishment) -膘,biāo,variant of 膘[biao1] -腊,là,"ancient practice of offering sacrifices to the gods in the 12th lunar month; the 12th lunar month; (bound form) (of meat, fish etc) cured in winter, esp. in the 12th lunar month" -腊克,là kè,lacquer (loanword) -腊八节,là bā jié,"Laba rice porridge festival, on the 8th day of the 12th lunar month" -腊八粥,là bā zhōu,"Laba congee, ceremonial rice porridge dish eaten on the 8th day of the 12th month in the Chinese calendar" -腊月,là yuè,twelfth lunar month -腊梅,là méi,wintersweet; Japanese allspice; Chimonanthus praecox -腊肉,là ròu,cured meat; bacon -腊肠,là cháng,sausage -胭,yān,variant of 胭[yan1] -胪,lú,belly; skin; to state; to pass on information; to display -裸,luǒ,variant of 裸[luo3] -脏,zàng,viscera; (anatomy) organ -脏器,zàng qì,internal organs -脏腑,zàng fǔ,inner organs -脏躁,zàng zào,hysteria -脔,luán,skinny; sliced meat -臜,zā,see 腌臢|腌臜[a1 za1] -臣,chén,surname Chen -臣,chén,"state official or subject in dynastic China; I, your servant (used in addressing the sovereign); Kangxi radical 131" -臣一主二,chén yī zhǔ èr,One has the right to choose the ruler one serves. (ancient proverb) -臣下,chén xià,official in feudal court; subject -臣仆,chén pú,servant -臣僚,chén liáo,court official (in former times) -臣妾,chén qiè,"(literary) I, your servant (self-appellation of a lower-rank female); (archaic) male and female slaves; subjects (of a ruler)" -臣子,chén zǐ,official in feudal court; subject -臣属,chén shǔ,official in feudal court; subject -臣服,chén fú,to acknowledge allegiance to (some regime); to serve -臣民,chén mín,"subject (of a kingdom, ruler etc)" -臣虏,chén lǔ,slave -卧,wò,to lie; to crouch -卧不安,wò bù ān,restless insomnia -卧位,wò wèi,berth -卧佛,wò fó,reclining Buddha -卧倒,wò dǎo,to lie down; to drop to the ground -卧内,wò nèi,bedroom -卧具,wò jù,bedding -卧室,wò shì,bedroom; CL:間|间[jian1] -卧床,wò chuáng,to lie in bed; bedridden; bed -卧底,wò dǐ,to hide (as an undercover agent); an insider (in a gang of thieves); a mole -卧式,wò shì,lying; horizontal -卧房,wò fáng,bedroom; a sleeping compartment (on a train) -卧推,wò tuī,bench press -卧果儿,wò guǒ er,a poached egg -卧榻,wò tà,a couch; a narrow bed -卧槽,wò cáo,(Internet slang) (substitute for 我肏[wo3 cao4]) fuck; WTF -卧病,wò bìng,ill in bed; bed-ridden -卧舱,wò cāng,sleeping cabin on a boat or train -卧草,wò cǎo,(substitute for 我肏[wo3 cao4]) fuck; WTF; (soccer) to waste time by feigning injury -卧薪尝胆,wò xīn cháng dǎn,"lit. to sleep on brushwood and taste gall (like King Gou Jian of Yue 勾踐|勾践[Gou1 Jian4]), in order to recall one's humiliations) (idiom); fig. to maintain one's resolve for revenge" -卧薪尝胆,wò xīn cháng dǎn,"lit. to lie on firewood and taste gall (idiom); fig. suffering patiently, but firmly resolved on revenge" -卧虎,wò hǔ,crouching tiger; fig. major figure in hiding; concealed talent -卧虎藏龙,wò hǔ cáng lóng,"Crouching Tiger, Hidden Dragon, movie by Ang Lee 李安[Li3 An1]" -卧虎藏龙,wò hǔ cáng lóng,"lit. hidden dragon, crouching tiger (idiom); fig. talented individuals in hiding; concealed talent" -卧蚕,wò cán,plump lower eyelids (considered to be an attractive feature) -卧车,wò chē,(railroad) sleeping car -卧轨,wò guǐ,to lie across the railway tracks (to commit suicide or to prevent trains from getting through) -卧铺,wò pù,a bed (on a train); a couchette -卧龙,wò lóng,"nickname of Zhuge Liang 諸葛亮|诸葛亮; Wolong giant panda nature reserve 臥龍大熊貓保護區|卧龙大熊猫保护区 in Wenchuan county, northwest Sichuan; Wolong district of Nanyang city 南陽|南阳[Nan2 yang2], Henan" -卧龙,wò lóng,sleeping dragon; (fig.) a person of outstanding talent who lives in obscurity -卧龙区,wò lóng qū,"Wolong district of Nanyang city 南陽|南阳[Nan2 yang2], Henan" -卧龙大熊猫保护区,wò lóng dà xióng māo bǎo hù qū,"Wolong Giant Panda Nature Reserve in Wenchuan county, northwest Sichuan" -卧龙岗,wò lóng gǎng,"Wollongong, Australia" -卧龙自然保护区,wò lóng zì rán bǎo hù qū,"Wolong National Nature Reserve in Wenchuan county, northwest Sichuan, home of the giant panda 大熊貓|大熊猫[da4 xiong2 mao1]" -臧,zāng,surname Zang -臧,zāng,good; right -臧,zàng,old variant of 藏[zang4]; old variant of 臟|脏[zang4] -臧克家,zāng kè jiā,"Zang Kejia (1905-2004), Chinese poet" -临,lín,to face; to overlook; to arrive; to be (just) about to; just before -临了,lín liǎo,at the last moment; right at the end -临刑,lín xíng,facing execution -临别,lín bié,just before parting -临别赠言,lín bié zèng yán,words of advice on parting -临到,lín dào,to befall -临危,lín wēi,dying (from illness); facing death; on one's deathbed -临危受命,lín wēi shòu mìng,(idiom) to take on a leadership role at a time of crisis -临危授命,lín wēi shòu mìng,to sacrifice one's life in a crisis -临问,lín wèn,to go personally to consult subordinates (of a high official) -临城,lín chéng,"Lincheng county in Xingtai 邢台[Xing2 tai2], Hebei" -临城县,lín chéng xiàn,"Lincheng county in Xingtai 邢台[Xing2 tai2], Hebei" -临场,lín chǎng,"to be at the scene (sitting for an exam, performing, competing, giving directions etc); firsthand (experience); impromptu (remarks etc)" -临场感,lín chǎng gǎn,the feeling of actually being there -临夏,lín xià,"Linxia Hui Autonomous Prefecture 臨夏回族自治州|临夏回族自治州[Lin2 xia4 Hui2 zu2 Zi4 zhi4 zhou1], Gansu; also Linxia City and Linxia County" -临夏回族自治州,lín xià huí zú zì zhì zhōu,Linxia Hui Autonomous Prefecture in Gansu -临夏州,lín xià zhōu,Linxia Hui Autonomous Prefecture (abbr. for 臨夏回族自治州|临夏回族自治州[Lin2 xia4 Hui2 zu2 Zi4 zhi4 zhou1]) -临夏市,lín xià shì,"Linxia, county-level city in Linxia Hui Autonomous Prefecture 臨夏回族自治州|临夏回族自治州[Lin2 xia4 Hui2 zu2 Zi4 zhi4 zhou1], Gansu" -临夏县,lín xià xiàn,"Linxia County in Linxia Hui Autonomous Prefecture 臨夏回族自治州|临夏回族自治州[Lin2 xia4 Hui2 zu2 Zi4 zhi4 zhou1], Gansu" -临安,lín ān,"Lin'an, county-level city in Hangzhou 杭州[Hang2 zhou1], Zhejiang" -临安市,lín ān shì,"Lin'an, county-level city in Hangzhou 杭州[Hang2 zhou1], Zhejiang" -临安县,lín ān xiàn,"Lin'an county in Zhejiang, west of Hangzhou" -临写,lín xiě,to copy (a model of calligraphy or painting) -临屯郡,lín tún jùn,"Lintun Commandery (108 BC-c. 300 AD), one of four Han dynasty commanderies in north Korea" -临川,lín chuān,"Linchuan district of Fuzhou city 撫州市|抚州市, Jiangxi" -临川区,lín chuān qū,"Linchuan district of Fuzhou city 撫州市|抚州市, Jiangxi" -临川羡鱼,lín chuān xiàn yú,"see 臨淵羨魚,不如退而結網|临渊羡鱼,不如退而结网[lin2 yuan1 xian4 yu2 , bu4 ru2 tui4 er2 jie2 wang3]" -临帖,lín tiè,to practice calligraphy from a model -临幸,lín xìng,to go in person (of emperor); to copulate with a concubine (of emperor) -临床,lín chuáng,clinical -临床死亡,lín chuáng sǐ wáng,clinical death -临床特征,lín chuáng tè zhēng,clinical characteristic; diagnostic trait -临战,lín zhàn,just before the contest; on the eve of war -临摹,lín mó,to copy (a model of calligraphy or painting etc) -临时,lín shí,as the time draws near; at the last moment; temporary; interim; ad hoc -临时保姆,lín shí bǎo mǔ,temporary caregiver; babysitter -临时分居,lín shí fēn jū,trial separation -临时工,lín shí gōng,temporary worker; temp; temporary work -临时抱佛脚,lín shí bào fó jiǎo,lit. to clasp the Buddha's feet when danger arises (idiom); fig. to profess devotion only when in trouble; doing things at the last minute; making a hasty last-minute effort -临时政府,lín shí zhèng fǔ,provisional government -临时演员,lín shí yǎn yuán,an extra (in a movie) -临时澳门市政执行委员会,lín shí ào mén shì zhèng zhí xíng wěi yuán huì,Provisional Municipal Council of Macau; Câmara Municipal de Macau Provisória -临时贷款,lín shí dài kuǎn,bridging loan -临月儿,lín yuè er,the month childbirth is due -临朐,lín qú,"Linqu County in Weifang 濰坊|潍坊[Wei2 fang1], Shandong" -临朐县,lín qú xiàn,"Linqu County in Weifang 濰坊|潍坊[Wei2 fang1], Shandong" -临朝,lín cháo,to hold a court audience; to govern from the imperial throne (applies esp. to Empress Dowager or Regent) -临桂,lín guì,"Lingui county in Guilin 桂林[Gui4 lin2], Guangxi" -临桂县,lín guì xiàn,"Lingui county in Guilin 桂林[Gui4 lin2], Guangxi" -临武,lín wǔ,"Linwu county in Chenzhou 郴州[Chen1 zhou1], Hunan" -临武县,lín wǔ xiàn,"Linwu county in Chenzhou 郴州[Chen1 zhou1], Hunan" -临死,lín sǐ,facing death; at death's door -临死不怯,lín sǐ bù qiè,equanimity in the face of death; to face dangers with assurance -临水,lín shuǐ,facing the water (favored location) -临江,lín jiāng,"Linjiang, county-level city in Baishan 白山, Jilin" -临江市,lín jiāng shì,"Linjiang, county-level city in Baishan 白山, Jilin" -临汾,lín fén,Linfen prefecture-level city in Shanxi 山西 -临汾市,lín fén shì,Linfen prefecture-level city in Shanxi 山西 -临沂,lín yí,Linyi prefecture-level city in Shandong -临沂市,lín yí shì,Linyi prefecture-level city in Shandong -临沭,lín shù,"Linshu, a county in Linyi 臨沂|临沂[Lin2yi2], Shandong" -临沭县,lín shù xiàn,"Linshu, a county in Linyi 臨沂|临沂[Lin2yi2], Shandong" -临河,lín hé,"Linhe district of Bayan Nur city 巴彥淖爾市|巴彦淖尔市[Ba1 yan4 nao4 er3 shi4], Inner Mongolia" -临河区,lín hé qū,"Linhe district of Bayan Nur city 巴彥淖爾市|巴彦淖尔市[Ba1 yan4 nao4 er3 shi4], Inner Mongolia" -临河羡鱼,lín hé xiàn yú,"see 臨淵羨魚,不如退而結網|临渊羡鱼,不如退而结网[lin2 yuan1 xian4 yu2 , bu4 ru2 tui4 er2 jie2 wang3]" -临泉,lín quán,"Linquan, a county in Fuyang 阜陽|阜阳[Fu4yang2], Anhui" -临泉县,lín quán xiàn,"Linquan, a county in Fuyang 阜陽|阜阳[Fu4yang2], Anhui" -临洮,lín táo,"Lintao county in Dingxi 定西[Ding4 xi1], Gansu" -临洮县,lín táo xiàn,"Lintao county in Dingxi 定西[Ding4 xi1], Gansu" -临海,lín hǎi,"Linhai, county-level city in Taizhou 台州[Tai1 zhou1], Zhejiang" -临海,lín hǎi,to overlook the sea; on the waterfront -临海市,lín hǎi shì,"Linhai, county-level city in Taizhou 台州[Tai1 zhou1], Zhejiang" -临海水土志,lín hǎi shuǐ tǔ zhì,Seaboard Geographic Gazetteer (c. 275) by Shen Ying 沈瑩|沈莹 -临海县,lín hǎi xiàn,Linhai county in east Zhejiang -临淄,lín zī,"Linzi district of Zibo city 淄博市[Zi1 bo2 shi4], Shandong" -临淄区,lín zī qū,"Linzi district of Zibo city 淄博市[Zi1 bo2 shi4], Shandong" -临渊羡鱼,lín yuān xiàn yú,"see 臨淵羨魚,不如退而結網|临渊羡鱼,不如退而结网[lin2 yuan1 xian4 yu2 , bu4 ru2 tui4 er2 jie2 wang3]" -临清,lín qīng,"Linqing, county-level city in Liaocheng 聊城[Liao2 cheng2], Shandong" -临清市,lín qīng shì,"Linqing, county-level city in Liaocheng 聊城[Liao2 cheng2], Shandong" -临渭,lín wèi,"Linwei District of Weinan City 渭南市[Wei4 nan2 Shi4], Shaanxi" -临渭区,lín wèi qū,"Linwei District of Weinan City 渭南市[Wei4 nan2 Shi4], Shaanxi" -临渴掘井,lín kě jué jǐng,lit. not to dig a well until one is thirsty; to be unprepared and seek help at the last minute (idiom) -临渴穿井,lín kě chuān jǐng,lit. face thirst and dig a well (idiom); fig. not to make adequate provision; to act when it is too late -临湘,lín xiāng,"Linxiang county-level city in Yueyang 岳陽|岳阳[Yue4 yang2], Hunan" -临湘市,lín xiāng shì,"Linxiang county-level city in Yueyang 岳陽|岳阳[Yue4 yang2], Hunan" -临沧,lín cāng,Lincang prefecture-level city in Yunnan -临沧市,lín cāng shì,Lincang prefecture-level city in Yunnan -临演,lín yǎn,an extra (in a movie) (abbr. for 臨時演員|临时演员[lin2shi2 yan3yuan2]) -临漳,lín zhāng,"Linzhang county in Handan 邯鄲|邯郸[Han2 dan1], Hebei" -临漳县,lín zhāng xiàn,"Linzhang county in Handan 邯鄲|邯郸[Han2 dan1], Hebei" -临颍,lín yǐng,"Lingying county in Luohe 漯河[Luo4 he2], Henan" -临颍县,lín yǐng xiàn,"Lingying county in Luohe 漯河[Luo4 he2], Henan" -临潭,lín tán,"Lintan County in Gannan Tibetan Autonomous Prefecture 甘南藏族自治州[Gan1 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Gansu" -临潭县,lín tán xiàn,"Lintan County in Gannan Tibetan Autonomous Prefecture 甘南藏族自治州[Gan1 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Gansu" -临潼,lín tóng,"Lintong District of Xi’an 西安市[Xi1 an1 Shi4], Shaanxi" -临潼区,lín tóng qū,"Lintong District of Xi’an 西安市[Xi1 an1 Shi4], Shaanxi" -临泽,lín zé,"Linze county in Zhangye 張掖|张掖[Zhang1 ye4], Gansu" -临泽县,lín zé xiàn,"Linze county in Zhangye 張掖|张掖[Zhang1 ye4], Gansu" -临澧,lín lǐ,"Linli county in Changde 常德[Chang2 de2], Hunan" -临澧县,lín lǐ xiàn,"Linli county in Changde 常德[Chang2 de2], Hunan" -临猗,lín yī,"Linyi county in Yuncheng 運城|运城[Yun4 cheng2], Shanxi" -临猗县,lín yī xiàn,"Linyi county in Yuncheng 運城|运城[Yun4 cheng2], Shanxi" -临产,lín chǎn,to face childbirth; about to give birth; refers esp. to the onset of regular contractions -临界,lín jiè,critical; boundary -临界状态,lín jiè zhuàng tài,critical state; criticality -临界质量,lín jiè zhì liàng,critical mass -临界点,lín jiè diǎn,critical point; boundary point -临盆,lín pén,at childbirth; in labor -临眺,lín tiào,to observe from afar; to look into the distance from a high place -临终,lín zhōng,approaching one's end; with one foot in the grave -临终关怀,lín zhōng guān huái,end-of-life care; hospice care; palliative care -临县,lín xiàn,"Lin county in Lüliang 呂梁|吕梁[Lu:3 liang2], Shanxi 山西" -临翔,lín xiáng,"Linxiang district of Lincang city 臨滄市|临沧市[Lin2 cang1 shi4], Yunnan" -临翔区,lín xiáng qū,"Linxiang district of Lincang city 臨滄市|临沧市[Lin2 cang1 shi4], Yunnan" -临蓐,lín rù,at childbirth; in labor -临行,lín xíng,on leaving; on the point of departure -临街,lín jiē,facing the street -临街房,lín jiē fáng,the store front; the part of a house facing the street serving as a store -临西,lín xī,"Linxi county in Xingtai 邢台[Xing2 tai2], Hebei" -临西县,lín xī xiàn,"Linxi County in Xingtai 邢台[Xing2 tai2], Hebei" -临视,lín shì,to observe personally -临走,lín zǒu,before leaving; on departure -临近,lín jìn,close to; approaching -临邑,lín yì,"Linyi county in Dezhou 德州[De2 zhou1], Shandong" -临邑县,lín yì xiàn,"Linyi county in Dezhou 德州[De2 zhou1], Shandong" -临门,lín mén,to arrive home; facing one's home; home-coming; (soccer) facing the goalmouth -临门一脚,lín mén yī jiǎo,to try to score (a goal); final push (at a critical juncture); the final leg of sth -临阵,lín zhèn,just before the battle; to approach the front line -临阵磨枪,lín zhèn mó qiāng,lit. to sharpen one's spear only before going into battle (idiom); fig. to make preparations only at the last moment -临阵脱逃,lín zhèn tuō táo,see 臨陣退縮|临阵退缩[lin2 zhen4 tui4 suo1] -临阵退缩,lín zhèn tuì suō,to shrink back as the time for battle approaches (idiom); to get cold feet -临难,lín nàn,in peril; facing disaster -临头,lín tóu,to befall; to be imminent -临高,lín gāo,"Lingao County, Hainan" -临高县,lín gāo xiàn,"Lingao County, Hainan" -临魁,lín kuí,"Linkui (c. 2000 BC), second of the legendary Flame Emperors 炎帝[Yan2 di4] descended from Shennong 神農|神农[Shen2 nong2] Farmer God" -自,zì,(bound form) self; oneself; from; since; naturally; as a matter of course -自上而下,zì shàng ér xià,top-down -自下而上,zì xià ér shàng,bottom-up -自不待言,zì bù dài yán,needless to say; it goes without saying -自不必说,zì bù bì shuō,(idiom) needless to say; it goes without saying -自不量力,zì bù liàng lì,to overestimate one's capabilities (idiom) -自主,zì zhǔ,independent; to act for oneself; autonomous -自主权,zì zhǔ quán,ability to make one's own decisions -自主神经系统,zì zhǔ shén jīng xì tǒng,autonomic nervous system -自主系统,zì zhǔ xì tǒng,autonomous system -自乘,zì chéng,(math.) to multiply (a number) by itself; to raise (a number) to a power; (esp.) to square (a number) -自干五,zì gān wǔ,"(neologism) person who posts online in support of the Chinese government, but unlike a wumao 五毛[wu3 mao2], is not paid for doing so (abbr. for 自帶乾糧的五毛|自带干粮的五毛[zi4 dai4 gan1 liang2 de5 wu3 mao2])" -自乱阵脚,zì luàn zhèn jiǎo,(idiom) to lose one's head; to panic; to go to pieces -自以为是,zì yǐ wéi shì,to believe oneself infallible (idiom); to be opinionated -自作主张,zì zuò zhǔ zhāng,(idiom) to act on one's own; to decide for oneself -自作多情,zì zuò duō qíng,to imagine that one's love is reciprocated; to shower affection on an uninterested party -自作孽,zì zuò niè,to bring disaster on oneself -自作聪明,zì zuò cōng míng,(idiom) to think oneself clever -自作自受,zì zuò zì shòu,(idiom) to reap what one has sown; to stew in one's own juice -自来,zì lái,from the beginning; always; to come of one's own accord -自来卷,zì lái juǎn,natural curls; natural wave -自来水,zì lái shuǐ,running water; tap water -自来水笔,zì lái shuǐ bǐ,fountain pen -自来水管,zì lái shuǐ guǎn,water mains; service pipe; tap-water pipe -自便,zì biàn,to do as one pleases; to not inconvenience oneself -自保,zì bǎo,to defend oneself; self-defense; self-preservation -自信,zì xìn,to have confidence in oneself; self-confidence -自信心,zì xìn xīn,self-confidence -自修,zì xiū,to study on one's own; self-study -自个儿,zì gě er,(dialect) oneself; by oneself -自备,zì bèi,to provide one's own...; own; self-provided; self-contained -自傲,zì ào,arrogance; proud of sth -自传,zì zhuàn,autobiography -自刎,zì wěn,to commit suicide by cutting one's own throat -自制,zì zhì,to maintain self-control; self-control -自制力,zì zhì lì,self-control -自创,zì chuàng,to create; to come up with (an idea etc) -自力更生,zì lì gēng shēng,regeneration through one's own effort (idiom); self-reliance -自助,zì zhù,self-service -自助洗衣店,zì zhù xǐ yī diàn,laundromat; launderette -自助餐,zì zhù cān,buffet; self-service meal -自勉,zì miǎn,to encourage oneself -自动,zì dòng,automatic; voluntarily -自动付款机,zì dòng fù kuǎn jī,cash dispenser; auto-teller; ATM -自动免疫,zì dòng miǎn yì,active immunity -自动化,zì dòng huà,automation -自动化技术,zì dòng huà jì shù,automation -自动取款机,zì dòng qǔ kuǎn jī,automated teller machine (ATM) -自动售货机,zì dòng shòu huò jī,vending machine -自动射线摄影,zì dòng shè xiàn shè yǐng,autoradiography -自动恢复,zì dòng huī fù,spontaneous recovery -自动扶梯,zì dòng fú tī,escalator -自动挂挡,zì dòng guà dǎng,automatic gear change -自动控制,zì dòng kòng zhì,automatic control -自动提款,zì dòng tí kuǎn,automatic cash withdrawal; bank autoteller ATM -自动提款机,zì dòng tí kuǎn jī,bank autoteller; ATM -自动换刀装置,zì dòng huàn dāo zhuāng zhì,automatic tool changer (ATC) -自动挡,zì dòng dǎng,automatic transmission; auto gear shift -自动楼梯,zì dòng lóu tī,escalator -自动柜员机,zì dòng guì yuán jī,automated teller machine (ATM) -自动步道,zì dòng bù dào,moving walkway; travelator -自动自发,zì dòng zì fā,(to act) on one's own initiative -自动装箱,zì dòng zhuāng xiāng,autoboxing (computing) -自动车,zì dòng chē,automobile -自动铅笔,zì dòng qiān bǐ,mechanical pencil; propelling pencil -自动离合,zì dòng lí hé,automatic clutch -自动体外除颤器,zì dòng tǐ wài chú chàn qì,AED (automated external defibrillator) -自动点唱机,zì dòng diǎn chàng jī,jukebox; nickelodeon -自卑,zì bēi,to have low self-esteem; to abase oneself -自卑心理,zì bēi xīn lǐ,sense of inferiority; inferiority complex -自卑情绪,zì bēi qíng xù,inferiority complex -自卸车,zì xiè chē,dump truck -自反,zì fǎn,to introspect; to self-reflect; (math.) reflexive -自取,zì qǔ,to help oneself to (food); to invite (trouble); to court (disaster) -自取其咎,zì qǔ qí jiù,see 咎由自取[jiu4 you2 zi4 qu3] -自取其辱,zì qǔ qí rǔ,(idiom) to embarrass oneself -自取灭亡,zì qǔ miè wáng,to court disaster (idiom); to dig one's own grave -自古,zì gǔ,(since) ancient times; (from) time immemorial -自古以来,zì gǔ yǐ lái,since ancient times -自各儿,zì gě er,variant of 自個兒|自个儿[zi4 ge3 r5] -自吹自擂,zì chuī zì léi,to blow one's own trumpet (idiom) -自告奋勇,zì gào fèn yǒng,to volunteer for; to offer to undertake -自命,zì mìng,to consider oneself to be (sth positive) -自命不凡,zì mìng bù fán,to think too much of oneself; self-important; arrogant -自命清高,zì mìng qīng gāo,to think of oneself as high and pure (idiom); smug and self-righteous; holier-than-thou -自问,zì wèn,to ask oneself; to search one's soul; to reach a conclusion after weighing a matter -自启,zì qǐ,"(of a machine, app etc) to start on its own; to autostart" -自喻,zì yù,to refer to oneself as -自嗨,zì hāi,(slang) to have fun by oneself; to amuse oneself -自叹不如,zì tàn bù rú,to consider oneself as being not as good as the others -自嘲,zì cháo,to mock oneself; to laugh at oneself -自圆其说,zì yuán qí shuō,to make a story or theory consistent; to give a plausible explanation; to plug the holes in one's story -自在,zì zai,comfortable; at ease -自报公议,zì bào gōng yì,self-assessment; declare one's state for open discussion -自报家门,zì bào jiā mén,to introduce oneself; originally a theatrical device in which a character explains his own role -自大,zì dà,arrogant -自大狂,zì dà kuáng,megalomania; egomania; delusions of grandeur -自失,zì shī,at a loss -自奉俭约,zì fèng jiǎn yuē,(idiom) to live frugally -自奉甚俭,zì fèng shèn jiǎn,(idiom) to allow oneself few comforts or pleasures -自如,zì rú,unobstructed; unconstrained; smoothly; with ease; freely -自始,zì shǐ,from the outset; ab initio -自始至终,zì shǐ zhì zhōng,from start to finish (idiom) -自娱,zì yú,to amuse oneself -自娱自乐,zì yú zì lè,to entertain oneself -自媒体,zì méi tǐ,self-media (news or other content published on independently-operated social media accounts) -自学,zì xué,self-study; to study on one's own -自学成才,zì xué chéng cái,a self-made genius -自定义,zì dìng yì,custom; user-defined -自宫,zì gōng,to castrate oneself -自家,zì jiā,oneself; one's own family -自家人,zì jiā rén,"sb with whom one is on familiar terms; sb from the same place (same house, same town etc); one of us" -自封,zì fēng,to proclaim oneself (sth); to give oneself the title of; self-appointed; self-styled; to limit oneself to; to isolate oneself -自专,zì zhuān,to act arbitrarily; to act for oneself -自尊,zì zūn,self-respect; self-esteem; ego; pride -自尊心,zì zūn xīn,self-respect; self-esteem; ego -自寻死路,zì xún sǐ lù,to follow the path to one's own doom (idiom); to bring about one's own destruction -自寻烦恼,zì xún fán nǎo,to bring trouble on oneself (idiom) -自导,zì dǎo,self-guided; autonomous -自导自演,zì dǎo zì yǎn,to direct a movie in which one also plays a major role as an actor; (fig.) to plan and execute a scheme all by oneself -自居,zì jū,to consider oneself as; to believe oneself to be -自己,zì jǐ,oneself; one's own -自己人,zì jǐ rén,those on our side; ourselves; one's own people; one of us -自己动手,zì jǐ dòng shǒu,to do (sth) oneself; to help oneself to -自带,zì dài,to bring one's own; BYO; (of software) preinstalled -自幼,zì yòu,since childhood -自序,zì xù,author's preface; autobiographical notes as introduction to a book -自底向上,zì dǐ xiàng shàng,bottom-up -自强,zì qiáng,to strive for self-improvement -自强不息,zì qiáng bù xī,to strive unremittingly; self-improvement -自强自立,zì qiáng zì lì,to strive for self-improvement -自强运动,zì qiáng yùn dòng,"Self-Strengthening Movement (period of reforms in China c 1861-1894), also named 洋務運動|洋务运动" -自律,zì lǜ,self-discipline; self-regulation; autonomy (ethics); autonomic (physiology) -自律性组织,zì lǜ xìng zǔ zhī,Self-Regulation Organization; SRO -自律神经系统,zì lǜ shén jīng xì tǒng,autonomic nervous system -自得,zì dé,contented; pleased with one's position -自得其乐,zì dé qí lè,to find amusement in one's own way; to enjoy oneself quietly -自从,zì cóng,since (a time); ever since -自忖,zì cǔn,to speculate; to ponder -自怨自艾,zì yuàn zì yì,to be full of remorse; to repent and redress one's errors -自恃,zì shì,self-esteem; self-reliance; overconfident; conceited -自悔,zì huǐ,to regret; to repent -自愈,zì yù,to heal oneself; to repair itself; self-healing -自爱,zì ài,self-respect; self-love; self-regard; regard for oneself; to cherish one's good name; to take good care of one's health -自愧不如,zì kuì bù rú,ashamed of being inferior (idiom); to feel inferior to others -自愧弗如,zì kuì fú rú,to feel ashamed at being inferior (idiom) -自惭形秽,zì cán xíng huì,(idiom) to feel inferior; to feel inadequate -自慰,zì wèi,to console oneself; to masturbate; onanism; masturbation -自懂事以来,zì dǒng shì yǐ lái,for as long as one can remember -自恋,zì liàn,narcissism -自成一家,zì chéng yī jiā,to have a style of one's own -自我,zì wǒ,self-; ego (psychology) -自我介绍,zì wǒ jiè shào,self-introduction; to introduce oneself -自我催眠,zì wǒ cuī mián,self-hypnotism -自我吹嘘,zì wǒ chuī xū,to blow one's own horn (idiom) -自我安慰,zì wǒ ān wèi,to comfort oneself; to console oneself; to reassure oneself -自我实现,zì wǒ shí xiàn,self-actualization (psychology); self-realization -自我意识,zì wǒ yì shí,self-awareness -自我批评,zì wǒ pī píng,self-criticism -自我解嘲,zì wǒ jiě cháo,to refer to one's foibles or failings with self-deprecating humor -自我防卫,zì wǒ fáng wèi,self-defense -自我陶醉,zì wǒ táo zuì,self-satisfied; self-imbued; narcissistic -自戕,zì qiāng,to commit suicide -自打,zì dǎ,(coll.) since -自找,zì zhǎo,to suffer as a consequence of one's own actions; you asked for it; to bring it on oneself (sth unpleasant) -自找苦吃,zì zhǎo kǔ chī,to bring trouble on oneself -自找麻烦,zì zhǎo má fan,to ask for trouble; to invite difficulties -自抑,zì yì,to control oneself -自投罗网,zì tóu luó wǎng,to walk right into the trap -自拍,zì pāi,to take a picture or video of oneself; to take a selfie; selfie -自拍器,zì pāi qì,camera self-timer (for delayed shutter release) -自拍杆,zì pāi gǎn,selfie stick; also written 自拍杆[zi4 pai1 gan1] -自拍模式,zì pāi mó shì,camera self-timer mode (for delayed shutter release) -自拍照,zì pāi zhào,selfie -自拍神器,zì pāi shén qì,selfie stick -自拔,zì bá,to free oneself; to extricate oneself from a difficult situation -自指,zì zhǐ,self-reference -自掏腰包,zì tāo yāo bāo,to pay out of one's own pocket; to dig into one's pocket -自排,zì pái,automatic transmission -自掘坟墓,zì jué fén mù,to dig one's own grave -自控,zì kòng,automated; automatically regulated; to control oneself; self-control -自摸,zì mō,(mahjong) to self-draw the winning tile; (slang) to play with oneself; to masturbate -自救,zì jiù,to get oneself out of trouble -自新,zì xīn,to reform oneself; to mend one's ways and start life anew -自旋,zì xuán,(physics) spin (of a particle) -自暴自弃,zì bào zì qì,to abandon oneself to despair; to give up and stop bothering -自有,zì yǒu,"(I, they etc) of course have (a plan, a way etc); one's own (apartment, brand etc)" -自有品牌,zì yǒu pǐn pái,private brand -自查,zì chá,to inspect oneself; to carry out a self-inspection -自检,zì jiǎn,to act with self-restraint; to examine oneself; to perform a self-test -自欺,zì qī,to deceive oneself -自欺欺人,zì qī qī rén,to deceive others and to deceive oneself; to believe one's own lies -自此,zì cǐ,since then; henceforth -自残,zì cán,to mutilate oneself; self-harm -自杀,zì shā,to kill oneself; to commit suicide; to attempt suicide -自杀式,zì shā shì,suicide (attack); suicidal -自杀式炸弹,zì shā shì zhà dàn,a suicide bomb -自杀式爆炸,zì shā shì bào zhà,suicide bombing -自杀炸弹杀手,zì shā zhà dàn shā shǒu,suicide bomber -自毁,zì huǐ,to destroy one's (reputation etc); (of a device etc) to self-destruct -自民党,zì mín dǎng,Liberal Democratic Party (Japanese political party) -自沉,zì chén,to scuttle (a ship); to drown oneself -自治,zì zhì,autonomy -自治区,zì zhì qū,"autonomous region, namely: Inner Mongolia 內蒙古自治區|内蒙古自治区[Nei4 meng3 gu3 Zi4 zhi4 qu1], Guangxi 廣西壯族自治區|广西壮族自治区[Guang3 xi1 Zhuang4 zu2 Zi4 zhi4 qu1], Tibet 西藏自治區|西藏自治区[Xi1 zang4 Zi4 zhi4 qu1], Ningxia 寧夏回族自治區|宁夏回族自治区[Ning2 xia4 Hui2 zu2 Zi4 zhi4 qu1], Xinjiang 新疆維吾爾自治區|新疆维吾尔自治区[Xin1 jiang1 Wei2 wu2 er3 Zi4 zhi4 qu1]" -自治州,zì zhì zhōu,autonomous prefecture -自治市,zì zhì shì,municipality; autonomous city; also called directly administered city 直轄市|直辖市 -自治旗,zì zhì qí,autonomous county (in Inner Mongolia); autonomous banner -自治机关,zì zhì jī guān,governing body of an autonomous territory -自治权,zì zhì quán,the right to autonomy; autonomy -自治县,zì zhì xiàn,autonomous county -自况,zì kuàng,to compare oneself; to view oneself as -自洽,zì qià,logically consistent; to make sense -自洽性,zì qià xìng,logical consistency -自流井,zì liú jǐng,"Ziliujing District of Zigong City 自貢市|自贡市[Zi4 gong4 Shi4], Sichuan" -自流井区,zì liú jǐng qū,"Ziliujing District of Zigong City 自貢市|自贡市[Zi4 gong4 Shi4], Sichuan" -自淫,zì yín,masturbation -自溺,zì nì,to drown oneself -自满,zì mǎn,complacent; self-satisfied -自洁,zì jié,"to cleanse oneself; to sanctify oneself; self-cleaning (spark plug, oven etc)" -自渎,zì dú,masturbation; to masturbate -自焚,zì fén,self-immolation -自然,zì rán,nature; natural; naturally -自然主义,zì rán zhǔ yì,naturalism (philosophy) -自然之友,zì rán zhī yǒu,Friends of Nature (Chinese environmental NGO) -自然人,zì rán rén,natural person (law); see also 法人[fa3 ren2] -自然保护区,zì rán bǎo hù qū,nature reserve -自然史,zì rán shǐ,natural history (i.e. botany and zoology) -自然层,zì rán céng,natural layer (in an archaeological dig) -自然拼读,zì rán pīn dú,phonics -自然卷,zì rán juǎn,natural curls; natural wave -自然数,zì rán shù,natural number -自然数集,zì rán shù jí,the set of natural numbers (math.) -自然条件,zì rán tiáo jiàn,natural conditions -自然段,zì rán duàn,paragraph -自然法,zì rán fǎ,natural law -自然灾害,zì rán zāi hài,natural disaster -自然现象,zì rán xiàn xiàng,natural phenomenon -自然界,zì rán jiè,nature; the natural world -自然疗法,zì rán liáo fǎ,natural therapy -自然发音,zì rán fā yīn,phonics (Tw) -自然神论,zì rán shén lùn,"deism, theological theory of God who does not interfere in the Universe" -自然科学,zì rán kē xué,natural sciences -自然科学基金会,zì rán kē xué jī jīn huì,natural science fund -自然经济,zì rán jīng jì,natural economy (exchange of goods by bartering not involving money) -自然而然,zì rán ér rán,involuntary; automatically -自然语言,zì rán yǔ yán,natural language -自然语言处理,zì rán yǔ yán chǔ lǐ,"natural language processing, NLP" -自然资源,zì rán zī yuán,natural resource -自然选择,zì rán xuǎn zé,natural selection -自然醒,zì rán xǐng,to wake up naturally (without an alarm) -自然铜,zì rán tóng,natural copper; chalcopyrite; copper iron sulfide CuFeS2 -自然风光,zì rán fēng guāng,nature and scenery -自燃,zì rán,spontaneous combustion -自营,zì yíng,self-operated; to operate one's own business -自营商,zì yíng shāng,dealer -自爆,zì bào,to explode; spontaneous detonation; self-detonation; suicide bombing; to disclose private matters about oneself -自理,zì lǐ,to take care of oneself; to provide for oneself -自甘堕落,zì gān duò luò,to abandon oneself (idiom); to let oneself go -自生自灭,zì shēng zì miè,to emerge and perish on its own; to run its course (idiom) -自用,zì yòng,to have (sth) for one's own use; (literary) to be opinionated -自由,zì yóu,freedom; liberty; free; unrestricted; CL:種|种[zhong3] -自由中国,zì yóu zhōng guó,"Free China (Cold War era term for the Republic of China on Taiwan, as distinct from ""Red China"")" -自由主义,zì yóu zhǔ yì,liberalism -自由亚洲电台,zì yóu yà zhōu diàn tái,Radio Free Asia -自由企业,zì yóu qǐ yè,free enterprise (in capitalist theory) -自由刑,zì yóu xíng,(law) deprivation of freedom -自由化,zì yóu huà,liberalization; freeing (from sth) -自由古巴,zì yóu gǔ bā,Cuba Libre -自由城,zì yóu chéng,"Freetown, capital of Sierra Leone (Tw)" -自由基,zì yóu jī,free radical -自由基清除剂,zì yóu jī qīng chú jì,radical scavenger (chemistry) -自由女神像,zì yóu nǚ shén xiàng,Statue of Liberty -自由市,zì yóu shì,"Libreville, capital of Gabon (Tw)" -自由市场,zì yóu shì chǎng,free market -自由度,zì yóu dù,(number of) degrees of freedom (physics and statistics) -自由式,zì yóu shì,freestyle (in sports) -自由意志,zì yóu yì zhì,free will -自由意志主义,zì yóu yì zhì zhǔ yì,libertarianism -自由放任,zì yóu fàng rèn,laissez-faire -自由散漫,zì yóu sǎn màn,easygoing; lax; unconstrained; unruly -自由民主党,zì yóu mín zhǔ dǎng,Liberal Democratic Party -自由泳,zì yóu yǒng,freestyle swimming -自由活动,zì yóu huó dòng,free time (between organized activities) -自由派,zì yóu pài,liberal -自由港,zì yóu gǎng,free port -自由潜水,zì yóu qián shuǐ,freediving; skin diving -自由焓,zì yóu hán,free enthalpy (thermodynamics); Gibbs free energy -自由爵士乐,zì yóu jué shì yuè,free jazz (music genre) -自由王国,zì yóu wáng guó,realm of freedom (philosophy) -自由神像,zì yóu shén xiàng,Statue of Liberty -自由素食主义,zì yóu sù shí zhǔ yì,Freeganism -自由职业,zì yóu zhí yè,self-employed; profession -自由自在,zì yóu zì zài,free and easy (idiom); carefree; leisurely -自由落体,zì yóu luò tǐ,free-fall -自由行,zì yóu xíng,travel organized by oneself rather than in a tour group -自由贸易,zì yóu mào yì,free trade -自由贸易区,zì yóu mào yì qū,free trade zone; free trade area -自由软件,zì yóu ruǎn jiàn,"free software (i.e. software for which sharing, modification etc is permitted)" -自由软件基金会,zì yóu ruǎn jiàn jī jīn huì,Free Software Foundation -自由选择权,zì yóu xuǎn zé quán,free agency -自由降落,zì yóu jiàng luò,free fall -自由体操,zì yóu tǐ cāo,floor (gymnastics) -自由党,zì yóu dǎng,Liberal Party -自留地,zì liú dì,private plot allocated to an individual on a collective farm -自留山,zì liú shān,hilly land allotted for private use -自画像,zì huà xiàng,self-portrait -自发,zì fā,spontaneous -自发对称破缺,zì fā duì chèn pò quē,spontaneous symmetry breaking (physics) -自发粉,zì fā fěn,self-rising flour -自发电位,zì fā diàn wèi,electroencephalogram (EEG) -自白,zì bái,confession; to make clear one's position or intentions; to brag -自白书,zì bái shū,confession -自尽,zì jìn,to kill oneself; suicide -自相,zì xiāng,mutual; each other; one another; self- -自相残杀,zì xiāng cán shā,to massacre one another (idiom); internecine strife -自相矛盾,zì xiāng máo dùn,to contradict oneself; self-contradictory; inconsistent -自相惊扰,zì xiāng jīng rǎo,to frighten one another -自相鱼肉,zì xiāng yú ròu,butchering one another as fish and flesh (idiom); killing one another; internecine strife -自省,zì xǐng,to examine oneself; to reflect on one's shortcomings; introspection; self-awareness; self-criticism -自矜,zì jīn,to boast; to blow one's own horn -自知之明,zì zhī zhī míng,knowing oneself (idiom); self-knowledge -自知理亏,zì zhī lǐ kuī,to know that one is in the wrong (idiom) -自私,zì sī,selfish; selfishness -自私自利,zì sī zì lì,everything for self and selfish profit (idiom); with no regard for others; selfish; mercenary -自称,zì chēng,to call oneself; to claim to be; to profess; to claim a title -自立,zì lì,independent; self-reliant; self-sustaining; to stand on one's own feet; to support oneself -自立自强,zì lì zì qiáng,to be self-reliant -自立门户,zì lì mén hù,to form one's own group or school of thought; to set up one's own business; to establish oneself -自给,zì jǐ,self-reliant -自给自足,zì jǐ zì zú,self-sufficiency; autarky -自经,zì jīng,(literary) to hang oneself -自缢,zì yì,to hang oneself -自缚手脚,zì fù shǒu jiǎo,to bind oneself hand and foot -自繇自在,zì yóu zì zai,free and easy (idiom); carefree; leisurely -自罪,zì zuì,"actual sin (Christian notion, as opposed to original sin 原罪); conscious sin" -自习,zì xí,to study outside of class time (reviewing one's lessons); to study in one's free time; individual study -自耕农,zì gēng nóng,owner peasant; land-holding peasant -自举,zì jǔ,bootstrapping -自艾自怜,zì yì zì lián,(idiom) to feel sorry for oneself -自若,zì ruò,calm; composed; at ease -自荐,zì jiàn,to recommend oneself (for a job) -自行,zì xíng,voluntary; autonomous; by oneself; self- -自行了断,zì xíng liǎo duàn,to take one's life -自行其是,zì xíng qí shì,to act as one thinks fit; to have one's own way -自行车,zì xíng chē,bicycle; bike; CL:輛|辆[liang4] -自行车架,zì xíng chē jià,bike rack; bicycle frame -自行车赛,zì xíng chē sài,cycle race -自行车道,zì xíng chē dào,bike path; bicycle trail; bike lane -自行车馆,zì xíng chē guǎn,cycling stadium; velodrome -自卫,zì wèi,to defend oneself; self-defense -自卫队,zì wèi duì,self-defense force; the Japanese armed forces -自装,zì zhuāng,"self-loading (weapon, tape deck etc)" -自制,zì zhì,self-made; improvised; homemade; handmade -自制炸弹,zì zhì zhà dàn,improvised explosive device IED -自要,zì yào,so long as; provided that -自视,zì shì,to view oneself -自视清高,zì shì qīng gāo,to think highly of oneself (idiom); giving oneself airs; arrogant and self-important -自视甚高,zì shì shèn gāo,to think highly of oneself (idiom); giving oneself airs; arrogant and self-important -自觉,zì jué,conscious; aware; on one's own initiative; conscientious -自言,zì yán,to say (sth that relates to oneself) -自言自语,zì yán zì yǔ,to talk to oneself; to think aloud; to soliloquize -自讨没趣,zì tǎo méi qù,to invite a snub; to court a rebuff -自讨苦吃,zì tǎo kǔ chī,to ask for trouble (idiom); to make a rod for one's own back -自诉,zì sù,private prosecution (law); (of a patient) to describe (one's symptoms) -自诩,zì xǔ,to pose as; to flaunt oneself as; to boast of; to brag -自夸,zì kuā,to boast -自认,zì rèn,to believe (sth in relation to oneself); to regard oneself as; to acknowledge (sth in relation to oneself); to resign oneself to -自语,zì yǔ,to talk to oneself -自谋出路,zì móu chū lù,(idiom) to take matters into one's own hands; to go it alone; to fend for oneself; to find one's own way forward (esp. to find oneself a job) -自谦,zì qiān,modest; self-deprecating -自谴,zì qiǎn,to blame oneself; self-recrimination -自变数,zì biàn shù,(math.) independent variable -自变量,zì biàn liàng,(math.) independent variable -自豪,zì háo,proud (of one's achievements etc) -自豪感,zì háo gǎn,pride in sth; self-esteem -自负,zì fù,conceited; to take responsibility -自负盈亏,zì fù yíng kuī,responsible for its profit and losses (of organization); financially autonomous; personal financial responsibility -自贡,zì gòng,Zigong prefecture-level city in Sichuan -自贡市,zì gòng shì,Zigong prefecture-level city in Sichuan -自责,zì zé,to blame oneself -自费,zì fèi,at one's own expense; self-funded -自贻伊戚,zì yí yī qī,to create trouble for oneself (idiom) -自贸区,zì mào qū,abbr. for 自由貿易區|自由贸易区[zi4 you2 mao4 yi4 qu1] -自足,zì zú,self-sufficient; satisfied with oneself -自身,zì shēn,itself; oneself; one's own -自身利益,zì shēn lì yì,one's own interests -自身难保,zì shēn nán bǎo,powerless to defend oneself (idiom); helpless -自轻自贱,zì qīng zì jiàn,to belittle oneself; self-contempt -自转,zì zhuàn,(of a celestial body) to rotate on its own axis -自转轴,zì zhuàn zhóu,axis of rotation -自述,zì shù,to recount in one's own words; autobiography; written self-introduction -自游,zì yóu,to travel alone (i.e. not with a tourist group) -自适应,zì shì yìng,adaptive -自选,zì xuǎn,to choose by oneself; free to choose; optional; self-service -自酌,zì zhuó,to enjoy a cup of wine by oneself -自重,zì zhòng,to conduct oneself with dignity; to be dignified; deadweight -自闭症,zì bì zhèng,autism -自顶向下,zì dǐng xiàng xià,top-down -自愿,zì yuàn,voluntary -自愿性,zì yuàn xìng,voluntary -自愿者,zì yuàn zhě,volunteer -自顾不暇,zì gù bù xiá,(idiom) to have one's hands full managing one's own affairs; too busy to spare time for anything extra -自顾自,zì gù zì,each minding his own business -自食其力,zì shí qí lì,lit. to eat off one's own strength (idiom); fig. to stand on one's own feet; to earn one's own living -自食其果,zì shí qí guǒ,to eat one's own fruit (idiom); fig. suffering the consequences of one's own action; to reap what one has sown -自食恶果,zì shí è guǒ,lit. to eat one's own bitter fruit (idiom); fig. to suffer the consequences of one's own actions; to stew in one's own juice -自食苦果,zì shí kǔ guǒ,see 自食惡果|自食恶果[zi4 shi2 e4 guo3] -自养,zì yǎng,"self-sustaining; economically independent (of state aid, foreign subsidy etc)" -自养生物,zì yǎng shēng wù,(biology) autotroph -自馁,zì něi,to lose confidence; to be disheartened -自首,zì shǒu,to give oneself up; to surrender (to the authorities) -自驾,zì jià,to drive oneself somewhere -自驾汽车出租,zì jià qì chē chū zū,self-drive car rental -自驾租赁,zì jià zū lìn,self-drive hire (of a car etc) -自驾车,zì jià chē,to drive oneself somewhere; private vehicle; (Tw) self-driving car; autonomous car -自驾游,zì jià yóu,to go on a self-drive tour; to go on a road trip -自体免疫疾病,zì tǐ miǎn yì jí bìng,autoimmune disease -自高,zì gāo,to be proud of oneself -自高自大,zì gāo zì dà,to think of oneself as terrific (idiom); arrogant -自鸣得意,zì míng dé yì,to think highly of oneself -自鸣钟,zì míng zhōng,chiming clock -自黑,zì hēi,(Internet slang) to make fun of oneself -臬,niè,guidepost; rule; standard; limit; target (old) -臬台,niè tái,provincial judge (in imperial China) -臭,chòu,stench; smelly; to smell (bad); repulsive; loathsome; terrible; bad; severely; ruthlessly; dud (ammunition) -臭,xiù,sense of smell; smell bad -臭不可闻,chòu bù kě wén,to stink to high heaven; (fig.) disgraceful; disgusting -臭名昭彰,chòu míng zhāo zhāng,notorious for his misdeeds (idiom); infamous -臭名昭著,chòu míng zhāo zhù,notorious; infamous; egregious (bandits) -臭名远扬,chòu míng yuǎn yáng,stinking reputation; notorious far and wide -臭味,chòu wèi,bad smell; foul odor -臭味相投,chòu wèi xiāng tóu,to share vile habits; partners in notoriety; birds of a feather -臭子儿,chòu zǐ er,dead bullet (one that does not fire); a bad move (in a game of chess) -臭屁,chòu pì,(coll.) self-important; puffed up -臭屁虫,chòu pì chóng,stinkbug -臭弹,chòu dàn,dead bomb (i.e. not exploding on impact) -臭架子,chòu jià zi,stinking pretension; to give oneself airs and offend others; hateful arrogance -臭棋,chòu qí,blunder (in chess) -臭气,chòu qì,stench -臭气冲天,chòu qì chōng tiān,(idiom) to stink to high heaven -臭气熏天,chòu qì xūn tiān,overwhelming stench (idiom) -臭氧,chòu yǎng,ozone (O₃) -臭氧层,chòu yǎng céng,ozone layer -臭烘烘,chòu hōng hōng,stinking -臭熏熏,chòu xūn xūn,stinking -臭皮囊,chòu pí náng,this mortal flesh -臭粉,chòu fěn,baking ammonia (ammonium bicarbonate) -臭骂,chòu mà,tongue-lashing; to chew out; CL:頓|顿[dun4] -臭美,chòu měi,to show off one's good looks shamelessly -臭老九,chòu lǎo jiǔ,stinking intellectual (contemptuous term for educated people during the Cultural Revolution) -臭脸,chòu liǎn,"sour face; scowling face; CL:張|张[zhang1],副[fu4]" -臭臭锅,chòu chòu guō,hot pot containing stinky tofu and other ingredients (Taiwanese dish) -臭盖,chòu gài,to drivel (Tw) -臭虫,chòu chóng,bedbug (Cimex lectularius); tick -臭豆腐,chòu dòu fu,stinky tofu; strong-smelling preserved beancurd; fig. rough exterior but lovable person -臭货,chòu huò,low-quality goods; scumbag; bitch -臭迹,chòu jì,scent (smell of person or animal used for tracking) -臭钱,chòu qián,dirty money -臭鼬,chòu yòu,skunk -皋,gāo,variant of 皋[gao1] -臲,niè,tottering; unsteady -至,zhì,to arrive; most; to; until -至上,zhì shàng,supreme; paramount; above all else -至交,zhì jiāo,best friend -至人,zhì rén,fully realized human being; sage; saint -至今,zhì jīn,so far; to this day; until now -至多,zhì duō,up to the maximum; upper limit; at most -至好,zhì hǎo,best friend -至始至终,zhì shǐ zhì zhōng,from start to finish -至宝,zhì bǎo,most valuable treasure; most precious asset -至尊,zhì zūn,the most honorable; the most respected; supreme; (archaic) the emperor -至少,zhì shǎo,at least; (to say the) least -至德,zhì dé,splendid virtue; majestic moral character; great kindness -至爱,zhì ài,most beloved -至于,zhì yú,as for; as to; to go so far as to -至极,zhì jí,extremely -至此,zhì cǐ,up until now; so far -至理名言,zhì lǐ míng yán,wise saying; words of wisdom -至当,zhì dàng,most suitable; extremely appropriate -至若,zhì ruò,as for -至亲,zhì qīn,next of kin; closely related -至诚,zhì chéng,sincere -至迟,zhì chí,at the latest -至关重要,zhì guān zhòng yào,extremely important; vital; crucial; essential -至高,zhì gāo,paramount; supremacy -至高无上,zhì gāo wú shàng,supreme; paramount; unsurpassed -至高统治权,zhì gāo tǒng zhì quán,supreme power; sovereignty -致,zhì,(literary) to send; to transmit; to convey; (bound form) to cause; to lead to; consequently -致仕,zhì shì,to retire from a government post (old) -致以,zhì yǐ,"to express; to present; to extend; to tender (greetings, thanks etc)" -致使,zhì shǐ,to cause; to result in -致信,zhì xìn,to send a letter to -致冷剂,zhì lěng jì,refrigerant -致函,zhì hán,to send a letter -致力,zhì lì,to work for; to devote one's efforts to -致命,zhì mìng,fatal; mortal; deadly; to sacrifice one's life -致命伤,zhì mìng shāng,mortal wound; (fig.) fatal weakness; Achilles' heel -致哀,zhì āi,to express grief; to mourn -致富,zhì fù,to become rich -致幻剂,zhì huàn jì,hallucinogen -致意,zhì yì,to send one's greetings; to send one's best regards; to devote attention to -致敬,zhì jìng,to salute; to pay one's respects to; to pay tribute to; to pay homage to -致歉,zhì qiàn,to apologize; to express regret -致死,zhì sǐ,to cause death; to be lethal; to be deadly -致死剂量,zhì sǐ jì liàng,lethal dose -致死性,zhì sǐ xìng,lethal; fatal -致死性毒剂,zhì sǐ xìng dú jì,lethal agent -致死量,zhì sǐ liàng,lethal dose -致残,zhì cán,to be crippled (in an accident etc) -致畸,zhì jī,producing abnormality; leading to malformation; teratogenic -致病,zhì bìng,to cause disease; to be pathogenic -致病性,zhì bìng xìng,pathogenic; pathogenicity -致病菌,zhì bìng jūn,pathogenic bacteria -致癌,zhì ái,to cause cancer; carcinogenic -致癌物,zhì ái wù,carcinogen -致癌物质,zhì ái wù zhì,carcinogen; cancer causing substance -致词,zhì cí,to make a speech; to make some remarks -致谢,zhì xiè,expression of gratitude; to give thanks; a thank-you note; acknowledgement -致贺,zhì hè,to congratulate -致辞,zhì cí,"to express in words or writing; to make a speech (esp. short introduction, vote of thanks, afterword, funeral homily etc); to address (an audience); same as 致詞|致词" -致电,zhì diàn,to phone; to telegram -致郁,zhì yù,(slang) depressing -台,tái,Taiwan (abbr.) -台,tái,platform; stage; terrace; stand; support; station; broadcasting station; classifier for vehicles or machines -台上,tái shàng,on stage -台中,tái zhōng,Taizhong or Taichung city in central Taiwan -台中市,tái zhōng shì,"Taichung, a city in central Taiwan" -台中县,tái zhōng xiàn,Taichung or Taizhong County in central Taiwan -台倭,tái wō,(derogatory for Taiwanese) Jap lover -台儿庄,tái ér zhuāng,"Tai'erzhuang district of Zaozhuang city 棗莊市|枣庄市[Zao3 zhuang1 shi4], Shandong" -台北,tái běi,"Taipei, capital of Taiwan" -台北市,tái běi shì,"Taibei or Taipei, capital of Taiwan" -台北县,tái běi xiàn,Taipei County in north Taiwan (now renamed 新北市[Xin1 bei3 shi4]) -台南市,tái nán shì,"Tainan city in Tainan county 臺南縣|台南县[Tai2 nan2 xian4], Taiwan" -台南府,tái nán fǔ,"Tainan Prefecture, a prefecture of Taiwan under Qing rule" -台地,tái dì,tableland; mesa -台基,tái jī,stylobate (architecture) -台大,tái dà,abbr. for 臺灣大學|台湾大学[Tai2 wan1 Da4 xue2] -台媒,tái méi,Taiwan media -台子,tái zi,platform; stand -台式机,tái shì jī,desktop computer -台扇,tái shàn,table fan; desk fan -台斤,tái jīn,Taiwan catty (weight equal to 0.6 kg) -台本,tái běn,"script (of a play, movie, or television program)" -台东县,tái dōng xiàn,Taitung County in southeast Taiwan -台柱,tái zhù,pillar; mainstay; star performer -台海,tái hǎi,"abbr. for 台灣海峽|台湾海峡, Taiwan Strait" -台湾,tái wān,Taiwan -台湾土狗,tái wān tǔ gǒu,"Formosan mountain dog, a breed native to Taiwan" -台湾大学,tái wān dà xué,National Taiwan University; abbr. to 臺大|台大[Tai2 Da4] -台湾山鹧鸪,tái wān shān zhè gū,(bird species of China) Taiwan partridge (Arborophila crudigularis) -台湾岛,tái wān dǎo,Taiwan Island -台湾戴菊,tái wān dài jú,(bird species of China) flamecrest (Regulus goodfellowi) -台湾拟啄木鸟,tái wān nǐ zhuó mù niǎo,(bird species of China) Taiwan barbet (Megalaima nuchalis) -台湾斑翅鹛,tái wān bān chì méi,(bird species of China) Taiwan barwing (Actinodura morrisoniana) -台湾斑胸钩嘴鹛,tái wān bān xiōng gōu zuǐ méi,(bird species of China) black-necklaced scimitar babbler (Pomatorhinus erythrocnemis) -台湾林鸲,tái wān lín qú,(bird species of China) collared bush robin (Tarsiger johnstoniae) -台湾棕噪鹛,tái wān zōng zào méi,(bird species of China) rusty laughingthrush (Garrulax poecilorhynchus) -台湾棕颈钩嘴鹛,tái wān zōng jǐng gōu zuǐ méi,(bird species of China) Taiwan scimitar babbler (Pomatorhinus musicus) -台湾画眉,tái wān huà méi,(bird species of China) Taiwan hwamei (Garrulax taewanus) -台湾白喉噪鹛,tái wān bái hóu zào méi,(bird species of China) rufous-crowned laughingthrush (Garrulax ruficeps) -台湾省,tái wān shěng,Taiwan province (PRC term) -台湾短翅莺,tái wān duǎn chì yīng,(bird species of China) Taiwan bush warbler (Locustella alishanensis) -台湾紫啸鸫,tái wān zǐ xiào dōng,(bird species of China) Taiwan whistling thrush (Myophonus insularis) -台湾蓝鹊,tái wān lán què,(bird species of China) Taiwan blue magpie (Urocissa caerulea) -台湾酒红朱雀,tái wān jiǔ hóng zhū què,(bird species of China) Taiwan rosefinch (Carpodacus formosanus) -台湾雀鹛,tái wān què méi,(bird species of China) grey-cheeked fulvetta (Alcippe morrisonia) -台湾鹎,tái wān bēi,(bird species of China) Taiwan bulbul (Pycnonotus taivanus) -台湾鹪鹛,tái wān jiāo méi,(bird species of China) Taiwan wren-babbler (Pnoepyga formosana) -台湾黄山雀,tái wān huáng shān què,(bird species of China) yellow tit (Machlolophus holsti) -台甫,tái fǔ,(polite) courtesy name -台盆,tái pén,washbasin -台罗字,tái luó zì,"Tai-lo, romanization system for Taiwanese Hokkien (abbr. for 臺灣閩南語羅馬字拼音方案|台湾闽南语罗马字拼音方案[Tai2wan1 Min3nan2yu3 Luo2ma3zi4 Pin1yin1 Fang1an4])" -台胞,tái bāo,Taiwan compatriot -台虎钳,tái hǔ qián,bench vise -台西,tái xī,"Taixi or Taihsi township in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -台西乡,tái xī xiāng,"Taixi or Taihsi township in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -台视,tái shì,"abbr. for 臺灣電視公司|台湾电视公司, Taiwan Television (TTV)" -台词,tái cí,an actor's lines; dialogue; Taiwanese word -台谍,tái dié,Taiwan spy -台阶,tái jiē,steps; flight of steps; step (over obstacle); fig. way out of an embarrassing situation; bench (geology) -台面呢,tái miàn ní,baize; felt (esp. billiards table cover) -台风,tái fēng,"stage presence, poise" -臻,zhēn,to arrive; to reach (esp. perfection); utmost; (used in commercials) -臻化境,zhēn huà jìng,to reach the pinnacle (of artistic skill) -臻于完善,zhēn yú wán shàn,to attain perfection (idiom) -臻于郅治,zhēn yú zhì zhì,to attain a state of perfect governance (idiom) -臻至,zhēn zhì,to reach -臼,jiù,mortar -臼窠,jiù kē,see 窠臼[ke1 jiu4] -臼齿,jiù chǐ,molar tooth -臽,xiàn,(archaic) pit; hole in the ground; (archaic) variant of 陷[xian4] -臾,yú,surname Yu -臾,yú,a moment; little while -臾须,yú xū,short period of time; a moment -臿,chā,to separate the grain from the husk -舀,yǎo,to ladle out; to scoop up -舀勺,yǎo sháo,scoop; dipper -舀子,yǎo zi,ladle; scoop -舀水,yǎo shuǐ,to ladle water; to scoop up water -舀汤,yǎo tāng,to ladle out soup -舁,yú,to lift; to raise -舂,chōng,to pound (grain); beat -舄,xì,shoe; slipper -舅,jiù,maternal uncle -舅妈,jiù mā,(coll.) aunt; maternal uncle's wife -舅嫂,jiù sǎo,"wife's brother's wife, sister-in-law" -舅母,jiù mǔ,wife of mother's brother; aunt; maternal uncle's wife -舅父,jiù fù,mother's brother; maternal uncle -舅爷,jiù yé,father's maternal uncle; granduncle -舅舅,jiù jiu,mother's brother; maternal uncle (informal); CL:個|个[ge4] -与,yú,variant of 歟|欤[yu2] -与,yǔ,and; to give; together with -与,yù,to take part in -与世俯仰,yǔ shì fǔ yǎng,to swim with the tide (idiom) -与世永别,yǔ shì yǒng bié,to die -与世无争,yǔ shì wú zhēng,(idiom) to stand aloof from worldly affairs -与世长辞,yǔ shì cháng cí,to die; to depart from the world forever -与世隔绝,yǔ shì gé jué,to be cut off from the rest of the world (idiom) -与人为善,yǔ rén wéi shàn,to be of service to others; to help others; benevolent -与全世界为敌,yǔ quán shì jiè wéi dí,(idiom) to fight the whole world -与共,yǔ gòng,to experience together with sb -与其,yǔ qí,"rather than... (used in expressions of the form 與其|与其[yu3qi2] + {verb1} + 不如[bu4ru2] + {verb2} ""rather than {verb1}, better to {verb2}"")" -与否,yǔ fǒu,whether or not (at the end of a phrase) -与日俱增,yǔ rì jù zēng,to increase steadily; to grow with each passing day -与日俱进,yǔ rì jù jìn,every day sees new developments (idiom); to make constant progress -与日同辉,yǔ rì tóng huī,to become more glorious with each passing day (idiom) -与时俱进,yǔ shí jù jìn,abreast of modern developments; to keep up with the times; progressive; timely -与时消息,yǔ shí xiāo xi,variable with the times; transient; impermanent -与时间赛跑,yǔ shí jiān sài pǎo,to race against time -与会,yù huì,to participate in a meeting -与格,yǔ gé,dative case -与此同时,yǔ cǐ tóng shí,at the same time; meanwhile -与生俱来,yǔ shēng jù lái,inherent; innate -与众不同,yǔ zhòng bù tóng,to stand out from the masses (idiom) -与门,yǔ mén,AND gate (electronics) -兴,xīng,surname Xing -兴,xīng,to rise; to flourish; to become popular; to start; to encourage; to get up; (often used in the negative) to permit or allow (dialect); maybe (dialect) -兴,xìng,feeling or desire to do sth; interest in sth; excitement -兴中会,xīng zhōng huì,"Revive China Society, founded by Dr Sun Yat-sen 孫中山|孙中山 in 1894 in Honolulu" -兴亡,xīng wáng,to flourish and decay; rise and fall -兴仁,xīng rén,"Xingren county in Qianxinan Buyei and Miao autonomous prefecture 黔西南州[Qian2 xi1 nan2 zhou1], Guizhou" -兴仁县,xīng rén xiàn,"Xingren county in Qianxinan Buyei and Miao autonomous prefecture 黔西南州[Qian2 xi1 nan2 zhou1], Guizhou" -兴兵,xīng bīng,to send troops -兴利除弊,xīng lì chú bì,to promote what is useful and get rid of what is harmful (idiom) -兴化,xīng huà,"Xinghua, county-level city in Taizhou 泰州[Tai4 zhou1], Jiangsu" -兴化市,xīng huà shì,"Xinghua, county-level city in Taizhou 泰州[Tai4 zhou1], Jiangsu" -兴味,xìng wèi,interest; taste -兴和,xīng hé,"Xinghe county in Ulaanchab 烏蘭察布|乌兰察布[Wu1 lan2 cha2 bu4], Inner Mongolia" -兴和县,xīng hé xiàn,"Xinghe county in Ulaanchab 烏蘭察布|乌兰察布[Wu1 lan2 cha2 bu4], Inner Mongolia" -兴国,xīng guó,"Xingguo county in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -兴国,xīng guó,to invigorate the country -兴国县,xīng guó xiàn,"Xingguo county in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -兴城,xīng chéng,"Xincheng, county-level city in Huludao 葫蘆島|葫芦岛[Hu2 lu2 dao3], Liaoning" -兴城市,xīng chéng shì,"Xincheng, county-level city in Huludao 葫蘆島|葫芦岛[Hu2 lu2 dao3], Liaoning" -兴奋,xīng fèn,excited; excitement; (physiology) excitation -兴奋剂,xīng fèn jì,stimulant; doping (in athletics) -兴奋高潮,xīng fèn gāo cháo,peak of excitement; orgasm -兴妖作怪,xīng yāo zuò guài,lit. to summon demons to create havoc (idiom); fig. to stir up all kinds of trouble -兴学,xīng xué,to establish schools; to raise the standard of education -兴安,xīng ān,"Xing'an county in Guilin 桂林[Gui4 lin2], Guangxi; Hinggan league, a prefecture level subdivision of Inner Mongolia; Xing'an district of Hegang city 鶴崗|鹤岗[He4 gang3], Heilongjiang" -兴安区,xīng ān qū,"Xing'an district of Hegang city 鶴崗|鹤岗[He4 gang3], Heilongjiang" -兴安盟,xīng ān méng,"Hinggan league, a prefecture level subdivision of Inner Mongolia" -兴安县,xīng ān xiàn,"Xing'an county in Guilin 桂林[Gui4 lin2], Guangxi" -兴安运河,xīng ān yùn hé,"another name for Lingqu 靈渠|灵渠[Ling2 qu2], canal in Xing'an county 興安|兴安[Xing1 an1], Guangxi" -兴宁,xīng níng,"Xingning, county-level city in Meizhou 梅州, Guangdong; Xingning District of Nanning City 南寧市|南宁市[Nan2 ning2 Shi4], Guangxi" -兴宁区,xīng níng qū,"Xingning District of Nanning City 南寧市|南宁市[Nan2 ning2 Shi4], Guangxi" -兴宁市,xīng níng shì,"Xingning, county-level city in Meizhou 梅州, Guangdong" -兴山,xīng shān,"Xingshan district of Hegang city 鶴崗|鹤岗[He4 gang3], Heilongjiang; Xingshan county in Yichang 宜昌[Yi2 chang1], Hubei" -兴山区,xīng shān qū,"Xingshan district of Hegang city 鶴崗|鹤岗[He4 gang3], Heilongjiang" -兴山县,xīng shān xiàn,"Xingshan county in Yichang 宜昌[Yi2 chang1], Hubei" -兴师,xīng shī,to dispatch troops; to send an army; to mobilize forces -兴师动众,xīng shī dòng zhòng,to muster large forces; to get a great number of people involved (in carrying out some task) -兴师问罪,xīng shī wèn zuì,to send punitive forces against; (fig.) to criticize violently -兴平,xīng píng,"Xingping, county-level city in Xianyang 咸陽|咸阳[Xian2 yang2], Shaanxi" -兴平市,xīng píng shì,"Xingping, county-level city in Xianyang 咸陽|咸阳[Xian2 yang2], Shaanxi" -兴建,xīng jiàn,to build; to construct -兴庆区,xīng qìng qū,"Xingqing district of Yinchuan city 銀川市|银川市[Yin2 chuan1 shi4], Ningxia" -兴文,xīng wén,"Xingwen county in Yibin 宜賓|宜宾[Yi2 bin1], Sichuan" -兴文县,xīng wén xiàn,"Xingwen county in Yibin 宜賓|宜宾[Yi2 bin1], Sichuan" -兴旺,xīng wàng,prosperous; thriving; to prosper; to flourish -兴旺发达,xīng wàng fā dá,prosperous and developing; flourishing -兴替,xīng tì,rise and fall -兴会,xìng huì,sudden inspiration; flash of insight; brainwave -兴业,xīng yè,"Xingye county in Yulin 玉林[Yu4 lin2], Guangxi" -兴业县,xīng yè xiàn,"Xingye county in Yulin 玉林[Yu4 lin2], Guangxi" -兴业银行,xīng yè yín háng,Société Générale -兴荣,xīng róng,to flourish; to prosper -兴冲冲,xìng chōng chōng,full of joy and expectations; animatedly -兴海,xīng hǎi,"Xinghai county in Hainan Tibetan autonomous prefecture 海南藏族自治州[Hai3 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -兴海县,xīng hǎi xiàn,"Xinghai county in Hainan Tibetan autonomous prefecture 海南藏族自治州[Hai3 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -兴灭继绝,xīng miè jì jué,lit. to restore the state and revive old families (idiom); fig. to restore sth that has been destroyed or forgotten -兴盛,xīng shèng,to flourish; to thrive -兴尽,xìng jìn,to have lost interest; to have had enough -兴县,xīng xiàn,"Xing county in Lüliang 呂梁|吕梁[Lu:3 liang2], Shanxi 山西" -兴义,xīng yì,"Xingyi city in Guizhou, capital of Qianxinan Buyei and Miao autonomous prefecture 黔西南布依族苗族自治州" -兴义市,xīng yì shì,"Xingyi city in Guizhou, capital of Qianxinan Buyei and Miao autonomous prefecture 黔西南布依族苗族自治州" -兴致,xìng zhì,mood; spirits; interest -兴致勃勃,xìng zhì bó bó,to become exhilarated (idiom); in high spirits; full of zest -兴衰,xīng shuāi,prosperity and decline (of a kingdom); rise and fall -兴许,xīng xǔ,(coll.) perhaps -兴宾,xīng bīn,"Xingbin district of Laibin city 來賓市|来宾市[Lai2 bin1 shi4], Guangxi" -兴宾区,xīng bīn qū,"Xingbin district of Laibin city 來賓市|来宾市[Lai2 bin1 shi4], Guangxi" -兴起,xīng qǐ,to rise; to spring up; to burgeon; to be aroused; to come into vogue -兴趣,xìng qù,interest (desire to know about sth); interest (thing in which one is interested); hobby; CL:個|个[ge4] -兴办,xīng bàn,to begin; to set in motion -兴都库什,xīng dū kù shí,the Hindu Kush (mountain range) -兴隆,xīng lóng,"Xinglong county in Chengde 承德[Cheng2 de2], Hebei" -兴隆,xīng lóng,prosperous; thriving; flourishing -兴隆县,xīng lóng xiàn,"Xinglong county in Chengde 承德[Cheng2 de2], Hebei" -兴隆台,xīng lóng tái,"Xinglongtai district of Panjin city 盤錦市|盘锦市, Liaoning" -兴隆台区,xīng lóng tái qū,"Xinglongtai district of Panjin city 盤錦市|盘锦市, Liaoning" -兴头,xìng tou,keen interest; concentrated attention -兴风作浪,xīng fēng zuò làng,to incite trouble; to stir up havoc -兴高彩烈,xìng gāo cǎi liè,variant of 興高采烈|兴高采烈[xing4 gao1 cai3 lie4] -兴高采烈,xìng gāo cǎi liè,happy and excited (idiom); in high spirits; in great delight -举,jǔ,to lift; to hold up; to cite; to enumerate; to act; to raise; to choose; to elect; act; move; deed -举一反三,jǔ yī fǎn sān,to raise one and infer three; to deduce many things from one case (idiom) -举不胜举,jǔ bù shèng jǔ,too numerous to list (idiom); innumerable -举世,jǔ shì,throughout the world; world ranking (e.g. first) -举世无双,jǔ shì wú shuāng,unrivaled (idiom); world number one; unique; unequaled -举世瞩目,jǔ shì zhǔ mù,to receive worldwide attention -举世闻名,jǔ shì wén míng,world-famous (idiom) -举人,jǔ rén,graduate; successful candidate in the imperial provincial examination -举例,jǔ lì,to give an example -举例来说,jǔ lì lái shuō,for example -举债,jǔ zhài,to raise a loan; to borrow money -举兵,jǔ bīng,(literary) to raise an army; to dispatch troops -举凡,jǔ fán,such things as ...; examples including ... (etc); without exception; every; any -举动,jǔ dòng,act; action; activity; move; movement -举国,jǔ guó,the entire country -举国上下,jǔ guó shàng xià,"the entire nation; the whole country, from the leadership to the rank and file" -举报,jǔ bào,to report (malefactors to the police); to denounce -举报者,jǔ bào zhě,informer; snitch -举家,jǔ jiā,the whole family -举手,jǔ shǒu,to raise a hand; to put up one's hand (as signal) -举手之劳,jǔ shǒu zhī láo,lit. the exertion of lifting one's hand (idiom); fig. a very slight effort -举手投足,jǔ shǒu tóu zú,one's every movement (idiom); comportment; gestures -举措,jǔ cuò,move; act; measure -举杯,jǔ bēi,to toast sb (with wine etc); to drink a toast -举架,jǔ jià,(dialect) height of a house -举案齐眉,jǔ àn qí méi,lit. to lift the tray to eyebrow level (idiom); mutual respect in a marriage -举棋不定,jǔ qí bù dìng,to hesitate over what move to make (idiom); to waver; to shilly-shally -举业,jǔ yè,preparatory literary studies for imperial examination -举止,jǔ zhǐ,bearing; manner; mien -举步,jǔ bù,(literary) to move forward -举步维艰,jǔ bù wéi jiān,to make progress only with great difficulty (idiom) -举火,jǔ huǒ,(literary) to light a fire -举用,jǔ yòng,to select the best (for a job) -举发,jǔ fā,"to expose (e.g., wrongdoing); to accuse (in court); to impeach; to denounce" -举目,jǔ mù,to look; to raise one's eyes -举目无亲,jǔ mù wú qīn,to look up and see no-one familiar (idiom); not having anyone to rely on; without a friend in the world -举荐,jǔ jiàn,to recommend -举行,jǔ xíng,"to hold (a meeting, ceremony etc)" -举证,jǔ zhèng,to offer evidence -举贤良对策,jǔ xián liáng duì cè,Treatise 134 BC by Han dynasty philosopher Dong Zhongshu 董仲舒 -举起,jǔ qǐ,to heave; to lift; to raise up; to uphold -举足轻重,jǔ zú qīng zhòng,to play a critical role (idiom); influential -举办,jǔ bàn,to conduct; to hold -举重,jǔ zhòng,to lift weights; weight-lifting (sports) -举铁,jǔ tiě,(coll.) to pump iron -举隅法,jǔ yú fǎ,synecdoche -旧,jiù,old; opposite: new 新; former; worn (with age) -旧事,jiù shì,old affair; former matter -旧五代史,jiù wǔ dài shǐ,"History of the Five Dynasties (between Tang and Song), eighteenth of the 24 dynastic histories 二十四史[Er4 shi2 si4 Shi3], compiled under Xue Juzheng 薛居正[Xue1 Ju1 zheng4] in 974 during Northern Song 北宋[Bei3 Song4], 150 scrolls" -旧交,jiù jiāo,old friend; former acquaintance -旧例,jiù lì,old rules; example from the past; former practices -旧俗,jiù sú,former custom; old ways -旧制,jiù zhì,old system; weights and measures of former times -旧前,jiù qián,in the past; formerly -旧友,jiù yǒu,old friend -旧名,jiù míng,former name -旧唐书,jiù táng shū,"History of the Early Tang Dynasty, sixteenth of the 24 dynastic histories 二十四史[Er4 shi2 si4 Shi3], compiled under Liu Xu 劉昫|刘昫[Liu2 Xu4] in 945 during Later Jin 後晉|后晋[Hou4 Jin4] of the Five Dynasties, 200 scrolls" -旧国,jiù guó,old capital -旧地,jiù dì,once familiar places; former haunts -旧地重游,jiù dì chóng yóu,to revisit old haunts (idiom); down memory lane -旧址,jiù zhǐ,former site; old location -旧梦,jiù mèng,old dreams -旧大陆,jiù dà lù,the Old World; Eurasia as opposed to the New World 新大陸|新大陆[xin1 da4 lu4] or the Americas -旧好,jiù hǎo,old friendship -旧字体,jiù zì tǐ,"kyujitai, traditional Japanese character used before 1946" -旧学,jiù xué,old learning; Chinese traditional teaching as opposed to material from the West -旧宅,jiù zhái,former residence -旧家,jiù jiā,notable former families -旧居,jiù jū,old residence; former home -旧年,jiù nián,last year; the Chinese New Year (i.e. the new year in the old calendar) -旧式,jiù shì,old style -旧怨,jiù yuàn,old grievance; former complaint -旧情,jiù qíng,old affection -旧恶,jiù è,old wrong; past grievance; wickedness of former times -旧愁新恨,jiù chóu xīn hèn,old worries with new hatred added (idiom); afflicted by problems old and new -旧态,jiù tài,old posture; former situation -旧态复萌,jiù tài fù méng,see 故態復萌|故态复萌[gu4 tai4 fu4 meng2] -旧损,jiù sǔn,old and damaged; in disrepair -旧故,jiù gù,old friend; former acquaintance -旧教,jiù jiào,"the Old Religion (i.e. Roman Catholicism) 天主教[Tian1zhu3jiao4], as opposed to Protestantism 新教[Xin1jiao4]" -旧教,jiù jiào,old teachings; wisdom from the past -旧日,jiù rì,former times; olden days -旧时,jiù shí,in former times; the olden days -旧时代,jiù shí dài,former times; the olden days -旧景重现,jiù jǐng chóng xiàn,evocation of the past -旧历,jiù lì,old calendar; the Chinese lunar calendar; same as 農曆|农历[nong2 li4] -旧历年,jiù lì nián,lunar New Year -旧书,jiù shū,second-hand book; old book; ancient book -旧案,jiù àn,old court case; long-standing legal dispute -旧业,jiù yè,one's old profession; trade of one's forebears -旧民主主义革命,jiù mín zhǔ zhǔ yì gé mìng,"old democratic revolution; bourgeois revolution (in Marx-Leninist theory, a prelude to the proletarian revolution)" -旧派,jiù pài,old school; conservative faction -旧版,jiù bǎn,old version -旧物,jiù wù,old property (esp. inherited from former generation); former territory -旧瓶装新酒,jiù píng zhuāng xīn jiǔ,"lit. new wine in old bottles; fig. new concepts in an old framework; (loan idiom from Matthew 9:17, but fig. meaning is opposite)" -旧疾,jiù jí,old illness; former affliction -旧病,jiù bìng,old illness; former affliction -旧病复发,jiù bìng fù fā,old illness recurs (idiom); a relapse; fig. to repeat an old error; the same old problem -旧皇历,jiù huáng li,old calendar; out-of-date customs -旧知,jiù zhī,old acquaintance; former friend -旧石器时代,jiù shí qì shí dài,Paleolithic Era -旧称,jiù chēng,old term; old way of referring to sth -旧约,jiù yuē,Old Testament -旧约,jiù yuē,former agreement; former contract -旧约全书,jiù yuē quán shū,Old Testament -旧习,jiù xí,old habit; former custom -旧闻,jiù wén,outdated news; old anecdote; stories passed on from former times -旧观,jiù guān,former appearance; what it used to look like -旧诗,jiù shī,old verse; poetry in the old style -旧调子,jiù diào zi,old tune; fig. conservative opinion; the same old stuff -旧调重弹,jiù diào chóng tán,"replaying the same old tunes (idiom); conservative, unoriginal and discredited; to keep harping on about the same old stuff" -旧识,jiù shí,former acquaintance; old friend -旧貌,jiù mào,old look; former appearance -旧货,jiù huò,second-hand goods; used items for sale -旧货市场,jiù huò shì chǎng,sale of second-hand goods; flea market -旧贯,jiù guàn,old system; former rules -旧账,jiù zhàng,lit. old account; old debt; fig. old scores to settle; old quarrels; old grudge -旧迹,jiù jì,old traces; signs from the past -旧车市场,jiù chē shì chǎng,second-hand car market; used bike market -旧游,jiù yóu,place one has previously visited; old haunts -旧部,jiù bù,one's former subordinates -旧都,jiù dū,old capital -旧金山,jiù jīn shān,"San Francisco, California" -旧雨,jiù yǔ,old friends -旧体,jiù tǐ,old form of writing; piece in the old style -旧体诗,jiù tǐ shī,poetry in the old style -舋,xìn,variant of 釁|衅; quarrel; dispute; a blood sacrifice (arch.) -舌,jī,"used in 喇舌[la3 ji1] to transcribe the Taiwanese word for ""tongue""" -舌,shé,tongue -舌下,shé xià,sublingual; hypoglossal -舌下含服,shé xià hán fù,sublingual administration (medicine) -舌下片,shé xià piàn,sublingual tablet (medicine) -舌下腺,shé xià xiàn,sublingual gland; saliva gland under tongue -舌乳头,shé rǔ tóu,lingual papillae; taste buds -舌吻,shé wěn,to French kiss; French kiss -舌尖,shé jiān,tip of tongue; apical -舌尖前音,shé jiān qián yīn,"alveolar; consonants z, c, s produced with the tip of the tongue on the alveolar ridge" -舌尖后音,shé jiān hòu yīn,"retroflex sound (e.g. in Mandarin zh, ch, sh, r)" -舌尖音,shé jiān yīn,"apical consonant (produced with the tip of the tongue, i.e. d or t)" -舌尖颤音,shé jiān chàn yīn,alveolar trill (e.g. Russian r sound) -舌战,shé zhàn,verbal sparring; duel of words -舌根,shé gēn,back of tongue; tongue root; dorsal -舌灿莲花,shé càn lián huā,(idiom) eloquent; entertaining in one's speech -舌苔,shé tāi,(TCM) coating on the tongue (examined for the purpose of diagnosis) -舌钉,shé dīng,tongue ring; tongue piercing -舌面,shé miàn,blade of tongue; laminal -舌音,shé yīn,coronal consonants of Middle Chinese -舌头,shé tou,tongue; CL:個|个[ge4]; enemy soldier captured for the purpose of extracting information -舍,shè,surname She -舍,shě,old variant of 捨|舍[she3] -舍,shè,residence -舍下,shè xià,my humble home -舍人,shè rén,ancient office title; rich and important person -舍利,shè lì,ashes after cremation; Buddhist relics (Sanskirt: sarira) -舍利塔,shè lì tǎ,stupa; tower venerating the ashes of the Buddha -舍利子,shè lì zi,ashes after cremation; Buddhist relics (Sanskirt: sarira) -舍利子塔,shè lì zi tǎ,stupa with Buddhist relics; pagoda -舍友,shè yǒu,dormitory roommate -舍弟,shè dì,my younger brother (humble term) -舐,shì,to lick; to lap (up) -舐犊之爱,shì dú zhī ài,the love of a cow licking her calf (idiom); parental love -舐犊情深,shì dú qíng shēn,lit. the cow licking its calf fondly (idiom); fig. to show deep affection towards one's children -舒,shū,surname Shu -舒,shū,to stretch; to unfold; to relax; leisurely -舒一口气,shū yī kǒu qì,to heave a sigh of relief -舒喘灵,shū chuǎn líng,"albuterol, kind of chemical used in treating asthma" -舒坦,shū tan,comfortable; at ease -舒城,shū chéng,"Shucheng, a county in Lu'an 六安[Lu4an1], Anhui" -舒城县,shū chéng xiàn,"Shucheng, a county in Lu'an 六安[Lu4an1], Anhui" -舒压,shū yā,variant of 紓壓|纾压[shu1 ya1] -舒梦兰,shū mèng lán,"Shu Menglan (1759-1835), Qin dynasty writer, poet and editor of Anthology of ci poems tunes 白香詞譜|白香词谱" -舒展,shū zhǎn,to roll out; to extend; to smooth out; to unfold -舒张,shū zhāng,to relax and expand; (physiology) diastole -舒张压,shū zhāng yā,diastolic blood pressure -舒心,shū xīn,comfortable; happy -舒庆春,shū qìng chūn,"Shu Qingchun (1899-1966), the real name of author Lao She 老舍[Lao3 She3]" -舒畅,shū chàng,happy; entirely free from worry -舒曼,shū màn,"Schumann (name); Robert Schumann (1810-1856), romantic composer" -舒服,shū fu,comfortable; feeling well -舒气,shū qì,to heave a sigh of relief; to get one's breath back; to vent one's spleen -舒淇,shū qí,"Shu Qi (1976-), Taiwanese actress" -舒眠,shū mián,to sleep well; to get restful sleep; (medicine) to be anesthetized -舒眠键,shū mián jiàn,sleep mode button (on the remote control of an air conditioner) -舒缓,shū huǎn,to ease (tension); to relax; to cause sth to relax; to alleviate; relaxed; easy and unhurried; leisurely; soothing; mild (slope) -舒肥,shū féi,see 舒肥法[shu1 fei2 fa3] -舒肥法,shū féi fǎ,(Tw) (loanword) sous vide -舒肤佳,shū fū jiā,Safeguard (brand) -舒舒服服,shū shu fu fu,comfortable; with ease -舒芙蕾,shū fú lěi,soufflé (loanword) -舒兰,shū lán,"Shulan, county-level city in Jilin prefecture 吉林, Jilin province" -舒兰市,shū lán shì,"Shulan, county-level city in Jilin prefecture 吉林, Jilin province" -舒适,shū shì,cozy; snug -舒适区,shū shì qū,comfort zone -舒适圈,shū shì quān,comfort zone -舒适音,shū shì yīn,comfortable voice (well within one's range of pitch) -舒马赫,shū mǎ hè,"Michael Schumacher (1969-), former German racing driver" -舔,tiǎn,to lick; to lap -舔吮,tiǎn shǔn,to lick and suck -舔屁股,tiǎn pì gu,to kiss sb's ass; to brown-nose -舔狗,tiǎn gǒu,(neologism c. 2018) (slang) simp; person who resorts to cringeworthy fawning behavior in pursuing sb who does not requite their affections -舔肛,tiǎn gāng,anilingus; rimming -舔阴,tiǎn yīn,to perform cunnilingus -铺,pù,variant of 鋪|铺[pu4]; store -馆,guǎn,variant of 館|馆[guan3] -舛,chuǎn,mistaken; erroneous; contradictory -舜,shùn,"Shun (c. 23rd century BC), mythical sage and leader" -舜帝陵,shùn dì líng,"several tombs of legendary Emperor Shun, one in Ningyuan county 寧遠縣|宁远县[Ning2 yuan3 xian4] in southwest Hunan, another Yuncheng prefecture 運城|运城[Yun4 cheng2] Shanxi" -舜日尧天,shùn rì yáo tiān,sage Emperors Shun and Yao rule every day (idiom); all for the best in the best of all possible worlds -舜日尧年,shùn rì yáo nián,sage Emperors Shun and Yao rule every day (idiom); all for the best in the best of all possible worlds -舞,wǔ,to dance; to wield; to brandish -舞伴,wǔ bàn,dancing partner -舞剧,wǔ jù,dance drama; ballet -舞剑,wǔ jiàn,to perform a sword-dance -舞动,wǔ dòng,"to move as in a dance; to wave (some implement); to flourish; (of eyes, hands etc) to dance; to flutter" -舞台音乐,wǔ tái yīn yuè,musical theater -舞场,wǔ chǎng,dance hall -舞妓,wǔ jì,(loanword) maiko; apprentice geisha -舞姿,wǔ zī,dancer's posture and movement -舞娘,wǔ niáng,female dancer -舞厅,wǔ tīng,dance hall; ballroom; CL:間|间[jian1] -舞厅舞,wǔ tīng wǔ,ballroom dancing -舞弄,wǔ nòng,to wave; to brandish -舞弊,wǔ bì,to engage in fraud -舞技,wǔ jì,dancing skill -舞抃,wǔ biàn,to dance for joy -舞文弄墨,wǔ wén nòng mò,(idiom) to display one's facility with words; to show off one's literary skills; (original meaning) to pervert the law by playing with legal phraseology (墨[mo4] was a reference to 繩墨|绳墨[sheng2 mo4]) -舞曲,wǔ qǔ,dance music -舞会,wǔ huì,dance; ball; party; CL:場|场[chang3] -舞会舞,wǔ huì wǔ,party dancing -舞步,wǔ bù,dance steps -舞水端里,wǔ shuǐ duān lǐ,"Musudan-ri, North Korean rocket launch site in North Hamgyeong Province 咸鏡北道|咸镜北道[Xian2 jing4 bei3 dao4]" -舞池,wǔ chí,dance floor -舞狮,wǔ shī,lion dance (traditional Chinese dance form) -舞者,wǔ zhě,dancer -舞台,wǔ tái,(lit. and fig.) stage; arena -舞台剧,wǔ tái jù,stage play -舞蹈,wǔ dǎo,dance (performance art); dancing -舞蹈家,wǔ dǎo jiā,dancer -舞钢,wǔ gāng,"Wugang, county-level city in Pingdingshan 平頂山|平顶山[Ping2 ding3 shan1], Henan" -舞钢市,wǔ gāng shì,"Wugang, county-level city in Pingdingshan 平頂山|平顶山[Ping2 ding3 shan1], Henan" -舞阳,wǔ yáng,"Wuyang county in Luohe 漯河[Luo4 he2], Henan" -舞阳县,wǔ yáng xiàn,"Wuyang county in Luohe 漯河[Luo4 he2], Henan" -舞龙,wǔ lóng,dragon dance -舟,zhōu,boat -舟山,zhōu shān,"Zhoushan, prefecture-level city in Zhejiang (consisting solely of islands); formerly Dinghai 定海" -舟山市,zhōu shān shì,"Zhoushan, prefecture-level city in Zhejiang (consisting solely of islands); formerly Dinghai 定海" -舟山群岛,zhōu shān qún dǎo,Zhoushan Island -舟曲,zhōu qǔ,"Zhugqu or Zhouqu County in Gannan Tibetan Autonomous Prefecture 甘南藏族自治州[Gan1 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Gansu" -舟曲县,zhōu qǔ xiàn,"Zhugqu or Zhouqu County in Gannan Tibetan Autonomous Prefecture 甘南藏族自治州[Gan1 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Gansu" -舟船,zhōu chuán,boat -舟车劳顿,zhōu chē láo dùn,travel-worn -舡,gāng,boat; ship -舢,shān,sampan -舢板,shān bǎn,sampan; also written 舢舨 -舢舨,shān bǎn,variant of 舢板[shan1 ban3] -舨,bǎn,sampan -船,chuán,variant of 船[chuan2] -航,háng,boat; ship; craft; to navigate; to sail; to fly -航司,háng sī,airline (abbr. for 航空公司[hang2 kong1 gong1 si1]) -航向,háng xiàng,course; direction (a ship or plane is heading in) -航图,háng tú,chart -航天,háng tiān,space flight -航天中心,háng tiān zhōng xīn,space center -航天员,háng tiān yuán,astronaut -航天器,háng tiān qì,spacecraft -航天局,háng tiān jú,space agency -航天飞机,háng tiān fēi jī,space shuttle -航展,háng zhǎn,air show -航厦,háng shà,air terminal -航徽,háng huī,airline emblem; travel company seal -航拍,háng pāi,aerial photography (video or still) -航标,háng biāo,buoy; channel marker; signal light -航标灯,háng biāo dēng,lighted buoy; channel marking light; signal light -航模,háng mó,model plane or ship -航权,háng quán,air rights -航次,háng cì,"air or sea voyage (seen as an individual, countable item); flight; voyage; CL:個|个[ge4]" -航段,háng duàn,leg of air or sea voyage -航母,háng mǔ,aircraft carrier (abbr. for 航空母艦|航空母舰[hang2kong1 mu3jian4]) -航海,háng hǎi,to sail the seas; maritime navigation; voyage -航海家,háng hǎi jiā,mariner; seafarer -航海年表,háng hǎi nián biǎo,nautical ephemeris -航海者,háng hǎi zhě,navigator -航班,háng bān,(scheduled) flight; (scheduled) sailing -航班表,háng bān biǎo,flight schedule -航程,háng chéng,flight; voyage; distance traveled; range (of an airplane or ship) -航空,háng kōng,aviation -航空事业,háng kōng shì yè,aviation industry -航空信,háng kōng xìn,airmail letter -航空公司,háng kōng gōng sī,airline; CL:家[jia1] -航空器,háng kōng qì,aircraft -航空学,háng kōng xué,aviation science -航空局,háng kōng jú,aviation agency -航空业,háng kōng yè,aviation industry -航空母舰,háng kōng mǔ jiàn,"aircraft carrier (CL:艘[sou1]); (coll.) (metaphor for sth huge, whale-like)" -航空母舰战斗群,háng kōng mǔ jiàn zhàn dòu qún,carrier-based vanguard group (CBVG); naval battle group led by an aircraft carrier -航空港,háng kōng gǎng,airfield; aerodrome -航空站,háng kōng zhàn,air terminal -航空线,háng kōng xiàn,air route; airway -航空自卫队,háng kōng zì wèi duì,air self-defense force -航空航天局,háng kōng háng tiān jú,air and space agency -航空术,háng kōng shù,aeronautics -航空运单,háng kōng yùn dān,Air Waybill (AWB) -航空邮件,háng kōng yóu jiàn,airmail -航空邮简,háng kōng yóu jiǎn,aerogram -航站,háng zhàn,airport; (shipping) port -航站楼,háng zhàn lóu,airport terminal -航线,háng xiàn,air or shipping route -航船,háng chuán,ship (e.g. providing regular passenger service) -航舰,háng jiàn,aircraft carrier (abbr. for 航空母艦|航空母舰[hang2kong1 mu3jian4]) -航行,háng xíng,to sail; to fly; to navigate -航迹,háng jì,wake (of ship); flight path -航速,háng sù,speed (of ship or plane) -航运,háng yùn,shipping; transport -航道,háng dào,waterway; ship channel -航邮,háng yóu,air mail -舫,fǎng,2 boats lashed together; large boat -般,bān,sort; kind; class; way; manner -般,bō,used in 般若[bo1re3] -般,pán,see 般樂|般乐[pan2 le4] -般桓,pán huán,variant of 盤桓|盘桓[pan2 huan2] -般乐,pán lè,to play; to amuse oneself -般若,bō rě,(Buddhism) wisdom; insight into the true nature of reality (from Sanskrit prajñā) -般若波罗密,bō rě bō luó mì,prajña paramita (Sanskrit: supreme wisdom - beginning of the Heart Sutra) -般若波罗密多心经,bō rě bō luó mì duō xīn jīng,the Heart Sutra -般游,pán yóu,to amuse oneself -般配,bān pèi,to be well matched; to suit -般雀比拉多,bān què bǐ lā duō,Pontius Pilate (in the Biblical passion story) -舭,bǐ,bilge -舲,líng,small boat with windows -舳,zhú,poopdeck; stern of boat -舴,zé,small boat -舵,duò,helm; rudder -舵手,duò shǒu,helmsman -舵把,duò bǎ,tiller of a boat -舵旁,duò páng,helm (of a ship) -舶,bó,ship -舶来品,bó lái pǐn,(old) imported goods; foreign goods -舷,xián,side of a ship or an aircraft -舷梯,xián tī,gangway; ramp (to board a ship or plane) -舷窗,xián chuāng,porthole; scuttle -舸,gě,barge -船,chuán,"boat; vessel; ship; CL:條|条[tiao2],艘[sou1],隻|只[zhi1]" -船上交货,chuán shàng jiāo huò,Free On Board (FOB) (transportation) -船主,chuán zhǔ,ship's captain; owner of ship -船位,chuán wèi,ship's position -船到桥门自会直,chuán dào qiáo mén zì huì zhí,lit. when the ship arrives at the bridge we can deal with the problem; no point in worrying about sth until it actually happens (idiom) -船到桥头自然直,chuán dào qiáo tóu zì rán zhí,"lit. when the boat reaches the bridge, it will pass underneath without trouble (proverb); fig. everything will be all right" -船员,chuán yuán,sailor; crew member -船埠,chuán bù,wharf; quay -船坞,chuán wù,dock; shipyard -船夫,chuán fū,boatman -船家,chuán jiā,person who lives and makes a living on a boat; boatman; boat dweller -船尾,chuán wěi,back end of a ship; aft -船尾座,chuán wěi zuò,Puppis (constellation) -船山,chuán shān,"Chuanshan district of Suining city 遂寧市|遂宁市[Sui4 ning2 shi4], Sichuan" -船山区,chuán shān qū,"Chuanshan district of Suining city 遂寧市|遂宁市[Sui4 ning2 shi4], Sichuan" -船工,chuán gōng,boatman; boat builder -船帆,chuán fān,sail -船帆座,chuán fān zuò,Vela (constellation) -船帮,chuán bāng,side of boat or ship; gunwale -船底座,chuán dǐ zuò,Carina (constellation) -船厂,chuán chǎng,shipyard; shipbuilder's yard -船户,chuán hù,boatman; boat dweller -船政大臣,chuán zhèng dà chén,Minister of Navy during Qing times -船政学堂,chuán zhèng xué táng,"Fuzhou Naval College, a.k.a. Foochow Naval Dockyard School, set up in 1866 by the Qing dynasty" -船方,chuán fāng,ship (commerce) -船东,chuán dōng,ship owner -船梯,chuán tī,ship's ladder -船桨,chuán jiǎng,oar -船壳,chuán ké,hull (of a ship) -船民,chuán mín,people who live and make a living on boats -船营,chuán yíng,"Chuanying district of Jilin city 吉林市, Jilin province" -船营区,chuán yíng qū,"Chuanying district of Jilin city 吉林市, Jilin province" -船票,chuán piào,ship ticket -船篷,chuán péng,ship's sail -船籍,chuán jí,ship's registry -船籍港,chuán jí gǎng,ship's port of registry -船缆,chuán lǎn,ship's hawser; rigging -船老大,chuán lǎo dà,coxswain; steersman; boatswain (bo'sun) -船舵,chuán duò,rudder; helm of a ship -船舶,chuán bó,shipping; boats -船舷,chuán xián,the sides of a ship; (fig.) the dividing line between shipboard expenses and onshore freight charges -船艄,chuán shāo,stern of boat -船舱,chuán cāng,hold of ship -船舰,chuán jiàn,navy vessel; (coast guard) patrol boat -船袜,chuán wà,ankle socks; invisible socks -船货,chuán huò,cargo -船身,chuán shēn,hull; body of a ship -船运,chuán yùn,sea freight; shipping -船运业,chuán yùn yè,shipping -船长,chuán zhǎng,captain (of a boat); skipper -船闸,chuán zhá,a canal lock -船队,chuán duì,fleet (of ships) -船只,chuán zhī,ship; boat; vessel -船头,chuán tóu,the bow or prow of a ship -船首,chuán shǒu,ship's bow -船体,chuán tǐ,hull; body of a ship -舾,xī,used in 舾裝|舾装[xi1 zhuang1] -舾装,xī zhuāng,ship equipment; to outfit a ship -艄,shāo,stern of boat -艄公,shāo gōng,helmsman; boatman -艅,yú,used in 艅艎[yu2 huang2] -艅艎,yú huáng,large warship -艇,tǐng,vessel; small ship -艇甲板,tǐng jiǎ bǎn,boat deck (upper deck on which lifeboats are stored) -艉,wěi,aft -艋,měng,small boat -艎,huáng,"fast ship; see 艅艎, large warship" -艏,shǒu,bow of a ship -艘,sōu,classifier for ships; Taiwan pr. [sao1] -舱,cāng,cabin; the hold of a ship or airplane -舱位,cāng wèi,shipping space; cabin berth; cabin seat -舱外活动,cāng wài huó dòng,extravehicular activity (outside space vehicle); EVA -舱房,cāng fáng,cabin (of an airplane or ship) -艚,cáo,seagoing junk -艟,chōng,"see 艨艟, ancient leatherclad warship" -樯,qiáng,variant of 檣|樯[qiang2] -橹,lǔ,variant of 櫓|橹[lu3] -舣,yǐ,to moor a boat to the bank -舰,jiàn,warship -舰岛,jiàn dǎo,"island (the superstructure of an aircraft carrier, on the starboard side of the deck)" -舰桥,jiàn qiáo,bridge (of a naval ship) -舰船,jiàn chuán,warship -舰艇,jiàn tǐng,warship; naval vessel -舰载,jiàn zài,shipboard (radar system etc); ship-based; carrier-based (aircraft) -舰载机,jiàn zài jī,carrier-based aircraft -舰长,jiàn zhǎng,commander; captain (of a warship) -舰队,jiàn duì,fleet; CL:支[zhi1] -舰只,jiàn zhī,warship -舰首,jiàn shǒu,bow of a warship -艨,méng,"ancient warship; see 艨艟, ancient leatherclad warship" -艨艟,méng chōng,ancient leatherclad warship -艨冲,méng chōng,ancient leatherclad warship; same as 艨艟 -橹,lǔ,variant of 櫓|橹[lu3] -舻,lú,bow of ship -艮,gěn,blunt; tough; chewy -艮,gèn,"one of the Eight Trigrams 八卦[ba1 gua4], symbolizing mountain; ☶; ancient Chinese compass point: 45° (northeast)" -良,liáng,good; very; very much -良久,liáng jiǔ,a good while; a long time -良人,liáng rén,husband (arch.) -良伴,liáng bàn,good companion -良友,liáng yǒu,good friend; companion -良吉,liáng jí,lucky day; auspicious day -良善,liáng shàn,good -良图,liáng tú,good plan; right strategy; to take one's time forming the right decision -良多,liáng duō,considerably; much; quite a bit -良好,liáng hǎo,good; favorable; well; fine -良宵美景,liáng xiāo měi jǐng,"fine evening, beautiful scenery (idiom)" -良家,liáng jiā,respectable family; decent family -良家女子,liáng jiā nǚ zǐ,woman from a respectable family; respectable woman -良工心苦,liáng gōng xīn kǔ,expert craft from hard practice (idiom); hard-won skill; A masterpiece demands suffering. -良师益友,liáng shī yì yǒu,good teacher and helpful friend (idiom); mentor -良心,liáng xīn,conscience -良心喂狗,liáng xīn wèi gǒu,to have fed one's conscience to the dogs (idiom); devoid of conscience -良心未泯,liáng xīn wèi mǐn,not totally heartless; still having a shred of conscience -良心犯,liáng xīn fàn,prisoner of conscience -良性,liáng xìng,positive (in its effect); leading to good consequences; virtuous; (medicine) benign (tumor etc) -良性循环,liáng xìng xún huán,virtuous cycle (i.e. positive feedback loop) -良性肿瘤,liáng xìng zhǒng liú,benign tumor -良庆,liáng qìng,"Liangqing District of Nanning City 南寧市|南宁市[Nan2 ning2 Shi4], Guangxi" -良庆区,liáng qìng qū,"Liangqing District of Nanning City 南寧市|南宁市[Nan2 ning2 Shi4], Guangxi" -良方,liáng fāng,good medicine; effective prescription; fig. good plan; effective strategy -良朋益友,liáng péng yì yǒu,virtuous companions and worthy friends -良材,liáng cái,good timber; sound material; fig. able person; sound chap -良桐,liáng tóng,good Chinese wood-oil tree (Aleurites cordata) -良机,liáng jī,a good chance; a golden opportunity -良民,liáng mín,good people; ordinary people (i.e. not the lowest class) -良渚,liáng zhǔ,"Liangzhu (c. 3400-2250 BC), neolithic culture of Changjiang delta" -良渚文化,liáng zhǔ wén huà,"Liangzhu (c. 3400-2250 BC), neolithic culture of Changjiang delta" -良港,liáng gǎng,good harbor -良田,liáng tián,good agricultural land; fertile land -良知,liáng zhī,innate sense of right and wrong; conscience; bosom friend -良知良能,liáng zhī liáng néng,"instinctive understanding, esp. of ethical issues (idiom); untrained, but with an inborn sense of right and wrong; innate moral sense" -良禽择木,liáng qín zé mù,a fine bird chooses a tree to nest in (proverb); fig. a talented person chooses a patron of integrity -良禽择木而栖,liáng qín zé mù ér qī,a fine bird chooses a tree to nest in (proverb); fig. a talented person chooses a patron of integrity -良种,liáng zhǒng,improved type; good breed; pedigree -良种繁育,liáng zhǒng fán yù,stock breeding (biology) -良策,liáng cè,good plan; good idea -良缘,liáng yuán,good karma; opportune connection with marriage partner -良苦用心,liáng kǔ yòng xīn,to ponder earnestly; to give a lot of thought to sth -良莠不齐,liáng yǒu bù qí,good and bad people intermingled -良药,liáng yào,good medicine; panacea; fig. a good solution; a good remedy (e.g. to a social problem) -良药苦口,liáng yào kǔ kǒu,good medicine tastes bitter (idiom); fig. frank criticism is hard to swallow -良辰吉日,liáng chén jí rì,"fine time, lucky day (idiom); fig. good opportunity" -良辰美景,liáng chén měi jǐng,"fine time, beautiful scenery (idiom); everything lovely" -良乡,liáng xiāng,Liangxiang town in Beijing municipality -良医,liáng yī,good doctor; skilled doctor -良马,liáng mǎ,good horse -艰,jiān,difficult; hard; hardship -艰巨,jiān jù,arduous; terrible (task); very difficult; formidable -艰巨性,jiān jù xìng,arduousness; formidability; difficulty -艰深,jiān shēn,abstruse; complicated -艰深晦涩,jiān shēn huì sè,abstruse and unfathomable (idiom) -艰苦,jiān kǔ,difficult; hard; arduous -艰苦奋斗,jiān kǔ fèn dòu,to struggle arduously -艰苦朴素,jiān kǔ pǔ sù,"leading a plain, hardworking life (idiom)" -艰辛,jiān xīn,hardships; arduous; difficult -艰险,jiān xiǎn,difficult and dangerous; hardships and perils -艰难,jiān nán,difficult; hard; challenging -艰难险阻,jiān nán xiǎn zǔ,untold dangers and difficulties (idiom) -色,sè,color; CL:種|种[zhong3]; look; appearance; sex -色,shǎi,(coll.) color; used in 色子[shai3 zi5] -色丁,sè dīng,satin (textile) (loanword) -色令智昏,sè lìng zhì hūn,to lose one's head over lust; sex-crazy (idiom) -色光,sè guāng,colored light -色厉内荏,sè lì nèi rěn,lit. show strength while weak inside (idiom); appearing fierce while cowardly at heart; a sheep in wolf's clothing -色厉词严,sè lì cí yán,severe in both looks and speech (idiom) -色友,sè yǒu,photography enthusiast -色当,sè dāng,Sedan (French town) -色域,sè yù,color gamut -色夷,sè yí,smiling genially; to beam -色子,shǎi zi,dice (used in gambling) -色字头上一把刀,sè zì tóu shàng yī bǎ dāo,lit. there is a knife above the character for lust; fig. lascivious activities can lead to bitter consequences -色度,sè dù,saturation (color theory) -色弱,sè ruò,partial color blindness; color weakness -色彩,sè cǎi,tint; coloring; coloration; (fig.) flavor; character -色彩缤纷,sè cǎi bīn fēn,see 五彩繽紛|五彩缤纷[wu3 cai3 bin1 fen1] -色情,sè qíng,pornography; sex -色情作品,sè qíng zuò pǐn,porn; pornographic material -色情小说,sè qíng xiǎo shuō,pornographic novel; dirty book -色情业,sè qíng yè,porn business -色情片,sè qíng piàn,pornographic film -色情狂,sè qíng kuáng,mad about sex; nymphomania -色欲,sè yù,sexual desire; lust -色拉,sè lā,salad (loanword) -色拉寺,sè lā sì,"Sera monastery near Lhasa, Tibet" -色拉油,sè lā yóu,salad oil -色拉酱,sè lā jiàng,salad dressing -色斑,sè bān,stain; colored patch; freckle; lentigo -色氨酸,sè ān suān,"tryptophan (Trp), an essential amino acid" -色泽,sè zé,color and luster -色狼,sè láng,lecher; pervert; wolf -色盅,shǎi zhōng,dice cup -色目,sè mù,Semu -色盲,sè máng,color-blind; color blindness -色相,sè xiàng,coloration; hue; sex; sex appeal -色眯眯,sè mī mī,lustful; lecherous -色素,sè sù,pigment -色素体,sè sù tǐ,plastid (organelle in plant cell) -色胚,sè pēi,(slang) pervert; lecher -色胺酸,sè àn suān,tryptophan -色胆,sè dǎn,boldness in pursuing one's sexual urges -色胆包天,sè dǎn bāo tiān,outrageously bold in one's lust; debauched (idiom) -色色迷迷,sè sè mí mí,crazy about sex; lecherous; horny -色荒,sè huāng,wallowing in lust -色号,sè hào,shade (of lipstick etc); color option -色觉,sè jué,color vision -色诱,sè yòu,to seduce; to lead into sex -色调,sè diào,hue; tone -色轮,sè lún,color wheel -色迷,sè mí,crazy about sex; lecherous; horny -色迷迷,sè mí mí,see 色瞇瞇|色眯眯[se4 mi1 mi1] -色达,sè dá,"Sêrtar county (Tibetan: gser thar rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1], Sichuan (formerly in Kham province of Tibet)" -色达县,shǎi dá xiàn,"Sêrtar county (Tibetan: gser thar rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1], Sichuan (formerly in Kham province of Tibet)" -色酒,shǎi jiǔ,"colored wine (made from grapes or other fruit, as opposed to a rice wine etc)" -色键,sè jiàn,chroma key; bluescreen; greenscreen (video editing) -色钟,shǎi zhōng,dice cup -色长,sè zhǎng,head of a division of the music academy of the imperial court -色香味俱全,sè xiāng wèi jù quán,"to smell, look and taste great" -色鬼,sè guǐ,lecher; pervert -色魔,sè mó,sex fiend; molester; sex attacker; sex demon (a spirit that enters people's souls and makes them desire sex) -艴,fú,angry -艳,yàn,variant of 艷|艳[yan4] -艳,yàn,colorful; splendid; gaudy; amorous; romantic; to envy -艳冶,yàn yě,bewitching; beautiful -艳如桃李,yàn rú táo lǐ,lit. beautiful as peach and prune; fig. radiant beauty -艳情,yàn qíng,romantic love; romance; erotic (novel etc) -艳照,yàn zhào,nude picture -艳福,yàn fú,luck with women -艳红色,yàn hóng sè,crimson -艳羡,yàn xiàn,(literary) to admire; to envy -艳舞,yàn wǔ,erotic dance -艳色,yàn sè,beauty; glamor; voluptuousness -艳诗,yàn shī,erotic verse -艳遇,yàn yù,encounter with a beautiful woman; romance; affair -艳丽,yàn lì,gorgeous; garish and beautiful -草,cǎo,variant of 草[cao3] -艹,cǎo,grass radical 草字頭兒|草字头儿[cao3 zi4 tou2 r5] -艻,lè,used in 蘿艻|萝艻[luo2 le4] -艽,jiāo,see 秦艽[qin2 jiao1] -艾,ài,surname Ai -艾,ài,"Chinese mugwort or wormwood; moxa; to stop or cut short; phonetic ""ai"" or ""i""; abbr. for 艾滋病[ai4 zi1 bing4], AIDS" -艾,yì,variant of 刈[yi4]; variant of 乂[yi4] -艾丁湖,ài dīng hú,Ayding Lake (Aydingkol) in Xinjiang -艾伯塔,ài bó tǎ,"Alberta province of Canada, capital Edmonton 埃德蒙頓|埃德蒙顿[Ai1 de2 meng2 dun4]; also written 阿爾伯塔|阿尔伯塔[A1 er3 bo2 ta3]" -艾冬花,ài dōng huā,coltsfoot flower (used in TCM); Flos Farfarae -艾卷,ài juǎn,moxa cigar; moxa roll (TCM) -艾哈迈德,ài hǎ mài dé,Ahmed (name) -艾哈迈迪内贾德,ài hā mài dí nèi jiǎ dé,"Ahmadinejad or Ahmadinezhad (Persian name); Mahmoud Ahmadinejad (1956-), Iranian fundamentalist politician, president of Iran 2005-2013" -艾哈迈达巴德,ài hā mài dá bā dé,"Ahmedabad, largest city in west Indian state Gujarat 古吉拉特[Gu3 ji2 la1 te4]" -艾塔,ài tǎ,eta (Greek letter Ηη) -艾奇逊,ài qí xùn,"Atchison or Acheson (name); Atchison city on Missouri in Kansas, USA" -艾奥瓦,ài ào wǎ,"Iowa, US state" -艾奥瓦州,ài ào wǎ zhōu,"Iowa, US state" -艾实,ài shí,"(TCM) fruit of Chinese mugwort (Artemisia argyi), aka fruit of argyi wormwood" -艾弥尔,ài mí ěr,Emile (name) -艾德蒙顿,ài dé méng dùn,"Edmonton, capital of Alberta, Canada; also written 埃德蒙頓|埃德蒙顿[Ai1 de2 meng2 dun4]" -艾德蕾德,ài dé lěi dé,"variant of 阿德萊德|阿德莱德, Adelaide, capital of South Australia" -艾扑西龙,ài pū xī lóng,epsilon (Greek letter Εε) -艾未未,ài wèi wèi,"Ai Weiwei (1957-), Chinese artist active in architecture, photography, film, as well as cultural criticism and political activism" -艾条,ài tiáo,"moxa stick, moxa roll (TCM)" -艾条温和灸,ài tiáo wēn hé jiǔ,gentle stick moxibustion (TCM) -艾条灸,ài tiáo jiǔ,stick moxibustion; poling (TCM) -艾条雀啄灸,ài tiáo què zhuó jiǔ,"""sparrow pecking"" moxibustion technique (TCM)" -艾森豪威尔,ài sēn háo wēi ěr,"Dwight D. Eisenhower (1890-1969), US army general and politician, Supreme Allied Commander in Europe during World War II, US President 1953-1961" -艾比湖,ài bǐ hú,Aibi Lake (Ebinur) in Xinjiang -艾滋,ài zī,AIDS (loanword) -艾滋病,ài zī bìng,AIDS (loanword) -艾滋病毒,ài zī bìng dú,human immune deficiency virus (HIV); the AIDS virus -艾滋病病毒,ài zī bìng bìng dú,HIV -艾灸,ài jiǔ,moxibustion (TCM) -艾炭,ài tàn,carbonized mugwort leaf (TCM); Folium Artemisiae argyi carbonisatum -艾炷,ài zhù,moxa cone -艾炷灸,ài zhù jiǔ,cone moxibustion (TCM) -艾尔伯塔,ài ěr bó tǎ,"Alberta province of Canada, capital Edmonton 埃德蒙頓|埃德蒙顿[Ai1 de2 meng2 dun4]; also written 阿爾伯塔|阿尔伯塔[A1 er3 bo2 ta3]" -艾尔米塔什,ài ěr mǐ tǎ shí,Ermitazh or Hermitage museum in St Peterburg -艾尔米塔奇,ài ěr mǐ tǎ jī,Ermitazh or Hermitage museum in St Peterburg -艾片,ài piàn,"preparation obtained from sambong leaves, containing borneol (used in TCM); Borneolum Luodian" -艾特,ài tè,"at symbol, @" -艾瑞巴蒂,ài ruì bā dì,(Internet slang) everybody (loanword) -艾玛纽埃尔,ài mǎ niǔ āi ěr,Emmanuel or Emmanuelle (name) -艾登堡,ài dēng bǎo,"Attenborough (name); David Attenborough (1926-), British naturalist and broadcaster" -艾窝窝,ài wō wo,glutinous rice cake with a sweet filling -艾纳香,ài nà xiāng,sambong (Blumea balsamifera) -艾绒,ài róng,moxa floss -艾美奖,ài měi jiǎng,Emmy Award -艾老,ài lǎo,(literary) person aged over fifty; elderly person -艾兹病,ài zī bìng,AIDS (loanword); also written 愛滋病|爱滋病 -艾草,ài cǎo,Asian mugwort or wormwood (genus Artemesia) -艾菲尔铁塔,ài fēi ěr tiě tǎ,Eiffel Tower -艾叶,ài yè,mugwort leaf (TCM); Folium Artemisiae argyi -艾叶油,ài yè yóu,mugwort leaf oil (TCM); also called wormwood leaf oil; Oleum folii Artemisiae argyi -艾叶炭,ài yè tàn,carbonized mugwort leaf (used in TCM); Folium Artemisiae argyi carbonisatum -艾蒿,ài hāo,mugwort (Artemisia) -艾萨克,ài sà kè,Isaac (name) -艾虎,ài hǔ,see 艾鼬[ai4 you4] -艾赛克斯,ài sài kè sī,Essex (English county) -艾迪,ài dí,Eddie (name) -艾迪卡拉,ài dí kǎ lā,"Ediacaran (c. 635-542 million years ago), late phase of pre-Cambrian geological era; also written 埃迪卡拉[Ai1 di2 ka3 la1]" -艾迪生,ài dí shēng,"Addison (name); Addison, city in United States" -艾酒,ài jiǔ,wine flavored with Chinese mugwort -艾青,ài qīng,"Ai Qing (1910-1996), Chinese poet" -艾鼬,ài yòu,steppe polecat (Mustela eversmanii) -艿,nǎi,see 芋艿[yu4 nai3] -芄,wán,Metaplexis stauntoni -芊,qiān,green; luxuriant growth -芋,yù,taro; Colocasia antiquorum; Colocasia esculenta -芋圆,yù yuán,taro ball (Taiwanese dessert) -芋泥,yù ní,yam paste (a snack in Chaozhou cuisine) -芋艿,yù nǎi,taro -芋螺毒素,yù luó dú sù,conotoxin -芋头,yù tou,taro -芋头色,yù tou sè,lilac (color) -芍,què,see 芍陂[Que4 pi2] -芍,sháo,Chinese peony; Paeonia albiflora or lactiflora -芍药,sháo yào,Chinese peony (Paeonia lactiflora); common herbaceous peony; peony used in TCM -芍陂,què pí,Quepi lake (irrigation project in Han to Tang times on Huai river 淮河 in modern Anhui) -芎,xiōng,see 川芎[chuan1 xiong1]; Taiwan pr. [qiong1] -芎林,qiōng lín,"Qionglin or Chiunglin township in Hsinchu County 新竹縣|新竹县[Xin1 zhu2 Xian4], northwest Taiwan" -芎林乡,qiōng lín xiāng,"Qionglin or Chiunglin township in Hsinchu County 新竹縣|新竹县[Xin1 zhu2 Xian4], northwest Taiwan" -芏,dù,used in 茳芏[jiang1 du4]; Taiwan pr. [tu3] -芑,qǐ,Panicum miliaceum -芒,máng,"awn (of cereals); arista (of grain); tip (of a blade); Miscanthus sinensis (type of grass); variant of 邙, Mt Mang at Luoyang in Henan" -芒刺在背,máng cì zài bèi,feeling brambles and thorns in one's back (idiom); uneasy and nervous; to be on pins and needles -芒康,máng kāng,"Markam county, Tibetan: Smar khams rdzong, in Chamdo prefecture 昌都地區|昌都地区[Chang1 du1 di4 qu1], Tibet" -芒康县,máng kāng xiàn,"Markam county, Tibetan: Smar khams rdzong, in Chamdo prefecture 昌都地區|昌都地区[Chang1 du1 di4 qu1], Tibet" -芒果,máng guǒ,mango (loanword) -芒果汁,máng guǒ zhī,mango juice -芒硝,máng xiāo,mirabilite (Na2SO4x10H2O); Glauber's salt -芒种,máng zhòng,"Mangzhong or Grain in Beard, 9th of the 24 solar terms 二十四節氣|二十四节气 6th-20th June" -芒草,máng cǎo,Miscanthus (genus of grass) -芘,pí,Malva sylvestris -芙,fú,"used in 芙蓉[fu2 rong2], lotus" -芙蓉,fú róng,"Furong district of Changsha city 長沙市|长沙市[Chang2 sha1 shi4], Hunan; Seremban, capital of Sembilan state 森美蘭|森美兰[Sen1 mei3 lan2], Malaysia" -芙蓉,fú róng,hibiscus; cotton rose (Hibiscus mutabilis); lotus; foo yung (Chinese dish similar to an omelet) -芙蓉出水,fú róng chū shuǐ,lit. lotus rises from the water (idiom); fig. to blossom (of poem or art) -芙蓉区,fú róng qū,"Furong district of Changsha city 長沙市|长沙市[Chang2 sha1 shi4], Hunan" -芙蓉花,fú róng huā,cotton rose hibiscus (Hibiscus mutabilis); lotus -芝,zhī,Zoysia pungens -芝加哥,zhī jiā gē,"Chicago, USA" -芝加哥大学,zhī jiā gē dà xué,University of Chicago -芝士,zhī shì,cheese (loanword) -芝士蛋糕,zhī shì dàn gāo,cheesecake -芝宇,zhī yǔ,your appearance (honorific); cf 紫芝眉宇 -芝心,zhī xīn,stuffed crust (pizza); cheesy crust -芝焚蕙叹,zhī fén huì tàn,lit. when one grass burns the other grass sighs (idiom); fig. to have sympathy with a like-minded person in distress -芝焚蕙叹,zhī fén huì tàn,lit. when one grass burns the other grass sighs (idiom); fig. to have sympathy with a like-minded person in distress -芝罘,zhī fú,"Zhifu district of Yantai city 煙台市|烟台市, Shandong" -芝罘区,zhī fú qū,"Zhifu district of Yantai city 煙台市|烟台市, Shandong" -芝兰,zhī lán,"lit. iris and orchid; fig. exalted sentiments; (expr. of praise for noble character, beautiful surrounding, future prospects etc)" -芝兰之室,zhī lán zhī shì,lit. a room with irises and orchids (idiom); fig. in wealthy and pleasant company -芝兰玉树,zhī lán yù shù,lit. orchids and jade trees (idiom); fig. a child with splendid future prospects -芝麻,zhī ma,sesame (seed) -芝麻包,zhī ma bāo,sesame bun -芝麻官,zhī ma guān,low ranking official; petty bureaucrat -芝麻小事,zhī ma xiǎo shì,trivial matter; trifle -芝麻油,zhī ma yóu,sesame oil -芝麻绿豆,zhī ma lǜ dòu,trivial; minute (size) -芝麻菜,zhī ma cài,(botany) arugula; rocket; roquette (subspecies Eruca vesicaria sativa) -芝麻酱,zhī ma jiàng,sesame paste -芝麻饼,zhī ma bǐng,sesame biscuit -芟,shān,to cut down; to mow; to eliminate; scythe -芡,qiàn,Gorgon plant; fox nut (Gorgon euryale or Euryale ferox); makhana (Hindi) -芡实,qiàn shí,Gorgon fruit; Semen euryales (botany); see also 雞頭米|鸡头米[ji1 tou2 mi3] -芡粉,qiàn fěn,cornstarch; powder made from Gorgon fruit -芤,kōu,hollow; scallion stalk -芥,gài,see 芥藍|芥蓝[gai4 lan2] -芥,jiè,mustard -芥子气,jiè zǐ qì,mustard gas -芥末,jiè mo,mustard; wasabi -芥茉,jiè mo,variant of 芥末[jie4 mo5] -芥菜,jiè cài,leaf mustard (Brassica juncea); also pr. [gai4cai4] -芥菜籽,jiè cài zǐ,mustard seed -芥蒂,jiè dì,an obstruction; barrier; ill-feeling; grudge -芥蓝,gài lán,Chinese broccoli; Chinese kale; cabbage mustard; Brassica oleracea var. alboglabra; also pr. [jie4 lan2] -芥兰,gài lán,variant of 芥藍|芥蓝[gai4 lan2] -芥兰牛肉,jiè lán niú ròu,beef with broccoli -芨,jí,Bletilla hyacinthina (mucilaginous); Acronym for the Chinese Elder tree 菫草 -芩,qín,Phragmites japonica -芪,qí,see 黃芪|黄芪[huang2 qi2] -芫,yán,used in 芫荽[yan2 sui5] -芫,yuán,"lilac daphne (Daphne genkwa), used in Chinese herbal medicine" -芫花,yuán huā,lilac daphne; Daphne genkwa -芫花素,yuán huā sù,genkwanin -芫荽,yán sui,coriander (Coriandrum sativum) -芫荽叶,yán sui yè,coriander leaf -芬,fēn,perfume; fragrance -芬园,fēn yuán,"Fenyuan Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -芬园乡,fēn yuán xiāng,"Fenyuan Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -芬多精,fēn duō jīng,phytoncide (biochemistry) -芬太尼,fēn tài ní,fentanyl (loanword) -芬尼,fēn ní,pfennig (monetary unit) (loanword) -芬芳,fēn fāng,perfume; fragrant -芬兰,fēn lán,Finland -芬兰语,fēn lán yǔ,Finnish (language); suomen kieli -芬达,fēn dá,Fanta (soft drink brand); Fender (guitar brand) -芬香,fēn xiāng,fragrance; fragrant -芭,bā,an unidentified fragrant plant mentioned in the Songs of Chu 楚辭|楚辞[Chu3ci2]; used in 芭蕉[ba1jiao1]; used in transliteration -芭拉,bā lā,guava (loanword from Taiwanese) -芭拉芭拉,bā lā bā lā,"para para, a Eurobeat dance originating in Japan, with synchronized upper body movements (loanword from Japanese)" -芭提雅,bā tí yǎ,"Pattaya, Thailand" -芭乐,bā lè,guava (loanword from Taiwanese) -芭乐歌,bā lè gē,(Tw) ballad (loanword); mainstream song -芭乐票,bā lè piào,forged money; fictitious bills; see also 芭樂|芭乐[ba1 le4] -芭比,bā bǐ,Barbie -芭芭拉,bā bā lā,Barbara or Barbra (name) -芭菲,bā fēi,parfait (loanword) -芭蕉,bā jiāo,Japanese banana (Musa basjoo) -芭蕉扇,bā jiāo shàn,palm-leaf fan -芭蕾,bā lěi,ballet (loanword) -芭蕾舞,bā lěi wǔ,ballet (loanword) -芭达雅,bā dá yǎ,variant of 帕塔亞|帕塔亚[Pa4 ta3 ya4]; Pattaya or Phatthaya city in Chon Buri province of east Thailand -芮,ruì,surname Rui -芮,ruì,small -芮城,ruì chéng,"Ruicheng county in Yuncheng 運城|运城[Yun4 cheng2], Shanxi" -芮城县,ruì chéng xiàn,"Ruicheng county in Yuncheng 運城|运城[Yun4 cheng2], Shanxi" -芮氏,ruì shì,Richter (scale); Richter (name) -芮氏规模,ruì shì guī mó,Richter scale -芯,xīn,(bound form) the pith of the rush plant (used as a lampwick) -芯,xìn,used in 芯子[xin4 zi5]; Taiwan pr. [xin1] -芯子,xìn zi,fuse; wick; forked tongue (of a snake) -芯片,xīn piàn,computer chip; microchip -芯片组,xīn piàn zǔ,chipset -芰,jì,(archaic) water caltrop (Trapa natans) -花,huā,surname Hua -花,huā,"flower; blossom; CL:朵[duo3],支[zhi1],束[shu4],把[ba3],盆[pen2],簇[cu4]; fancy pattern; florid; to spend (money, time); (coll.) lecherous; lustful" -花不棱登,huā bu lēng dēng,gaudy; having too many jumbled colors -花俏,huā qiào,fancy; gaudy -花光,huā guāng,to spend all one's money -花儿,huā ér,"style of folk song popular in Gansu, Qinghai and Ningxia; CL:首[shou3]" -花儿,huā er,erhua variant of 花[hua1] -花冠,huā guān,corolla -花冠皱盔犀鸟,huā guān zhòu kuī xī niǎo,(bird species of China) wreathed hornbill (Rhyticeros undulatus) -花前月下,huā qián yuè xià,see 月下花前[yue4 xia4 hua1 qian2] -花剑,huā jiàn,foil (fencing) -花匠,huā jiàng,gardener -花卉,huā huì,flowers and plants -花卷,huā juǎn,Chinese steamed twisted bread roll -花丛,huā cóng,cluster of flowers; inflorescence; flowering shrub -花名,huā míng,name of a person on the household register (old); name on a roster; professional name of a prostitute; pseudonym; nickname -花呢,huā ní,tweed; checkered cloth -花哨,huā shao,garish; gaudy -花呗,huā bei,"Ant Check Later, consumer credit service offered by Ant Financial Services 螞蟻金服|蚂蚁金服[Ma3 yi3 Jin1 fu2]" -花商,huā shāng,florist -花圃,huā pǔ,flowerbed; parterre -花圈,huā quān,wreath; garland -花园,huā yuán,"garden; CL:座[zuo4],個|个[ge4]" -花园鞋,huā yuán xié,Crocs shoes (or any similar shoe) -花团锦簇,huā tuán jǐn cù,brightly colored decorations (idiom); splendid -花地玛堂区,huā dì mǎ táng qū,Parish of Our Lady of Fatima (Macau); Freguesia de Nossa Senhora de Fátima -花垣,huā yuán,Huayuan County in Xiangxi Tujia and Miao Autonomous Prefecture 湘西土家族苗族自治州[Xiang1 xi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1] -花垣县,huā yuán xiàn,Huayuan County in Xiangxi Tujia and Miao Autonomous Prefecture 湘西土家族苗族自治州[Xiang1 xi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1] -花坞,huā wù,sunken flower-bed -花坛,huā tán,"Huatan Township in Changhua County 彰化縣|彰化县[Zhang1hua4 Xian4], Taiwan" -花坛,huā tán,"decorative mass planting of flowers and shrubs, often bounded by a low masonry border, and often part of a streetscape" -花坛乡,huā tán xiāng,"Huatan Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -花大姐,huā dà jiě,"common word for ladybug, more formally 瓢蟲|瓢虫[piao2 chong2]" -花天酒地,huā tiān jiǔ dì,to spend one's time in drinking and pleasure (idiom); to indulge in sensual pleasures; life of debauchery -花好月圆,huā hǎo yuè yuán,"lit. lovely flowers, round moon (idiom); fig. everything is wonderful; perfect happiness; conjugal bliss" -花子,huā zi,beggar (old term) -花季,huā jì,youthful time; prime of youth; flowering season -花容月貌,huā róng yuè mào,"lit. countenance of a flower, face like the moon (idiom); fig. (of a woman) beautiful" -花尾榛鸡,huā wěi zhēn jī,(bird species of China) hazel grouse (Tetrastes bonasia) -花展,huā zhǎn,flower show -花山,huā shān,"Huashan, a district of Ma'anshan City 馬鞍山市|马鞍山市[Ma3an1shan1 Shi4], Anhui" -花山区,huā shān qū,"Huashan, a district of Ma'anshan City 馬鞍山市|马鞍山市[Ma3an1shan1 Shi4], Anhui" -花岗岩,huā gāng yán,granite -花岗石,huā gāng shí,granite -花巧,huā qiǎo,fancy -花布,huā bù,printed cloth; calico -花床,huā chuáng,flower bed -花序,huā xù,inflorescence; flower cluster -花店,huā diàn,flower shop -花厅,huā tīng,"reception pavilion (generally part of a large residence, and often built in a garden)" -花式,huā shì,fancy-style (as in 花式溜冰|花式溜冰[hua1 shi4 liu1 bing1] figure skating) -花式游泳,huā shì yóu yǒng,synchronized swimming -花式溜冰,huā shì liū bīng,figure skating -花式足球,huā shì zú qiú,freestyle soccer -花彩,huā cǎi,to festoon; to decorate with a row of colored garlands -花彩雀莺,huā cǎi què yīng,(bird species of China) white-browed tit-warbler (Leptopoecile sophiae) -花心,huā xīn,fickle in love; unfaithful; heart of a flower (pistil and stamen) -花心大萝卜,huā xīn dà luó bo,(coll.) womanizer; skirt-chaser -花心思,huā xīn sī,to think through; to invest effort in thinking about; to consider thoroughly -花户,huā hù,registered occupants of a house -花房,huā fáng,greenhouse -花托,huā tuō,receptacle (base of flower) -花把势,huā bǎ shì,expert flower grower -花把式,huā bǎ shì,expert flower grower -花押,huā yā,"signature (in grass-style writing); symbol used in place of a signature (on a document, contract etc)" -花招,huā zhāo,trick; maneuver; razzle-dazzle; (martial arts) fancy move; flourish -花括号,huā kuò hào,braces; curly brackets { } -花拳,huā quán,showy boxing of no practical use; see 花拳繡腿|花拳绣腿 -花拳绣腿,huā quán xiù tuǐ,flowery of fist with fancy footwork (idiom); highly embellished and ineffectual; fancy but impractical skills; all show and no go; pugilistic wankery -花掉,huā diào,"to spend (time, money); to waste" -花斑,huā bān,patches; mottling -花斑癣,huā bān xuǎn,"pityriasis versicolor (aka tinea versicolor), blotchy skin condition common in tropical areas, common name 汗斑[han4 ban1]" -花旗,huā qí,"the Stars and Stripes (US flag); by extension, the United States of America; abbr. for Citibank 花旗銀行|花旗银行" -花旗参,huā qí shēn,American ginseng -花旗国,huā qí guó,USA (land of the stars and stripes) -花旗银行,huā qí yín háng,Citibank; abbr. to 花旗 -花旦,huā dàn,role of vivacious young female in Chinese opera -花时间,huā shí jiān,to take up time; to spend time -花会,huā huì,flower fair or festival -花朝月夕,huā zhāo yuè xī,a beautiful day; cf Birthday of the Flowers on lunar 15th February and Mid-autumn Festival on lunar 15th August -花朝节,huā zhāo jié,"Birthday of the Flowers, spring festival on lunar 12th or 15th February" -花期,huā qī,the flowering season -花木,huā mù,flowers and trees; plants; flora -花木兰,huā mù lán,"Hua Mulan, legendary woman warrior (c. fifth century), Northern dynasties folk hero recorded in Sui and Tang literature" -花朵,huā duǒ,flower -花束,huā shù,bouquet -花果山,huā guǒ shān,"Mount Huaguo in Jiangsu, featured in 西遊記|西游记[Xi1 you2 Ji4], tourist destination; (also the name of mountains in other parts of China)" -花枝,huā zhī,spray (sprig of a plant with blossoms); cuttlefish (on dining menus); (literary) beautiful woman -花枝招展,huā zhī zhāo zhǎn,lit. lovely scene of blossoming plants swaying in the breeze (idiom); fig. gorgeously dressed (woman) -花架子,huā jià zi,"attractive appearance, but without substance" -花柱,huā zhù,style (female organ of flower) -花柳病,huā liǔ bìng,sexually transmitted disease; venereal disease -花栗鼠,huā lì shǔ,chipmunk (genus Tamias) -花梗,huā gěng,stem of flower -花椒,huā jiāo,Sichuan pepper; Chinese prickly ash -花椰菜,huā yē cài,cauliflower -花枪,huā qiāng,short spear (arch.); fig. trickery -花样,huā yàng,pattern; way of doing sth; trick; ruse; fancy-style (as in 花樣滑冰|花样滑冰[hua1 yang4 hua2 bing1] figure skating) -花样刀,huā yàng dāo,figure skates -花样年华,huā yàng nián huá,full bloom of youth -花样游泳,huā yàng yóu yǒng,synchronized swimming -花样滑冰,huā yàng huá bīng,figure skating -花池子,huā chí zi,flower bed -花活,huā huó,trick; deception -花溪,huā xī,"Huaxi District of Guiyang City 貴陽市|贵阳市[Gui4 yang2 Shi4], Guizhou" -花溪区,huā xī qū,"Huaxi District of Guiyang City 貴陽市|贵阳市[Gui4 yang2 Shi4], Guizhou" -花洒,huā sǎ,showerhead; sprinkler -花火,huā huǒ,firework -花炮,huā pào,firecracker -花无百日红,huā wú bǎi rì hóng,No flower can bloom for a hundred days.; Good times do not last long. (idiom) -花灯,huā dēng,colored lantern (used at Lantern Festival 元宵節|元宵节) -花灯戏,huā dēng xì,opera for popular in Sichuan and Yunnan -花环,huā huán,garland; floral hoop -花瓣,huā bàn,petal; CL:片[pian4] -花瓶,huā píng,flower vase; (fig.) female employee considered to be just a pretty face (attractive but not very competent) -花生,huā shēng,peanut; CL:粒[li4] -花生仁,huā shēng rén,shelled peanut; peanut kernel -花生秀,huā shēng xiù,(loanword) fashion show -花生米,huā shēng mǐ,shelled peanuts -花生酱,huā shēng jiàng,peanut butter -花用,huā yòng,to spend (money) -花田鸡,huā tián jī,(bird species of China) Swinhoe's rail (Coturnicops exquisitus) -花甲,huā jiǎ,complete sexagenary cycle; a 60 year-old person; passage of time -花痴,huā chī,to be smitten with sb; love-struck fool; starry-eyed infatuation -花白,huā bái,grizzled (hair) -花盆,huā pén,flower pot -花石,huā shí,marble -花石峡,huā shí xiá,"Huashixia town in Madoi county 瑪多縣|玛多县[Ma3 duo1 xian4] in Golog Tibetan autonomous prefecture, Qinghai" -花石峡镇,huā shí xiá zhèn,"Huashixia town in Madoi county 瑪多縣|玛多县[Ma3 duo1 xian4] in Golog Tibetan autonomous prefecture, Qinghai" -花童,huā tóng,page boy; flower girl (at a wedding) -花簇,huā cù,bunch of flowers; bouquet -花粉,huā fěn,pollen -花粉热,huā fěn rè,hay fever -花粉症,huā fěn zhèng,hay fever; seasonal allergic rhinitis -花粉过敏,huā fěn guò mǐn,hay fever -花红,huā hóng,flowers on red silk (a traditional gift to celebrate weddings etc); a bonus; crab apple (Malus asiatica) -花红柳绿,huā hóng liǔ lǜ,red flowers and green willow; all the colors of spring -花纹,huā wén,decorative design -花结,huā jié,decorative bow of ribbon or fabric -花絮,huā xù,bits of news; interesting sidelights -花丝,huā sī,stalk (filament) of stamen -花缎,huā duàn,brocade; figured satin -花肥,huā féi,fertilizer for potted flowers; fertilizer used to promote flowering in crop plants -花腔,huā qiāng,florid ornamentation in opera; coloratura -花腹绿啄木鸟,huā fù lǜ zhuó mù niǎo,(bird species of China) laced woodpecker (Picus vittatus) -花脸鸭,huā liǎn yā,(bird species of China) Baikal teal (Anas formosa) -花台,huā tái,flower bed; flower terrace; flower stand -花色,huā sè,variety; design and color; suit (cards) -花色素,huā sè sù,anthocyanidin (biochemistry) -花色素苷,huā sè sù gān,anthocyanin (biochemistry) -花花世界,huā huā shì jiè,the teeming world; the world of sensual pleasures -花花公主,huā huā gōng zhǔ,playgirl -花花公子,huā huā gōng zǐ,playboy -花花搭搭,huā hua dā dā,mixed; uneven in texture -花花绿绿,huā huā lǜ lǜ,brightly colored; gaudy -花花肠子,huā huā cháng zi,(slang) a cunning plot -花苞,huā bāo,flower bud -花茶,huā chá,"scented tea; CL:杯[bei1],壺|壶[hu2]" -花草,huā cǎo,flowers and plants -花菜,huā cài,cauliflower -花萼,huā è,sepal -花落谁家,huā luò shéi jiā,who will be the winner? -花着,huā zhāo,variant of 花招[hua1 zhao1] -花莲,huā lián,"Hualien, city and county on the east coast of Taiwan" -花莲市,huā lián shì,Hualien city on the east coast of Taiwan -花莲县,huā lián xiàn,Hualien County on the east coast of Taiwan -花蕊,huā ruǐ,stamen; pistil -花蕾,huā lěi,bud; flower bud -花药,huā yào,anther (pollen sack on stamen) -花蛤,huā gé,"clam; bivalve mollusk, many spp." -花蜜,huā mì,nectar -花蟒,huā mǎng,python -花街,huā jiē,red-light district -花被,huā bèi,perianth (common term for calyx and corolla); border and protecting envelope of a flower -花里胡哨,huā li hú shào,gaudy; flashy (but without substance) -花言巧语,huā yán qiǎo yǔ,"graceful words, flowery speech (idiom); elegant but insincere words; cheating wheedling; dishonest rhetoric" -花豹,huā bào,leopard; CL:隻|只[zhi1] -花貌蓬心,huā mào péng xīn,"florid outside appearance, unkempt interior (idiom)" -花费,huā fèi,expense; cost; to spend (time or money); expenditure -花车,huā chē,car festooned for celebration -花轿,huā jiào,bridal sedan chair -花农,huā nóng,flower grower -花边,huā biān,lace; decorative border -花边人物,huā biān rén wù,smooth talker; fast talker; slick and sociable person; person in the news -花边儿,huā biān er,erhua variant of 花邊|花边[hua1 bian1] -花边新闻,huā biān xīn wén,media gossip; sensational news -花都,huā dū,"Huadu District of Guangzhou City 廣州市|广州市[Guang3 zhou1 Shi4], Guangdong; alternative name for Paris" -花都区,huā dū qū,"Huadu District of Guangzhou City 廣州市|广州市[Guang3 zhou1 Shi4], Guangdong" -花酒,huā jiǔ,drinking party with female entertainers -花销,huā xiāo,to spend (money); expenses -花钱,huā qián,to spend money -花钱受气,huā qián shòu qì,(idiom) to have a bad experience as a customer; to encounter poor service -花钱找罪受,huā qián zhǎo zuì shòu,to spend money on sth that turns out to be unsatisfactory or even disastrous -花雕,huā diāo,Shaoxing yellow wine -花鸡,huā jī,chaffinch (family Fringillidae) -花露水,huā lù shuǐ,perfumed toilet water; eau de cologne; floral water; hydrosol -花青素,huā qīng sù,anthocyanidin (biochemistry) -花头,huā tou,trick; pattern; novel idea; knack -花头鹦鹉,huā tóu yīng wǔ,(bird species of China) blossom-headed parakeet (Psittacula roseata) -花饰,huā shì,ornamental design -花饺,huā jiǎo,dumpling -花香,huā xiāng,fragrance of flowers -花骨朵,huā gǔ duo,(coll.) flower bud -花魁,huā kuí,the queen of flowers (refers esp. to plum blossom); (fig.) nickname for a famous beauty or courtesan -花鲢,huā lián,see 鱅魚|鳙鱼[yong1 yu2] -花鸟,huā niǎo,painting of birds and flowers -花黄,huā huáng,yellow flower (cosmetic powder used on women's forehead in former times) -花点子,huā diǎn zi,trickery; scam -花鼓,huā gǔ,"flower drum, a type of double-skinned Chinese drum; folk dance popular in provinces around the middle reaches of the Yangtze; (bicycle wheel) hub" -花鼓戏,huā gǔ xì,opera form popular along Changjiang -花,huā,old variant of 花[hua1] -芳,fāng,fragrant -芳容,fāng róng,beautiful face (of a young lady) -芳心,fāng xīn,"the affection, or heart, of a young woman" -芳札,fāng zhá,good letter -芳烃,fāng tīng,aromatic hydrocarbon -芳疗,fāng liáo,aromatherapy (abbr. for 芳香療法|芳香疗法[fang1xiang1 liao2fa3]) -芳苑,fāng yuàn,"Fangyuan Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -芳苑乡,fāng yuàn xiāng,"Fangyuan Township in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -芳华,fāng huá,young years; youth -芳香,fāng xiāng,fragrant; aromatic; fragrance; aroma -芳香烃,fāng xiāng tīng,aromatic hydrocarbon (i.e. involving benzene ring) -芳香环,fāng xiāng huán,benzene ring (chemistry); aromatic ring -芳香疗法,fāng xiāng liáo fǎ,aromatherapy -芳香醋,fāng xiāng cù,balsamic vinegar -芳龄,fāng líng,age (of a young woman) -芴,hū,(old) vaguely; suddenly -芴,wù,fluorene C13H10; (old) name of an edible wild plant -芷,zhǐ,angelica (type of iris); plant root used in TCM -芷江,zhǐ jiāng,"Zhijiang Dong autonomous county in Huaihua 懷化|怀化[Huai2 hua4], Hunan" -芷江侗族自治县,zhǐ jiāng dòng zú zì zhì xiàn,"Zhijiang Dong Autonomous County in Huaihua 懷化|怀化[Huai2 hua4], Hunan" -芷江县,zhǐ jiāng xiàn,"Zhijiang Dong autonomous county in Huaihua 懷化|怀化[Huai2 hua4], Hunan" -芸,yì,Japanese variant of 藝|艺[yi4] -芸,yún,common rue (Ruta graveolens); (used in old compounds relating to books because in former times rue was used to protect books from insect damage) -芸帙,yún zhì,(old) books -芸窗,yún chuāng,study (room) -芸签,yún qiān,bookmark; books -芸编,yún biān,(old) books -芸芸,yún yún,numerous; diverse and varied -芸芸众生,yún yún zhòng shēng,every living being (Buddhism); the mass of common people -芸苔子,yún tái zǐ,rape (Brassica campestris L.); rapeseed plant; canola plant; a common vegetable with a dark green leaf; also called 油菜 -芸苔属,yún tái shǔ,"genus Brassica (cabbage, rape etc)" -芸草,yún cǎo,(botany) rue (Ruta graveolens) -芸豆,yún dòu,kidney bean -芸阁,yún gé,imperial library -芸香,yún xiāng,(botany) rue (Ruta graveolens) -芸香属,yún xiāng shǔ,(botany) genus Ruta -芸香科,yún xiāng kē,"(botany) family Rutaceae (rue family, aka citrus family)" -芹,qín,Chinese celery -芹菜,qín cài,celery (Apium graveolens) -刍,chú,to mow or cut grass; hay; straw; fodder -刍秣,chú mò,hay; fodder -刍粮,chú liáng,army provisions -刍荛,chú ráo,to mow grass and cut firewood; grass mower; woodman -刍议,chú yì,lit. grass-cutter's comment (humble); fig. my observation as a humble layman; my humble opinion -刍豢,chú huàn,livestock; farm animals -芽,yá,bud; sprout -芽孢,yá bāo,endospore -芽苗,yá miáo,a shoot; a sprout; a seedling -芾,fèi,see 蔽芾[bi4 fei4] -芾,fú,luxuriance of vegetation -苄,biàn,benzyl (chemistry) -苄星青霉素,biàn xīng qīng méi sù,benzathine benzylpenicillin (aka benzathine penicillin G) -苄胺,biàn àn,benzylamine C7H9N -苊,è,acenaphthene (C12H10) -苑,yuàn,surname Yuan -苑,yuàn,"(literary) enclosed area for growing trees, keeping animals etc; imperial garden; park; (literary) center (of arts, literature etc)" -苑里,yuàn lǐ,"Yuanli town in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -苑里镇,yuàn lǐ zhèn,"Yuanli town in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -苒,rǎn,luxuriant growth; passing (of time) -苓,líng,fungus; tuber -苓雅,líng yǎ,"Lingya district of Kaohsiung city 高雄市[Gao1 xiong2 shi4], south Taiwan" -苓雅区,líng yǎ qū,"Lingya district of Kaohsiung city 高雄市[Gao1 xiong2 shi4], south Taiwan" -苔,tāi,used in 舌苔[she2 tai1] -苔,tái,moss; lichen; liverwort -苔原,tái yuán,tundra -苔藓,tái xiǎn,moss -苕,sháo,see 紅苕|红苕[hong2 shao2] -苕,tiáo,reed grass; Chinese trumpet vine (Campsis grandiflora) (old) -苗,miáo,Hmong or Miao ethnic group of southwest China; surname Miao -苗,miáo,sprout -苗圃,miáo pǔ,"Miao Pu (1977-), PRC actress" -苗圃,miáo pǔ,plant nursery; seedbed -苗子,miáo zi,young successor; seedling; sapling -苗家,miáo jiā,see 苗族[Miao2 zu2] -苗床,miáo chuáng,seedbed -苗族,miáo zú,Hmong or Miao ethnic group of southwest China -苗期,miáo qī,(agriculture) seedling stage -苗栗,miáo lì,Miaoli city and county in northwest Taiwan -苗栗市,miáo lì shì,"Miaoli city in northwest Taiwan, capital of Miaoli county" -苗栗县,miáo lì xiàn,Miaoli county in northwest Taiwan -苗条,miáo tiao,(of a woman) slim; slender; graceful -苗裔,miáo yì,offspring; descendant; progeny -苗头,miáo tou,first signs; development (of a situation) -苘,qǐng,Indian mallow (Abutilon theophrasti); Indian hemp (cannabis) -苘麻,qǐng má,Indian mallow (Abutilon theophrasti); Indian hemp (cannabis) -苛,kē,severe; exacting -苛刻,kē kè,harsh; severe; demanding -苛性,kē xìng,caustic (chemistry) -苛性钠,kē xìng nà,caustic soda; sodium hydroxide NaOH -苛性钾,kē xìng jiǎ,caustic potash; potassium hydroxide KOH -苛捐,kē juān,exorbitant levies -苛捐杂税,kē juān zá shuì,exorbitant taxation (idiom) -苛政猛于虎,kē zhèng měng yú hǔ,tyrannical government is fiercer than a tiger (idiom) -苛求,kē qiú,demanding -苛责,kē zé,to criticize harshly; to excoriate -苜,mù,clover -苜蓿,mù xu,lucerne; alfalfa -苞,bāo,bud; flower calyx; luxuriant; profuse -苞片,bāo piàn,bract (botany) -苞谷,bāo gǔ,variant of 包穀|包谷[bao1 gu3] -苞米,bāo mǐ,variant of 包米[bao1 mi3] -苞粟,bāo sù,corn; maize -苞藏祸心,bāo cáng huò xīn,variant of 包藏祸心[bao1cang2-huo4xin1] -苟,gǒu,surname Gou -苟,gǒu,(literary) if indeed; (bound form) careless; negligent; (bound form) temporarily -苟且,gǒu qiě,perfunctory; careless; drifting along; resigned to one's fate; improper (relations); illicit (sex) -苟且偷安,gǒu qiě tōu ān,seeking only ease and comfort (idiom); making no attempt to improve oneself; taking things easily without attending to responsibilities -苟且偷生,gǒu qiě tōu shēng,to drift and live without purpose (idiom); to drag out an ignoble existence -苟取,gǒu qǔ,(literary) to extort; to take as bribe -苟合,gǒu hé,illicit sexual relations -苟同,gǒu tóng,to agree blindly -苟存,gǒu cún,to drift through life -苟安,gǒu ān,see 苟且偷安[gou3 qie3 tou1 an1] -苟延残喘,gǒu yán cán chuǎn,to struggle on whilst at death's door (idiom) -苠,mín,multitude; skin of bamboo -苡,yǐ,common plantain (Plantago major) -苡米,yǐ mǐ,grains of Job's tears plant 薏苡[yi4 yi3] -苣,jù,used in 萵苣|莴苣[wo1ju4] -苣,qǔ,used in 苣蕒菜|苣荬菜[qu3mai5cai4]; Taiwan pr. [ju4] -苣荬菜,qǔ mai cài,endive (Cichorium endivia); field sowthistle (Sonchus arvensis) -苤,piě,used in 苤藍|苤蓝[pie3 lan5] -苤蓝,piě lan,kohlrabi (Brassica oleracea) -若,rě,used in 般若[bo1re3]; used in 蘭若|兰若[lan2re3] -若,ruò,to seem; like; as; if -若且唯若,ruò qiě wéi ruò,if and only if -若即若离,ruò jí ruò lí,lit. seeming neither close nor distant (idiom); fig. to keep one's distance; (of a relationship) lukewarm; vague -若干,ruò gān,a certain number or amount; how many?; how much? -若是,ruò shì,if -若有所亡,ruò yǒu suǒ wáng,see 若有所失[ruo4 you3 suo3 shi1] -若有所丧,ruò yǒu suǒ sàng,see 若有所失[ruo4 you3 suo3 shi1] -若有所失,ruò yǒu suǒ shī,as if one had lost something (idiom); to look or feel unsettled or distracted; to feel empty -若有所思,ruò yǒu suǒ sī,looking pensive; thoughtfully -若有若无,ruò yǒu ruò wú,indistinct; faintly discernible -若望,ruò wàng,John; Saint John; less common variant of 約翰|约翰[Yue1 han4] preferred by the Catholic Church -若望福音,ruò wàng fú yīn,Gospel according to St John -若无其事,ruò wú qí shì,as if nothing had happened (idiom); calmly; nonchalantly -若然,ruò rán,if; if so -若尔盖,ruò ěr gài,"Zoigê County (Tibetan: mdzod dge rdzong) in Ngawa Tibetan and Qiang Autonomous Prefecture 阿壩藏族羌族自治州|阿坝藏族羌族自治州[A1 ba4 Zang4 zu2 Qiang1 zu2 Zi4 zhi4 zhou1], northwest Sichuan" -若尔盖县,ruò ěr gài xiàn,"Zoigê County (Tibetan: mdzod dge rdzong) in Ngawa Tibetan and Qiang Autonomous Prefecture 阿壩藏族羌族自治州|阿坝藏族羌族自治州[A1 ba4 Zang4 zu2 Qiang1 zu2 Zi4 zhi4 zhou1], northwest Sichuan" -若瑟,ruò sè,Joseph (biblical name) -若羌,ruò qiāng,"Chaqiliq nahiyisi or Ruoqiang county in Bayingolin Mongol Autonomous Prefecture, Xinjiang 巴音郭楞蒙古自治州[Ba1 yin1 guo1 leng2 Meng3 gu3 Zi4 zhi4 zhou1], Xinjiang" -若羌县,ruò qiāng xiàn,"Chaqiliq nahiyisi or Ruoqiang county in Bayingolin Mongol Autonomous Prefecture, Xinjiang 巴音郭楞蒙古自治州[Ba1 yin1 guo1 leng2 Meng3 gu3 Zi4 zhi4 zhou1], Xinjiang" -若翰,ruò hàn,John (less common form of 若望[Ruo4 wang4] or 約翰|约翰[Yue1 han4]) -若虫,ruò chóng,(entomology) nymph -若开山脉,ruò kāi shān mài,"Arakan Yoma, mountain range in western Myanmar (Burma)" -若隐若现,ruò yǐn ruò xiàn,faintly discernible (idiom) -若非,ruò fēi,were it not for; if not for -苦,kǔ,bitter; hardship; pain; to suffer; to bring suffering to; painstakingly -苦不唧,kǔ bu jī,slightly bitter -苦不唧儿,kǔ bu jī er,erhua variant of 苦不唧[ku3 bu5 ji1] -苦不堪言,kǔ bù kān yán,to suffer unspeakable misery; indescribably painful; hellish -苦中作乐,kǔ zhōng zuò lè,to find joy in sorrows (idiom); to enjoy sth in spite of one's suffering -苦主,kǔ zhǔ,victim's family (esp. in murder case) -苦事,kǔ shì,hard job; arduous task -苦刑,kǔ xíng,torture; corporal punishment (traditionally involving mutilation or amputation) -苦力,kǔ lì,"bitter work; hard toil; (loanword) coolie, unskilled Chinese laborer in colonial times" -苦功,kǔ gōng,hard work; laborious effort; painstaking work -苦劳,kǔ láo,toil; hard work -苦参,kǔ shēn,"liquorice (Sophora flavescens), with roots used in TCM" -苦口,kǔ kǒu,"lit. bitter taste (cf good medicine tastes bitter 良藥苦口|良药苦口); fig. earnestly (of warning, advice)" -苦口婆心,kǔ kǒu pó xīn,earnest and well-meaning advice (idiom); to persuade patiently -苦味,kǔ wèi,bitter taste; bitterness -苦命,kǔ mìng,hard lot; bitter fate; unfortunate -苦哈哈,kǔ hā hā,to have difficulty getting by; to struggle (financially etc) -苦因,kǔ yīn,affliction -苦境,kǔ jìng,grievance; dire straits -苦大仇深,kǔ dà chóu shēn,"great bitterness, deep hatred (idiom); deeply ingrained long-standing resentment" -苦寒,kǔ hán,bitter cold -苦工,kǔ gōng,hard labor (in penal code); coolie -苦差,kǔ chāi,hard task; difficult mission; arduous and unrewarding undertaking; drudgery; grind; chore -苦差事,kǔ chāi shi,see 苦差[ku3 chai1] -苦干,kǔ gàn,to work hard -苦役,kǔ yì,forced labor; corvée; penal servitude -苦待,kǔ dài,treat harshly -苦心,kǔ xīn,painstaking effort; to take a lot of trouble; laborious at pains -苦心孤诣,kǔ xīn gū yì,to make painstaking efforts (idiom); after much trouble; to work hard at sth -苦心经营,kǔ xīn jīng yíng,to build up an enterprise through painstaking efforts -苦思,kǔ sī,to think hard; bitter thoughts; to pour out one's sufferings -苦思冥想,kǔ sī míng xiǎng,to consider from all angles (idiom); to think hard; to rack one's brains -苦闷,kǔ mèn,depressed; dejected; feeling low -苦情,kǔ qíng,wretched situation; plight; wretched; miserable -苦恼,kǔ nǎo,vexed; distressed -苦战,kǔ zhàn,bitter struggle; hard battle; arduous effort -苦于,kǔ yú,to suffer from (a disadvantage) -苦日子,kǔ rì zi,hard times -苦杏仁苷,kǔ xìng rén gān,amygdalin -苦果,kǔ guǒ,lit. bitter fruit; fig. painful consequence -苦根,kǔ gēn,underlying cause of poverty -苦楚,kǔ chǔ,suffering; misery; pain (esp. psychological) -苦楝,kǔ liàn,chinaberry (Melia azedarach) -苦水,kǔ shuǐ,bitter water (e.g. mineral water containing sulfates); suffering; digestive fluids rising from stomach to the mouth; fig. bitter complaint -苦况,kǔ kuàng,wretched state; miserable plight -苦活,kǔ huó,bitter work; sweated labor -苦活儿,kǔ huó er,erhua variant of 苦活[ku3 huo2] -苦海,kǔ hǎi,lit. sea of bitterness; abyss of worldly suffering (Buddhist term); depths of misery -苦海茫茫,kǔ hǎi máng máng,sea of bitterness is vast (idiom) -苦涩,kǔ sè,bitter and astringent; pained; agonized -苦熬,kǔ áo,to endure (years of suffering) -苦瓜,kǔ guā,"bitter melon (bitter gourd, balsam pear, balsam apple, leprosy gourd, bitter cucumber)" -苦瓜脸,kǔ guā liǎn,sour expression on one's face -苦甘,kǔ gān,bitter sweet -苦痛,kǔ tòng,pain; suffering -苦尽甘来,kǔ jìn gān lái,"bitterness finishes, sweetness begins (idiom); the hard times are over, the good times just beginning" -苦窑,kǔ yáo,(slang) prison -苦竹,kǔ zhú,bitter bamboo (Pleioblastus amarus) -苦笑,kǔ xiào,to force a smile; a bitter laugh -苦练,kǔ liàn,"to train hard; to practice diligently; hard work; blood, sweat, and tears" -苦肉计,kǔ ròu jì,the trick of injuring oneself to gain the enemy's confidence; CL:條|条[tiao2] -苦胆,kǔ dǎn,gallbladder -苦艾,kǔ ài,wormwood; Artemisia absinthium -苦艾酒,kǔ ài jiǔ,absinthe (distilled anise-based liquor) -苦苓,kǔ líng,chinaberry (Melia azedarach) -苦苣,kǔ jù,endive -苦苦,kǔ kǔ,strenuously; persistently; hard; painful -苦苦哀求,kǔ kǔ āi qiú,to entreat piteously; to implore -苦菊,kǔ jú,endive -苦菜花,kǔ cài huā,"Bitter Cauliflower, 1954 socialist realist novel by Feng Deying 馮德英|冯德英[Feng2 De2 ying1] loosely based on Maxim Gorky's Mother, made into a 1967 film by Li Ang" -苦荬菜,kǔ mǎi cài,Ixeris denticulata -苦蘵,kǔ zhí,cutleaf ground-cherry; Physalis angulata -苦处,kǔ chu,suffering; distress -苦行,kǔ xíng,ascetic practice -苦行赎罪,kǔ xíng shú zuì,penance (to atone for a sin) -苦衷,kǔ zhōng,secret trouble; sorrow; difficulties -苦谏,kǔ jiàn,to admonish strenuously -苦趣,kǔ qù,"wretched feelings (opposite: 樂趣|乐趣, delight)" -苦迭打,kǔ dié dǎ,coup d'état (loanword) -苦逼,kǔ bī,(coll.) miserable; wretched -苦集灭道,kǔ jí miè dào,"the Four Noble Truths (Budd.), namely: all life is suffering 苦[ku3], the cause of suffering is desire 集[ji2], emancipation comes only by eliminating passions 滅|灭[mie4], the way 道[dao4] to emancipation is the Eight-fold Noble Way 八正道[ba1 zheng4 dao4]; also called 四諦|四谛[si4 di4]" -苦难,kǔ nàn,suffering -苦难深重,kǔ nàn shēn zhòng,deep grief; extensive sorrow -苦头,kǔ tou,sufferings -苎,zhù,Boehmeria nivea; Chinese grass -苎麻,zhù má,(botany) ramie (Boehmeria nivea); the fiber of this plant -苫,shān,straw mat; thatch -苯,běn,benzene; benzol (chemistry) -苯丙氨酸,běn bǐng ān suān,"phenylalanine (Phe), an essential amino acid" -苯丙胺,běn bǐng àn,amphetamine (medical) -苯丙酮尿症,běn bǐng tóng niào zhèng,(medicine) phenylketonuria -苯并噻吩,běn bìng sāi fēn,"benzothiophene C8H9, a heterocyclic compound (with one benzene ring and one cyclopentene ring)" -苯乙烯,běn yǐ xī,Styrene -苯基,běn jī,phenyl group -苯氧基,běn yǎng jī,phenoxy (chemistry) -苯环,běn huán,benzene ring (chemistry) -苯环利定,běn huán lì dìng,phencyclidine (PCP) -苯甲酰氯,běn jiǎ xiān lǜ,benzoil chloride C6H5COCl -苯甲酸,běn jiǎ suān,benzoic acid C6H5COOH -苯甲酸钠,běn jiǎ suān nà,"sodium benzoate, E211 (a food preservative)" -苯甲醛,běn jiǎ quán,"benzaldehyde C6H5CHO, the simplest aromatic aldehyde" -苯胺,běn àn,aniline C6H5NH2; aminobenzene -苯那辛,běn nà xīn,benactyzine -苯酚,běn fēn,phenol C6H5OH -苯酮尿症,běn tóng niào zhèng,phenylketonuria (PKU) -英,yīng,United Kingdom; British; England; English; abbr. for 英國|英国[Ying1 guo2] -英,yīng,hero; outstanding; excellent; (literary) flower; blossom -英中,yīng zhōng,"(Hong Kong) secondary school that uses English as a medium of instruction (""EMI school"")" -英仙座,yīng xiān zuò,Perseus (constellation) -英仙臂,yīng xiān bì,Perseus spiral arm (of our galaxy) -英代尔,yīng dài ěr,Intel -英俊,yīng jùn,handsome -英伦,yīng lún,England -英伦三岛,yīng lún sān dǎo,British Isles -英伦腔,yīng lún qiāng,British accent -英伦风格,yīng lún fēng gé,British style (fashion) -英伟达,yīng wěi dá,"NVIDIA, computer graphics card company" -英两,yīng liǎng,British imperial ounce (old) -英勇,yīng yǒng,heroic; gallant; valiant -英勇牺牲,yīng yǒng xī shēng,to heroically sacrifice one's life -英吉利,yīng jí lì,"England (historical loan, from English)" -英吉利海峡,yīng jí lì hǎi xiá,English Channel -英吉沙,yīng jí shā,"Yéngisar nahiyisi (Yengisar county) in Kashgar prefecture 喀什地區|喀什地区[Ka1 shi2 di4 qu1], west Xinjiang" -英吉沙县,yīng jí shā xiàn,"Yéngisar nahiyisi (Yengisar county) in Kashgar prefecture 喀什地區|喀什地区[Ka1 shi2 di4 qu1], west Xinjiang" -英名,yīng míng,illustrious name; legendary reputation -英哩,yīng lǐ,variant of 英里[ying1 li3] -英吨,yīng dūn,"tonne; imperial or US tonne, equal to 2240 pounds or 1.016 metric tons" -英国,yīng guó,United Kingdom 聯合王國|联合王国[Lian2 he2 wang2 guo2]; United Kingdom of Great Britain and Northern Ireland; abbr. for England 英格蘭|英格兰[Ying1 ge2 lan2] -英国人,yīng guó rén,British person; British people -英国工程技术学会,yīng guó gōng chéng jì shù xué huì,The Institution of Engineering and Technology (IET) -英国广播公司,yīng guó guǎng bō gōng sī,British Broadcasting Corporation; BBC -英国广播电台,yīng guó guǎng bō diàn tái,British Broadcasting Corporation; BBC -英国文化协会,yīng guó wén huà xié huì,British Council -英国皇家学会,yīng guó huáng jiā xué huì,Royal Society -英国石油,yīng guó shí yóu,"British Petroleum, BP" -英国石油公司,yīng guó shí yóu gōng sī,"British Petroleum, BP" -英国管,yīng guó guǎn,English horn -英国电讯公司,yīng guó diàn xùn gōng sī,British telecom; BT -英姿,yīng zī,heroic bearing; dashing figure -英姿飒爽,yīng zī sà shuǎng,(of a person) valiant and formidable-looking; to carry oneself tall -英宗,yīng zōng,"Yingzong, temple name of sixth and eighth Ming emperor Zhengtong 正統|正统[Zheng4 tong3]" -英寸,yīng cùn,inch (unit of length equal to 2.54 cm.) -英寻,yīng xún,fathom (1.83 meters) -英尺,yīng chǐ,foot (unit of length equal to 0.3048 m) -英属哥伦比亚,yīng shǔ gē lún bǐ yà,"British Columbia, Pacific province of Canada" -英属维尔京群岛,yīng shǔ wéi ěr jīng qún dǎo,British Virgin Islands -英山,yīng shān,"Yingshan county in Huanggang 黃岡|黄冈[Huang2 gang1], Hubei" -英山县,yīng shān xiàn,"Yingshan county in Huanggang 黃岡|黄冈[Huang2 gang1], Hubei" -英年,yīng nián,the prime of one's life; youthful years -英年早逝,yīng nián zǎo shì,to die an untimely death (idiom); to be cut off in one's prime -英广,yīng guǎng,BBC (abbr. for 英國廣播公司|英国广播公司[Ying1 guo2 Guang3 bo1 Gong1 si1]) -英式,yīng shì,British-style; English-style -英式橄榄球,yīng shì gǎn lǎn qiú,rugby -英德,yīng dé,Anglo-German; England and Germany -英德,yīng dé,"Yingde, city in Guangdong" -英德市,yīng dé shì,"Yingde, city in Guangdong" -英文,yīng wén,English (language) -英明,yīng míng,wise; brilliant -英明果断,yīng míng guǒ duàn,wise and resolute -英格兰,yīng gé lán,England -英格兰银行,yīng gé lán yín háng,Bank of England -英武,yīng wǔ,soldierly; martial (appearance) -英气,yīng qì,heroic spirit -英法,yīng fǎ,Anglo-French -英汉,yīng hàn,English-Chinese -英汉对译,yīng hàn duì yì,English-Chinese parallel text -英烈,yīng liè,hero; martyr; heroic; valiant; heroic deeds -英特尔,yīng tè ěr,Intel -英特网,yīng tè wǎng,"variant of 因特網|因特网[Yin1 te4 wang3], Internet" -英亩,yīng mǔ,acre -英石,yīng dàn,stone (British unit of mass equal to 14 pounds (about 6.3 kilograms)) -英石,yīng shí,"ornamental limestone rock (供石[gong1 shi2]) from Yingde 英德[Ying1 de2], Guangdong" -英联合王国,yīng lián hé wáng guó,United Kingdom -英联邦,yīng lián bāng,British Commonwealth of Nations -英华,yīng huá,English-Chinese -英语,yīng yǔ,English (language) -英语教学,yīng yǔ jiāo xué,English Language Teaching (ELT); studying and teaching English -英语热,yīng yǔ rè,English language fan; enthusiasm for English -英语系,yīng yǔ xì,anglophone; English department -英语角,yīng yǔ jiǎo,English corner; spoken English practice group -英译,yīng yì,English translation -英超,yīng chāo,Premier League; England Premier Soccer League -英超赛,yīng chāo sài,England premier soccer league -英军,yīng jūn,British army -英迪格酒店,yīng dí gé jiǔ diàn,Hotel Indigo (brand) -英里,yīng lǐ,mile (unit of length equal to 1.609 km) -英镑,yīng bàng,pound sterling -英雄,yīng xióng,hero; CL:個|个[ge4] -英雄好汉,yīng xióng hǎo hàn,heroes -英雄式,yīng xióng shì,heroic -英雄所见略同,yīng xióng suǒ jiàn lüè tóng,lit. heroes usually agree (idiom); Great minds think alike. -英雄救美,yīng xióng jiù měi,heroic rescue of a damsel in distress -英雄无用武之地,yīng xióng wú yòng wǔ zhī dì,a hero with no chance of using his might; to have no opportunity to display one's talents -英雄联盟,yīng xióng lián méng,League of Legends (video game) -英雄难过美人关,yīng xióng nán guò měi rén guān,even heroes have a weakness for the charms of a beautiful woman (idiom) -英灵,yīng líng,spirit of a martyr; spirit of the brave departed; (literary) person of remarkable talent -英飞凌,yīng fēi líng,Infineon (electronics company) -苲,zhǎ,see 苲草[zha3 cao3] -苲草,zhǎ cǎo,hornwort -苴,jū,surname Ju -苴,jū,(hemp); sack cloth -苴麻,jū má,female hemp plant (Cannabis sativa) -苷,gān,licorice; glycoside -苹,píng,(artemisia); duckweed -苻,fú,Angelica anomala -苻坚,fú jiān,"Fu Jian (338-385), emperor of Former Qin 前秦[Qian2 Qin2], reigning from 357-385" -茀,fú,luxuriant growth -茀星,fú xīng,comet (arch.) -茁,zhuó,"to display vigorous, new growth; to sprout" -茁壮,zhuó zhuàng,healthy and strong; sturdy; thriving; vigorous; robust; flourishing -茂,mào,luxuriant; (chemistry) cyclopentadiene -茂南,mào nán,"Maonan district of Maoming city 茂名市, Guangdong" -茂南区,mào nán qū,"Maonan district of Maoming city 茂名市, Guangdong" -茂名,mào míng,Maoming prefecture-level city in Guangdong -茂名市,mào míng shì,Maoming prefecture-level city in Guangdong province -茂密,mào mì,dense (of plant growth); lush -茂才,mào cái,see 秀才[xiu4 cai5] -茂林,mào lín,"Maolin township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -茂林乡,mào lín xiāng,"Maolin township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -茂汶县,mào wèn xiàn,"Maowen county in Sichuan, home of the Qiang people 羗族|羌族" -茂港,mào gǎng,"Maogang district of Maoming city 茂名市, Guangdong" -茂港区,mào gǎng qū,"Maogang district of Maoming city 茂名市, Guangdong" -茂物,mào wù,Bogor (city in West Java) -茂盛,mào shèng,lush -茂县,mào xiàn,"Mao County in Ngawa Tibetan and Qiang Autonomous Prefecture 阿壩藏族羌族自治州|阿坝藏族羌族自治州[A1 ba4 Zang4 zu2 Qiang1 zu2 Zi4 zhi4 zhou1], northwest Sichuan" -茂亲,mào qīn,one's capable and virtuous relatives -范,fàn,surname Fan -范仲淹,fàn zhòng yān,"Fan Zhongyan (989-1052), minister of Northern Song who led the failed reform of 1043, author of On Yueyang Tower 岳陽樓記|岳阳楼记" -范德格拉夫,fàn dé gé lā fū,"Van de Graaff (name); Robert J. Van de Graaff (1901-1967), American physicist" -范德格拉夫起电机,fàn dé gé lā fū qǐ diàn jī,Van de Graaff generator -范德瓦耳斯,fàn dé wǎ ěr sī,"van der Waals; Johannes Diderik van der Waals (1837-1923), Dutch physicist" -范德瓦耳斯力,fàn dé wǎ ěr sī lì,(molecular physics) van der Waals force -范德华力,fàn dé huá lì,(molecular physics) van der Waals force -范志毅,fàn zhì yì,"Fan Zhiyi (1969-), soccer player" -范思哲,fàn sī zhé,Versace (fashion designer) -范斯坦,fàn sī tǎn,"Dianne Feinstein (1933-), US Senator from California" -范晔,fàn yè,"historian from Song of the Southern Dynasties 南朝宋, author of History of Eastern Han 後漢書|后汉书" -范氏起电机,fàn shì qǐ diàn jī,Van de Graaff generator -范特西,fàn tè xī,fantasy (loanword) -范玮琪,fàn wěi qí,"Christine Fan (1976-), American-born Taiwanese singer and actress" -范缜,fàn zhěn,"Fan Zhen (c. 450-c. 510), philosopher from Qi and Liang of the Southern dynasties, as atheist denying Buddhist teachings on karma and rebirth" -范蠡,fàn lǐ,"Fan Li (536-488 BC), politician of Yue state, businessman and economist" -茄,jiā,"phonetic character used in loanwords for the sound ""jia"", although 夾|夹[jia2] is more common" -茄,qié,eggplant -茄二十八星瓢虫,qié èr shí bā xīng piáo chóng,28-spotted ladybird; hadda beetle; Henosepilachna vigintioctopunctata -茄克,jiā kè,variant of 夾克|夹克[jia1 ke4] -茄克衫,jiā kè shān,jacket -茄子,qié zi,"eggplant (Solanum melongena L.); aubergine; brinjal; Guinea squash; phonetic ""cheese"" (when being photographed); equivalent of ""say cheese""" -茄子河区,qié zi hé qū,"Qiezihe district of Qitaihe city 七台河[Qi1 tai2 he2], Heilongjiang" -茄科,qié kē,Solanaceae (the potato and eggplant family) -茄红素,qié hóng sù,Lycopene -茅,máo,surname Mao -茅,máo,reeds; rushes -茅以升,máo yǐ shēng,"Mao Yisheng (1896-1989), Chinese structural engineer and social activist" -茅利塔尼亚,máo lì tǎ ní yà,Mauritania (Tw) -茅坑,máo kēng,latrine pit; latrine -茅坑里点灯,máo kēng lǐ diǎn dēng,(slang) (fig.) to court death (derived from 找死[zhao3 si3] via its near homophone 照屎[zhao4 shi3]) -茅塞顿开,máo sè dùn kāi,murky darkness suddenly opens (idiom); a sudden flash of insight and all is clear -茅屋,máo wū,thatched cottage -茅屋顶,máo wū dǐng,thatch roof -茅山,máo shān,"Mt Mao, Daoist mountain southeast of Jurong county 句容[Ju4 rong2], Jiangsu Province" -茅厕,máo si,(dialect) latrine -茅庐,máo lú,thatched cottage -茅房,máo fáng,toilet (rural euphemism); thatched hut or house -茅棚,máo péng,thatched shed -茅盾,máo dùn,"Mao Dun (1896-1981), Chinese novelist" -茅盾文学奖,máo dùn wén xué jiǎng,"Mao Dun Literature Prize, PRC prize for novel writing, awarded since 1982" -茅竹,máo zhú,variant of 毛竹[mao2 zhu2] -茅箭,máo jiàn,"Maojian district of Shiyan city 十堰市[Shi2 yan4 shi4], Hubei" -茅箭区,máo jiàn qū,"Maojian district of Shiyan city 十堰市[Shi2 yan4 shi4], Hubei" -茅台,máo tái,"Maotai town in Renhuai county, Guizhou" -茅台,máo tái,maotai liquor 茅臺酒|茅台酒[mao2 tai2 jiu3] -茅台酒,máo tái jiǔ,"maotai (a strong spirit produced in Guizhou); CL:杯[bei1],瓶[ping2]" -茅舍,máo shè,cottage; hut -茅草,máo cǎo,sogon grass -茆,máo,variant of 茅[mao2]; thatch -茆,mǎo,type of water plant; (dialect) loess hills -茇,bá,betel -茈,cí,used in 鳧茈|凫茈[fu2ci2] -茈,zǐ,Common Gromwell or European stoneseed (Lithospermum officinale) -茉,mò,used in 茉莉[mo4li4] -茉莉,mò lì,jasmine -茉莉花,mò li huā,jasmine -茉莉花茶,mò li huā chá,jasmine tea -茉莉菊酯,mò lì jú zhǐ,jasmolin -茌,chí,name of a district in Shandong -茌平,chí píng,"Chiping county in Liaocheng 聊城[Liao2 cheng2], Shandong" -茌平县,chí píng xiàn,"Chiping county in Liaocheng 聊城[Liao2 cheng2], Shandong" -茗,míng,Thea sinensis; young leaves of tea -荔,lì,variant of 荔[li4] -茚,yìn,indene (chemistry) -茛,gèn,ranunculus -茜,qiàn,(bound form) Indian madder; munjeet (Rubia cordifolia); (bound form) madder red; dark red; alizarin crimson -茜,xī,used in the transliteration of people's names -茜素,qiàn sù,alizarin -茜草,qiàn cǎo,Indian madder; munjeet (Rubia cordifolia) -茨,cí,Caltrop or puncture vine (Tribulus terrestris); to thatch (a roof) -茨城,cí chéng,Ibaraki prefecture in northeast Japan -茨城县,cí chéng xiàn,Ibaraki prefecture in northeast Japan -茨冈,cí gāng,(loanword) tzigane; gypsy -茨欣瓦利,cí xīn wǎ lì,"Tskhinvali, capital of South Osetia" -茨菰,cí gu,"arrowhead (Sagittaria subulata, a water plant)" -茨万吉拉伊,cí wàn jí lā yī,"Morgan Tsvangirai (1952-2018), Zimbabwean politician" -茫,máng,"vast, with no clear boundary; fig. hazy; indistinct; unclear; confused" -茫崖,máng yá,"Mang'ai county level subdivision of Haixi Mongol and Tibetan autonomous prefecture 海西蒙古族藏族自治州[Hai3 xi1 Meng3 gu3 zu2 Zang4 zu2 zi4 zhi4 zhou1], Qinghai" -茫崖区,máng yá qū,"Mang'ai county level subdivision of Haixi Mongol and Tibetan autonomous prefecture 海西蒙古族藏族自治州[Hai3 xi1 Meng3 gu3 zu2 Zang4 zu2 zi4 zhi4 zhou1], Qinghai" -茫崖行政区,máng yá xíng zhèng qū,"Mang'ai county level subdivision of Haixi Mongol and Tibetan autonomous prefecture 海西蒙古族藏族自治州[Hai3 xi1 Meng3 gu3 zu2 Zang4 zu2 zi4 zhi4 zhou1], Qinghai" -茫崖行政委员会,máng yá xíng zhèng wěi yuán huì,"Mang'ai county level subdivision of Haixi Mongol and Tibetan autonomous prefecture 海西蒙古族藏族自治州, Qinghai" -茫然,máng rán,blankly; vacantly; at a loss -茫然失措,máng rán shī cuò,at a loss (idiom) -茫茫,máng máng,boundless; vast and obscure -茬,chá,stubble (crop residue); stubble (hair growth); classifier for a batch of sth produced during a particular cycle: a crop; sth just said or mentioned -茬口,chá kǒu,harvested land left for rotation; an opportunity -茬地,chá dì,stubble land after crop has been taken -茬子,chá zi,stubble -茭,jiāo,Zizania aquatica -茭白,jiāo bái,"Manchurian wild rice 菰[gu1], aka water bamboo, or its edible stem, which resembles a bamboo shoot" -茭白笋,jiāo bái sǔn,"edible stem of Manchurian wild rice 菰[gu1], aka water bamboo" -茯,fú,used in 茯苓[fu2 ling2] -茯苓,fú líng,Wolfiporia extensa (a wood-decay fungus); fu ling; tuckahoe -茱,zhū,cornelian cherry -茱莉亚,zhū lì yà,Julia (name) -茱莉娅,zhū lì yà,Julia (name) -茱莉雅,zhū lì yǎ,Julia (name) -茱萸,zhū yú,"Cornus officinalis (Japanese cornel dogwood, a kind of herb)" -茱丽叶,zhū lì yè,Juliet or Juliette (name) -兹,zī,now; here; this; time; year -兹事体大,zī shì tǐ dà,this is no small thing (idiom); to have a serious matter at hand -兹卡病毒,zī kǎ bìng dú,Zika virus (Tw) -兹因,zī yīn,(formal) whereas; since -兹沃勒,zī wò lè,Zwolle (Netherlands) -茳,jiāng,used in 茳芏[jiang1 du4] -茳芏,jiāng dù,Cyperus malaccensis -茴,huí,(bound form) fennel -茴芹,huí qín,anise (Pimpinella anisum); aniseed; chervil (Anthriscus cerefolium) -茴香,huí xiāng,fennel (Foeniculum vulgare) -茴香籽,huí xiāng zǐ,cumin; fennel seed -茴香豆,huí xiāng dòu,"star anise-flavored fava beans (snack from Shaoxing, Zhejiang province)" -茵,yīn,mattress -茵芋,yīn yù,Skimmia japonica -茶,chá,"tea; tea plant; CL:杯[bei1],壺|壶[hu2]" -茶具,chá jù,tea set; tea service -茶几,chá jī,small side table; coffee table; teapoy (ornamental tripod with caddies for tea) -茶包,chá bāo,tea bag; (slang) trouble (loanword) -茶匙,chá chí,teaspoon -茶坊,chá fáng,teahouse -茶垢,chá gòu,"tea stain (on the inside of a tea pot, tea cup etc)" -茶壶,chá hú,teapot; CL:把[ba3] -茶座,chá zuò,teahouse; tea-stall with seats; tea-garden or teahouse seat -茶房,chá fáng,waiter; steward; porter; teahouse -茶叙,chá xù,to take tea and chat; a small-scale informal gathering with tea and snacks -茶晶,chá jīng,yellow quartz; topaz -茶会,chá huì,tea party -茶杯,chá bēi,teacup; tea-glass; cup; mug; CL:隻|只[zhi1] -茶楼,chá lóu,teahouse (usu. of two stories) -茶树,chá shù,tea tree; Camellia sinensis -茶水,chá shuǐ,tea prepared in large quantity using inexpensive tea leaves -茶碗,chá wǎn,teacup -茶砖,chá zhuān,tea brick -茶经,chá jīng,"the Classic of Tea, first monograph ever on tea and its culture, written by 陸羽|陆羽[Lu4 Yu3] between 760-780" -茶缸,chá gāng,mug -茶缸子,chá gāng zi,mug; tea mug -茶聚,chá jù,informal gathering with refreshments provided -茶胸斑啄木鸟,chá xiōng bān zhuó mù niǎo,(bird species of China) fulvous-breasted woodpecker (Dendrocopos macei) -茶色,chá sè,dark brown; tawny -茶花,chá huā,camellia -茶庄,chá zhuāng,tea shop -茶叶,chá yè,"tea; tea leaves; CL:盒[he2],罐[guan4],包[bao1],片[pian4]" -茶叶末儿,chá yè mò er,tea leaves powder -茶叶蛋,chá yè dàn,tea egg (egg boiled with flavorings which may include black tea) -茶艺,chá yì,the art of tea -茶藨子,chá biāo zi,gooseberry -茶袋,chá dài,tea bag -茶褐色,chá hè sè,dark brown; tawny -茶话会,chá huà huì,tea party -茶农,chá nóng,tea grower -茶道,chá dào,Japanese tea ceremony; sado -茶钱,chá qián,payment for tea; (old) tip; gratuity -茶锈,chá xiù,"tea stain (on the inside of a tea pot, tea cup etc)" -茶陵,chá líng,"Chaling County in Zhuzhou 株洲[Zhu1 zhou1], Hunan" -茶陵县,chá líng xiàn,"Chaling County in Zhuzhou 株洲[Zhu1 zhou1], Hunan" -茶隼,chá sǔn,kestrel; common Eurasian falcon (Falco tinnunculus) -茶饭不思,chá fàn bù sī,no thought for tea or rice (idiom); melancholic and suffering; to have no appetite -茶饭无心,chá fàn wú xīn,no heart for tea or rice (idiom); melancholic and suffering; to have no appetite -茶余酒后,chá yú jiǔ hòu,see 茶餘飯後|茶余饭后[cha2 yu2 fan4 hou4] -茶余饭后,chá yú fàn hòu,"leisure time (over a cup of tea, after a meal etc)" -茶余饭饱,chá yú fàn bǎo,see 茶餘飯後|茶余饭后[cha2 yu2 fan4 hou4] -茶馆,chá guǎn,teahouse; CL:家[jia1] -茶馆儿,chá guǎn er,a teashop -茶马互市,chá mǎ hù shì,"old tea-horse market between Tibet, China, Southeast Asia and India, formalized as a state enterprise under the Song dynasty" -茶马古道,chá mǎ gǔ dào,"old tea-horse road or southern Silk Road, dating back to 6th century, from Tibet and Sichuan through Yunnan and Southeast Asia, reaching to Bhutan, Sikkim, India and beyond" -茶碱,chá jiǎn,Theophylline -茶点,chá diǎn,tea and cake; refreshments; tea and dim sum -茸,róng,(bound form) (of newly sprouted grass) soft and fine; downy -茸毛,róng máo,fuzz -茹,rú,surname Ru -茹,rú,to eat; (extended meaning) to endure; putrid smell; vegetables; roots (inextricably attached to the plant) -茹古涵今,rú gǔ hán jīn,to take in (old and new experiences and sorrows) -茹毛饮血,rú máo yǐn xuè,devour raw meat and fowl (of savages) -茹痛,rú tòng,to endure (suffering or sorrow) -茹素,rú sù,to eat a vegetarian diet -茹苦含辛,rú kǔ hán xīn,bitter hardship; to bear one's cross -茹荤,rú hūn,to eat meat -茹荤饮酒,rú hūn yǐn jiǔ,to eat meat and drink wine -茹藘,rú lǘ,see 茜草[qian4cao3] -茹志鹃,rú zhì juān,"Ru Zhijuan (1925-1998), female novelist and politician" -茹鱼,rú yú,putrid fish -茼,tóng,Chrysanthemum coronarium -茼蒿,tóng hāo,crown daisy; garland chrysanthemum; Chrysanthemum coronarium -荀,xún,surname Xun -荀,xún,herb (old) -荀子,xún zǐ,"Xunzi, (c. 310-237 BC), Confucian philosopher; the Xunzi, a collection of philosophical writings attributed to Xunzi" -荀彧,xún yù,"Xun Yu (163-212), brilliant strategist, advisor of Cao Cao in Three Kingdoms" -荃,quán,(fragrant plant) -荃湾,quán wān,"Tsuen Wan district of New Territories, Hong Kong" -荅,dā,variant of 答[da1] -荅,dá,variant of 答[da2] -荇,xìng,yellow floating heart (Nymphoides peltatum) -荇菜,xìng cài,yellow floating heart (Nymphoides peltatum) -草,cǎo,"grass; straw; manuscript; draft (of a document); careless; rough; CL:棵[ke1],撮[zuo3],株[zhu1],根[gen1]" -草,cào,variant of 肏[cao4] -草创,cǎo chuàng,to be in the early stages of establishing -草包,cǎo bāo,bag made of woven straw; bag filled with straw; (fig.) a good-for-nothing; clumsy oaf -草原,cǎo yuán,grassland; prairie; CL:片[pian4] -草原巨蜥,cǎo yuán jù xī,Savannah monitor (Varanus exanthematicus) -草原灰伯劳,cǎo yuán huī bó láo,(bird species of China) steppe grey shrike (Lanius pallidirostris) -草原百灵,cǎo yuán bǎi líng,(bird species of China) calandra lark (Melanocorypha calandra) -草原雕,cǎo yuán diāo,(bird species of China) steppe eagle (Aquila nipalensis) -草原鹞,cǎo yuán yào,(bird species of China) pallid harrier (Circus macrourus) -草丛,cǎo cóng,underbrush -草图,cǎo tú,a sketch; rough drawing -草地,cǎo dì,lawn; meadow; sod; turf; CL:片[pian4] -草地鹨,cǎo dì liù,(bird species of China) meadow pipit (Anthus pratensis) -草坪,cǎo píng,lawn -草坪机,cǎo píng jī,lawn mower -草场,cǎo chǎng,pastureland -草垫,cǎo diàn,straw mattress -草垫子,cǎo diàn zi,straw mattress; palliasse -草大青,cǎo dà qīng,Isatis tinctoria (indigo woad plant) -草字头儿,cǎo zì tóu er,grass radical 艹 -草寇,cǎo kòu,bandits -草屋,cǎo wū,thatched hut -草屯,cǎo tún,"Caotun Township in Nantou County 南投縣|南投县[Nan2tou2 Xian4], central Taiwan" -草屯镇,cǎo tún zhèn,"Caotun Township in Nantou County 南投縣|南投县[Nan2tou2 Xian4], central Taiwan" -草山,cǎo shān,Grassy Hill (hill in Hong Kong) -草帽,cǎo mào,straw hat -草拟,cǎo nǐ,first draft; to draw up (a first version) -草料,cǎo liào,fodder -草书,cǎo shū,grass script; cursive script (Chinese calligraphic style) -草木,cǎo mù,vegetation; plants -草木灰,cǎo mù huī,plant ash -草木皆兵,cǎo mù jiē bīng,lit. every tree or bush an enemy soldier (idiom); fig. to panic and treat everyone as an enemy; to feel beleaguered -草木鸟兽,cǎo mù niǎo shòu,flora and fauna -草本,cǎo běn,grass; herb -草本植物,cǎo běn zhí wù,herbaceous plant -草果,cǎo guǒ,black cardamom; (dialect) strawberry -草根,cǎo gēn,grass roots (lit. and fig.) -草根网民,cǎo gēn wǎng mín,grassroots netizens -草案,cǎo àn,"draft (legislation, proposal etc)" -草标,cǎo biāo,"(old) sign made of woven weeds, placed on an object, an animal or a person, indicating that it is for sale." -草民,cǎo mín,the grass roots; the hoi polloi -草泥马,cǎo ní mǎ,"grass mud horse; used as a substitute for 肏你媽|肏你妈[cao4 ni3 ma1], to mock or avoid censorship on the Internet" -草海,cǎo hǎi,"Caohai Lake, Guizhou" -草满囹圄,cǎo mǎn líng yǔ,lit. jails overgrown with grass (idiom); fig. peaceful society -草爬子,cǎo pá zi,tick (zoology) -草率,cǎo shuài,careless; negligent; sloppy; not serious -草率收兵,cǎo shuài shōu bīng,to work vaguely then retreat (idiom); sloppy and half-hearted; half-baked -草珊瑚,cǎo shān hú,Sarcandra glabra (botany) -草甸,cǎo diàn,meadow -草皮,cǎo pí,turf; sward; sod -草石蚕,cǎo shí cán,Chinese artichoke; Stachys sieboldii -草码,cǎo mǎ,"the ten numerals 〡,〢,〣,〤,〥,〦,〧,〨,〩,十 nowadays mainly used in traditional trades such as Chinese medicine" -草秆,cǎo gǎn,straw; grain stalks -草稿,cǎo gǎo,draft; outline; sketch -草纸,cǎo zhǐ,rough straw paper; toilet paper; brown paper -草绿篱莺,cǎo lǜ lí yīng,(bird species of China) eastern olivaceous warbler (Iduna pallida) -草编,cǎo biān,straw weaving -草耙,cǎo pá,a rake -草台班子,cǎo tái bān zi,"small, poorly-equipped theatrical troupe that tours small towns and villages; (fig.) makeshift band of individuals; rough and ready outfit" -草船借箭,cǎo chuán jiè jiàn,"lit. using straw boats to borrow arrows (idiom, from 三國演義|三国演义[San1 guo2 Yan3 yi4]); fig. to use others' manpower and resources for one's own ends" -草芥人命,cǎo jiè rén mìng,see 草菅人命[cao3 jian1 ren2 ming4] -草草,cǎo cǎo,carelessly; hastily -草草了事,cǎo cǎo liǎo shì,to rush through the work; to get through a thing carelessly -草草收兵,cǎo cǎo shōu bīng,to work vaguely then retreat (idiom); sloppy and half-hearted; half-baked -草草收场,cǎo cǎo shōu chǎng,to rush to conclude a matter; to end up abruptly -草莓,cǎo méi,strawberry; CL:顆|颗[ke1]; (Tw) hickey; love bite -草莓族,cǎo méi zú,pampered young people unaccustomed to hardship (Tw) -草莽,cǎo mǎng,a rank growth of grass; uncultivated land; wilderness -草菅人命,cǎo jiān rén mìng,to have disregard for human life (idiom) -草菇,cǎo gū,straw mushroom (Volvariella volvacea); paddy straw mushroom -草荐,cǎo jiàn,straw mattress; palliasse -草药,cǎo yào,herbal medicine -草蜢,cǎo měng,grasshopper -草蜻蛉,cǎo qīng líng,green lacewing -草酸,cǎo suān,oxalic acid C2H2O4 -草鸡,cǎo jī,free-range chicken; (dialect) hen; cowardly -草鞋,cǎo xié,straw sandals -草食,cǎo shí,herbivorous -草食动物,cǎo shí dòng wù,herbivore; herbivorous animal -草体,cǎo tǐ,see 草書|草书[cao3 shu1] -草鱼,cǎo yú,grass carp -草鸮,cǎo xiāo,(bird species of China) eastern grass owl (Tyto longimembris) -草鹭,cǎo lù,(bird species of China) purple heron (Ardea purpurea) -荆,jīng,chaste tree or berry (Vitex agnus-castus); alternative name for the Zhou Dynasty state of Chu 楚國|楚国[Chu3 guo2] -荆山,jīng shān,Thorny mountain (several); Mt Jingshan in Hubei -荆州,jīng zhōu,Jingzhou prefecture-level city on Changjiang in Hubei -荆州区,jīng zhōu qū,"Jingzhou district of Jingzhou city 荊州市|荆州市[Jing1 zhou1 shi4], Hubei" -荆州市,jīng zhōu shì,Jingzhou prefecture-level city on Changjiang in Hubei -荆棘,jīng jí,thistles and thorns; brambles; thorny undergrowth -荆棘载途,jīng jí zài tú,lit. a path covered in brambles; a course of action beset by difficulties (idiom) -荆楚网,jīng chǔ wǎng,IPTV (PRC media network) -荆楚网视,jīng chǔ wǎng shì,IPTV (PRC media network) -荆榛满目,jīng zhēn mǎn mù,thorns and brambles as far as eye can see (idiom); beset by troubles -荆江,jīng jiāng,"Jingjiang section of the Changjiang River 長江|长江, Hunan" -荆芥,jīng jiè,"schizonepeta, herb used in Chinese medicine" -荆轲,jīng kē,"Jing Ke (-227 BC), celebrated in verse and fiction as would-be assassin of King Ying Zheng of Qin 秦嬴政 (later the First Emperor 秦始皇)" -荆门,jīng mén,Jingmen prefecture-level city in Hubei -荆门市,jīng mén shì,Jingmen prefecture-level city in Hubei -荞,qiáo,common mallow (Malva sinensis); variant of 蕎|荞[qiao2] -荏,rěn,beefsteak plant (Perilla frutescens); soft; weak -荏苒,rěn rǎn,(literary) (of time) to slip away -荑,tí,(grass) -荑,yí,to weed -荒,huāng,desolate; shortage; scarce; out of practice; absurd; uncultivated; to neglect -荒井,huāng jǐng,Arai (Japanese surname) -荒僻,huāng pì,desolate; deserted; out-of-the-way -荒原,huāng yuán,wasteland -荒唐,huāng táng,beyond belief; preposterous; absurd; intemperate; dissipated -荒唐无稽,huāng táng wú jī,preposterous -荒地,huāng dì,wasteland; uncultivated land -荒寒,huāng hán,desolate and cold; frozen wastes -荒山,huāng shān,desert mountain; barren hill -荒山野岭,huāng shān yě lǐng,"wild, mountainous country" -荒岛,huāng dǎo,"barren or uninhabited island; CL:個|个[ge4],座[zuo4]" -荒年,huāng nián,year of famine -荒废,huāng fèi,to abandon (cultivated fields); no longer cultivated; to lie waste; wasted; to neglect (one's work or study) -荒怪不经,huāng guài bù jīng,absurd; unthinkable -荒旱,huāng hàn,drought and famine -荒村,huāng cūn,an abandoned village -荒弃,huāng qì,to abandon; to let go to waste -荒凉,huāng liáng,desolate -荒淫,huāng yín,licentious -荒淫无耻,huāng yín wú chǐ,shameless -荒漠,huāng mò,desert; desolate wilderness; barren wasteland; vast and desolate -荒漠伯劳,huāng mò bó láo,(bird species of China) isabelline shrike (Lanius isabellinus) -荒漠化,huāng mò huà,desertification -荒无人烟,huāng wú rén yān,desolate and uninhabited (idiom) -荒烟蔓草,huāng yān màn cǎo,lit. abandoned by men and choked with weeds; desolate (idiom) -荒疏,huāng shū,to be out of practice; rusty -荒瘠,huāng jí,desolate and poor; infertile -荒草,huāng cǎo,weeds; brush (vegetation); wild grassland -荒芜,huāng wú,left to return to unchecked growth; overgrown; grown wild -荒诞,huāng dàn,beyond belief; incredible; preposterous; fantastic -荒诞不经,huāng dàn bù jīng,absurd; preposterous; ridiculous -荒诞无稽,huāng dàn wú jī,ridiculous; unbelievable; absurd -荒谬,huāng miù,absurd; ridiculous -荒谬无稽,huāng miù wú jī,completely ridiculous and unfounded -荒谬绝伦,huāng miù jué lún,absolutely ridiculous (idiom); preposterous; the height of folly -荒遐,huāng xiá,remote region -荒郊,huāng jiāo,desolate area outside a town -荒野,huāng yě,wilderness -荔,lì,litchi -荔城,lì chéng,"Licheng, a district of Putian City 莆田市[Pu2tian2 Shi4], Fujian" -荔城区,lì chéng qū,"Licheng, a district of Putian City 莆田市[Pu2tian2 Shi4], Fujian" -荔枝,lì zhī,litchi or lychee fruit (Litchi chinensis Sonn.) -荔枝核,lì zhī hé,seeds of litchi or lychee (in TCM) -荔波,lì bō,"Libo county in Qiannan Buyei and Miao autonomous prefecture 黔南州[Qian2 nan2 zhou1], Guizhou" -荔波县,lì bō xiàn,"Libo county in Qiannan Buyei and Miao autonomous prefecture 黔南州[Qian2 nan2 zhou1], Guizhou" -荔浦,lì pǔ,"Lipu county in Guilin 桂林[Gui4 lin2], Guangxi" -荔浦县,lì pǔ xiàn,"Lipu county in Guilin 桂林[Gui4 lin2], Guangxi" -荔湾,lì wān,"Liwan District of Guangzhou City 廣州市|广州市[Guang3 zhou1 Shi4], Guangdong" -荔湾区,lì wān qū,"Liwan District of Guangzhou City 廣州市|广州市[Guang3 zhou1 Shi4], Guangdong" -豆,dòu,legume; pulse; bean; pea (variant of 豆[dou4]) -荷,hé,Holland; the Netherlands; abbr. for 荷蘭|荷兰[He2 lan2] -荷,hé,lotus -荷,hè,to carry on one's shoulder or back; burden; responsibility -荷包,hé bāo,embroidered pouch for carrying loose change etc; purse; pocket (in clothing) -荷包蛋,hé bāo dàn,poached egg; egg fried on both sides -荷塘区,hé táng qū,"Hetang district of Zhuzhou city 株洲市, Hunan" -荷尼阿拉,hé ní ā lā,"Honiara, capital of Solomon Islands (Tw)" -荷属安的列斯,hé shǔ ān de liè sī,Netherlands Antilles -荷属圣马丁,hé shǔ shèng mǎ dīng,"Sint Maarten, island country in the Caribbean" -荷巴特,hé bā tè,"Hobart, capital of Tasmania, Australia" -荷枪实弹,hè qiāng shí dàn,(idiom) armed; carrying a loaded firearm -荷泽,hé zé,Lotus marsh (used in place names); misspelling of Heze 菏澤|菏泽[He2 ze2] prefecture-level city in Shandong -荷泽寺,hé zé sì,"Heze temple in Fuzhou, Fujian" -荷尔蒙,hé ěr méng,hormone (loanword); see 激素[ji1 su4] -荷花,hé huā,lotus -荷荷巴,hé hé bā,jojoba -荷兰,hé lán,Holland; the Netherlands -荷兰式拍卖,hé lán shì pāi mài,Dutch auction; descending-price auction -荷兰王国,hé lán wáng guó,Koninkrijk der Nederlanden; Kingdom of the Netherlands -荷兰皇家航空,hé lán huáng jiā háng kōng,KLM Royal Dutch Airlines -荷兰盾,hé lán dùn,Dutch gulden -荷兰石竹,hé lán shí zhú,grenadine; carnation; clove pink; Dianthus caryophyllus (botany) -荷兰芹,hé lán qín,parsley -荷兰语,hé lán yǔ,Dutch (language) -荷兰豆,hé lán dòu,snow pea -荷兰猪,hé lán zhū,guinea pig -荷重,hè zhòng,weight load; load capacity -荷马,hé mǎ,Homer -荸,bí,used in 荸薺|荸荠[bi2qi2] -荸荠,bí qí,Chinese water chestnut (Eleocharis dulcis) -荻,dí,Anaphalis yedoensis (pearly everlasting reed); used in Japanese names with phonetic value Ogi -荼,tú,thistle; common sowthistle (Sonchus oleraceus); bitter (taste); cruel; flowering grass in profusion -荼毒,tú dú,(literary) to cause great suffering -荼毒生灵,tú dú shēng líng,to torment the people (idiom) -荽,suī,coriander -莆,pú,place name -莆田,pú tián,"Putian, prefecture-level city in Fujian" -莆田市,pú tián shì,"Putian, prefecture-level city in Fujian" -莉,lì,used in 茉莉[mo4li4]; used in the transliteration of female names -庄,zhuāng,surname Zhuang -庄,zhuāng,farmstead; village; manor; place of business; banker (in a gambling game); grave or solemn; holdings of a landlord (in imperial China) -庄周,zhuāng zhōu,"same as Zhuangzi 莊子|庄子[Zhuang1 zi3] (369-286 BC), Daoist author" -庄周梦蝶,zhuāng zhōu mèng dié,Zhuangzi 莊子|庄子[Zhuang1 zi3] dreams of a butterfly (or is it the butterfly dreaming of Zhuangzi?) -庄严,zhuāng yán,solemn; dignified; stately -庄园,zhuāng yuán,manor; feudal land; villa and park -庄子,zhuāng zǐ,"Zhuangzi (369-286 BC), Daoist author" -庄客,zhuāng kè,farm hand -庄家,zhuāng jiā,farmhouse; banker (gambling) -庄河,zhuāng hé,"Zhuanghe, county-level city in Dalian 大連|大连[Da4 lian2], Liaoning" -庄河市,zhuāng hé shì,"Zhuanghe, county-level city in Dalian 大連|大连[Da4 lian2], Liaoning" -庄浪,zhuāng làng,"Zhuanglang county in Pingliang 平涼|平凉[Ping2 liang2], Gansu" -庄浪县,zhuāng làng xiàn,"Zhuanglang county in Pingliang 平涼|平凉[Ping2 liang2], Gansu" -庄稼,zhuāng jia,farm crop -庄稼人,zhuāng jia rén,(coll.) farmer -庄稼地,zhuāng jia dì,crop land; arable land -庄稼户,zhuāng jia hù,wealthy farmer; landlord -庄稼户儿,zhuāng jia hù er,erhua variant of 莊稼戶|庄稼户[zhuang1 jia5 hu4] -庄稼活儿,zhuāng jia huó er,farm work -庄稼汉,zhuāng jia hàn,peasant; farmer -庄老,zhuāng lǎo,"Zhuangzi and Laozi, the Daoist masters" -庄重,zhuāng zhòng,grave; solemn; dignified -莎,shā,"katydid (family Tettigoniidae); phonetic ""sha"" used in transliteration" -莎,suō,used in 莎草[suo1cao3] -莎士比亚,shā shì bǐ yà,"Shakespeare (name); William Shakespeare (1564-1616), poet and playwright" -莎拉,shā lā,Sara or Sarah (name) -莎拉波娃,shā lā bō wá,Sharapova (Russian female tennis star) -莎翁,shā wēng,Shakespeare; slang or popular culture abbr. of 莎士比亞|莎士比亚[Sha1 shi4 bi3 ya4] -莎草,suō cǎo,coco-grass; nut sedge (Cyperus rotundus) -莎莎舞,shā shā wǔ,salsa (dance) -莎车,shā chē,"Yeken nahiyisi (Yarkand county or Shache) in Kashgar prefecture 喀什地區|喀什地区[Ka1 shi2 di4 qu1], west Xinjiang" -莎车县,shā chē xiàn,"Yeken nahiyisi (Yarkand county or Shache) in Kashgar prefecture 喀什地區|喀什地区[Ka1 shi2 di4 qu1], west Xinjiang" -莎丽,shā lì,sari (loanword) -莒,jǔ,Zhou Dynasty vassal state in modern day Shandong Province -莒,jǔ,alternative name for taro (old) -莒光,jǔ guāng,"Chukuang Island, one of the Matsu Islands; Chukuang township in Lienchiang county 連江縣|连江县[Lian2 jiang1 xian4], Taiwan" -莒光乡,jǔ guāng xiāng,"Chukuang township in Lienchiang county 連江縣|连江县[Lian2 jiang1 xian4] i.e. the Matsu Islands, Taiwan" -莒南,jǔ nán,"Ju'nan county in Linyi 臨沂|临沂[Lin2 yi2], Shandong" -莒南县,jǔ nán xiàn,"Ju'nan county in Linyi 臨沂|临沂[Lin2 yi2], Shandong" -莒国,jǔ guó,"the state of Ju, ancient Dongyi state" -莒县,jǔ xiàn,"Jun county in Rizhao 日照[Ri4 zhao4], Shandong" -莓,méi,berry; strawberry -茎,jīng,stalk; stem; CL:條|条[tiao2] -茎干,jīng gàn,stem; stalk -莘,shēn,surname Shen -莘,shēn,long; numerous -莘,xīn,Asarum; Wild ginger; also 細辛|细辛[xi4 xin1] -莘庄镇,xīn zhuāng zhèn,"Xinzhuang, town in Minhang District 閔行區|闵行区[Min3 hang2 Qu1], Shanghai" -莘县,shēn xiàn,"Shen county in Liaocheng 聊城[Liao2 cheng2], Shandong" -莘莘,shēn shēn,numerous -莘莘学子,shēn shēn xué zǐ,a great number of students (idiom) -莛,tíng,stalk of grass -莜,yóu,see 莜麥|莜麦[you2 mai4] -莜麦,yóu mài,naked oat (Avena nuda) -莜麦菜,yóu mài cài,variant of 油麥菜|油麦菜[you2 mai4 cai4] -莜面,yóu miàn,oat noodles or flour -莞,guān,Skimmia japonica -莞,guǎn,(district) -莞,wǎn,smile -莞尔,wǎn ěr,(literary) to smile -莞尔一笑,wǎn ěr yī xiào,(literary) to smile -莠,yǒu,Setaria viridis; vicious -荚,jiá,pod (botany) -荚果,jiá guǒ,seed pod; legume -荚膜组织胞浆菌,jiá mó zǔ zhī bāo jiāng jūn,Histoplasma capsulatum -苋,xiàn,amaranth (genus Amaranthus); Joseph's coat (Amaranthus tricolor); Chinese spinach (Amaranth mangostanus) -苋科,xiàn kē,"Amaranthaceae, family of herbaceous plants containing Chinese spinach (Amaranthus inamoenus) 莧菜|苋菜[xian4 cai4]" -苋菜,xiàn cài,amaranth greens (genus Amaranthus); Chinese spinach (Amaranth mangostanus) -莨,làng,Scopalia japonica maxin -莨菪,làng dàng,black henbane -莩,fú,membrane lining inside a cylindrical stem; culm -莩,piǎo,"used for 殍 piǎo, to die of starvation" -莪,é,"zedoary (Curcuma zedoaria), plant rhizome similar to turmeric" -莫,mò,surname Mo -莫,mò,do not; there is none who -莫三比克,mò sān bǐ kè,Mozambique (Tw) -莫不,mò bù,none doesn't; there is none who isn't; everyone -莫不是,mò bù shì,probably; perhaps; could it be that...? -莫不然,mò bù rán,equally true for (all the rest); the same thing applies (for everyone) -莫不闻,mò bù wén,there is no-one who doesn't know that -莫不逾侈,mò bù yú chǐ,there is no-one who is not extravagant -莫伊谢耶夫,mò yī xiè yē fū,"Moiseyev (name); Igor Aleksandrovich Moiseyev (1906-2007), choreographer of folk dance and founder of Moiseyev dance company" -莫伯日,mò bó rì,Maubeuge (French city) -莫杰斯特,mò jié sī tè,Modest (name); Modeste (name) -莫克姆湾,mò kè mǔ wān,Morecambe Bay -莫内,mò nèi,Taiwan equivalent of 莫奈[Mo4 nai4] -莫利森,mò lì sēn,Morrison (name) -莫力达瓦达斡尔族自治旗,mò lì dá wǎ dá wò ěr zú zì zhì qí,"Morin Dawa Daur Autonomous Banner in Hulunbuir 呼倫貝爾|呼伦贝尔[Hu1 lun2 bei4 er3], Inner Mongolia" -莫可名状,mò kě míng zhuàng,indescribable (joy); inexpressible (pleasure) -莫可奈何,mò kě nài hé,see 無可奈何|无可奈何[wu2 ke3 nai4 he2] -莫可指数,mò kě zhǐ shǔ,countless; innumerable -莫吉托,mò jí tuō,Mojito -莫名,mò míng,inexpressible; indescribable; unexplainable; inexplicable -莫名其妙,mò míng qí miào,(idiom) baffling; bizarre; without rhyme or reason; inexplicable -莫哈韦沙漠,mò hā wéi shā mò,"Mojave Desert, southwestern USA" -莫塔马湾,mò tǎ mǎ wān,"Gulf of Martaban, Myanmar (Burma)" -莫大,mò dà,greatest; most important -莫奈,mò nài,"Claude Monet (1840-1926), French impressionist painter" -莫如,mò rú,it would be better -莫属,mò shǔ,"(the 3rd part of a 3-part construction: 非[fei1] + (noun) + 莫屬|莫属, meaning ""to be none other than (noun); would have to be (noun)"") (this construction comes after a description of a person or thing that has a certain attribute)" -莫扎特,mò zhā tè,"Wolfgang Amadeus Mozart (1756-1791), Austrian composer" -莫扎里拉,mò zā lǐ lā,mozzarella (loanword) -莫拉莱斯,mò lā lái sī,Morales -莫斯特,mò sī tè,Mousterian (a Palaeolithic culture) -莫斯科,mò sī kē,"Moscow, capital of Russia" -莫明其妙,mò míng qí miào,variant of 莫名其妙[mo4 ming2 qi2 miao4] -莫札特,mò zhá tè,"Wolfgang Amadeus Mozart (1756-1791), Austrian composer (Tw)" -莫桑比克,mò sāng bǐ kè,Mozambique -莫泊桑,mò bó sāng,"Guy de Maupassant (1850-1893), French novelist and short story writer" -莫洛尼,mò luò ní,"Moroni, capital of Comoros (Tw)" -莫测高深,mò cè gāo shēn,enigmatic; beyond one's depth; unfathomable -莫尔斯,mò ěr sī,Morse (name) -莫尔斯电码,mò ěr sī diàn mǎ,Morse code -莫尔兹比港,mò ěr zī bǐ gǎng,"Port Moresby, capital of Papua New Guinea" -莫罕达斯,mò hǎn dá sī,Mohandas (name) -莫罗尼,mò luó ní,"Moroni, capital of Comoros" -莫耳,mò ěr,(chemistry) mole (loanword) (Tw) -莫卧儿王朝,mò wò ér wáng cháo,Mughal or Mogul Dynasty (1526-1858) -莫衷一是,mò zhōng yī shì,unable to reach a decision (idiom); cannot agree on the right choice; no unanimous decision; still a matter of discussion -莫言,mò yán,"Mo Yan (1955-), Chinese novelist, winner of 2012 Nobel Prize in Literature" -莫讲,mò jiǎng,let alone; not to speak of (all the others) -莫迪,mò dí,"Modi (name); Narendra Modi (1950-), Indian BJP (Bharatiya Janata Party or Indian People's Party) politician, Gujarat Chief Minister from 2001, PM from 2014" -莫逆,mò nì,very friendly; intimate -莫逆之交,mò nì zhī jiāo,intimate friendship; bosom buddies -莫过于,mò guò yú,nothing can surpass -莫达非尼,mò dá fēi ní,modafinil (loanword) -莫里哀,mò lǐ āi,"Molière (1622-1673), French playwright and actor, master of comedy" -莫霍洛维奇,mò huò luò wéi qí,"Andrija Mohorovichich or Mohorovičić (1857-1936), Croatian geologist and seismologist who discovered the Mohorovichich discontinuity or Moho" -莫霍洛维奇不连续面,mò huò luò wéi qí bù lián xù miàn,"Moho (aka Mohorovičić discontinuity, the lower boundary of the earth's lithosphere); abbr. to 莫霍面[Mo4 huo4 mian4]" -莫霍面,mò huò miàn,"Moho (aka Mohorovičić discontinuity, the lower boundary of the earth's lithosphere)" -莫非,mò fēi,can it be possible that; could it be -莫须有,mò xū yǒu,groundless; baseless -莫高窟,mò gāo kū,"Mogao caves in Dunhuang 敦煌, Gansu" -莰,kǎn,camphane C10H18 -莰烯,kǎn xī,camphene C10H16 -莰烷,kǎn wán,camphane; bornane C10H18 -莰酮,kǎn tóng,camphor C10H16O; also called 樟腦|樟脑 -莽,mǎng,(bound form) dense growth of grass; (literary) vast; boundless; (bound form) boorish; reckless -莽撞,mǎng zhuàng,rash; reckless -莽汉,mǎng hàn,boor -莽草,mǎng cǎo,"Chinese anise (Ilicium anisatum, a shrub with poisonous leaves)" -莿,cì,Urtica thunbergiana -莿桐,cì tóng,"Citong or Tzutung township in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -莿桐乡,cì tóng xiāng,"Citong or Tzutung township in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -菀,wǎn,bound form used in 紫菀[zi3 wan3] -菀,yù,luxuriance of growth -菁,jīng,leek flower; lush; luxuriant -菁英,jīng yīng,elite -菁华,jīng huá,the cream; essence; the quintessence -菅,jiān,(grass); Themeda forsbali -菅原,jiān yuán,Sugawara (Japanese surname) -菅直人,jiān zhí rén,"KAN Naoto (1946-), Japanese Democratic Party politician, prime minister 2010-2011" -菇,gū,mushroom -菇蕈,gū xùn,mushroom -菊,jú,(bound form) chrysanthemum -菊池,jú chí,Kikuchi (Japanese surname and place name) -菊科,jú kē,"Asteraceae or Compositae (composites), a large family of dicotyledonous plants producing scents, includes aster, daisy and sunflower" -菊粉,jú fěn,(biochemistry) inulin (aka fructosan) -菊糖,jú táng,(biochemistry) inulin (aka fructosan) -菊芋,jú yù,Jerusalem artichoke -菊花,jú huā,chrysanthemum; (TCM) chrysanthemum flower; (slang) anus -菊花茶,jú huā chá,chrysanthemum tea -菊苣,jú jù,chicory -菌,jūn,germ; bacteria; fungus; mold; Taiwan pr. [jun4] -菌,jùn,mushroom -菌伞,jùn sǎn,mushroom top -菌子,jùn zi,(dialect) mushroom -菌托,jūn tuō,volva (bag containing spores on stem of fungi) -菌柄,jùn bǐng,mushroom stem -菌界,jūn jiè,fungus (taxonomic kingdom); mycota -菌种,jūn zhǒng,(microorganism) species; strain; (fungus and mushroom) spore; spawn -菌丝,jūn sī,mycelium; hypha -菌群,jūn qún,microbiota; microbiome -菌肥,jūn féi,bacterial manure -菌胶团,jūn jiāo tuán,zoogloea -菌苗,jūn miáo,vaccine -菌落,jūn luò,bacterial colony; microbial colony -菌盖,jùn gài,cap of mushroom -菌褶,jùn zhě,lamella (under the cap of a mushroom) -菌陈蒿,jūn chén hāo,tarragon -菌类,jūn lèi,fungus -菏,hé,He river in Shandong -菏泽,hé zé,Heze prefecture-level city in Shandong -菏泽市,hé zé shì,Heze prefecture-level city in Shandong -菏兰,hé lán,Holland -菐,pú,thicket; tedious -灾,zāi,old variant of 災|灾[zai1] -果,guǒ,variant of 果[guo3]; fruit -菔,fú,turnip -菖,chāng,see 菖蒲[chang1 pu2] -菖蒲,chāng pú,Acorus calamus; sweet sedge or sweet flag -菘,sōng,(cabbage); Brassica chinensis -菘蓝,sōng lán,"Isatis tinctoria (woad, a brassica producing blue dye)" -菜,cài,"vegetable; greens (CL:棵[ke1]); dish (of food) (CL:樣|样[yang4],道[dao4],盤|盘[pan2]); (of one's skills etc) weak; poor; (coll.) (one's) type" -菜刀,cài dāo,vegetable knife; kitchen knife; cleaver; CL:把[ba3] -菜包子,cài bāo zi,steamed bun stuffed with vegetables; (fig.) useless person; a good-for-nothing -菜品,cài pǐn,culinary dish -菜单,cài dān,"menu; CL:份[fen4],張|张[zhang1]" -菜单条,cài dān tiáo,menu bar (of a computer application) -菜单栏,cài dān lán,menu bar (computing) -菜圃,cài pǔ,vegetable field; vegetable bed -菜园,cài yuán,vegetable garden -菜地,cài dì,vegetable field -菜场,cài chǎng,food market -菜墩子,cài dūn zi,chopping board -菜市,cài shì,food market -菜市仔名,cài shì zǐ míng,"(Tw) popular given name (one that will turn many heads if you shout it at a marketplace) (from Taiwanese 菜市仔名, Tai-lo pr. [tshài-tshī-á-miâ], where 菜市仔 means ""marketplace"")" -菜市场,cài shì chǎng,food market -菜市场名,cài shì chǎng míng,(Tw) popular given name (one that will turn many heads if you shout it at a marketplace) -菜式,cài shì,dish (food prepared according to a specific recipe) -菜心,cài xīn,choy sum; Chinese flowering cabbage; stem of any Chinese cabbage -菜板,cài bǎn,chopping board; cutting board; CL:張|张[zhang1] -菜油,cài yóu,rapeseed oil; canola oil -菜燕,cài yàn,agar-agar -菜牛,cài niú,beef cattle (grown for meat) -菜瓜,cài guā,snake melon; loofah -菜畦,cài qí,vegetable field; vegetable bed -菜篮子,cài lán zi,vegetable or food basket; (fig.) food supply -菜籽,cài zǐ,vegetable seeds; rapeseed -菜系,cài xì,(regional) cuisine -菜脯,cài pú,"dried, pickled white radish" -菜色,cài sè,dish; lean and hungry look (resulting from vegetarian diet); emaciated look (from malnutrition) -菜花,cài huā,cauliflower; gonorrhea -菜茹,cài rú,greens; green vegetables -菜蔬,cài shū,greens; vegetables; vegetable side dish -菜谱,cài pǔ,menu (in restaurant); recipe; cookbook -菜豆,cài dòu,kidney bean -菜农,cài nóng,vegetable farmer -菜鸡,cài jī,(slang) total noob -菜头,cài tóu,"(Tw) radish, esp. white radish 白蘿蔔|白萝卜[bai2luo2bo5]; CL:根[gen1]" -菜肴,cài yáo,vegetable and meat dishes; dish -菜馆,cài guǎn,(dialect) restaurant -菜鸟,cài niǎo,(coll.) sb new to a particular subject; rookie; beginner; newbie -菝,bá,smilax china -菟,tù,"dodder (Cuscuta sinensis, a parasitic vine with seeds having medicinal uses); also called 菟絲子|菟丝子" -菟丝子,tù sī zǐ,"dodder (Cuscuta sinensis, a parasitic vine with seeds used in medicine)" -菠,bō,spinach -菠烷,bō wán,bornane; camphane C10H18 -菠菜,bō cài,spinach (CL:棵[ke1]); (slang) lottery (alternative term for 博彩[bo2 cai3]) -菠萝,bō luó,pineapple -菠萝包,bō luó bāo,"pineapple bun, a sweet bun popular esp. in Hong Kong (typically does not contain pineapple – the name comes from the rough top crust which resembles pineapple skin)" -菠萝油,bō luó yóu,pineapple bun 菠蘿包|菠萝包[bo1luo2bao1] with a slice of butter inserted -菠萝蜜,bō luó mì,jackfruit -菡,hàn,lotus blossom -菥,xī,see 菥蓂[xi1 mi4] -菥蓂,xī mì,pennycress -菩,pú,Bodhisattva -菩提,pú tí,bodhi (Sanskrit); enlightenment (Buddhism) -菩提树,pú tí shù,pipal tree (Ficus religiosa); bo fig tree; Bodhi tree (sacred to Buddhism and Hinduism) -菩提道场,pú tí dào chǎng,Bodhimanda (place of enlightenment associated with a Bodhisattva) -菩提达摩,pú tí dá mó,Bodhidharma -菩萨,pú sà,Bodhisattva (Buddhism) -菪,dàng,henbane -华,huá,abbr. for China -华,huà,Mount Hua 華山|华山[Hua4 Shan1] in Shaanxi; surname Hua -华,huā,old variant of 花[hua1]; flower -华,huá,magnificent; splendid; flowery -华中,huá zhōng,central China -华亭,huá tíng,"Huating county in Pingliang 平涼|平凉[Ping2 liang2], Gansu" -华亭县,huá tíng xiàn,"Huating county in Pingliang 平涼|平凉[Ping2 liang2], Gansu" -华人,huá rén,ethnic Chinese person or people -华佗,huà tuó,"Hua Tuo (?-208), famous doctor at the end of Han Dynasty" -华侨,huá qiáo,"overseas Chinese; (in a restricted sense) Chinese emigrant who still retains Chinese nationality; CL:個|个[ge4],位[wei4],名[ming2]" -华侨报,huá qiáo bào,Va Kio Daily -华侨大学,huá qiáo dà xué,Huaqiao University -华北,huá běi,North China -华北事变,huá běi shì biàn,"North China Incident of October-December 1935, a Japanese attempt to set up a puppet government in north China" -华北平原,huá běi píng yuán,North China Plain -华北龙,huá běi lóng,Huabeisaurus (Huabeisaurus allocotus) -华南,huá nán,Southern China -华南冠纹柳莺,huá nán guān wén liǔ yīng,(bird species of China) Hartert's leaf warbler (Phylloscopus goodsoni) -华南斑胸钩嘴鹛,huá nán bān xiōng gōu zuǐ méi,(bird species of China) grey-sided scimitar babbler (Pomatorhinus swinhoei) -华南理工大学,huá nán lǐ gōng dà xué,South China University of Technology -华南虎,huá nán hǔ,South China Tiger -华商报,huá shāng bào,China Business News (newspaper) -华商晨报,huá shāng chén bào,China Business Morning Post (morning edition of China Business News 華商報|华商报) -华严宗,huá yán zōng,Chinese Buddhist school founded on the Buddhavatamsaka-mahavaipulya Sutra (Garland sutra) -华严经,huá yán jīng,"Avatamsaka sutra of the Huayan school; also called Buddhavatamsaka-mahavaipulya Sutra, the Flower adornment sutra or the Garland sutra" -华国锋,huà guó fēng,"Hua Guofeng (1921-2008), CCP Chairman 1976-1981" -华坪,huá píng,"Huaping county in Lijiang 麗江|丽江[Li4 jiang1], Yunnan" -华坪县,huá píng xiàn,"Huaping county in Lijiang 麗江|丽江[Li4 jiang1], Yunnan" -华埠,huá bù,Chinatown; also called 唐人街[Tang2 ren2 jie1] -华夏,huá xià,old name for China; Cathay -华夏银行,huá xià yín háng,Huaxia Bank -华夫,huá fū,waffle (loanword) -华威,huá wēi,"Warwick (name); University of Warwick, Coventry, UK" -华威大学,huá wēi dà xué,"University of Warwick, Coventry, UK" -华安,huá ān,"Hua'an county in Zhangzhou 漳州[Zhang1 zhou1], Fujian" -华安县,huá ān xiàn,"Hua'an county in Zhangzhou 漳州[Zhang1 zhou1], Fujian" -华容,huá róng,"Huarong district of Ezhou city 鄂州市[E4 zhou1 shi4], Hubei; Huarong county in Yueyang 岳陽|岳阳[Yue4 yang2], Hunan" -华容区,huá róng qū,"Huarong district of Ezhou city 鄂州市[E4 zhou1 shi4], Hubei" -华容县,huá róng xiàn,"Huarong county in Yueyang 岳陽|岳阳[Yue4 yang2], Hunan" -华容道,huá róng dào,"Huarong Road (traditional puzzle involving sliding wooden blocks, loosely based on an episode in Three Kingdoms 三國演義|三国演义[San1 guo2 Yan3 yi4])" -华宁,huá níng,"Huaning county in Yuxi 玉溪[Yu4 xi1], Yunnan" -华宁县,huá níng xiàn,"Huaning county in Yuxi 玉溪[Yu4 xi1], Yunnan" -华屋,huá wū,magnificent residence; splendid house -华屋丘墟,huá wū qiū xū,magnificent building reduced to a mound of rubble (idiom); fig. all one's plans in ruins -华山,huà shān,"Mt Hua in Shaanxi, western mountain of the Five Sacred Mountains 五嶽|五岳[Wu3 yue4]" -华师大,huá shī dà,East China Normal University (abbr. for 華東師範大學|华东师范大学[Hua2 dong1 Shi1 fan4 Da4 xue2]) -华府,huá fǔ,"Washington, D.C.; the US federal government" -华彩,huá cǎi,gorgeous; resplendent or rich color -华拳,huá quán,"Hua Quan - ""Flowery Fist? Magnificent Fist?"" - Martial Art" -华教,huá jiào,"Chinese language education (for people living outside China, esp. the children of overseas Chinese communities)" -华文,huá wén,Chinese language; Chinese script -华族,huá zú,noble family; of Chinese ancestry -华东,huá dōng,East China -华东师大,huá dōng shī dà,East China Normal University (abbr. for 華東師範大學|华东师范大学[Hua2 dong1 Shi1 fan4 Da4 xue2]) -华东师范大学,huá dōng shī fàn dà xué,East China Normal University (ECNU) -华东理工大学,huá dōng lǐ gōng dà xué,East China University of Science and Technology -华林,huá lín,"Hualinbu, Ming dynasty theatrical troupe in Nanjing" -华林部,huá lín bù,"Hualinbu, Ming dynasty theatrical troupe in Nanjing" -华氏,huá shì,Fahrenheit -华氏度,huá shì dù,degrees Fahrenheit -华池县,huá chí xiàn,"Huachi county in Qingyang 慶陽|庆阳[Qing4 yang2], Gansu" -华沙,huá shā,"Warsaw, capital of Poland" -华法林,huá fǎ lín,warfarin (loanword) -华润,huá rùn,"China Resources, a Chinese state-owned conglomerate" -华润万家,huá rùn wàn jiā,"CR Vanguard or China Resources Vanguard Shop, a supermarket chain in Hong Kong and mainland China" -华为,huá wéi,Huawei (brand) -华灯,huá dēng,decorated lantern; lantern light -华灯初上,huá dēng chū shàng,early evening when lanterns are first lit -华尔兹,huá ěr zī,waltz (dance) (loanword) -华尔街,huá ěr jiē,"Wall Street, New York; by extension, American big business" -华尔街日报,huá ěr jiē rì bào,Wall Street Journal -华特,huá tè,Walt (name) -华盛顿,huá shèng dùn,"Washington (name); George Washington (1732-1799), first US president; Washington, US State; Washington, D.C. (US federal capital)" -华盛顿州,huá shèng dùn zhōu,"Washington, US State" -华盛顿时报,huá shèng dùn shí bào,Washington Times (newspaper) -华盛顿特区,huá shèng dùn tè qū,Washington D.C. (US federal capital) -华盛顿邮报,huá shèng dùn yóu bào,Washington Post (newspaper) -华硕,huá shuò,Asus (computer manufacturer) -华章,huá zhāng,(literary) beautiful writing -华米科技,huá mǐ kē jì,"Zepp Health Corporation, Chinese company providing digital health management based on wearable devices, established in 2013" -华纳兄弟,huá nà xiōng dì,Warner Brothers -华纳音乐集团,huá nà yīn yuè jí tuán,Warner Music Group -华县,huá xiàn,Hua county in Shaanxi -华罗庚,huà luó gēng,"Hua Luogeng (1910-1985), Chinese number theorist" -华美,huá měi,magnificent; gorgeous; ornate -华而不实,huá ér bù shí,flower but no fruit (idiom); handsome exterior but hollow inside; flashy -华胄,huá zhòu,(literary) Han people; descendants of nobles -华兴会,huá xīng huì,"anti-Qing revolutionary party set up in Changsha by 黃興|黄兴[Huang2 Xing1] in 1904, a precursor of Sun Yat-sen's Alliance for Democracy 同盟會|同盟会[Tong2 meng2 hui4] and of the Guomindang" -华航,huá háng,China Airlines (Taiwan); abbr. for 中華航空公司|中华航空公司[Zhong1 hua2 Hang2 kong1 Gong1 si1] -华兹华斯,huá zī huá sī,"surname Wordsworth; William Wordsworth (1770-1850), English romantic poet" -华盖,huá gài,imperial canopy (e.g. domed umbrella-like roof over carriage); aureole; halo -华表,huá biǎo,"marble pillar (ornamental column in front of places, tombs)" -华裔,huá yì,ethnic Chinese; non-Chinese citizen of Chinese ancestry -华西,huá xī,West China (region in the upper reaches of Yangtze River and Sichuan Province) -华西村,huá xī cūn,Huaxi Village in Jiangsu Province 江蘇省|江苏省[Jiang1 su1 Sheng3] -华西柳莺,huá xī liǔ yīng,(bird species of China) alpine leaf warbler (Phylloscopus occisinensis) -华视,huá shì,"Chinese Television System (CTS), Taiwan (abbr. for 中華電視|中华电视[Zhong1 hua2 Dian4 shi4])" -华诞,huá dàn,(formal) birthday; anniversary of the founding of an organization -华语,huá yǔ,Chinese language -华语文能力测验,huá yǔ wén néng lì cè yàn,TOCFL (Test of Chinese as a Foreign Language) -华贵,huá guì,sumptuous; luxurious -华毂,huá gǔ,decorated carriage -华达呢,huá dá ní,gabardine (loanword) -华里,huá lǐ,li (Chinese unit of distance) -华蓥,huá yíng,"Huaying, county-level city in Guang'an 廣安|广安[Guang3 an1], Sichuan" -华蓥市,huá yíng shì,"Huaying, county-level city in Guang'an 廣安|广安[Guang3 an1], Sichuan" -华陀,huà tuó,"Hua Tuo (c. 140-208), ancient Chinese physician from the Eastern Han period" -华阴,huá yīn,"Huayin, county-level city in Weinan 渭南[Wei4 nan2], Shaanxi" -华阴市,huá yīn shì,"Huayin, county-level city in Weinan 渭南[Wei4 nan2], Shaanxi" -华靡,huá mí,luxurious; opulent -华发,huá fà,(literary) gray hair -华丽,huá lì,gorgeous -华龙,huà lóng,"Hualong district of Puyang city 濮陽市|濮阳市[Pu2 yang2 shi4], Henan" -华龙区,huà lóng qū,"Hualong district of Puyang city 濮陽市|濮阳市[Pu2 yang2 shi4], Henan" -菰,gū,"Manchurian wild rice (Zizania latifolia), now rare in the wild, formerly harvested for its grain, now mainly cultivated for its edible stem known as 茭白筍|茭白笋[jiao1 bai2 sun3], which is swollen by a smut fungus; (variant of 菇[gu1]) mushroom" -菱,líng,water caltrop (Trapa species) -菱形,líng xíng,rhombus -菱形六面体,líng xíng liù miàn tǐ,(math.) rhombohedron -菱花镜,líng huā jìng,"antique bronze mirror with flower petal edging, most commonly from the Tang dynasty" -菱角,líng jiao,"water caltrop (Trapa species), aquatic plant with edible seeds" -菱镁矿,líng měi kuàng,magnesite; magnesium ore -菱镜,líng jìng,see 菱花鏡|菱花镜[ling2 hua1 jing4] -菱铁矿,líng tiě kuàng,siderite -菲,fēi,abbr. for the Philippines 菲律賓|菲律宾[Fei1 lu:4 bin1] -菲,fēi,luxuriant (plant growth); rich with fragrance; phenanthrene C14H10 -菲,fěi,poor; humble; unworthy; radish (old) -菲亚特,fēi yà tè,Fiat -菲佣,fēi yōng,Filipino maid -菲力,fēi lì,fillet (loanword) -菲力克斯,fēi lì kè sī,Felix (name) -菲力牛排,fēi lì niú pái,fillet steak -菲姬,fěi jī,"Fergie (Stacy Ann Ferguson, 1975-), US pop singer" -菲尼克斯,fēi ní kè sī,"Phoenix, capital of Arizona; also 鳳凰城|凤凰城[Feng4 huang2 cheng2]" -菲律宾,fēi lǜ bīn,the Philippines -菲律宾人,fēi lǜ bīn rén,Filipino -菲律宾大学,fēi lǜ bīn dà xué,University of the Philippines -菲律宾语,fēi lǜ bīn yǔ,Tagalog (language) -菲律宾鹃鸠,fēi lǜ bīn juān jiū,(bird species of China) Philippine cuckoo-dove (Macropygia tenuirostris) -菲德尔,fēi dé ěr,Fidel (name) -菲舍尔,fēi shě ěr,Fisher (name) -菲林,fēi lín,(dialect) film (loanword); roll of film -菲涅耳透镜,fēi niè ěr tòu jìng,Fresnel lens -菲尔普斯,fēi ěr pǔ sī,"Phelps (name); Michael Phelps (1985-), US swimmer and multiple Olympic gold medallist" -菲尔特,fēi ěr tè,Fürth (city in Germany) -菲尔兹,fēi ěr zī,Fields (name) -菲尔兹奖,fēi ěr zī jiǎng,Fields Medal (prestigious international award in mathematics) -菲茨杰拉德,fēi cí jié lā dé,Fitzgerald (name) -菲菲,fēi fēi,very fragrant; luxurious; beautiful -菲薄,fěi bó,humble; meager; thin; to despise -菲达,fēi dá,(loanword) feta (cheese) -菲酌,fěi zhuó,(humble) the poor food I offer you; my inadequate hospitality -庵,ān,variant of 庵[an1] -烟,yān,tobacco (variant of 煙|烟[yan1]) -菸,yū,to wither; dried leaves; faded; withered -菸斗,yān dǒu,variant of 煙斗|烟斗[yan1 dou3] -菸硷,yān jiǎn,nicotine; also written 菸鹼|菸碱[yan1 jian3] -烟蒂,yān dì,cigarette butt -菸碱,yān jiǎn,nicotine -菸碱酸,yān jiǎn suān,niacin (vitamin B3); 3-Pyridinecarboxylic acid C6H5NO2; nicotinic acid -菹,zū,marshland; swamp; salted or pickled vegetables; to mince; to shred; to mince human flesh and bones; Taiwan pr. [ju1] -菹醢,zū hǎi,to execute sb and mince his flesh and bones (archaic form of retribution) -菽,shū,legumes (peas and beans) -萁,qí,stalks of pulse -萃,cuì,collect; collection; dense; grassy; thick; assemble; gather -萃取,cuì qǔ,(chemistry) liquid-liquid extraction (aka solvent extraction); to extract -萄,táo,used in 葡萄[pu2 tao5] -萆,bì,castor seed -苌,cháng,surname Chang -苌,cháng,"plant mentioned in Book of Songs, uncertainly identified as carambola or star fruit (Averrhoa carambola)" -苌楚,cháng chǔ,"plant mentioned in Book of Songs, uncertainly identified as carambola or star fruit (Averrhoa carambola); kiwi fruit" -莱,lái,"name of weed plant (fat hen, goosefoot, pigweed etc); Chenopodium album" -莱伊尔,lái yī ěr,"Lyell (name); Sir Charles Lyell (1797-1875), Scottish geologist" -莱佛士,lái fó shì,"surname Raffles; Stamford Raffles (1781-1826), British statesman and founder of the city of Singapore" -莱克多巴胺,lái kè duō bā àn,(organic chemistry) ractopamine (loanword) -莱切,lái qiè,Lecce (city in Italy) -莱卡,lái kǎ,Leica camera; Lycra (fiber or fabric) -莱城,lái chéng,"Lae, second-largest city in Papua New Guinea, capital of Morobe Province" -莱姆,lái mǔ,lime (loanword) -莱姆病,lái mǔ bìng,Lyme disease -莱姆酒,lái mǔ jiǔ,see 朗姆酒[lang3 mu3 jiu3] -莱山,lái shān,"Laishan district of Yantai city 煙台市|烟台市, Shandong" -莱山区,lái shān qū,"Laishan district of Yantai city 煙台市|烟台市, Shandong" -莱州,lái zhōu,"Laizhou, county-level city in Yantai 煙台|烟台, Shandong" -莱州市,lái zhōu shì,"Laizhou, county-level city in Yantai 煙台|烟台, Shandong" -莱布尼茨,lái bù ní cí,"Leibniz (name); Gottfriend Wilhelm von Leibniz (1646-1716), German mathematician and philosopher, co-inventor of the calculus" -莱布尼兹,lái bù ní zī,"Leibnitz (name); Gottfriend Wilhelm von Leibniz (1646-1716), German mathematician and philosopher, co-inventor of the calculus" -莱德杯,lái dé bēi,Ryder Cup (US and Europe golf team competition) -莱恩,lái ēn,(name) Ryan -莱斯大学,lái sī dà xué,"Rice University (Houston, Texas)" -莱斯沃斯岛,lái sī wò sī dǎo,Lesbos (Greek island in the Aegean Sea 愛琴海|爱琴海[Ai4 qin2 Hai3]) -莱斯特,lái sī tè,"Lester or Leicester (name); Leicester, English city in East Midlands" -莱斯特郡,lái sī tè jùn,"Leicestershire, English county" -莱旺厄尔,lái wàng è ěr,"Levanger (city in Trøndelag, Norway)" -莱昂纳多,lái áng nà duō,Leonardo (name) -莱比锡,lái bǐ xī,"Leipzig, city in the state of Saxony, Germany" -莱温斯基,lái wēn sī jī,"Monica Lewinsky (1973-), former White House intern" -莱特,lái tè,Wright (surname) -莱特币,lái tè bì,Litecoin (cryptocurrency) -莱索托,lái suǒ tuō,Lesotho -莱茵河,lái yīn hé,Rhine River -莱菔,lái fú,radish -莱菔子,lái fú zǐ,radish seed (used in TCM to treat indigestion) -莱芜,lái wú,Laiwu prefecture-level city in Shandong -莱芜,lái wú,field with dense growth of wild weeds -莱芜市,lái wú shì,Laiwu prefecture-level city in Shandong -莱西,lái xī,"Laixi, county-level city in Qingdao 青島|青岛, Shandong" -莱西市,lái xī shì,"Laixi, county-level city in Qingdao 青島|青岛, Shandong" -莱猪,lái zhū,(Tw) (neologism) pork containing ractopamine 萊克多巴胺|莱克多巴胺[lai2 ke4 duo1 ba1 an4] -莱赛尔,lái sài ěr,lyocell (textiles) (loanword) -莱里达,lái lǐ dá,"Lérida or Lleida, Spain" -莱阳,lái yáng,"Laiyang, county-level city in Yantai 煙台|烟台[Yan1 tai2], Shandong" -莱阳市,lái yáng shì,"Laiyang, county-level city in Yantai 煙台|烟台[Yan1 tai2], Shandong" -莱顿,lái dùn,Leiden (the Netherlands) -莱顿大学,lái dùn dà xué,University of Leiden -莱麦丹,lái mài dān,Ramadan (loanword) -莱齐耶三世,lái qí yē sān shì,Letsie III of Lesotho -萋,qī,Celosia argentea; luxuriant -萋萋,qī qī,luxuriant; lavish; abundant -萌,méng,"(bound form) to sprout; to bud; (coll.) cute; adorable (orthographic borrowing from Japanese 萌え ""moe"", affection for an anime or manga character); (literary) common people (variant of 氓[meng2])" -萌动,méng dòng,to sprout; (fig.) to emerge -萌古,méng gǔ,(archaic) Mongol -萌娃,méng wá,cute little kid -萌新,méng xīn,(neologism) (slang) newbie -萌渚岭,méng zhǔ lǐng,Mengzhu mountain range between south Hunan and Guangxi -萌生,méng shēng,to burgeon; to produce; to conceive; to be in the initial stage -萌发,méng fā,to sprout; to shoot; to bud -萌芽,méng yá,to sprout (lit. or fig.); to bud; to germinate; germ; seed; bud -萌萌哒,méng méng dā,(Internet slang) adorable; cute -萍,píng,duckweed -萍卡菲尔特,píng kǎ fēi ěr tè,Pinkafeld (Hungarian Pinkafő) Austrian town on the border with Hungary -萍水相逢,píng shuǐ xiāng féng,strangers coming together by chance (idiom) -萍蓬草,píng péng cǎo,"spatterdock (Nuphar pumilum), a type of lily" -萍乡,píng xiāng,"Pingxiang, prefecture-level city in Jiangxi" -萍乡市,píng xiāng shì,"Pingxiang, prefecture-level city in Jiangxi" -萎,wěi,to wither; to drop; to decline; spiritless; Taiwan pr. [wei1] -萎缩,wěi suō,"to wither; to dry up (of a plant); to atrophy (of muscle, social custom etc)" -萎叶,wěi yè,betel -萎蕤,wěi ruí,angular Solomon's seal (Polygonatum odoratum) -萎靡,wěi mǐ,dispirited; depressed -萎靡不振,wěi mǐ bù zhèn,dispirited and listless (idiom); downcast -萏,dàn,lotus -萑,huán,a kind of reed -萘,nài,naphthalene C10H8 -萘丸,nài wán,mothball; naphthalene ball -萘醌,nài kūn,naphthoquinone (chemistry) -萜,tiē,terpene (chemistry) -萜烯,tiē xī,terpene (chemistry) -万,wàn,surname Wan -万,wàn,ten thousand; a great number -万一,wàn yī,just in case; if by any chance; contingency -万丈,wàn zhàng,lit. ten thousand fathoms; fig. extremely high or deep; lofty; bottomless -万丈光芒,wàn zhàng guāng máng,boundless radiance; splendor -万丈高楼平地起,wàn zhàng gāo lóu píng dì qǐ,towering buildings are built up from the ground (idiom); great oaks from little acorns grow -万不得已,wàn bù dé yǐ,only when absolutely essential (idiom); as a last resort -万世,wàn shì,all ages -万世师表,wàn shì shī biǎo,model teacher of every age (idiom); eternal paragon; refers to Confucius (551-479 BC) 孔子[Kong3 zi3] -万丹,wàn dān,"Wantan township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -万丹乡,wàn dān xiāng,"Wantan township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -万事,wàn shì,all things -万事亨通,wàn shì hēng tōng,everything is going smoothly (idiom) -万事大吉,wàn shì dà jí,everything is fine (idiom); all is well with the world -万事如意,wàn shì rú yì,to have all one's wishes (idiom); best wishes; all the best; may all your hopes be fulfilled -万事得,wàn shì dé,Mazda Motor Corporation; also known as 馬自達|马自达 -万事起头难,wàn shì qǐ tóu nán,the first step is the hardest (idiom) -万事通,wàn shì tōng,jack-of-all-trades; know-it-all -万事达,wàn shì dá,MasterCard -万事开头难,wàn shì kāi tóu nán,every beginning is difficult (idiom); getting started is always the hardest part -万人,wàn rén,ten thousand people; all the people; everyman -万人之敌,wàn rén zhī dí,a match for ten thousand enemies -万人敌,wàn rén dí,a match for ten thousand enemies -万人空巷,wàn rén kōng xiàng,"the multitudes come out from everywhere, emptying every alleyway (to celebrate); the whole town turns out" -万代,wàn dài,Bandai toy company -万代千秋,wàn dài qiān qiū,after innumerable ages -万代兰,wàn dài lán,Vanda genus of orchids -万位,wàn wèi,the ten thousands place (or column) in the decimal system -万亿,wàn yì,trillion -万元户,wàn yuán hù,"household with savings or annual income of 10,000 yuan or more (considered a large amount in the 1970s, when the term became established)" -万儿八千,wàn er bā qiān,ten thousand or almost ten thousand -万全,wàn quán,"Wanquan county in Zhangjiakou 張家口|张家口[Zhang1 jia1 kou3], Hebei" -万全,wàn quán,absolutely safe; surefire; thorough -万全县,wàn quán xiàn,"Wanquan county in Zhangjiakou 張家口|张家口[Zhang1 jia1 kou3], Hebei" -万分,wàn fēn,very much; extremely; one ten thousandth part -万分痛苦,wàn fēn tòng kǔ,excruciating -万劫不复,wàn jié bù fù,consigned to eternal damnation; with no hope of reprieve -万千,wàn qiān,myriad; multitudinous; multifarious -万博省,wàn bó shěng,Huambo province of Angola -万古千秋,wàn gǔ qiān qiū,for all eternity (idiom) -万古长新,wàn gǔ cháng xīn,to remain forever new (idiom) -万古长青,wàn gǔ cháng qīng,remain fresh; last forever; eternal -万名,wàn míng,all names -万国,wàn guó,all nations -万国博览会,wàn guó bó lǎn huì,universal exposition; world expo -万国宫,wàn guó gōng,Palais des Nations -万国码,wàn guó mǎ,Unicode; also written 統一碼|统一码[tong3 yi1 ma3] -万国邮政联盟,wàn guó yóu zhèng lián méng,Universal Postal Union -万国邮联,wàn guó yóu lián,Universal Postal Union (UPU) -万国音标,wàn guó yīn biāo,International Phonetic Alphabet (IPA) -万寿山,wàn shòu shān,"Longevity Hill in the Summer Palace 頤和園|颐和园[Yi2 he2 yuan2], Beijing" -万寿无疆,wàn shòu wú jiāng,may you enjoy boundless longevity (idiom); long may you live -万寿菊,wàn shòu jú,Aztec or African marigold (Tagetes erecta) -万夫不当,wàn fū bù dāng,"lit. unbeatable by even 10,000 men (idiom); fig. extremely brave and strong" -万安,wàn ān,"Wan'an county in Ji'an 吉安, Jiangxi" -万安,wàn ān,completely secure; a sure thing; rest assured -万安县,wàn ān xiàn,"Wan'an county in Ji'an 吉安, Jiangxi" -万家乐,wàn jiā lè,Macro (brand) -万家灯火,wàn jiā dēng huǒ,(of a city etc) ablaze with lights -万宁,wàn níng,"Wanning City, Hainan" -万宁市,wàn níng shì,"Wanning City, Hainan" -万宝路,wàn bǎo lù,Marlboro (cigarette) -万山区,wàn shān qū,"Wanshan, a district of Tongren 銅仁市|铜仁市[Tong2ren2 Shi4], Guizhou" -万峦,wàn luán,"Wanluan township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -万峦,wàn luán,hundreds and thousands of mountains -万峦乡,wàn luán xiāng,"Wanluan township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -万州,wàn zhōu,"Wanzhou, a district of Chongqing 重慶|重庆[Chong2qing4]" -万州区,wàn zhōu qū,"Wanzhou, a district of Chongqing 重慶|重庆[Chong2qing4]" -万年,wàn nián,"Wannian county in Shangrao 上饒|上饶, Jiangxi" -万年历,wàn nián lì,perpetual calendar; ten thousand year calendar; Islamic calendar introduced to Yuan China by Jamal al-Din 紮馬剌丁|扎马剌丁 -万年县,wàn nián xiàn,"Wannian county in Shangrao 上饒|上饶, Jiangxi" -万年青,wàn nián qīng,Nippon lily (Rohdea japonica) -万幸,wàn xìng,very lucky indeed -万念俱灰,wàn niàn jù huī,every hope turns to dust (idiom); completely disheartened -万恶,wàn è,everything that is evil -万恶之源,wàn è zhī yuán,the root of all evil -万恶滔天,wàn è tāo tiān,(idiom) the evil is overwhelming -万应灵丹,wàn yìng líng dān,panacea -万户,wàn hù,"ducal title meaning lord of 10,000 households; also translated as Marquis" -万户,wàn hù,ten thousand houses or households -万户侯,wàn hù hóu,"Marquis (highest Han dynasty ducal title meaning lord of 10,000 households); high nobles" -万托林,wàn tuō lín,"ventolin, aka salbutamol, an asthma drug" -万智牌,wàn zhì pái,Magic the gathering (online fantasy game of card collecting and battling) -万历,wàn lì,reign name of Ming emperor (1573-1619) -万有,wàn yǒu,universal -万有引力,wàn yǒu yǐn lì,gravity -万柏林,wàn bó lín,"Wanbolin district of Taiyuan city 太原市[Tai4 yuan2 shi4], Shanxi" -万柏林区,wàn bó lín qū,"Wanbolin district of Taiyuan city 太原市[Tai4 yuan2 shi4], Shanxi" -万荣,wàn róng,"Wanrong County in Yuncheng 運城|运城[Yun4 cheng2], Shanxi; Wanrong or Wanjung township in Hualian County 花蓮縣|花莲县[Hua1 lian2 Xian4], East Taiwan; Vang Vieng, town in central Laos" -万荣县,wàn róng xiàn,"Wanrong county in Yuncheng 運城|运城[Yun4 cheng2], Shanxi" -万荣乡,wàn róng xiāng,"Wanrong or Wanjung township in Hualien County 花蓮縣|花莲县[Hua1 lian2 Xian4], east Taiwan" -万岁,wàn suì,"Long live (the king, the revolution etc)!; Your Majesty; His Majesty" -万死不辞,wàn sǐ bù cí,ten thousand deaths will not prevent me (idiom); ready to risk life and limb to help out -万民,wàn mín,all the people -万水千山,wàn shuǐ qiān shān,ten thousand crags and torrents (idiom); the trials and tribulations of a long journey; a long and difficult road -万泉河,wàn quán hé,"Wanquan River, Hainan" -万洋山,wàn yáng shān,Mt Wanyang between Jiangxi and Hunan -万源,wàn yuán,"Wanyuan, county-level city in Dazhou 達州|达州[Da2 zhou1], Sichuan" -万源市,wàn yuán shì,"Wanyuan, county-level city in Dazhou 達州|达州[Da2 zhou1], Sichuan" -万无一失,wàn wú yī shī,surefire; absolutely safe (idiom) -万物,wàn wù,all things; all that exists -万用字元,wàn yòng zì yuán,(computing) wildcard character (Tw) -万用表,wàn yòng biǎo,multimeter -万盛,wàn shèng,"Wansheng suburban district of Chongqing municipality, formerly in Sichuan" -万盛区,wàn shèng qū,"Wansheng suburban district of Chongqing municipality, formerly in Sichuan" -万目睽睽,wàn mù kuí kuí,thousands of staring eyes (idiom) -万众一心,wàn zhòng yī xīn,millions of people all of one mind (idiom); the people united -万福玛丽亚,wàn fú mǎ lì yà,Hail Mary; Ave Maria (religion) -万秀区,wàn xiù qū,"Wanxiu district of Wuzhou city 梧州市[Wu2 zhou1 shi4], Guangxi" -万科,wàn kē,"Vanke, large Chinese real estate company, founded in 1984" -万箭穿心,wàn jiàn chuān xīn,lit. to have one's heart pierced by thousands of arrows (idiom); fig. overcome with sorrow; fig. to lambaste; to rip sb to shreds -万籁俱寂,wàn lài jù jì,not a sound to be heard (idiom) -万籁无声,wàn lài wú shēng,not a sound to be heard (idiom); dead silent -万紫千红,wàn zǐ qiān hóng,thousands of purples and reds (idiom); a blaze of color; fig. a profusion of flourishing trades -万维天罗地网,wàn wéi tiān luó dì wǎng,World Wide Web (WWW); lit. ten-thousand dimensional net covering heaven and earth; term coined by China News Digest and abbr. to 萬維網|万维网[Wan4 wei2 wang3] -万维网,wàn wéi wǎng,World Wide Web (WWW) -万维网联合体,wàn wéi wǎng lián hé tǐ,"W3C, global Internet steering committee" -万县,wàn xiàn,"Wanxian port city on the Changjiang or Yangtze river in Sichuan, renamed Wanzhou district in Chongqing municipality in 1990" -万县市,wàn xiàn shì,"Wanxian port city on the Changjiang or Yangtze river in Sichuan, renamed Wanzhou district in Chongqing municipality in 1990" -万县港,wàn xiàn gǎng,"Wanxian port city on the Changjiang or Yangtze river in Sichuan, renamed Wanzhou district in Chongqing municipality in 1990" -万圣夜,wàn shèng yè,Halloween (abbr. for 萬聖節前夜|万圣节前夜[Wan4 sheng4 jie2 Qian2 ye4]) -万圣节,wàn shèng jié,All Saints (Christian festival) -万圣节前夕,wàn shèng jié qián xī,All Saints' Eve; Halloween -万圣节前夜,wàn shèng jié qián yè,Halloween -万能,wàn néng,omnipotent; all-purpose; universal -万能曲尺,wàn néng qū chǐ,universal bevel (to measure angles) -万能钥匙,wàn néng yào shi,master key; skeleton key; passkey -万般,wàn bān,every kind; manifold; extremely -万般无奈,wàn bān wú nài,to have no way out; to have no alternative -万艾可,wàn ài kě,Viagra -万花筒,wàn huā tǒng,kaleidoscope -万华,wàn huá,"Wanhua District of Taipei City 臺北市|台北市[Tai2 bei3 Shi4], Taiwan" -万华区,wàn huá qū,"Wanhua District of Taipei City 臺北市|台北市[Tai2 bei3 Shi4], Taiwan" -万万,wàn wàn,absolutely; wholly -万变不离其宗,wàn biàn bù lí qí zōng,"many superficial changes but no departure from the original stand (idiom); plus ça change, plus ça reste la mème chose" -万象,wàn xiàng,"Vientiane, capital of Laos" -万象,wàn xiàng,every manifestation of nature -万象更新,wàn xiàng gēng xīn,(in the spring) nature takes on a new look (idiom) -万豪,wàn háo,Marriott International (hotel chain) -万贯,wàn guàn,ten thousand strings of cash; very wealthy; millionaire -万贯家财,wàn guàn jiā cái,vast wealth -万载,wàn zài,"Wanzai county in Yichun 宜春, Jiangxi" -万载县,wàn zài xiàn,"Wanzai county in Yichun 宜春, Jiangxi" -万那杜,wàn nà dù,"Vanuatu, country in the southwestern Pacific Ocean (Tw)" -万邦,wàn bāng,all nations -万里,wàn lǐ,"Wan Li (1916-2015), PRC politician" -万里,wàn lǐ,"Wanli township in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -万里,wàn lǐ,"far away; thousands of miles; 10,000 li" -万里江山,wàn lǐ jiāng shān,lit. ten thousand miles of rivers and mountains; a vast territory (idiom) -万里无云,wàn lǐ wú yún,cloudless -万里迢迢,wàn lǐ tiáo tiáo,(adverbial phrase used with verbs such as 歸|归[gui1] or 赴[fu4] etc) traveling a great distance -万里乡,wàn lǐ xiāng,"Wanli township in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -万里长城,wàn lǐ cháng chéng,the Great Wall -万里长江,wàn lǐ cháng jiāng,Changjiang River; Yangtze River -万金油,wàn jīn yóu,"Tiger Balm, an ointment applied topically to treat all manner of aches and pains; (fig.) (coll.) jack of all trades" -万隆,wàn lóng,Bandung (city in Indonesia) -万难,wàn nán,countless difficulties; extremely difficult; against all odds -万灵丹,wàn líng dān,panacea; cure-all -万灵节,wàn líng jié,All Saints' Day (Christian festival on 2nd November) -万顷,wàn qǐng,large landholding; vast space -万头钻动,wàn tóu zuān dòng,milling crowds -万马奔腾,wàn mǎ bēn téng,lit. (like) ten thousand horses galloping (idiom); fig. going full steam ahead -万马齐喑,wàn mǎ qí yīn,"thousands of horses, all mute (idiom); no-one dares to speak out; an atmosphere of political oppression" -万齐融,wàn qí róng,"Wan Qirong (active c. 711), Tang dynasty poet" -萱,xuān,orange day-lily (Hemerocallis flava) -萱堂,xuān táng,mother (honorific designation) -萱草,xuān cǎo,Hemerocallis fulva; daylily -萱,xuān,old variant of 萱[xuan1] -莴,wō,used in 萵苣|莴苣[wo1ju4]; used in 萵筍|莴笋[wo1sun3] -莴笋,wō sǔn,Chinese lettuce; celtuce; asparagus lettuce; celery lettuce; stem lettuce -莴苣,wō jù,lettuce (Lactuca sativa) -萸,yú,cornelian cherry -萼,è,calyx of a flower -落,là,to leave out; to be missing; to leave behind or forget to bring; to lag or fall behind -落,lào,colloquial reading for 落[luo4] in certain compounds -落,luò,to fall or drop; (of the sun) to set; (of a tide) to go out; to lower; to decline or sink; to lag or fall behind; to fall onto; to rest with; to get or receive; to write down; whereabouts; settlement -落下,luò xià,to fall; to drop; to land (of projectile) -落井下石,luò jǐng xià shí,to throw stones at sb who has fallen down a well (idiom); to hit a person when he's down -落伍,luò wǔ,to fall behind the ranks; to be outdated -落俗,luò sú,to show poor taste -落价,lào jià,(coll.) to fall or drop in price; to go down in price -落入,luò rù,to fall into -落入法网,luò rù fǎ wǎng,to fall into the net of justice (idiom); finally arrested -落单,luò dān,to be on one's own; to be left alone; to be left out -落土,luò tǔ,(of seeds etc) to fall to the ground; (of the sun or moon) to set -落地,luò dì,to fall to the ground; to be set on the ground; to reach to the ground; to be born; (of a plane) to land -落地灯,luò dì dēng,floor lamp -落地生根,luò dì shēng gēn,air plant (Bryophyllum pinnatum); to put down roots -落地窗,luò dì chuāng,floor-to-ceiling window; French window -落地签,luò dì qiān,landing visa; visa on arrival -落地鼓,luò dì gǔ,floor tom (drum kit component) -落坐,luò zuò,to sit down -落埋怨,lào mán yuàn,to get blamed -落基山,luò jī shān,Rocky Mountains in West US and Canada -落尘,luò chén,"dust fall; fallout (volcanic, nuclear etc); particulate matter" -落子,lào zi,see 蓮花落|莲花落[lian2 hua1 lao4] -落寞,luò mò,lonely; desolate -落实,luò shí,practical; workable; to implement; to carry out; to decide -落差,luò chā,"drop in elevation; (fig.) gap (in wages, expectations etc); disparity" -落幕,luò mù,the curtain drops; the end of the show -落座,luò zuò,to sit down; to take a seat -落后,luò hòu,to fall behind; to lag (in technology etc); backward; to retrogress -落得,luò de,ending up as; leading to; resulting in; in total -落成,luò chéng,to complete a construction project -落户,luò hù,to settle; to set up home -落托,luò tuō,down and out; in dire straits; unrestrained; unconventional -落拓,luò tuò,down and out; in dire straits; unrestrained; unconventional -落败,luò bài,to suffer a defeat; to fail; to fall behind -落于下风,luò yú xià fēng,to be at a disadvantage -落日,luò rì,setting sun -落枕,lào zhěn,to have a stiff neck after sleeping; (of the head) to touch the pillow -落栈,lào zhàn,see 落棧|落栈[luo4 zhan4] -落栈,luò zhàn,to make a rest stop at a hotel; to put sth into storage -落榜,luò bǎng,to fail the imperial exams; to flunk -落款,luò kuǎn,"inscription with name, date, or short sentence, on a painting, gift, letter etc; to write such an inscription" -落水,luò shuǐ,to fall into water; to sink; overboard; fig. to degenerate; to sink (into depravity); to go to the dogs -落水狗上岸,luò shuǐ gǒu shàng àn,like a dog who fell in the river and climbs out—shaking all over -落水管,luò shuǐ guǎn,drainpipe; water spout -落汗,lào hàn,"to stop sweating; (mahjong and card games) to mark the tiles or cards with one's sweat, fragrance etc" -落泊,luò bó,down and out; in dire straits; unrestrained; unconventional -落泪,luò lèi,to shed tears; to weep -落汤鸡,luò tāng jī,a person who looks drenched and bedraggled; like a drowned rat; deep distress -落漆,luò qī,see 掉漆[diao4 qi1] -落漠,luò mò,variant of 落寞[luo4 mo4] -落潮,luò cháo,(of a tide) to ebb or go out -落炕,lào kàng,to be laid up in bed with illness -落石,luò shí,falling stone -落空,là kòng,to omit; to neglect (to do sth); to miss a chance; to let an opportunity slip by -落空,lào kōng,to fail to achieve something; to be fruitless -落空,luò kōng,to fail; to fall through; to come to nothing -落第,luò dì,to fail an exam -落笔,luò bǐ,to put pen to paper; to start to write or draw -落籍,luò jí,to settle in (a place); to take up permanent residence; (literary) to strike sb's name from a register -落网,luò wǎng,"(of a bird, fish etc) to be caught in a net; (of a tennis ball) to hit the net; (of a criminal) to be captured" -落腮胡子,luò sāi hú zi,variant of 絡腮鬍子|络腮胡子[luo4 sai1 hu2 zi5] -落脚,luò jiǎo,to stay for a time; to stop over; to lodge; to sink down (into soft ground); leftovers -落色,lào shǎi,to fade; to discolor; also pr. [luo4 se4] -落花流水,luò huā liú shuǐ,to be in a sorry state; to be utterly defeated -落花生,luò huā shēng,peanut (the plant) -落草为寇,luò cǎo wéi kòu,to take to the woods to become an outlaw (idiom) -落荒而逃,luò huāng ér táo,to flee in defeat; to bolt -落莫,luò mò,variant of 落寞[luo4 mo4] -落落大方,luò luò dà fāng,"(of one's conduct, speech etc) natural and unrestrained" -落落寡交,luò luò guǎ jiāo,aloof and as a result friendless (idiom) -落落寡合,luò luò guǎ hé,aloof; standoffish; unsociable -落落寡欢,luò luò guǎ huān,melancholy; unhappy -落落难合,luò luò nán hé,a loner; someone who does not easily get along with others -落叶,luò yè,dead leaves; to lose leaves (of plants); deciduous -落叶剂,luò yè jì,defoliant -落叶乔木,luò yè qiáo mù,deciduous tree -落叶层,luò yè céng,leaf litter -落叶松,luò yè sōng,larch tree (Pinus larix); deciduous pine tree -落叶植物,luò yè zhí wù,deciduous plant; deciduous vegetation -落叶归根,luò yè guī gēn,"Getting Home, 2007 PRC comedy-drama film directed by 張揚|张扬[Zhang1 Yang2], starring 趙本山|赵本山[Zhao4 Ben3 shan1]" -落叶归根,luò yè guī gēn,"lit. a falling leaf returns to the roots (idiom); fig. all things go back to their source eventually; in old age, an expatriate returns home" -落葬,luò zàng,to bury the dead -落跑,luò pǎo,to run away; to escape -落选,luò xuǎn,to fail to be chosen (or elected); to lose an election -落难,luò nàn,to meet with misfortune; to fall into dire straits -落雨,luò yǔ,(dialect) to rain -落雷,luò léi,lightning bolt; lightning strike -落马,luò mǎ,(lit.) to fall from a horse; (fig.) to suffer a setback; to come a cropper; to be sacked (e.g. for corruption) -落马洲,luò mǎ zhōu,Lok Ma Chau (place in Hong Kong) -落魄,luò pò,down and out; in dire straits; unrestrained; unconventional; also pr. [luo4 tuo4] -葄,zuò,straw cushion; pillow -葆,bǎo,dense foliage; to cover -叶,yè,surname Ye -叶,yè,leaf; page; lobe; (historical) period; classifier for small boats -叶伟文,yè wěi wén,alias of 葉偉民|叶伟民[Ye4 Wei3 min2] -叶伟民,yè wěi mín,"Raymond YIP Wai-Man, Hong Kong film director (debut as director: 1994)" -叶克膜,yè kè mó,(loanword) ECMO; extracorporeal membrane oxygenation -叶公好龙,yè gōng hào lóng,lit. Lord Ye's passion for dragons (idiom); fig. to pretend to be fond of sth while actually fearing it; ostensible fondness of sth one really fears -叶利钦,yè lì qīn,Yeltsin (name); Boris Yeltsin (1931-2007) first post-communist president of Russia 1991-1999 -叶卡捷琳堡,yè kǎ jié lín bǎo,"Yekaterinburg (Russian city, also known as Ekaterinburg or Sverdlovsk)" -叶卡捷琳娜,yè kǎ jié lín nà,"Yekaterina or Ekaterina (name); Catherine the Great or Catherine the Second (1684-1727), Empress of Russia" -叶卡特琳娜堡,yè kǎ tè lín nà bǎo,"Ekaterinburg or Yekaterinburg (formerly Sverdlovsk), Russian town in the Ural mountains" -叶口蝠科,yè kǒu fú kē,(zoology) New World leaf-nosed bats (Phyllostomidae) -叶问,yè wèn,"Yip Man (1893-1972), martial arts practitioner, master of Bruce Lee" -叶城,yè chéng,"Qaghiliq nahiyisi (Kargilik county) in Kashgar prefecture 喀什地區|喀什地区[Ka1 shi2 di4 qu1], west Xinjiang" -叶城县,yè chéng xiàn,"Qaghiliq nahiyisi (Kargilik county) in Kashgar prefecture 喀什地區|喀什地区[Ka1 shi2 di4 qu1], west Xinjiang" -叶子,yè zi,leaf (CL:片[pian4]); (slang) marijuana -叶子列,yè zi liè,leaf arrangement; phyllotaxy (botany) -叶子板,yè zi bǎn,(Tw) fender (automotive) -叶序,yè xù,leaf arrangement; phyllotaxy (botany) -叶挺,yè tǐng,"Ye Ting (1896-1946), communist military leader" -叶枕,yè zhěn,(botany) pulvinus -叶柄,yè bǐng,petiole; leafstalk -叶永烈,yè yǒng liè,"Ye Yonglie (1940-), popular science writer" -叶江川,yè jiāng chuān,Ye Jiangchuan -叶尔羌河,yè ěr qiāng hé,Yarkant River in Xinjiang -叶片,yè piàn,blade (of propellor); vane; leaf -叶片状,yè piàn zhuàng,foliated; striated into thin leaves -叶瑟,yè sè,Jesse (name) -叶礼庭,yè lǐ tíng,"Michael Grant Ignatieff (1947-), leader of the Liberal Party of Canada" -叶绿素,yè lǜ sù,chlorophyll -叶绿体,yè lǜ tǐ,chloroplast -叶县,yè xiàn,"Ye county in Pingdingshan 平頂山|平顶山[Ping2 ding3 shan1], Henan" -叶圣陶,yè shèng táo,"Ye Shengtao (1894-1988), writer and editor, known esp. for children's books" -叶脉,yè mài,venation (pattern of veins on a leaf) -叶脉序,yè mài xù,"leaf venation (botany); the pattern of veins on a leaf, characteristic of each species" -叶苔,yè tái,liverwort (Jungermannia lanceolata) -叶落归根,yè luò guī gēn,"a falling leaf returns to the roots (idiom); everything has its ancestral home; In old age, an expatriate longs to return home." -叶轮,yè lún,turbine wheel -叶轮机械,yè lún jī xiè,turbomachine -叶选平,yè xuǎn píng,"Ye Xuanping (1924-2019), former Governor of Guangdong 廣東|广东[Guang3 dong1]" -叶酸,yè suān,folic acid -叶里温,yè lǐ wēn,"Yerevan, capital of Armenia (Tw)" -叶门,yè mén,Yemen (Tw) -叶集区,yè jí qū,"Yeji, a district of Lu'an City 六安市[Lu4an1 Shi4], Anhui" -叶鞘,yè qiào,(botany) leaf sheath -叶黄素,yè huáng sù,lutein (biochemistry) -叶鼻蝠,yè bí fú,leaf-nosed bat -葑,fēng,turnip -荭,hóng,used in 葒草|荭草[hong2 cao3] -荭草,hóng cǎo,(botany) Persicaria orientalis -着,zhāo,(chess) move; trick; all right!; (dialect) to add -着,zháo,to touch; to come in contact with; to feel; to be affected by; to catch fire; to burn; (coll.) to fall asleep; (after a verb) hitting the mark; succeeding in -着,zhe,aspect particle indicating action in progress or ongoing state -着,zhuó,to wear (clothes); to contact; to use; to apply -著,zhù,to make known; to show; to prove; to write; book; outstanding -着三不着两,zháo sān bù zháo liǎng,scatter-brained; thoughtless -著作,zhù zuò,to write; literary work; book; article; writings; CL:部[bu4] -著作权,zhù zuò quán,copyright -着力,zhuó lì,to put effort into sth; to try really hard -着劲,zhuó jìn,to put effort into sth; to try really hard -着劲儿,zhuó jìn er,to put effort into sth; to try really hard -著名,zhù míng,famous; noted; well-known; celebrated -着呢,zhe ne,comes at the end of the sentence to indicate a strong degree; quite; rather -着地,zháo dì,to land; to touch the ground; also pr. [zhuo2 di4] -着墨,zhuó mò,"to describe (in writing, applying ink)" -着实,zhuó shí,truly; indeed; severely; harshly -着床,zhuó chuáng,to lie down on a bed; (physiology) implantation (attachment of a blastocyst to the lining of the uterus); (of an oyster larva) to attach to a substrate; (fig.) to take root; to become established -着忙,zháo máng,to rush; in a hurry; to worry about being late -着急,zháo jí,to worry; to feel anxious; to feel a sense of urgency; to be in a hurry; Taiwan pr. [zhao1ji2] -着恼,zhuó nǎo,to be enraged -着想,zhuó xiǎng,to give thought (to others); to consider (other people's needs); also pr. [zhao2 xiang3] -着意,zhuó yì,to act with diligent care -着慌,zháo huāng,alarmed; panicking -着手,zhuó shǒu,to put one's hand to it; to start out on a task; to set out -着手成春,zhuó shǒu chéng chūn,"lit. set out and it becomes spring (idiom); to effect a miracle cure (of medical operation); to bring back the dead; once it starts, everything goes well" -着数,zhāo shù,"move (in chess, on stage, in martial arts); gambit; trick; scheme; movement; same as 招數|招数[zhao1 shu4]" -著书,zhù shū,to write a book -著书立说,zhù shū lì shuō,to write a book advancing one's theory (idiom) -着棋,zhuó qí,to play chess -着法,zhāo fǎ,move (in chess or martial arts) -着凉,zháo liáng,to catch cold; Taiwan pr. [zhao1 liang2] -着火,zháo huǒ,to catch fire -着火点,zháo huǒ diǎn,ignition point (temperature); combustion point -着然,zhuó rán,really; indeed -着眼,zhuó yǎn,to have one's eyes on (a goal); having sth in mind; to concentrate -着眼点,zhuó yǎn diǎn,place of interest; a place one has one's eye on -著称,zhù chēng,to be widely known as -著称于世,zhù chēng yú shì,world-renowned -着笔,zhuó bǐ,to put pen to paper -着紧,zháo jǐn,urgent; in a great hurry; in intimate relationship with sb -着色,zhuó sè,to paint; to apply color -着花,zháo huā,to blossom; to come to flower; to be in bloom -着花,zhuó huā,to blossom; see 著花|着花[zhao2 hua1] -着落,zhuó luò,whereabouts; place to settle; reliable source (of funds etc); (of responsibility for a matter) to rest with sb; settlement; solution -着着失败,zhuó zhuó shī bài,to fail at every step of the way (idiom) -着处,zhuó chù,everywhere -着衣,zhuó yī,to get dressed -着装,zhuó zhuāng,to dress; dress; clothes; outfit -著述,zhù shù,writing; to write; to compile -着迷,zháo mí,to be fascinated; to be captivated -着道儿,zháo dào er,to be fooled; to be taken in (by a ruse) -着边,zháo biān,relevant; to the point; has sth to do with the matter (also used with negative) -着边儿,zháo biān er,erhua variant of 著邊|着边[zhao2 bian1] -着重,zhuó zhòng,to put emphasis on; to stress -着重号,zhuó zhòng hào,"Chinese underdot (punct. used for emphasis, sim. to Western italics)" -著录,zhù lù,to record; to put down in writing -着陆,zhuó lù,landing; touchdown; to land; to touch down -着陆场,zhuó lù chǎng,landing site -着陆点,zhuó lù diǎn,landing site -着魔,zháo mó,obsessed; bewitched; enchanted; as if possessed -葙,xiāng,"see 青葙, feather cockscomb (Celosia argentea)" -葚,shèn,fruit of mulberry; also pr. [ren4] -葛,gě,surname Ge -葛,gé,kudzu (Pueraria lobata); hemp cloth -葛优,gě yōu,"Ge You (1957-), Chinese actor" -葛优躺,gě yōu tǎng,see 北京癱|北京瘫[Bei3 jing1 tan1] -葛巾,gé jīn,hemp headcloth -葛布,gé bù,hemp cloth -葛摩,gě mó,Comoros (Tw) -葛根,gé gēn,"tuber of the kudzu vine (Pueraria lobata), used in Chinese medicine" -葛法翁,gě fǎ wēng,Capernaum (biblical town on the Sea of Galilee) -葛洪,gě hóng,"Ge Hong (283-363), Jin dynasty Daoist and alchemist, author of 抱朴子[Bao4pu3zi3]" -葛洲坝,gé zhōu bà,"name of a place, Gezhouba Dam on the Changjiang River, in Sichuan" -葛瑞格尔,gě ruì gé ěr,Gregoire (name) -葛粉,gé fěn,starch of pueraria root; arrowroot flour -葛缕子,gě lǚ zi,caraway; Persian cumin (Carum carvi) -葛莱美奖,gě lái měi jiǎng,Grammy Award (US prize for music recording); also written 格萊美獎|格莱美奖 -葛藤,gé téng,tangle of vines; fig. complications -葛兰素史克,gě lán sù shǐ kè,"GlaxoSmithKline, British pharmaceutical company" -葛逻禄,gě luó lù,"Qarluq or Karluk nomadic tribe, a Turkic ethnic minority in ancient times" -参,shēn,variant of 參|参[shen1] -葡,pú,Portugal; Portuguese; abbr. for 葡萄牙[Pu2 tao2 ya2] -葡,pú,used in 葡萄[pu2 tao5] -葡式,pú shì,Portuguese-style -葡挞,pú tà,custard tart -葡糖,pú táng,glucose C6H12O6; abbr. for 葡萄糖 -葡糖胺,pú táng àn,glucosamine; abbr. for 葡萄糖胺 -葡萄,pú tao,grape -葡萄干,pú tao gān,raisin; dried grape -葡萄干儿,pú tao gān er,raisin -葡萄园,pú táo yuán,vineyard -葡萄弹,pú tao dàn,grapeshot -葡萄柚,pú táo yòu,grapefruit -葡萄树,pú tao shù,grapevine -葡萄汁,pú táo zhī,grape juice -葡萄牙,pú táo yá,Portugal -葡萄牙人,pú táo yá rén,Portuguese (person) -葡萄牙文,pú táo yá wén,Portuguese (language) -葡萄牙语,pú táo yá yǔ,Portuguese (language) -葡萄球菌,pú tao qiú jūn,staphylococcus -葡萄球菌肠毒素,pú táo qiú jūn cháng dú sù,staphylococcal enterotoxin -葡萄糖,pú tao táng,glucose C6H12O6 -葡萄糖胺,pú tao táng àn,glucosamine (C6H13NO5); also written 氨基葡萄糖 -葡萄紫,pú tao zǐ,grayish purple color -葡萄胸鸭,pú táo xiōng yā,(bird species of China) American wigeon (Anas americana) -葡萄藤,pú tao téng,grapevine (botany) -葡萄语,pú táo yǔ,Portuguese (language) -葡萄酒,pú tao jiǔ,(grape) wine -董,dǒng,surname Dong -董,dǒng,to supervise; to direct; director -董事,dǒng shì,board member -董事会,dǒng shì huì,board of directors -董事长,dǒng shì zhǎng,chairman of the board of directors -董仲舒,dǒng zhòng shū,"Dong Zhongshu (179-104 BC), philosopher influential in establishing Confucianism as the established system of values of former Han dynasty" -董卓,dǒng zhuó,"Dong Zhuo (-192), top general of late Han, usurped power in 189, murdered empress dowager and child emperor, killed in 192 by Lü Bu 呂布|吕布" -董奉,dǒng fèng,"Dong Feng, doctor during Three Kingdoms period, famous for refusing fees and requesting that his patients plant apricot trees instead" -董座,dǒng zuò,(Tw) chairman (of a board of directors) -董建华,dǒng jiàn huá,"Tung Chee-hwa (1937-), Hong Kong entrepreneur and politician, chief executive 1997-2005" -董必武,dǒng bì wǔ,"Dong Biwu (1886-1975), one of the founders of the Chinese communist party" -董阳孜,dǒng yáng zī,"Grace Tong (Tong Yangtze) (1942-), Taiwanese calligrapher" -董鸡,dǒng jī,(bird species of China) watercock (Gallicrex cinerea) -荮,zhòu,"(dialect) to wrap with straw; classifier for a bundle (of bowls, dishes etc) tied with straw" -苇,wěi,reed; rush; Phragmites communis -苇席,wěi xí,reed mat -苇箔,wěi bó,reed matting; reed screen -葩,pā,corolla of flower -葫,hú,used in 葫蘆|葫芦[hu2lu5] -葫芦,hú lu,calabash or bottle gourd (Lagenaria siceraria); hoist; generic term for block and tackle (or parts thereof); muddled; (poker) full house -葫芦岛,hú lú dǎo,Huludao prefecture-level city in Liaoning province 遼寧省|辽宁省[Liao2 ning2 Sheng3] in northeast China -葫芦岛市,hú lú dǎo shì,Huludao prefecture-level city in Liaoning province 遼寧省|辽宁省[Liao2 ning2 Sheng3] in northeast China -葫芦巴,hú lú bā,fenugreek -葫芦丝,hú lú sī,"hulusi, aka cucurbit flute (a kind of free reed wind instrument)" -葫芦里卖的是什么药,hú lu lǐ mài de shì shén me yào,what has (he) got up (his) sleeve?; what's going on? -葬,zàng,to bury (the dead); to inter -葬仪,zàng yí,funeral; obsequies -葬埋,zàng mái,to bury -葬式,zàng shì,funeral -葬玉埋香,zàng yù mái xiāng,lit. burying jade and interring incense (idiom); funeral for a beautiful person -葬礼,zàng lǐ,burial; funeral -葬身,zàng shēn,"to bury a corpse; to be buried; (fig.) to die (at sea, in a fire etc)" -葬身鱼腹,zàng shēn yú fù,lit. to be buried in the bellies of fish (idiom); fig. to drown -葬送,zàng sòng,to hold a funeral procession and burial; to give sb a final send-off; (fig.) to ruin (one's future prospects etc) -葭,jiā,reed; Phragmites communis -药,yào,leaf of the iris; variant of 藥|药[yao4] -葳,wēi,luxuriant -葳蕤,wēi ruí,lush (vegetation); lethargic -葵,kuí,used in the names of various herbaceous plants -葵扇,kuí shàn,palm-leaf fan -葵涌,kuí chōng,Kwai Chung (area in Hong Kong); Kwai Cheong -葵花,kuí huā,sunflower -葵花子,kuí huā zǐ,sunflower seeds -葵青,kuí qīng,"Kwai Tsing district of New Territories, Hong Kong" -葵鼠,kuí shǔ,guinea pig -葶,tíng,Draba nemerosa bebe carpa -荤,hūn,"strong-smelling vegetable (garlic etc); non-vegetarian food (meat, fish etc); vulgar; obscene" -荤,xūn,used in 葷粥|荤粥[Xun1yu4] -荤油,hūn yóu,lard; animal fat -荤笑话,hūn xiào hua,dirty jokes; jokes of a visceral nature -荤粥,xūn yù,"Xunyu, an ethnic group of northern China in ancient times" -荤素,hūn sù,meat and vegetable -荤腥,hūn xīng,meat and fish -荤菜,hūn cài,"non-vegetarian dish (including meat, fish, garlic, onion etc)" -荤话,hūn huà,obscene speech; crude language -荤辛,hūn xīn,very pungent and spicy vegetable dishes (a common Buddhist term) -葸,xǐ,feel insecure; unhappy -葺,qì,to repair -蒂,dì,stem (of fruit) -蒂森克虏伯,dì sēn kè lǔ bó,ThyssenKrupp -蒂芙尼,dì fú ní,Tiffany & Co. (US luxury jewelry retailer) -蒎,pài,pinane -蒐,sōu,"madder (Rubia cordifolia); to hunt, esp. in spring; to gather; to collect" -蒐寻,sōu xún,to look for; to search for -蒐证,sōu zhèng,see 搜證|搜证[sou1 zheng4] -蒐集,sōu jí,to gather; to collect -莼,chún,edible water plant; Brasenia schreberi -莼菜,chún cài,Brasenia schreberi -莳,shí,used in 蒔蘿|莳萝[shi2 luo2] -莳,shì,(literary) to grow; (literary) to transplant; Taiwan pr. [shi2] -莳萝,shí luó,"dill (herb, Anethum graveolens)" -莳萝籽,shí luó zǐ,dill seed -蒗,làng,(herb); place name -蒙,méng,surname Meng -蒙,měng,Mongol ethnic group; abbr. for Mongolia 蒙古國|蒙古国[Meng3 gu3 guo2]; Taiwan pr. [Meng2] -蒙,mēng,(knocked) unconscious; dazed; stunned -蒙,méng,to cover; ignorant; to suffer (misfortune); to receive (a favor); to cheat -蒙代尔,méng dài ěr,"Walter Mondale (1928-), US democratic politician, US vice-president 1977-1981 and ambassador to Japan 1993-1996" -蒙兀国,měng wù guó,"Khamag Mongol, a 12th century Mongolic tribal confederation" -蒙冤,méng yuān,to be wronged; to be subjected to an injustice -蒙受,méng shòu,to suffer; to sustain (loss) -蒙古,měng gǔ,Mongolia -蒙古人,měng gǔ rén,Mongol -蒙古人民共和国,měng gǔ rén mín gòng hé guó,People's Republic of Mongolia (from 1924) -蒙古包,měng gǔ bāo,yurt -蒙古国,měng gǔ guó,Mongolia -蒙古大夫,měng gǔ dài fu,(coll.) quack (doctor); charlatan -蒙古族,měng gǔ zú,Mongol ethnic group of north China and Inner Mongolia -蒙古沙雀,méng gǔ shā què,(bird species of China) Mongolian finch (Bucanetes mongolicus) -蒙古沙鸻,měng gǔ shā héng,(bird species of China) lesser sand plover (Charadrius mongolus) -蒙古百灵,méng gǔ bǎi líng,(bird species of China) Mongolian lark (Melanocorypha mongolica) -蒙古语,měng gǔ yǔ,Mongolian language -蒙古里,měng gǔ lǐ,(archaic) Mongol -蒙召,méng zhào,to be called by God -蒙哄,méng hǒng,to deceive; to cheat -蒙哥马利,méng gē mǎ lì,"Bernard Montgomery (Montie) (1887-1976), Second World War British field marshal; Montgomery or Montgomerie (surname)" -蒙嘉慧,měng jiā huì,"Yoyo Mung (1975-), Hong Kong actress" -蒙圈,mēng quān,(Internet slang) dazed; confused -蒙在鼓里,méng zài gǔ lǐ,lit. kept inside a drum (idiom); fig. completely in the dark -蒙地卡罗,méng dì kǎ luó,Monte-Carlo (Monaco) (Tw) -蒙城,méng chéng,"Mengcheng, a county in Bozhou 亳州[Bo2zhou1], Anhui" -蒙城县,méng chéng xiàn,"Mengcheng, a county in Bozhou 亳州[Bo2zhou1], Anhui" -蒙塾,méng shú,primary school -蒙大拿,méng dà ná,"Montana, US state" -蒙大拿州,méng dà ná zhōu,"Montana, US state" -蒙太奇,méng tài qí,montage (film) (loanword) -蒙娜丽莎,méng nà lì shā,Mona Lisa -蒙山,méng shān,"Mengshan county in Wuzhou 梧州[Wu2 zhou1], Guangxi" -蒙山县,méng shān xiàn,"Mengshan county in Wuzhou 梧州[Wu2 zhou1], Guangxi" -蒙巴萨,méng bā sà,Mombasa (city in Kenya) -蒙巴顿,méng bā dùn,"Mountbatten (name, Anglicization of German Battenberg); Lord Louis Mountbatten, 1st Earl Mountbatten of Burma (1900-1979), British commander in Southeast Asia during WWII, presided over the partition of India in 1947, murdered by the IRA." -蒙帕纳斯,měng pà nà sī,"Montparnasse (southeast Paris, 14ème arrondissement)" -蒙师,méng shī,primary school teacher -蒙彼利埃,méng bǐ lì āi,Montpellier (French town) -蒙得维的亚,méng dé wéi dì yà,"Montevideo, capital of Uruguay" -蒙恩,méng ēn,to receive favor -蒙恬,méng tián,"Qin general Meng Tian (-210 BC), involved in 215 BC in fighting the Northern Xiongnu 匈奴 and building the great wall" -蒙托罗拉,méng tuō luó lā,Motorola -蒙文,měng wén,Mongolian language -蒙日,méng rì,"Gaspard Monge (1746-1818), French mathematician" -蒙昧,méng mèi,uncultured; uncivilized; God-forsaken; ignorant; illiterate -蒙昧无知,méng mèi wú zhī,benighted (idiom); ignorant -蒙求,méng qiú,(traditional title of first readers); primary education; teaching the ignorant; light to the barbarian -蒙牛,měng niú,China Mengniu Dairy Company Limited -蒙特内哥罗,méng tè nèi gē luó,Montenegro (Tw) -蒙特利尔,méng tè lì ěr,"Montreal, city in Quebec, Canada" -蒙特卡洛,méng tè kǎ luò,Monte-Carlo (Monaco) -蒙特卡洛法,méng tè kǎ luò fǎ,Monte Carlo method (math.) -蒙特卡罗方法,méng tè kǎ luó fāng fǎ,Monte Carlo method (math.) -蒙特塞拉特,méng tè sāi lā tè,Montserrat -蒙特娄,méng tè lóu,"Montreal, city in Quebec, Canada (Tw)" -蒙特维多,méng tè wéi duō,"Montevideo, capital of Uruguay (Tw)" -蒙特雷,méng tè léi,Monterey -蒙皮,méng pí,skin; covering -蒙罗维亚,méng luó wéi yà,"Monrovia, capital of Liberia" -蒙羞,méng xiū,to be shamed; to be humiliated -蒙自,méng zì,"Mengzi county in Honghe Hani and Yi autonomous prefecture, Yunnan" -蒙自县,méng zì xiàn,"Mengzi county in Honghe Hani and Yi autonomous prefecture, Yunnan" -蒙茸,méng róng,jumbled; fluffy -蒙蒙,méng méng,drizzle (of rain or snow) -蒙蔽,méng bì,to deceive; to hoodwink -蒙药,méng yào,anesthetic; narcotic; knockout drops -蒙药,měng yào,traditional Mongolian medicine (or drug) -蒙茏,méng lóng,dense (of foliage) -蒙覆,méng fù,to cover -蒙阴,méng yīn,"Mengyin county in Linyi 臨沂|临沂[Lin2 yi2], Shandong" -蒙阴县,méng yīn xiàn,"Mengyin county in Linyi 臨沂|临沂[Lin2 yi2], Shandong" -蒙难,méng nàn,to meet with disaster; killed; in the clutches of the enemy; to fall foul of; in danger -蒙面,méng miàn,to cover one's face; to wear a mask; brazen; shameless -蒙馆,méng guǎn,primary school -蒙骗,mēng piàn,variant of 矇騙|蒙骗[meng1 pian4] -蒜,suàn,"garlic; CL:頭|头[tou2],瓣[ban4]" -蒜味,suàn wèi,garlic odor -蒜瓣,suàn bàn,garlic clove -蒜苔,suàn tái,see 蒜薹[suan4 tai2] -蒜苗,suàn miáo,garlic shoot; garlic sprouts -蒜苗炒肉片,suàn miáo chǎo ròu piàn,stir-fried pork with garlic -蒜茸,suàn róng,crushed garlic; also written 蒜蓉[suan4 rong2] -蒜茸钳,suàn róng qián,garlic press -蒜蓉,suàn róng,minced garlic; garlic paste -蒜薹,suàn tái,garlic shoots (cookery) -莅,lì,to attend (an official function); to be present; to administer; to approach (esp. as administrator) -莅事者,lì shì zhě,an official; person holding post; local functionary -莅任,lì rèn,to attend; to take office; to be present (in administrative capacity) -莅会,lì huì,to be present at a meeting -莅止,lì zhǐ,to approach; to come close -莅临,lì lín,to arrive (esp. of notable person); to visit (more formal than 光臨|光临[guang1 lin2]) -莅临指导,lì lín zhǐ dǎo,(of a notable person etc) to honor with one's presence and offer guidance (idiom) -蒟,jǔ,betel -蒟蒻,jǔ ruò,"konjac, konnyaku or devil's tongue (Amorphophallus konjac), plant whose corms are used to make a stiff jelly (as a food)" -蒡,bàng,Arctium lappa; great burdock -蒦,huò,(archaic) to measure -蒭,chú,old variant of 芻|刍[chu2] -蒭藁增二,chú gǎo zēng èr,"same as 米拉, Mira (red giant star, Omicron Ceti), variable star with period of 330 days" -蒯,kuǎi,a rush; scirpus cyperinus -蒲,pú,surname Pu; old place name -蒲,pú,refers to various monocotyledonous flowering plants including Acorus calamus and Typha orientalis; common cattail; bullrush -蒲公英,pú gōng yīng,dandelion (Taraxacum mongolicum) -蒲剧,pú jù,Puzhou opera of Shanxi Province -蒲包,pú bāo,cattail bag; (old) gift of fruit or pastries (traditionally presented in a cattail bag) -蒲团,pú tuán,"praying mat (Buddhism, made of woven cattail)" -蒲圻,pú qí,"Puqi, old name for Chibi, county-level city 赤壁市[Chi4 bi4 shi4], Xianning 咸寧市|咸宁市[Xian2 ning2 shi4], Hubei" -蒲圻市,pú qí shì,"Puqi, old name for Chibi, county-level city 赤壁市[Chi4 bi4 shi4], Xianning 咸寧市|咸宁市[Xian2 ning2 shi4], Hubei" -蒲城,pú chéng,"Pucheng County in Weinan 渭南[Wei4 nan2], Shaanxi" -蒲城县,pú chéng xiàn,"Pucheng County in Weinan 渭南[Wei4 nan2], Shaanxi" -蒲式耳,pú shì ěr,bushel (eight gallons) -蒲扇,pú shàn,palm-leaf fan; cattail-leaf fan -蒲松龄,pú sōng líng,"Pu Songling (1640-1715), author of 聊齋志異|聊斋志异[Liao2 zhai1 Zhi4 yi4]" -蒲棒,pú bàng,spike or male flower of cattail (Typha orientalis) -蒲江,pú jiāng,"Pujiang county in Chengdu 成都[Cheng2 du1], Sichuan" -蒲江县,pú jiāng xiàn,"Pujiang county in Chengdu 成都[Cheng2 du1], Sichuan" -蒲瓜,pú guā,white flowered gourd or calabash (family Crescentia) -蒲甘,pú gān,"Bagan (Pagan), ancient capital of Myanmar (Burma)" -蒲甘王朝,pú gān wáng cháo,"Bagan (Pagan) Dynasty of Myanmar (Burma), 1044-1287" -蒲福风级,pú fú fēng jí,Beaufort scale for wind speed -蒲县,pú xiàn,"Pu county in Linfen 臨汾|临汾[Lin2 fen2], Shanxi" -蒲草箱,pú cǎo xiāng,rush basket -蒲菜,pú cài,edible rhizome of cattail 香蒲[xiang1 pu2] -蒲葵,pú kuí,Chinese fan palm (Livistona chinensis) -蒲鉾,pú móu,kamaboko (fish paste made from surimi) -蒲隆地,pú lóng dì,Burundi (Tw) -蒲鞋,pú xié,straw sandals -蒴,shuò,pod; capsule -蒴果,shuò guǒ,(botany) capsule -蒸,zhēng,to evaporate; (of cooking) to steam; torch made from hemp stalks or bamboo (old); finely chopped firewood (old) -蒸散,zhēng sàn,(plant) evapotranspiration -蒸气,zhēng qì,vapor; steam -蒸气重整,zhēng qì chóng zhěng,steam reforming (chemistry) -蒸汽,zhēng qì,steam -蒸汽压路机,zhēng qì yā lù jī,steamroller -蒸汽挂烫机,zhēng qì guà tàng jī,garment steamer -蒸汽机,zhēng qì jī,steam engine -蒸汽机车,zhēng qì jī chē,steam locomotive -蒸湘,zhēng xiāng,"Zhengxiang district of Hengyang city 衡陽市|衡阳市[Heng2 yang2 shi4], Hunan" -蒸湘区,zhēng xiāng qū,"Zhengxiang district of Hengyang city 衡陽市|衡阳市[Heng2 yang2 shi4], Hunan" -蒸发,zhēng fā,to evaporate; evaporation -蒸发热,zhēng fā rè,latent heat of evaporation -蒸发空调,zhēng fā kōng tiáo,evaporative air conditioner; evaporative cooler -蒸笼,zhēng lóng,steamer basket (e.g. for dim sum) -蒸粗麦粉,zhēng cū mài fěn,couscous -蒸糕,zhēng gāo,steamed cake -蒸蒸日上,zhēng zhēng rì shàng,becoming more prosperous with each passing day -蒸锅,zhēng guō,steamer -蒸饺,zhēng jiǎo,steamed dumpling -蒸馏,zhēng liú,to distill; distillation -蒸馏器,zhēng liú qì,still (i.e. distilling apparatus) -蒸馏水,zhēng liú shuǐ,distilled water -蒸馏酒,zhēng liú jiǔ,distilled liquor; spirits -蒸腾,zhēng téng,(of a vapor etc) to rise; to hang in the air -蒸腾作用,zhēng téng zuò yòng,transpiration -蒹,jiān,reed -蒹葭倚玉,jiān jiā yǐ yù,see 蒹葭倚玉樹|蒹葭倚玉树[jian1 jia1 yi3 yu4 shu4] -蒹葭倚玉树,jiān jiā yǐ yù shù,lit. reeds leaning on a jade tree (idiom); fig. the lowly associating with the noble; the weak seeking help from the strong -蒹葭玉树,jiān jiā yù shù,see 蒹葭倚玉樹|蒹葭倚玉树[jian1 jia1 yi3 yu4 shu4] -蒺,jí,Tribulus terrestris -蒺藜,jí li,(botany) caltrop; puncture vine (Tribulus terrestris); barbed object -蒻,ruò,"young rush (Typha japonica), a kind of cattail" -苍,cāng,surname Cang -苍,cāng,dark blue; deep green; ash-gray -苍劲,cāng jìng,(of a tree) old and strong; (of calligraphy or painting) bold; vigorous -苍南,cāng nán,"Cangnan county in Wenzhou 溫州|温州[Wen1 zhou1], Zhejiang" -苍南县,cāng nán xiàn,"Cangnan county in Wenzhou 溫州|温州[Wen1 zhou1], Zhejiang" -苍天,cāng tiān,firmament -苍惶,cāng huáng,variant of 倉皇|仓皇[cang1 huang2] -苍松翠柏,cāng sōng cuì bǎi,evergreen pine and cypress (idiom); steadfast nobility -苍梧,cāng wú,"Cangwu county in Wuzhou 梧州[Wu2 zhou1], Guangxi" -苍梧县,cāng wú xiàn,"Cangwu county in Wuzhou 梧州[Wu2 zhou1], Guangxi" -苍凉,cāng liáng,desolate; bleak -苍溪,cāng xī,"Cangxi county in Guangyuan 廣元|广元[Guang3 yuan2], Sichuan" -苍溪县,cāng xī xiàn,"Cangxi county in Guangyuan 廣元|广元[Guang3 yuan2], Sichuan" -苍狗,cāng gǒu,(fig.) the unpredictable changeability of the world; bad omen -苍生,cāng shēng,(area where) vegetation grows; the common people -苍生涂炭,cāng shēng tú tàn,the common people in a miserable state -苍白,cāng bái,pale; wan -苍白无力,cāng bái wú lì,pale and feeble; powerless -苍白色,cāng bái sè,pale; wan; sickly white -苍眉蝗莺,cāng méi huáng yīng,(bird species of China) Gray's grasshopper warbler (Locustella fasciolata) -苍穹,cāng qióng,the blue dome of heaven -苍翠,cāng cuì,verdant -苍老,cāng lǎo,old; aged; (of calligraphy or painting) vigorous; forceful -苍耳,cāng ěr,Siberian cocklebur (botany) -苍背山雀,cāng bèi shān què,(bird species of China) cinereous tit (Parus cinereus) -苍茫,cāng máng,boundless; vast; hazy (distant horizon) -苍莽,cāng mǎng,boundless -苍苍,cāng cāng,ash gray; vast and hazy; flourishing -苍蝇,cāng ying,housefly; CL:隻|只[zhi1] -苍蝇不叮无缝蛋,cāng ying bù dīng wú fèng dàn,lit. flies do not attack an intact egg (idiom); fig. no smoke without a fire -苍蝇座,cāng ying zuò,Musca (constellation) -苍蝇拍,cāng ying pāi,flyswatter -苍蝇老虎,cāng ying lǎo hǔ,"(coll.) jumping spider (which pounces on houseflies, hence the Chinese name)" -苍术,cāng zhú,black atractylodes rhizome (dried rhizome of any of several atractylodes species) (TCM) -苍头燕雀,cāng tóu yàn què,(bird species of China) common chaffinch (Fringilla coelebs) -苍郁,cāng yù,verdant and luxuriant -苍鹰,cāng yīng,(bird species of China) northern goshawk (Accipiter gentilis) -苍鹭,cāng lù,(bird species of China) grey heron (Ardea cinerea) -苍黄,cāng huáng,greenish yellow; sallow (pale or yellow complexion); variant of 倉皇|仓皇[cang1 huang2] -苍龙,cāng lóng,"Blue Dragon, other name of the Azure Dragon 青龍|青龙 (the seven mansions of the east sky)" -蒽,ēn,anthracene -蒽醌,ēn kūn,anthraquinone (chemistry) -蒿,hāo,celery wormwood (Artemisia carvifolia); to give off; to weed -荪,sūn,fragrant grass -蓁,zhēn,"abundant, luxuriant vegetation" -蓂,míng,lucky place -蓄,xù,to store up; to grow (e.g. a beard); to entertain (ideas) -蓄势待发,xù shì dài fā,"to wait for action after having accumulated power, energy etc" -蓄意,xù yì,deliberate; premeditated; malice -蓄水,xù shuǐ,water storage -蓄水池,xù shuǐ chí,water reservoir -蓄积,xù jī,to accumulate; to store up -蓄谋,xù móu,to premeditate; to plot -蓄电池,xù diàn chí,accumulator; battery -蓄养,xù yǎng,to raise (animals) -蓄须明志,xù xū míng zhì,to grow a beard as a symbol of one's determination (as Mei Lanfang 梅蘭芳|梅兰芳[Mei2 Lan2 fang1] growing a beard and refusing to perform for the Japanese) -席,xí,variant of 席[xi2]; woven mat -蓉,róng,short name for Chengdu 成都[Cheng2 du1] -蓉,róng,"paste made by mashing beans or seeds etc; used in 芙蓉[fu2 rong2], lotus" -蓉城,róng chéng,nickname for Chengdu 成都[Cheng2 du1] -蓊,wěng,luxuriant vegetation -蓊菜,wěng cài,see 蕹菜[weng4 cai4] -盖,gě,surname Ge -盖,gài,lid; top; cover; canopy; to cover; to conceal; to build -盖上,gài shang,to cover -盖世,gài shì,unrivalled; matchless -盖世太保,gài shì tài bǎo,Gestapo -盖亚那,gài yà nà,"Guyana, NE of South America (Tw)" -盖儿,gài er,cover; lid -盖印,gài yìn,to affix a seal; to stamp (a document) -盖台广告,gài tái guǎng gào,(Tw) slot advertisement; interstitial ad; splash ad -盖子,gài zi,cover; lid; shell -盖层,gài céng,cap rock -盖州,gài zhōu,"Gaizhou, county-level city in Yingkou 營口|营口, Liaoning" -盖州市,gài zhōu shì,"Gaizhou, county-level city in Yingkou 營口|营口, Liaoning" -盖帽,gài mào,block (basketball) -盖帽儿,gài mào er,to block a shot (basketball); (dialect) excellent; fantastic -盖度,gài dù,coverage (in botany) -盖房,gài fáng,to build a house -盖棺定论,gài guān dìng lùn,don't pass judgment on a person's life until the lid is on the coffin (idiom) -盖棺论定,gài guān lùn dìng,don't pass judgment on a person's life until the lid is on the coffin (idiom) -盖楼,gài lóu,to construct a building; (Internet slang) to reply to a thread -盖浇饭,gài jiāo fàn,rice with meat and vegetables -盖火锅,gài huǒ guō,to block a shot (basketball) -盖然性,gài rán xìng,probability -盖尔,gài ěr,Gaelic; Geier or Gayer (name) -盖尔语,gài ěr yǔ,Gaelic (language) -盖牌,gài pái,to fold (poker) -盖特纳,gài tè nà,"Geithner (name); Timothy Geithner (1961-), US banker, Treasury Secretary 2009-2013" -盖瓦,gài wǎ,"tiling (of roofs, floors, walls etc)" -盖碗,gài wǎn,lidded teacup -盖章,gài zhāng,to affix a seal; to stamp (a document); to sign off on sth -盖县,gài xiàn,Gai county in Liaoning -盖茨,gài cí,Gates (name) -盖茨比,gài cí bǐ,Gatsby -盖兹,gài zī,Gates (name) -盖菜,gài cài,leaf mustard -盖门,gài mén,closing cover; door (e.g. of photocopier) -盖革计数器,gài gé jì shù qì,Geiger counter -盖头,gài tóu,cover; cap; topping; head covering; veil -盖饭,gài fàn,rice with meat and vegetables -蓍,shī,yarrow (Achillea millefolium) -蓐,rù,mat; rushes -蓑,suō,rain coat made of straw etc -蓑羽鹤,suō yǔ hè,(bird species of China) demoiselle crane (Grus virgo) -蓑草,suō cǎo,Chinese alpine rush (botany) -蓑衣,suō yī,woven rush raincoat -蓓,bèi,(flower) bud -蓓蕾,bèi lěi,flower bud; young flower still tightly rolled up -蓔,yǎo,a variety of grass -蓔,zhuó,old variant of 䅵[zhuo2] -蓖,bì,the castor-oil plant -蓖麻,bì má,castor-oil plant -蓖麻毒素,bì má dú sù,ricin (biochemistry) -蓖麻毒蛋白,bì má dú dàn bái,ricin (biochemistry) -蓖麻籽,bì má zǐ,castor beans -参,shēn,variant of 參|参[shen1] -蓬,péng,surname Peng -蓬,péng,"fleabane (family Asteraceae); disheveled; classifier for luxuriant plants, smoke, ashes, campfires: clump, puff" -蓬乱,péng luàn,matted (of straw or hair); unkempt; overgrown; scraggly; thatch -蓬勃,péng bó,vigorous; flourishing; full of vitality -蓬壶,péng hú,"fabled island in Eastern sea, abode of immortals; same as Penglai 蓬萊|蓬莱" -蓬安,péng ān,"Peng'an county in Nanchong 南充[Nan2 chong1], Sichuan" -蓬安县,péng ān xiàn,"Peng'an county in Nanchong 南充[Nan2 chong1], Sichuan" -蓬居,péng jū,pauper's thatched hut -蓬心,péng xīn,narrow and bending; unkempt interior -蓬户,péng hù,thatched house; poor person's house; humble home -蓬户瓮牖,péng hù wèng yǒu,"thatched house, broken urn windows (idiom); poor person's house; humble home" -蓬散,péng sǎn,loose; ruffled; disheveled -蓬江,péng jiāng,"Pengjiang district of Jiangmen city 江門市|江门市, Guangdong" -蓬江区,péng jiāng qū,"Pengjiang district of Jiangmen city 江門市|江门市, Guangdong" -蓬溪,péng xī,"Pengxi county in Suining 遂寧|遂宁[Sui4 ning2], Sichuan" -蓬溪县,péng xī xiàn,"Pengxi county in Suining 遂寧|遂宁[Sui4 ning2], Sichuan" -蓬筚,péng bì,poor person's house; humble home -蓬筚生光,péng bì shēng guāng,Your presence brings light to my humble dwelling -蓬茸,péng róng,lush; luxuriant (of grass or hair); soft lush hair -蓬莱,péng lái,"Penglai, county-level city in Yantai 煙台|烟台, Shandong; Penglai, one of three fabled islands in Eastern sea, abode of immortals; by extension, fairyland" -蓬莱仙境,péng lái xiān jìng,"Penglai, island of immortals; fairyland" -蓬莱市,péng lái shì,"Penglai, county-level city in Yantai 煙台|烟台, Shandong" -蓬莱米,péng lái mǐ,Taiwan round-grained glutinous rice (Japonica rice) -蓬蓬,péng péng,luxuriant; abundant; (onom.) booming sound of wind -蓬蓬,péng peng,overgrown; unkempt (of hair) -蓬荜,péng bì,poor person's house; humble home -蓬荜生光,péng bì shēng guāng,Your presence brings light to my humble dwelling -蓬荜生辉,péng bì shēng huī,Your presence brings light to my humble dwelling; see also 蓬蓽生光|蓬荜生光[peng2 bi4 sheng1 guang1] -蓬门筚户,péng mén bì hù,"overgrown gate, wicker windows (idiom); poor person's house; humble home" -蓬门荜户,péng mén bì hù,"overgrown gate, wicker windows (idiom); poor person's house; humble home" -蓬头垢面,péng tóu gòu miàn,messy hair and dirty face; bad appearance -蓬头散发,péng tóu sàn fà,disheveled -蓬头跣足,péng tóu xiǎn zú,matted hair and bare feet; unkempt -蓬首垢面,péng shǒu gòu miàn,lit. with disheveled hair and a dirty face; of unkempt appearance (idiom) -蓬松,péng sōng,fluffy -莲,lián,lotus -莲子,lián zǐ,lotus seed -莲宗,lián zōng,see 淨土宗|净土宗[Jing4 tu3 zong1] -莲池区,lián chí qū,"Lianchi District of Baoding 保定[Bao3 ding4], Hebei" -莲湖,lián hú,"Lianhu District of Xi’an 西安市[Xi1 an1 Shi4], Shaanxi" -莲湖区,lián hú qū,"Lianhu District of Xi’an 西安市[Xi1 an1 Shi4], Shaanxi" -莲台,lián tái,lotus seat -莲花,lián huā,"lotus flower (Nelumbo nucifera Gaertn, among others); water-lily" -莲花白,lián huā bái,(dialect) cabbage -莲花县,lián huā xiàn,"Lianhua county in Pingxiang 萍鄉|萍乡, Jiangxi" -莲花落,lián huā lào,genre of folk song with accompaniment of bamboo clappers -莲蓉,lián róng,lotus seed paste -莲蓉包,lián róng bāo,lotus seed bun -莲蓬,lián péng,lotus seed head -莲蓬头,lián péng tóu,showerhead -莲藕,lián ǒu,lotus root -莲都,lián dū,"Liandu district of Lishui city 麗水市|丽水市[Li2 shui3 shi4], Zhejiang" -莲都区,lián dū qū,"Liandu district of Lishui city 麗水市|丽水市[Li2 shui3 shi4], Zhejiang" -莲雾,lián wù,wax apple (a reddish pear-shaped fruit) -苁,cōng,Boschniakia glabra -蓰,xǐ,(grass); increase five fold -莼,chún,edible water plant; Brasenia schreberi -莼菜,chún cài,Brasenia schreberi -蓼,liǎo,polygonum; smartweed -蓼,lù,luxuriant growth -蓼蓝,liǎo lán,indigo dye; Polygonum tinctorium -荜,bì,bean; pulse -荜门圭窦,bì mén guī dòu,"wicker door, hole window (idiom); fig. wretched hovel; living in poverty" -蓿,xù,clover; lucerne; Taiwan pr. [su4] -菱,líng,variant of 菱[ling2] -蔌,sù,surname Su -蔌,sù,(literary) vegetables -蔑,miè,to belittle; nothing -蔑称,miè chēng,contemptuous term -蔑视,miè shì,to loathe; to despise; contempt -蔓,mán,used in 蔓菁[man2 jing5] -蔓,màn,creeper; to spread -蔓延,màn yán,to extend; to spread -蔓延全国,màn yán quán guó,to spread throughout the entire country -蔓生,màn shēng,trailing plant; liana; creeper; overgrown -蔓生植物,màn shēng zhí wù,creeper; climbing plant; twiner -蔓草,màn cǎo,creeper; climbing plant; twiner -蔓菁,mán jing,turnip -蔓越橘,màn yuè jú,cranberry -蔓越莓,màn yuè méi,cranberry -卜,bó,used in 蘿蔔|萝卜[luo2 bo5] -蒂,dì,variant of 蒂[di4] -蔗,zhè,sugar cane -蔗渣,zhè zhā,bagasse (sugar cane waste) -蔗糖,zhè táng,cane sugar; sucrose -蔗农,zhè nóng,sugar cane farmer -蔗露,zhè lù,Jello -蔚,yù,surname Yu; place name -蔚,wèi,Artemisia japonica; luxuriant; resplendent; impressive -蔚山,wèi shān,"Ulsan Metropolitan City in South Gyeongsang Province 慶尚南道|庆尚南道[Qing4 shang4 nan2 dao4], South Korea" -蔚山市,wèi shān shì,"Ulsan Metropolitan City in South Gyeongsang Province 慶尚南道|庆尚南道[Qing4 shang4 nan2 dao4], South Korea" -蔚山广域市,wèi shān guǎng yù shì,"Ulsan Metropolitan City in South Gyeongsang Province 慶尚南道|庆尚南道[Qing4 shang4 nan2 dao4], South Korea" -蔚成,wèi chéng,to afford (a magnificent view etc); to become (a prevailing fashion etc) -蔚为,wèi wéi,see 蔚成[wei4 cheng2] -蔚为大观,wèi wéi dà guān,to afford a magnificent sight (idiom); enchanting -蔚然成风,wèi rán chéng fēng,to have become common practice (idiom); to become a general trend -蔚县,yù xiàn,"Yu county in Zhangjiakou 張家口|张家口[Zhang1 jia1 kou3], Hebei" -蔚蓝,wèi lán,azure; sky blue -蔚起,wèi qǐ,(literary) to mushroom; to flourish -蒌,lóu,Arthemisia vulgaris; piper betel -蔟,cù,collect; frame for silk worm; nest -蔡,cài,surname Cai -蔡依林,cài yī lín,"Jolin Tsai (1980-), Taiwanese singer" -蔡伦,cài lún,"Cai Lun (-121), the inventor of the papermaking process" -蔡元培,cài yuán péi,"Cai Yuanpei (1868-1940), educationist and politician, president of Peking University 1917-27" -蔡司公司,cài sī gōng sī,"Zeiss Company (Carl Zeiss AG, optical and opto-electronic industries. hq in Oberkochen, Germany)" -蔡国强,cài guó qiáng,"Cai Guoqiang (1957-), contemporary Chinese artist working with firework displays and light shows" -蔡志忠,cài zhì zhōng,"Tsai Chih Chung (1948-), famous Taiwanese cartoonist specializing in retelling the Chinese classics" -蔡李佛,cài lǐ fó,"Cai Li Fo, Choy Li Fut, Choy Lay Fut, Choi Lei Fut, Choy Lai Fut, Choy Ley Fut, Choi Lei Faht, Tsai Li Fo, Choi Leih Faht - Martial Art" -蔡东藩,cài dōng fān,"Cai Dongfan (1877-1945), historian and historical novelist" -蔡甸,cài diàn,"Caidian district of Wuhan city 武漢市|武汉市[Wu3 han4 shi4], Hubei" -蔡甸区,cài diàn qū,"Caidian district of Wuhan city 武漢市|武汉市[Wu3 han4 shi4], Hubei" -蔡英文,cài yīng wén,"Tsai Ing-wen (1956-), Taiwanese DPP politician, president of the Republic of China from 2016" -蔡襄,cài xiāng,"Cai Xiang (1012-1067), Song calligrapher" -蔡锷,cài è,"Cai E (1882-1916), originator of the National protection army of 1915" -蒋,jiǎng,surname Jiang; Chiang Kai-shek 蔣介石|蒋介石[Jiang3 Jie4shi2] -蒋介石,jiǎng jiè shí,"Chiang Kai-shek (1887-1975), military leader, head of the Nationalist government in China 1928-1949 and the government in exile on Taiwan 1950-1975" -蒋公,jiǎng gōng,honorific title for Chiang Kai-shek 蔣介石|蒋介石[Jiang3 Jie4 shi2] -蒋士铨,jiǎng shì quán,"Jiang Shiquan (1725-1784), Qing poet, one of Three great poets of the Qianlong era 乾嘉三大家" -蒋桂战争,jiǎng guì zhàn zhēng,confrontation of 1929 between Chiang Kaishek and the Guangxi warlord faction -蒋经国,jiǎng jīng guó,"Chiang Ching-kuo (1910-1988), son of Chiang Kai-shek 蔣介石|蒋介石, Guomindang politician, president of ROC 1978-1988" -蒋纬国,jiǎng wěi guó,"Chiang Wei-kuo (1916-1997), adopted son of Chiang Kai-shek 蔣介石|蒋介石" -蒋雯丽,jiǎng wén lì,"Jiang Wenli (1969-), award-winning PRC film actress" -葱,cōng,scallion; green onion -葱属,cōng shǔ,genus Allium -葱岭,cōng lǐng,old name for the Pamirs 帕米爾高原|帕米尔高原[Pa4mi3er3 Gao1yuan2] -葱抓饼,cōng zhuā bǐng,"flaky scallion pancake (made with dough, not batter)" -葱油饼,cōng yóu bǐng,scallion pancake -葱绿,cōng lǜ,verdant -葱翠,cōng cuì,fresh green -葱花,cōng huā,chopped onion -葱葱,cōng cōng,"verdant and thick (foliage, grass etc)" -葱茏,cōng lóng,verdant and lush -葱头,cōng tóu,onion; Western round onion -葱郁,cōng yù,verdant; lush green and full of life -葱黄,cōng huáng,yellow green -茑,niǎo,"parasitic mistletoe (Loranthus parasiticus), esp. on the mulberry" -茑萝,niǎo luó,cypress vine -蔫,niān,to fade; to wither; to wilt; listless -蔫儿,niān er,erhua variant of 蔫[nian1] -蔫儿坏,niān er huài,apt to do sth nasty or devious in secret -蔫呼呼,niān hū hū,weak and indecisive -蔫土匪,niān tǔ fěi,scoundrel with an honest demeanor -蔫屁,niān pì,silent fart -蔫耷耷,niān dā dā,listless; droopy -蔫头耷脑,niān tóu dā nǎo,(idiom) (coll.) (of a flower etc) droopy; withered; (of a person) listless; dispirited -蔬,shū,vegetables -蔬果,shū guǒ,vegetables and fruits -蔬菜,shū cài,vegetables; CL:種|种[zhong3] -蔬食,shū shí,vegetarian meal; vegetarian diet -荫,yìn,shade -荫凉,yìn liáng,shady and cool -荫蔽,yìn bì,to be shaded or concealed by foliage; to conceal; hidden; covert; shade (of a tree) -麻,má,variant of 麻[ma2]; hemp -蔸,dōu,root and lower stem of certain plants; classifier for pieces and clumps -蔻,kòu,used in 豆蔻[dou4 kou4] -蔻丹,kòu dān,"nail polish (loanword, from ""Cutex"")" -蔻蔻,kòu kòu,(loanword) cocoa -蔽,bì,to cover; to shield; to screen; to conceal -蔽芾,bì fèi,luxuriant; lush; young (plants) -蔽身处,bì shēn chù,shelter -荨,qián,used in 蕁麻|荨麻[qian2 ma2]; also pr. [xun2] -荨麻,qián má,nettle; also pr. [xun2 ma2] -荨麻疹,xún má zhěn,urticaria; nettle rash; hives -蕃,bō,see 吐蕃[Tu3 bo1] -蕃,fān,variant of 番[fan1]; foreign (non-Chinese) -蕃,fán,luxuriant; flourishing; to reproduce; to proliferate -蕃庑,fán wú,variant of 繁蕪|繁芜[fan2 wu2] -蕃茄,fān qié,variant of 番茄[fan1 qie2] -蕃衍,fán yǎn,variant of 繁衍[fan2 yan3] -蒇,chǎn,to complete; to prepare -蕈,xùn,mold; mushroom -蕉,jiāo,banana -蕉,qiáo,see 蕉萃[qiao2 cui4] -蕉城,jiāo chéng,"Jiaocheng district of Ningde city 寧德市|宁德市[Ning2 de2 shi4], Fujian" -蕉城区,jiāo chéng qū,"Jiaocheng district of Ningde city 寧德市|宁德市[Ning2 de2 shi4], Fujian" -蕉岭,jiāo lǐng,"Jiaoling County in Meizhou 梅州[Mei2 zhou1], Guangdong" -蕉岭县,jiāo lǐng xiàn,"Jiaoling County in Meizhou 梅州[Mei2 zhou1], Guangdong" -蕉萃,qiáo cuì,variant of 憔悴[qiao2 cui4] -蕉麻,jiāo má,abaca; Manila hemp -蕊,ruǐ,stamen; pistil -蕊,ruǐ,variant of 蕊[rui3] -荞,qiáo,used in 蕎麥|荞麦[qiao2 mai4] -荞麦,qiáo mài,buckwheat -蕑,jiān,surname Jian -蕑,jiān,Eupatorium chinensis -荬,mǎi,used in 苣蕒菜|苣荬菜[qu3mai5cai4] -芸,yún,see 蕓薹|芸薹[yun2 tai2] -芸薹,yún tái,(botany) rape -芸薹属,yún tái shǔ,Brassica (cabbage genus) -莸,yóu,Caryopteris divaricata -蕖,qú,lotus -荛,ráo,fuel; grass -蕙,huì,Coumarouna odorata -萼,è,old variant of 萼[e4] -蕞,zuì,to assemble; small -蕠,rú,variant of 茹[ru2]; see 蕠藘[ru2 lu:2] -蕠藘,rú lǘ,"variant of 茹藘, Rubia cordifolia or Rubia akane, roots used as red dye" -蒉,kuì,surname Kui -蒉,kuì,Amaranthus mangostanus -蕤,ruí,fringe; overladen with flowers -蕨,jué,Pteridium aquilinum; bracken -蕨菜,jué cài,fiddlehead; edible fern fronds -蕨类,jué lèi,(botany) fern; bracken; brake -荡,dàng,to wash; to squander; to sweep away; to move; to shake; dissolute; pond -荡妇,dàng fù,slut; floozy; prostitute -荡妇羞辱,dàng fù xiū rǔ,to slut-shame -荡气回肠,dàng qì huí cháng,"heart-rending (drama, music, poem etc); deeply moving" -荡涤,dàng dí,to clean up -荡漾,dàng yàng,to ripple; to undulate -荡然,dàng rán,vanished from the face of the earth; all gone; nothing left -荡然无存,dàng rán wú cún,to obliterate completely; to vanish from the face of the earth -荡舟,dàng zhōu,to row a boat -荡荡,dàng dàng,fluttering -芜,wú,overgrown with weeds -芜俚,wú lǐ,coarse and vulgar -芜劣,wú liè,muddled and inferior (of writing) -芜湖,wú hú,"Wuhu, prefecture-level city in Anhui" -芜湖市,wú hú shì,"Wuhu, prefecture-level city in Anhui" -芜湖县,wú hú xiàn,"Wuhu county in Wuhu 蕪湖|芜湖[Wu2 hu2], Anhui" -芜秽,wú huì,to be overgrown with weeds -芜累,wú lěi,mixed-up and superfluous -芜繁,wú fán,convoluted -芜菁,wú jīng,turnip -芜菁甘蓝,wú jīng gān lán,rutabaga (vegetable) -芜词,wú cí,superfluous words -芜鄙,wú bǐ,muddled and limited (of writing) -芜杂,wú zá,miscellaneous; mixed and disorderly (of writing); disordered and confusing; mixed-up and illogical -芜驳,wú bó,disorderly; mixed-up; confused -萧,xiāo,surname Xiao -萧,xiāo,miserable; desolate; dreary; Chinese mugwort -萧一山,xiāo yī shān,"Xiao Yishan (1902-1978), Modern historian of the Qing dynasty" -萧乾,xiāo qián,"Xiao Qian (1910-1999), Mongolian-born, Cambridge-educated journalist active during Second World War in Europe, subsequently famous author and translator" -萧伯纳,xiāo bó nà,"George Bernard Shaw (1856-1950), Irish dramatist and writer" -萧何,xiāo hé,"Xiao He (-193 BC), famous strategist and chancellor, fought on Liu Bang's 劉邦|刘邦[Liu2 Bang1] side during the Chu-Han Contention 楚漢戰爭|楚汉战争[Chu3 Han4 Zhan4 zheng1]" -萧子显,xiāo zǐ xiǎn,"Xiao Zixian (487-537), writer and historian of Liang of Southern Dynasties, compiler of History of Qi of the Southern dynasties 南齊書|南齐书[Nan2 Qi2 shu1]" -萧山,xiāo shān,"Xiaoshan district of Hangzhou city 杭州市[Hang2 zhou1 shi4], Zhejiang" -萧山区,xiāo shān qū,"Xiaoshan district of Hangzhou city 杭州市[Hang2 zhou1 shi4], Zhejiang" -萧梁,xiāo liáng,Liang of the Southern dynasties (502-557) -萧条,xiāo tiáo,bleak; desolate; (economics) in a slump; sluggish; depressed -萧洒,xiāo sǎ,variant of 瀟灑|潇洒[xiao1 sa3] -萧然,xiāo rán,desolate; empty -萧墙,xiāo qiáng,(literary) screen wall shielding an entrance in traditional Chinese architecture -萧瑟,xiāo sè,to rustle in the air; to rustle; to sough; bleak; desolate; chilly -萧红,xiāo hóng,"Xiao Hong (1911-1942), prominent woman writer, originally from Heilongjiang" -萧索,xiāo suǒ,bleak; desolate; melancholy -萧县,xiāo xiàn,"Xiao County or Xiaoxian, a county in Suzhou 宿州[Su4zhou1], Anhui" -萧万长,xiāo wàn cháng,"Vincent C. Siew (1939-), Taiwanese diplomat and Kuomintang politician, prime minister 1997-2000, vice president 2008-2012" -萧规曹随,xiāo guī cáo suí,lit. Xiao's 蕭何|萧何[Xiao1 He2] governance followed by Cao 曹參|曹参[Cao2 Can1] (idiom); fig. to strictly adhere to the policies of the predecessor; to follow precedent -萧邦,xiāo bāng,"(Tw) Frédéric Chopin (1810-1849), Polish pianist and composer" -蓣,yù,see 薯蕷|薯蓣[shu3 yu4] -蕹,wèng,"water spinach or ong choy (Ipomoea aquatica), used as a vegetable in south China and southeast Asia; Taiwan pr. [yong1]" -蕹菜,wèng cài,water spinach; ong choy; swamp cabbage; water convolvulus; water morning-glory; Ipomoea aquatica (botany) -蕺,jí,Houttuynia cordata -蕺菜,jí cài,Houttuynia cordata -蕻,hóng,used in 雪裡蕻|雪里蕻[xue3 li3 hong2]; Taiwan pr. [hong4] -蕻,hòng,(literary) luxuriant; flourishing; (literary) bud; (dialect) long stem of certain vegetables -蕾,lěi,bud -蕾哈娜,lěi hā nà,"Rihanna (1988-), Barbadian pop singer" -蕾丝,lěi sī,lace (loanword) (textiles) -蕾丝花边,lěi sī huā biān,lace border (loanword) -蕾丝边,lěi sī biān,lesbian (slang) (loanword) -萱,xuān,old variant of 萱[xuan1] -薄,bó,surname Bo -薄,báo,thin; cold in manner; indifferent; weak; light; infertile -薄,bó,meager; slight; weak; ungenerous or unkind; frivolous; to despise; to belittle; to look down on; to approach or near -薄,bò,see 薄荷[bo4 he5] -薄一波,bó yī bō,"Bo Yibo (1908-2007), ranking PRC politician, served on State Council from 1950s to 1980s as colleague of Deng Xiaoping" -薄伽丘,bó jiā qiū,"Giovanni Boccaccio (1313-1375), Italian writer, poet, and humanist, author of Decameron 十日談|十日谈[Shi2 ri4 Tan2]" -薄利,bó lì,small profits -薄利多销,bó lì duō xiāo,small profit but rapid turnover -薄厚,bó hòu,meanness and generosity; intimacy and alienation -薄命,bó mìng,to be born under an unlucky star (usu. of women); to be born unlucky -薄地,bó dì,barren land; poor soil -薄层,báo céng,thin layer; thin slice; film; lamina; lamella -薄幸,bó xìng,fickle; inconstant person -薄弱,bó ruò,weak; frail -薄弱环节,bó ruò huán jié,weak link; loophole -薄待,bó dài,mean treatment; indifference; meager hospitality -薄情,bó qíng,inconstant in love; fickle -薄技,bó jì,meager skill; my poor talents (humble) -薄明,bó míng,dim light; early dawn -薄暗,bó àn,at dusk; evening -薄暮,bó mù,dusk; twilight -薄晓,bó xiǎo,at dawn -薄板,báo bǎn,thin plate; sheet; lamina; Taiwan pr. [bo2 ban3] -薄油层,bó yóu céng,oil sheet -薄海,bó hǎi,vast area; all the way to the sea -薄烤饼,bó kǎo bǐng,pancake -薄熙来,bó xī lái,"Bo Xilai (1949-), PRC politician, appointed to the Politburo in 2007, sentenced in 2013 to life imprisonment for corruption and misconduct" -薄片,báo piàn,thin slice; thin section; flake; Taiwan pr. [bo2 pian4] -薄瑞光,bó ruì guāng,"Raymond Burghard (1945-), US diplomat and ambassador to Vietnam 2001-2004, chairman of American Institute in Taiwan from 2006" -薄产,bó chǎn,meager estate; small means -薄田,bó tián,barren field; poor land -薄礼,bó lǐ,my meager gift (humble) -薄纱,báo shā,gauze (cloth) -薄纸,báo zhǐ,"thin paper (tissue paper, onionskin etc)" -薄绸,báo chóu,light silk; silk chiffon -薄胎瓷器,bó tāi cí qì,eggshell china -薄脆,báo cuì,crispy; thin and brittle; a crispy fried cracker -薄膜,bó mó,membrane; film; CL:層|层[ceng2] -薄荷,bò he,field mint; peppermint -薄荷油,bò he yóu,peppermint oil -薄荷糖,bò he táng,mint (confectionery) -薄荷酮,bò he tóng,menthone (chemistry) -薄荷醇,bò he chún,(chemistry) menthol -薄透镜,báo tòu jìng,thin lens (optics) -薄酒,bó jiǔ,(my inferior) wine (humble term used by a host) -薄酬,bó chóu,small reward (for work); meager remuneration -薄雾,bó wù,mist; haze -薄面,bó miàn,my meager sensibilities; blushing face; please do it for my sake (i.e. to save my face)(humble) -薄饼,báo bǐng,thin flat cake; pancake; pizza -薄养厚葬,bó yǎng hòu zàng,to neglect one's parents but give them a rich funeral; hypocrisy in arranging a lavish funeral after treating one's parents meanly -薅,hāo,to weed; to grip or clutch -薅羊毛,hāo yáng máo,"to seek out discount vouchers, cashback offers etc and use them in making purchases" -薇,wēi,"Osmunda regalis, a species of fern; Taiwan pr. [wei2]" -荟,huì,to flourish; luxuriant growth -荟萃,huì cuì,(of distinguished people or exquisite objects) to gather; to assemble -蓟,jì,surname Ji; ancient Chinese city state near present-day Beijing -蓟,jì,cirsium; thistle -蓟城,jì chéng,old name for Beijing 北京[Bei3 jing1] -蓟县,jì xiàn,Ji county in Tianjin 天津[Tian1 jin1] -蓟马,jì mǎ,(zoology) thrips (order Thysanoptera); thunderbug -芗,xiāng,aromatic herb used for seasoning; variant of 香[xiang1] -芗剧,xiāng jù,variety of opera popular in southern Fujian and Taiwan -芗城,xiāng chéng,"Xiangcheng district of Zhangzhou city 漳州市[Zhang1 zhou1 shi4], Fujian" -芗城区,xiāng chéng qū,"Xiangcheng district of Zhangzhou city 漳州市[Zhang1 zhou1 shi4], Fujian" -薏,yì,see 薏苡[yi4 yi3] -薏仁,yì rén,grains of Job's tears plant 薏苡[yi4 yi3] -薏米,yì mǐ,grains of Job's tears plant 薏苡[yi4 yi3] -薏苡,yì yǐ,Job's tears plant (Coix lacryma-jobi); Chinese pearl barley -姜,jiāng,ginger -姜堰,jiāng yàn,"Jiangyan, county-level city in Taizhou 泰州[Tai4 zhou1], Jiangsu" -姜堰市,jiāng yàn shì,"Jiangyan, county-level city in Taizhou 泰州[Tai4 zhou1], Jiangsu" -姜是老的辣,jiāng shì lǎo de là,see 薑還是老的辣|姜还是老的辣[jiang1 hai2 shi4 lao3 de5 la4] -姜汁,jiāng zhī,ginger ale -姜还是老的辣,jiāng hái shì lǎo de là,"ginger gets spicier as it gets older (idiom); the older, the wiser" -姜饼,jiāng bǐng,gingerbread -姜黄,jiāng huáng,turmeric -姜黄色,jiāng huáng sè,ginger (color) -蔷,qiáng,used in 薔薇|蔷薇[qiang2 wei1] -蔷薇,qiáng wēi,Japanese rose (Rosa multiflora) -蔷薇十字团,qiáng wēi shí zì tuán,the Rosicrucian order (masonic order) -蔷薇花蕾,qiáng wēi huā lěi,rosebud -剃,tì,shave; to weed -薛,xuē,surname Xue; vassal state during the Zhou Dynasty (1046-256 BC) -薛,xuē,wormwood like grass (classical) -薛仁贵,xuē rén guì,Xue Rengui (614-683) great Tang dynasty general -薛城,xuē chéng,"Xuecheng district of Zaozhuang city 棗莊市|枣庄市[Zao3 zhuang1 shi4], Shandong" -薛城区,xuē chéng qū,"Xuecheng district of Zaozhuang city 棗莊市|枣庄市[Zao3 zhuang1 shi4], Shandong" -薛定谔,xuē dìng è,"Erwin Schrödinger (1887-1961), Austrian physicist" -薛定谔方程,xuē dìng è fāng chéng,Schrödinger's wave equation -薛宝钗,xuē bǎo chāi,"Xue Baochai, female character in Dream of Red Mansions, married to Jia Baoyu 賈寶玉|贾宝玉" -薛居正,xuē jū zhèng,"Xue Juzheng (912-981), Song historian and compiler of History of the Five Dynasties between Tang and Song 舊五代史|旧五代史" -薛福成,xuē fú chéng,"Xue Fucheng (1838-1894), Qing official and progressive political theorist" -薛稷,xuē jì,"Xue Ji (649-713), one of Four Great Calligraphers of early Tang 唐初四大家[Tang2 chu1 Si4 Da4 jia1]" -薜,bì,Ficus pumila -莶,liǎn,variant of 蘞|蔹[lian3]; Taiwan pr. [lian4] -莶,xiān,used in 豨薟|豨莶[xi1xian1]; Taiwan pr. [lian4] -薤,xiè,Allium bakeri; shallot; scallion -荐,jiàn,to recommend; to offer sacrifice (arch.); grass; straw mat -荐引,jiàn yǐn,to introduce; to recommend -荐椎,jiàn zhuī,(anatomy) sacral vertebra; sacrum -荐举,jiàn jǔ,to propose (for a job); to nominate; to recommend -荐言,jiàn yán,to recommend (in words); to suggest -荐头,jiàn tou,employment agent (arch.); job broker -荐头店,jiàn tou diàn,job agency (arch.); employment shop -荐骨,jiàn gǔ,(anatomy) sacrum -薨,hōng,death of a prince; swarming -萨,sà,Bodhisattva; surname Sa -萨丁尼亚岛,sà dīng ní yà dǎo,Sardinia -萨克拉门托,sà kè lā mén tuō,Sacramento -萨克斯,sà kè sī,sax; saxophone -萨克斯管,sà kè sī guǎn,sax; saxophone -萨克斯风,sà kè sī fēng,saxophone (loanword) -萨克森,sà kè sēn,"Sachsen or Saxony, Bundesland in east of Germany, bordering on Poland and Czech republic, capital Dresden 德累斯頓|德累斯顿[De2 lei4 si1 dun4]" -萨克森州,sà kè sēn zhōu,"Sachsen or Saxony, Bundesland in east of Germany, bordering on Poland and Czech republic, capital Dresden 德累斯頓|德累斯顿[De2 lei4 si1 dun4]" -萨克洛夫,sà kè luò fū,"Sakharov (name); Andrei Sakharov (1921-1989), Soviet nuclear physicist and dissident human rights activist" -萨克洛夫奖,sà kè luò fū jiǎng,"Sakharov Prize for Freedom of Thought, awarded by the European Parliament annually since 1988" -萨克管,sà kè guǎn,sax; saxophone -萨克逊,sà kè xùn,Saxon -萨其马,sà qí mǎ,see 沙琪瑪|沙琪玛[sha1 qi2 ma3] -萨博,sà bó,Saab -萨卡什维利,sà kǎ shí wéi lì,"Mikheil Saakashvili (1967-), Georgian politician, president of Georgia 2004-2013" -萨哈洛夫,sà hā luò fū,Sakharov (Russian name) -萨哈罗夫,sà hǎ luó fū,"Andrei Sakharov (1921-1989), Russian nuclear scientist and dissident human rights activist" -萨哈罗夫人权奖,sà hǎ luó fū rén quán jiǎng,the EU Sakharov Human Rights Prize -萨哈罗夫奖,sà hǎ luó fū jiǎng,Sakharov Prize for Freedom of Thought (awarded by EU since 1988) -萨哈诺夫,sà hǎ nuò fū,(Andrei) Sakharov -萨哈诺夫人权奖,sà hǎ nuò fū rén quán jiǎng,the EU Sakharov prize for human rights -萨嘎,sà gā,"Saga county, Tibetan: Sa dga' rdzong, in Shigatse prefecture, Tibet" -萨嘎县,sà gā xiàn,"Saga county, Tibetan: Sa dga' rdzong, in Shigatse prefecture, Tibet" -萨噶达娃节,sà gá dá wá jié,Tibetan festival on 15th April marking Sakyamuni's birthday -萨巴德罗,sà bā dé luó,"Zapatero (name); José Luis Zapatero (1960-), Spanish PSOE politician, prime minister of Spain 2004-2011" -萨彦岭,sà yàn lǐng,"Sayan Mountains, on the border of Russia and Mongolia" -萨德,sà dé,"THAAD (Terminal High Altitude Area Defense), US Army anti-ballistic missile system" -萨德尔,sà dé ěr,"Sadr (name); Moqtada Sadr (c. 1973-), Iraqi Shia clergyman and militia leader" -萨德尔市,sà dé ěr shì,Sadr city (Shia township in East Bagdad) -萨拉丁,sà lā dīng,Saladin (c. 1138-1193) -萨拉戈萨,sà lā gē sà,"Zaragoza, Spain" -萨拉曼卡,sà lā màn kǎ,"Salamanca, Spain" -萨拉森帝国,sà lā sēn dì guó,Saracen Empire (medieval European name for Arab empire) -萨拉热窝,sà lā rè wō,"Sarajevo, capital of Bosnia and Herzegovina" -萨拉米,sà lā mǐ,salami (loanword) -萨摩,sà mó,"Satsuma, the name of a former feudal domain in Japan, and of a former province, a battleship, a district, a peninsula etc" -萨摩亚,sà mó yà,Samoa -萨摩耶,sà mó yé,Samoyed (dog) -萨摩耶犬,sà mó yē quǎn,Samoyed (dog) -萨摩麟,sà mó lín,Samotherium (early giraffe) -萨斯,sà sī,SARS; Severe Acute Respiratory Syndrome -萨斯卡通,sà sī kǎ tōng,"Saskatoon city, Saskatchewan, Canada" -萨斯喀彻温,sà sī kā chè wēn,"Saskatchewan province, Canada" -萨斯病,sà sī bìng,SARS (Severe Acute Respiratory Syndrome) -萨格勒布,sà gé lè bù,"Zagreb, capital of Croatia 克羅地亞|克罗地亚[Ke4 luo2 di4 ya4]" -萨桑王朝,sà sāng wáng cháo,Sassanid Empire of Persia (c. 2nd-7th century AD) -萨满,sà mǎn,shaman (loanword) -萨满教,sà mǎn jiào,Shamanism -萨尔,sà ěr,Saarland -萨尔图,sà ěr tú,"Sa'ertu district of Daqing city 大慶|大庆[Da4 qing4], Heilongjiang" -萨尔图区,sà ěr tú qū,"Sa'ertu district of Daqing city 大慶|大庆[Da4 qing4], Heilongjiang" -萨尔州,sà ěr zhōu,"Saarland, state of Germany, capital Saarbrücken 薩爾布呂肯|萨尔布吕肯[Sa4 er3 bu4 lu:3 ken3]" -萨尔布吕肯,sà ěr bù lǚ kěn,"Saarbrücken, capital of Saarland, Germany" -萨尔普斯堡,sà ěr pǔ sī bǎo,"Sarpsborg (city in Østfold, Norway)" -萨尔温江,sà ěr wēn jiāng,"Salween river, flowing from Tibet into Myanmar" -萨尔浒之战,sà ěr hǔ zhī zhàn,"Battle of Sarhu in 1619, in which the Manchus under Nurhaci 努爾哈赤|努尔哈赤[Nu3 er3 ha1 chi4] crushed four Ming armies" -萨尔瓦多,sà ěr wǎ duō,El Salvador -萨尔科奇,sà ěr kē qí,"Sarkozy (name); Nicolas Sarkozy (1955-), president of France 2007-2012" -萨尔科齐,sà ěr kē qí,"Nicolas Sarkozy (1955-), French UMP politician, President 2007-2012; also written 薩科齊|萨科齐[Sa4 ke1 qi2]" -萨尔茨堡,sà ěr cí bǎo,Salzburg -萨尔达,sà ěr dá,"Zelda (in Legend of Zelda video game) (Tw, HK, Macau)" -萨特,sà tè,"Jean-Paul Sartre (1905-1980), French existential philosopher and novelist" -萨珊王朝,sà shān wáng cháo,Sassanid Empire of Persia (c. 2nd-7th century AD) -萨瓦河,sà wǎ hé,"Sava River, flowing through Southeast Europe" -萨科齐,sà kē qí,"Nicolas Sarkozy (1955-), French UMP politician, President 2007-2012" -萨米人,sà mǐ rén,"the Sami people, indigenous people in northern Scandinavia" -萨莉,sà lì,Sally (name) -萨菲,sà fēi,Safi (Moroccan city on the Atlantic coast) -萨蒂,sà dì,Sati (Hindu goddess) -萨蒂,sà dì,sati (illegal Hindu practice) -萨兰斯克,sà lán sī kè,"Saransk, capital of the Republic of Mordovia, Russia" -萨赫蛋糕,sà hè dàn gāo,"Sachertorte, Viennese chocolate cake" -萨迦,sà jiā,"Sa'gya town and county, Tibetan: Sa skya, in Shigatse prefecture, central Tibet; saga (i.e. heroic tale)" -萨迦县,sà jiā xiàn,"Sa'gya county, Tibetan: Sa skya rdzong, in Shigatse prefecture, Tibet" -萨迪克,sà dí kè,Sadiq or Sadik (name) -萨达姆,sà dá mǔ,Saddam -萨达特,sà dá tè,Anwar Al Sadat -萨那,sà nà,"Sana'a, capital of Yemen" -萨里,sà lǐ,Surrey (county in England) -萨里郡,sà lǐ jùn,Surrey (county in south England) -萨非王朝,sà fēi wáng cháo,Persian Safavid Dynasty 1501-1722 -萨马兰奇,sà mǎ lán qí,"Juan Antonio Samaranch (1920-2010), Spanish Olympic official, president of International Olympic Committee 1980-2001" -萨默塞特郡,sà mò sāi tè jùn,Somerset county in southwest England -薪,xīn,(literary) firewood; fuel; (bound form) salary -薪俸,xīn fèng,salary; pay -薪传,xīn chuán,"(of knowledge, skill etc) to be passed on from teachers to students, one generation to another, abbr. for 薪盡火傳|薪尽火传[xin1 jin4 huo3 chuan2]" -薪水,xīn shuǐ,salary; wage -薪火相传,xīn huǒ xiāng chuán,"lit. the flame of a burning piece of firewood passes on to the rest (idiom); fig. (of knowledge, skill etc) to be passed on from teachers to students, one generation to another" -薪尽火传,xīn jìn huǒ chuán,see 薪火相傳|薪火相传[xin1 huo3 xiang1 chuan2] -薪给,xīn jǐ,salary; wage -薪资,xīn zī,salary -薪酬,xīn chóu,pay; remuneration; salary; reward -薪金,xīn jīn,salary; wage -薪饷,xīn xiǎng,(old) (military and police) pay; wages; (Tw) salary -薯,shǔ,potato; yam -薯条,shǔ tiáo,french fries; french fried potatoes; chips -薯片,shǔ piàn,fried potato chips -薯蓣,shǔ yù,Chinese yam (Dioscorea polystachya) -薯饼,shǔ bǐng,hash browns; croquette -熏,xūn,fragrance; warm; to educate; variant of 熏[xun1]; to smoke; to fumigate -薰,xūn,sweet-smelling grass; Coumarouna odorata; tonka beans; coumarin -熏心,xūn xīn,"(of greed, lust etc) to dominate one's thoughts" -薰莸不同器,xūn yóu bù tóng qì,lit. fragrant herbs and foul herbs do not go into the same vessel (idiom); bad people and good people do not mix -薰衣草,xūn yī cǎo,lavender -熏陶,xūn táo,to seep in; to influence; to nurture; influence; training -薳,wěi,surname Wei -苧,níng,"(used as a bound form in 薴烯|苧烯[ning2 xi1], limonene); tangled; in disarray" -苧烯,níng xī,(chemistry) limonene -薶,mái,old variant of 埋[mai2] -薶,wō,to make dirty; to soil -薷,rú,Elshotria paltrini -薹,tái,Carex dispalatha -薹草,tái cǎo,sedge -薹草属,tái cǎo shǔ,genus Carex -荠,jì,see 薺菜|荠菜[ji4 cai4] -荠,qí,used in 荸薺|荸荠[bi2qi2] -荠苎,jì zhù,(botany) Mosla grosseserrata; Mosla chinensis -荠菜,jì cài,shepherd's purse (Capsella bursa-pastoris) -荠苧,jì níng,(botany) Mosla grosseserrata; Mosla chinensis -藁,gǎo,variant of 槁[gao3] -藁城,gǎo chéng,"Gaocheng, county-level city in Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1], Hebei" -藁城区,gǎo chéng qū,"Gaocheng District of Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1], Hebei" -藁城市,gǎo chéng shì,"Gaocheng, county-level city in Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1], Hebei" -藁本,gǎo běn,Ligusticum levisticum (Chinese lovage root); ligusticum root -藁草,gǎo cǎo,hay; dried grass -藇,xù,surname Xu -藇,xù,beautiful -借,jiè,variant of 借[jie4] -藉,jí,surname Ji -藉,jí,to insult; to walk all over (sb) -藉,jiè,sleeping mat; to placate -藉以,jiè yǐ,variant of 借以[jie4 yi3] -藉口,jiè kǒu,to use as an excuse; on the pretext; excuse; pretext; also written 借口[jie4 kou3] -借此,jiè cǐ,using this as a pretext; thereby -借由,jiè yóu,by means of; through; by -藉由,jiè yóu,by means of; through; by -藉着,jiè zhe,by means of; through -借词推搪,jiè cí tuī táng,to make a lot of excuses -藉资挹注,jiè zī yì zhù,variant of 借資挹注|借资挹注[jie4 zi1 yi4 zhu4] -蓝,lán,surname Lan -蓝,lán,blue; indigo plant -蓝丁胶,lán dīng jiāo,Blu-tack (brand) -蓝侬,lán nóng,"John Lennon (1940-1980), English singer, guitarist, and songwriter" -蓝光,lán guāng,Blu-ray (disc format) -蓝光光盘,lán guāng guāng pán,"Blu-ray disk, Sony high definition DVD disk" -蓝八色鸫,lán bā sè dōng,(bird species of China) blue pitta (Hydrornis cyaneus) -蓝喉太阳鸟,lán hóu tài yáng niǎo,(bird species of China) Mrs. Gould's sunbird (Aethopyga gouldiae) -蓝喉拟啄木鸟,lán hóu nǐ zhuó mù niǎo,(bird species of China) blue-throated barbet (Megalaima asiatica) -蓝喉歌鸲,lán hóu gē qú,(bird species of China) bluethroat (Luscinia svecica) -蓝喉蜂虎,lán hóu fēng hǔ,(bird species of China) blue-throated bee-eater (Merops viridis) -蓝图,lán tú,blueprint -蓝大翅鸲,lán dà chì qú,(bird species of China) grandala (Grandala coelicolor) -蓝天,lán tiān,blue sky -蓝宝石,lán bǎo shí,sapphire -蓝屏死机,lán píng sǐ jī,"(computing) (of an operating system) to crash and display the ""blue screen of death""" -蓝山,lán shān,"Lanshan county in Yongzhou 永州[Yong3 zhou1], Hunan" -蓝山县,lán shān xiàn,"Lanshan county in Yongzhou 永州[Yong3 zhou1], Hunan" -蓝巨星,lán jù xīng,blue giant star -蓝晶,lán jīng,blue topaz; topaz (aluminum fluorosilicate) -蓝本,lán běn,"blueprint; source material on which later works (books, movies etc) are based" -蓝枕八色鸫,lán zhěn bā sè dōng,(bird species of China) blue-naped pitta (Hydrornis nipalensis) -蓝枕花蜜鸟,lán zhěn huā mì niǎo,(bird species of China) purple-naped sunbird (Hypogramma hypogrammicum) -蓝歌鸲,lán gē qú,(bird species of China) Siberian blue robin (Larvivora cyane) -蓝毗尼,lán pí ní,"Lumbini, Nepal, birthplace of Siddhartha Gautama 釋迦牟尼|释迦牟尼[Shi4 jia1 mou2 ni2] founder of Buddhism (also written 嵐毘尼|岚毗尼[Lan2 pi2 ni2], 臘伐尼|腊伐尼[La4 fa2 ni2], 林微尼[Lin2 wei1 ni2])" -蓝海,lán hǎi,"(neologism) an unexplored, as yet uncontested market (contrasted with 紅海|红海[hong2 hai3])" -蓝牙,lán yá,Bluetooth -蓝田,lán tián,"Lantian county in Xi'an 西安[Xi1 an1], Shaanxi" -蓝田种玉,lán tián zhòng yù,a marriage made in heaven (idiom) -蓝田县,lán tián xiàn,"Lantian county in Xi'an 西安[Xi1 an1], Shaanxi" -蓝皮书,lán pí shū,an official report (e.g. governmental) -蓝眉林鸲,lán méi lín qú,(bird species of China) Himalayan bluetail (Tarsiger rufilatus) -蓝短翅鸫,lán duǎn chì dōng,(bird species of China) white-browed shortwing (Brachypteryx montana) -蓝矶鸫,lán jī dōng,(bird species of China) blue rock thrush (Monticola solitarius) -蓝移,lán yí,blue shift (astronomy) -蓝筹股,lán chóu gǔ,blue chip stock -蓝精灵,lán jīng líng,the Smurfs -蓝精灵,lán jīng líng,Smurf -蓝纹奶酪,lán wén nǎi lào,blue cheese -蓝细菌,lán xì jūn,Cyanobacteria (blue-green algae) -蓝绿菌,lán lǜ jūn,Cyanobacteria (blue-green algae) -蓝绿藻,lán lǜ zǎo,Cyanobacteria (blue-green algae) -蓝绿鹊,lán lǜ què,(bird species of China) common green magpie (Cissa chinensis) -蓝缕,lán lǚ,variant of 襤褸|褴褛[lan2 lu:3] -蓝翅八色鸫,lán chì bā sè dōng,(bird species of China) blue-winged pitta (Pitta moluccensis) -蓝翅噪鹛,lán chì zào méi,(bird species of China) blue-winged laughingthrush (Trochalopteron squamatum) -蓝翅希鹛,lán chì xī méi,(bird species of China) blue-winged minla (Minla cyanouroptera) -蓝翅叶鹎,lán chì yè bēi,(bird species of China) blue-winged leafbird (Chloropsis cochinchinensis) -蓝翡翠,lán fěi cuì,(bird species of China) black-capped kingfisher (Halcyon pileata) -蓝耳拟啄木鸟,lán ěr nǐ zhuó mù niǎo,(bird species of China) blue-eared barbet (Megalaima australis) -蓝耳病,lán ěr bìng,porcine reproductive and respiratory syndrome (PRRS); blue-ear swine fever -蓝耳翠鸟,lán ěr cuì niǎo,(bird species of China) blue-eared kingfisher (Alcedo meninting) -蓝背八色鸫,lán bèi bā sè dōng,(bird species of China) blue-rumped pitta (Hydrornis soror) -蓝胸佛法僧,lán xiōng fó fǎ sēng,(bird species of China) European roller (Coracias garrulus) -蓝胸秧鸡,lán xiōng yāng jī,(bird species of China) slaty-breasted rail (Gallirallus striatus) -蓝胸鹑,lán xiōng chún,(bird species of China) blue-breasted quail (Coturnix chinensis) -蓝腰短尾鹦鹉,lán yāo duǎn wěi yīng wǔ,(bird species of China) blue-rumped parrot (Psittinus cyanurus) -蓝肤木,lán fū mù,"sumac (Rhus coriaria), east Mediterranean deciduous shrub with fruit used as spice; also called tanner's sumach or vinegar tree" -蓝脸鲣鸟,lán liǎn jiān niǎo,(bird species of China) masked booby (Sula dactylatra) -蓝舌病,lán shé bìng,blue-tongue (viral disease of livestock) -蓝色,lán sè,blue (color) -蓝色剂,lán sè jì,Agent Blue -蓝色妖姬,lán sè yāo jī,blue rose -蓝色小精灵,lán sè xiǎo jīng líng,the Smurfs; Smurf -蓝草莓,lán cǎo méi,blueberry (Vaccinium angustifolium) -蓝莓,lán méi,blueberry -蓝菌,lán jūn,Cyanobacteria (blue-green algae) -蓝菌门,lán jūn mén,Cyanobacteria (phylum of blue-green algae) -蓝藻,lán zǎo,cyanobacterium (blue-green alga) -蓝藻门,lán zǎo mén,Cyanobacteria (phylum of blue-green algae) -蓝调,lán diào,blues (music) -蓝金黄,lán jīn huáng,"blue, gold and yellow (BGY), the three methods of manipulation: information control (via media and the Internet), money (bribery etc) and sexual temptation (honey trap etc)" -蓝靛,lán diàn,indigo -蓝领,lán lǐng,blue-collar; blue-collar worker -蓝头红尾鸲,lán tóu hóng wěi qú,(bird species of China) blue-capped redstart (Phoenicurus coeruleocephala) -蓝额红尾鸲,lán é hóng wěi qú,(bird species of China) blue-fronted redstart (Phoenicurus frontalis) -蓝额长脚地鸲,lán é cháng jiǎo dì qú,(bird species of China) blue-fronted robin (Cinclidium frontale) -蓝颜知己,lán yán zhī jǐ,close male friend; confidant -蓝饰带花,lán shì dài huā,blue lace flower (Trachymene caerulea) -蓝马鸡,lán mǎ jī,(bird species of China) blue eared pheasant (Crossoptilon auritum) -蓝须夜蜂虎,lán xū yè fēng hǔ,(bird species of China) blue-bearded bee-eater (Nyctyornis athertoni) -蓝鲸,lán jīng,blue whale -蓝鹇,lán xián,(bird species of China) Swinhoe's pheasant (Lophura swinhoii) -荩,jìn,Arthraxon ciliare; loyal -藏,zàng,Tibet; abbr. for Xizang or Tibet Autonomous Region 西藏[Xi1 zang4] -藏,cáng,to conceal; to hide away; to harbor; to store; to collect -藏,zàng,storehouse; depository; Buddhist or Taoist scripture -藏人,zàng rén,Tibetan (person) -藏传佛教,zàng chuán fó jiào,Tibetan Buddhism -藏匿,cáng nì,to cover up; to conceal; to go into hiding -藏品,cáng pǐn,museum piece; collector's item; precious object -藏器待时,cáng qì dài shí,to conceal one's abilities and wait (idiom); to lie low and await the opportune moment -藏垢纳污,cáng gòu nà wū,"to hide dirt, to conceal corruption (idiom); to shelter evil people and accept wrongdoing; aiding and abetting wicked deeds" -藏奸,cáng jiān,to harbor evil intentions -藏宝箱,cáng bǎo xiāng,treasure chest -藏拙,cáng zhuó,avoiding doing something that one is clumsy at to save face -藏掖,cáng yē,to try to cover up; hiding place -藏文,zàng wén,Tibetan script; Tibetan written language; Tibetan language -藏族,zàng zú,Tibetan ethnic group -藏族人,zàng zú rén,Tibetan (person) -藏书,cáng shū,to collect books; library collection -藏书票,cáng shū piào,bookplate -藏毛性疾病,cáng máo xìng jí bìng,pilonidal disease -藏污纳垢,cáng wū nà gòu,"to hide dirt, to conceal corruption (idiom); to shelter evil people and accept wrongdoing; aiding and abetting wicked deeds" -藏獒,zàng áo,Tibetan mastiff -藏独,zàng dú,Tibetan Independence (movement); abbr. for 西藏獨立運動|西藏独立运动 -藏红花,zàng hóng huā,saffron (Crocus sativus) -藏经洞,zàng jīng dòng,"cave holding scripture depository, part of Mogao cave complex 莫高窟, Dunhuang 敦煌" -藏羚,zàng líng,Tibetan antelope; Pantholops hodgsonii; chiru -藏羚羊,zàng líng yáng,Tibetan antelope or Chiru (Pantholops hodgsonii) -藏茴香果,zàng huí xiāng guǒ,caraway -藏藏掖掖,cáng cáng yē yē,to conceal -藏语,zàng yǔ,Tibetan language -藏象,zàng xiàng,hidden inner properties and their external manifestations (TCM) -藏猫儿,cáng māo er,hide and seek -藏猫猫,cáng māo māo,hide and seek; peek-a-boo -藏踪,cáng zōng,to hide -藏身,cáng shēn,to hide; to go into hiding; to take refuge -藏身之处,cáng shēn zhī chù,hiding place; hideout -藏身处,cáng shēn chù,hiding place; hideout; shelter -藏躲,cáng duǒ,to hide; to conceal -藏镜人,cáng jìng rén,man behind the mirror; puppet master; string puller -藏雀,zàng què,(bird species of China) Tibetan rosefinch (Carpodacus roborowskii) -藏雪雀,zàng xuě què,(bird species of China) Henri's snowfinch (Montifringilla henrici) -藏雪鸡,zàng xuě jī,(bird species of China) Tibetan snowcock (Tetraogallus tibetanus) -藏青,zàng qīng,see 藏青色[zang4 qing1 se4] -藏青果,zàng qīng guǒ,chebulic myrobalan (Terminalia chebula) -藏青色,zàng qīng sè,navy blue -藏头露尾,cáng tóu lù wěi,to hide the head and show the tail (idiom); to give a partial account; half-truths -藏马鸡,zàng mǎ jī,(bird species of China) Tibetan eared pheasant (Crossoptilon harmani) -藏黄雀,zàng huáng què,(bird species of China) Tibetan serin (Spinus thibetana) -藏龙卧虎,cáng lóng wò hǔ,"lit. hidden dragon, crouching tiger (idiom); fig. talented individuals in hiding; concealed talent" -藐,miǎo,to despise; small; variant of 渺[miao3] -藐孤,miǎo gū,small orphan -藐小,miǎo xiǎo,variant of 渺小[miao3 xiao3] -藐忽,miǎo hū,to disregard -藐法,miǎo fǎ,to disregard the law -藐藐,miǎo miǎo,contemptuous (of manner); high and distant; mysterious; grand; magnificent -藐视,miǎo shì,to despise; to look down on -藐视一切,miǎo shì yī qiè,to look down upon everything -藒,qiè,see 藒車|藒车[qie4 che1] -藒车,qiè chē,a variety of aromatic herb used as a fragrance or bug repeller (old) -藕,ǒu,root of lotus -藕断丝连,ǒu duàn sī lián,"lit. lotus roots may break, but the fiber remains joined (idiom); lovers part, but still long for one another" -藘,lǘ,madder -藜,lí,"name of weed plant (fat hen, goosefoot, pigweed etc); Chenopodium album" -藜麦,lí mài,quinoa -艺,yì,skill; art -艺不压身,yì bù yā shēn,see 藝多不壓身|艺多不压身[yi4 duo1 bu4 ya1 shen1] -艺人,yì rén,performing artist; actor -艺伎,yì jì,geisha (Japanese female entertainer); also written 藝妓|艺妓[yi4 ji4] -艺名,yì míng,stage name (of an actor or actress) -艺圃,yì pǔ,"The Garden of Cultivation in Suzhou, Jiangsu" -艺坛,yì tán,art circles; art world -艺多不压身,yì duō bù yā shēn,it's always good to have more skills (idiom) -艺妓,yì jì,geisha (Japanese female entertainer); also written 藝伎|艺伎[yi4 ji4] -艺廊,yì láng,(Tw) art gallery -艺校,yì xiào,abbr. for 藝術學校|艺术学校; art school -艺能,yì néng,artistic skill -艺能界,yì néng jiè,show business -艺术,yì shù,art -艺术史,yì shù shǐ,art history -艺术品,yì shù pǐn,art piece; work of art; CL:件[jian4] -艺术学院,yì shù xué yuàn,art institute; art and drama college -艺术家,yì shù jiā,"artist; CL:個|个[ge4],位[wei4],名[ming2]" -艺术片,yì shù piàn,art film; art house film; CL:部[bu4] -艺术节,yì shù jié,arts festival -艺术造街,yì shù zào jiē,city precinct with a streetscape created by artists -艺术馆,yì shù guǎn,art gallery; museum of art -艺术体操,yì shù tǐ cāo,rhythmic gymnastics -藤,téng,rattan; cane; vine -藤井,téng jǐng,Fujii (Japanese surname) -藤原,téng yuán,Fujiwara (Japanese surname) -藤壶,téng hú,barnacle (crustacean) -藤本,téng běn,Fujimoto (Japanese surname) -藤本植物,téng běn zhí wù,vine plant -藤条,téng tiáo,rattan -藤森,téng sēn,"Fujimori (Japanese surname); Alberto Ken'ya Fujimori (1938-), president of Peru 1990-2000" -藤椅,téng yǐ,rattan chair -藤泽,téng zé,Fujisawa (Japanese surname and place name) -藤球,téng qiú,sepak takraw (sport) -藤田,téng tián,Fujita (Japanese surname) -藤箧,téng qiè,wicker suitcase -藤县,téng xiàn,"Teng county in Wuzhou 梧州[Wu2 zhou1], Guangxi" -藤菜,téng cài,see 蕹菜[weng4 cai4] -藤蔓,téng màn,vine; also pr. [teng2 wan4] -藤野,téng yě,Fujino (Japanese surname) -药,yào,"medicine; drug; substance used for a specific purpose (e.g. poisoning, explosion, fermenting); CL:種|种[zhong3],服[fu4],味[wei4]; to poison" -药丸,yào wán,pill; CL:粒[li4] -药代动力学,yào dài dòng lì xué,pharmacokinetics -药典,yào diǎn,pharmacopoeia -药到病除,yào dào bìng chú,lit. the disease is cured the moment the medicine is taken (idiom); fig. (of a medical treatment) to give instant results; (of a solution or method) highly effective -药剂,yào jì,medicine; medicament; drug; chemical compound -药剂士,yào jì shì,druggist; pharmacist -药剂师,yào jì shī,drugstore; chemist; pharmacist -药动学,yào dòng xué,pharmacokinetics -药品,yào pǐn,medicaments; medicine; drug -药商,yào shāng,druggist -药妆,yào zhuāng,cosmeceuticals -药妆店,yào zhuāng diàn,"drugstore; pharmacy (one that offers health, beauty, and wellness products in addition to medicines – a type of store popular in Japan, Taiwan and Hong Kong)" -药学,yào xué,pharmacy -药局,yào jú,pharmacy; dispensary -药师,yào shī,pharmacist -药师佛,yào shī fó,Medicine Buddha (Sanskrit: Bhaisajyaguru) -药师如来,yào shī rú lái,Medicine Buddha (Sanskrit: Bhaisajyaguru) -药师经,yào shī jīng,Healing sutra; Bhaisajyaguru sutra -药店,yào diàn,pharmacy -药性,yào xìng,medicinal effect -药房,yào fáng,pharmacy; drugstore -药效,yào xiào,medicinal effect -药方,yào fāng,prescription -药方儿,yào fāng er,erhua variant of 藥方|药方[yao4 fang1] -药材,yào cái,medicinal ingredient -药棉,yào mián,sterilized cotton (used for medical swabs) -药检,yào jiǎn,drugs test (e.g. on athletes) -药水,yào shuǐ,"Yaksu in North Korea, near the border with Liaoning and Jiling province" -药水,yào shuǐ,medicine in liquid form; bottled medicine; lotion -药水儿,yào shuǐ er,erhua variant of 藥水|药水[yao4 shui3] -药流,yào liú,medical abortion -药渣,yào zhā,dregs of a decoction -药片,yào piàn,a (medicine) pill or tablet; CL:片[pian4] -药物,yào wù,medicaments; pharmaceuticals; medication; medicine; drug -药物代谢动力学,yào wù dài xiè dòng lì xué,pharmacokinetics -药物学,yào wù xué,pharmacology -药物学家,yào wù xué jiā,pharmacologist -药理,yào lǐ,pharmacology -药理学,yào lǐ xué,pharmacology -药瓶,yào píng,medicine bottle -药用,yào yòng,medicinal use; pharmaceutical -药用价值,yào yòng jià zhí,medicinal value -药疗,yào liáo,medication; herbal remedy -药监局,yào jiān jú,State Food and Drug Administration (SFDA); abbr. for 國家食品藥品監督管理局|国家食品药品监督管理局[Guo2 jia1 Shi2 pin3 Yao4 pin3 Jian1 du1 Guan3 li3 ju2] -药签,yào qiān,medical swab -药罐,yào guàn,pot for decocting herbal medicine -药膏,yào gāo,ointment -药膳,yào shàn,medicinal cuisine -药苗,yào miáo,medicinal herb seedling -药草,yào cǎo,medicinal herb -药蜀葵,yào shǔ kuí,marsh mallow (Althaea officinalis) -药补,yào bǔ,medicinal dietary supplement that helps build up one's health -药补不如食补,yào bǔ bù rú shí bǔ,the benefits of medicine are not as great as those of good nutrition -药食同源,yào shí tóng yuán,lit. food and medicine come from the same source (idiom); fig. there is no clear-cut distinction between food and medicine -藨,biāo,kind of raspberry -藩,fān,fence; hedge; (literary) screen; barrier; vassal state; Taiwan pr. [fan2] -藩国,fān guó,feudatory; vassal state -藩属,fān shǔ,vassal state -藩库,fān kù,government repository; state provincial warehouse (esp. during Qing dynasty) -藩篱,fān lí,hedge; fence; (fig.) barrier -藩镇,fān zhèn,lit. fence town; buffer region (between enemies); Tang dynasty system of provincial administration under a provincial governor 節度使|节度使[jie2 du4 shi3] -薮,sǒu,marsh; gathering place -薮泽,sǒu zé,lakes and ponds -薮猫,sǒu māo,serval (Leptailurus serval) -苈,lì,Drabanemerosa hebecarpa -薯,shǔ,variant of 薯[shu3] -蔼,ǎi,friendly -蔼然,ǎi rán,amicable; amiable -蔼蔼,ǎi ǎi,luxuriant (vegetation) -蔺,lìn,surname Lin -蔺,lìn,juncus effusus -蔺相如,lìn xiāng rú,"Ling Xiangru (dates unknown, 3rd century BC), famous statesman of Zhao 趙國|赵国" -藻,zǎo,aquatic grasses; elegant -藻类,zǎo lèi,algae -萱,xuān,old variant of 萱[xuan1] -藿,huò,Lophanthus rugosus; beans -藿香,huò xiāng,wrinkled giant hyssop; Agastache rugosa (botany) -蕊,ruǐ,variant of 蕊[rui3] -蕲,qí,(herb); implore; pray; place name -蕲春,qí chūn,"Qichun County in Huanggang 黃岡|黄冈[Huang2 gang1], Hubei" -蕲春县,qí chūn xiàn,"Qichun County in Huanggang 黃岡|黄冈[Huang2 gang1], Hubei" -蘅,héng,Asarum blumei (wild ginger plant) -蘅塘退士,héng táng tuì shì,"assumed name of Sun Zhu 孫誅|孙诛[Sun1 Zhu1] (1711-1778), poet and compiler of Three Hundred Tang Poems 唐詩三百首|唐诗三百首[Tang2 shi1 San1 bai3 Shou3]" -蘅芜,héng wú,Asarum blumei (ginger plant) -芦,lú,rush; reed; Phragmites communis -芦山,lú shān,"Lushan county in Ya'an 雅安[Ya3 an1], Sichuan" -芦山县,lú shān xiàn,"Lushan county in Ya'an 雅安[Ya3 an1], Sichuan" -芦席,lú xí,reed mat -芦柴棒,lú chái bàng,reed stem; (fig.) extremely skinny person -芦根,lú gēn,reed rhizome (used in TCM) -芦洞,lú dòng,"Rodong or Nodong, series of North Korean medium-range missiles" -芦洲,lú zhōu,"Luzhou or Luchou city in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -芦洲市,lú zhōu shì,"Luzhou or Luchou city in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -芦淞区,lú sōng qū,"Lusong district of Zhuzhou city 株洲市, Hunan" -芦沟桥,lú gōu qiáo,"Lugou Bridge or Marco Polo Bridge in southwest of Beijing, the scene of a conflict that marked the beginning of the Second Sino-Japanese War 抗日戰爭|抗日战争[Kang4 Ri4 Zhan4 zheng1]" -芦沟桥事变,lú gōu qiáo shì biàn,"Marco Polo Bridge Incident of 7th July 1937, regarded as the beginning of the Second Sino-Japanese War 抗日戰爭|抗日战争[Kang4 Ri4 Zhan4 zheng1]" -芦溪,lú xī,"Luxi county in Pingxiang 萍鄉|萍乡, Jiangxi" -芦溪县,lú xī xiàn,"Luxi county in Pingxiang 萍鄉|萍乡, Jiangxi" -芦竹,lú zhú,"Luzhu or Luchu township in Taoyuan county 桃園縣|桃园县[Tao2 yuan2 xian4], north Taiwan" -芦竹乡,lú zhú xiāng,"Luzhu or Luchu township in Taoyuan county 桃園縣|桃园县[Tao2 yuan2 xian4], north Taiwan" -芦笙,lú shēng,reed-pipe wind instrument -芦笋,lú sǔn,asparagus -芦管,lú guǎn,reed pipe -芦花,lú huā,reed catkin; reed flower -芦花黄雀,lú huā huáng què,oriental greenfinch (Carduelis sinica) -芦荻,lú dí,reeds -芦苇,lú wěi,reed -芦苇莺,lú wěi yīng,(bird species of China) Eurasian reed warbler (Acrocephalus scirpaceus) -芦荟,lú huì,aloe vera -芦鳗,lú mán,"variant of 鱸鰻|鲈鳗[lu2 man2], giant mottled eel (Anguilla marmorata)" -苏,sū,surname Su; abbr. for Soviet Union 蘇維埃|苏维埃[Su1wei2ai1] or 蘇聯|苏联[Su1lian2]; abbr. for Jiangsu 江蘇|江苏[Jiang1su1]; abbr. for Suzhou 蘇州|苏州[Su1zhou1] -苏,sū,Perilla frutescens (Chinese basil or wild red basil); place name; to revive; used as phonetic in transliteration -苏丹,sū dān,"Sudan; sultan (ruler of some Muslim states, esp. Ottoman Emperor)" -苏仙,sū xiān,"Suxian, a district of Chenzhou City 郴州市[Chen1zhou1 Shi4], Hunan" -苏仙区,sū xiān qū,"Suxian, a district of Chenzhou City 郴州市[Chen1zhou1 Shi4], Hunan" -苏伊士,sū yī shì,Suez (canal) -苏伊士河,sū yī shì hé,the Suez canal -苏伊士运河,sū yī shì yùn hé,Suez Canal -苏占区,sū zhàn qū,Soviet-occupied area (of Eastern Europe etc) -苏俄,sū é,Soviet Russia -苏克雷,sū kè léi,"Sucre, constitutional capital of Bolivia" -苏共,sū gòng,Soviet Communist Party; abbr. for 蘇聯共產黨|苏联共产党[Su1 lian2 Gong4 chan3 dang3] -苏利南,sū lì nán,"Suriname, NE of South America (Tw)" -苏台德地区,sū tái dé dì qū,Sudetenland -苏合香,sū hé xiāng,"snowdrop bush (Styrax officinalis); gum storax, used in TCM" -苏哈托,sū hā tuō,"Suharto (1921-2008), former Indonesian general, president of the Republic of Indonesia 1967-1998" -苏报案,sū bào àn,"Qing's 1903 suppression of revolutionary calls in newspaper 蘇報|苏报, leading to imprisonment of Zhang Taiyan 章太炎 and Zou Rong 鄒容|邹容" -苏姆盖特,sū mǔ gài tè,"Sumgayit, city in Azerbaijan" -苏家屯,sū jiā tún,"Sujiatun District of Shenyang 瀋陽市|沈阳市[Shen3yang2 Shi4], Liaoning" -苏家屯区,sū jiā tún qū,"Sujiatun District of Shenyang 瀋陽市|沈阳市[Shen3yang2 Shi4], Liaoning" -苏富比,sū fù bǐ,Sotheby's auction house -苏宁电器,sū níng diàn qì,Suning Appliance (PRC electrical retailer) -苏尼特右旗,sū ní tè yòu qí,"Sonid Right banner in Xilingol League 錫林郭勒盟|锡林郭勒盟[Xi1 lin2 guo1 le4 Meng2], Inner Mongolia" -苏尼特左旗,sū ní tè zuǒ qí,"Sonid Left banner in Xilingol League 錫林郭勒盟|锡林郭勒盟[Xi1 lin2 guo1 le4 Meng2], Inner Mongolia" -苏州,sū zhōu,"Suzhou, prefecture-level city in Jiangsu" -苏州大学,sū zhōu dà xué,"Suzhou or Soochow University (Suzhou, PRC since 1986)" -苏州市,sū zhōu shì,"Suzhou, prefecture-level city in Jiangsu" -苏州河,sū zhōu hé,Suzhou Creek (river in Shanghai) -苏州码子,sū zhōu mǎ zi,"Suzhou numerals, i.e. the ten numerals 〡,〢,〣,〤,〥,〦,〧,〨,〩,〸 nowadays mainly used in traditional trades such as Chinese medicine; also called 草碼|草码[cao3 ma3]" -苏州话,sū zhōu huà,"Suzhou dialect, one of the main Wu dialects 吳語|吴语[Wu2 yu3]" -苏必利尔湖,sū bì lì ěr hú,"Lake Superior, one of the Great Lakes 五大湖[Wu3 da4 hu2]" -苏打,sū dá,soda (loanword) -苏打水,sū dá shuǐ,soda drink (loanword) -苏打粉,sū dá fěn,baking soda -苏打饼干,sū dá bǐng gān,soda biscuit; cracker -苏拉威西,sū lā wēi xī,Sulawesi or Celebes (Indonesian Island) -苏易简,sū yì jiǎn,"Su Yijian (958-997), Northern Song writer and poet" -苏曼殊,sū màn shū,"Su Manshu (1884-1918), Chinese writer, journalist, Buddhist monk, participant in the revolutionary movement" -苏木,sū mù,"sappan wood (Caesalpinia sappan), used in Chinese medicine; administrative subdivision of banner 旗 (county) in Inner Mongolia (Mongol: arrow)" -苏杭,sū háng,Suzhou 蘇州|苏州[Su1 zhou1] and Hangzhou 杭州[Hang2 zhou1] -苏东坡,sū dōng pō,"Su Dongpo, another name for Su Shi 蘇軾|苏轼 (1037-1101), northern Song writer and calligrapher" -苏枋,sū fāng,sappanwood (Caesalpinia sappan) -苏枋木,sū fāng mù,"sappan wood (Caesalpinia sappan), used in Chinese medicine" -苏格拉底,sū gé lā dǐ,"Socrates (469-399 BC), Greek philosopher; José Sócrates (1957-), prime minister of Portugal (2005-2011)" -苏格兰,sū gé lán,Scotland -苏格兰场,sū gé lán chǎng,Scotland Yard -苏格兰女王玛丽,sū gé lán nǚ wáng mǎ lì,"Mary, Queen of Scots (1542-87)" -苏格兰帽,sū gé lán mào,bonnet -苏格兰折耳猫,sū gé lán zhé ěr māo,Scottish Fold -苏格兰牧羊犬,sū gé lán mù yáng quǎn,Scotch collie; rough collie -苏步青,sū bù qīng,"Su Buqing (1902-2003), Chinese mathematician" -苏武,sū wǔ,"Su Wu (140-60 BC), Han Dynasty diplomat and statesman, regarded as a model of courage and faithful service" -苏氨酸,sū ān suān,"threonine (Thr), an essential amino acid" -苏洵,sū xún,"Su Xun (1009-1066), Song essayist, one of the Three Su's 三蘇|三苏[San1 Su1] and also one of Eight Giants 唐宋八大家[Tang2 Song4 ba1 da4 jia1]" -苏澳,sū ào,"Suao Township in Yilan County 宜蘭縣|宜兰县[Yi2lan2 Xian4], Taiwan" -苏澳镇,sū ào zhèn,"Suao Township in Yilan County 宜蘭縣|宜兰县[Yi2lan2 Xian4], Taiwan" -苏尔,sū ěr,Sol (goddess) -苏珊,sū shān,Susan (name) -苏瓦,sū wǎ,"Suva, capital of Fiji" -苏生,sū shēng,to revive; to come back to life -苏禄,sū lù,old term for Sulawesi or Celebes 蘇拉威西|苏拉威西[Su1 la1 wei1 xi1] -苏秦,sū qín,"Su Qin (340-284 BC), political strategist of the School of Diplomacy 縱橫家|纵横家[Zong4 heng2 jia1] during the Warring States Period (475-220 BC)" -苏维埃,sū wéi āi,Soviet (council) -苏维埃俄国,sū wéi āi é guó,Soviet Russia (1917-1991) -苏维埃社会主义共和国联盟,sū wéi āi shè huì zhǔ yì gòng hé guó lián méng,"Union of Soviet Socialist Republics (USSR), 1922-1991; abbr. to 蘇聯|苏联[Su1 lian2] Soviet Union" -苏绣,sū xiù,"Suzhou embroidery, one of the four major traditional styles of Chinese embroidery (the other three being 湘繡|湘绣[Xiang1 xiu4], 粵繡|粤绣[Yue4 xiu4] and 蜀繡|蜀绣[Shu3 xiu4])" -苏美尔,sū měi ěr,"Sumer (Šumer), one of the early civilizations of the Ancient Near East" -苏联,sū lián,"Soviet Union, 1922-1991; abbr. for Union of Soviet Socialist Republics (USSR) 蘇維埃社會主義共和國聯盟|苏维埃社会主义共和国联盟[Su1 wei2 ai1 She4 hui4 zhu3 yi4 Gong4 he2 guo2 Lian2 meng2]" -苏联之友社,sū lián zhī yǒu shè,Soviet Union friendly society -苏联最高苏维埃,sū lián zuì gāo sū wéi āi,Supreme Soviet -苏胺酸,sū àn suān,threonine -苏花公路,sū huā gōng lù,"Suhua Highway, coastal road in northern Taiwan, built on the side of cliffs above the Pacific Ocean" -苏菜,sū cài,Jiangsu cuisine -苏菲,sū fēi,Sophie (name); Sufi -苏莱曼,sū lái màn,"Suleiman (name); General Michel Suleiman (1948-), Lebanese military man and politician, president of Lebanon 2008-2014" -苏西洛,sū xī luò,"Susilo Bambang Yudhoyono (1949-), retired Indonesian general, president of the Republic of Indonesia 2004-2014" -苏贞昌,sū zhēn chāng,"Su Tseng-chang (1947-), Taiwanese DPP politician, premier of the Republic of China (2019-)" -苏轼,sū shì,"Su Shi (1037-1101), aka Su Dongpo 蘇東坡|苏东坡[Su1 Dong1 po1], Song dynasty writer, calligrapher and public official, one of the Three Su's 三蘇|三苏[San1 Su1] and one of the Eight Giants of Tang and Song Prose 唐宋八大家[Tang2 Song4 Ba1 Da4 jia1]" -苏辙,sū zhé,"Su Zhe (1039-1112), Song writer and politician, one of the Three Su's 三蘇|三苏[San1 Su1] and also one of the Eight Giants 唐宋八大家[Tang2 Song4 ba1 da4 jia1]" -苏迪曼杯,sū dí màn bēi,Sudirman Cup (world badminton team competition) -苏里南,sū lǐ nán,Suriname -苏里南河,sū lǐ nán hé,Suriname River -苏金达,sū jīn dá,"Sukinda, Indian city" -苏铁,sū tiě,sago palm (Cycas revoluta) -苏门答腊,sū mén dá là,"Sumatra, one of the Indonesian islands" -苏门答腊岛,sū mén dá là dǎo,Sumatra (one of the Indonesian islands) -苏门达腊,sū mén dá là,variant of 蘇門答臘|苏门答腊[Su1 men2 da2 la4] -苏非主义,sū fēi zhǔ yì,Sufism (Islamic mystic tradition) -苏黎世,sū lí shì,"Zurich, Switzerland" -苏黎世联邦理工学院,sū lí shì lián bāng lǐ gōng xué yuàn,"Eidgenössische Technische Hochschule (ETH) Zürich, a university" -苏黎士,sū lí shì,variant of 蘇黎世|苏黎世[Su1 li2 shi4] -蕴,yùn,to accumulate; to hold in store; to contain; to gather together; to collect; depth; inner strength; profundity -蕴含,yùn hán,to contain; to accumulate -蕴和,yùn hé,to contain (e.g. poem contains feelings); contained in -蕴涵,yùn hán,to contain; to accumulate; to embrace; implicit condition; implication; entailment -蕴积,yùn jī,to coalesce; to accumulate -蕴结,yùn jié,"latent (desire, feeling etc); bottled up" -蕴聚,yùn jù,to contain; to accumulate; to hold concealed -蕴蓄,yùn xù,latent; hidden and not developed -蕴藉,yùn jiè,implicit; restrained; to be imbued with -蕴藏,yùn cáng,to hold in store; to contain (untapped reserves etc) -蕴藏量,yùn cáng liàng,reserves; amount still in store -苹,píng,used in 蘋果|苹果[ping2 guo3] -苹果,píng guǒ,"apple; CL:個|个[ge4],顆|颗[ke1]" -苹果公司,píng guǒ gōng sī,Apple Inc. -苹果手机,píng guǒ shǒu jī,Apple phone; iPhone -苹果核,píng guǒ hé,apple core -苹果汁,píng guǒ zhī,apple juice -苹果派,píng guǒ pài,apple pie -苹果蠹蛾,píng guǒ dù é,codling moth; codlin moth -苹果酒,píng guǒ jiǔ,cider -苹果酱,píng guǒ jiàng,apple sauce; apple jam -苹果电脑,píng guǒ diàn nǎo,Apple computer; Mac; Macintosh -苹果馅饼,píng guǒ xiàn bǐng,apple pie -萱,xuān,old variant of 萱[xuan1] -蘑,mó,mushroom -蘑菇,mó gu,mushroom; to pester; to dawdle -蘑菇汤,mó gu tāng,mushroom soup -蘑菇云,mó gū yún,mushroom cloud -苏,sū,old variant of 蘇|苏[su1] -蘘,ráng,a kind of wild ginger -蘘荷,ráng hé,myoga ginger (Zingiber mioga) -藓,xiǎn,moss; lichen; moss on damp walls; used erroneously for 蘇|苏 -藓苔,xiǎn tái,moss -蔹,liǎn,trailing plant; liana; creeper; wild vine (Gynostemma pentaphyllum or Vitis pentaphylla) -茏,lóng,Polygonum posumbu -花,huā,variant of 花[hua1]; flower; blossom; also pr. [wei3] -蘧,qú,surname Qu -蘧,qú,Dianthus superbus -蘧然,qú rán,(literary) to be pleasantly surprised -蘩,fán,Artemisia stellariana -兰,lán,"surname Lan; abbr. for Lanzhou 蘭州|兰州[Lan2zhou1], Gansu" -兰,lán,orchid (蘭花|兰花 Cymbidium goeringii); fragrant thoroughwort (蘭草|兰草 Eupatorium fortunei); lily magnolia (木蘭|木兰) -兰交,lán jiāo,close friendship; a meeting of minds -兰克,lán kè,"Rank (name); Leopold von Ranke (1795-1886), important German historian" -兰博基尼,lán bó jī ní,Lamborghini (Italian car manufacturer) -兰因絮果,lán yīn xù guǒ,starts well but ends in separation (of marital relations) -兰坪,lán píng,Lanping Bai and Pumi autonomous county in Nujiang Lisu autonomous prefecture 怒江傈僳族自治州[Nu4 jiang1 Li4 su4 zu2 zi4 zhi4 zhou1] in northwest Yunnan -兰坪白族普米族自治县,lán píng bái zú pǔ mǐ zú zì zhì xiàn,Lanping Bai and Pumi autonomous county in Nujiang Lisu autonomous prefecture 怒江傈僳族自治州[Nu4 jiang1 Li4 su4 zu2 zi4 zhi4 zhou1] in northwest Yunnan -兰坪县,lán píng xiàn,Lanping Bai and Pumi autonomous county in Nujiang Lisu autonomous prefecture 怒江傈僳族自治州[Nu4 jiang1 Li4 su4 zu2 zi4 zhi4 zhou1] in northwest Yunnan -兰姆,lán mǔ,Lamb (name) -兰姆,lán mǔ,rum (beverage) (loanword) -兰姆打,lán mǔ dǎ,lambda (Greek letter Λλ) -兰姆达,lán mǔ dá,lambda (Greek letter Λλ) -兰姆酒,lán mǔ jiǔ,rum (beverage) (loanword) -兰学,lán xué,Dutch studies (study of Europe and the world in premodern Japan) -兰室,lán shì,a lady's room (honorific) -兰山,lán shān,"Lanshan district of Linyi city 臨沂市|临沂市[Lin2 yi2 shi4], Shandong" -兰山区,lán shān qū,"Lanshan district of Linyi city 臨沂市|临沂市[Lin2 yi2 shi4], Shandong" -兰屿,lán yǔ,"Lanyu or Orchid Island township in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan" -兰屿乡,lán yǔ xiāng,"Lanyu or Orchid Island township in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan" -兰州,lán zhōu,Lanzhou prefecture-level city and capital of Gansu province 甘肅|甘肃[Gan1 su4] -兰州大学,lán zhōu dà xué,Lanzhou University -兰州市,lán zhōu shì,Lanzhou prefecture-level city and capital of Gansu province 甘肅|甘肃[Gan1 su4] -兰摧玉折,lán cuī yù zhé,premature death of a budding talent; those whom the Gods love die young -兰斯,lán sī,Reims (city in France) -兰斯洛特,lán sī luò tè,Lancelot (name) -兰新,lán xīn,Lanzhou and Xinjiang -兰新铁路,lán xīn tiě lù,Lanzhou-Xinjiang railway -兰溪,lán xī,"Lanxi, county-level city in Jinhua 金華|金华[Jin1 hua2], Zhejiang" -兰溪市,lán xī shì,"Lanxi, county-level city in Jinhua 金華|金华[Jin1 hua2], Zhejiang" -兰特,lán tè,Rand or Randt (name) -兰玉,lán yù,your son (honorific) -兰科,lán kē,Orchidaceae -兰章,lán zhāng,a beautiful speech or piece of writing; your beautiful article (honorific) -兰考,lán kǎo,"Lankao county in Kaifeng 開封|开封[Kai1 feng1], Henan" -兰考县,lán kǎo xiàn,"Lankao county in Kaifeng 開封|开封[Kai1 feng1], Henan" -兰舟,lán zhōu,lit. boat made of lily magnolia wood; poetic term for boat -兰艾同焚,lán ài tóng fén,lit. to burn both fragrant orchids and stinking weeds (idiom); fig. to destroy indiscriminately the noble and common; the rain falls on the just and unjust alike -兰花,lán huā,cymbidium; orchid -兰花指,lán huā zhǐ,"hand gesture in traditional dances (joined thumb and middle finger, the rest extended)" -兰若,lán rě,"Buddhist temple (transliteration of Sanskrit ""Aranyakah"") (abbr. for 阿蘭若|阿兰若[a1 lan2 re3])" -兰蔻,lán kòu,"Lancôme, French cosmetics brand" -兰西,lán xī,"Langxi county in Suihua 綏化|绥化, Heilongjiang" -兰西县,lán xī xiàn,"Langxi county in Suihua 綏化|绥化, Heilongjiang" -兰言,lán yán,intimate conversation -兰谱,lán pǔ,lit. directory of orchids; fig. genealogical record (esp. exchanged between sworn brothers) -兰辛,lán xīn,"Lansing, capital of Michigan" -兰迪斯,lán dí sī,Landis (name) -兰郑长成品油管道,lán zhèng cháng chéng pǐn yóu guǎn dào,Lanzhou-Zhengzhou-Changsha oil pipeline -兰郑长管道,lán zhèng cháng guǎn dào,Lanzhou-Zhengzhou-Changsha oil pipeline -兰开夏郡,lán kāi xià jùn,Lancashire (English county) -兰开斯特,lán kāi sī tè,Lancaster -兰闺,lán guī,a lady's room (honorific) -兰陵,lán líng,"Lanling County in Linyi 臨沂|临沂[Lin2 yi2], Shandong" -兰陵笑笑生,lán líng xiào xiào shēng,"Lanling Xiaoxiaosheng, pseudonym of the Ming dynasty writer and author of the Golden Lotus 金瓶梅[Jin1 ping2 mei2]" -兰陵县,lán líng xiàn,"Lanling County in Linyi 臨沂|临沂[Lin2 yi2], Shandong" -兰麝,lán shè,lit. orchids and musk; fig. sweet perfumes -蘵,zhí,Physalis angulata -蘸,zhàn,"to dip in (ink, sauce etc)" -蘸火,zhàn huǒ,to quench (a metal workpiece) -蘸破,zhàn pò,to wake up due to noise -蘸酱,zhàn jiàng,dipping sauce; to dip in sauce -蓠,lí,"red algae; Gracilaria, several species, some edible; Japanese ogonori; arch. used for vanilla-like herb" -蘼,mí,millet -蘼芜,mí wú,Gracilaria confervoides (a fragrant herb) -萝,luó,radish -萝北,luó běi,"Luobei county in Hegang 鶴崗|鹤岗[He4 gang3], Heilongjiang" -萝北县,luó běi xiàn,"Luobei county in Hegang 鶴崗|鹤岗[He4 gang3], Heilongjiang" -萝岗,luó gǎng,"Luogang District of Guangzhou City 廣州市|广州市[Guang3 zhou1 Shi4], Guangdong" -萝岗区,luó gǎng qū,"Luogang District of Guangzhou City 廣州市|广州市[Guang3 zhou1 Shi4], Guangdong" -萝艻,luó lè,old variant of 羅勒|罗勒[luo2 le4] -萝莉,luó lì,"a Lolita (young, cute girl)" -萝莉控,luó lì kòng,lolicon or rorikon (Japanese loanword); manga or anime genre depicting young girls in an erotic manner -萝卜,luó bo,"radish (Raphanus sativus), esp. white radish 白蘿蔔|白萝卜[bai2 luo2 bo5]; CL:個|个[ge4],根[gen1]" -萝卜快了不洗泥,luó bo kuài le bù xǐ ní,"when radishes are selling fast, one doesn't take the time to wash the soil off them (idiom); fig. when business is booming, merchants tend to offer goods of inferior quality" -萝卜糕,luó bo gāo,"radish cake (a type of dim sum, commonly called ""turnip cake"")" -虍,hū,"stripes of a tiger; ""tiger"" radical in Chinese characters (Kangxi radical 141)" -虎,hǔ,tiger; CL:隻|只[zhi1] -虎不拉,hù bu lǎ,(dialect) shrike; Taiwan pr. [hu3 bu5 la1] -虎丘,hǔ qiū,"Huqiu district of Suzhou city 蘇州市|苏州市[Su1 zhou1 shi4], Jiangsu" -虎丘区,hǔ qiū qū,"Huqiu district of Suzhou city 蘇州市|苏州市[Su1 zhou1 shi4], Jiangsu" -虎列拉,hǔ liè lā,cholera (loanword) -虎口,hǔ kǒu,tiger's den; dangerous place; the web between the thumb and forefinger of a hand -虎口余生,hǔ kǒu yú shēng,lit. to escape from the tiger's mouth (idiom); fig. to narrowly escape death -虎咬猪,hǔ yǎo zhū,see 刈包[gua4 bao1] -虎子,hǔ zǐ,tiger cub; brave young man -虎字头,hǔ zì tóu,"name of ""tiger"" radical in Chinese characters (Kangxi radical 141); see also 虍[hu1]" -虎将,hǔ jiàng,valiant general -虎尾,hǔ wěi,"Huwei town in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -虎尾春冰,hǔ wěi chūn bīng,lit. like stepping on a tiger's tail or spring ice (idiom); fig. extremely dangerous situation -虎尾兰,hǔ wěi lán,snake plant aka mother-in-law's tongue (Dracaena trifasciata) -虎尾镇,hǔ wěi zhèn,"Huwei town in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -虎年,hǔ nián,Year of the Tiger (e.g. 2010) -虎斑地鸫,hǔ bān dì dōng,(bird species of China) scaly thrush (Zoothera dauma) -虎斑蝶,hǔ bān dié,common tiger butterfly (Danaus genutia) -虎斑鹦鹉,hǔ bān yīng wǔ,"budgerigar (genus Psittacella, several species); budgie" -虎林,hǔ lín,"Hulin, county-level city in Jixi 雞西|鸡西[Ji1 xi1], Heilongjiang" -虎林市,hǔ lín shì,"Hulin, county-level city in Jixi 雞西|鸡西[Ji1 xi1], Heilongjiang" -虎毒不食子,hǔ dú bù shí zǐ,"a tiger, though cruel, will not devour its cubs (idiom); even wild beasts look after their young" -虎烈拉,hǔ liè lā,cholera (loanword) -虎爪派,hǔ zhuǎ pài,"Hu Zhua Pai - ""Tiger Claw Sytem"" - Martial Art" -虎父无犬子,hǔ fù wú quǎn zǐ,"lit. father a lion, son cannot be a dog (honorific); With a distinguished father such as you, the son is sure to do well.; like father, like son" -虎牌,hǔ pái,Tiger Brand (beer) -虎牙,hǔ yá,(coll.) eye tooth (maxillary canine tooth) -虎狮兽,hǔ shī shòu,"tigon or tiglon, hybrid cross between a male tiger and a lioness" -虎皮鹦鹉,hǔ pí yīng wǔ,budgerigar -虎符,hǔ fú,"tiger tally (a two-piece object made in the shape of a tiger, used in ancient China as proof of authority. One half of a tally could be issued to a military officer and this would be matched with the other half when verification was required.)" -虎纹伯劳,hǔ wén bó láo,(bird species of China) tiger shrike (Lanius tigrinus) -虎背熊腰,hǔ bèi xióng yāo,back of a tiger and waist of a bear; tough and stocky build -虎虎,hǔ hǔ,vigorous; formidable; strong -虎视眈眈,hǔ shì dān dān,to glare like a tiger watching his prey (idiom); to eye covetously -虎起脸,hǔ qǐ liǎn,to take a fierce look -虎跳峡,hǔ tiào xiá,"Tiger Leaping Gorge on the Jinsha River 金沙江[Jin1 sha1 jiang1] in Lijiang Naxi autonomous county 麗江納西族自治縣|丽江纳西族自治县[Li4 jiang1 Na4 xi1 zu2 Zi4 zhi4 xian4], Yunnan" -虎踞龙盘,hǔ jù lóng pán,lit. where tigers crouch and dragons coil (idiom); fig. forbidding terrain -虎踞龙蟠,hǔ jù lóng pán,lit. where tigers crouch and dragons coil (idiom); fig. forbidding terrain -虎蹲炮,hǔ dūn pào,a short-barreled mortar; an ancient catapult -虎钳,hǔ qián,vise -虎门,hǔ mén,"the Bocca Tigris, a narrow strait in the Pearl River Delta, Guangdong; Humen Town 虎門鎮|虎门镇[Hu3 men2 Zhen4]" -虎门镇,hǔ mén zhèn,"Humen Town, also known as Taiping 太平[Tai4 ping2], a town within Dongguan prefecture-level city 東莞市|东莞市[Dong1 guan3 Shi4], Guangdong" -虎头海雕,hǔ tóu hǎi diāo,(bird species of China) Steller's sea eagle (Haliaeetus pelagicus) -虎头牌,hǔ tóu pái,"The Tiger tablet, Yuan dynasty play by Li Zhifu 李直夫[Li3 Zhi2 fu1]" -虎头蛇尾,hǔ tóu shé wěi,"lit. tiger's head, snake's tail (idiom); fig. a strong start but weak finish" -虎头蜂,hǔ tóu fēng,hornet -虎骨,hǔ gǔ,tiger bone (used in TCM) -虎魄,hǔ pò,variant of 琥珀[hu3 po4] -虎鲸,hǔ jīng,killer whale (Orcinus orca) -虐,nüè,oppressive; tyrannical -虐待,nüè dài,to mistreat; to maltreat; to abuse; mistreatment; maltreatment -虐待狂,nüè dài kuáng,sadism; sadist -虐心,nüè xīn,heartbreaking; tear-jerking -虐恋,nüè liàn,painful love affair; sadomasochism -虐杀,nüè shā,to kill (or assault) sadistically -虒,sī,amphibious animal with one horn -虔,qián,to act with reverence; reverent -虔信,qián xìn,piety; devotion (to a religion); pious (believer); devout -虔信主义,qián xìn zhǔ yì,fideism; fundamentalism -虔信派,qián xìn pài,pious sect; fundamentalist faction -虔信者,qián xìn zhě,pious believer; devotee; fundamentalist -虔敬,qián jìng,reverent -虔诚,qián chéng,pious; devout; sincere -处,chǔ,to reside; to live; to dwell; to be in; to be situated at; to stay; to get along with; to be in a position of; to deal with; to discipline; to punish -处,chù,"place; location; spot; point; office; department; bureau; respect; classifier for locations or items of damage: spot, point" -处世,chǔ shì,to conduct oneself in society -处世之道,chǔ shì zhī dào,way of life; attitude; modus operandi -处世原则,chǔ shì yuán zé,a maxim; one's principles -处之泰然,chǔ zhī tài rán,see 泰然處之|泰然处之[tai4 ran2 chu3 zhi1] -处事,chǔ shì,to handle affairs; to deal with matters -处事原则,chǔ shì yuán zé,a maxim; one's principles -处分,chǔ fèn,to discipline sb; to punish; disciplinary action; to deal with (a matter); CL:個|个[ge4] -处刑,chǔ xíng,to sentence; to condemn -处在,chǔ zài,to be situated at; to find oneself at -处堂燕雀,chù táng yàn què,lit. a caged bird in a pavilion (idiom); fig. to lose vigilance by comfortable living; unaware of the disasters ahead; a fool's paradise -处境,chǔ jìng,situation (of a person) -处女,chǔ nǚ,virgin; maiden; maiden (voyage etc); virgin (land); (a novelist's) first (work) -处女作,chǔ nǚ zuò,first publication; maiden work -处女座,chǔ nǚ zuò,Virgo (constellation and sign of the zodiac); popular variant of 室女座[Shi4 nu:3 zuo4] -处女膜,chǔ nǚ mó,hymen -处女航,chǔ nǚ háng,maiden voyage -处子,chǔ zǐ,(literary) virgin; maiden -处子秀,chǔ zǐ xiù,debut (by a male performer or sports player) -处心积虑,chǔ xīn jī lǜ,to plot actively (idiom); scheming; calculating -处所,chù suǒ,place -处方,chǔ fāng,medical prescription; to write out a prescription; (fig.) recommendation; advice -处方药,chǔ fāng yào,prescription drug -处于,chǔ yú,"to be in (some state, position, or condition)" -处暑,chǔ shǔ,"Chushu or End of Heat, 14th of the 24 solar terms 二十四節氣|二十四节气 23rd August-7th September" -处格,chù gé,locative case -处死,chǔ sǐ,an execution; to put sb to death -处决,chǔ jué,to execute (a condemned criminal) -处治,chǔ zhì,to punish; to handle; to deal with (literary) -处理,chǔ lǐ,to handle; to deal with; to punish; to treat sth by a special process; to process; to sell at reduced prices -处理器,chǔ lǐ qì,processor -处理者,chǔ lǐ zhě,handler (computing) -处理能力,chǔ lǐ néng lì,processing capability; throughput -处男,chǔ nán,virgin (male) -处级,chù jí,(administrative) department-level -处置,chǔ zhì,to handle; to take care of; to punish -处罚,chǔ fá,to penalize; to punish -处处,chù chù,everywhere; in all respects -处警,chǔ jǐng,(of police etc) to deal with an emergency incident -处变不惊,chǔ biàn bù jīng,to remain calm in the face of events (idiom) -处长,chù zhǎng,department head; section chief -虖,hū,to exhale; to call; scream of tiger -虚,xū,emptiness; void; abstract theory or guiding principles; empty or unoccupied; diffident or timid; false; humble or modest; (of health) weak; virtual; in vain -虚不受补,xū bù shòu bǔ,a person who is in poor health cannot handle sth so strong as a tonic -虚位以待,xū wèi yǐ dài,to reserve a seat; to leave a position vacant -虚假,xū jiǎ,false; phony; pretense -虚伪,xū wěi,false; hypocritical; artificial; sham -虚伪类真,xū wěi lèi zhēn,false but apparently real -虚像,xū xiàng,virtual image -虚名,xū míng,false reputation -虚报,xū bào,to misreport; fraudulent report -虚妄,xū wàng,fabricated -虚客族,xū kè zú,people who like to window-shop for unaffordable luxuries -虚宫格,xū gōng gé,four-square box in which one practices writing a Chinese character -虚实,xū shí,what is true and what is false; (to get to know) the real situation -虚己以听,xū jǐ yǐ tīng,to listen to the ideas of others with an open mind (idiom) -虚席以待,xū xí yǐ dài,to reserve a seat for sb (idiom) -虚幻,xū huàn,imaginary; illusory -虚度,xū dù,to fritter away (one's time) -虚度光阴,xū dù guāng yīn,to waste time on worthless activities -虚弱,xū ruò,weak; in poor health -虚张声势,xū zhāng shēng shì,(false) bravado; to bluff -虚心,xū xīn,open-minded; humble -虚心好学,xū xīn hào xué,modest and studious (idiom) -虚情假意,xū qíng jiǎ yì,false friendship; hypocritical show of affection -虚应了事,xū yìng liǎo shì,see 虛應故事|虚应故事[xu1 ying4 gu4 shi4] -虚应故事,xū yìng gù shì,to go through the motions -虚怀若谷,xū huái ruò gǔ,receptive as an echoing canyon (idiom); modest and open-minded -虚掩,xū yǎn,"to partially obscure; (of a door, gate or window) slightly open; ajar; not fully shut; unlocked; (of a jacket or shirt) unbuttoned" -虚损,xū sǔn,"(TCM) consumptive disease, chronic deficiency disorder due to impaired function of inner organs, deficiency of qi, blood, yin and yang; asthenia" -虚拟,xū nǐ,to imagine; to make up; fictitious; theoretical; hypothetical; (computing) to emulate; (computing) virtual -虚拟实境,xū nǐ shí jìng,virtual reality (Tw) -虚拟专用网络,xū nǐ zhuān yòng wǎng luò,virtual private network (VPN) -虚拟机,xū nǐ jī,virtual machine -虚拟现实,xū nǐ xiàn shí,virtual reality -虚拟现实置标语言,xū nǐ xiàn shí zhì biāo yǔ yán,virtual reality markup language (VRML) (computing) -虚拟环境,xū nǐ huán jìng,virtual environment -虚拟私人网络,xū nǐ sī rén wǎng luò,virtual private network (VPN) -虚拟网络,xū nǐ wǎng luò,virtual network -虚拟语气,xū nǐ yǔ qì,subjunctive mood (grammar) -虚拟连接,xū nǐ lián jiē,virtual connection -虚数,xū shù,imaginary number -虚文,xū wén,dead letter; rule no longer in force; empty formality -虚文浮礼,xū wén fú lǐ,empty formality -虚星,xū xīng,imaginary star (in astrology) -虚有其表,xū yǒu qí biǎo,looks impressive but is worthless (idiom); not as good as it looks; a reputation with no substance -虚荣,xū róng,vanity -虚荣心,xū róng xīn,vanity -虚构,xū gòu,to make up; fabrication; fictional; imaginary -虚构小说,xū gòu xiǎo shuō,fiction -虚标,xū biāo,to falsely or exaggeratedly label (a product) -虚岁,xū suì,"one's age, according to the traditional Chinese method of reckoning (i.e. the number of Chinese calendar years in which one has lived) – In this system, a person's age at birth is one, and increases by one at the beginning of the first solar term 立春[Li4 chun1] each year, rather than on one's birthday.; contrasted with 實歲|实岁[shi2 sui4]" -虚火,xū huǒ,"excess of internal heat due to poor general condition (TCM); the prestige of another person, which one borrows for oneself" -虚无,xū wú,nothingness -虚无主义,xū wú zhǔ yì,nihilism -虚无假设,xū wú jiǎ shè,null hypothesis (statistics) -虚无缥缈,xū wú piāo miǎo,illusory; imaginary; fanciful -虚发,xū fā,to miss the target (with a bullet or an arrow) -虚空,xū kōng,void; hollow; empty -虚空藏菩萨,xū kōng zàng pú sà,Akasagarbha Bodhisattva -虚粒子,xū lì zǐ,virtual particle -虚线,xū xiàn,dotted line; dashed line; (math.) imaginary line -虚缺号,xū quē hào,"white square character ( □ ), used to represent a missing ideograph" -虚职,xū zhí,nominal position -虚脱,xū tuō,to collapse (from dehydration or loss of blood); heat exhaustion -虚腕,xū wàn,empty wrist (method of painting) -虚与委蛇,xū yǔ wēi yí,to feign civility (idiom) -虚虚实实,xū xū shí shí,hard to tell if it's real or sham -虚言,xū yán,empty words; false words -虚诈,xū zhà,tricky and hypocritical -虚词,xū cí,(linguistics) function word -虚夸,xū kuā,to boast; to brag; boastful; exaggerative; pompous; bombastic -虚谎,xū huǎng,false -虚警,xū jǐng,false alert -虚誉,xū yù,imaginary reputation; empty fame -虚电路,xū diàn lù,virtual circuit; VC -虚头,xū tóu,to play tricks; to deceive -虚飘飘,xū piāo piāo,light and airy; floating -虚惊,xū jīng,false alarm; panic rumor; CL:場|场[chang2] -虏,lǔ,prisoner of war; to capture; to take prisoner; (old) northern barbarian; slave -虏获,lǔ huò,capture (people) -虞,yú,surname Yu -虞,yú,(literary) to expect; to anticipate; (literary) to be concerned about; to be apprehensive; (literary) to deceive; to dupe -虞世南,yú shì nán,"Yu Shinan (558-638), politician of Sui and early Tang periods, poet and calligrapher, one of Four Great Calligraphers of early Tang 唐初四大家[Tang2 chu1 Si4 Da4 jia1]" -虞喜,yú xǐ,"Yu Xi, Chinese astronomer (c. 270-345), known for discovering the earth's precession" -虞城,yú chéng,"Yucheng county in Shangqiu 商丘[Shang1 qiu1], Henan" -虞城县,yú chéng xiàn,"Yucheng county in Shangqiu 商丘[Shang1 qiu1], Henan" -虞应龙,yú yìng lóng,"Yu Yinglong, Yuan dynasty scholar, collaborated on the geographical encyclopedia Dayuan Dayi Tongzhi 大元大一統誌|大元大一统志" -虞舜,yú shùn,"Yu Shun, one of Five legendary Emperors 五帝[wu3 di4]" -号,háo,roar; cry; CL:個|个[ge4] -号,hào,ordinal number; day of a month; mark; sign; business establishment; size; ship suffix; horn (wind instrument); bugle call; assumed name; to take a pulse; classifier used to indicate number of people -号令,hào lìng,an order (esp. army); bugle call expressing military order; verbal command -号令如山,hào lìng rú shān,lit. order like a mountain; a military order is inviolable; strict discipline -号兵,hào bīng,bugler; trumpeter (military) -号叫,háo jiào,to howl; to yell -号召,hào zhào,to call; to appeal -号召力,hào zhào lì,to have the power to rally supporters -号哭,háo kū,to bawl; to wail; to cry -号啕,háo táo,to cry; to wail loudly -号丧,háo sang,to weep; to howl as if at a funeral -号外,hào wài,(newspaper) extra; special number (of a periodical) -号子,hào zi,work chant; prison cell; type; sort; mark; sign; signal; (Tw) brokerage firm -号手,hào shǒu,trumpeter; military bugler -号数,hào shù,number in a sequence; ordinal number; serial number -号旗,hào qí,signaling flag -号曰,hào yuē,to be named; named -号牌,hào pái,license plate; number plate -号炮,hào pào,cannon used for signaling; signaling shot -号码,hào mǎ,"number; CL:堆[dui1],個|个[ge4]" -号码牌,hào mǎ pái,"number plate; car license plate; CL:條|条[tiao2],塊|块[kuai4],片[pian4]" -号称,hào chēng,to be known as; to be nicknamed; to be purportedly; to claim (often exaggeratedly or falsely) -号筒,hào tǒng,bugle -号脉,hào mài,to feel sb's pulse -号衣,hào yī,"jacket worn esp. by soldiers in former times, with large insignia on the front and back indicating unit affiliation" -号角,hào jiǎo,bugle horn -号志,hào zhì,signal; sign (traffic control etc) -号音,hào yīn,bugle call -号头,hào tóu,number; serial number -虢,guó,"surname Guo; Guo, a kinship group whose members held dukedoms within the Zhou Dynasty realm, including Western Guo 西虢國|西虢国[Xi1 Guo2guo2] and Eastern Guo 東虢國|东虢国[Dong1 Guo2guo2]" -亏,kuī,to lose (money); to have a deficit; to be deficient; to treat unfairly; luckily; fortunately; thanks to; (used to introduce an ironic remark about sb who has fallen short of expectations) -亏待,kuī dài,to treat sb unfairly -亏得,kuī de,"fortunately; luckily; (sarcastic) fancy that, how fortunate!" -亏心,kuī xīn,a guilty conscience -亏心事,kuī xīn shì,shameful deed -亏折,kuī zhé,to make a capital loss -亏损,kuī sǔn,deficit; (financial) loss -亏本,kuī běn,to make a loss -亏本出售,kuī běn chū shòu,to sell at a loss -亏格,kuī gé,(math.) genus -亏欠,kuī qiàn,to have a deficit; to be in the red; to owe -亏产,kuī chǎn,shortfall in production -亏空,kuī kōng,in debt; in the red; in deficit -亏缺,kuī quē,to be lacking; to fall short of; to wane; deficit; deficient -亏负,kuī fù,deficient; to let sb down; to cause sb suffering -虫,chóng,variant of 蟲|虫[chong2] -虬,qiú,young dragon with horns -虰,dīng,see 虰蛵[ding1 xing2] -虰蛵,dīng xíng,less common word for dragonfly 蜻蜓 -虱,shī,louse -虱目鱼,shī mù yú,milkfish (Chanos chanos) -蛇,shé,variant of 蛇[she2] -虹,hóng,rainbow -虹口区,hóng kǒu qū,"Hongkou district, central Shanghai" -虹吸,hóng xī,siphon -虹吸管,hóng xī guǎn,siphon -虹彩,hóng cǎi,iridescence; iris (of the eye) -虹桥,hóng qiáo,"Hongqiao, the name of numerous entities, notably a major airport in Shanghai, and a district in Tianjin" -虹桥机场,hóng qiáo jī chǎng,Hongqiao Airport (Shanghai) -虹膜,hóng mó,iris (of an eye) -虹鳟,hóng zūn,rainbow trout (Oncorhynchus mykiss) -虺,huī,sick; with no ambition -虺,huǐ,mythical venomous snake -虺虺,huǐ huǐ,rumbling (of thunder etc) -虺蜥,huǐ xī,venomous snake; fig. vicious person -虻,méng,horsefly; gadfly -虼,gè,flea -虼蚤,gè zao,flea (common colloquial word) -蚊,wén,mosquito -蚊子,wén zi,mosquito -蚊子再小也是肉,wén zi zài xiǎo yě shì ròu,"lit. even a mosquito, though tiny, provides some nourishment (idiom); fig. it's better than nothing" -蚊子馆,wén zi guǎn,(jocular) public building that has been lying idle (and is thus ideal for housing mosquitos) (Tw) -蚊帐,wén zhàng,mosquito net; CL:頂|顶[ding3] -蚊虫,wén chóng,mosquito -蚊香,wén xiāng,mosquito-repellent incense or coil -蚋,ruì,(mosquito); Simulia lugubris; blackfly -蚌,bèng,"abbr. for Bengbu prefecture-level City 蚌埠市[Beng4bu4 Shi4], Anhui" -蚌,bàng,mussel; clam -蚌埠,bèng bù,Bengbu prefecture-level city in Anhui -蚌埠市,bèng bù shì,Bengbu prefecture-level city in Anhui -蚌山,bèng shān,"Bengshan, a district of Bengbu City 蚌埠市[Beng4bu4 Shi4], Anhui" -蚌山区,bèng shān qū,"Bengshan, a district of Bengbu City 蚌埠市[Beng4bu4 Shi4], Anhui" -蚌壳,bàng ké,clamshell -蚍,pí,see 蚍蜉[pi2 fu2] -蚍蜉,pí fú,a type of large ant -蚍蜉撼大树,pí fú hàn dà shù,lit. an ant trying to shake a big tree (idiom); fig. to overrate one's own strength; also written 蚍蜉撼樹|蚍蜉撼树[pi2 fu2 han4 shu4] -蚍蜉撼树,pí fú hàn shù,lit. an ant trying to shake a tree; to overrate oneself (idiom) -蚓,yǐn,used in 蚯蚓[qiu1 yin3] -蚖,yuán,"Protura (soil dwelling primitive hexapod); variant of 螈, salamander; newt; triton" -蚖虫,yuán chóng,Protura (soil dwelling primitive hexapod) -蛔,huí,variant of 蛔[hui2] -蚜,yá,aphis -蚜虫,yá chóng,greenfly (Aphis spp.); aphid -蚣,gōng,scolopendra centipede -蚤,zǎo,flea -蚧,jiè,see 蛤蚧[ge2 jie4] -蚨,fú,(water-beetle); money -蚩,chī,surname Chi -蚩,chī,ignorant; worm -蚩尤,chī yóu,"Chiyou, legendary tribal leader who was defeated and killed by the Yellow Emperor 黃帝|黄帝[Huang2 di4]" -蚪,dǒu,used in 蝌蚪[ke1dou3] -蚯,qiū,used in 蚯蚓[qiu1 yin3] -蚯蚓,qiū yǐn,(zoology) earthworm -蚰,yóu,see 蚰蜒[you2 yan5] -蚰蜒,yóu yan,earwig; house centipede -蚰蜒路,yóu yan lù,lit. centipede's path; fig. narrow winding road -蚱,zhà,grasshopper -蚱蜢,zhà měng,grasshopper -蚱虫,zhà chóng,grasshopper -蚴,yòu,larva -蚵,é,"(Tw) oyster (from Taiwanese, Tai-lo pr. [ô])" -蚵仔,é zi,"oyster (from Taiwanese, Tai-lo pr. [ô-á])" -蚵仔煎,é zǐ jiān,"(Tw) oyster omelette (from Taiwanese, Tai-lo pr. [ô-á-tsian])" -蚶,hān,small clam (Arca inflata) -蚶子,hān zi,blood clam -蚺,rán,boa -蚺蛇,rán shé,boa -蛀,zhù,termite; to bore (of insects) -蛀牙,zhù yá,"tooth decay; dental cavities; CL:顆|颗[ke1],個|个[ge4]" -蛀蚀,zhù shí,to corrupt; to erode -蛀虫,zhù chóng,"insect that eats into wood, books, clothes etc; fig. vermin" -蛄,gū,see 螻蛄|蝼蛄[lou2 gu1] -蛆,qū,maggot -蛆虫,qū chóng,maggot -蛇,shé,snake; serpent; CL:條|条[tiao2] -蛇夫座,shé fū zuò,Ophiuchus (constellation) -蛇岛,shé dǎo,"Shedao or Snake island in Bohai sea 渤海 off Lüshun 旅順|旅顺 on the tip of the Liaoning peninsula, small rocky island famous for snakes" -蛇岛蝮,shé dǎo fù,"Snake island viper (Gloydius shedaoensis), feeding on migrating birds" -蛇年,shé nián,Year of the Snake (e.g. 2001) -蛇形,shé xíng,S-shaped; serpentine; coiled like a snake -蛇果,shé guǒ,Red Delicious (a sort of apple) -蛇毒,shé dú,snake venom -蛇毒素,shé dú sù,venin -蛇皮,shé pí,snake skin -蛇皮果,shé pí guǒ,salak (Salacca zalacca) (fruit) -蛇矛,shé máo,ancient spear-like weapon with a wavy spearhead like a snake's body -蛇管,shé guǎn,flexible hose -蛇精病,shé jīng bìng,(slang) (pun on 神經病|神经病[shen2 jing1 bing4]) crazy person; nutjob -蛇纹岩,shé wén yán,serpentine (geology) -蛇纹石,shé wén shí,serpentine (geology) -蛇绿岩,shé lǜ yán,ophiolite (geology) -蛇绿混杂,shé lǜ hùn zá,ophiolite melange (geology) -蛇绿混杂岩,shé lǜ hùn zá yán,ophiolite (geology) -蛇绿混杂岩带,shé lǜ hùn zá yán dài,ophiolite belt (geology) -蛇胆,shé dǎn,snake gall (used in TCM) -蛇蒿,shé hāo,tarragon -蛇行,shé xíng,to creep; to zigzag; to meander; to weave -蛇足,shé zú,lit. legs on a snake; sth superfluous -蛇头,shé tóu,head of a snake; human smuggler -蛇雕,shé diāo,(bird species of China) crested serpent eagle (Spilornis cheela) -蛇麻,shé má,hops (Humulus lupulus) -蛇麻草,shé má cǎo,"hop (Humulus lupulus), climbing plant whose flower cones are used in brewing beer" -蛇龙珠,shé lóng zhū,Cabernet Gernischt (grape type) -蛉,líng,sandfly -蛋,dàn,variant of 蜑[Dan4] -蛋,dàn,"egg; CL:個|个[ge4],打[da2]; oval-shaped thing" -蛋包,dàn bāo,omelet -蛋包饭,dàn bāo fàn,rice omelet -蛋卷,dàn juǎn,egg roll -蛋卷儿,dàn juǎn er,erhua variant of 蛋卷[dan4 juan3] -蛋品,dàn pǐn,egg products; egg-based products -蛋塔,dàn tǎ,see 蛋撻|蛋挞[dan4 ta4] -蛋奶素,dàn nǎi sù,ovo-lacto vegetarian -蛋奶酥,dàn nǎi sū,soufflé -蛋挞,dàn tà,custard tart -蛋壳,dàn ké,eggshell -蛋氨酸,dàn ān suān,"methionine (Met), an essential amino acid" -蛋清,dàn qīng,(coll.) egg white -蛋炒饭节,dàn chǎo fàn jié,"Fried Rice with Egg Festival, informally observed annually on November 25 as the anniversary of the death in 1950 of Mao Zedong's son Mao Anying, by people who are grateful that Mao's grip on China did not extend to a second generation (The younger Mao died in an American air raid in Korea, and, according to a popular account, his death was the result of cooking fried rice with egg, which produced smoke detected by US forces.)" -蛋疼,dàn téng,(slang) ball-breaking; pain in the ass -蛋白,dàn bái,egg white; protein; albumen -蛋白光,dàn bái guāng,opalescence -蛋白石,dàn bái shí,opal -蛋白素,dàn bái sù,albumin -蛋白胨,dàn bái dòng,peptone (biochemistry) -蛋白质,dàn bái zhì,protein -蛋糕,dàn gāo,"cake; CL:塊|块[kuai4],個|个[ge4]" -蛋糕裙,dàn gāo qún,lit. cake skirt; tiered skirt -蛋花汤,dàn huā tāng,clear soup containing beaten egg and green leafy vegetable; eggdrop soup -蛋蛋,dàn dàn,(coll.) balls (testicles) -蛋逼,dàn bī,(dialect) to talk nonsense; to chat idly -蛋酒,dàn jiǔ,eggnog -蛋鸡,dàn jī,laying hen -蛋饼,dàn bǐng,"egg pancake (thin pancake rolled up with omelet inside, popular in Taiwan as a breakfast dish)" -蛋黄,dàn huáng,egg yolk -蛋黄素,dàn huáng sù,lecithin (phospholipid found in egg yolk) -蛋黄酱,dàn huáng jiàng,mayonnaise -蛐,qū,cricket -蛐蛐儿,qū qu er,(dialect) cricket (insect) -蛐蟮,qū shan,earthworm (coll.) -蛑,móu,marine crab -蛔,huí,roundworm; Ascaris lumbricoides -蛔虫,huí chóng,"roundworm; ascarid; (esp.) Ascaris lumbricoides, a human parasite; (fig.) person who knows what another person is thinking; a mind reader" -蛔虫病,huí chóng bìng,"ascariasis, infection caused by the roundworm Ascaris lumbricoides" -蛔,huí,old variant of 蛔[hui2] -蛘,yáng,a weevil found in rice etc -蛙,wā,frog; CL:隻|只[zhi1] -蛙人,wā rén,frogman -蛙式,wā shì,breaststroke (swimming) -蛙泳,wā yǒng,breaststroke (swimming) -蛙突,wā tū,"batrachotoxin (BTX), poison from frogs" -蛙鞋,wā xié,"(diving, snorkeling) fins; flippers" -蛛,zhū,(bound form) spider -蛛形纲,zhū xíng gāng,Arachnids (class of arthropods) -蛛丝马迹,zhū sī mǎ jì,lit. spider's thread and horse track; tiny hints (of a secret); traces; clue -蛛网,zhū wǎng,spider web; cobweb -蛛蛛,zhū zhu,(coll.) spider -蛜,yī,woodlouse -蛞,kuò,used in 蛞螻|蛞蝼[kuo4 lou2]; used in 蛞蝓[kuo4 yu2] -蛞蝓,kuò yú,(zoology) slug -蛞蝼,kuò lóu,mole cricket (Gryllotalpa) -蛟,jiāo,a legendary dragon with the ability to control rain and floods; see also 蛟龍|蛟龙[jiao1 long2] -蛟河,jiāo hé,"Jiaohe, county-level city in Jilin prefecture 吉林, Jilin province" -蛟河市,jiāo hé shì,"Jiaohe, county-level city in Jilin prefecture 吉林, Jilin province" -蛟龙,jiāo lóng,legendary dragon with the ability to control rain and floods -蛤,gé,clam -蛤,há,frog; toad -蛤蚌,gé bàng,clam -蛤蚧,gé jiè,"tokay gecko (Gekko gecko), used in TCM" -蛤蜊,gé lí,clam -蛤蟆,há ma,frog; toad -蛤蟆夯,há ma hāng,power-driven rammer or tamper -蛤蟆镜,há ma jìng,aviator sunglasses -蛤蟹,gé xiè,clams and crabs; tokay gecko (Gekko gecko) -蛤蛎,gé lì,clam; same as 蛤蜊[ge2 li2] -蛩,qióng,anxious; grasshopper; a cricket -蛭,zhì,fluke; leech; hirudinea -蛭石,zhì shí,vermiculite -蛵,xíng,see 虰蛵[ding1 xing2] -蛸,shāo,long-legged spider -蛸,xiāo,used in 螵蛸[piao1xiao1] -蛹,yǒng,chrysalis; pupa -蛱,jiá,see 蛺蝶|蛱蝶[jia2 die2] -蛱蝶,jiá dié,nymphalid; butterfly -蜕,tuì,skin cast off during molting; exuvia; to pupate; to molt; to slough; to cast off an old skin or shell -蜕化,tuì huà,(of insects) to undergo metamorphosis; (fig.) to be transformed; to metamorphose; to become degraded -蜕化变质,tuì huà biàn zhì,(idiom) to degenerate (morally); to become depraved -蜕壳,tuì ké,to exuviate; to molt -蜕壳,tuì qiào,see 蛻殼|蜕壳[tui4 ke2] -蜕皮,tuì pí,skin cast off during molting; exuvium; to pupate; to molt; to slough; to cast off an old skin or shell -蜕变,tuì biàn,to transform; to morph; to degenerate; metamorphosis; transmutation; transformation; decay; degeneration -蛾,é,(bound form) moth -蛾子,é zi,moth -蛾摩拉,é mó lā,Gomorrah -蛾眉,é méi,(fig.) beautiful woman -蛾眉皓齿,é méi hào chǐ,beautiful eyebrow and white teeth (idiom); lovely young woman -蛾类,é lèi,moth (family) -蜀,shǔ,"short name for Sichuan 四川[Si4 chuan1] province; one of the Three Kingdoms 三國|三国[San1 guo2] after the Han dynasty, also called 蜀漢|蜀汉[Shu3 Han4], situated around what is now Sichuan province" -蜀国,shǔ guó,Sichuan; the state of Shu in Sichuan at different periods; the Shu Han dynasty (214-263) of Liu Bei 劉備|刘备 during the Three Kingdoms -蜀山,shǔ shān,"Shushan, a district of Hefei City 合肥市[He2fei2 Shi4], Anhui" -蜀山区,shǔ shān qū,"Shushan, a district of Hefei City 合肥市[He2fei2 Shi4], Anhui" -蜀汉,shǔ hàn,"Shu Han (c. 200-263), Liu Bei's kingdom in Sichuan during the Three Kingdoms, claiming legitimacy as successor of Han" -蜀犬吠日,shǔ quǎn fèi rì,lit. Sichuan dogs bark at the sun (idiom); fig. a simpleton will marvel at even the most common things; alludes to the Sichuan foggy weather where it's uncommon to see a sunny day -蜀相,shǔ xiàng,the Prime Minister of Shu (i.e. Zhuge Liang 諸葛亮|诸葛亮[Zhu1 ge3 Liang4]) -蜀绣,shǔ xiù,"Sichuan embroidery, one of the four major traditional styles of Chinese embroidery (the other three being 蘇繡|苏绣[Su1 xiu4], 湘繡|湘绣[Xiang1 xiu4] and 粵繡|粤绣[Yue4 xiu4])" -蜀葵,shǔ kuí,hollyhock (Alcea rosea) -蜀锦,shǔ jǐn,brocade from Sichuan -蜂,fēng,bee; wasp -蜂乳,fēng rǔ,royal jelly -蜂后,fēng hòu,queen bee -蜂巢,fēng cháo,honeycomb; beehive -蜂巢胃,fēng cháo wèi,reticulum (second stomach of ruminants); honeycomb tripe -蜂房,fēng fáng,honeycomb; beehive -蜂拥,fēng yōng,to swarm; to flock; to throng -蜂拥而至,fēng yōng ér zhì,to arrive in huge numbers; to flock there -蜂毒,fēng dú,wasp poison -蜂涌,fēng yǒng,to swarm; to flock -蜂王,fēng wáng,queen bee -蜂王乳,fēng wáng rǔ,royal jelly -蜂王浆,fēng wáng jiāng,royal jelly -蜂王精,fēng wáng jīng,royal jelly -蜂皇浆,fēng huáng jiāng,royal jelly -蜂窝,fēng wō,honeycomb; beehive -蜂窝煤,fēng wō méi,hexagonal household coal briquette -蜂窝组织,fēng wō zǔ zhī,(physiology) areolar tissue; cellular tissue -蜂窝网络,fēng wō wǎng luò,cellular network -蜂箱,fēng xiāng,beehive -蜂糕,fēng gāo,sponge cake (light steamed flour or rice cake) -蜂群,fēng qún,bee colony; swarm; CL:隊|队[dui4] -蜂聚,fēng jù,to swarm; to congregate in masses -蜂胶,fēng jiāo,propolis -蜂蜜,fēng mì,honey -蜂蜜酒,fēng mì jiǔ,mead -蜂螫,fēng zhē,bee sting -蜂蜡,fēng là,beeswax -蜂起,fēng qǐ,to swarm; to rise in masses -蜂鸟,fēng niǎo,hummingbird -蜂鸣器,fēng míng qì,buzzer -蜃,shèn,giant clam; (mythology) clam-monster said to breathe out a vapor that forms a mirage of buildings -蜃景,shèn jǐng,mirage -蚬,xiǎn,basket clam (clam of family Corbiculidae); (esp.) Corbicula leana 真蜆|真蚬[zhen1 xian3] -蜇,zhē,to sting -蜇,zhé,jellyfish -蜈,wú,centipede -蜈支洲岛,wú zhī zhōu dǎo,"Wuzhizhou Island, Hainan" -蜈蚣,wú gōng,centipede -蜉,fú,(dragon fly); (large ant); (wasp) -蜉蝣,fú yóu,mayfly -蜊,lí,clam -螂,láng,variant of 螂[lang2] -蜍,chú,Bufo vulgaris; toad -蜎,yuān,surname Yuan -蜎,yuān,larva of mosquito -蜒,yán,slug; used in 蜿蜒[wan1 yan2] -蜒蚰,yán yóu,(dialect) a slug -蜓,tíng,see 蜻蜓[qing1 ting2] -蛔,huí,old variant of 蛔[hui2] -蜘,zhī,used in 蜘蛛[zhi1zhu1] -蜘蛛,zhī zhū,spider -蜘蛛人,zhī zhū rén,"Spider-Man, see 蜘蛛俠|蜘蛛侠; nickname of French skyscraper climber Alain Robert (1962-); person who scales the outer walls of a building as a stunt or for building maintenance" -蜘蛛人,zhī zhū rén,(coll.) high-rise window washer -蜘蛛侠,zhī zhū xiá,"Spider-Man, comic book superhero" -蜘蛛星云,zhī zhū xīng yún,Tarantula Nebula -蜘蛛痣,zhī zhū zhì,arterial spider -蜘蛛网,zhī zhū wǎng,cobweb; spider web -蜘蛛类,zhī zhū lèi,arachnid -蜚,fěi,gad-fly -蜚短流长,fēi duǎn liú cháng,to spread malicious gossip; also written 飛短流長|飞短流长[fei1 duan3 liu2 chang2] -蜚声,fēi shēng,to make a name; to become famous -蜚声世界,fēi shēng shì jiè,famous throughout the world -蜚声海外,fēi shēng hǎi wài,famous at home and abroad -蜚蠊,fěi lián,cockroach; same as 蟑螂[zhang1 lang2] -蜚蠊科,fěi lián kē,"Blattidae, family of about 550 species of cockroach" -蜚语,fēi yǔ,groundless rumor; unfounded gossip -蜜,mì,honey -蜜囊,mì náng,honey sac (bee anatomy) -蜜大腿,mì dà tuǐ,(coll.) curvaceous thighs (loanword from Korean) -蜜月,mì yuè,honeymoon -蜜月假期,mì yuè jià qī,honeymoon -蜜柑,mì gān,mandarin orange; tangerine -蜜桃,mì táo,honey peach; juicy peach -蜜枣,mì zǎo,candied jujube -蜜穴,mì xué,(coll.) vagina; pussy -蜜糖,mì táng,honey -蜜罐,mì guàn,honey pot; fig. comfortable living conditions; privileged environment -蜜胺,mì àn,melamine (loanword) -蜜蜂,mì fēng,"bee; honeybee; CL:隻|只[zhi1],群[qun2]" -蜜蜂房,mì fēng fáng,beehive -蜜蜡,mì là,beeswax -蜜袋鼯,mì dài wú,sugar glider (Petaurus breviceps) -蜜语,mì yǔ,sweet words; sweet talk -蜜露,mì lù,honeydew -蜜饯,mì jiàn,food preserved in sugar or honey -蜞,qí,grapsus -蜢,měng,grasshopper -蜣,qiāng,dung beetle -蜣螂,qiāng láng,dung beetle -蜥,xī,(bound form) lizard -蜥形纲,xī xíng gāng,"Sauropsida, class within Chordata containing reptiles" -蜥易,xī yì,variant of 蜥蜴[xi1yi4] -蜥臀目,xī tún mù,"Saurischia or lizard-hipped dinosaurs, order within superorder Dinosauria" -蜥蜴,xī yì,lizard -蝶,dié,variant of 蝶[die2] -蜩,tiáo,cicada -蜮,yù,mythical creature; toad; worm -蜱,pí,tick (zoology) -蜱咬病,pí yǎo bìng,tick-bite sickness; informal term for 發熱伴血小板減少綜合徵|发热伴血小板减少综合征[fa1 re4 ban4 xue4 xiao3 ban3 jian3 shao3 zong1 he2 zheng1] -蜴,yì,used in 蜥蜴[xi1yi4] -蜷,quán,to curl up (like a scroll); to huddle; Melania libertina; wriggle (as a worm) -蜷伏,quán fú,to curl up; to lie with knees drawn up; to huddle up -蜷局,quán jú,to curl up; to coil -蜷曲,quán qū,twisted; coiled; curled -蜷缩,quán suō,to curl up; to huddle; to cower; cringing -蜷卧,quán wò,to curl up; to lie curled up -霓,ní,Japanese cicada; old variant of 霓[ni2] -蜻,qīng,see 蜻蜓[qing1 ting2] -蜻蛉,qīng líng,damselfly; lacewing -蜻蛉目,qīng líng mù,"Odonata, order consisting of about 6,000 species of dragonflies and damselflies" -蜻蜓,qīng tíng,dragonfly -蜻蜓撼石柱,qīng tíng hàn shí zhù,lit. the dragon-fly shakes the stone tower (idiom); fig. to overestimate one's capabilities -蜻蜓目,qīng tíng mù,"Odonata, order consisting of about 6,000 species of dragonflies and damselflies" -蜻蜓点水,qīng tíng diǎn shuǐ,lit. the dragonfly touches the water lightly; superficial contact (idiom) -蜾,guǒ,used in 蜾蠃[guo3 luo3] -蜾蠃,guǒ luǒ,potter wasp -蜿,wān,used in 蜿蜒[wan1 yan2] -蜿蜒,wān yán,(of a snake) to wriggle along; (of a river etc) to zigzag; to meander; to wind -蝌,kē,used in 蝌蚪[ke1dou3] -蝌蚪,kē dǒu,"tadpole; CL:隻|只[zhi1],條|条[tiao2]" -蝎,xiē,variant of 蠍|蝎[xie1] -蝓,yú,used in 蛞蝓[kuo4 yu2] -蚀,shí,to nibble away at sth; to eat into; to erode -蚀刻,shí kè,to etch; engraving -蝗,huáng,locust -蝗灾,huáng zāi,plague of locusts -蝗科,huáng kē,"Acridoidea (family containing grasshoppers, crickets and locusts)" -蝗虫,huáng chóng,locust -蝙,biān,used in 蝙蝠[bian1 fu2] -蝙蝠,biān fú,(zoology) bat -蝙蝠侠,biān fú xiá,"Batman, comic book superhero" -猬,wèi,(bound form) hedgehog -蝠,fú,(bound form) bat -蝠鲼,fú fèn,manta ray (genus Mobula) -蠕,rú,variant of 蠕[ru2] -蝣,yóu,Ephemera strigata -蝤,qiú,used in 蝤蠐|蝤蛴[qiu2 qi2] -蝤蛴,qiú qí,(literary) longhorn beetle larva -蝥,máo,variant of 蟊[mao2] -虾,há,used in 蝦蟆|虾蟆[ha2 ma5] -虾,xiā,shrimp; prawn -虾干,xiā gān,dried shrimps -虾仁,xiā rén,shrimp meat; shelled shrimp -虾兵蟹将,xiā bīng xiè jiàng,"shrimp soldiers and crab generals (in mythology or popular fiction, the army of the Dragon King of the Eastern Sea); useless troops (idiom)" -虾夷,xiā yí,"Emishi or Ebisu, ethnic group of ancient Japan, thought to be related to modern Ainus" -虾夷葱,xiā yí cōng,chive -虾子,xiā zǐ,shrimp roe; shrimp eggs -虾子,xiā zi,shrimp -虾油,xiā yóu,prawn sauce -虾爬子,xiā pá zi,mantis shrimp -虾男,xiā nán,"(slang) a guy who is like a prawn: yummy body, but not so appealing above the neck" -虾皮,xiā pí,small dried shrimp -虾米,xiā mǐ,"small shrimp; dried, shelled shrimps; (Tw) (coll.) what (from Taiwanese 啥物, Tai-lo pr. [siánn-mih], equivalent to Mandarin 什麼|什么[shen2me5])" -虾线,xiā xiàn,digestive tract of a shrimp; sand vein -虾虎鱼,xiā hǔ yú,"goby (flat fish, Gobiidae)" -虾虎鱼科,xiā hǔ yú kē,Gobiidae (suborder of perch) -虾蛄,xiā gū,mantis shrimp -虾蟆,há ma,variant of 蛤蟆[ha2 ma5] -虾酱,xiā jiàng,shrimp paste -虾饺,xiā jiǎo,prawn dumplings -虱,shī,louse -虱多不痒,shī duō bù yǎng,"many fleas, but unconcerned (idiom); no point in worrying about one debt when one has so many others; Troubles never come singly.; It never rains but it pours." -虱子,shī zi,louse (Pediculus humanus) -蝮,fù,insect; poisonous snake (archaic) -蝮蛇,fù shé,Siberian pit viper (Gloydius halys); pit viper -猿,yuán,variant of 猿[yuan2] -蝰,kuí,used in 蝰蛇[kui2 she2] -蝰蛇,kuí shé,forest or meadow viper (Vipera russelii siamensis or similar) -虻,méng,old variant of 虻[meng2] -蝴,hú,used in 蝴蝶[hu2 die2] -蝴蝶,hú dié,butterfly; CL:隻|只[zhi1] -蝴蝶效应,hú dié xiào yìng,butterfly effect (dynamical systems theory) -蝴蝶犬,hú dié quǎn,papillon (lapdog with butterfly-like ears) -蝴蝶琴,hú dié qín,"same as yangqin 揚琴|扬琴, dulcimer" -蝴蝶结,hú dié jié,bow; bowknot -蝴蝶花,hú dié huā,iris; Iris tectorum -蝴蝶酥,hú dié sū,crispy short-crust pastry; mille-feuilles -蝴蝶铰,hú dié jiǎo,hinge -蝴蝶领结,hú dié lǐng jié,bow tie -蝶,dié,(bound form) butterfly -蝶山区,dié shān qū,"Dieshan district of Wuzhou city 梧州市[Wu2 zhou1 shi4], Guangxi" -蝶形领带,dié xíng lǐng dài,bow tie -蝶形领结,dié xíng lǐng jié,bow tie -蝶泳,dié yǒng,butterfly stroke (swimming) -蝶窦,dié dòu,sphenoidal sinus -蝶兰,dié lán,Phalaenopsis (flower genus) -蝶类,dié lèi,butterfly (family) -蝶骨,dié gǔ,sphenoid bone (front of the temple) -蜗,wō,snail; Taiwan pr. [gua1]; see 蝸牛|蜗牛[wo1 niu2] -蜗居,wō jū,"humble abode; to live (in a tiny, cramped space)" -蜗庐,wō lú,humble abode -蜗旋,wō xuán,to spiral -蜗杆,wō gǎn,worm (mechanical engineering) -蜗杆副,wō gǎn fù,worm-gear pair; worm drive; worm and worm gear -蜗牛,wō niú,snail; Taiwan pr. [gua1 niu2] -蜗窗,wō chuāng,fenestra cochleae (in middle ear) -蜗蜒,wō yán,snail -蜗行,wō xíng,to advance at a snail's pace -蜗行牛步,wō xíng niú bù,lit. to crawl like a snail and plod along like an old ox (idiom); fig. to move at a snail's pace; to make slow progress -蝻,nǎn,immature locusts -蝽,chūn,bedbug -螂,láng,dragonfly; mantis -螃,páng,used in 螃蟹[pang2 xie4] -螃蟹,páng xiè,crab; CL:隻|只[zhi1] -蛳,sī,snail -螅,xī,(intestinal worm) -螈,yuán,salamander; newt -螉,wēng,see 蠮螉[ye1 weng1] -螋,sōu,used in 蠼螋[qu2 sou1] -融,róng,to melt; to thaw; to blend; to merge; to be in harmony -融入,róng rù,to blend into; to integrate; to assimilate; to merge -融冰,róng bīng,(lit. or fig.) thawing -融化,róng huà,to melt; to thaw; to dissolve; to blend into; to combine; to fuse -融汇,róng huì,fusion; to combine as one -融合,róng hé,a mixture; an amalgam; fusion; welding together; to be in harmony with (nature); to harmonize with; to fit in -融合为一,róng hé wéi yī,to form a cohesive whole; to fuse together -融和,róng hé,warm; agreeable -融安,róng ān,"Rong'an county in Liuzhou 柳州[Liu3 zhou1], Guangxi" -融安县,róng ān xiàn,"Rong'an county in Liuzhou 柳州[Liu3 zhou1], Guangxi" -融会,róng huì,to blend; to integrate; to amalgamate; to fuse -融会贯通,róng huì guàn tōng,to master the subject via a comprehensive study of surrounding areas -融梗,róng gěng,(neologism c. 2018) to incorporate ideas or material from sb else's creative work in one's own work -融水苗族自治县,róng shuǐ miáo zú zì zhì xiàn,"Rongshui Miao Autonomous County in Liuzhou 柳州[Liu3 zhou1], Guangxi" -融洽,róng qià,harmonious; friendly relations; on good terms with one another -融为一体,róng wéi yī tǐ,to fuse together (idiom); hypostatic union (religion) -融然,róng rán,in harmony; happy together -融炉,róng lú,a smelting furnace; fig. a melting pot -融融,róng róng,in harmony; happy; warm relations -融解,róng jiě,to melt; molten; fig. to understand thoroughly -融资,róng zī,financing -融通,róng tōng,to circulate; to flow (esp. capital); to intermingle; to merge; to become assimilated -融雪,róng xuě,melting snow; a thaw -融雪天气,róng xuě tiān qì,a thaw -融,róng,old variant of 融[rong2] -螓,qín,small cicada with a square head -螗,táng,variety of small cicada with a green back and a clear song (in ancient books) -蚂,mā,dragonfly -蚂,mǎ,ant -蚂,mà,grasshopper -蚂蚱,mà zha,(dialect) locust; grasshopper -蚂蚱也是肉,mà zha yě shì ròu,lit. even a locust provides some nourishment (idiom); fig. it's better than nothing -蚂蜂,mǎ fēng,variant of 馬蜂|马蜂[ma3 feng1] -蚂螂,mā láng,dragonfly -蚂蟥,mǎ huáng,leech -蚂蚁,mǎ yǐ,ant -蚂蚁上树,mǎ yǐ shàng shù,"""ants climbing a tree"", a Sichuan dish made with cellophane noodles 粉絲|粉丝[fen3 si1] and ground meat (so called because the particles of meat clinging to the noodles look like ants on the twigs of a tree); (sex position) man standing, woman clinging to his upper body; (erotic massage) full-body licking" -蚂蚁腰,mǎ yǐ yāo,(coll.) tiny waist -蚂蚁金服,mǎ yǐ jīn fú,"Ant Financial Services Group, an affiliate company of Alibaba 阿里巴巴[A1 li3 ba1 ba1]" -螟,míng,"boring insect; snout moth's larva (Aphomia gullaris or Plodia interpuncuella or Heliothus armigera etc), major agricultural pest" -螟蛉,míng líng,"green rice caterpillar or similar insect larva; adopted son (Etymology: Wasps of a particular species take caterpillars to their nest as food for their offspring, but it was mistakenly believed that the wasps were raising the caterpillars as their own young.)" -螟蛉子,míng líng zǐ,adopted son -螟虫,míng chóng,"boring insect; snout moth's larva (Aphomia gullaris or Plodia interpuncuella or Heliothus armigera etc), major agricultural pest" -蚊,wén,old variant of 蚊[wen2] -萤,yíng,firefly; glow-worm -萤光,yíng guāng,Taiwan variant of 熒光|荧光[ying2 guang1] -萤光灯,yíng guāng dēng,Taiwan variant of 熒光燈|荧光灯[ying2 guang1 deng1] -萤光绿,yíng guāng lǜ,bright green; chartreuse -萤幕,yíng mù,"screen (of a TV, computer etc) (Tw)" -萤幕保护程式,yíng mù bǎo hù chéng shì,screensaver (Tw) -萤幕保护装置,yíng mù bǎo hù zhuāng zhì,screensaver (Tw) -萤火,yíng huǒ,light of firefly; fairy light -萤火虫,yíng huǒ chóng,firefly; glowworm; lightning bug -萤焰,yíng yàn,light of firefly; firefly -萤石,yíng shí,fluorite CaF2; fluorspar; fluor -螫,shì,(literary) (of a bee or spider etc) to sting or bite -螫,zhē,(of a bee or spider etc) to sting or bite; (of an irritant) to make (one's eyes or skin) sting -螫中,zhē zhòng,"(of a bee, jellyfish etc) to sting (sb)" -螬,cáo,used in 蠐螬|蛴螬[qi2 cao2] -螭,chī,dragon with horns not yet grown (in myth or heraldry); variant of 魑[chi1] -螭首,chī shǒu,"hornless dragon head (used as ornamentation, esp. gargoyles)" -螯,áo,nippers; claw (of crab); chela; pincers; Astacus fluviatilis -螯肢,áo zhī,chelicera -螯虾,áo xiā,crayfish -螳,táng,praying mantis -螳臂当车,táng bì dāng chē,lit. a mantis trying to stop a chariot (idiom); fig. to overrate oneself and attempt sth impossible; also written 螳臂擋車|螳臂挡车[tang2 bi4 dang3 che1] -螳螂,táng láng,mantis; praying mantis -螳螂捕蝉,táng láng bǔ chán,"the mantis stalks the cicada, unaware of the oriole behind (idiom, from Daoist classic Zhuangzi 莊子|庄子[Zhuang1 zi3]); to pursue a narrow gain while neglecting a greater danger" -螵,piāo,used in 螵蛸[piao1xiao1] -螵蛸,piāo xiāo,"ootheca, i.e. eggs in their capsule, of a praying mantis (used in TCM); cuttlebone (abbr. for 海螵蛸 [hai3 piao1 xiao1])" -螺,luó,spiral shell; snail; conch -螺刀,luó dāo,screwdriver -螺帽,luó mào,nut (female component of nut and bolt) -螺拴,luó shuān,bolt -螺旋,luó xuán,spiral; helix; screw -螺旋千斤顶,luó xuán qiān jīn dǐng,screw jack -螺旋形,luó xuán xíng,spiral -螺旋曲面,luó xuán qū miàn,spiral surface -螺旋桨,luó xuán jiǎng,propeller -螺旋测微器,luó xuán cè wēi qì,micrometer screw gauge; micrometer -螺旋粉,luó xuán fěn,fusilli (corkscrew shaped pasta) -螺旋藻,luó xuán zǎo,spiral algae; spirulina (dietary supplement) -螺旋钳,luó xuán qián,wrench -螺旋体,luó xuán tǐ,"Spirochaetes, phylum of extremophile bacteria; spiral-shaped bacterium, e.g. causing syphilis" -螺旋面,luó xuán miàn,fusilli (pasta) -螺栓,luó shuān,bolt (male component of nut and bolt); screw -螺杆,luó gǎn,screw -螺桨,luó jiǎng,propeller -螺桨毂,luó jiǎng gū,propeller hub -螺母,luó mǔ,nut (female component of nut and bolt) -螺母螺栓,luó mǔ luó shuān,nuts and bolts -螺纹,luó wén,spiral pattern; whorl of fingerprint; thread of screw -螺丝,luó sī,screw -螺丝刀,luó sī dāo,screwdriver; CL:把[ba3] -螺丝帽,luó sī mào,nut (female component of nut and bolt) -螺丝母,luó sī mǔ,nut (female component of nut and bolt) -螺丝粉,luó sī fěn,gemelli (corkscrew shaped pasta) -螺丝起子,luó sī qǐ zi,screwdriver -螺丝钉,luó sī dīng,screw -螺丝钻,luó sī zuàn,auger; gimlet; screwdriver (cocktail) -螺线,luó xiàn,spiral -螺线管,luó xiàn guǎn,solenoid; coil -螺号,luó hào,conch; shell as horn for signaling -螺蛳,luó sī,river snail -螺距,luó jù,pitch of spiral; pitch of screw -螺钉,luó dīng,screw -螺髻,luó jì,spiral coil (in hairdressing) -蝼,lóu,see 螻蛄|蝼蛄[lou2 gu1] -蝼蛄,lóu gū,"mole cricket; Gryllolaptaptidae, family of burrowing insects of order Orthoptera (a serious agricultural pest)" -蝼蛄科,lóu gū kē,Gryllolaptaptidae family of burrowing insects of order Orthoptera; mole crickets -蝼蚁,lóu yǐ,lit. mole cricket and ants; fig. tiny individuals with no power -螽,zhōng,(grasshopper); Gompsocleis mikado -螽斯,zhōng sī,katydid or long-horned grasshopper (family Tettigoniidae) -螽斯科,zhōng sī kē,Tettigoniidae (katydids and crickets) -螽斯总科,zhōng sī zǒng kē,Tettigonioidea (katydids and crickets) -蟀,shuài,used in 蟋蟀[xi1 shuai4] -蚊,wén,old variant of 蚊[wen2] -蛰,zhé,to hibernate -蛰伏,zhé fú,hibernation; living in seclusion -蛰居,zhé jū,to live in seclusion -蛰眠,zhé mián,to hibernate -蛰藏,zhé cáng,to hibernate; to hide away -蛰虫,zhé chóng,dormant insect -蟆,má,toad -蟆,má,old variant of 蟆[ma2] -蝈,guō,"small green cicada or frog (meaning unclear, possibly onom.); see 蟈蟈|蝈蝈 long-horned grasshopper" -蝈螽,guō zhōng,insect of the Gampsocleis genus (grasshoppers and crickets); Gampsocleis sinensis -蝈螽属,guō zhōng shǔ,Gampsocleis genus (grasshoppers and crickets) -蝈蝈,guō guo,katydid; long-horned grasshopper -蝈蝈儿,guō guo er,erhua variant of 蟈蟈|蝈蝈[guo1 guo5] -蝈蝈笼,guō guō lóng,cage for singing cicada -蟊,máo,Spanish fly; grain-eating grub -蟊贼,máo zéi,insect that damages cereal crop seedlings; (lit. and fig.) vermin; a person harmful to the country and the people -蟋,xī,used in 蟋蟀[xi1 shuai4] -蟋蟀,xī shuài,cricket (insect) -蟋蟀草,xī shuài cǎo,wire grass (Eleusine indica) -螨,mǎn,mite -螨虫,mǎn chóng,mite (zoology) -蟑,zhāng,cockroach -蟑螂,zhāng láng,cockroach -蟒,mǎng,python -蟒蛇,mǎng shé,python; boa -蟒袍,mǎng páo,official robe worn by ministers during the Ming 明 (1368-1644) and Qing 清 (1644-1911) dynasties -蟓,xiàng,silkworm -蟛,péng,(land-crab); grapsus sp. -蟜,jiǎo,surname Jiao -蟜,jiǎo,(insect) -蟟,liáo,see 蟭蟟[jiao1 liao2] -蟠,pán,to coil -蟠尾丝虫,pán wěi sī chóng,"Onchocerca volvulus, the filarial parasite worm causing ""river blindness"" or onchocerciasis, the second most common cause of blindness in humans" -蟠尾丝虫症,pán wěi sī chóng zhèng,"""river blindness"" or onchocerciasis, the second most common cause of blindness in humans, caused by the filarial parasite worm Onchocerca volvulus" -蟠据,pán jù,variant of 盤踞|盘踞[pan2 ju4] -蟠曲,pán qū,variant of 盤曲|盘曲[pan2 qu1] -蟠根错节,pán gēn cuò jié,variant of 盤根錯節|盘根错节[pan2 gen1 cuo4 jie2] -蟠桃,pán táo,flat peach (aka Saturn peach or donut peach); the peaches of immortality kept by Xi Wangmu 西王母 -蟠桃胜会,pán táo shèng huì,a victory banquet to taste the peaches of immortality of Goddess Xi Wangmu 西王母 -蟠石,pán shí,variant of 磐石[pan2 shi2] -蟠踞,pán jù,variant of 盤踞|盘踞[pan2 ju4] -蟠龙,pán lóng,coiled dragon -蟢,xǐ,(spider) -蟢子,xǐ zi,Tetragnatha (long-jawed spider) -虮,jǐ,nymph of louse -虮子,jǐ zi,louse egg; nit -蟥,huáng,horse-leech -蟪,huì,(cicada); Platypleura kaempferi -蟪蛄,huì gū,"Platypleura kaempferi, a kind of cicada" -蟪蛄不知春秋,huì gū bù zhī chūn qiū,lit. short-lived cicada does not know the seasons; fig. to see only a small piece of the big picture -蝉,chán,cicada -蝉科,chán kē,"Cicadidae, homopterous insect family including cicada" -蝉翼,chán yì,cicada's wing; fig. diaphanous; delicate texture -蝉联,chán lián,to continue in a post; (to hold a post) several times in succession; (to win a title) in successive years; to stay at number one; to defend a championship -蝉蜕,chán tuì,cicada slough; fig. to free oneself; to extricate oneself from -蝉衣,chán yī,cicada slough (used in TCM) -蝉鸣,chán míng,song of cicadas; chirping of insects -蟭,jiāo,eggs of mantis -蟭蟟,jiāo liáo,cicada (old) -蟮,shàn,see 蛐蟮[qu1 shan5] -蛲,náo,parasitic worm; human pinworm (Enterobius vermicularis) -蛲虫,náo chóng,parasitic worm; human pinworm (Enterobius vermicularis) -蛲虫病,náo chóng bìng,enterobiasis -虫,chóng,"lower form of animal life, including insects, insect larvae, worms and similar creatures; CL:條|条[tiao2],隻|只[zhi1]; (fig.) person with a particular undesirable characteristic" -虫儿,chóng er,see 蟲子|虫子[chong2 zi5] -虫媒病毒,chóng méi bìng dú,arbovirus -虫子,chóng zi,"insect; bug; worm; CL:條|条[tiao2],隻|只[zhi1]" -虫子牙,chóng zi yá,see 蟲牙|虫牙[chong2 ya2] -虫害,chóng hài,insect pest; damage from insects -虫洞,chóng dòng,(physics) wormhole -虫灾,chóng zāi,insect damage; destruction of crops by pest insects -虫牙,chóng yá,caries; rotten tooth (colloquial); see also 齲齒|龋齿[qu3 chi3] -虫白蜡,chóng bái là,white wax from Chinese white wax bug (Ericerus pela) -虫胶,chóng jiāo,shellac -虫草,chóng cǎo,see 冬蟲夏草|冬虫夏草[dong1chong2-xia4cao3] -虫蛀,chóng zhù,damaged by moths or worms -虫蜡,chóng là,white wax from Chinese white wax bug (Ericerus pela) -虫豸,chóng zhì,insect or insect-like small creature (literary); base person (used as a curse word) -虫类,chóng lèi,insects -虫鸟叫声,chóng niǎo jiào shēng,chirp -蛏,chēng,mussel; razor clam; Solecurtus constricta -蟹,xiè,crab -蟹爪兰,xiè zhǎo lán,holiday cactus -蟹状星云,xiè zhuàng xīng yún,Crab Nebula -蟹粉,xiè fěn,crab meat -蟹肉,xiè ròu,crab meat -蟹酱,xiè jiàng,crab paste -蟹黄,xiè huáng,the ovary and digestive glands of a female crab (eaten as a delicacy) -蟹黄水,xiè huáng shuǐ,crab roe; crab spawn; (used for crab meat in general) -蚁,yǐ,ant -蚁丘,yǐ qiū,anthill -蚁族,yǐ zú,"""ant tribe"", college graduates who endure cramped living conditions while trying to develop a career" -蚁酸,yǐ suān,formic acid -蚁醛,yǐ quán,formaldehyde (HCHO) -蚁斗蜗争,yǐ dòu wō zhēng,"lit. the ant fights, the snail contends (idiom); fig. petty squabbling" -蟾,chán,toad (chán represents the sound of its croaking); (mythology) the three-legged toad said to exist in the moon; (metonym) the moon -蟾宫折桂,chán gōng zhé guì,lit. plucking a branch of osmanthus from the Toad Palace (i.e. the moon); fig. to succeed in the imperial examination -蟾蜍,chán chú,toad -蠃,luǒ,used in 蜾蠃[guo3 luo3] -蝇,yíng,fly; musca; CL:隻|只[zhi1] -蝇子,yíng zi,housefly -蝇虎,yíng hǔ,jumping spider (family Salticidae) -虿,chài,(scorpion); an insect -蠊,lián,cockroach -蝎,xiē,scorpion -蝎子,xiē zi,scorpion -蝎虎座,xiē hǔ zuò,Lacerta (constellation) -蟹,xiè,variant of 蟹[xie4] -蛴,qí,used in 蠐螬|蛴螬[qi2 cao2]; used in 蝤蠐|蝤蛴[qiu2 qi2] -蛴螬,qí cáo,scarab beetle larva; grub; CL:條|条[tiao2] -蝾,róng,salamander -蝾螈,róng yuán,salamander; newt -茧,jiǎn,variant of 繭|茧[jian3] -蠓,měng,grasshopper; midge; sandfly -蚝,háo,oyster -蚝油,háo yóu,oyster sauce -蚝豉,háo chǐ,dried oyster meat -蠕,rú,to squirm; to wiggle; to wriggle; Taiwan pr. [ruan3] -蠕动,rú dòng,to wiggle; to squirm; peristalsis (wave movement of gut wall) -蠕动前进,rú dòng qián jìn,wriggle -蠕形动物,rú xíng dòng wù,soft-bodied organisms; vermes (obsolete taxonomic term) -蠕滑,rú huá,creep (friction mechanics) -蠕虫,rú chóng,worm -蠕蠕,rú rú,wiggling; squirming -蠕变,rú biàn,creep (materials science) -蠖,huò,looper caterpillar -蠛,miè,minute flies -蠛蠓,miè měng,midge -蜡,là,candle; wax -蜡像,là xiàng,waxwork; wax figure -蜡像馆,là xiàng guǎn,wax museum; waxworks -蜡坨,là tuó,lump of wax -蜡坨儿,là tuó er,erhua variant of 蠟坨|蜡坨[la4 tuo2] -蜡坨子,là tuó zi,erhua variant of 蠟坨|蜡坨[la4 tuo2] -蜡扦,là qiān,"candlestick with a spike, onto which candles are impaled" -蜡染,là rǎn,batik (color printing on cloth using wax) -蜡梅,là méi,variant of 臘梅|腊梅[la4 mei2] -蜡样芽孢杆菌,là yàng yá bāo gǎn jūn,(microbiology) Bacillus cereus -蜡炬,là jù,(literary) candle -蜡烛,là zhú,"candle; CL:根[gen1],支[zhi1]" -蜡烛不点不亮,là zhú bù diǎn bù liàng,some people have to be pushed for them to take action -蜡烛两头烧,là zhú liǎng tóu shāo,to burn the candle at both ends (idiom); to labor under a double burden -蜡疗,là liáo,wax therapy (used to treat arthritis etc) -蜡笔,là bǐ,crayon -蜡笔小新,là bǐ xiǎo xīn,"Crayon Shin-chan (クレヨンしんちゃん), Japanese manga and anime series popular in China" -蜡纸,là zhǐ,wax paper; stencil paper -蜡台,là tái,candlestick; candle holder -蜡虫,là chóng,Chinese white wax bug (Ericerus pela) -蜡质,là zhì,waxiness -蠡,lí,calabash -蠡,lǐ,wood-boring insect -蠡县,lǐ xiàn,"Li county in Baoding 保定[Bao3 ding4], Hebei" -蠢,chǔn,stupid; sluggish; clumsy; to wiggle (of worms); to move in a disorderly fashion -蠢事,chǔn shì,folly -蠢人,chǔn rén,fool; imbecile -蠢动,chǔn dòng,to wriggle; (fig.) to stir up trouble; (of a sentiment) to stir -蠢才,chǔn cái,variant of 蠢材[chun3 cai2] -蠢材,chǔn cái,idiot -蠢汉,chǔn hàn,fool; ignoramus; dullard -蠢笨,chǔn bèn,stupid -蠢蛋,chǔn dàn,fool; dolt -蠢蠢欲动,chǔn chǔn yù dòng,to begin to stir (idiom); to get restless; to become threatening -蠢猪,chǔn zhū,stupid swine; idiot -蠢货,chǔn huò,blockhead; idiot; dunce; moron; fool -蠢驴,chǔn lǘ,silly ass -蛎,lì,oyster -蛎鹬,lì yù,(bird species of China) Eurasian oystercatcher (Haematopus ostralegus) -蛎黄,lì huáng,the flesh of oyster; marinated oyster meat -蟏,xiāo,long-legged spider -蟏蛸,xiāo shāo,"long-jawed orb weaver, aka long-jawed spider (family Tetragnathidae)" -蟏蛸满室,xiāo shāo mǎn shì,The room is filled with cobwebs. (idiom) -蜂,fēng,old variant of 蜂[feng1] -蠮,yē,wasp of the family Sphecidae -蠮螉,yē wēng,wasp of the family Sphecidae -蛊,gǔ,arch. legendary venomous insect; to poison; to bewitch; to drive to insanity; to harm by witchcraft; intestinal parasite -蛊惑,gǔ huò,to entice; to lead astray -蛊惑人心,gǔ huò rén xīn,to stir up public sentiment by false statements (idiom); to resort to demagogy -蛊祝,gǔ zhù,to curse sb; to place a jinx -蠲,juān,to deduct; to show; bright and clean; glow-worm; galleyworm; millipede -蠲免,juān miǎn,"to let sb off (punishment, taxation etc); to reprieve sb" -蠲吉,juān jí,variant of 涓吉[juan1 ji2] -蠲减,juān jiǎn,to remove or lighten (a tax etc) -蠲涤,juān dí,to wash; to cleanse -蠲洁,juān jié,to cleanse; to clean; to purify -蠲租,juān zū,to remit rentals or taxes -蠲苛,juān kē,"to remove an oppressive law, tax etc" -蠲赋,juān fù,to remit levies -蠲除,juān chú,to reprieve; to avoid; to redeem -蠲除苛政,juān chú kē zhèng,to alleviate oppressive administration (idiom) -蠲体,juān tǐ,to clean oneself -蠵,xī,large turtles -蚕,cán,silkworm -蚕丛,cán cóng,"Can Cong, legendary creator of silk and sericulture" -蚕子,cán zǐ,silkworm eggs -蚕宝宝,cán bǎo bǎo,silkworm -蚕山,cán shān,see 蠶蔟|蚕蔟[can2cu4] -蚕沙,cán shā,silkworm guano (excrement) -蚕眠,cán mián,a silkworm's period of inactivity prior to molting -蚕种,cán zhǒng,silkworm eggs -蚕箔,cán bó,bamboo tray for raising silkworms -蚕纸,cán zhǐ,paper on which silkworm lays its eggs -蚕丝,cán sī,natural silk (secreted by silkworm) -蚕茧,cán jiǎn,silkworm cocoon -蚕茧纸,cán jiǎn zhǐ,paper made from silkworm cocoons -蚕菜,cán cài,Malabar spinach (Basella alba) -蚕蔟,cán cù,small bundle of straw etc provided for silkworms to spin cocoons on -蚕薄,cán bó,variant of 蠶箔|蚕箔[can2 bo2] -蚕蛹,cán yǒng,silkworm chrysalis; silkworm pupa -蚕蛾,cán é,Chinese silkworm moth (Bombyx mori) -蚕蚁,cán yǐ,newly hatched silkworm -蚕豆,cán dòu,broad bean (Vicia faba); fava bean -蚕豆症,cán dòu zhèng,G6PD deficiency (glucose-6-phosphate dehydrogenase deficiency) -蚕农,cán nóng,sericulturist -蚕食,cán shí,(lit. and fig.) to nibble away at -蚕食鲸吞,cán shí jīng tūn,lit. to nibble like a silkworm or swallow like a whale (idiom); fig. to seize (territory etc) incrementally or wholesale -蠹,dù,"insect that eats into books, clothing etc; moth-eaten; worm-eaten" -蠹吏,dù lì,corrupt officials -蠹国害民,dù guó hài mín,to rob the state and hurt the people (idiom) -蠹害,dù hài,to harm; to endanger -蠹弊,dù bì,malpractice; abuse; corrupt practice -蠹政,dù zhèng,parasitic government -蠹众木折,dù zhòng mù zhé,Danger appears where many harmful factors exist. (idiom) -蠹简,dù jiǎn,old worm-eaten books -蠹蛀,dù zhù,to be moth-eaten; to be worm-eaten -蠹虫,dù chóng,moth; harmful person; vermin -蠹鱼,dù yú,silverfish; CL:隻|只[zhi1] -蠹鱼子,dù yú zi,silverfish; CL:隻|只[zhi1] -蛮,mán,barbarian; bullying; very; quite; rough; reckless -蛮不讲理,mán bù jiǎng lǐ,completely unreasonable -蛮力,mán lì,brute force -蛮夷,mán yí,"common term for non-Han peoples in former times, not exclusively derogatory; barbarian" -蛮子,mán zi,barbarian; slave servant; (old) contemptuous term for people from southern China (used by northern Chinese people) -蛮干,mán gàn,to act rashly; to act precipitously regardless of the consequences; reckless; foolhardy; daredevil -蛮悍,mán hàn,rude and violent; fierce and reckless -蛮横,mán hèng,rude and unreasonable -蛮横无理,mán hèng wú lǐ,rude and unreasonable -蛮皮,mán pí,recalcitrant; obstreperous -蛮缠,mán chán,to pester; to bother endlessly -蛮荒,mán huāng,savage; wild; uncivilized territory -蛮邸,mán dǐ,foreign mission (in former times); residence of barbarian emissary -蠼,qú,used in 蠼螋[qu2 sou1] -蠼螋,qú sōu,earwig -血,xuè,"blood; colloquial pr. [xie3]; CL:滴[di1],片[pian4]" -血中毒,xuè zhòng dú,blood poisoning -血债,xuè zhài,debt of blood (after killing sb) -血债累累,xuè zhài lěi lěi,debts of blood crying out for retribution -血债血偿,xuè zhài xuè cháng,a debt of blood must be paid in blood; blood calls for blood; also pr. [xue4 zhai4 xie3 chang2] -血债要用血来偿,xuè zhài yào yòng xuè lái cháng,A debt of blood must be paid in blood.; Blood calls for blood. -血债要用血来还,xuè zhài yào yòng xuè lái huán,A debt of blood must be paid in blood.; Blood calls for blood. -血光之灾,xuè guāng zhī zāi,mortal danger; fatal disaster -血凝,xuè níng,to coagulate -血凝素,xuè níng sù,hemaglutinin (the H of virus such as bird flu H5N1) -血刃,xuè rèn,bloodshed -血友病,xuè yǒu bìng,hemophilia -血口,xuè kǒu,bloody mouth (from devouring freshly killed prey) -血口喷人,xuè kǒu pēn rén,to spit blood (idiom); venomous slander; malicious attacks -血史,xuè shǐ,history written in blood; epic period of struggle and sacrifice -血吸虫,xuè xī chóng,schistosoma -血吸虫病,xuè xī chóng bìng,schistosomiasis -血型,xuè xíng,blood group; blood type -血块,xuè kuài,blood clot -血塞,xuè sè,blood obstruction -血压,xuè yā,blood pressure -血压计,xuè yā jì,blood pressure meter; sphygmomanometer -血小板,xuè xiǎo bǎn,blood platelet -血尿,xuè niào,hematuria -血崩,xuè bēng,metrorrhagia (vaginal bleeding outside the expected menstrual period) -血师,xuè shī,hematite Fe2O3 -血帮,xuè bāng,"Bloods, street gang in USA" -血库,xuè kù,blood bank -血性,xuè xìng,brave; staunch; unyielding -血战,xuè zhàn,bloody battle -血拼,xuè pīn,shopping as a fun pastime (loanword) -血族,xuè zú,blood relations; one's own flesh and blood; kin -血晕,xiě yùn,bruise; pale red -血晕,xuè yùn,coma caused by loss of blood; fainting at the sight of blood; Taiwan pr. [xie3 yun1] -血书,xuè shū,"letter written in one's own blood, expressing determination, hatred, last wishes etc" -血本,xuè běn,hard-earned capital -血本无归,xuè běn wú guī,(idiom) to lose everything one invested; to lose one's shirt -血栓,xuè shuān,blood clot; thrombus -血栓形成,xuè shuān xíng chéng,thrombosis -血栓病,xuè shuān bìng,thrombosis -血栓症,xuè shuān zhèng,thrombosis -血案,xuè àn,murder case -血气,xuè qì,blood and vital breath; bloodline (i.e. parentage); valor -血气之勇,xuè qì zhī yǒng,(idiom) the courage born of stirred emotions -血气方刚,xuè qì fāng gāng,full of sap (idiom); young and vigorous -血氧含量,xuè yǎng hán liàng,blood oxygen level -血氧量,xuè yǎng liàng,blood oxygen level -血水,xuè shuǐ,thin blood; watery blood -血汗,xuè hàn,(fig.) sweat and toil; hard work -血汗工厂,xuè hàn gōng chǎng,sweatshop -血汗钱,xuè hàn qián,hard-earned money -血污,xuè wū,bloodstain; bloodstained -血沉,xuè chén,erythrocyte sedimentation rate (ESR) -血泊,xuè pō,pool of blood -血洗,xuè xǐ,to carry out a bloodbath in (a place); (fig.) to wreak havoc on -血流,xuè liú,blood flow -血流成河,xuè liú chéng hé,rivers of blood (idiom); bloodbath -血流漂杵,xuè liú piāo chǔ,enough blood flowing to float pestles (idiom); rivers of blood; blood bath -血液,xuè yè,blood -血液凝结,xuè yè níng jié,blood clotting -血液增强剂,xuè yè zēng qiáng jì,oxyglobin -血液循环,xuè yè xún huán,blood circulation -血液恐怖症,xuè yè kǒng bù zhèng,blood phobia -血液病,xuè yè bìng,disease of the blood -血液透析,xuè yè tòu xi,hemodialysis -血液透析机,xuè yè tòu xi jī,hemodialysis machine -血淋淋,xiě lín lín,bloody; blood-soaked; gory; grisly; cruel; brutal; harsh; grim; bitter -血泪,xuè lèi,tears of blood (symbol of extreme suffering); blood and tears -血泪史,xuè lèi shǐ,(fig.) history full of suffering; heart-rending story; CL:部[bu4] -血清,xuè qīng,serum; blood serum -血清张力素,xuè qīng zhāng lì sù,serotonin -血清素,xuè qīng sù,serotonin -血渍,xuè zì,bloodstain -血渍斑斑,xuè zì bān bān,spattered in blood; covered in bloodstains -血浆,xuè jiāng,blood plasma -血浓于水,xuè nóng yú shuǐ,blood is thicker than water; fig. family ties are closer than social relations -血牛,xuè niú,sb who sells one's blood for a living -血球,xuè qiú,blood corpuscle; hemocyte -血田,xuè tián,field of blood; battlefield; hateful place; Aceldama (field bought by Judas Iscariot with his 30 pieces of silver in Matthew 27:7) -血瘤,xuè liú,blood tumor; angioma (tumor consisting of a mass of blood vessels) -血癌,xuè ái,leukemia -血盆大口,xuè pén dà kǒu,bloody mouth wide open like a sacrificial bowl (idiom); ferocious mouth of beast of prey; fig. greedy exploiter; rapacious aggressor -血祭,xuè jì,blood sacrifice; animal sacrifice (to a God or ancestral spirit) -血竭,xuè jié,dragon's blood (bright red tree resin) -血管,xuè guǎn,vein; artery; CL:根[gen1] -血管摄影,xuè guǎn shè yǐng,angiography -血管瘤,xuè guǎn liú,angioma (medicine) -血管粥样硬化,xuè guǎn zhōu yàng yìng huà,atherosclerosis; hardening of the arteries -血管造影,xuè guǎn zào yǐng,angiography -血糖,xuè táng,blood sugar -血红素,xuè hóng sù,(biochemistry) heme; (Tw) hemoglobin -血红蛋白,xuè hóng dàn bái,hemoglobin -血细胞,xuè xì bāo,blood cell -血统,xuè tǒng,blood relationship; lineage; parentage -血统论,xuè tǒng lùn,"class division into proletariat and bourgeoisie class enemy, in use esp. during the Cultural Revolution" -血丝,xuè sī,wisps of blood; visible veins; (of eyes) bloodshot -血缘,xuè yuán,bloodline -血缘关系,xuè yuán guān xì,blood relationship; consanguinity -血肉,xuè ròu,flesh -血肉模糊,xuè ròu mó hu,to be badly mangled or mutilated (idiom) -血肉横飞,xuè ròu héng fēi,(idiom) flesh and blood flying in all directions; carnage -血肉相连,xuè ròu xiāng lián,one's own flesh and blood (idiom); closely related -血胸,xuè xiōng,blood in the pleural cavity -血脂,xuè zhī,blood lipid -血脉,xuè mài,blood vessels -血脉偾张,xuè mài fèn zhāng,lit. blood vessels swell wide (idiom); fig. one's blood runs quicker; to be excited -血腥,xuè xīng,reeking of blood; bloody (events) -血腥玛丽,xuè xīng mǎ lì,Bloody Mary -血肿,xuè zhǒng,hematoma; swelling of soft tissue due to internal hemorrhage -血肠,xiě cháng,blood sausage -血色,xuè sè,"color (of one's skin, a sign of good health); red of cheeks" -血色素,xuè sè sù,hematin (blood pigment); heme; hemoglobin; also written 血紅蛋白|血红蛋白[xue4 hong2 dan4 bai2] -血色素沉积症,xuè sè sù chén jī zhèng,hemochromatosis -血蓝素,xuè lán sù,(biochemistry) hemocyanin -血亏,xuè kuī,anemia -血衣,xuè yī,bloody garment -血衫,xuè shān,bloodstained shirt; bloody garment -血制品,xuè zhì pǐn,blood products -血亲,xuè qīn,kin; blood relation -血亲复仇,xuè qīn fù chóu,blood vengeance -血证,xuè zhèng,evidence of murder; bloodstain evidence -血象,xuè xiàng,hemogram; picture of blood used in medical research -血账,xuè zhàng,debt of blood (after killing sb) -血迹,xuè jì,bloodstain -血迹斑斑,xuè jì bān bān,bloodstained -血路,xuè lù,desperate getaway (from a battlefield); to cut a bloody path out of a battlefield -血钻,xuè zuàn,blood diamond; conflict diamond -血雀,xuě què,(bird species of China) scarlet finch (Carpodacus sipahi) -血雉,xuě zhì,(bird species of China) blood pheasant (Ithaginis cruentus) -血雨,xuè yǔ,rain of blood; heavy rain colored by loess sandstorm -血饼,xuè bǐng,blood clot; coagulated blood -血郁,xuè yù,(TCM) to have sluggish blood circulation -衄,nǜ,variant of 衄[nu:4] -衄,nǜ,"to bleed from the nose (or from the ears, gums etc); fig. to be defeated" -众,zhòng,variant of 眾|众[zhong4] -众寡,zhòng guǎ,the many or the few -脉,mài,variant of 脈|脉[mai4] -蔑,miè,defiled with blood -行,háng,"row; line; commercial firm; line of business; profession; to rank (first, second etc) among one's siblings (by age); (in data tables) row; (Tw) column" -行,xíng,to walk; to go; to travel; a visit; temporary; makeshift; current; in circulation; to do; to perform; capable; competent; effective; all right; OK!; will do; behavior; conduct; Taiwan pr. [xing4] for the behavior-conduct sense -行不从径,xíng bù cóng jìng,lit. not following the straight path (idiom); fig. looking for a shortcut to get ahead in work or study -行不由径,xíng bù yóu jìng,lit. never taking a short-cut (idiom); fig. upright and honest -行不通,xíng bu tōng,won't work; will get (you) nowhere -行不顾言,xíng bù gù yán,to say one thing and do another (idiom) -行之有效,xíng zhī yǒu xiào,to be effective (idiom) -行乞,xíng qǐ,to beg; to ask for alms -行事,xíng shì,to execute; to handle; behavior; action; conduct -行事历,xíng shì lì,calendar; schedule -行人,xíng rén,pedestrian; traveler on foot; passer-by; official responsible for arranging audiences with the emperor -行人径,xíng rén jìng,footway -行令,xíng lìng,to issue orders; to order sb to drink in a drinking game -行使,xíng shǐ,to exercise (a right etc) -行使职权,xíng shǐ zhí quán,to exercise power -行侠仗义,xíng xiá zhàng yì,to be chivalrous -行凶,xíng xiōng,violent crime; to commit a violent act (assault or murder) -行凶者,xíng xiōng zhě,perpetrator -行刑,xíng xíng,to carry out a (death) sentence; execution -行刑队,xíng xíng duì,firing squad -行列,háng liè,"formation; array; (fig.) ranks (as in ""join the ranks of ..."")" -行列式,háng liè shì,determinant (math.) -行刺,xíng cì,to assassinate -行动,xíng dòng,operation; action; CL:個|个[ge4]; to move about; mobile -行动不便,xíng dòng bù biàn,unable to move freely; difficult to get about -行动主义,xíng dòng zhǔ yì,activism -行动值,xíng dòng zhí,(gaming) action points (points required to complete an action); (Tw) action level (the level of concentration of a harmful substance at which remedial action is considered necessary) -行动剧,xíng dòng jù,(Tw) street theater (esp. as a form of political expression) -行动方案,xíng dòng fāng àn,program of action -行动纲领,xíng dòng gāng lǐng,action plan; program of action -行动自由,xíng dòng zì yóu,freedom of action -行动艺术家,xíng dòng yì shù jiā,performance artist -行动装置,xíng dòng zhuāng zhì,mobile device (Tw) -行动计划,xíng dòng jì huà,action plan -行动电话,xíng dòng diàn huà,mobile phone (Tw) -行唐,xíng táng,"Xingtang county in Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1], Hebei" -行唐县,xíng táng xiàn,"Xingtang county in Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1], Hebei" -行商,háng shāng,traveling salesman; itinerant trader; hawker; peddler -行善,xíng shàn,to do good works; to be merciful -行囊,xíng náng,traveling bag; luggage -行好,xíng hǎo,to be charitable; to do a good deed -行客,xíng kè,visitor; traveler -行宫,xíng gōng,temporary imperial residence -行家,háng jiā,connoisseur; expert; veteran -行家里手,háng jiā lǐ shǒu,connoisseur; expert -行将,xíng jiāng,ready to start on sth; about to act -行将告罄,xíng jiāng gào qìng,to run short (idiom) -行将就木,xíng jiāng jiù mù,to approach one's coffin (idiom); with one foot in the grave -行将结束,xíng jiāng jié shù,approaching the end; about to conclude -行尸走肉,xíng shī zǒu ròu,walking corpse (idiom); zombie; person who lives only on the material level -行市,háng shì,quotation on market price -行径,xíng jìng,(usu. pejorative) conduct; behavior; act; path; trail -行得通,xíng de tōng,practicable; realizable; will work -行情,háng qíng,market price; quotation of market price; the current market situation -行房,xíng fáng,euphemism for sexual intercourse; to go to bed with sb -行拘,xíng jū,to arrest without trial or charge (i.e. administrative detention) (abbr. for 行政拘留[xing2 zheng4 ju1 liu2]); (old) to arrest -行政,xíng zhèng,administration; (attributive) administrative; executive -行政公署,xíng zhèng gōng shǔ,administrative office -行政区,xíng zhèng qū,administrative district -行政区划,xíng zhèng qū huà,administrative subdivision -行政区划图,xíng zhèng qū huà tú,political map -行政区域,xíng zhèng qū yù,administrative area -行政区画,xíng zhèng qū huà,administrative subdivision (e.g. of provinces into counties) -行政命令,xíng zhèng mìng lìng,executive order -行政员,xíng zhèng yuán,administrator -行政单位,xíng zhèng dān wèi,"administrative unit (e.g. province 省[sheng3], prefecture 地區|地区[di4 qu1] or county 縣|县[xian4])" -行政拘留,xíng zhèng jū liú,"to incarcerate sb for a violation of administrative law, typically for 10 days or less; administrative detention" -行政救济,xíng zhèng jiù jì,administrative remedy -行政会议,xíng zhèng huì yì,Executive Council (Hong Kong) -行政机关,xíng zhèng jī guān,administrative authority; branch of government -行政权,xíng zhèng quán,administrative authority; executive power -行政法,xíng zhèng fǎ,administrative law -行政管理,xíng zhèng guǎn lǐ,administration; administrative management -行政总厨,xíng zhèng zǒng chú,executive chef -行政部门,xíng zhèng bù mén,administrative department; administration; executive (government branch) -行政长官,xíng zhèng zhǎng guān,chief executive; magistrate -行政院,xíng zhèng yuàn,"Executive Yuan, the executive branch of government under the constitution of Republic of China, then of Taiwan" -行文,xíng wén,writing style (formal); to send an official written communication -行旅,xíng lǚ,traveler; wanderer; vagabond; rolling stone -行星,xíng xīng,planet; CL:顆|颗[ke1] -行星际,xíng xīng jì,interplanetary -行书,xíng shū,running script; semicursive script (Chinese calligraphic style) -行有余力,xíng yǒu yú lì,"after that, any remaining energy (idiom from Analects); time for extracurricular activities" -行期,xíng qī,departure date -行李,xíng li,luggage; CL:件[jian4] -行李传送带,xíng li chuán sòng dài,luggage conveyor belt; baggage carousel -行李员,xíng li yuán,porter; bellboy -行李房,xíng li fáng,luggage office -行李搬运工,xíng lǐ bān yùn gōng,baggage handler -行李架,xíng li jià,luggage rack -行李票,xíng li piào,baggage tag -行李箱,xíng li xiāng,suitcase; baggage compartment; overhead bin; (car) trunk; boot -行李袋,xíng li dài,travel bag -行板,xíng bǎn,andante; at a walking pace -行栈,háng zhàn,warehouse -行业,háng yè,trade; profession; industry; business -行止,xíng zhǐ,movements; attitude; behavior; whereabouts; tracks -行波管,xíng bō guǎn,traveling wave tube (electronics) -行淫,xíng yín,to commit adultery -行为,xíng wéi,action; conduct; behavior; activity -行为主义,xíng wéi zhǔ yì,behaviorism -行为数据,xíng wéi shù jù,behavioral data (marketing) -行为准则,xíng wéi zhǔn zé,code of conduct; standard of conduct -行状,xíng zhuàng,(literary) brief obituary; one's past experience; one's past record; Taiwan pr. [xing4 zhuang4] -行当,háng dang,profession; role (acting) -行百里者半九十,xíng bǎi lǐ zhě bàn jiǔ shí,"lit. ninety li is merely a half of a hundred li journey (idiom); fig. the closer one is to completing a task, the tougher it gets; a task is not done until it's done" -行省,xíng shěng,province (old) -行礼,xíng lǐ,to salute; to make one's salutations -行礼如仪,xíng lǐ rú yí,to perform the ritual bows; to follow the customary ceremonies -行程,xíng chéng,journey; travel route; distance of travel; course (of history); stroke (of a piston); (Tw) (computing) process -行程单,xíng chéng dān,(e-ticket) itinerary receipt -行窃,xíng qiè,to steal; to commit a robbery -行箧,xíng qiè,traveling suitcase -行经,xíng jīng,to pass by; menstruation -行署,xíng shǔ,administrative office -行者,xíng zhě,pedestrian; walker; itinerant monk -行脚,xíng jiǎo,(of a monk) to travel; itinerant -行船,xíng chuán,to sail a boat; to navigate -行色匆匆,xíng sè cōng cōng,hurried; in a haste -行草,xíng cǎo,semicursive script -行万里路胜读万卷书,xíng wàn lǐ lù shèng dú wàn juǎn shū,to travel a thousand miles beats reading a thousand books -行号,háng hào,(computing) (text file) line number; (data table or spreadsheet) row number; (Tw) unincorporated firm (typically a smaller business such as a sole proprietorship or partnership) -行行出状元,háng háng chū zhuàng yuán,"lit. in every trade, a master appears (idiom); fig. You can produce outstanding achievements in any task, provided you put it enough love and diligence" -行装,xíng zhuāng,clothes and other items packed for traveling; baggage; luggage -行话,háng huà,jargon; language of the trade -行语,háng yǔ,slang; jargon; cant; lingo; patois; argot -行货,háng huò,authorized goods; genuine goods; crudely-made goods -行贿,xíng huì,to offer a bribe -行走,xíng zǒu,to walk -行距,háng jù,row spacing -行迹,xíng jì,tracks; traces; movements -行路,xíng lù,to travel; transport -行踪,xíng zōng,whereabouts; (lose) track (of) -行车,xíng chē,to drive a vehicle; movement of vehicles -行车记录仪,xíng chē jì lù yí,dashcam -行军,xíng jūn,(of troops) to march -行军床,xíng jūn chuáng,camp bed; bivouac -行军礼,xíng jūn lǐ,military salute -行辈,háng bèi,generation and age ranking; seniority -行进,xíng jìn,to advance; forward motion -行进挡,xíng jìn dǎng,forward gear -行酒令,xíng jiǔ lìng,to play a drinking game -行医,xíng yī,to practice medicine (esp. in private practice) -行销,xíng xiāo,to sell; to market; marketing -行销诉求,xíng xiāo sù qiú,marketing message -行长,háng zhǎng,bank president -行间,háng jiān,between rows -行云流水,xíng yún liú shuǐ,"lit. moving clouds and flowing water (idiom); fig. very natural and flowing style of calligraphy, writing, etc; natural and unforced" -行头,háng tóu,team leader (archaic); shopkeeper (archaic) -行头,xíng tou,a person's clothing; outfit; actor's costume -行驶,xíng shǐ,to travel along a route (of vehicles etc) -行骗,xíng piàn,to cheat; to deceive -行体,xíng tǐ,see 行書|行书[xing2 shu1] -衍,yǎn,to spread out; to develop; to overflow; to amplify; superfluous -衍伸,yǎn shēn,to give rise (to); to spawn; to spread (to) -衍化,yǎn huà,"to evolve (of ideas, designs, constructions etc); to develop and change" -衍射,yǎn shè,(physics) to diffract -衍射格子,yǎn shè gé zi,diffraction grating (physics) -衍射角,yǎn shè jiǎo,angle of diffraction (physics) -衍生,yǎn shēng,to give rise to; to derive; derivative; derivation -衍生剧,yǎn shēng jù,spin-off series (TV) -衍生工具,yǎn shēng gōng jù,derivative (finance) -衍生物,yǎn shēng wù,a derivative (complex product derived from simpler source material) -衍生产品,yǎn shēng chǎn pǐn,derivative product; derivative (in finance) -衍圣公,yǎn shèng gōng,hereditary title bestowed on Confucius' descendants -衍圣公府,yǎn shèng gōng fǔ,"the official residence of Confucius' descendants at Qufu 曲阜, Shandong" -衍声复词,yǎn shēng fù cí,"compound word such as 玫瑰[mei2 gui1] or 咖啡[ka1 fei1], whose meaning is unrelated to the component hanzi, which often cannot be used singly" -衍变,yǎn biàn,to develop; to evolve -术,shù,method; technique -术,zhú,"various genera of flowers of Asteracea family (daisies and chrysanthemums), including Atractylis lancea" -术前,shù qián,preoperative; before surgery -术后,shù hòu,postoperative; after surgery -术语,shù yǔ,term; terminology -同,tòng,see 衚衕|胡同[hu2 tong4] -弄,lòng,variant of 弄[long4] -衖,xiàng,variant of 巷[xiang4] -街,jiē,street; CL:條|条[tiao2] -街上,jiē shang,on the street; in town -街区,jiē qū,block; neighborhood -街坊,jiē fāng,neighborhood; neighbor -街坊四邻,jiē fang sì lín,neighbors; the whole neighborhood -街坊邻里,jiē fang lín lǐ,neighbors; the whole neighborhood -街巷,jiē xiàng,streets and alleys; street; alley -街市,jiē shì,"downtown area; commercial district; (chiefly Cantonese) wet market, i.e. a marketplace selling fresh meat, fish and vegetables etc" -街旁,jiē páng,"Jiepang (Chinese location-based social networking service for mobile devices, in operation 2010-2016)" -街景,jiē jǐng,streetscape -街机,jiē jī,arcade game -街段,jiē duàn,block -街溜子,jiē liū zi,town idler -街灯,jiē dēng,streetlight -街知巷闻,jiē zhī xiàng wén,to be known to everyone -街舞,jiē wǔ,street dance (e.g. breakdance) -街访,jiē fǎng,street interview (abbr. for 街頭採訪|街头采访[jie1tou2 cai3fang3]) -街谈巷议,jiē tán xiàng yì,(idiom) town gossip; streetcorner conversations -街道,jiē dào,street; CL:條|条[tiao2]; subdistrict; residential district -街道办事处,jiē dào bàn shì chù,subdistrict office; neighborhood official; an official who works with local residents to report to higher government authorities -街头,jiē tóu,street -街头巷尾,jiē tóu xiàng wěi,"top of streets, bottom of alleys (idiom); everywhere in the city" -街头霸王,jiē tóu bà wáng,Street Fighter (video game series) -衔,xián,variant of 銜|衔[xian2] -衙,yá,surname Ya -衙,yá,office; yamen 衙門|衙门 -衙内,yá nèi,child of an official; palace bodyguard -衙役,yá yì,bailiff of feudal yamen -衙署,yá shǔ,government office in feudal China; yamen -衙门,yá men,government office in feudal China; yamen -胡,hú,see 衚衕|胡同[hu2 tong4] -胡同,hú tòng,variant of 胡同[hu2 tong4] -卫,wèi,"surname Wei; vassal state during the Zhou Dynasty (1066-221 BC), located in present-day Henan and Hebei Provinces" -卫,wèi,"to guard; to protect; to defend; abbr. for 衛生|卫生, hygiene; health; abbr. for 衛生間|卫生间, toilet" -卫兵,wèi bīng,guard; bodyguard -卫冕,wèi miǎn,to defend the crown (in sports championship) -卫国,wèi guó,"state of Wei (c. 1040-209 BC), vassal of Zhou" -卫国,wèi guó,to defend one's country -卫城,wèi chéng,citadel; defensive city; acropolis -卫报,wèi bào,The Guardian (U.K. newspaper) -卫士,wèi shì,guardian; defender -卫奕信,wèi yì xìn,"David Clive Wilson, Baron Wilson of Tillyorn (1935-), British diplomat and China expert, Governor of Hong Kong 1986-1992" -卫尉,wèi wèi,"Commandant of Guards (in imperial China), one of the Nine Ministers 九卿[jiu3 qing1]" -卫星,wèi xīng,satellite; moon; CL:顆|颗[ke1] -卫星图,wèi xīng tú,satellite photo -卫星图像,wèi xīng tú xiàng,satellite photo -卫星城,wèi xīng chéng,"""satellite"" town; edge city; exurb" -卫星定位系统,wèi xīng dìng wèi xì tǒng,global positioning system (GPS) -卫星导航,wèi xīng dǎo háng,satellite navigation; sat-nav -卫星导航系统,wèi xīng dǎo háng xì tǒng,satellite navigation system; sat-nav -卫星电视,wèi xīng diàn shì,satellite TV -卫东,wèi dōng,"Weidong district of Pingdingshan city 平頂山市|平顶山市[Ping2 ding3 shan1 shi4], Henan" -卫东区,wèi dōng qū,"Weidong district of Pingdingshan city 平頂山市|平顶山市[Ping2 ding3 shan1 shi4], Henan" -卫校,wèi xiào,medical school; nursing school -卫氏朝鲜,wèi shì cháo xiǎn,"Wiman Korea (195-108 BC), historical kingdom in Manchuria, Liaoning and North Korea" -卫浴,wèi yù,sanitary (related to toilet and bathroom); bathroom -卫满朝鲜,wèi mǎn cháo xiǎn,"Wiman Korea (195-108 BC), historical kingdom in Manchuria, Liaoning and North Korea" -卫滨,wèi bīn,"Weibin district of Xinxiang city 新鄉市|新乡市[Xin1 xiang1 shi4], Henan" -卫滨区,wèi bīn qū,"Weibin district of Xinxiang city 新鄉市|新乡市[Xin1 xiang1 shi4], Henan" -卫理公会,wèi lǐ gōng huì,Methodists -卫生,wèi shēng,health; hygiene; sanitation -卫生丸,wèi shēng wán,mothball; (jocular term) bullet -卫生套,wèi shēng tào,condom; CL:隻|只[zhi1] -卫生官员,wèi shēng guān yuán,health official -卫生局,wèi shēng jú,health office; bureau of hygiene -卫生巾,wèi shēng jīn,sanitary towel -卫生厅,wèi shēng tīng,(provincial) health department -卫生棉,wèi shēng mián,sterilized absorbent cotton wool (used for dressings or cleansing wounds); sanitary napkin; tampon -卫生棉条,wèi shēng mián tiáo,tampon -卫生球,wèi shēng qiú,mothball -卫生用纸,wèi shēng yòng zhǐ,toilet paper -卫生筷,wèi shēng kuài,disposable chopsticks -卫生纸,wèi shēng zhǐ,toilet paper; bathroom tissue -卫生署,wèi shēng shǔ,"health bureau (or office, or department, or agency)" -卫生裤,wèi shēng kù,long underwear pants -卫生设备,wèi shēng shè bèi,sanitary equipment -卫生部,wèi shēng bù,Ministry of Health -卫生间,wèi shēng jiān,bathroom; toilet; WC; CL:間|间[jian1] -卫生陶瓷,wèi shēng táo cí,chamber pot; commode -卫留成,wèi liú chéng,"Wei Liucheng (1946-), fifth governor of Hainan" -卫舰,wèi jiàn,a frigate (warship) -卫衣,wèi yī,sweatshirt -卫视,wèi shì,satellite TV (abbr. for 衛星電視|卫星电视[wei4 xing1 dian4 shi4]) -卫护,wèi hù,to guard; to protect -卫辉,wèi huī,"Weihui county in Xinxiang 新鄉|新乡[Xin1 xiang1], Henan" -卫辉市,wèi huī shì,"Weihui county in Xinxiang 新鄉|新乡[Xin1 xiang1], Henan" -卫道,wèi dào,to defend traditional values -卫道士,wèi dào shì,traditionalist; moralist; champion (of a cause) -卫队,wèi duì,guard (i.e. group of soldiers) -卫霍,wèi huò,"abbr. for generals Wei Qing 衛青|卫青 and Huo Qubing 霍去病 of Western Han 西漢|西汉[Xi1 Han4], famous for their success in quelling the Xiongnu barbarian invaders" -冲,chōng,thoroughfare; to go straight ahead; to rush; to clash -冲,chòng,powerful; vigorous; pungent; towards; in view of -冲入,chōng rù,to rush into; to break into -冲出,chōng chū,to rush out -冲刺,chōng cì,(sports) to sprint; to spurt; to dash; to put in a big effort to achieve a goal as the deadline approaches -冲力,chōng lì,momentum (the force exhibited by a moving body); (fig.) momentum (capacity for progressive development) -冲劲,chòng jìn,dynamism; drive -冲动,chōng dòng,to have an urge; to be impetuous; impulse; urge -冲口而出,chōng kǒu ér chū,to blurt out without thinking (idiom) -冲向,chōng xiàng,to charge into -冲垮,chōng kuǎ,to burst; to break through; to topple -冲床,chòng chuáng,stamping press (metalworking) -冲打,chōng dǎ,"(of waves, rain etc) to dash against; to batter" -冲撞,chōng zhuàng,to collide; jerking motion; to impinge; to offend; to provoke -冲击,chōng jī,to attack; to batter; (of waves) to pound against; shock; impact -冲击力,chōng jī lì,force of impact or thrust -冲击波,chōng jī bō,shock wave; blast wave -冲击钻,chōng jī zuàn,impact drill; hammer drill -冲断层,chōng duàn céng,thrust fault (geology); compression fault -冲昏头脑,chōng hūn tóu nǎo,lit. to be muddled in the brain (idiom); fig. excited and unable to act rationally; to go to one's head -冲杀,chōng shā,to charge -冲决,chōng jué,to burst (e.g. a dam) -冲浪,chōng làng,to surf; surfing -冲浪板,chōng làng bǎn,surfboard; paddleboard -冲浪者,chōng làng zhě,surfer -冲破,chōng pò,breakthrough; to overcome an obstacle quickly -冲程,chōng chéng,stroke (of a piston) -冲突,chōng tū,conflict; to conflict; clash of opposing forces; collision (of interests); contention -冲进,chōng jìn,to rush in; to charge in -冲量,chōng liàng,(physics) impulse -冲锋,chōng fēng,to charge; to assault; assault -冲锋枪,chōng fēng qiāng,submachine gun -冲锋陷阵,chōng fēng xiàn zhèn,to charge and break through enemy lines -衡,héng,to weigh; weight; measure -衡南,héng nán,"Hengnan county in Hengyang 衡陽|衡阳[Heng2 yang2], Hunan" -衡南县,héng nán xiàn,"Hengnan county in Hengyang 衡陽|衡阳[Heng2 yang2], Hunan" -衡山,héng shān,"Mt Heng in Hunan, southern mountain of the Five Sacred Mountains 五嶽|五岳[Wu3 yue4]; Hengshan county in Hengyang 衡陽|衡阳[Heng2 yang2], Hunan" -衡山县,héng shān xiàn,"Hengshan county in Hengyang 衡陽|衡阳[Heng2 yang2], Hunan" -衡平,héng píng,to govern; to administer -衡情酌理,héng qíng zhuó lǐ,to weight the matter and deliberate the reason (idiom); to weigh and consider; to deliberate -衡东,héng dōng,"Hengdong county in Hengyang 衡陽|衡阳[Heng2 yang2], Hunan" -衡东县,héng dōng xiàn,"Hengdong county in Hengyang 衡陽|衡阳[Heng2 yang2], Hunan" -衡水,héng shuǐ,Hengshui prefecture-level city in Hebei -衡水市,héng shuǐ shì,Hengshui prefecture-level city in Hebei -衡酌,héng zhuó,to weigh and consider; to deliberate; short form of idiom 衡情酌理 -衡量,héng liáng,to weigh; to examine; to consider -衡量制,héng liang zhì,system of weights and measures -衡阳,héng yáng,Hengyang prefecture-level city in Hunan -衡阳市,héng yáng shì,Hengyang prefecture-level city in Hunan -衡阳县,héng yáng xiàn,"Hengyang county in Hengyang 衡陽|衡阳[Heng2 yang2], Hunan" -衢,qú,thoroughfare -衢州,qú zhōu,"Quzhou, prefecture-level city in Zhejiang" -衢州市,qú zhōu shì,"Quzhou, prefecture-level city in Zhejiang" -衣,yī,clothes; CL:件[jian4]; Kangxi radical 145 -衣,yì,to dress; to wear; to put on (clothes) -衣不蔽体,yī bù bì tǐ,lit. clothes not covering the body (idiom); fig. poverty-stricken -衣兜,yī dōu,pocket -衣冠,yī guān,hat and clothes; attire -衣冠冢,yī guān zhǒng,cenotaph -衣冠楚楚,yī guān chǔ chǔ,immaculately dressed; well-groomed; dapper -衣冠禽兽,yī guān qín shòu,lit. dressed up animal (idiom); fig. immoral and despicable person -衣原菌,yī yuán jūn,Chlamydia -衣原体,yī yuán tǐ,Chlamydia (genus of intracellular parasitic bacteria) -衣单食薄,yī dān shí bó,"thin coat, meager food (idiom); life of wretched poverty; destitute" -衣夹,yī jiā,clothespin; clothes peg -衣子,yī zǐ,covering -衣履,yī lǚ,clothes and shoes -衣带,yī dài,belt; sash; attire (clothes and belt) -衣帽间,yī mào jiān,cloakroom -衣扣,yī kòu,button -衣料,yī liào,material for clothing -衣服,yī fu,"clothes; CL:件[jian4],套[tao4]" -衣服缝边,yī fú fèng biān,hem -衣架,yī jià,clothes hanger; clothes rack -衣柜,yī guì,wardrobe; armoire; CL:個|个[ge4] -衣橱,yī chú,wardrobe -衣物,yī wù,clothing; clothing and other personal items -衣物柜,yī wù guì,locker; lockable compartment -衣甲,yì jiǎ,armor -衣索比亚,yī suǒ bǐ yà,Ethiopia (Tw) -衣索比亚界,yī suǒ bǐ yà jiè,"(Tw) Ethiopian Zone, aka Afrotropical realm" -衣钵,yī bō,the cassock and alms bowl of a Buddhist master passed on to the favorite disciple (Buddhism); legacy; mantle -衣胞,yī bāo,see 胞衣[bao1 yi1] -衣着,yī zhuó,clothes -衣衫,yī shān,clothing; unlined garment -衣衾,yī qīn,burial clothes -衣袋,yī dài,pocket -衣袖,yī xiù,the sleeve of a garment -衣裙,yī qún,female clothing -衣装,yī zhuāng,garment -衣裳,yī shang,(coll.) clothes -衣裳钩儿,yī shang gōu er,clothes hook -衣襟,yī jīn,the front piece(s) of a Chinese jacket; lapel -衣角,yī jiǎo,corner of the lower hem of a jacket etc -衣钩,yī gōu,clothes hook -衣钩儿,yī gōu er,erhua variant of 衣鉤|衣钩[yi1 gou1] -衣锦荣归,yī jǐn róng guī,to come back to one's hometown in silken robes (idiom); to return in glory -衣锦还乡,yī jǐn huán xiāng,lit. to come back to one's hometown in silken robes (idiom); fig. to return home after making good; Taiwan pr. [yi4 jin3 huan2 xiang1] -衣领,yī lǐng,collar; neck -衣食,yī shí,clothes and food -衣食住行,yī shí zhù xíng,"clothing, food, housing and transport (idiom); people's basic needs" -衣食无忧,yī shí wú yōu,not having to worry about clothes and food (idiom); to be provided with the basic necessities -衣食无虞,yī shí wú yú,not having to worry about food and clothes (idiom); provided with the basic necessities -衣食父母,yī shí fù mǔ,the people one depends upon for one's livelihood; one's bread and butter -衣饰,yī shì,clothes and ornaments -衣鱼,yī yú,silverfish (Lepisma saccharina) -衤,yī,"the left-radical form of Kangxi radical 145, 衣[yi1]" -表,biǎo,exterior surface; family relationship via females; to show (one's opinion); a model; a table (listing information); a form; a meter (measuring sth) -表位,biǎo wèi,epitope (in immunology); antigenic determinant -表兄,biǎo xiōng,older male cousin via female line -表兄弟,biǎo xiōng dì,male cousins via female line -表册,biǎo cè,statistical form; book of tables or forms -表功,biǎo gōng,to show off one's accomplishments (often derog.) -表叔,biǎo shū,son of grandfather's sister; son of grandmother's brother or sister; father's younger male cousin; (Hong Kong slang) mainlander -表哥,biǎo gē,older male cousin via female line -表单,biǎo dān,form (document) -表土,biǎo tǔ,surface soil; topsoil -表报,biǎo bào,statistical tables and reports -表妹,biǎo mèi,younger female cousin via female line -表妹夫,biǎo mèi fu,husband of younger female cousin via female line -表姊妹,biǎo zǐ mèi,father's sister's daughters; maternal female cousin -表姐,biǎo jiě,older female cousin via female line -表姐夫,biǎo jiě fu,husband of older female cousin via female line -表姐妹,biǎo jiě mèi,female cousins via female line -表姑,biǎo gū,father's female cousin via female line -表侄,biǎo zhí,son of a male cousin via female line -表侄女,biǎo zhí nǚ,daughter of a male cousin via female line -表嫂,biǎo sǎo,wife of older male cousin via female line -表字,biǎo zì,literary name (an alternative name of a person stressing a moral principle); courtesy name -表尺,biǎo chǐ,rear sight (of a gun) -表层,biǎo céng,surface layer -表带,biǎo dài,watchband; watch strap -表弟,biǎo dì,younger male cousin via female line -表弟妹,biǎo dì mèi,wife of younger male cousin via female line; younger cousins via female line -表弟媳,biǎo dì xí,wife of younger male cousin via female line -表彰,biǎo zhāng,to honor; to commend; to cite (in dispatches) -表征,biǎo zhēng,symbol; indicator; representation -表情,biǎo qíng,(facial) expression; to express one's feelings -表情包,biǎo qíng bāo,image macro; visual meme; sticker package; emoticon collection -表意,biǎo yì,to express meaning; ideographic -表意文字,biǎo yì wén zì,ideograph; ideographical writing system -表意符阶段,biǎo yì fú jiē duàn,logographic stage -表态,biǎo tài,to declare one's position; to say where one stands -表扬,biǎo yáng,to praise; to commend -表明,biǎo míng,to make clear; to make known; to state clearly; to indicate; known -表格,biǎo gé,"form; table; CL:張|张[zhang1],份[fen4]" -表决,biǎo jué,to decide by vote; to vote -表决权,biǎo jué quán,right to vote; vote -表温,biǎo wēn,surface temperature -表演,biǎo yǎn,play; show; performance; exhibition; to perform; to act; to demonstrate; CL:場|场[chang3] -表演赛,biǎo yǎn sài,exhibition match -表演过火,biǎo yǎn guò huǒ,to overact; to overdo one's part -表率,biǎo shuài,example; model -表现,biǎo xiàn,to show; to show off; to display; to manifest; expression; manifestation; show; display; performance (at work etc); behavior -表现力,biǎo xiàn lì,expressive power -表现型,biǎo xiàn xíng,phenotype -表白,biǎo bái,to explain oneself; to express; to reveal one's thoughts or feelings; declaration; confession -表皮,biǎo pí,epidermis; cuticle -表皮剥脱素,biǎo pí bō tuō sù,exotoxin -表盘,biǎo pán,meter dial; watch face -表示,biǎo shì,(of sb) to express; to state; to show; (of sth) to indicate; to signify; to show; expression; manifestation -表示层,biǎo shì céng,presentation layer -表示式,biǎo shì shì,expression (math.) -表章,biǎo zhāng,memorial to the Emperor -表里,biǎo lǐ,the outside and the inside; one's outward show and inner thoughts; exterior and interior -表里不一,biǎo lǐ bù yī,outside appearance and inner reality differ (idiom); not what it seems; saying one thing but meaning sth different -表里如一,biǎo lǐ rú yī,external appearance and inner thoughts coincide (idiom); to say what one means; to think and act as one -表亲,biǎo qīn,cousin (via female line) -表观,biǎo guān,apparent -表观遗传学,biǎo guān yí chuán xué,epigenetics -表记,biǎo jì,sth given as a token; souvenir -表语,biǎo yǔ,predicative -表证,biǎo zhèng,superficial syndrome; illness that has not attacked the vital organs of the human body -表象,biǎo xiàng,"outward appearance; superficial; (philosophy, psychology) representation; idea; (math.) representation" -表述,biǎo shù,to express; to articulate; to formulate -表达,biǎo dá,to express; to convey -表达失语症,biǎo dá shī yǔ zhèng,expressive aphasia -表达式,biǎo dá shì,expression (math.) -表露,biǎo lù,to show; to reveal (one's feelings etc) -表露无遗,biǎo lù wú yí,to show in full light; to be revealed in its entirety -表面,biǎo miàn,surface; face; outside; appearance -表面上,biǎo miàn shang,outwardly; superficially; on the face of it -表面化,biǎo miàn huà,to come to the surface; to become apparent -表面外膜,biǎo miàn wài mó,surface coat -表面张力,biǎo miàn zhāng lì,surface tension -表面文章,biǎo miàn wén zhāng,superficial show; going through the motions -表面活化剂,biǎo miàn huó huà jì,surfactant -表面活性剂,biǎo miàn huó xìng jì,surfactant -表音,biǎo yīn,phonetic; phonological; transliteration -衩,chǎ,open seam of a garment; shorts; panties -衩,chà,slit on either side of robe -衫,shān,garment; jacket with open slits in place of sleeves -衰,cuī,variant of 縗|缞[cui1] -衰,shuāi,(bound form) to decay; to decline; to wane -衰之以属,shuāi zhī yǐ shǔ,to treat a debility according to its nature -衰亡,shuāi wáng,to decline; to die out; decline and fall -衰人,shuāi rén,loser; jerk -衰弱,shuāi ruò,weak; feeble -衰微,shuāi wēi,to decline; to wane; weakened; enfeebled; in decline -衰败,shuāi bài,to decline; to wane; to decay; to deteriorate -衰朽,shuāi xiǔ,decaying; decrepit; aged and crumbling -衰减,shuāi jiǎn,to weaken; to attenuate -衰竭,shuāi jié,organ failure; exhaustion; prostration (medicine) -衰老,shuāi lǎo,to age; to deteriorate with age; old and weak -衰落,shuāi luò,to fall; to drop; to decline; to deteriorate; to go downhill -衰变,shuāi biàn,radioactive decay -衰变曲线,shuāi biàn qū xiàn,decay curves -衰变热,shuāi biàn rè,decay heat -衰变链,shuāi biàn liàn,decay chain -衰退,shuāi tuì,to decline; to fall; to drop; to falter; a decline; recession (in economics) -衰退期,shuāi tuì qī,recession (in economics) -衰运,shuāi yùn,decline in fortunes -衰迈,shuāi mài,aged; decrepit -衰颓,shuāi tuí,uninspired; dejected; discouraged -衲,nà,cassock; to line -衷,zhōng,inner feelings -衷心,zhōng xīn,heartfelt; wholehearted; cordial -只,zhǐ,variant of 只[zhi3] -衹,qí,robe of a Buddhist monk or nun -邪,xié,old variant of 邪[xie2] -衽,rèn,(literary) overlapping part of Chinese gown; lapel; sleeping mat -衾,qīn,coverlet; quilt -衿,jīn,collar; belt; variant of 襟[jin1] -袁,yuán,surname Yuan -袁,yuán,long robe (old) -袁世凯,yuán shì kǎi,"Yuan Shikai (1859-1916), senior general of late Qing, subsequently warlord and self-proclaimed emperor of China" -袁于令,yuán yú lìng,"Yuan Yuling (-1674) Qing writer, author of 西樓記|西楼记[Xi1 lou2 Ji4]" -袁宏道,yuán hóng dào,"Yuan Hongdao (1568-1610), Ming dynasty poet and travel writer" -袁州,yuán zhōu,"Yuanzhou district of Yichun city 宜春市, Jiangxi" -袁州区,yuán zhōu qū,"Yuanzhou district of Yichun city 宜春市, Jiangxi" -袁枚,yuán méi,"Yuan Mei (1716-1798), famous Qing poet and critic, one of Three great poets of the Qianlong era 乾嘉三大家" -袁桷,yuán jué,"Yuan Jue (1267-1327), Yuan dynasty writer and calligrapher" -袁绍,yuán shào,"Yuan Shao (153-202), general during late Han, subsequently warlord" -袁咏仪,yuán yǒng yí,"Anita Yuen (1971-), Hong Kong actress" -袁静,yuán jìng,"Yuan Jing (1911-1999), writer, dramatist and film critic" -袁头,yuán tóu,silver coin from the early days of the Republic of China (1912-1949) bearing the head of Yuan Shikai 袁世凱|袁世凯[Yuan2 Shi4 kai3] -袂,mèi,sleeve of a robe -袈,jiā,used in 袈裟[jia1 sha1] -袈裟,jiā shā,kasaya (robe of a Buddhist monk or nun) (loanword from Sanskrit) -袋,dài,pouch; bag; sack; pocket -袋子,dài zi,bag -袋子包,dài zi bāo,pita bread (Middle eastern flat bread) -袋熊,dài xióng,wombat (Australian marsupial) -袋狼,dài láng,thylacine (Thylacinus cynocephalus) -袋鼠,dài shǔ,kangaroo -袍,páo,gown (lined) -袍子,páo zi,Chinese-style gown -袍泽,páo zé,fellow soldier -袒,tǎn,to bare -袒免,tǎn miǎn,to bare one's left arm and take off one's cap as an expression of sorrow -袒庇,tǎn bì,to shield; to harbor; to cover up -袒缚,tǎn fù,to surrender after baring oneself to the waist and tying one's hands behind -袒胸,tǎn xiōng,to bare the breast -袒膊,tǎn bó,to strip to the waist; to be bare to the waist -袒衣,tǎn yī,to dress in a hurry with part of the body showing -袒裼,tǎn xī,to bare the upper body -袒护,tǎn hù,"to shield (a miscreant) from punishment, criticism etc; to take sb's side" -袒露,tǎn lù,to expose; to bare -袖,xiù,sleeve; to tuck inside one's sleeve -袖口,xiù kǒu,cuff -袖套,xiù tào,sleeve cover; outer sleeve -袖子,xiù zi,sleeve -袖手旁观,xiù shǒu páng guān,to watch with folded arms (idiom); to look on without lifting a finger -袖扣,xiù kòu,cuff link -袖标,xiù biāo,armband; sleeve badge -袖珍,xiù zhēn,pocket-sized; pocket (book etc) -袖珍人,xiù zhēn rén,little person; midget; dwarf -袖珍本,xiù zhēn běn,pocket book; paperback -袖珍辞典,xiù zhēn cí diǎn,pocket dictionary -袖珍音响,xiù zhēn yīn xiǎng,pocket stereo; walkman -袖章,xiù zhāng,armband (e.g. as part of uniform or to show status) -袖筒,xiù tǒng,sleeve -袖筒儿,xiù tǒng er,erhua variant of 袖筒[xiu4 tong3] -袖箍,xiù gū,armband -袖管,xiù guǎn,sleeve -袖箭,xiù jiàn,spring-loaded arrow concealed in one's sleeve -衮,gǔn,imperial robe -袟,zhì,surname Zhi -袟,zhì,book cover -帙,zhì,variant of 帙[zhi4]; variant of 秩[zhi4]; (classifier) ten years -袢,pàn,used in 袷袢[qia1 pan4]; variant of 襻[pan4] -袤,mào,length; distance from north to south -被,bèi,"quilt; to cover (with); (literary) to suffer (a misfortune); used to indicate passive voice (placed before the doer of the action like ""by"" in English passive-voice sentences, or, if the doer is not mentioned, before the verb); (since c. 2009) (sarcastic or jocular) used to indicate that the following word should be regarded as being in air quotes (as in 被旅遊|被旅游[bei4 lu:3 you2] to ""go on a trip"", for example)" -被上诉人,bèi shàng sù rén,"appellee (side that won in trial court, whose victory is being appealed by losing side)" -被乘数,bèi chéng shù,multiplicand -被保人,bèi bǎo rén,insured person; insurance policyholder -被优化掉,bèi yōu huà diào,to be made redundant -被剥削者,bèi bō xuē zhě,person suffering exploitation; the workers in Marxist theory -被加数,bèi jiā shù,augend; addend -被动,bèi dòng,passive -被动免疫,bèi dòng miǎn yì,passive immunity -被动吸烟,bèi dòng xī yān,second-hand smoking; passive smoking -被告,bèi gào,defendant -被告人,bèi gào rén,defendant (in legal case) -被和谐,bèi hé xié,"to be ""harmonized"" i.e. censored" -被单,bèi dān,(bed) sheet; envelope for a padded coverlet; CL:床[chuang2] -被困,bèi kùn,to be trapped; to be stranded -被执行人,bèi zhí xíng rén,(law) person required to fulfill obligations set forth in a written court judgement (e.g. to pay compensation to sb) -被套,bèi tào,"quilt cover; to have money stuck (in stocks, real estate etc)" -被子,bèi zi,quilt; CL:床[chuang2] -被子植物,bèi zǐ zhí wù,angiosperm (flowering plants with seed contained in a fruit) -被子植物门,bèi zǐ zhí wù mén,angiospermae (phylum of flowering plants with seed contained in a fruit) -被害人,bèi hài rén,victim -被害者,bèi hài zhě,victim (of a wounding or murder) -被指,bèi zhǐ,to be accused of; to be alleged to -被捕,bèi bǔ,to be arrested; under arrest -被控,bèi kòng,the accused (in a trial) -被旅游,bèi lǚ yóu,"(coll.) (of a dissident) to be taken on a tour, ostensibly a vacation, but actually a trip organized by the authorities where one's every move is watched" -被服,bèi fú,bedding and clothing -被毛,bèi máo,coat (of an animal) -被减数,bèi jiǎn shù,(math.) minuend -被爆者,bèi bào zhě,survivor of the atomic bombings of Hiroshima and Nagasaki -被墙,bèi qiáng,(slang) (of a website) to get blocked -被物化,bèi wù huà,objectified -被疑者,bèi yí zhě,suspect (in criminal investigation) -被窝,bèi wō,(traditional bedding) quilt wrapped around the body as a tube; (contemporary) bedding; bed cover -被窝儿,bèi wō er,erhua variant of 被窩|被窝[bei4 wo1] -被卧,bèi wo,quilt; cover -被自杀,bèi zì shā,a death claimed to be a suicide by the authorities -被褥,bèi rù,bedding; bedclothes -被访者,bèi fǎng zhě,"respondent (in a survey, questionnaire, study etc)" -被译,bèi yì,translated -被迫,bèi pò,to be compelled; to be forced -被选举权,bèi xuǎn jǔ quán,the right to be elected; the right to stand for election -被除数,bèi chú shù,dividend (math.) -被面,bèi miàn,quilt -袮,nǐ,You; Thou (of deity); variant of 你[ni3] -袮,mi,used in rare Japanese place names such as 袮宜町 Minorimachi and 袮宜田 Minorita -袱,fú,(bound form) a cloth used to wrap or cover -裤,kù,variant of 褲|裤[ku4] -裤子,kù zi,"variant of 褲子|裤子, trousers; pants" -衽,rèn,variant of 衽[ren4] -袷,jiá,variant of 夾|夹[jia2] -袷,qiā,used in 袷袢[qia1 pan4] -袷袢,qiā pàn,"(loanword) chapan, a traditional collarless coat worn in Central Asian countries" -袷袄,jiá ǎo,variant of 夾襖|夹袄[jia2 ao3] -袼,gē,gusset; cloth fitting sleeve under armpit -袼褙,gē bèi,rags used as shoes -裁,cái,to cut out (as a dress); to cut; to trim; to reduce; to diminish; to cut back (e.g. on staff); decision; judgment -裁并,cái bìng,cut down and merge -裁兵,cái bīng,to reduce troop numbers; disarmament -裁切,cái qiē,to crop; to trim -裁判,cái pàn,(law) to judge; to adjudicate; verdict; judgement; (sports) to referee; (sports) umpire; referee; judge -裁判员,cái pàn yuán,referee -裁判官,cái pàn guān,judge -裁判所,cái pàn suǒ,place of judgment; law court -裁剪,cái jiǎn,to cut out -裁员,cái yuán,to cut staff; to lay off employees -裁夺,cái duó,to consider and decide -裁定,cái dìng,ruling -裁度,cái duó,(formal) to make a judgement call; to decide -裁撤,cái chè,to dissolve an organisation -裁断,cái duàn,to consider and decide -裁汰,cái tài,to cut back -裁决,cái jué,ruling; adjudication -裁减,cái jiǎn,to reduce; to lessen; to cut down -裁减军备,cái jiǎn jūn bèi,arms reduction -裁答,cái dá,to reply (to a letter) -裁纸机,cái zhǐ jī,trimmer; paper cutter -裁缝,cái féng,to make an item of clothing; to tailor -裁缝,cái feng,tailor; dressmaker -裁缝师,cái féng shī,tailor -裁缝店,cái féng diàn,tailor's shop -裁处,cái chǔ,to handle -裁制,cái zhì,to tailor; to make clothes -裁军,cái jūn,disarmament -裁革,cái gé,to dismiss; to lay off -裂,liè,to split; to crack; to break open; to rend -裂化,liè huà,to crack (fractionally distill oil) -裂口,liè kǒu,breach; split; rift; vent (volcanic crater) -裂殖,liè zhí,schizo- -裂殖菌,liè zhí jūn,Schizomycetes (taxonomic class of fungi) -裂殖菌纲,liè zhí jūn gāng,Schizomycetes (taxonomic class of fungi) -裂片,liè piàn,splinter; chip; tear (split in a surface); lobe -裂璺,liè wèn,crack; split; fracture line -裂痕,liè hén,crack; gap; split -裂纹,liè wén,crack; flaw -裂缝,liè fèng,crack; crevice; CL:道[dao4] -裂罅,liè xià,rift; crevice; fissure -裂脑人,liè nǎo rén,commissurotomy -裂解,liè jiě,pyrolysis; splitting (chemistry) -裂变,liè biàn,fission -裂变同位素,liè biàn tóng wèi sù,fissile isotope -裂变材料,liè biàn cái liào,fissionable material -裂变武器,liè biàn wǔ qì,fission weapon -裂变炸弹,liè biàn zhà dàn,fission bomb -裂变产物,liè biàn chǎn wù,fission products -裂变碎片,liè biàn suì piàn,fission fragment -裂谷,liè gǔ,(geology) rift valley -裂谷热,liè gǔ rè,Rift Valley fever (RVF) -裂开,liè kāi,to split open -裂隙,liè xì,gap; slit; crack; crevice; fracture -裂体吸虫,liè tǐ xī chóng,"schistosome, parasitic flatworm causing snail fever (bilharzia or schistosomiasis)" -裇,xū,see T裇[T xu1] -裉,kèn,side seam in an upper garment -袅,niǎo,delicate; graceful -袅娜,niǎo nuó,slim and graceful -袅袅,niǎo niǎo,rising in spirals -袅袅婷婷,niǎo niǎo tíng tíng,(of a woman) elegant and supple -夹,jiá,variant of 夾|夹[jia2] -裎,chéng,to take off one's clothes; naked -裎,chěng,an ancient type of clothing -里,lǐ,variant of 裡|里[li3] -里番,lǐ fān,"erotic animation; hentai; (loanword from Japanese 裏番組 ""ura bangumi"")" -裒,póu,collect -裒多益寡,póu duō yì guǎ,to take from the rich and give to the poor (idiom) -裒敛无厌,póu liǎn wú yàn,to accumulate wealth without satisfaction; to continually plunder (idiom) -裔,yì,descendants; frontier -裔胄,yì zhòu,descendants; offspring -裕,yù,abundant -裕仁,yù rén,"Hirohito, personal name of the Shōwa 昭和[Zhao1 he2] emperor of Japan (1901-1989), reigned 1925-1989" -裕固,yù gù,Yugur ethnic group of Gansu -裕固族,yù gù zú,Yugur ethnic group of Gansu -裕安,yù ān,"Yu'an, a district of Lu'an City 六安市[Lu4an1 Shi4], Anhui" -裕安区,yù ān qū,"Yu'an, a district of Lu'an City 六安市[Lu4an1 Shi4], Anhui" -裕度,yù dù,margin; allowance -裕民,yù mín,"Yumin county or Chaghantoqay nahiyisi in Tacheng prefecture 塔城地區|塔城地区[Ta3 cheng2 di4 qu1], Xinjiang" -裕民县,yù mín xiàn,"Yumin county or Chaghantoqay nahiyisi in Tacheng prefecture 塔城地區|塔城地区[Ta3 cheng2 di4 qu1], Xinjiang" -裕华,yù huá,"Yuhua District of Shijiazhuang City 石家莊市|石家庄市[Shi2 jia1 zhuang1 Shi4], Hebei" -裕华区,yù huá qū,"Yuhua District of Shijiazhuang City 石家莊市|石家庄市[Shi2 jia1 zhuang1 Shi4], Hebei" -裘,qiú,surname Qiu -裘,qiú,fur; fur coat -裙,qún,skirt; CL:條|条[tiao2] -裙子,qún zi,skirt; CL:條|条[tiao2] -裙带,qún dài,waistband of a skirt; (fig.) related to the wife or another female family member -裙带官,qún dài guān,official who gained his position through the influence of a female relative -裙带菜,qún dài cài,"wakame (Undaria pinnatifida), an edible seaweed" -裙带亲,qún dài qīn,relatives of the wife (slightly pejorative) -裙带资本主义,qún dài zī běn zhǔ yì,crony capitalism -裙带关系,qún dài guān xi,"favoritism shown to sb because of the influence of the person's wife or other female relative; (by extension) favoritism towards relatives, friends or associates" -裙带风,qún dài fēng,"the practice of favoring sb because of the influence of the person's wife or other female relative; (by extension) culture of favoritism towards relatives, friends and associates" -裙裤,qún kù,culottes; pantskirt -补,bǔ,to repair; to patch; to mend; to make up for; to fill (a vacancy); to supplement -补丁,bǔ ding,"patch (for mending clothes, tires etc); (software) patch" -补交,bǔ jiāo,to hand in after the deadline; to pay after the due date -补休,bǔ xiū,to take deferred time off (to make up for working during the weekend or holidays); compensatory leave -补偏救弊,bǔ piān jiù bì,to remedy defects and correct errors (idiom); to rectify past mistakes -补偿,bǔ cháng,to compensate; to make up -补偿费,bǔ cháng fèi,compensation -补充,bǔ chōng,to replenish; to supplement; to complement; additional; supplementary; CL:個|个[ge4] -补充品,bǔ chōng pǐn,complementary item -补充医疗,bǔ chōng yī liáo,complementary medicine -补充量,bǔ chōng liàng,complement; complementary quantity -补刀,bǔ dāo,(gaming) to finish off a wounded combatant; (fig.) to attack sb who is already under fire; to pile on; (sphragistics) to retouch a seal after taking a first impression -补助,bǔ zhù,to subsidize; subsidy; allowance -补助组织,bǔ zhù zǔ zhī,auxiliary organizations -补卡,bǔ kǎ,"to replace a lost or damaged SIM card, retaining one's original telephone number; SIM replacement" -补品,bǔ pǐn,tonic -补回,bǔ huí,to make up for; to compensate -补报,bǔ bào,to make a report after the event; to make a supplementary report; to repay a kindness -补强,bǔ qiáng,(engineering) to reinforce (a structure); to strengthen; (fig.) to rectify shortcomings -补救,bǔ jiù,to remedy -补数,bǔ shù,complementary number -补时,bǔ shí,(sports) to extend the duration of a game (due to stoppages); (abbr. for 傷停補時|伤停补时[shang1 ting2 bu3 shi2]) injury time -补法,bǔ fǎ,treatment involving the use of tonics to restore the patient's health; reinforcing method (in acupuncture) -补液,bǔ yè,fluid infusion -补满,bǔ mǎn,to make up for what is lacking; to fill (a vacancy); to replenish -补泻,bǔ xiè,reinforcing and reducing methods (in acupuncture) -补炉,bǔ lú,fettling -补牙,bǔ yá,to fill a tooth (cavity); to have a tooth filled; a dental filling -补登,bǔ dēng,record entry (e.g. into a bank passbook) -补登机,bǔ dēng jī,passbook entry machine -补发,bǔ fā,to supply again (sth lost); to reissue; to pay retroactively -补白,bǔ bái,to fill a gap (e.g. a gap in knowledge or blank space in a print layout); to make some additional remarks; filler (in a newspaper or magazine) -补益,bǔ yì,benefit; help -补眠,bǔ mián,to catch up on sleep -补码,bǔ mǎ,complementary code; binary code with 0 and 1 interchanged -补票,bǔ piào,"to buy or upgrade a ticket after boarding a train, boat etc; to buy a ticket for a show after having sat down in the theater" -补票处,bǔ piào chù,additional ticket desk; stand-by counter -补税,bǔ shuì,to pay a tax one has evaded; to pay an overdue tax -补种,bǔ zhòng,to reseed; to resow; to replant -补给,bǔ jǐ,supply; replenishment; to replenish -补给品,bǔ jǐ pǐn,supplies -补给站,bǔ jǐ zhàn,depot; supply station; supply point; staging post -补给船,bǔ jǐ chuán,supply ship -补给舰,bǔ jǐ jiàn,supply ship -补缀,bǔ zhuì,to mend (clothes); to patch -补缺,bǔ quē,to fill a vacancy; to make up for a shortage; to supply a deficiency -补缺拾遗,bǔ quē shí yí,see 拾遺補缺|拾遗补缺[shi2 yi2 bu3 que1] -补习,bǔ xí,to take extra lessons in a cram school or with a private tutor -补习班,bǔ xí bān,cram class; cram school; evening classes -补考,bǔ kǎo,to sit for a makeup exam; to resit an exam; makeup exam; resit -补胎,bǔ tāi,to repair a tire -补胎片,bǔ tāi piàn,tire patch (for puncture repair) -补色,bǔ sè,complementary color -补花,bǔ huā,applique -补苗,bǔ miáo,to fill gaps with seedlings -补药,bǔ yào,tonic -补血,bǔ xuè,to enrich the blood -补裰,bǔ duō,to mend clothes -补觉,bǔ jiào,to make up for lost sleep -补角,bǔ jiǎo,supplementary angle -补语,bǔ yǔ,complement (grammar) -补课,bǔ kè,to make up missed lesson; to reschedule a class -补货,bǔ huò,to restock (an item); to replenish inventory -补贴,bǔ tiē,to subsidize; subsidy; allowance; to supplement (one's salary etc); benefit -补足,bǔ zú,"to bring up to full strength; to make up a deficiency; to fill (a vacancy, gap etc)" -补足音程,bǔ zú yīn chéng,complementary interval; addition musical interval adding to an octave -补足额,bǔ zú é,complement; complementary sum -补办,bǔ bàn,"to do sth after the time it should have been done; to do sth to make up for not having done it before; to reapply for (a lost document, card etc)" -补过,bǔ guò,to make up for an earlier mistake; to make amends -补选,bǔ xuǎn,by-election -补遗,bǔ yí,addendum -补钉,bǔ ding,variant of 補丁|补丁[bu3 ding5] -补阙,bǔ quē,old variant of 補缺|补缺[bu3 que1] -补集,bǔ jí,complement of a set -补电,bǔ diàn,to charge (a battery) -补养,bǔ yǎng,to take a tonic or nourishing food to build up one's health -补体,bǔ tǐ,complement (in blood serum) -装,zhuāng,adornment; to adorn; dress; clothing; costume (of an actor in a play); to play a role; to pretend; to install; to fix; to wrap (sth in a bag); to load; to pack -装作,zhuāng zuò,to pretend; to feign; to act a part -装佯,zhuāng yáng,affectation -装修,zhuāng xiū,to decorate; interior decoration; to fit up; to renovate -装备,zhuāng bèi,equipment; to equip; to outfit -装傻,zhuāng shǎ,to act stupid; to pretend to be naive -装入,zhuāng rù,to load -装出,zhuāng chū,to assume (an air of) -装卸,zhuāng xiè,to load or unload; to transfer; to assemble and disassemble -装卸工,zhuāng xiè gōng,docker; longshoreman -装可爱,zhuāng kě ài,to act cute; putting on adorable airs; to pretend to be lovely -装好人,zhuāng hǎo rén,to pretend to be nice -装嫩,zhuāng nèn,to act young; to affect a youthful appearance -装屄,zhuāng bī,to act like a pretentious prick -装帧,zhuāng zhēn,binding and layout (of a book etc) -装弹,zhuāng dàn,to charge (ammunition into gun); to load -装成,zhuāng chéng,to pretend -装扮,zhuāng bàn,to decorate; to adorn; to dress up; to disguise oneself -装料,zhuāng liào,to load; to charge; to feed (esp. a machine) -装有,zhuāng yǒu,fitted with -装束,zhuāng shù,attire; clothing -装模作样,zhuāng mó zuò yàng,to put on an act (idiom); to show affectation; to indulge in histrionics -装机,zhuāng jī,to install; installation -装死,zhuāng sǐ,to play dead -装洋蒜,zhuāng yáng suàn,to feign ignorance -装满,zhuāng mǎn,to fill up -装潢,zhuāng huáng,to mount (a picture); to dress; to adorn; decoration; packaging -装璜,zhuāng huáng,variant of 裝潢|装潢[zhuang1 huang2] -装甲,zhuāng jiǎ,vehicle armor -装甲车,zhuāng jiǎ chē,armored car; CL:輛|辆[liang4] -装甲车辆,zhuāng jiǎ chē liàng,armored vehicles -装病,zhuāng bìng,to feign illness; to malinger -装疯卖傻,zhuāng fēng mài shǎ,to play the fool (idiom); to feign madness -装神弄鬼,zhuāng shén nòng guǐ,lit. to pretend to be in contact with supernatural beings (idiom); fig. to engage in hocus-pocus -装穷叫苦,zhuāng qióng jiào kǔ,to feign and complain bitterly of being poverty stricken (idiom) -装置,zhuāng zhì,to install; installation; equipment; system; unit; device -装置物,zhuāng zhì wù,fixture; installation -装聋作哑,zhuāng lóng zuò yǎ,to play deaf-mute -装腔作势,zhuāng qiāng zuò shì,posturing; pretentious; affected -装船,zhuāng chuán,to load cargo onto a ship -装萌,zhuāng méng,(slang) to act cute -装蒜,zhuāng suàn,to act stupid; to play dumb; to pretend to not know -装袋,zhuāng dài,to bag; to fill (a bag); bagging -装裹,zhuāng guo,to dress a corpse; shroud -装订,zhuāng dìng,bookbinding; to bind (books etc) -装设,zhuāng shè,to install; to fit (e.g. a light bulb) -装货,zhuāng huò,to load sth onto a ship etc -装载,zhuāng zài,to load; to stow -装逼,zhuāng bī,variant of 裝屄|装屄[zhuang1 bi1] -装运,zhuāng yùn,to ship; shipment -装配,zhuāng pèi,to assemble; to fit together -装配员,zhuāng pèi yuán,assembly worker -装配工厂,zhuāng pèi gōng chǎng,assembly plant -装配线,zhuāng pèi xiàn,assembly line; production line -装门面,zhuāng mén miàn,see 裝點門面|装点门面[zhuang1 dian3 men2 mian4] -装饰,zhuāng shì,to decorate; decoration; decorative; ornamental -装饰品,zhuāng shì pǐn,ornament -装饰物,zhuāng shì wù,ornament; ornamentation -装饰道具,zhuāng shì dào jù,(theater) set dressing; trim prop -装点,zhuāng diǎn,to decorate; to dress up; to deck -装点门面,zhuāng diǎn mén miàn,"lit. to decorate the front of one's store (idiom); fig. to embellish (one's CV, etc); to keep up appearances; to put up a front" -裟,shā,used in 袈裟[jia1 sha1] -裙,qún,old variant of 裙[qun2] -里,lǐ,lining; interior; inside; internal; also written 裏|里[li3] -里出外进,lǐ chū wài jìn,uneven; in disorder; everything sticking out -里勾外连,lǐ gōu wài lián,to act from inside in coordination with attackers outside; attacked from both inside and out -里外,lǐ wài,inside and out; or so -里外里,lǐ wài lǐ,all in all; either way -里子,lǐ zi,lining; (fig.) substance (as opposed to outward appearance) -里带,lǐ dài,inner tube (of tire) -里急后重,lǐ jí hòu zhòng,(medicine) tenesmus -里应外合,lǐ yìng wài hé,to coordinate outside and inside offensives (idiom); (fig.) to act together -里手,lǐ shǒu,expert; left-hand side (of a machine); left-hand side (driver's side) of a vehicle -里海,lǐ hǎi,Caspian Sea -里海地鸦,lǐ hǎi dì yā,(bird species of China) Pander's ground jay (Podoces panderi) -里脊,lǐ ji,"(tender)loin (of pork, beef etc)" -里里外外,lǐ lǐ wài wài,inside and out -里边,lǐ bian,inside -里边儿,lǐ bian er,erhua variant of 裡邊|里边[li3 bian5] -里院,lǐ yuàn,inner courtyard (in a courtyard house) -里面,lǐ miàn,inside; interior; also pr. [li3 mian5] -里头,lǐ tou,inside; interior -裨,pí,surname Pi -裨,bì,to benefit; to aid; advantageous; profitable -裨,pí,subordinate; secondary; small -裨益,bì yì,benefit; advantage; profit; to be a benefit to -裨补,bì bǔ,to remedy; to make up for; benefit -裰,duō,to mend clothes -裱,biǎo,to hang (paper); to mount (painting) -裱糊,biǎo hú,to wallpaper -裱背,biǎo bèi,to mount a picture; also written 裱褙[biao3 bei4] -裱花袋,biǎo huā dài,pastry bag -裱褙,biǎo bèi,to mount a picture -裳,cháng,lower garment; skirts; petticoats; garments -裳,shang,used in 衣裳[yi1 shang5] -裴,péi,surname Pei -裴,péi,(of a garment) long and flowing -裴回,péi huí,see 徘徊[pai2 huai2] -裴,péi,variant of 裴[pei2] -裸,luǒ,naked -裸像,luǒ xiàng,"nude (painting, sculpture etc)" -裸地,luǒ dì,bare ground -裸地化,luǒ dì huà,denudation -裸奔,luǒ bēn,to streak (run naked) -裸婚,luǒ hūn,"lit. naked wedding; no-frills civil wedding ceremony lacking a material foundation: no car, house, reception, rings, or honeymoon" -裸子植物,luǒ zǐ zhí wù,gymnosperm (plants with seed contained in a cone) -裸子植物门,luǒ zǐ zhí wù mén,gymnosperm (plants with seed contained in a cone) -裸官,luǒ guān,Communist Party official whose wife and children have left China to reside in a foreign country -裸岩,luǒ yán,bare rock -裸戏,luǒ xì,nude scene (in a movie) -裸替,luǒ tì,body double (in nude scenes) -裸模,luǒ mó,nude model; abbr. for 裸體模特|裸体模特[luo3 ti3 mo2 te4] -裸机,luǒ jī,hardware-only device; computer without operating system or other software installed; mobile phone or pager without network subscription -裸泳,luǒ yǒng,to swim naked; to skinny-dip -裸照,luǒ zhào,nude photograph -裸眼,luǒ yǎn,naked eye -裸睡,luǒ shuì,to sleep naked -裸绞,luǒ jiǎo,(martial arts) rear naked choke -裸聊,luǒ liáo,to chat naked (online) -裸袒,luǒ tǎn,naked; bare -裸裎,luǒ chéng,to become naked; to undress; to expose (one's body) -裸贷,luǒ dài,unsecured loan; loan without collateral -裸辞,luǒ cí,to quit one's job (without having another one) -裸退,luǒ tuì,(neologism c. 2007) (of an official) to retire completely from all leadership positions -裸露,luǒ lù,naked; bare; uncovered; exposed -裸露狂,luǒ lù kuáng,exhibitionism -裸骑,luǒ qí,"to ride (a horse, bicycle etc) naked" -裸体,luǒ tǐ,naked -裸体主义,luǒ tǐ zhǔ yì,nudism -裸体主义者,luǒ tǐ zhǔ yì zhě,nudist -裸鲤,luǒ lǐ,naked carp (Gymnocypris przewalskii) -裸麦,luǒ mài,rye (Secale cereale) -裹,guǒ,to wrap around; bundle; parcel; package; to press into service; to pressgang; to make off with (sth) -裹包,guǒ bāo,to wrap up; parcel -裹尸布,guǒ shī bù,shroud; cloth to wrap a corpse -裹挟,guǒ xié,to sweep along; to coerce -裹胁,guǒ xié,to compel; to coerce -裹脚,guǒ jiǎo,foot-binding; long strip of cloth used for foot-binding -裹足不前,guǒ zú bù qián,to stand still without advancing (idiom); to hesitate and hold back -裼,tì,baby's quilt -裼,xī,to bare the upper body -制,zhì,to manufacture; to make -制件,zhì jiàn,workpiece -制作,zhì zuò,to make; to manufacture -制作商,zhì zuò shāng,maker; manufacturer -制作者,zhì zuò zhě,producer; maker; creator -制假,zhì jiǎ,to counterfeit; to manufacture counterfeit goods -制备,zhì bèi,to prepare; preparation (chemistry) -制冰机,zhì bīng jī,ice maker -制剂,zhì jì,(chemical or pharmaceutical) preparation -制取,zhì qǔ,(chemistry) to produce -制品,zhì pǐn,products; goods -制售,zhì shòu,to manufacture and sell -制图,zhì tú,(cartography) to make a map; (architecture etc) to draft; to draw (blueprints); (graphic design) to create graphics -制成,zhì chéng,to manufacture; to turn out (a product) -制成品,zhì chéng pǐn,manufactured goods; finished product -制模,zhì mú,mold making -制氧机,zhì yǎng jī,oxygen concentrator -制油,zhì yóu,to extract (vegetable) oil; oil extraction -制片,zhì piàn,moviemaking -制片人,zhì piàn rén,moviemaker; filmmaker; producer -制片厂,zhì piàn chǎng,film studio -制版,zhì bǎn,to make a plate (printing) -制程,zhì chéng,manufacturing process; processing -制药,zhì yào,to manufacture medicine -制药企业,zhì yào qǐ yè,pharmaceutical company -制药厂,zhì yào chǎng,pharmaceutical company; drugs manufacturing factory -制衣,zhì yī,clothing manufacture -制表,zhì biǎo,to tabulate; tabulation; scheduling; watchmaking -制造,zhì zào,to manufacture; to make -制造商,zhì zào shāng,manufacturing company -制造厂,zhì zào chǎng,manufacturing plant; factory -制造业者,zhì zào yè zhě,manufacturer -制造者,zhì zào zhě,maker -制陶,zhì táo,to manufacture pottery -制陶工人,zhì táo gōng rén,potter -制鞋匠,zhì xié jiàng,shoemaker; cobbler -制鞋工人,zhì xié gōng rén,shoemaker; cobbler -裾,jū,garment -褂,guà,Chinese-style unlined garment; gown -褂子,guà zi,unlined upper garment -复,fù,to repeat; to double; to overlap; complex (not simple); compound; composite; double; diplo-; duplicate; overlapping; to duplicate -复共轭,fù gòng è,(math.) complex conjugate -复利,fù lì,compound interest -复刻,fù kè,variant of 復刻|复刻[fu4 ke4] -复印,fù yìn,to photocopy; to duplicate a document -复印件,fù yìn jiàn,photocopy; duplicate -复印机,fù yìn jī,photocopier -复印纸,fù yìn zhǐ,photocopier paper -复句,fù jù,compound phrase -复合,fù hé,complex; compound; composite; hybrid; to compound; to combine -复合元音,fù hé yuán yīn,"diphthong (such as putonghua ɑi, ei etc)" -复合弓,fù hé gōng,composite bow (archery) -复合材料,fù hé cái liào,composite material -复合母音,fù hé mǔ yīn,diphthong; compound vowel -复合词,fù hé cí,compound word -复合词素词,fù hé cí sù cí,polymorphemic -复姓,fù xìng,two-character surname (such as 司馬|司马[Si1ma3] or 諸葛|诸葛[Zhu1ge3]) -复写,fù xiě,to duplicate; to carbon copy -复写纸,fù xiě zhǐ,carbon paper -复平面,fù píng miàn,complex plane -复式,fù shì,double; multiple; compound; combined; double-entry (accounting) -复数,fù shù,(linguistics) plural; (math.) complex number -复数域,fù shù yù,"field of complex numbers (math.), usually denoted by C" -复数平面,fù shù píng miàn,(math.) complex plane; Argand plane -复数形式,fù shù xíng shì,plural form (of a countable noun) -复方,fù fāng,compound prescription (involving several medicines) -复本,fù běn,copy -复殖吸虫,fù zhí xī chóng,digenetic trematode worm (i.e. from Order Digenea 複殖目|复殖目) -复殖目,fù zhí mù,Order Digenea (including trematode worms that parasite humans) -复比,fù bǐ,compound ratio (i.e. the product of two or more ratios) -复叠,fù dié,reduplication of words or syllables (as a stylistic device in Chinese) -复眼,fù yǎn,compound eye -复社,fù shè,"late Ming cultural renewal movement, led by Zhang Pu 張溥|张溥[Zhang1 Pu3] and others" -复线,fù xiàn,multiple track (e.g. rail); multilane (e.g. highway); (math.) complex line -复习,fù xí,variant of 復習|复习[fu4 xi2] -复听,fù tīng,double hearing; diplacusis -复叶,fù yè,compound leaf (botany) -复制,fù zhì,to duplicate; to make a copy of; to copy; to reproduce; to clone -复制品,fù zhì pǐn,replica; reproduction -复视,fù shì,double vision; diplopia -复词,fù cí,compound word; polysyllabic word -复试,fù shì,to sit for the second round of a two-stage exam -复读,fù dú,(of an audio device) to repeat a recorded phrase (e.g. for language learning) -复变,fù biàn,(math.) complex variable -复变函数,fù biàn hán shù,function of a complex variable (math.) -复变函数论,fù biàn hán shù lùn,(math.) theory of functions of a complex variable -复购,fù gòu,to buy again -复赛,fù sài,(sports) semifinal or quarterfinal; to compete in a semifinal (or a quarterfinal) -复迭,fù dié,variant of 複疊|复叠[fu4 die2] -复述,fù shù,to repeat (one's own words or sb else's); (in the classroom) to paraphrase what one has learned -复选框,fù xuǎn kuàng,check box -复杂,fù zá,complicated; complex -复杂化,fù zá huà,to complicate; to become complicated -复杂性,fù zá xìng,complexity -复杂系统,fù zá xì tǒng,complex system -复音形,fù yīn xíng,diphthong; liaison -复音词,fù yīn cí,disyllabic word; polysyllabic word -复韵母,fù yùn mǔ,compound final -褊,biǎn,narrow; urgent -褊狭,biǎn xiá,narrow; small-minded -褐,hè,brown; gray or dark color; coarse hemp cloth; Taiwan pr. [he2] -褐冠山雀,hè guān shān què,(bird species of China) grey crested tit (Lophophanes dichrous) -褐冠鹃隼,hè guān juān sǔn,(bird species of China) Jerdon's baza (Aviceda jerdoni) -褐喉旋木雀,hè hóu xuán mù què,(bird species of China) Sikkim treecreeper (Certhia discolor) -褐喉沙燕,hè hóu shā yàn,(bird species of China) grey-throated martin (Riparia chinensis) -褐喉食蜜鸟,hè hóu shí mì niǎo,(bird species of China) brown-throated sunbird (Anthreptes malacensis) -褐山鹪莺,hè shān jiāo yīng,(bird species of China) brown prinia (Prinia polychroa) -褐岩鹨,hè yán liù,(bird species of China) brown accentor (Prunella fulvescens) -褐林鸮,hè lín xiāo,(bird species of China) brown wood owl (Strix leptogrammica) -褐柳莺,hè liǔ yīng,(bird species of China) dusky warbler (Phylloscopus fuscatus) -褐河乌,hè hé wū,(bird species of China) brown dipper (Cinclus pallasii) -褐渔鸮,hè yú xiāo,(bird species of China) brown fish owl (Ketupa zeylonensis) -褐灰雀,hè huī què,(bird species of China) brown bullfinch (Pyrrhula nipalensis) -褐煤,hè méi,lignite; brown coal -褐翅叉尾海燕,hè chì chā wěi hǎi yàn,(bird species of China) Tristram's storm petrel (Oceanodroma tristrami) -褐翅燕鸥,hè chì yàn ōu,(bird species of China) bridled tern (Onychoprion anaethetus) -褐翅雪雀,hè chì xuě què,(bird species of China) Tibetan snowfinch (Montifringilla adamsi) -褐翅鸦雀,hè chì yā què,(bird species of China) brown-winged parrotbill (Sinosuthora brunnea) -褐翅鸦鹃,hè chì yā juān,(bird species of China) greater coucal (Centropus sinensis) -褐耳鹰,hè ěr yīng,(bird species of China) shikra (Accipiter badius) -褐背地山雀,hè bèi dì shān què,(bird species of China) ground tit (Pseudopodoces humilis) -褐胸噪鹛,hè xiōng zào méi,(bird species of China) grey laughingthrush (Garrulax maesi) -褐胸山鹧鸪,hè xiōng shān zhè gū,(bird species of China) bar-backed partridge (Arborophila brunneopectus) -褐胁雀鹛,hè xié què méi,(bird species of China) rusty-capped fulvetta (Alcippe dubia) -褐脸雀鹛,hè liǎn què méi,(bird species of China) brown-cheeked fulvetta (Alcippe poioicephala) -褐色,hè sè,brown -褐顶雀鹛,hè dǐng què méi,(bird species of China) dusky fulvetta (Alcippe brunnea) -褐头山雀,hè tóu shān què,(bird species of China) willow tit (Poecile montanus) -褐头岭雀,hè tóu lǐng què,(bird species of China) Sillem's mountain finch (Leucosticte sillemi) -褐头雀鹛,hè tóu què méi,(bird species of China) grey-hooded fulvetta (Fulvetta cinereiceps) -褐头凤鹛,hè tóu fèng méi,(bird species of China) Taiwan yuhina (Yuhina brunneiceps) -褐头鸫,hè tóu dōng,(bird species of China) grey-sided thrush (Turdus feae) -褐头鹪莺,hè tóu jiāo yīng,(bird species of China) plain prinia (Prinia inornata) -褐马鸡,hè mǎ jī,(bird species of China) brown eared pheasant (Crossoptilon mantchuricum) -褐鲣鸟,hè jiān niǎo,(bird species of China) brown booby (Sula leucogaster) -褐鸦雀,hè yā què,(bird species of China) brown parrotbill (Cholornis unicolor) -褒,bāo,to praise; to commend; to honor; (of clothes) large or loose -褒呔,bāo tāi,bow tie (loanword) (Cantonese) -褒姒,bāo sì,"Baosi, concubine of King You of Zhou 周幽王[Zhou1 You1 wang2] and one of the famous Chinese beauties" -褒忠,bāo zhōng,"Baozhong or Paochung township in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -褒忠乡,bāo zhōng xiāng,"Baozhong or Paochung township in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -褒扬,bāo yáng,to praise -褒禅山,bāo chán shān,Mt Baochan in Anhui; formerly known as Mt Hua 華山|华山 -褒义,bāo yì,commendatory sense; positive connotation -褒贬,bāo biǎn,to appraise; to pass judgment on; to speak ill of; praise and censure; appraisal -褓,bǎo,cloth for carrying baby on back -褓姆,bǎo mǔ,variant of 保姆[bao3 mu3] -褓母,bǎo mǔ,variant of 保姆[bao3 mu3] -褙,bèi,paper or cloth pasted together -褚,chǔ,surname Chu -褚,zhǔ,padding (in garment); to store up; pocket; Taiwan pr. [chu3] -褚人获,chǔ rén huò,"Chu Renhuo (1635-1682), author of historical novel Dramatized History of Sui and Tang 隋唐演義|隋唐演义[Sui2 Tang2 Yan3 yi4]" -褚遂良,chǔ suì liáng,"Chu Suiliang (596-659), one of Four Great Calligraphers of early Tang 唐初四大家[Tang2 chu1 Si4 Da4 jia1]" -褟,tā,inner shirt; to sew onto clothing; see also 禢[Ta4] -褟绦子,tā tāo zi,lace hemming -褡,dā,pouch; sleeveless jacket -褡裢,dā lian,"cloth pouch open in the middle, forming two bags; jacket worn for Chinese wrestling" -褥,rù,mattress -褥子,rù zi,cotton-padded mattress; CL:床[chuang2] -褥疮,rù chuāng,bedsore -褪,tuì,to take off (clothes); to shed feathers; (of color) to fade; to discolor -褪,tùn,to slip out of sth; to hide sth in one's sleeve -褪下,tùn xià,to take off (trousers); to drop one's pants -褪光,tuì guāng,matte (of a color etc) -褪去,tuì qù,to take off (one's clothes); (fig.) to shed (one's former image etc); (of a fad or the after-effects of a disaster etc) to subside; also pr. [tun4 qu4] -褪套儿,tùn tào er,(coll.) to break loose; to shake off responsibility -褪色,tuì sè,(of colors) to fade; also pr. [tui4 shai3] -褪黑素,tuì hēi sù,melatonin -褫,chǐ,to strip; to deprive of; to discharge; to dismiss; to undress -褫夺,chǐ duó,to deprive; to strip of -袅,niǎo,variant of 裊|袅[niao3] -褰,qiān,"to lift (clothes, sheets); lower garments" -褱,huái,"to carry in the bosom or the sleeve; to wrap, to conceal" -裤,kù,underpants; trousers; pants -裤兜,kù dōu,pants pocket -裤口,kù kǒu,trouser leg opening -裤子,kù zi,trousers; pants; CL:條|条[tiao2] -裤带,kù dài,belt (in trousers); CL:根[gen1] -裤管,kù guǎn,trouser leg -裤腰,kù yāo,waist of trousers; waistband -裤腰带,kù yāo dài,waistband -裤腿,kù tuǐ,trouser leg -裤衩,kù chǎ,underpants -裤裙,kù qún,culottes; pantskirt -裤装,kù zhuāng,"pants (trousers, shorts etc); (Tw) pantsuit" -裤裆,kù dāng,crotch of trousers -裤袜,kù wà,pantyhose; tights -裤头,kù tóu,(dialect) underpants; (swimming) trunks -裢,lián,pouch hung from belt -褵,lí,bride's veil or kerchief -褶,xí,(arch.) court dress -褶,zhě,pleat; crease; Taiwan pr. [zhe2] -褶子,zhě zi,pleat; fold; crease; wrinkle -褶子了,zhě zi le,to make a mess of sth; to bungle; to mismanage -褶曲,zhě qū,creasing; folding -褶皱,zhě zhòu,fold; crease; wrinkle; (geology) fold -褶皱山系,zhě zhòu shān xì,fold mountain system (geology) -褶皱山脉,zhě zhòu shān mài,fold mountain range (geology) -褛,lǚ,soiled; tattered -亵,xiè,obscene; disrespectful -亵慢,xiè màn,irreverent; slighting -亵昵,xiè nì,familiar (i.e. rude); irreverent -亵服,xiè fú,informal wear; home clothes (old); women's underwear; lingerie -亵渎,xiè dú,to blaspheme; to profane -亵渎神明,xiè dú shén míng,to blaspheme; to commit sacrilege -亵黩,xiè dú,to blaspheme; to profane -襁,qiǎng,cloth for carrying baby on back -襁褓,qiǎng bǎo,swaddling clothes; fig. early stage of development; infancy -褒,bāo,variant of 褒[bao1] -襄,xiāng,surname Xiang -襄,xiāng,(literary) to assist -襄助,xiāng zhù,(literary) to aid; to assist -襄垣,xiāng yuán,"Xiangyuan county in Changzhi 長治|长治[Chang2 zhi4], Shanxi" -襄垣县,xiāng yuán xiàn,"Xiangyuan county in Changzhi 長治|长治[Chang2 zhi4], Shanxi" -襄城,xiāng chéng,"Xiangcheng county in Xuchang city 許昌市|许昌市[Xu3 chang1 shi4], Henan; Xiangcheng district of Xiangfan city 襄樊市[Xiang1 fan2 shi4], Hubei" -襄城区,xiāng chéng qū,"Xiangcheng district of Xiangfan city 襄樊市[Xiang1 fan2 shi4], Hubei" -襄城县,xiāng chéng xiàn,"Xiangcheng county in Xuchang city 許昌市|许昌市[Xu3 chang1 shi4], Henan" -襄樊市,xiāng fán shì,"Xiangfan, prefecture-level city in Hubei" -襄汾,xiāng fén,"Xiangfen county in Linfen 臨汾|临汾[Lin2 fen2], Shanxi" -襄汾县,xiāng fén xiàn,"Xiangfen county in Linfen 臨汾|临汾[Lin2 fen2], Shanxi" -襄理,xiāng lǐ,assistant manager (in a large enterprise) (Tw); (literary) to assist -襄阳,xiāng yáng,"Xiangyang, prefecture-level city in Hubei" -襄阳区,xiāng yáng qū,"Xiangyang district of Xiangfan city 襄樊市[Xiang1 fan2 shi4], Hubei" -裥,jiǎn,variant of 襉|裥[jian3] -裥,jiǎn,(dialect) fold or pleat (in clothing) -杂,zá,variant of 雜|杂[za2] -袯,bó,see 襏襫|袯襫[bo2 shi4] -袯襫,bó shì,woven rush raincoat -袄,ǎo,coat; jacket; short and lined coat or robe -袄子,ǎo zi,coat; jacket; short and lined coat or robe -袄教,ǎo jiào,Zoroastrianism -裣,liǎn,see 襝衽|裣衽[lian3 ren4] -裣衽,liǎn rèn,variant of 斂衽|敛衽[lian3 ren4] -襞,bì,creases; folds or pleats in a garment -襟,jīn,"lapel; overlap of Chinese gown; fig. bosom (the seat of emotions); to cherish (ambition, desires, honorable intentions etc) in one's bosom" -襟兄,jīn xiōng,husband of wife's older sister -襟副翼,jīn fù yì,flaperon (aeronautics) -襟度,jīn dù,broad-minded; magnanimous -襟弟,jīn dì,husband of wife's younger sister -襟怀,jīn huái,bosom (the seat of emotions); one's mind -襟怀坦白,jīn huái tǎn bái,open and candid (idiom); not hiding anything; ingenuous; openhearted; unselfish; magnanimous; broad-minded -襟怀夷旷,jīn huái yí kuàng,broad-minded -襟抱,jīn bào,ambition; an aspiration -襟素,jīn sù,one's true heart -襟翼,jīn yì,(aircraft) wing flap -裆,dāng,crotch; seat of a pair of trousers -裆部,dāng bù,crotch -袒,tǎn,old variant of 袒[tan3] -襢,zhàn,unadorned but elegant dress -褴,lán,ragged garments -褴褛,lán lǚ,ragged; shabby -襦,rú,jacket; short coat -袜,wà,socks; stockings -袜套,wà tào,leg warmers -袜子,wà zi,"socks; stockings; CL:隻|只[zhi1],對|对[dui4],雙|双[shuang1]" -袜带,wà dài,garter -袜裤,wà kù,"leggings; tights; CL:條|条[tiao2],雙|双[shuang1]" -襫,shì,see 襏襫|袯襫[bo2 shi4] -衬,chèn,(of garments) against the skin; to line; lining; to contrast with; to assist financially -衬垫,chèn diàn,pad -衬托,chèn tuō,to serve to highlight; to serve as a backdrop or contrasting element -衬线,chèn xiàn,serif (typography) -衬衣,chèn yī,shirt; CL:件[jian4] -衬衫,chèn shān,shirt; blouse; CL:件[jian4] -衬裙,chèn qún,petticoat -衬里,chèn lǐ,lining -衬裤,chèn kù,underpants -衬页,chèn yè,endpaper -袭,xí,(bound form) to raid; to attack; (bound form) to continue the pattern; to perpetuate; (literary) classifier for suits of clothing or sets of bedding -袭击,xí jī,attack (esp. surprise attack); raid; to attack -袭击者,xí jī zhě,attacker -袭警,xí jǐng,to assault a police officer -襻,pàn,loop; belt; band; to tie together; to stitch together -襾,yà,cover; radical no 146 -西,xī,the West; abbr. for Spain 西班牙[Xi1 ban1 ya2]; Spanish -西,xī,west -西乃,xī nǎi,Sinai -西乃山,xī nǎi shān,Mount Sinai -西亚,xī yà,Southwest Asia -西伯利亚,xī bó lì yà,Siberia -西伯利亚银鸥,xī bó lì yà yín ōu,(bird species of China) Vega gull (Larus vegae) -西来庵,xī lái ān,"Xilai Temple (Tainan, Taiwan)" -西侧,xī cè,west side; west face -西元,xī yuán,(Tw) Christian era; Gregorian calendar; AD (Anno Domini) -西元前,xī yuán qián,BCE (before the Common Era); BC (before Christ) -西充,xī chōng,"Xichong county in Nanchong 南充[Nan2 chong1], Sichuan" -西充县,xī chōng xiàn,"Xichong county in Nanchong 南充[Nan2 chong1], Sichuan" -西北,xī běi,"Northwest China (Shaanxi, Gansu, Qinghai, Ningxia, Xinjiang)" -西北,xī běi,northwest -西北大学,xī běi dà xué,Northwest University -西北工业大学,xī běi gōng yè dà xué,Northwestern Polytechnical University -西北方,xī běi fāng,northwest; northwestern -西北航空公司,xī běi háng kōng gōng sī,Northwest Airlines -西北农林科技大学,xī běi nóng lín kē jì dà xué,Northwest Agriculture and Forestry University -西北部,xī běi bù,northwest part -西北雨,xī běi yǔ,thundershower (Tw) -西半球,xī bàn qiú,Western Hemisphere -西南,xī nán,southwest -西南中沙群岛,xī nán zhōng shā qún dǎo,"Xinanzhongsha islands, Hainan" -西南亚,xī nán yà,southwest Asia -西南交通大学,xī nán jiāo tōng dà xué,Southwest Jiaotong University -西南冠纹柳莺,xī nán guān wén liǔ yīng,(bird species of China) Blyth's leaf warbler (Phylloscopus reguloides) -西南大学,xī nán dà xué,Southwest University (Chongqing) -西南栗耳凤鹛,xī nán lì ěr fèng méi,(bird species of China) striated yuhina (Yuhina castaniceps) -西南部,xī nán bù,southwest part -西印度,xī yìn dù,West Indies (i.e. the Caribbean) -西吉,xī jí,"Xiji county in Guyuan 固原[Gu4 yuan2], Ningxia" -西吉县,xī jí xiàn,"Xiji county in Guyuan 固原[Gu4 yuan2], Ningxia" -西周,xī zhōu,Western Zhou (1027-771 BC) -西和,xī hé,"Xihe county in Longnan 隴南|陇南[Long3 nan2], Gansu" -西和县,xī hé xiàn,"Xihe county in Longnan 隴南|陇南[Long3 nan2], Gansu" -西哈努克,xī hā nǔ kè,(King) Sihanouk (of Cambodia) -西单,xī dān,Xidan neighborhood of central Beijing -西固,xī gù,"Xigu District of Lanzhou City 蘭州市|兰州市[Lan2 zhou1 Shi4], Gansu" -西固区,xī gù qū,"Xigu District of Lanzhou City 蘭州市|兰州市[Lan2 zhou1 Shi4], Gansu" -西地那非,xī dì nà fēi,sildenafil (virility drug) (loanword) -西坡拉,xī pō lā,"Zipporah, wife of Moses" -西城,xī chéng,"Xicheng, a district of central Beijing" -西城区,xī chéng qū,"Xicheng, a district of central Beijing" -西域,xī yù,Western Regions (Han Dynasty term for regions beyond Yumen Pass 玉門關|玉门关[Yu4 men2 Guan1]) -西域记,xī yù jì,Report of the regions west of Great Tang; travel record of Xuan Zang 玄奘 on his travels to Central Asia and India -西塔,xī tǎ,theta (Greek letter Θθ) -西塞山,xī sài shān,"Xisaishan district of Huangshi city 黃石市|黄石市[Huang2 shi2 shi4], Hubei" -西塞山区,xī sài shān qū,"Xisaishan district of Huangshi city 黃石市|黄石市[Huang2 shi2 shi4], Hubei" -西塞罗,xī sāi luó,"Marcus Tullius Cicero (106-43 BC), famous Roman politician, orator and philosopher, murdered at the orders of Marc Anthony" -西夏,xī xià,"Western Xia dynasty 1038-1227 of Tangut people 黨項|党项 occupying modern Ningxia and parts of Gansu and Shaanxi, overthrown by Mongols" -西夏区,xī xià qū,"Xixia district of Yinchuan city 銀川市|银川市[Yin2 chuan1 shi4], Ningxia" -西外,xī wài,abbr. for 西安外國語大學|西安外国语大学[Xi1 an1 Wai4 guo2 yu3 Da4 xue2] -西天,xī tiān,the Western Paradise (Buddhism) -西太平洋,xī tài píng yáng,the western Pacific Ocean -西奇,xī qí,sygyt (overtone singing) -西奈,xī nài,Sinai Peninsula -西奈半岛,xī nài bàn dǎo,Sinai Peninsula -西奈山,xī nài shān,Mount Sinai -西子,xī zǐ,another name for Xishi 西施[Xi1 shi1] -西子捧心,xī zǐ pěng xīn,lit. Xishi clasps at her heart (idiom); fig. a woman who is beautiful even when suffering the pangs of illness -西孟加拉邦,xī mèng jiā lā bāng,West Bengal -西学,xī xué,Western learning (intellectual movement in the late Qing); also called 洋務運動|洋务运动 -西安,xī ān,"Xi'an, sub-provincial city and capital of Shaanxi 陝西省|陕西省[Shan3 xi1 Sheng3] in northwest China; see 西安區|西安区[Xi1 an1 Qu1]" -西安事变,xī ān shì biàn,Xi'an Incident of 12th December 1936 (kidnap of Chiang Kai-shek 蔣介石|蒋介石[Jiang3 Jie4 shi2]) -西安交通大学,xī ān jiāo tōng dà xué,Xi'an Jiaotong University (XJTU) -西安区,xī ān qū,"Xi'an District of Liaoyuan City 遼源市|辽源市[Liao2 yuan2 Shi4], Jilin; Xi'an District of Mudanjiang city 牡丹江市[Mu3 dan5 jiang1 Shi4], Heilongjiang" -西安外国语大学,xī ān wài guó yǔ dà xué,Xi'an International Studies University (XISU) -西安市,xī ān shì,"Xi’an, sub-provincial city and capital of Shaanxi 陝西省|陕西省[Shan3 xi1 Sheng3] in northwest China" -西安电子科技大学,xī ān diàn zǐ kē jì dà xué,Xidian University -西宁,xī níng,"Xining, prefecture-level city and capital of Qinghai province 青海省[Qing1 hai3 sheng3] in west China" -西宁市,xī níng shì,"Xining, prefecture-level city and capital of Qinghai province 青海省[Qing1 hai3 sheng3] in west China" -西属撒哈拉,xī shǔ sā hā lā,Spanish Sahara (former Spanish colony in Africa) -西屯区,xī tún qū,"Xitun District of Taichung, Taiwan" -西山区,xī shān qū,"Xishan district of Kunming city 昆明市[Kun1 ming2 shi4], Yunnan" -西峰,xī fēng,"Western peak; Xifeng district of Qingyang city 慶陽市|庆阳市[Qing4 yang2 shi4], Gansu" -西峰区,xī fēng qū,"Xifeng district of Qingyang city 慶陽市|庆阳市[Qing4 yang2 shi4], Gansu" -西峡,xī xiá,"Xixia county in Nanyang 南陽|南阳[Nan2 yang2], Henan" -西峡县,xī xiá xiàn,"Xixia county in Nanyang 南陽|南阳[Nan2 yang2], Henan" -西岗区,xī gǎng qū,"Xigang district of Dalian 大連市|大连市[Da4 lian2 shi4], Liaoning" -西屿,xī yǔ,"Xiyu or Hsiyu township in Penghu county 澎湖縣|澎湖县[Peng2 hu2 xian4] (Pescadores Islands), Taiwan" -西屿乡,xī yǔ xiāng,"Xiyu or Hsiyu township in Penghu county 澎湖縣|澎湖县[Peng2 hu2 xian4] (Pescadores Islands), Taiwan" -西岳,xī yuè,"Mt Hua 華山|华山 in Shaanxi, one of the Five Sacred Mountains 五嶽|五岳[Wu3 yue4]" -西工区,xī gōng qū,Xigong district of Luoyang City 洛陽市|洛阳市 in Henan province 河南 -西市区,xī shì qū,"Xishi District of Yingkou City 營口市|营口市[Ying2 kou3 shi4], Liaoning" -西平,xī píng,"Xiping county in Zhumadian 駐馬店|驻马店[Zhu4 ma3 dian4], Henan" -西平县,xī píng xiàn,"Xiping county in Zhumadian 駐馬店|驻马店[Zhu4 ma3 dian4], Henan" -西康,xī kāng,"historic province of Tibet in Kham region and west Sichuan, a province of Republic of China 1928-49 with capital Ya'an 雅安[Ya3 an1]" -西康省,xī kāng shěng,"western Kham; historic province of Tibet in Kham region and west Sichuan, a province of Republic of China 1928-49 with capital Ya'an 雅安[Ya3 an1]" -西厢记,xī xiāng jì,Romance of the West Chamber by Wang Shifu 王實甫|王实甫[Wang2 Shi2 fu3] -西式,xī shì,Western style -西弗,xī fú,"sievert (Sv), unit of radiation damage used in radiotherapy" -西弗吉尼亚,xī fú jí ní yà,"West Virginia, US state" -西弗吉尼亚州,xī fú jí ní yà zhōu,"West Virginia, US state" -西征,xī zhēng,punitive expedition to the west -西德,xī dé,West Germany; German Federal Republic 德意志聯邦共和國|德意志联邦共和国[De2 yi4 zhi4 Lian2 bang1 Gong4 he2 guo2] -西德尼,xī dé ní,Sidney or Sydney (name) -西戎,xī róng,"the Xirong, an ancient ethnic group of Western China from the Zhou Dynasty onwards; Xionites (Central Asian nomads)" -西打,xī dá,cider (loanword) -西拉,xī lā,Syrah (grape type) -西拉雅族,xī lā yǎ zú,"Siraya, one of the indigenous peoples of Taiwan" -西撒哈拉,xī sā hā lā,Western Sahara -西敏,xī mǐn,"Westminster, a London borough" -西文,xī wén,Spanish; Western language; foreign languages (in Qing times) -西斯塔尼,xī sī tǎ ní,Sistani (name of a prominent Iraqi Ayatollah) -西斯廷,xī sī tíng,Sistine (Chapel); also written 西斯汀 -西斯汀,xī sī tīng,Sistine (Chapel); also written 西斯廷 -西方,xī fāng,the West; the Occident; Western countries -西方人,xī fāng rén,Westerner; Occidental -西方松鸡,xī fāng sōng jī,(bird species of China) western capercaillie (Tetrao urogallus) -西方极乐世界,xī fāng jí lè shì jiè,Western Pure Land of Ultimate Bliss or Sukhavati (Sanskrit) -西方滨鹬,xī fāng bīn yù,(bird species of China) western sandpiper (Calidris mauri) -西方狍,xī fāng páo,roe deer; capreolus capreolus -西方秧鸡,xī fāng yāng jī,(bird species of China) water rail (Rallus aquaticus) -西方马脑炎病毒,xī fāng mǎ nǎo yán bìng dú,western equine encephalitis (WEE) virus -西施,xī shī,"Xishi (c. 450 BC), famous Chinese beauty, foremost of the four legendary beauties 四大美女[si4 da4 mei3 nu:3], given by King Gou Jian 勾踐|勾践[Gou1 Jian4] of Yue as concubine to King of Wu as part of a successful plan to destroy Wu" -西施犬,xī shī quǎn,shih tzu (dog breed) -西昌,xī chāng,"Xichang cosmodrome; Xichang, county-level city in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -西昌市,xī chāng shì,"Xichang, county-level city in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -西晋,xī jìn,Western Jin dynasty (265-316) -西历,xī lì,Gregorian calendar; Western calendar -西替利嗪,xī tì lì qín,cetirizine -西服,xī fú,suit; Western-style clothes (historical usage) -西村,xī cūn,Nishimura (Japanese surname) -西松,xī sōng,see 西松建設|西松建设[Xi1 song1 Jian4 she4] -西松建设,xī sōng jiàn shè,Nishimatsu Construction Co. -西林,xī lín,"Xilin county in Baise 百色[Bai3 se4], Guangxi; Xilin district of Yichun city 伊春市[Yi1 chun1 shi4], Heilongjiang" -西林区,xī lín qū,"Xilin district of Yichun city 伊春市[Yi1 chun1 shi4], Heilongjiang" -西林县,xī lín xiàn,"Xilin county in Baise 百色[Bai3 se4], Guangxi" -西柚,xī yòu,grapefruit -西格玛,xī gé mǎ,sigma (Greek letter Σσ); (symbol for standard deviation in statistics) -西格蒙德,xī gé mēng dé,Sigmund (name) -西格马,xī gé mǎ,sigma (Greek letter Σσ) -西楼梦,xī lóu mèng,Qing dynasty novel the Western Chamber by Yuan Yuling 袁于令; same as 西樓記|西楼记 -西楼记,xī lóu jì,Qing dynasty novel the Western Chamber by Yuan Yuling 袁于令[Yuan2 Yu2 ling4]; same as 西樓夢|西楼梦 -西欧,xī ōu,Western Europe -西欧联盟,xī ōu lián méng,Western European Union (WEU) -西江,xī jiāng,Xijiang River -西沉,xī chén,(of the sun) to set -西沙,xī shā,see 西沙群島|西沙群岛[Xi1 sha1 Qun2 dao3] -西沙群岛,xī shā qún dǎo,"Paracel Islands, in the South China Sea" -西洋,xī yáng,the West (Europe and North America); countries of the Indian Ocean (traditional) -西洋人,xī yáng rén,Westerner -西洋参,xī yáng shēn,American ginseng (Panax quinquefolius) -西洋景,xī yáng jǐng,see 西洋鏡|西洋镜[xi1 yang2 jing4] -西洋杉,xī yáng shān,cedar -西洋棋,xī yáng qí,chess -西洋菜,xī yáng cài,watercress (Nasturtium officinale) -西洋镜,xī yáng jìng,(old) peep show; (fig.) hanky-panky; trickery -西洛赛宾,xī luò sài bīn,psilocybin -西海,xī hǎi,Yellow Sea (Korean term) -西凉,xī liáng,Western Liang of the Sixteen Kingdoms (400-421) -西港,xī gǎng,"West Harbor; Hsikang township in Tainan county 台南縣|台南县[Tai2 nan2 xian4], Taiwan" -西湖,xī hú,"Xihu or West lake (place name); West Lake in Hangzhou 杭州, Zhejiang; Xihu or Hsihu township in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -西湖区,xī hú qū,"West lake district (place name); Xihu district of Hangzhou city 杭州市[Hang2 zhou1 shi4], Zhejiang; Xihu district of Nanchang city 南昌市, Jiangxi" -西湖乡,xī hú xiāng,"Xihu or Hsihu township in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -西汉,xī hàn,"Western Han Dynasty (206 BC-8 AD), also called 前漢|前汉[Qian2 Han4], Former Han Dynasty" -西澳大利亚,xī ào dà lì yà,"Western Australia, Australian state" -西澳大利亚州,xī ào dà lì yà zhōu,"Western Australia, Australian state" -西乌珠穆沁旗,xī wū zhū mù qìn qí,"West Ujimqin banner or Baruun Üzemchin khoshuu in Xilingol League 錫林郭勒盟|锡林郭勒盟[Xi1 lin2 guo1 le4 Meng2], Inner Mongolia" -西爪哇,xī zhǎo wā,"West Java, province of Indonesia" -西墙,xī qiáng,"Western Wall, or Wailing Wall (Jerusalem)" -西王母,xī wáng mǔ,"Xi Wangmu, Queen Mother of the West, keeper of the peaches of immortality; popularly known as 王母娘娘" -西班牙,xī bān yá,Spain -西班牙人,xī bān yá rén,Spaniard; Spanish person -西班牙文,xī bān yá wén,Spanish (language) -西班牙港,xī bān yá gǎng,"Port-of-Spain, capital of Trinidad and Tobago" -西班牙语,xī bān yá yǔ,Spanish language -西瓜,xī guā,"watermelon; CL:顆|颗[ke1],個|个[ge5]" -西甲,xī jiǎ,"La Liga, the top division of the Spanish football league system" -西番莲,xī fān lián,passion flower -西番雅书,xī fān yǎ shū,Book of Zephaniah -西畴,xī chóu,"Xichou county in Wenshan Zhuang and Miao autonomous prefecture 文山壯族苗族自治州|文山壮族苗族自治州[Wen2 shan1 Zhuang4 zu2 Miao2 zu2 zi4 zhi4 zhou1], Yunnan" -西畴县,xī chóu xiàn,"Xichou county in Wenshan Zhuang and Miao autonomous prefecture 文山壯族苗族自治州|文山壮族苗族自治州[Wen2 shan1 Zhuang4 zu2 Miao2 zu2 zi4 zhi4 zhou1], Yunnan" -西皮,xī pí,one of the two chief types of music in Chinese opera; see also 二黃|二黄[er4 huang2] -西盟佤族自治县,xī méng wǎ zú zì zhì xiàn,"Ximeng Va Autonomous County in Pu'er 普洱[Pu3 er3], Yunnan" -西盟县,xī méng xiàn,"Ximeng Va autonomous county in Pu'er 普洱[Pu3 er3], Yunnan" -西直门,xī zhí mén,Xizhimen neighborhood of Beijing; the main northwest gate of Beijing -西秀,xī xiù,"Xixiu district of Anshun city 安順市|安顺市[An1 shun4 shi4], Guizhou" -西秀区,xī xiù qū,"Xixiu district of Anshun city 安順市|安顺市[An1 shun4 shi4], Guizhou" -西科尔斯基,xī kē ěr sī jī,"Sikorski (name); Radosław Sikorski (1950-), Polish conservative politician, foreign minister of Poland from 2007" -西秦,xī qín,Western Qin of the Sixteen Kingdoms (385-431) -西端,xī duān,western extremity -西米,xī mǐ,sago -西米德兰兹,xī mǐ dé lán zī,"West Midlands, UK county, capital Birmingham 伯明翰[Bo2 ming2 han4]" -西米德兰兹郡,xī mǐ dé lán zī jùn,"West Midlands, UK county, capital Birmingham 伯明翰[Bo2 ming2 han4]" -西米露,xī mǐ lù,tapioca pudding; sago pudding -西红柿,xī hóng shì,tomato; CL:隻|只[zhi1] -西红脚隼,xī hóng jiǎo sǔn,(bird species of China) red-footed falcon (Falco vespertinus) -西红角鸮,xī hóng jiǎo xiāo,(bird species of China) Eurasian scops owl (Otus scops) -西经,xī jīng,west longitude -西耶那,xī yē nà,Fiat Siena -西花厅,xī huā tīng,"Xihuating pavilion on west side on Zhongnanhai, home to 周恩來|周恩来" -西芹,xī qín,celery; parsley -西华,xī huá,"Xihua county in Zhoukou 周口[Zhou1 kou3], Henan" -西华县,xī huá xiàn,"Xihua county in Zhoukou 周口[Zhou1 kou3], Henan" -西万尼,xī wàn ní,Silvaner (grape type) -西葫芦,xī hú lu,zucchini; courgette; baby marrow -西萨摩亚,xī sà mó yà,Western Samoa -西蓝花,xī lán huā,variant of 西蘭花|西兰花[xi1 lan2 hua1] -西藏,xī zàng,Tibet; Xizang or Tibet Autonomous Region 西藏自治區|西藏自治区[Xi1 zang4 Zi4 zhi4 qu1] -西藏人,xī zàng rén,Tibetan (person) -西藏毛腿沙鸡,xī zàng máo tuǐ shā jī,(bird species of China) Tibetan sandgrouse (Syrrhaptes tibetanus) -西藏獒犬,xī zàng áo quǎn,Tibetan mastiff -西藏百万农奴解放纪念日,xī zàng bǎi wàn nóng nú jiě fàng jì niàn rì,Serf Liberation Day (PRC) -西藏自治区,xī zàng zì zhì qū,"Tibet Autonomous Region, Tibetan: Bod rang skyong ljongs, abbr. 藏[Zang4], capital Lhasa 拉薩|拉萨[La1 sa4]" -西艺,xī yì,"Western skills; in Qing times, refers to Western technology, esp. military and naval know-how" -西药,xī yào,Western medicine -西兰花,xī lán huā,broccoli -西螺,xī luó,"Xiluo or Hsilo town in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -西螺镇,xī luó zhèn,"Xiluo or Hsilo town in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -西装,xī zhuāng,suit; Western-style clothes; CL:套[tao4] -西装革履,xī zhuāng gé lǚ,dressed in Western-style clothes; impeccably attired -西西,xī xī,cubic centimeter (cc) (loanword) -西西弗斯,xī xī fú sī,Sisyphus -西西里,xī xī lǐ,Sicily; Sicilia (Italian Island) -西西里岛,xī xī lǐ dǎo,Sicily -西语,xī yǔ,western language; Spanish (language) -西丰,xī fēng,"Xifeng county in Tieling 鐵嶺|铁岭[Tie3 ling3], Liaoning" -西丰县,xī fēng xiàn,"Xifeng county in Tieling 鐵嶺|铁岭[Tie3 ling3], Liaoning" -西贡,xī gòng,"Saigon, capital of former South Vietnam; Sai Kung town in New Territories, Hong Kong" -西游补,xī yóu bǔ,one of three Ming dynasty sequels to Journey to the West 西遊記|西游记 -西游记,xī yóu jì,"""Journey to the West"", Ming dynasty novel by Wu Cheng'en 吳承恩|吴承恩[Wu2 Cheng2 en1], one of the Four Classic Novels of Chinese literature, also called ""Pilgrimage to the West"" or ""Monkey""" -西辽,xī liáo,"Western Liao, Khitan kingdom of central Asia 1132-1218" -西边,xī biān,west; west side; western part; to the west of -西边儿,xī biān er,erhua variant of 西邊|西边[xi1 bian1] -西部,xī bù,western part -西部片,xī bù piàn,Western (film) -西乡,xī xiāng,"Xixiang County in Hanzhong 漢中|汉中[Han4 zhong1], Shaanxi" -西乡塘,xī xiāng táng,"Xixiangtang District of Nanning City 南寧市|南宁市[Nan2 ning2 Shi4], Guangxi" -西乡塘区,xī xiāng táng qū,"Xixiangtang District of Nanning City 南寧市|南宁市[Nan2 ning2 Shi4], Guangxi" -西乡县,xī xiāng xiàn,"Xixiang County in Hanzhong 漢中|汉中[Han4 zhong1], Shaanxi" -西医,xī yī,Western medicine; a doctor trained in Western medicine -西里尔,xī lǐ ěr,"Cyril (name); Saint Cyril, 9th century Christian missionary; Cyrillic" -西里尔字母,xī lǐ ěr zì mǔ,Cyrillic alphabet; Cyrillic letters -西里西亚,xī lǐ xī yà,Silesia -西门,xī mén,surname Ximen -西门子,xī mén zǐ,Siemens (company name) -西门子公司,xī mén zǐ gōng sī,Siemens AG -西门庆,xī mén qìng,"Ximen Qing, a fictional character in the novels ""Jin Ping Mei"" 金瓶梅[Jin1 ping2 mei2] and ""Water Margin"" 水滸傳|水浒传[Shui3 hu3 Zhuan4]" -西门町,xī mén dīng,"Ximending (neighborhood in Wanhua district, Taipei)" -西门豹,xī mén bào,"Ximen Bao (active around 422 BC), statesman and hydraulic engineer of Wei 魏國|魏国[Wei4 guo2]" -西陵,xī líng,"Xiling district of Yichang city 宜昌市[Yi2 chang1 shi4], Hubei" -西陵区,xī líng qū,"Xiling district of Yichang city 宜昌市[Yi2 chang1 shi4], Hubei" -西陵峡,xī líng xiá,"Xiling Gorge on the Changjiang or Yangtze, the lower of the Three Gorges 三峽|三峡[San1 Xia2]" -西雅图,xī yǎ tú,"Seattle, Washington State" -西双版纳,xī shuāng bǎn nà,Xishuangbanna Dai Autonomous Prefecture in southern Yunnan -西双版纳傣族自治州,xī shuāng bǎn nà dǎi zú zì zhì zhōu,Xishuangbanna Dai Autonomous Prefecture in southern Yunnan 雲南|云南[Yun2 nan2] -西双版纳州,xī shuāng bǎn nà zhōu,Xishuangbanna Dai Autonomous Prefecture in southern Yunnan 雲南|云南[Yun2 nan2] -西双版纳粗榧,xī shuāng bǎn nà cū fěi,Cephalotaxus mannii (botany) -西青,xī qīng,Xiqing suburban district of Tianjin municipality 天津市[Tian1 jin1 shi4] -西青区,xī qīng qū,Xiqing suburban district of Tianjin municipality 天津市[Tian1 jin1 shi4] -西非,xī fēi,West Africa -西面,xī miàn,west side; west -西顿,xī dùn,Sidon (Lebanon) -西领角鸮,xī lǐng jiǎo xiāo,(bird species of China) collared scops owl (Otus lettia) -西餐,xī cān,"Western-style food; CL:份[fen4],頓|顿[dun4]" -西魏,xī wèi,"Western Wei of the Northern dynasties (535-557), formed from the break-up of Wei of the Northern Dynasties 北魏" -西鲱,xī fēi,allis shad (Alosa alosa) -西鹌鹑,xī ān chún,(bird species of China) common quail (Coturnix coturnix) -西黄鹡鸰,xī huáng jí líng,(bird species of China) western yellow wagtail (Motacilla flava) -西点,xī diǎn,"West Point, US military academy in New York" -西点,xī diǎn,Western-style pastry -要,yāo,(bound form) to demand; to coerce -要,yào,to want; to need; to ask for; will; shall; about to; need to; should; if (same as 要是[yao4 shi5]); (bound form) important -要不,yào bù,otherwise; or else; how about...?; either... (or...) -要不得,yào bu de,intolerable; unacceptable -要不是,yào bu shì,if it were not for; but for -要不然,yào bù rán,otherwise; or else; or -要之,yào zhī,in brief; in a word -要事,yào shì,important matter -要人,yào rén,important person -要件,yào jiàn,key document; important condition; criterion; requirement; requisite; cornerstone -要价,yào jià,to ask a price; to charge; (fig.) to attach conditions (in negotiations) -要功,yāo gōng,variant of 邀功[yao1 gong1] -要加牛奶,yào jiā niú nǎi,"with milk; white (of tea, coffee etc)" -要务,yào wù,key task; important affair -要命,yào mìng,to cause sb's death; extremely; terribly; (used in complaining about sth) to be a nuisance -要员,yào yuán,key participant; VIP -要嘛,yào ma,either ...; or ... -要图,yào tú,main plan; important program -要地,yào dì,strategic location -要塞,yào sài,stronghold; fort; fortification -要好,yào hǎo,to be on good terms; to be close friends; striving for self-improvement -要子,yào zi,straw rope -要害,yào hài,vital part; (fig.) key point; crucial -要强,yào qiáng,eager to excel; eager to get ahead in life; strong-minded -要径,yào jìng,important path -要得,yào dé,good; fine -要挟,yāo xié,to threaten; to blackmail -要击,yāo jī,to intercept; to ambush -要政,yào zhèng,important governmental or administrative matter -要旨,yào zhǐ,the gist (of a text or argument); the main points -要是,yào shi,(coll.) if -要晕,yāo yūn,confused; dazed -要有,yào yǒu,to need; to require; must have -要末,yào me,variant of 要麼|要么[yao4 me5] -要枢,yào shū,important hub; key position -要样儿,yào yàng er,appearance; manner -要死,yào sǐ,extremely; awfully -要死不活,yào sǐ bù huó,half dead; more dead than alive -要死要活,yào sǐ yào huó,terribly; awfully; desperately -要求,yāo qiú,to request; to require; requirement; to stake a claim; to ask; to demand; CL:點|点[dian3] -要津,yào jīn,key post -要犯,yào fàn,major criminal -要略,yào lüè,roughly; outline; summary -要目,yào mù,important substance (of a document); key section -要看,yào kàn,it depends on... -要端,yào duān,the main points -要约,yāo yuē,to restrict; to agree to a contract; offer; bid -要素,yào sù,essential factor; key constituent -要紧,yào jǐn,important; urgent -要义,yào yì,the essentials -要闻,yào wén,important news story; headline -要职,yào zhí,key job; important position -要脸,yào liǎn,to save sb's face -要着,yào zhuó,important thing; crucial thing -要著,yào zhù,important book -要冲,yào chōng,road hub; major crossroad -要西了,yào xī le,(coll.) unbearable (Shanghainese) -要角,yào jiǎo,significant role; major figure -要言不烦,yào yán bù fán,to explain in simple terms; succinct; concise -要诀,yào jué,the key trick; the secret of success -要说,yào shuō,as for; when it comes to -要谎,yào huǎng,to ask an enormous price (as first negotiating step) -要买人心,yāo mǎi rén xīn,variant of 邀買人心|邀买人心[yao1 mai3 ren2 xin1] -要账,yào zhàng,to demand repayment; to collect debt -要路,yào lù,important road; main thoroughfare; fig. key position -要道,yào dào,major road; thoroughfare; main road -要钱,yào qián,to charge; to demand payment -要隘,yào ài,strategic pass -要面子,yào miàn zi,see 愛面子|爱面子[ai4 mian4 zi5] -要领,yào lǐng,main aspects; essentials; gist -要饭,yào fàn,to beg (for food or money) -要么,yào me,or; either one or the other -要点,yào diǎn,main point; essential -覃,qín,surname Qin -覃,tán,surname Tan -覃,tán,deep -覃塘,tán táng,"Tantang district of Guigang city 貴港市|贵港市[Gui4 gang3 shi4], Guangxi" -覃塘区,tán táng qū,"Tantang district of Guigang city 貴港市|贵港市[Gui4 gang3 shi4], Guangxi" -覃第,tán dì,extensive residence; your house -复,fù,variant of 復|复[fu4]; to reply to a letter -覆,fù,to cover; to overflow; to overturn; to capsize -覆亡,fù wáng,fall (of an empire) -覆巢之下无完卵,fù cháo zhī xià wú wán luǎn,lit. when the nest is upset no egg is left intact (idiom); fig. when one falls in disgrace the whole family is doomed -覆巢无完卵,fù cháo wú wán luǎn,lit. when the nest overturns no egg remains intact; no member escapes unscathed from a family disaster (idiom) -覆核,fù hé,to review; to reexamine; review -覆水难收,fù shuǐ nán shōu,"spilt water is difficult to retrieve (idiom); it's no use crying over spilt milk; what's done is done and can't be reversed; the damage is done; once divorced, there's no reuniting" -覆没,fù mò,annihilated; capsized -覆灭,fù miè,destruction -覆叠,fù dié,to overlap; to overlay; cascaded (thermodynamic cycle) -覆盆子,fù pén zǐ,raspberry -覆膜,fù mó,membrane covering sth; coating -覆盖,fù gài,to cover -覆盖率,fù gài lǜ,coverage -覆盖面,fù gài miàn,coverage -覆辙,fù zhé,the tracks of a cart that overturned; (fig.) a path that led to failure in the past -复迭,fù dié,variant of 覆疊|覆叠[fu4 die2] -复述,fù shù,variant of 複述|复述[fu4 shu4] -霸,bà,variant of 霸[ba4] -核,hé,variant of 核[he2]; to investigate -羁,jī,variant of 羈|羁[ji1] -见,jiàn,to see; to meet; to appear (to be sth); to interview; opinion; view -见,xiàn,to appear; also written 現|现[xian4] -见不得,jiàn bu dé,not fit to be seen by; should not be exposed to; can't bear to see -见不得人,jiàn bu dé rén,shameful -见世面,jiàn shì miàn,to see the world; to broaden one's horizons -见之实施,jiàn zhī shí shī,to put into effect (idiom) -见亮,jiàn liàng,please forgive me -见仁见智,jiàn rén jiàn zhì,opinions differ (idiom) -见光死,jiàn guāng sǐ,"(lit.) to wither in the light of day; (fig.) the bubble bursts as the reality becomes apparent (esp. of a much-anticipated first meeting with sb); (of stocks) just as the favorable news is officially published, the stock price falls" -见利忘义,jiàn lì wàng yì,lit. to see profit and forget morality (idiom); fig. to act from mercenary considerations; to sell one's soul -见利思义,jiàn lì sī yì,to see profit and remember morality (idiom); to act ethically; not tempted by riches -见到,jiàn dào,to see -见地,jiàn dì,opinion; view; insight -见报,jiàn bào,to appear in the news; in the papers -见外,jiàn wài,to treat sb with the formal courtesy accorded to a host or a guest -见多识广,jiàn duō shí guǎng,experienced and knowledgeable (idiom) -见天,jiàn tiān,(coll.) every day -见好就收,jiàn hǎo jiù shōu,(idiom) to quit while one is ahead; to know when to stop -见得,jiàn dé,to seem; to appear; (in a negative or interrogative sentence) to be sure -见微知著,jiàn wēi zhī zhù,one tiny clue reveals the general trend (idiom); small beginnings show how things will develop -见怪,jiàn guài,to mind; to take offense -见怪不怪,jiàn guài bù guài,to have seen sth so often that it doesn't seem strange at all; to be well accustomed (to sth) -见爱,jiàn ài,(literary) to be so good as to show favor (to me); to regard (me) highly -见招拆招,jiàn zhāo chāi zhāo,to counter every move; to be full of tricks -见效,jiàn xiào,to have the desired effect -见教,jiàn jiào,I have been enlightened by your teaching (humble) -见方,jiàn fāng,"(measurement) (after a length) square (as in ""10 feet square"")" -见景生情,jiàn jǐng shēng qíng,to be touched by a scene; to adapt to the situation -见机行事,jiàn jī xíng shì,see the opportunity and act (idiom); to act according to circumstances; to play it by ear; to use one's discretion -见状,jiàn zhuàng,"upon seeing this, ...; in response, ..." -见猎心喜,jiàn liè xīn xǐ,"lit. seeing others go hunting, one is excited by memories of the thrill of the hunt (idiom); fig. seeing others do what one loves to do, one is inspired to try it again" -见异思迁,jiàn yì sī qiān,to change at once on seeing sth different (idiom); loving fads and novelty; never satisfied with what one has -见票即付,jiàn piào jí fù,payable at sight; payable to bearer -见笑,jiàn xiào,to mock; to be ridiculed; to incur ridicule through one's poor performance (humble) -见红,jiàn hóng,(coll.) to bleed (esp. vaginal bleeding); to suffer a financial loss -见缝就钻,jiàn fèng jiù zuān,lit. to squeeze into every crack (idiom); fig. to make the most of every opportunity -见缝插针,jiàn fèng chā zhēn,lit. to see a gap and stick in a needle (idiom); fig. to make use of every second and every inch -见义勇为,jiàn yì yǒng wéi,"to see what is right and act courageously (idiom, from Analects); to stand up bravely for the truth; acting heroically in a just cause" -见习,jiàn xí,to learn on the job; to be on probation -见习员,jiàn xí yuán,trainee -见习生,jiàn xí shēng,apprentice; probationer; cadet -见习医师,jiàn xí yī shī,medical intern -见习医生,jiàn xí yī shēng,medical intern -见闻,jiàn wén,what one has seen and heard; knowledge; one's experience -见闻有限,jiàn wén yǒu xiàn,to possess limited experience and knowledge (idiom) -见背,jiàn bèi,"(formal, tactful) (of an elder) to pass away" -见色忘友,jiàn sè wàng yǒu,to neglect one's friends when smitten with a new love -见色忘义,jiàn sè wàng yì,to forget loyalty when in love; hoes before bros -见血封喉树,jiàn xuè fēng hóu shù,Antiaris toxicaria (botany) -见解,jiàn jiě,opinion; view; understanding -见访,jiàn fǎng,your visit (honorific); you honor me with your visit -见说,jiàn shuō,to hear what was said -见谅,jiàn liàng,please forgive me -见诸行动,jiàn zhū xíng dòng,to translate sth into action; to put sth into action -见证,jiàn zhèng,to be witness to; witness; evidence -见证人,jiàn zhèng rén,eyewitness (to an incident); witness (to a legal transaction) -见识,jiàn shi,to gain first-hand knowledge of sth; to experience for oneself; knowledge; experience; insight -见识浅,jiàn shi qiǎn,short-sighted -见财起意,jiàn cái qǐ yì,seeing riches provokes evil designs -见贤思齐,jiàn xián sī qí,"see a worthy, think to imitate (idiom, from Analects); emulate the virtuous; Follow the example of a virtuous and wise teacher." -见钱眼开,jiàn qián yǎn kāi,to open one's eyes wide at the sight of profit (idiom); thinking of nothing but personal gain; money-grubbing -见长,jiàn cháng,to excel at (typically used after the area of expertise); Example: 以研究見長|以研究见长[yi3 yan2 jiu1 jian4 chang2] to be known for one's research -见阎王,jiàn yán wáng,(coll.) to meet one's maker; to kick the bucket; to die -见难而上,jiàn nán ér shàng,to take the bull by the horns (idiom) -见面,jiàn miàn,to meet; to see each other; CL:次[ci4] -见面会,jiàn miàn huì,meet and greet -见面礼,jiàn miàn lǐ,gift given to sb when meeting them for the first time -见风使帆,jiàn fēng shǐ fān,lit. see the wind and set your sails (idiom); fig. to act pragmatically; to be flexible and take advantage of the situation -见风使舵,jiàn fēng shǐ duò,lit. see the wind and set the helm (idiom); fig. to act pragmatically; to be flexible and take advantage of the situation -见风是雨,jiàn fēng shì yǔ,lit. see the wind and assume it will rain (idiom); fig. gullible; to believe whatever people suggest -见风转舵,jiàn fēng zhuǎn duò,lit. see the wind and set the helm (idiom); fig. to act pragmatically; to be flexible and take advantage of the situation -见马克思,jiàn mǎ kè sī,to die; lit. to visit Marx; to pass away -见驾,jiàn jià,to have an audience (with the emperor) -见鬼,jiàn guǐ,absurd; strange; (interj.) curse it!; to hell with it! -规,guī,compass; a rule; regulation; to admonish; to plan; to scheme -规例,guī lì,regulations -规制,guī zhì,to regulate; rules and regulations; regulatory; style and structure (esp. of building) -规则,guī zé,rule; regulation; rules and regulations -规则化,guī zé huà,regularity -规则性,guī zé xìng,regularity -规则性效应,guī zé xìng xiào yìng,regularity effect -规划,guī huà,to draw up a plan; to map out a program; a plan; a program -规划人员,guī huà rén yuán,planner -规划局,guī huà jú,planning department -规勉,guī miǎn,to advise and encourage -规劝,guī quàn,to advise -规培,guī péi,(of a medical graduate) to undertake standardized training (as a resident doctor in a hospital) (abbr. for 規範化培訓|规范化培训[gui1 fan4 hua4 pei2 xun4]) -规定,guī dìng,to stipulate; to specify; to prescribe; to fix (a price); to set (a quota); regulations; rules; provisions; stipulations -规定价格,guī dìng jià gé,to fix the price -规律,guī lǜ,rule (e.g. of science); law of behavior; regular pattern; rhythm; discipline -规律性,guī lǜ xìng,regular -规复,guī fù,"to restore (deposed monarch, rule, system of laws, ecological system etc); restoration" -规戒,guī jiè,variant of 規誡|规诫[gui1 jie4] -规整,guī zhěng,according to a pattern; regular; orderly; structured; neat and tidy -规格,guī gé,standard; norm; specification -规条,guī tiáo,regulations -规模,guī mó,scale; scope; extent; CL:個|个[ge4] -规模经济,guī mó jīng jì,economies of scale -规正,guī zhèng,to admonish -规率,guī lǜ,law; pattern -规矩,guī ju,lit. compass and set square; fig. established standard; rule; customs; practices; fig. upright and honest; well-behaved -规矩准绳,guī ju zhǔn shéng,"compasses, set square, spirit level and plumbline (idiom); fig. established standard; norms; criteria" -规矩绳墨,guī ju shéng mò,"compasses, set square and straight line marker (idiom); fig. established standard; norms; criteria" -规程,guī chéng,rules; regulations -规章,guī zhāng,rule; regulation -规章制度,guī zhāng zhì dù,rules and regulations -规管,guī guǎn,to regulate -规范,guī fàn,norm; standard; specification; regulation; rule; within the rules; to fix rules; to regulate; to specify -规范化,guī fàn huà,to standardize; standardization -规范性,guī fàn xìng,normal; standard -规范理论,guī fàn lǐ lùn,Standard Model (of particle physics) -规约,guī yuē,terms (of an agreement) -规行矩步,guī xíng jǔ bù,to follow the compass and go with the set square (idiom); to follow the rules inflexibly; to act according to convention -规诫,guī jiè,to warn (against some course); to admonish -规诲,guī huì,to admonish; to instruct -规谏,guī jiàn,to remonstrate; to warn earnestly (esp. classical written Chinese); to exhort -规避,guī bì,to evade; to dodge -觅,mì,(literary) to seek; to find -觅取,mì qǔ,to seek; to seek out -觅句,mì jù,to search for the right word (of poet) -觅食,mì shí,to forage; to hunt for food; to scavenge; fig. to make a living -觅食行为,mì shí xíng wéi,foraging -觅,mì,old variant of 覓|觅[mi4] -视,shì,"(literary, or bound form) to look at" -视乎,shì hū,to be determined by; to depend on -视亮度,shì liàng dù,apparent brightness (astronomy) -视作,shì zuò,to regard as; to treat as -视像,shì xiàng,video (HK) -视力,shì lì,vision; eyesight -视力测定法,shì lì cè dìng fǎ,optometry; eyesight testing -视力表,shì lì biǎo,eye chart (used by optician) -视区,shì qū,field of view -视同,shì tóng,to regard the same as; to regard as being the same as -视同儿戏,shì tóng ér xì,to regard sth as a plaything (idiom); to consider unimportant; to view as trifling -视同己出,shì tóng jǐ chū,to regard sb as one's own child -视同手足,shì tóng shǒu zú,to regard sb as a brother (idiom) -视图,shì tú,view -视如土芥,shì rú tǔ jiè,to regard as useless; to view as no better than weeds -视如寇仇,shì rú kòu chóu,to regard as an enemy -视如敝屣,shì rú bì xǐ,lit. to view as worn-out shoes (idiom); fig. to consider to be worthless -视如粪土,shì rú fèn tǔ,to look upon as dirt; considered worthless -视奸,shì jiān,"(neologism) to leer; to stare lecherously; to follow the social media posts of sb who would rather you stay out of their life; (orthographic borrowing from Japanese 視姦 ""shikan"")" -视察,shì chá,to inspect; an investigation -视屏,shì píng,"screen (of a TV, computer etc)" -视差,shì chā,parallax -视微知着,shì wēi zhī zhuó,one tiny clue reveals the general trend (idiom); small beginnings show how things will develop -视损伤,shì sǔn shāng,visual impairment -视死如归,shì sǐ rú guī,to view death as a return home; to not be afraid of dying; to face death with equanimity (idiom) -视为,shì wéi,to view as; to see as; to consider to be; to deem -视为畏途,shì wéi wèi tú,to view as dangerous (idiom); afraid to do sth -视为知己,shì wéi zhī jǐ,to consider sb as close friend (idiom); to take into one's confidence -视界,shì jiè,field of vision -视盘,shì pán,optic disc (anatomy); video compact disc (VCD) -视盲,shì máng,blindness -视神经,shì shén jīng,optic nerve -视神经乳头,shì shén jīng rǔ tóu,optic disk (terminal of the optic nerve on the retina) -视神经盘,shì shén jīng pán,optic disk (terminal of the optic nerve on the retina) -视空间系统,shì kōng jiān xì tǒng,visuo-spatial sketchpad -视窗,shì chuāng,Windows (the Microsoft operating system) -视窗,shì chuāng,a window (on a computer screen) -视网膜,shì wǎng mó,retina -视线,shì xiàn,line of sight -视而不见,shì ér bù jiàn,(idiom) to turn a blind eye to; to ignore -视听材料,shì tīng cái liào,evidence of material seen and heard; oral testimony -视若无睹,shì ruò wú dǔ,to turn a blind eye to -视若路人,shì ruò lù rén,to view as strangers -视艺,shì yì,visual arts -视觉,shì jué,sight; vision; visual -视觉方言,shì jué fāng yán,(linguistics) eye dialect -视角,shì jiǎo,angle from which one observes an object; (fig.) perspective; viewpoint; frame of reference; (cinematography) camera angle; (visual perception) visual angle (the angle a viewed object subtends at the eye); (photography) angle of view -视讯,shì xùn,video (Tw) -视距,shì jù,visible range -视野,shì yě,field of view; (fig.) outlook; perspective -视错觉,shì cuò jué,optical illusion -视障,shì zhàng,visual impairment -视频,shì pín,video -视频会议,shì pín huì yì,videoconferencing; videoconference -视频节目,shì pín jié mù,video program -视频点播,shì pín diǎn bō,video on demand -觇,chān,to observe; to spy on; Taiwan pr. [zhan1] -觇标,chān biāo,surveyor's beacon -觋,xí,wizard -觎,yú,to desire passionately -睹,dǔ,old variant of 睹[du3] -亲,qīn,parent; one's own (flesh and blood); relative; related; marriage; bride; close; intimate; in person; first-hand; in favor of; pro-; to kiss; (Internet slang) dear -亲,qìng,parents-in-law of one's offspring -亲事,qīn shì,marriage; CL:門|门[men2] -亲人,qīn rén,one's close relatives -亲代,qīn dài,parent's generation; previous generation -亲信,qīn xìn,(often pejorative) trusted aide; confidant; to put one's trust in (sb) -亲们,qīn men,darlings; fans; followers; short form of 親愛的們|亲爱的们 -亲切,qīn qiè,amiable; cordial; close and dear; familiar -亲力亲为,qīn lì qīn wéi,to do sth oneself -亲北京,qīn běi jīng,"pro-Beijing (stance, party etc)" -亲友,qīn yǒu,friends and relatives -亲口,qīn kǒu,one's own mouth; fig. in one's own words; to say sth personally -亲吻,qīn wěn,to kiss; kiss -亲和,qīn hé,to connect intimately (with); amiable; affable -亲和力,qīn hé lì,(personal) warmth; approachability; accessibility; (in a product) user friendliness; (chemistry) affinity -亲和性,qīn hé xìng,compatibility; affinity (biology) -亲善,qīn shàn,goodwill -亲善大使,qīn shàn dà shǐ,goodwill ambassador -亲嘴,qīn zuǐ,to kiss (on the mouth) -亲如一家,qīn rú yī jiā,family-like close relationship (idiom) -亲如手足,qīn rú shǒu zú,as close as brothers (idiom); deep friendship -亲妈,qīn mā,one's own mother; biological mother -亲子,qīn zǐ,parent and child; parent-child (relationship); two successive generations -亲子鉴定,qīn zǐ jiàn dìng,paternity or maternity test -亲家,qìng jia,parents of one's daughter-in-law or son-in-law; relatives by marriage -亲密,qīn mì,intimate; close -亲密无间,qīn mì wú jiān,"close relation, no gap (idiom); intimate and nothing can come between" -亲属,qīn shǔ,kin; kindred; relatives -亲征,qīn zhēng,to take to the field oneself (of emperor); to take part in person in an expedition -亲情,qīn qíng,"affection; family love; love, esp. within a married couple or between parents and children" -亲爱,qīn ài,dear; beloved; darling -亲爱精诚,qīn ài jīng chéng,camaraderie -亲戚,qīn qi,"a relative (i.e. family relation); CL:門|门[men2],個|个[ge4],位[wei4]" -亲手,qīn shǒu,personally; with one's own hands -亲族,qīn zú,"relatives; members of the same family, clan, tribe etc" -亲昵,qīn nì,intimate -亲朋,qīn péng,relatives and friends -亲朋好友,qīn péng hǎo yǒu,friends and family; kith and kin -亲历,qīn lì,to personally experience -亲民,qīn mín,in touch with the people; sensitive to people's needs -亲民党,qīn mín dǎng,"People First Party, Taiwan" -亲水性,qīn shuǐ xìng,hydrophilic -亲水长廊,qīn shuǐ cháng láng,waterside promenade -亲测,qīn cè,to try (sth) oneself -亲炙,qīn zhì,to be enlightened by direct contact with sb -亲热,qīn rè,affectionate; intimate; warmhearted; to show affection for; (coll.) to get intimate with sb -亲爸,qīn bà,one's own father; biological father -亲王,qīn wáng,prince -亲生,qīn shēng,one's own (child) (i.e. one's child by birth); biological (parents); birth (parents) -亲生子女,qīn shēng zǐ nǚ,natural child -亲生骨肉,qīn shēng gǔ ròu,one's own flesh and blood -亲疏,qīn shū,close and distant (relatives) -亲疏贵贱,qīn shū guì jiàn,"close and distant, rich and poor (idiom); everyone; all possible relations" -亲眷,qīn juàn,relatives -亲眼,qīn yǎn,with one's own eyes; personally -亲眼目睹,qīn yǎn mù dǔ,to see for oneself; to see with one's own eyes -亲睦,qīn mù,friendly; amicable; to keep up harmonious relations (with sb) -亲睦邻邦,qīn mù lín bāng,friendly neighboring countries; to keep up good relations with neighboring countries -亲笔,qīn bǐ,in one's own handwriting -亲缘,qīn yuán,blood relationship; genetic relationship; consanguinity -亲缘关系,qīn yuán guān xì,phylogenetic relationship -亲美,qīn měi,pro-U.S. -亲耳,qīn ěr,with one's own ears -亲临,qīn lín,to go in person -亲临其境,qīn lín qí jìng,to travel to a place personally (idiom) -亲自,qīn zì,personally; in person; oneself -亲自动手,qīn zì dòng shǒu,to do the job oneself -亲旧,qīn jiù,relatives and old friends -亲卫队,qīn wèi duì,"SS or Schutzstaffel, paramilitary organization in Nazi Germany" -亲亲,qīn qīn,dear one; to kiss; friendly -亲赴,qīn fù,to travel to (a place where duty calls) -亲身,qīn shēn,personal; oneself -亲近,qīn jìn,intimate; to get close to -觊,jì,to covet; to long for -觊觎,jì yú,(literary) to covet; to cast greedy eyes on -觏,gòu,complete; meet unexpectedly; see -觐,jìn,(history) to have an audience with the Emperor -觐见,jìn jiàn,to have an audience (with the Emperor) -觑,qù,to spy; watch for -觑合,qù hé,to squint -觑忽,qù hu,variant of 覷糊|觑糊[qu4 hu5] -觑机会,qù jī huì,to watch for an opportunity -觑步,qù bù,to spy on -觑窥,qù kuī,to peep at -觑糊,qù hu,to squint -觑着眼,qù zhe yǎn,to narrow one's eyes and gaze at something with great attention -觑视,qù shì,to look; to gaze -觑觑眼,qù qù yǎn,myopia; nearsightedness; shortsightedness -觉,jiào,a nap; a sleep; CL:場|场[chang2] -觉,jué,to feel; to find that; thinking; awake; aware -觉察,jué chá,to sense; to perceive; to come to realize; to be aware -觉得,jué de,to think that ...; to feel that ...; to feel (uncomfortable etc) -觉悟,jué wù,to come to understand; to realize; consciousness; awareness; Buddhist enlightenment (Sanskrit: cittotpāda) -觉醒,jué xǐng,to awaken; to come to realize; awakened to the truth; the truth dawns upon one; scales fall from the eyes; to become aware -览,lǎn,to look at; to view; to read -览胜,lǎn shèng,to visit scenic spots -览古,lǎn gǔ,to visit historic sites -觌,dí,face to face -观,guàn,surname Guan -观,guān,to look at; to watch; to observe; to behold; to advise; concept; point of view; outlook -观,guàn,Taoist monastery; palace gate watchtower; platform -观世音,guān shì yīn,"Guanyin, the Bodhisattva of Compassion or Goddess of Mercy (Sanskrit Avalokiteśvara)" -观世音菩萨,guān shì yīn pú sà,"Guanyin, the Bodhisattva of Compassion or Goddess of Mercy (Sanskrit Avalokiteśvara)" -观光,guān guāng,to tour; sightseeing; tourism -观光区,guān guāng qū,tourist region; sightseeing area -观光客,guān guāng kè,tourist -观塘,guàn táng,"Kwun Tong district of Kowloon, Hong Kong" -观客,guān kè,audience -观察,guān chá,to observe; to watch; to survey -观察人士,guān chá rén shì,observer -观察力,guān chá lì,power of observation; perception -观察员,guān chá yuán,observer -观察哨,guān chá shào,sentry post -观察家,guān chá jiā,observer; The Observer (UK newspaper) -观察者,guān chá zhě,observer -观影,guān yǐng,to watch a movie -观后感,guān hòu gǎn,"impression or feeling after visiting or watching (movies, museums etc)" -观后镜,guān hòu jìng,"mirror showing a view to one's rear (including rearview mirror, side-view mirror, baby view mirror etc)" -观念,guān niàn,notion; thought; concept; sense; views; ideology; general impressions -观想,guān xiǎng,to visualize (Buddhist practice) -观感,guān gǎn,one's impressions; observations -观战,guān zhàn,to watch from the sidelines -观摩,guān mó,to observe and emulate; to study (esp. following sb's example) -观星台,guàn xīng tái,astronomical observatory (old) -观景台,guān jǐng tái,lookout; viewing platform; observation deck -观望,guān wàng,to wait and see; to watch from the sidelines; to look around; to survey -观止,guān zhǐ,incomparably good -观测,guān cè,to observe; to survey; observation (scientific etc) -观测台,guān cè tái,observatory -观测员,guān cè yuán,observer; spotter -观测者,guān cè zhě,observer -观测卫星,guān cè wèi xīng,observation satellite -观澜湖,guān lán hú,"Mission Hills Group (Chinese hospitality, sports and leisure company)" -观火,guān huǒ,penetrating (vision) -观看,guān kàn,to watch; to view -观众,guān zhòng,spectators; audience; visitors (to an exhibition etc) -观瞻,guān zhān,appearance; view; abiding impression -观礼,guān lǐ,to attend a ritual -观落阴,guān luò yīn,a ritual whereby the living soul is brought to the nether world for a spiritual journey -观览,guān lǎn,to view; to look at; to look sth over -观护所,guān hù suǒ,probation office -观象台,guān xiàng tái,observatory; observation platform -观赏,guān shǎng,to look at sth with pleasure; to watch (sth marvelous); ornamental -观衅伺隙,guān xìn sì xì,"lit. to look for holes, and observe gaps (idiom); fig. to search out one's opponent's weak points; to look for the Achilles' heel" -观音,guān yīn,"Guanyin, the Bodhisattva of Compassion or Goddess of Mercy (Sanskrit Avalokiteśvara)" -观音菩萨,guān yīn pú sà,"Guanyin, the Bodhisattva of Compassion or Goddess of Mercy (Sanskrit Avalokiteśvara)" -观音乡,guān yīn xiāng,"Guanyin or Kuanyin township in Taoyuan county 桃園縣|桃园县[Tao2 yuan2 xian4], north Taiwan" -观风,guān fēng,on lookout duty; to serve as lookout -观鸟,guān niǎo,birdwatching -观点,guān diǎn,point of view; viewpoint; standpoint; CL:個|个[ge4] -角,jué,surname Jue -角,jiǎo,"angle; corner; horn; horn-shaped; unit of money equal to 0.1 yuan, or 10 cents (a dime); CL:個|个[ge4]" -角,jué,role (theater); to compete; ancient three legged wine vessel; third note of pentatonic scale -角分符号,jiǎo fēn fú hào,"prime symbol (′) (math., linguistics etc)" -角力,jué lì,to wrestle; (fig.) to lock horns; to tussle; to wrangle -角动量,jiǎo dòng liàng,angular momentum -角化病,jiǎo huà bìng,(medicine) keratosis -角口,jiǎo kǒu,to quarrel -角嘴海雀,jiǎo zuǐ hǎi què,(bird species of China) rhinoceros auklet (Cerorhinca monocerata) -角回,jiǎo huí,angular gyrus (convolution of the brain) -角妓,jué jì,courtesan -角子,jiǎo zi,"one Jiao coin (Mao, one-tenth of yuan)" -角宿一,jiǎo xiù yī,(astronomy) Spica -角尺,jiǎo chǐ,set square (tool to measure right angles) -角平分线,jiǎo píng fēn xiàn,angle bisector -角度,jiǎo dù,angle; point of view -角弓,jiǎo gōng,bow decorated with animal horns -角弓反张,jiǎo gōng fǎn zhāng,"opitoshtonous (med.), muscular spasm of the body associated with tetanus and meningitis" -角抵,jué dǐ,wrestling; to wrestle -角曲尺,jiǎo qū chǐ,miter square (tool to measure angles) -角朊,jiǎo ruǎn,keratin -角柱体,jiǎo zhù tǐ,prism (math.) -角椅,jiǎo yǐ,chair designed to fit in corner of a room -角楼,jiǎo lóu,corner (between walls) -角标,jiǎo biāo,superscript -角球,jiǎo qiú,corner kick (in soccer); free strike in hockey -角百灵,jiǎo bǎi líng,(bird species of China) horned lark (Eremophila alpestris) -角砧,jiǎo zhēn,beck iron (corner of anvil) -角磨机,jiǎo mó jī,angle grinder -角票,jiǎo piào,"banknote in Jiao units (Mao, one-tenth of yuan)" -角秒符号,jiǎo miǎo fú hào,"double prime symbol (″) (math., linguistics etc)" -角膜,jiǎo mó,cornea -角膜接触镜,jiǎo mó jiē chù jìng,contact lens -角膜炎,jiǎo mó yán,keratitis (inflammation of the cornea) -角色,jué sè,role; part (in a play or movie etc) -角色扮演游戏,jué sè bàn yǎn yóu xì,role-playing game (RPG) -角落,jiǎo luò,nook; corner -角蛋白,jiǎo dàn bái,keratin (protein forming nails and feathers etc) -角规,jiǎo guī,angle gauge; clinograph -角质,jiǎo zhì,cutin; keratin -角质层,jiǎo zhì céng,stratum corneum (outermost layer of the skin) -角质素,jiǎo zhì sù,keratin -角逐,jué zhú,to tussle; to contend; to contest -角速度,jiǎo sù dù,angular velocity -角钉,jiǎo dīng,corner bracket (for securing the corner of a picture frame etc); brad -角锥,jiǎo zhuī,pyramid -角铁,jiǎo tiě,angle iron -角门,jiǎo mén,corner gate -角闪石,jiǎo shǎn shí,"hornblende (rock-forming mineral, type of amphibole)" -角阀,jiǎo fá,angle valve -角头,jiǎo tóu,gang leader; mafia boss -角频率,jiǎo pín lǜ,angular frequency -角马,jiǎo mǎ,gnu; wildebeest -角斗,jué dòu,to wrestle -角斗场,jué dòu chǎng,wrestling ring -角斗士,jiǎo dòu shì,gladiator -角鸮,jiǎo xiāo,"screech owl (genus Megascops, a.k.a. Otus)" -角龙,jiǎo lóng,ceratopsian -粗,cū,variant of 粗[cu1] -觖,jué,dissatisfied -觚,gū,goblet; rule; law -觜,zī,"number 20 of the 28 constellations 二十八宿, approx. Orion 獵戶座|猎户座" -觜,zuǐ,variant of 嘴[zui3] -觜宿,zī xiù,"number 20 of the 28 constellations 二十八宿, approx. Orion 獵戶座|猎户座" -觜蠵,zī xī,"name of constellation, possibly same as 觜宿" -解,xiè,surname Xie -解,jiě,to divide; to break up; to split; to separate; to dissolve; to solve; to melt; to remove; to untie; to loosen; to open; to emancipate; to explain; to understand; to know; a solution; a dissection -解,jiè,to transport under guard -解,xiè,acrobatic display (esp. on horseback) (old); variant of 懈[xie4] and 邂[xie4] (old) -解乏,jiě fá,to relieve tiredness; to freshen up -解像力,jiě xiàng lì,resolving power (of a lens etc) -解像度,jiě xiàng dù,"resolution (of images, monitors, scanners etc)" -解雇,jiě gù,to fire; to sack; to dismiss; to terminate employment -解元,jiè yuán,first-placed candidate in the provincial imperial examinations (old) -解免,jiě miǎn,to avoid (difficulties); to open up a siege -解冻,jiě dòng,"to melt; to thaw; to defrost; fig. to relax (repression, enmity etc)" -解出,jiě chū,to figure out -解剖,jiě pōu,to dissect (an animal); to analyze; anatomy -解剖刀,jiě pōu dāo,scalpel -解剖学,jiě pōu xué,anatomy -解剖室,jiě pōu shì,a dissecting room -解剖麻雀,jiě pōu má què,to dissect a sparrow; (fig.) to examine a typical case as the basis for making a generalization -解劝,jiě quàn,to soothe; to pacify; to mollify; to mediate (in a dispute etc) -解包,jiě bāo,to unpack (computing) -解厄,jiě è,(literary) to save from a calamity -解吸,jiě xī,to de-absorb; to get a chemical out of solution -解和,jiě hé,to mediate (in a conflict); to pacify -解嘲,jiě cháo,to try to cover up in an embarrassing situation; to justify oneself; to find excuses -解严,jiě yán,to lift restrictions (such as curfew or martial law) -解囊,jiě náng,lit. to loosen one's purse; fig. to give generously to help others -解围,jiě wéi,to lift a siege; to help sb out of trouble or embarrassment -解压,jiě yā,to relieve stress; (computing) to decompress -解压缩,jiě yā suō,to decompress; decompression (esp. computer) -解梦,jiě mèng,to interpret a dream -解大手,jiě dà shǒu,(coll.) to defecate -解密,jiě mì,to declassify; (computing) to decrypt; to decipher -解寒,jiě hán,to relieve cold -解封,jiě fēng,to lift a ban; to end a lockdown -解小手,jiě xiǎo shǒu,(coll.) to urinate -解廌,xiè zhì,variant of 獬豸[xie4 zhi4] -解悟,jiě wù,to understand; to comprehend; to grasp the meaning -解闷,jiě mèn,to relieve boredom or melancholy; a diversion -解惑,jiě huò,to dispel doubts; to clear up confusion -解愁,jiě chóu,to relieve melancholy -解手,jiě shǒu,to relieve oneself (i.e. use the toilet); to solve -解放,jiě fàng,to liberate; to emancipate; liberation; refers to the Communists' victory over the Nationalists in 1949; CL:次[ci4] -解放区,jiě fàng qū,"Liberation city district; Jiefang district of Jiaozuo city 焦作市[Jiao1 zuo4 shi4], Henan" -解放巴勒斯坦人民阵线,jiě fàng bā lè sī tǎn rén mín zhèn xiàn,Popular Front for the Liberation of Palestine -解放后,jiě fàng hòu,after liberation (i.e. after the Communist's victory); after the establishment of PRC in 1949 -解放战争,jiě fàng zhàn zhēng,"War of Liberation (1945-49), after which the Communists 共產黨武裝|共产党武装 under Mao Zedong 毛澤東|毛泽东 took over from the Nationalists 國民政府|国民政府 under Chiang Kai-shek 蔣介石|蒋介石" -解放日,jiě fàng rì,"Liberation Day; cf Japan's surrender on 15th August 1945, celebrated as Liberation Day in Korea" -解放日报,jiě fàng rì bào,"Liberation Daily, www.jfdaily.com" -解放军,jiě fàng jūn,People's Liberation Army (PRC armed forces) -解放运动,jiě fàng yùn dòng,liberation movement -解救,jiě jiù,to rescue; to help out of difficulties; to save the situation -解散,jiě sàn,to dissolve; to disband -解数,xiè shù,talent; ability; capability; martial arts technique; Taiwan pr. [jie3 shu4] -解析,jiě xī,to analyze; to resolve; (math.) analysis; analytic -解析函数,jiě xī hán shù,(math.) an analytic function (of a complex variable) -解析函数论,jiě xī hán shù lùn,(math.) complex analytic function theory -解析几何,jiě xī jǐ hé,analytic geometry; coordinate geometry -解析几何学,jiě xī jǐ hé xué,analytic geometry; coordinate geometry -解析度,jiě xī dù,"(Tw) resolution (of an image, monitor etc)" -解构,jiě gòu,to deconstruct -解毒,jiě dú,to detoxify; to relieve fever (in Chinese medicine) -解毒剂,jiě dú jì,antidote -解毒药,jiě dú yào,antidote -解民倒悬,jiě mín dào xuán,"lit. to rescue the people from hanging upside down (idiom, from Mencius); to save the people from dire straits" -解气,jiě qì,to assuage one's anger; gratifying (esp. to see sb get their comeuppance) -解决,jiě jué,"to solve; to resolve; to settle (a problem); to eliminate; to wipe out (an enemy, bandits etc)" -解决争端,jiě jué zhēng duān,to settle a dispute -解决办法,jiě jué bàn fǎ,solution; method to settle an issue -解法,jiě fǎ,solution (to a math problem); method of solving -解深密经,jiě shēn mì jīng,"Sandhinir mokcana vyuha sutra, a yogic text on awareness and meditation, translated as the Wisdom of Buddha" -解渴,jiě kě,to quench -解热,jiě rè,to relieve fever -解理,jiě lǐ,cleavage (splitting of minerals such as slate along planes) -解理方向,jiě lǐ fāng xiàng,direction of cleavage (e.g. of slate) -解理面,jiě lǐ miàn,cleavage plane (e.g. of slate) -解甲,jiě jiǎ,to remove armor; to return to civilian life -解甲归田,jiě jiǎ guī tián,to remove armor and return to the farm; to return to civilian life -解疑,jiě yí,to dispel doubts; to remove ambiguities -解疑释惑,jiě yí shì huò,(idiom) to solve a problem; to resolve a difficult issue -解痉剂,xiè jìng jì,antispasmodic (pharm.) -解痛,jiě tòng,to relieve pain; analgesic -解百纳,jiě bǎi nà,Cabernet (grape type) -解码,jiě mǎ,to decode; to decipher -解码器,jiě mǎ qì,decoder -解禁,jiě jìn,to lift a prohibition -解答,jiě dá,to solve (a problem); to resolve (a difficulty); to provide an answer; solution; resolution; answer -解约,jiě yuē,to terminate an agreement; to cancel a contract -解纷,jiě fēn,to mediate a dispute -解绑,jiě bǎng,to unbind (e.g. a phone number from an account) -解缆,jiě lǎn,to untie a mooring rope -解耦,jiě ǒu,decoupling (electronics) -解聘,jiě pìn,to dismiss an employee; to sack -解职,jiě zhí,to dismiss from office; to discharge; to sack -解脱,jiě tuō,to untie; to free; to absolve of; to get free of; to extirpate oneself; (Buddhism) to free oneself of worldly worries -解药,jiě yào,antidote -解说,jiě shuō,to explain (verbally); to give a running commentary -解说员,jiě shuō yuán,commentator -解说词,jiě shuō cí,commentary (for a film etc); caption (for a photo etc) -解调,jiě tiáo,demodulation; to demodulate -解谜,jiě mí,to solve the riddle -解读,jiě dú,to decipher; to decode; to interpret -解酒,jiě jiǔ,to dissipate the effects of alcohol -解酲,jiě chéng,to sober up; to sleep off the effect of drink -解酸药,jiě suān yào,antacid -解释,jiě shì,explanation; to explain; to interpret; to resolve; CL:個|个[ge4] -解释器,jiě shì qì,interpreter (computing) -解释执行,jiě shì zhí xíng,interpreted (computer) -解扣,jiě kòu,to unbutton; (fig.) to solve a dispute -解铃系铃,jiě líng xì líng,see 解鈴還須繫鈴人|解铃还须系铃人[jie3 ling2 hai2 xu1 xi4 ling2 ren2] -解铃还需系铃人,jiě líng hái xū xì líng rén,variant of 解鈴還須繫鈴人|解铃还须系铃人[jie3 ling2 hai2 xu1 xi4 ling2 ren2] -解铃还须系铃人,jiě líng hái xū xì líng rén,lit. whoever hung the bell on the tiger's neck must untie it (idiom); fig. whoever started the trouble should end it -解锁,jiě suǒ,to unlock; to release -解开,jiě kāi,to untie; to undo; to solve (a mystery) -解除,jiě chú,to remove; to sack; to get rid of; to relieve (sb of their duties); to free; to lift (an embargo); to rescind (an agreement) -解离,jiě lí,dissociation; to break up a chemical compound into its elements -解离性人格疾患,jiě lí xìng rén gé jí huàn,dissociative identity disorder; multiple personality disorder -解颐,jiě yí,to smile; to laugh -解题,jiě tí,to solve problems; to explicate -解饿,jiě è,to relieve hunger -解馋,jiě chán,to satisfy one's craving -解体,jiě tǐ,to break up into components; to disintegrate; to collapse; to crumble -觥,gōng,big; cup made of horn; horn wine container -觥筹交错,gōng chóu jiāo cuò,wine goblets and gambling chips lie intertwined; to drink and gamble together in a large group (idiom); a big (drinking) party -觫,sù,used in 觳觫[hu2 su4] -觱,bì,fever; tartar horn -觱栗,bì lì,ancient bamboo reed instrument; Chinese shawm (probably related to central Asian zurna) -觱篥,bì lì,ancient bamboo reed instrument; Chinese shawm (probably related to central Asian zurna) -觳,hú,ancient measuring vessel (same as 斛); frightened -觳觫,hú sù,(literary) to tremble with fear -觞,shāng,feast; goblet -觯,zhì,goblet -触,chù,to touch; to make contact with sth; to stir up sb's emotions -触动,chù dòng,to touch; to stir up (trouble or emotions); to move (sb's emotions or worry) -触及,chù jí,"to touch (physically, one's feelings etc); to touch on (a topic)" -触地得分,chù dì dé fēn,to score a try (sports); to score a touchdown -触媒,chù méi,catalyst; to catalyze -触媒作用,chù méi zuò yòng,catalysis -触屏,chù píng,touchscreen -触怒,chù nù,to anger sb; to enrage -触感,chù gǎn,tactile sensation; touch; feel -触手,chù shǒu,tentacle -触手可及,chù shǒu kě jí,within reach -触手可得,chù shǒu kě dé,within reach -触技曲,chù jì qǔ,toccata -触控屏幕,chù kòng píng mù,touchscreen -触控式萤幕,chù kòng shì yíng mù,touchscreen -触控板,chù kòng bǎn,touchpad -触控笔,chù kòng bǐ,stylus pen -触控萤幕,chù kòng yíng mù,touchscreen; touch panel -触控点,chù kòng diǎn,pointing stick (for notebook computer) -触摸,chù mō,to touch -触摸屏,chù mō píng,touchscreen -触摸屏幕,chù mō píng mù,touchscreen -触摸板,chù mō bǎn,touchpad; trackpad -触击,chù jī,to touch; to tap; to contact; (baseball) to bunt -触景伤情,chù jǐng shāng qíng,circumstances that evoke mixed feelings (idiom) -触景生情,chù jǐng shēng qíng,scene which recalls past memories (idiom); evocative of the past; reminiscent; to arouse deep feelings -触楣头,chù méi tóu,variant of 觸霉頭|触霉头[chu4 mei2 tou2] -触毛,chù máo,tactile hair; vibrissa; whisker -触法,chù fǎ,to break the law -触犯,chù fàn,to violate; to offend -触发,chù fā,to trigger; to spark -触发器,chù fā qì,flip-flop (electronics) -触发引信,chù fā yǐn xìn,an impact detonator -触发清单,chù fā qīng dān,trigger list -触目,chù mù,to meet the eye; eye-catching; conspicuous -触目伤心,chù mù shāng xīn,distressing sight (idiom) -触目惊心,chù mù jīng xīn,"lit. shocks the eye, astonishes the heart (idiom); shocking; horrible to see; a ghastly sight" -触碰,chù pèng,to touch; (fig.) to touch on (a matter) -触礁,chù jiāo,(of a ship) to strike a reef; (fig.) to hit a snag -触线,chù xiàn,to cross the line; to overdo something; to commit a crime -触肢,chù zhī,pedipalp -触腕,chù wàn,cephalopod tentacle -触处,chù chù,everywhere -触觉,chù jué,sense of touch; tactile sensation -触角,chù jiǎo,antenna; feeler -触诊,chù zhěn,body palpation (diagnostic method in TCM); tactile examination -触酶,chù méi,catalase (enzyme) -触电,chù diàn,to get an electric shock; to be electrocuted; electric shock -触霉头,chù méi tóu,to cause sth unfortunate to happen (to oneself or sb else); to do sth inauspicious; to have a stroke of bad luck -触类旁通,chù lèi páng tōng,to comprehend (new things) by analogy -触须,chù xū,tentacles; feelers; antennae -触斗蛮争,chù dòu mán zhēng,constant bickering and fighting (idiom); constantly at each other's throats; struggle for personal gain -言,yán,words; speech; to say; to talk -言下之意,yán xià zhī yì,implication -言不及义,yán bù jí yì,to talk nonsense (idiom); frivolous talk -言不可传,yán bù kě chuán,impossible to put into words; inexpressible -言不由衷,yán bù yóu zhōng,to say sth without meaning it (idiom); to speak tongue in cheek; saying one thing but meaning sth different -言不尽意,yán bù jìn yì,(conventional letter ending) words cannot fully express what is in my heart (idiom) -言中,yán zhòng,to have one's words prove to be prophetic -言之有物,yán zhī yǒu wù,(of one's words) to have substance -言之无物,yán zhī wú wù,(of a writing etc) to have no substance (idiom); to carry no weight -言传,yán chuán,to convey in words -言传身教,yán chuán shēn jiào,to teach by words and example (idiom) -言喻,yán yù,to describe; to put into words -言外之意,yán wài zhī yì,unspoken implication (idiom); the actual meaning of what was said -言多必失,yán duō bì shī,"if you say too much, you're bound to slip up at some point (idiom)" -言多语失,yán duō yǔ shī,see 言多必失[yan2 duo1 bi4 shi1] -言字旁,yán zì páng,"name of ""speech"" or ""words"" radical in Chinese characters (Kangxi radical 149); see also 訁|讠[yan2]" -言官,yán guān,imperial censor -言情,yán qíng,"(of a movie, novel etc) portraying a love affair; romantic; sentimental" -言情小说,yán qíng xiǎo shuō,romance novel; romantic fiction -言教,yán jiào,to give verbal instruction -言教不如身教,yán jiào bù rú shēn jiào,Explaining in words is not as good as teaching by example (idiom). Action speaks louder than words. -言明,yán míng,to state clearly -言归于好,yán guī yú hǎo,to become reconciled; to bury the hatchet -言归正传,yán guī zhèng zhuàn,to return to the topic (idiom); to get back to the main point -言为心声,yán wéi xīn shēng,one's words reflect one's thinking (idiom) -言犹在耳,yán yóu zài ěr,words still ringing in one's ears (idiom) -言符其实,yán fú qí shí,(of one's words) to be in accord with reality (idiom) -言简意赅,yán jiǎn yì gāi,concise and comprehensive (idiom) -言而有信,yán ér yǒu xìn,to speak and keep one's promise (idiom); as good as one's word -言而无信,yán ér wú xìn,untrustworthy; not true to one's word -言听计从,yán tīng jì cóng,"to see, hear and obey (idiom); to take advice; to take sb at his word" -言行,yán xíng,words and actions; what one says and what one does -言行一致,yán xíng yī zhì,(idiom) one's actions are in keeping with what one says -言行不一,yán xíng bù yī,(idiom) to say one thing and do another -言行不符,yán xíng bù fú,(idiom) to say one thing and do another -言行若一,yán xíng ruò yī,(idiom) one's actions are in keeping with what one says -言词,yán cí,variant of 言辭|言辞[yan2 ci2] -言语,yán yǔ,words; speech; (spoken) language -言语,yán yu,to speak; to tell -言语失常症,yán yǔ shī cháng zhèng,speech defect -言语缺陷,yán yǔ quē xiàn,speech defect -言说,yán shuō,to speak of; to refer to -言谈,yán tán,discourse; words; utterance; what one says; manner of speech -言谈林薮,yán tán lín sǒu,articulate in speech (idiom); eloquent -言论,yán lùn,expression of opinion; views; remarks; arguments -言论机关,yán lùn jī guān,the press; the media -言论界,yán lùn jiè,the press; the media -言论自由,yán lùn zì yóu,freedom of speech -言辞,yán cí,words; expression; what one says -言近旨远,yán jìn zhǐ yuǎn,simple words with a profound meaning (idiom) -言过其实,yán guò qí shí,(idiom) to exaggerate; to overstate the facts -言重,yán zhòng,to speak seriously; to exaggerate -讠,yán,"""speech"" or ""words"" radical in Chinese characters (Kangxi radical 149); see also 言字旁[yan2 zi4 pang2]" -订,dìng,to agree; to conclude; to draw up; to subscribe to (a newspaper etc); to order -订位,dìng wèi,to reserve a seat; to book a table; reservation -订做,dìng zuò,to make to order; to have sth made to order -订出,dìng chū,"to lay down (a rule, a plan of action); to draw up; booked out (i.e. already fully booked)" -订单,dìng dān,(purchase) order -订单号,dìng dān hào,order number -订婚,dìng hūn,to get engaged -订定,dìng dìng,to set; to designate; to stipulate; to provide; to draw up; to formulate (rules etc); stipulation -订户,dìng hù,subscriber (to a newspaper or periodical) -订房,dìng fáng,to reserve a room -订明,dìng míng,to stipulate; to state expressly -订书机,dìng shū jī,stapler; stapling machine; bookbinding machine; CL:臺|台[tai2] -订书钉,dìng shū dīng,staple (stationery) -订书针,dìng shū zhēn,staple -订正,dìng zhèng,to make a correction -订票,dìng piào,to book tickets; to issue tickets -订立,dìng lì,"to conclude (treaty, contract, agreement etc); to set up (a rule etc)" -订制,dìng zhì,custom-made; made-to-order; to have sth custom made -订亲,dìng qīn,variant of 定親|定亲[ding4 qin1] -订货,dìng huò,to order goods; to place an order -订费,dìng fèi,subscription (rate) -订购,dìng gòu,to place an order; to subscribe -订购者,dìng gòu zhě,subscriber -订金,dìng jīn,an initial payment; earnest money; deposit -订阅,dìng yuè,subscription; to subscribe to -讣,fù,to report a bereavement; obituary -讣告,fù gào,obituary -讣文,fù wén,obituary notice -讣闻,fù wén,obituary -訇,hōng,surname Hong -訇,hōng,sound of a crash -计,jì,surname Ji -计,jì,to calculate; to compute; to count; to regard as important; to plan; ruse; meter; gauge -计件工资,jì jiàn gōng zī,piece rate wage; remuneration based on one's output; opposite: time rate wage 計時工資|计时工资[ji4 shi2 gong1 zi1] -计价,jì jià,to valuate; valuation -计价器,jì jià qì,fare meter; taximeter -计分,jì fēn,to calculate the score -计分卡,jì fēn kǎ,scorecard -计分环,jì fēn huán,scoring ring (on shooting target) -计划,jì huà,"plan; project; program; to plan; to map out; CL:個|个[ge4],項|项[xiang4]" -计划报废,jì huà bào fèi,planned obsolescence -计划性报废,jì huà xìng bào fèi,planned obsolescence -计划生育,jì huà shēng yù,family planning -计划目标,jì huà mù biāo,planned target; scheduled target -计划经济,jì huà jīng jì,planned economy -计提,jì tí,to set aside; to make provision for (capital requirements) -计数,jì shù,to count; reckoning -计数器,jì shù qì,counter; register -计数法,jì shù fǎ,calculation; reckoning -计数率仪,jì shù lǜ yí,ratemeter -计数管,jì shù guǎn,counter -计数者,jì shù zhě,counter -计时,jì shí,to measure time; to time; to reckon by time -计时器,jì shí qì,timer -计时工资,jì shí gōng zī,payment by the hour; time-rate wages (opposite: piece-rate wage 計件工資|计件工资[ji4 jian4 gong1 zi1]) -计时收费,jì shí shōu fèi,time charge -计时比赛,jì shí bǐ sài,time trial (e.g. in cycle race); timed race; competition against the clock -计时法,jì shí fǎ,time reckoning -计时测验,jì shí cè yàn,time trial -计时炸弹,jì shí zhà dàn,time bomb -计时赛,jì shí sài,time trial (e.g. in cycle race); timed race; competition against the clock -计步器,jì bù qì,pedometer -计生,jì shēng,planned childbirth; birth control; family planning; abbr. for 計劃生育|计划生育 -计画,jì huà,variant of 計劃|计划[ji4 hua4] -计票,jì piào,count of votes -计程车,jì chéng chē,(Tw) taxi; cab -计策,jì cè,stratagem -计算,jì suàn,to count; to calculate; to compute; CL:個|个[ge4] -计算器,jì suàn qì,calculator; calculating machine -计算尺,jì suàn chǐ,slide rule -计算数学,jì suàn shù xué,computational mathematics; numerical mathematics -计算机,jì suàn jī,computer; (Tw) calculator; CL:臺|台[tai2] -计算机动画,jì suàn jī dòng huà,computer animation -计算机可读,jì suàn jī kě dú,computer-readable; machine-readable -计算机工业,jì suàn jī gōng yè,computer industry -计算机断层,jì suàn jī duàn céng,"CT, computed tomography (medical imaging method)" -计算机模式,jì suàn jī mó shì,computer simulation -计算机模拟,jì suàn jī mó nǐ,computer simulation -计算机比喻,jì suàn jī bǐ yù,computer metaphor -计算机科学,jì suàn jī kē xué,computer science -计算机科学家,jì suàn jī kē xué jiā,computer scientist -计算机制图,jì suàn jī zhì tú,computer graphics -计算机辅助设计,jì suàn jī fǔ zhù shè jì,CAD computer-aided design -计算机集成制造,jì suàn jī jí chéng zhì zào,computer-integrated manufacturing (CIM) -计算复杂性,jì suàn fù zá xìng,computational complexity (math.) -计谋,jì móu,stratagem; scheme -计议,jì yì,to deliberate; to talk over; to plan -计较,jì jiào,to bother about; to haggle; to bicker; to argue; plan; stratagem -计都,jì dū,"concept from Vedic astronomy (Sanskrit Ketu), the opposite point to 羅睺|罗睺[luo2 hou2]; imaginary star presaging disaster" -计量,jì liàng,measurement; to calculate -计量制,jì liàng zhì,system of weights and measures -计量棒,jì liàng bàng,measuring rod; dipstick -讯,xùn,(bound form) to ask; to inquire; (bound form) to interrogate; to question; (bound form) news; information -讯问,xùn wèn,to interrogate; to ask about -讯息,xùn xī,information; news; message; text message; SMS -讯息原,xùn xī yuán,information source -讯框中继,xùn kuàng zhōng jì,frame relay (telecommunications) -讯号,xùn hào,signal -讧,hòng,strife; disorder; rioting; fighting; Taiwan pr. [hong2] -讨,tǎo,to invite; to provoke; to demand or ask for; to send armed forces to suppress; to denounce or condemn; to marry (a woman); to discuss or study -讨乞,tǎo qǐ,to go begging; to ask for alms -讨人,tǎo rén,(old) girl trafficked into a brothel to work as prostitute -讨人厌,tǎo rén yàn,horrid -讨人喜欢,tǎo rén xǐ huan,to attract people's affection; charming; delightful -讨人嫌,tǎo rén xián,unpleasant; disagreeable -讨伐,tǎo fá,to suppress by armed force; to send a punitive expedition against; to crusade against -讨便宜,tǎo pián yi,to look for a bargain; to seek advantage; to try to gain at expense of others -讨俏,tǎo qiào,deliberately provocative; saucy -讨保,tǎo bǎo,to ask for bail money -讨债,tǎo zhài,to demand repayment -讨价还价,tǎo jià huán jià,to haggle over price; to bargain -讨厌,tǎo yàn,to dislike; to loathe; disagreeable; troublesome; annoying -讨厌鬼,tǎo yàn guǐ,disgusting person; slob -讨取,tǎo qǔ,to ask for; to demand -讨吃,tǎo chī,to beg for food -讨喜,tǎo xǐ,endearing; charming; likeable -讨好,tǎo hǎo,to get the desired outcome; to win favor by fawning on sb; to curry favor with; a fruitful outcome to reward one's labor -讨好卖乖,tǎo hǎo mài guāi,to curry favor by showing obeisance (idiom) -讨嫌,tǎo xián,disagreeable; hateful; a pain in the neck -讨小,tǎo xiǎo,(coll.) to take a concubine -讨巧,tǎo qiǎo,to act cleverly to get what one desires; to get the best at least expense -讨平,tǎo píng,to put down (an uprising); to pacify -讨底,tǎo dǐ,to enquire; to demand details -讨底儿,tǎo dǐ er,erhua variant of 討底|讨底[tao3 di3] -讨拍,tǎo pāi,(Tw) (coll.) to seek sympathy -讨扰,tǎo rǎo,I beg to disturb you; I trespass on your hospitality; Thank you for your hospitality! -讨教,tǎo jiào,to consult; to ask for advice -讨海,tǎo hǎi,to make one's living from the sea -讨生活,tǎo shēng huó,to eke out a living; to live from hand to mouth; to drift aimlessly -讨究,tǎo jiū,to investigate -讨米,tǎo mǐ,to beg for food -讨薪,tǎo xīn,to seek unpaid wages -讨论,tǎo lùn,to discuss; to talk over -讨论区,tǎo lùn qū,forum (esp. online); discussion area; feedback -讨论会,tǎo lùn huì,symposium; discussion forum -讨论班,tǎo lùn bān,seminar; workshop -讨账,tǎo zhàng,to demand payment; to collect overdue payment -讨还,tǎo huán,to ask for sth back; to recover -讨饭,tǎo fàn,to ask for food; to beg -讨饶,tǎo ráo,to beg for mercy; to ask for forgiveness -讦,jié,to accuse; to pry -训,xùn,to teach; to train; to admonish; (bound form) instruction (from superiors); teachings; rule -训令,xùn lìng,order; instruction -训导职务,xùn dǎo zhí wù,(Christianity) a preaching ministry -训导处,xùn dǎo chù,dean of students office (Tw) -训戒,xùn jiè,variant of 訓誡|训诫[xun4 jie4] -训斥,xùn chì,to reprimand; to rebuke; to berate; stern criticism -训条,xùn tiáo,instruction; order; maxim -训民正音,xùn mín zhèng yīn,Korean text HunMin JongUm promulgated by Sejong Daewang in 1418 to introduce hangeul -训兽术,xùn shòu shù,animal training; taming wild beast (e.g. lion-taming) -训示,xùn shì,to admonish; instructions; orders -训练,xùn liàn,to train; to drill; training; CL:個|个[ge4] -训练营,xùn liàn yíng,training camp -训练者,xùn liàn zhě,trainer -训育,xùn yù,pedagogy; to instruct and guide -训诂,xùn gǔ,to interpret and make glossaries and commentaries on classic texts -训诂学,xùn gǔ xué,"study of classic texts, including interpretation, glossaries and commentaries" -训词,xùn cí,instruction; admonition -训话,xùn huà,to admonish subordinates -训诫,xùn jiè,to reprimand; to admonish; to lecture sb -训读,xùn dú,"a reading of a written Chinese word derived from a synonym (typically, a vernacular synonym) (e.g. in Mandarin, 投子[tou2 zi5] may be pronounced as its synonym 色子[shai3 zi5], and in Wu dialects, 二 is pronounced as its synonym 兩|两 ""liahn""); to pronounce a word using such a reading; (Japanese linguistics) kun-reading, a pronunciation of a kanji derived from a native Japanese word that matches its meaning rather than from the pronunciation of the character in a Sinitic language at the time it was imported from China (Note: A kun-reading of a character is distinguished from its on-reading(s) 音讀|音读[yin1 du2]. For example, 山 has a kun-reading ""yama"" and an on-reading ""san"".)" -训迪,xùn dí,guidance; to instruct; pedagogy -训释,xùn shì,to explain; to interpret; interpretation -讪,shàn,to mock; to ridicule; to slander -讪笑,shàn xiào,to ridicule; to mock -讪脸,shàn liǎn,impudent -讪讪,shàn shàn,embarrassed -讫,qì,finished -托,tuō,to trust; to entrust; to be entrusted with; to act as trustee -托拉博拉,tuō lā bó lā,"Torabora mountain area in east Afghanistan, famous for its caves" -托洛茨基,tuō luò cí jī,"Leon Davidovich Trotsky (1879-1940), early Bolshevik leader, exiled by Stalin in 1929 and murdered in 1940" -托词,tuō cí,to make an excuse; pretext; excuse -托辞,tuō cí,see 託詞|托词[tuo1 ci2] -记,jì,"to record; to note; to memorize; to remember; mark; sign; classifier for blows, kicks, shots" -记不住,jì bu zhù,can't remember -记事,jì shì,to keep a record of events; record; to start to form memories (after one's infancy) -记事册,jì shì cè,notebook containing a record -记事本,jì shì běn,notebook; paper notepad; laptop computer -记事簿,jì shì bù,a memo book (recording events) -记仇,jì chóu,to hold a grudge -记住,jì zhu,to remember; to bear in mind; to learn by heart -记作,jì zuò,"(math.) to be written using the following notation; (accounting) to be recorded as (income, an expense etc)" -记传,jì zhuàn,history and biography -记分,jì fēn,to keep score -记在心里,jì zài xīn li,to keep in mind; to store in one's heart; to remember perfectly -记工,jì gōng,to record work points 工分[gong1 fen1] -记工员,jì gōng yuán,work-point recorder -记帐员,jì zhàng yuán,bookkeeper -记得,jì de,to remember -记念,jì niàn,variant of 紀念|纪念[ji4 nian4] -记念品,jì niàn pǐn,souvenir; memorabilia -记性,jì xing,memory (ability to retain information) -记恨,jì hèn,to bear grudges -记忆,jì yì,to remember; to recall; memory -记忆力,jì yì lì,faculty of memory; ability to remember -记忆化,jì yì huà,memoization (computing) -记忆器,jì yì qì,memristor (memory transistor) -记忆广度,jì yì guǎng dù,memory span -记忆犹新,jì yì yóu xīn,to remain fresh in one's memory (idiom) -记忆电路,jì yì diàn lù,memory circuit -记忆体,jì yì tǐ,(Tw) (computer) memory -记挂,jì guà,(dialect) to keep thinking about (sth); to have (sth) on one's mind -记叙,jì xù,to narrate; narrative -记叙文,jì xù wén,narrative writing; written narration -记法,jì fǎ,notation -记为,jì wéi,denoted by -记者,jì zhě,reporter; journalist; CL:個|个[ge4] -记者报道,jì zhě bào dào,press report -记者招待会,jì zhě zhāo dài huì,press conference -记者会,jì zhě huì,press conference -记者站,jì zhě zhàn,correspondent post; correspondent station -记号,jì hao,mark; symbol; notation; seal -记号笔,jì hao bǐ,(permanent) marker (pen) -记谱,jì pǔ,to notate music; to write a score -记谱法,jì pǔ fǎ,method of music notation -记账,jì zhàng,to keep accounts; bookkeeping; to charge to an account -记起,jì qǐ,to recall; to recollect -记载,jì zǎi,to write down; to record; written account -记述,jì shù,to write an account (of events) -记过,jì guò,to give sb a demerit -记录,jì lù,to record; record (written account); note-taker; record (in sports etc); CL:個|个[ge4] -记录员,jì lù yuán,recorder -记录器,jì lù qì,recorder -记录片,jì lù piàn,variant of 紀錄片|纪录片[ji4 lu4 pian4] -记错,jì cuò,to remember incorrectly -讹,é,error; false; to extort -讹人,é rén,to blackmail; to extort -讹传,é chuán,unfounded rumor; to pass on a mistaken belief to others -讹字,é zì,erroneous character; typographical error -讹诈,é zhà,to extort under false pretenses; to blackmail; to bluff; to defraud -讹误,é wù,error in a text; text corruption -讹谬,é miù,error; mistake -讶,yà,astounded -讶异,yà yì,to be surprised; to be astonished -讼,sòng,litigation -讼案,sòng àn,lawsuit -诀,jué,to bid farewell; tricks of the trade; pithy mnemonic formula (e.g. Mao Zedong's 16-character mantra 十六字訣|十六字诀 on guerrilla warfare) -诀别,jué bié,to bid farewell; to part (usually with little hope of meeting again) -诀窍,jué qiào,secret; trick; knack; key -讷,nè,to speak slowly; inarticulate -讷河,nè hé,"Nehe, county-level city in Qiqihar 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -讷河市,nè hé shì,"Nehe, county-level city in Qiqihar 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -讷涩,nè sè,clumsy in speech; tongue tied -讷讷,nè nè,(of speech) indistinct; mumbling; hesitating -访,fǎng,(bound form) to visit; to call on; to seek; to inquire; to investigate -访古,fǎng gǔ,to search for ancient relics -访员,fǎng yuán,field reporter; investigative journalist -访问,fǎng wèn,to visit; to call on; to interview; CL:次[ci4] -访问方式,fǎng wèn fāng shì,access method -访问者,fǎng wèn zhě,interviewer -访问量,fǎng wèn liàng,(web counter) hits -访客,fǎng kè,visitor; caller -访寻,fǎng xún,to enquire; to search -访师求学,fǎng shī qiú xué,to seek a teacher desiring to study -访惠聚,fǎng huì jù,"program of visiting Muslim households in Xinjiang to monitor them, begun in 2014 (abbr. for 訪民情、惠民生、聚民心|访民情、惠民生、聚民心[fang3 min2 qing2 , hui4 min2 sheng1 , ju4 min2 xin1])" -访朝,fǎng cháo,to visit North Korea -访查,fǎng chá,to investigate -访求,fǎng qiú,to seek; to search for -访港,fǎng gǎng,to visit Hong Kong -访美,fǎng měi,to visit the USA -访台,fǎng tái,to visit Taiwan -访亲问友,fǎng qīn wèn yǒu,to visit friends and relations (idiom) -访谈,fǎng tán,to visit and discuss; to interview -访贫问苦,fǎng pín wèn kǔ,to visit the poor and ask about their suffering (idiom) -设,shè,to set up; to put in place; (math.) given; suppose; if -设伏,shè fú,to prepare an ambush; to waylay -设备,shè bèi,equipment; facilities; installations; CL:個|个[ge4] -设圈套,shè quān tào,to scam; to set a trap; to set up a scheme to defraud people -设在,shè zài,to set up in (a particular location) -设定,shè dìng,to set; to set up; to install; setting; preferences -设宴,shè yàn,to host a banquet -设局,shè jú,to set a trap -设岗,shè gǎng,to post a sentry -设厂,shè chǎng,to establish a factory -设得兰群岛,shè dé lán qún dǎo,Shetland Islands -设想,shè xiǎng,to imagine; to assume; to envisage; tentative plan; to have consideration for -设或,shè huò,if -设摊,shè tān,to set up a vendor's stand -设施,shè shī,facilities; installation -设有,shè yǒu,to have; to incorporate; to feature -设法,shè fǎ,to try; to make an attempt; to think of a way (to accomplish sth) -设立,shè lì,to set up; to establish -设置,shè zhì,to set up; to install -设色,shè sè,to paint; to color -设若,shè ruò,if -设计,shè jì,to design; to plan; design; plan -设计师,shè jì shī,designer; architect -设计程序,shè jì chéng xù,design process -设计者,shè jì zhě,designer; architect (of a project) -设计规范,shè jì guī fàn,design norm; planning regulations -设身处地,shè shēn chǔ dì,to put oneself in sb else's shoes -设防,shè fáng,to set up defenses; to fortify -许,xǔ,surname Xu -许,xǔ,to allow; to permit; to promise; to praise; somewhat; perhaps -许下,xǔ xià,to make a promise -许下愿心,xǔ xià yuàn xīn,to express a wish (to a deity) -许久,xǔ jiǔ,for a long time; for ages -许仲琳,xǔ zhòng lín,"Xu Zhonglin or Chen Zhonglin 陳仲琳|陈仲琳[Chen2 Zhong4 lin2] (c. 1567-c. 1620), Ming novelist, to whom the fantasy novel Investiture of the Gods 封神演義|封神演义[Feng1 shen2 Yan3 yi4] is attributed, together with Lu Xixing 陸西星|陆西星[Lu4 Xi1 xing1]" -许信良,xǔ xìn liáng,"Hsu Hsin-liang (1941-), Taiwanese politician" -许可,xǔ kě,to allow; to permit -许可协议,xǔ kě xié yì,licensing agreement (for intellectual property) -许可证,xǔ kě zhèng,license; authorization; permit -许和,xǔ hé,to allow; permit -许地山,xǔ dì shān,"Xu Dishan (1893-1941), journalist, publisher and novelist" -许多,xǔ duō,many; a lot of; much -许婚,xǔ hūn,to become engaged; to affiance (a daughter) -许嫁,xǔ jià,allowed to marry -许字,xǔ zì,betrothed -许廑父,xǔ qín fù,"Xu Qinfu (1891-1953), journalist and writer" -许慎,xǔ shèn,Xu Shen (-147) the compiler of the original Han dynasty dictionary Shuowen Jiezi 說文解字|说文解字[Shuo1 wen2 Jie3 zi4] -许旺细胞,xǔ wàng xì bāo,Schwann cell (support axon of nerve cell); neurolemmocyte -许昌,xǔ chāng,"Xuchang, prefecture-level city in north Henan, on the Beijing-Guangzhou railway line" -许昌市,xǔ chāng shì,"Xuchang, prefecture-level city in north Henan, on the Beijing-Guangzhou railway line" -许昌县,xǔ chāng xiàn,"Xuchang county in Xuchang city 許昌市|许昌市[Xu3 chang1 shi4], Henan" -许海峰,xǔ hǎi fēng,"Xu Haifeng (1957-), PRC sharpshooter, 50m pistol gold medalist at Los Angeles 1984 Olympics" -许亲,xǔ qīn,to accept a marriage proposal -许诺,xǔ nuò,promise; pledge -许配,xǔ pèi,to betroth a girl (in arranged marriages) -许愿,xǔ yuàn,to make a wish; to make a vow; to promise a reward -许愿井,xǔ yuàn jǐng,wishing well -诉,sù,to complain; to sue; to tell -诉冤,sù yuān,to complain; to vent one's grievances -诉求,sù qiú,to demand; to call for; to petition; demand; wish; request; to promote one's brand; to appeal to (consumers); (marketing) message; pitch -诉状,sù zhuàng,indictment; plea; complaint -诉苦,sù kǔ,to grumble; to complain; grievance -诉讼,sù sòng,lawsuit -诉讼中,sù sòng zhōng,pendente lite; during litigation -诉讼法,sù sòng fǎ,procedural law -诉说,sù shuō,to recount; to tell of; to relate; (fig.) (of a thing) to stand as testament to (some past history) -诉诸,sù zhū,"to appeal (to reason, sentiment, charity etc); to resort to (a course of action)" -诉诸公论,sù zhū gōng lùn,to appeal to the public -诉述,sù shù,to narrate; to tell of -诉愿,sù yuàn,to appeal; an appeal (law) -诃,hē,to scold -诃叱,hē chì,variant of 呵斥[he1 chi4] -诃子,hē zǐ,chebulic myrobalan (Terminalia chebula) -诃斥,hē chì,variant of 呵斥[he1 chi4] -诃谴,hē qiǎn,variant of 呵譴|呵谴[he1 qian3] -诊,zhěn,to examine or treat medically -诊室,zhěn shì,consulting room -诊所,zhěn suǒ,clinic -诊断,zhěn duàn,to diagnose -诊治,zhěn zhì,to diagnose and treat -诊疗,zhěn liáo,diagnosis and treatment -诊脉,zhěn mài,to feel the pulse (TCM); Taiwan pr. [zhen3 mo4] -诊费,zhěn fèi,medical fees -诊间,zhěn jiān,examination room (in a doctor's office) -注,zhù,to register; to annotate; note; comment -注册,zhù cè,to register; to enroll -注册商标,zhù cè shāng biāo,registered trademark -注册会计师,zhù cè kuài jì shī,certified public accountant -注定,zhù dìng,to foreordain; to be bound to; to be destined to; to be doomed to; inevitably -注疏,zhù shū,commentary and subcommentary (of a book) -注脚,zhù jiǎo,footnote -注解,zhù jiě,to annotate; annotation; comment; interpretation; to explain with notes; explanatory note -注释,zhù shì,variant of 注釋|注释[zhu4shi4] -注销,zhù xiāo,to cancel; to write off -注音法,zhù yīn fǎ,phonetic transcription; system of representing spoken sounds -证,zhèng,to admonish; variant of 證|证[zheng4] -訾,zī,surname Zi -訾,zī,to calculate; to assess; wealth -訾,zǐ,to slander; to detest -诂,gǔ,to comment; to explain -诋,dǐ,to defame; to slander -诋毁,dǐ huǐ,to vilify; to slander; vilification -詈,lì,to curse; to scold -詈骂,lì mà,(literary) to scold; to abuse -詈词,lì cí,insult; curse -讵,jù,how (interj. of surprise) -诈,zhà,to cheat; to swindle; to pretend; to feign; to draw sb out; to try to extract information by deceit or bluff -诈冒,zhà mào,to claim ownership (of stolen goods) -诈取,zhà qǔ,to swindle; to defraud -诈唬,zhà hu,to bluff; to bluster; to intimidate -诈尸,zhà shī,sudden movement of a corpse (superstition); fig. sudden torrent of abuse -诈晴,zhà qíng,to clear up (of weather after rain) -诈欺,zhà qī,fraud; deception -诈死,zhà sǐ,to feign death; to fake death -诈病,zhà bìng,to feign illness; to malinger -诈语,zhà yǔ,falsehood; lies; fabrication -诈降,zhà xiáng,feigned surrender -诈领,zhà lǐng,to defraud; to obtain by fraud; to embezzle; fraudulent -诈骗,zhà piàn,to defraud; to swindle; to blackmail -诈骗罪,zhà piàn zuì,fraud -诒,yí,(archaic) to present; to bequeath; variant of 貽|贻[yi2] -诏,zhào,(literary) to admonish; (bound form) imperial edict -诏令,zhào lìng,imperial order -诏安,zhào ān,"Zhao'an county in Zhangzhou 漳州[Zhang1 zhou1], Fujian" -诏安县,zhào ān xiàn,"Zhao'an county in Zhangzhou 漳州[Zhang1 zhou1], Fujian" -诏旨,zhào zhǐ,imperial edict -诏书,zhào shū,imperial edict -诏狱,zhào yù,imperial prison (for prisoners detained by order of the emperor) -诏谕,zhào yù,imperial decree -评,píng,to discuss; to comment; to criticize; to judge; to choose (by public appraisal) -评事,píng shì,to discuss and evaluate; to appraise -评介,píng jiè,to review (a book) -评估,píng gū,to evaluate; to assess; assessment; evaluation -评价,píng jià,to evaluate; to assess -评价分类,píng jià fēn lèi,to assess and classify -评价量规,píng jià liáng guī,rubric (i.e. a guide listing specific criteria for grading) -评分,píng fēn,to grade; to mark (student's work); grade; score (of student's work) -评判,píng pàn,to judge (a competition); to appraise -评卷,píng juàn,to grade exam papers -评委,píng wěi,evaluation committee; judging panel; judging panel member; adjudicator (abbr. for 評選委員會委員|评选委员会委员[ping2xuan3 wei3yuan2hui4 wei3yuan2]) -评定,píng dìng,to evaluate; to make one's judgment -评审,píng shěn,to appraise; to evaluate; to judge -评审团,píng shěn tuán,jury; panel of judges -评审团特别奖,píng shěn tuán tè bié jiǎng,"Special Jury Prize, award at the Venice Film Festival" -评断,píng duàn,to judge -评书,píng shū,"pingshu, a folk art where a single performer narrates stories from history or fiction" -评比,píng bǐ,to evaluate (by comparison) -评为,píng wéi,to elect as; to choose as; to consider as -评奖,píng jiǎng,to determine the recipient of an award through discussion -评理,píng lǐ,to judge between right and wrong; to reason things out -评章,píng zhāng,to appraise -评级,píng jí,rating -评注,píng zhù,to annotate; annotation; commentary; remark -评话,píng huà,"storytelling dramatic art dating back to Song and Yuan periods, single narrator without music, often historical topics with commentary" -评语,píng yǔ,comment; evaluation -评说,píng shuō,to comment; to evaluate -评论,píng lùn,to comment on; to discuss; comment; commentary; CL:篇[pian1] -评论员,píng lùn yuán,commentator -评论家,píng lùn jiā,critic; reviewer -评议,píng yì,to appraise through discussion -评议会,píng yì huì,council -评述,píng shù,to comment on; commentary -评选,píng xuǎn,to select on the basis of a vote or consensus -评鉴,píng jiàn,evaluation; assessment -评阅,píng yuè,to read and appraise -评头品足,píng tóu pǐn zú,to make idle remarks about a woman's appearance (idiom) -评头论足,píng tóu lùn zú,lit. to assess the head and discuss the feet (idiom); minute criticism of a woman's appearance; fig. to find fault in minor details; to remark upon a person's appearance; nitpicking; overcritical; judgmental -评骘,píng zhì,to evaluate; to appraise -评点,píng diǎn,to comment; a point by point commentary -诎,qū,to bend; to yield; to exhaust; to stutter -诅,zǔ,curse; swear (oath) -诅咒,zǔ zhòu,to curse -词,cí,"word; statement; speech; lyrics; a form of lyric poetry, flourishing in the Song dynasty 宋朝|宋朝[Song4 chao2] (CL:首[shou3])" -词不达意,cí bù dá yì,words do not convey the meaning; poorly expressed; senseless; inarticulate -词人,cí rén,writer of 詞|词[ci2] (a kind of Classical Chinese poem); person of literary talent -词人墨客,cí rén mò kè,(idiom) writer; wordsmith -词令,cí lìng,variant of 辭令|辞令[ci2ling4] -词位,cí wèi,lexeme -词优效应,cí yōu xiào yìng,word superiority effect -词典,cí diǎn,"dictionary; also written 辭典|辞典[ci2 dian3]; CL:部[bu4],本[ben3]" -词典学,cí diǎn xué,lexicography -词汇,cí huì,variant of 詞彙|词汇[ci2 hui4] -词句,cí jù,words and sentences -词尾,cí wěi,suffix -词干,cí gàn,word stem (in linguistics) -词序,cí xù,word order -词库,cí kù,word stock; lexicon -词汇,cí huì,vocabulary; list of words (e.g. for language teaching purposes); word -词汇分解,cí huì fēn jiě,lexical decomposition -词汇判断,cí huì pàn duàn,lexical decision -词汇判断任务,cí huì pàn duàn rèn wu,lexical decision task (psychology) -词汇判断作业,cí huì pàn duàn zuò yè,lexical decision task -词汇判断法,cí huì pàn duàn fǎ,lexical decision task -词汇学,cí huì xué,lexicology (linguistics) -词汇通路,cí huì tōng lù,lexical route -词形,cí xíng,"form of words (e.g. inflection, conjugation); morphology (linguistics)" -词性,cí xìng,"part of speech (noun, verb, adjective etc); lexical category" -词性标注,cí xìng biāo zhù,part-of-speech tagging -词意,cí yì,meaning of word; sense -词族,cí zú,word family (cognate words within a given language) -词根,cí gēn,(linguistics) root -词根语,cí gēn yǔ,(linguistics) analytic language -词条,cí tiáo,dictionary entry; lexical item; term -词法,cí fǎ,morphology (linguistics); word formation and inflection -词源,cí yuán,etymology; origin of a word -词牌,cí pái,names of the tunes to which 詞|词[ci2] poems are composed -词目,cí mù,dictionary headword; lexical item; term -词相似效应,cí xiāng sì xiào yìng,word similarity effect -词眼,cí yǎn,key word -词穷,cí qióng,to not know what to say; to be lost for words -词约指明,cí yuē zhǐ míng,concise but unambiguous (idiom) -词素,cí sù,morpheme -词素结构,cí sù jié gòu,morphological structure -词素通达模型,cí sù tōng dá mó xíng,morpheme access model (MA model) -词组,cí zǔ,phrase (grammar) -词缀,cí zhuì,prefix or suffix of a compound word; affix (linguistics) -词缀剥除,cí zhuì bō chú,affix stripping; to determine the root of a word by removing prefix and suffix -词义,cí yì,meaning of a word -词翰,cí hàn,book; written composition; (literary) penned words -词藻,cí zǎo,rhetoric; flowery language -词讼,cí sòng,lawsuit; legal case -词讼费,cí sòng fèi,legal fees; costs (of a lawsuit) -词话,cí huà,"form of writing novels that comprise lots of poetry in the body of the text, popular in the Ming Dynasty" -词语,cí yǔ,word (general term including monosyllables through to short phrases); term (e.g. technical term); expression -词通达模型,cí tōng dá mó xíng,word access model -词长效应,cí cháng xiào yìng,word length effect -词项逻辑,cí xiàng luó ji,categorical logic -词头,cí tóu,prefix -词频,cí pín,word frequency -词频效应,cí pín xiào yìng,word frequency effect (psych.) -词类,cí lèi,(linguistics) part of speech; word class; lexical category -咏,yǒng,to sing -咏叹调,yǒng tàn diào,aria -咏春,yǒng chūn,"Wing Chun; same as 詠春拳|咏春拳[yong3 chun1 quan2]; Yongchun - ""Singing Spring Fist"" (Chinese martial art)" -咏春拳,yǒng chūn quán,"Yongchun - ""Singing Spring Fist"" (Chinese martial art)" -诩,xǔ,to brag; popular; lovely -询,xún,to ask about; to inquire about -询价,xún jià,quotation request; price inquiry; price check -询问,xún wèn,to inquire -询问台,xún wèn tái,information desk -询查,xún chá,to make inquiries -询根问底,xún gēn wèn dǐ,lit. to examine roots and inquire at the base (idiom); to get to the bottom of sth -询盘,xún pán,inquiry -诣,yì,to go (to visit a superior); one's current attainment in learning or art -诣谒,yì yè,to pay a visit to -诣门,yì mén,to visit sb -诣阙,yì quē,to go to the palace to see the emperor -试,shì,to test; to try; experiment; examination; test -试一试,shì yī shì,to have a try -试乘,shì chéng,test drive -试作,shì zuò,to attempt; test run -试做,shì zuò,to try doing (sth) to see how well it turns out; to experiment -试剂,shì jì,reagent -试卷,shì juàn,"examination paper; test paper; CL:份[fen4],張|张[zhang1]" -试吃品,shì chī pǐn,food sample -试问,shì wèn,I would like to ask (usually used rhetorically); one might well ask -试图,shì tú,to attempt; to try -试场,shì chǎng,exam room -试婚,shì hūn,trial marriage; to live together before deciding whether to marry -试客,shì kè,user of shareware or demo software -试射,shì shè,to test-fire; to conduct a missile test -试工,shì gōng,to work for a trial period; worker on probation -试想,shì xiǎng,"to consider (a cogent point) (usu. used as an imperative – ""Think about it: ..."")" -试手,shì shǒu,to work for a trial period; worker on probation -试手儿,shì shǒu er,erhua variant of 試手|试手[shi4 shou3] -试探,shì tàn,to sound out; to probe; to feel out; to try out -试探性,shì tàn xìng,exploratory; tentative -试播,shì bō,trial broadcast -试映,shì yìng,preview (of a movie); trial screening -试杯,shì bēi,Petri dish; test dish; trial slide -试样,shì yàng,style; type; model -试水,shì shuǐ,to run water through a system to test it (for leakages etc); (fig.) to test the waters; to do (sth) on a trial basis -试水温,shì shuǐ wēn,to test the waters -试液,shì yè,reagent; test solution; experimental liquid -试演,shì yǎn,audition; dress rehearsal; preview (of a theatrical performance); dummy run -试炼,shì liàn,to refine with fire -试爆,shì bào,trial explosion; nuclear test -试玩,shì wán,"to try out (a game, toy etc)" -试用,shì yòng,to try sth out; to be on probation -试用品,shì yòng pǐn,trial product -试用期,shì yòng qī,trial period; probationary period -试用本,shì yòng běn,inspection copy (of a textbook etc); trial edition -试种,shì zhòng,test planting; crop grown on a trial basis -试穿,shì chuān,to try wearing clothes; fitting trial -试算表,shì suàn biǎo,spreadsheet; trial balance (accountancy) -试管,shì guǎn,test tube -试管受孕,shì guǎn shòu yùn,in vitro fertilisation; test tube fertilisation -试管婴儿,shì guǎn yīng ér,test tube baby -试听,shì tīng,audition; to give sb an audition; to check by listening -试听带,shì tīng dài,demo recording (music) -试航,shì háng,test flight (of aircraft); sea trial (of ship) -试着,shì zhe,(coll.) to try to -试药族,shì yào zú,people who participate in clinical trials -试行,shì xíng,to try out; to test -试衣,shì yī,to try on (clothes); fitting -试衣间,shì yī jiān,fitting room -试表,shì biǎo,to take temperature -试制,shì zhì,to try out a new product (or manufacturing process); prototype; trial product -试试看,shì shì kàn,to give it a try -试读,shì dú,to read a sample chapter of a book; to subscribe to a publication on a trial basis; to attend classes on a trial basis -试车,shì chē,to test drive; a trial run -试办,shì bàn,to try sth out; trial; pilot scheme -试金,shì jīn,assay -试金石,shì jīn shí,touchstone; fig. test that sth is genuine -试销,shì xiāo,trial sale; test marketing -试错,shì cuò,trial and error (abbr. for 嘗試錯誤法|尝试错误法[chang2 shi4 cuo4 wu4 fa3]); to experiment (to see what works and what doesn't) -试镜,shì jìng,to take a screen test; to audition; screen test; audition; tryout -试镜头,shì jìng tóu,screen test -试题,shì tí,exam question; test topic -试飞员,shì fēi yuán,test pilot -试饮,shì yǐn,to taste (wine etc) -试验,shì yàn,"experiment; test; CL:次[ci4],個|个[ge4]; to experiment; experimental" -试验场,shì yàn chǎng,experimental station -试验性,shì yàn xìng,experimental -试验间,shì yàn jiān,test room -试点,shì diǎn,test point; to carry out trial; pilot scheme -察,chá,variant of 察[cha2] -诗,shī,"abbr. for Shijing 詩經|诗经[Shi1 jing1], the Book of Songs" -诗,shī,poem; CL:首[shou3]; poetry; verse -诗人,shī rén,bard; poet -诗仙,shī xiān,"""immortal of poetry"", epithet of Li Bai 李白[Li3 Bai2]" -诗句,shī jù,verse; CL:行[hang2] -诗坛,shī tán,poetry circles; poetry world -诗律,shī lǜ,meters and forms of versification; prosody -诗情画意,shī qíng huà yì,picturesque charm; idyllic appeal; poetic grace -诗意,shī yì,poetry; poetic quality or flavor -诗文,shī wén,poetry and literature -诗曰,shī yuē,a poem goes: -诗书,shī shū,the Book of Songs 詩經|诗经[Shi1 jing1] and the Book of History 書經|书经[Shu1 jing1] -诗歌,shī gē,"poem; CL:本[ben3],首[shou3],段[duan4]" -诗画,shī huà,poetry and pictorial art; work of art combining pictures and poetry -诗礼,shī lǐ,the Book of Songs 書經|书经[Shu1 jing1] and Classic of Rites 禮記|礼记[Li3 ji4]; a cultured well-read person -诗稿,shī gǎo,verse manuscript -诗篇,shī piān,a poem; a composition in verse; fig. epic (compared with historical epic); the biblical Book of Psalms -诗经,shī jīng,"Shijing, the Book of Songs, early collection of Chinese poems and one of the Five Classics of Confucianism 五經|五经[Wu3 jing1]" -诗圣,shī shèng,"""sage of poetry"", epithet of Du Fu 杜甫[Du4 Fu3]" -诗词,shī cí,verse -诗话,shī huà,"notes on poetry, an essay genre consisting of informal commentary on poems and poets and their lives (old); a genre of narrative literature interspersing prose with poetry, popular in the Tang and Song dynasties" -诗集,shī jí,poetry anthology -诗体,shī tǐ,poetic form or genre -诧,chà,to be surprised; to be astonished -诧异,chà yì,flabbergasted; astonished -诟,gòu,disgrace; to revile -诟病,gòu bìng,to denounce; to castigate -诟骂,gòu mà,to revile; to abuse verbally -诡,guǐ,(bound form) sly; crafty; (literary) weird; bizarre; (literary) contradictory; inconsistent -诡异,guǐ yì,strange; weird -诡秘,guǐ mì,secretive; furtive; surreptitious -诡笑,guǐ xiào,smirk; insincere smile -诡计,guǐ jì,trick; ruse; crafty scheme -诡计多端,guǐ jì duō duān,deceitful in many ways (idiom); wily and mischievous; full of craft and cunning -诡诈,guǐ zhà,sly; treacherous -诡谲,guǐ jué,weird; sly; treacherous -诡辩,guǐ biàn,specious arguments; sophistry -诡辩家,guǐ biàn jiā,sophist; one who relies on specious arguments -诡辩术,guǐ biàn shù,specious arguments; sophistry -诠,quán,to explain; to comment; to annotate -诠解,quán jiě,to explain (a text) -诠注,quán zhù,notes and commentary; exegesis -诠释,quán shì,to interpret; to comment and explain; to annotate; to perform (i.e. interpret a theatrical role); to decode; interpretation; annotation -诠释学,quán shì xué,hermeneutics -诠释资料,quán shì zī liào,metadata -诘,jié,to investigate; to restrain; to scold -诘问,jié wèn,to ask questions; to interrogate -话,huà,"dialect; language; spoken words; speech; talk; words; conversation; what sb said; CL:種|种[zhong3],席[xi2],句[ju4],口[kou3],番[fan1]" -话不投机,huà bù tóu jī,(idiom) the conversation is disagreeable -话不投机半句多,huà bù tóu jī bàn jù duō,"(idiom) when views are irreconcilable, it's a waste of breath to continue discussion" -话中有刺,huà zhōng yǒu cì,one's words carry barbs; one's remarks are sarcastic -话中有话,huà zhōng yǒu huà,one's words carry an implicit meaning -话亭,huà tíng,telephone booth -话别,huà bié,to say a few parting words; to bid goodbye -话到嘴边,huà dào zuǐ biān,to be on the verge of saying what is on one's mind -话到嘴边留三分,huà dào zuǐ biān liú sān fēn,A still tongue makes a wise head. (idiom) -话剧,huà jù,"stage play; modern drama; CL:臺|台[tai2],部[bu4]" -话务员,huà wù yuán,phone operator -话匣子,huà xiá zi,phonograph or radio (old term); chatterbox; talkative person -话卡,huà kǎ,calling card (telephone) -话又说回来,huà yòu shuō huí lai,(but) then again; (but) on the other hand -话多不甜,huà duō bù tián,too much talk is a nuisance (idiom) -话本,huà běn,Song and Yuan literary form based on vernacular folk stories -话柄,huà bǐng,a pretext for gossip; a matter for derision -话梅,huà méi,plum candy; preserved plum -话痨,huà láo,chatterer -话筒,huà tǒng,microphone; (telephone) receiver; handset; megaphone; (fig.) mouthpiece; spokesperson -话旧,huà jiù,to reminisce -话茬,huà chá,tone of voice; topic; subject under discussion -话茬儿,huà chá er,erhua variant of 話茬|话茬[hua4 cha2] -话术,huà shù,manipulative talk; (sales) patter; CL:套[tao4] -话里套话,huà lǐ tào huà,to use seemingly innocent conversation topics as a pretext to glean information; to touch upon other matters not central to the topic being discussed -话里有话,huà lǐ yǒu huà,one's words carry an implicit meaning -话语,huà yǔ,words; speech; utterance; discourse -话语权,huà yǔ quán,ability to have one's say and be listened to; influence; clout -话说,huà shuō,It is said that ... (at the start of a narrative); to discuss; to recount -话说回来,huà shuō huí lai,(but) then again; (but) on the other hand -话费,huà fèi,call charge -话锋,huà fēng,topic under discussion; thread of discussion -话虽如此,huà suī rú cǐ,be that as it may -话音,huà yīn,one's speaking voice; tone; implication -话头,huà tóu,subject (under discussion); thread (of an argument) -话题,huà tí,subject (of a talk or conversation); topic -该,gāi,should; ought to; probably; must be; to deserve; to owe; to be sb's turn to do sth; that; the above-mentioned -该亚,gāi yà,"Gaea, the Earth Goddess and mother of the Titans" -该博,gāi bó,erudite; broad and profound; learned -该应,gāi yīng,should -该死,gāi sǐ,Damn it!; damned; wretched -该当,gāi dāng,should; to deserve -该隐,gāi yǐn,"Cain (name); Cain (biblical character), a figure of Judeo-Christian-Muslim mythology" -详,xiáng,detailed; comprehensive -详备,xiáng bèi,detailed -详和,xiáng hé,serene; calm -详梦,xiáng mèng,to analyze dreams (for fortune-telling) -详密,xiáng mì,detailed; meticulous -详实,xiáng shí,detailed and reliable; full and accurate -详情,xiáng qíng,details; particulars -详略,xiáng lüè,concise; the details in brief -详尽,xiáng jìn,thorough and detailed; exhaustive; the tedious details in full -详尽无遗,xiáng jìn wú yí,exhaustive; thorough -详细,xiáng xì,detailed; in detail; minute -详见,xiáng jiàn,"for further details, refer to" -详解,xiáng jiě,to explain in detail; detailed answer; full solution (to a math problem) -详述,xiáng shù,to recount -诜,shēn,to inform; to inquire -酬,chóu,old variant of 酬[chou2] -詹,zhān,surname Zhan -詹,zhān,"(literary) verbose; (literary) to arrive, to reach" -詹天佑,zhān tiān yòu,"Zhan Tianyou (1861-1919), Chinese railroad engineer" -詹姆斯,zhān mǔ sī,"James (name); LeBron James (1984-), NBA player" -詹森,zhān sēn,Johnson -詹江布尔,zhān jiāng bù ěr,Janjanbureh river and city in Gambia -诙,huī,whimsical; humorous -诙谐,huī xié,humorous; jocular; zany -诖,guà,to deceive; to disturb -诔,lěi,to eulogize the dead; eulogy -诛,zhū,to put (a criminal) to death; to punish -诛九族,zhū jiǔ zú,to execute all of sb's relatives (as punishment) (old) -诛心,zhū xīn,to criticize sb for what one believes to be their ulterior motive -诛心之论,zhū xīn zhī lùn,a devastating criticism; to expose hidden motives -诛戮,zhū lù,to put to death -诛暴讨逆,zhū bào tǎo nì,"to wipe out the villains (e.g. insurgents, or people of another race)" -诛杀,zhū shā,to kill; to murder -诛求,zhū qiú,exorbitant demands; demanding with menaces; extortion -诛求无厌,zhū qiú wú yàn,incessant exorbitant demands -诛求无已,zhū qiú wú yǐ,to make endless exorbitant demands -诛流,zhū liú,to kill and banish -诛灭,zhū miè,to wipe out; to exterminate -诛尽杀绝,zhū jìn shā jué,to wipe out; to exterminate -诛锄,zhū chú,to uproot; to eradicate (traitors) -诛锄异己,zhū chú yì jǐ,to wipe out dissenters; to exterminate those who disagree -诛除,zhū chú,to wipe out; to exterminate -诓,kuāng,to mislead; to swindle -诓骗,kuāng piàn,to defraud; to swindle -夸,kuā,to boast; to exaggerate; to praise -夸下海口,kuā xia hǎi kǒu,see 誇海口|夸海口[kua1 hai3 kou3] -夸休可尔症,kuā xiū kě ěr zhèng,kwashiorkor (medicine) -夸口,kuā kǒu,to boast -夸多斗靡,kuā duō dòu mǐ,(idiom) to use literary phrases in one's writing to show off one's erudition -夸大,kuā dà,to exaggerate -夸大之词,kuā dà zhī cí,hyperbole; exaggeration -夸大其词,kuā dà qí cí,to exaggerate -夸张,kuā zhāng,to exaggerate; overstated; exaggerated; hyperbole; (coll.) excessive; ridiculous; outrageous -夸海口,kuā hǎi kǒu,to boast; to talk big -夸奖,kuā jiǎng,to praise; to applaud; to compliment -夸称,kuā chēng,to praise; to acclaim; to commend; to compliment -夸耀,kuā yào,to brag about; to flaunt -夸夸其谈,kuā kuā qí tán,to talk big; to sound off; bombastic; grandiloquent -夸赞,kuā zàn,to praise; to speak highly of; to commend -志,zhì,sign; mark; to record; to write a footnote -志哀,zhì āi,to pay respects to the dead; to mark sb's passing -认,rèn,to recognize; to know; to admit -认人,rèn rén,to recognize people (of babies); to be able to tell people apart -认人儿,rèn rén er,erhua variant of 認人|认人[ren4 ren2] -认作,rèn zuò,to regard as; to view; to consider sth as; to treat as -认出,rèn chū,recognition; to recognize -认可,rèn kě,to approve; approval; acknowledgment; OK -认同,rèn tóng,to approve of; to endorse; to acknowledge; to recognize; to identify oneself with -认命,rèn mìng,to accept misfortunes as decreed by fate; to be resigned to sth -认字,rèn zì,literate; knowing how to read -认定,rèn dìng,to maintain (that sth is true); to determine (a fact); determination (of an amount); of the firm opinion; to believe firmly; to set one's mind on; to identify with -认床,rèn chuáng,to have difficulties sleeping in a bed other than one's own -认得,rèn de,to recognize; to remember sth (or sb) on seeing it; to know -认明,rèn míng,to identify; to authenticate -认栽,rèn zāi,to admit defeat -认死扣儿,rèn sǐ kòu er,stubborn -认死理,rèn sǐ lǐ,obstinate; opinionated -认死理儿,rèn sǐ lǐ er,erhua variant of 認死理|认死理[ren4 si3 li3] -认清,rèn qīng,to see clearly; to recognize; to realize -认准,rèn zhǔn,to identify clearly; to make sure of; to believe firmly -认为,rèn wéi,to believe; to think; to consider; to feel -认生,rèn shēng,shy with strangers -认真,rèn zhēn,conscientious; earnest; serious; to take seriously; to take to heart -认知,rèn zhī,cognition; cognitive; understanding; perception; awareness; to be cognizant of; to recognize; to realize -认知失调,rèn zhī shī tiáo,cognitive dissonance -认知心理学,rèn zhī xīn lǐ xué,cognitive psychology -认知战,rèn zhī zhàn,cognitive warfare -认知神经心理学,rèn zhī shén jīng xīn lǐ xué,cognitive neuropsychology -认缴资本,rèn jiǎo zī běn,subscribed capital (finance) -认罪,rèn zuì,to admit guilt; to plead guilty -认罪协商,rèn zuì xié shāng,plea bargain -认罚,rèn fá,to accept punishment -认脚,rèn jiǎo,(of a shoe) designed to be worn on a specific foot – either the left or the right -认脚鞋,rèn jiǎo xié,"a left-and-right pair of shoes (distinguished from 直腳鞋|直脚鞋[zhi2jiao3xie2], shoes that can be worn on either foot)" -认亲,rèn qīn,to acknowledge sb as one's relative; to acknowledge kinship; (old) to visit new in-laws after a marriage -认证,rèn zhèng,to authenticate; to approve -认识,rèn shi,to know; to recognize; to be familiar with; to get acquainted with sb; knowledge; understanding; awareness; cognition -认识不能,rèn shi bù néng,agnosia -认识论,rèn shi lùn,"epistemology (in philosophy, the theory of how we know things)" -认贼作父,rèn zéi zuò fù,lit. to acknowledge the bandit as one's father (idiom); fig. a complete betrayal; to sell oneself to the enemy -认赔,rèn péi,to agree to pay compensation; to accept liability -认账,rèn zhàng,to own up to a fault; to admit the truth; to acknowledge a debt -认购,rèn gòu,to undertake to purchase sth; to subscribe (to share issue) -认输,rèn shū,to concede; to admit defeat -认错,rèn cuò,to admit an error; to acknowledge one's mistake -认领,rèn lǐng,to claim (as one's property); to adopt (a child); to accept (an illegitimate child as one's own) -认头,rèn tóu,to admit defeat; to accept having lost -认养,rèn yǎng,to sponsor; to adopt (pledge to give sb or sth one's special attention or support); to adopt (choose to raise a child or animal as one's own) -诳,kuáng,to deceive; to dupe; falsehood; lie; (dialect) to amuse -诳语,kuáng yǔ,a lie; a falsehood -诶,ēi,hey (to call sb) -诶,éi,hey (to express surprise) -诶,ěi,hey (to express disagreement) -诶,èi,hey (to express agreement) -诶,xī,sigh (to express regret) -诶笑,ēi xiào,to laugh loudly; guffaw -诶诒,ēi yí,to rave; to babble in one's sleep -誓,shì,oath; vow; to swear; to pledge -誓不两立,shì bù liǎng lì,the two cannot exist together (idiom); irreconcilable differences; incompatible standpoints -誓不反悔,shì bù fǎn huǐ,to vow not to break one's promise -誓师,shì shī,to vow before one's troops -誓死,shì sǐ,to pledge one's life -誓死不从,shì sǐ bù cóng,to vow to die rather than obey (idiom) -誓死不降,shì sǐ bù xiáng,to vow to fight to the death -誓约,shì yuē,oath; vow; pledge; promise -誓绝,shì jué,to abjure; to swear to quit -誓言,shì yán,to pledge; to promise; oath; vow -誓词,shì cí,oath; pledge -诞,dàn,birth; birthday; brag; boast; to increase -诞生,dàn shēng,to be born -诞育,dàn yù,to give birth to; to give rise to -诞辰,dàn chén,birthday -悖,bèi,old variant of 悖[bei4] -诱,yòu,(literary) to induce; to entice -诱人,yòu rén,attractive; alluring; captivating -诱使,yòu shǐ,to lure into; to entrap; to trick into; to entice; to induce; to invite; to tempt -诱因,yòu yīn,cause; triggering factor; incentive; inducement -诱奸,yòu jiān,to seduce (into sex) -诱导,yòu dǎo,"to induce; to encourage; to provide guidance; (medicine, chemistry) to induce" -诱惑,yòu huò,to entice; to lure; to induce; to attract -诱拐,yòu guǎi,to abduct; to kidnap -诱拐者,yòu guǎi zhě,abductor -诱捕,yòu bǔ,to trap (an animal); to lure (a suspect) into a trap -诱掖,yòu yè,to help and encourage -诱发,yòu fā,to induce; to cause; to elicit; to trigger -诱变剂,yòu biàn jì,mutagen -诱陷,yòu xiàn,to lure into a trap -诱食剂,yòu shí jì,feeding attractant; phagostimulant -诱饵,yòu ěr,bait -诱骗,yòu piàn,to entice; to lure; to scam; to hoodwink; to decoy -誙,kēng,(arch.) definitely; sure! -诮,qiào,ridicule; to blame -语,yǔ,dialect; language; speech -语,yù,to tell to -语云,yǔ yún,as the saying goes... -语助词,yǔ zhù cí,auxiliary word -语句,yǔ jù,sentence -语域,yǔ yù,(linguistics) linguistic field; register -语塞,yǔ sè,to be at a loss for words; speechless -语境,yǔ jìng,context -语境依赖性,yǔ jìng yī lài xìng,context dependency -语失,yǔ shī,indiscreet remark; indiscretion; slip of the tongue -语尾,yǔ wěi,(grammar) suffix -语序,yǔ xù,word order -语汇,yǔ huì,vocabulary -语意,yǔ yì,meaning; content of speech or writing; semantic -语意性,yǔ yì xìng,semantic -语感,yǔ gǎn,instinctive feel for the language -语态,yǔ tài,voice (grammar) -语支,yǔ zhī,language branch -语数外,yǔ shù wài,"Chinese, math & English (school subjects)" -语文,yǔ wén,literature and language; (PRC) Chinese (as a school subject) -语料,yǔ liào,(linguistics) language material; language data -语料库,yǔ liào kù,corpus -语族,yǔ zú,language branch -语气,yǔ qì,tone; manner of speaking; mood; CL:個|个[ge4] -语气助词,yǔ qì zhù cí,modal particle -语气词,yǔ qì cí,modal particle -语法,yǔ fǎ,grammar -语法糖,yǔ fǎ táng,(computing) syntactic sugar -语法术语,yǔ fǎ shù yǔ,grammatical term -语流,yǔ liú,(linguistics) flow of speech -语源,yǔ yuán,etymology -语焉不详,yǔ yān bù xiáng,to mention sth without elaborating (idiom); not giving details -语无伦次,yǔ wú lún cì,incoherent speech; to talk without rhyme or reason (idiom) -语用学,yǔ yòng xué,pragmatics -语画,yǔ huà,picture in words -语病,yǔ bìng,faulty wording; mispronunciation due to a speech defect -语种,yǔ zhǒng,language type (in a classification) -语篇,yǔ piān,discourse; text -语系,yǔ xì,language family -语素,yǔ sù,morpheme -语义,yǔ yì,meaning of words; semantic -语义分析,yǔ yì fēn xī,semantic analysis -语义分类,yǔ yì fēn lèi,semantic categorization -语义学,yǔ yì xué,semantics -语义空间,yǔ yì kōng jiān,semantic space -语者,yǔ zhě,(linguistics) speaker -语声,yǔ shēng,spoken language; sound of speaking -语言,yǔ yán,"language; CL:門|门[men2],種|种[zhong3]" -语言匮乏,yǔ yán kuì fá,language deficit (linguistics) -语言学,yǔ yán xué,linguistics -语言学家,yǔ yán xué jiā,linguist -语言实验室,yǔ yán shí yàn shì,language laboratory -语言产生,yǔ yán chǎn shēng,production of speech -语言缺陷,yǔ yán quē xiàn,speech defect -语言能力,yǔ yán néng lì,verbal ability -语言训练,yǔ yán xùn liàn,language training -语言誓约,yǔ yán shì yuē,language pledge (to speak only the target language in a language school) -语言障碍,yǔ yán zhàng ài,language barrier; speech impediment -语词,yǔ cí,word; phrase; (old) (grammar) function word; predicate -语调,yǔ diào,intonation; tone of voice; CL:個|个[ge4] -语重心长,yǔ zhòng xīn cháng,meaningful and heartfelt words (idiom); sincere and earnest wishes -语锋,yǔ fēng,thread of discussion; topic -语录,yǔ lù,quotation (from a book or existing source) -语音,yǔ yīn,speech sounds; pronunciation; colloquial (rather than literary) pronunciation of a Chinese character; phonetic; audio; voice; (Internet) to voice chat; voice message -语音信箱,yǔ yīn xìn xiāng,voice mailbox; voicemail -语音信号,yǔ yīn xìn hào,voice signal -语音合成,yǔ yīn hé chéng,speech synthesis -语音失语症,yǔ yīn shī yǔ zhèng,phonetic aphasia -语音学,yǔ yīn xué,phonetics -语音意识,yǔ yīn yì shí,phonetic awareness -语音技巧,yǔ yīn jì qiǎo,phonological skill -语音指令,yǔ yīn zhǐ lìng,speech command (for computer speech recognition) -语音识别,yǔ yīn shí bié,speech recognition -语音通讯通道,yǔ yīn tōng xùn tōng dào,voice (communications) channel -语惊四座,yǔ jīng sì zuò,to make a remark that startles everyone present (idiom); (of a remark) startling -诚,chéng,(bound form) sincere; authentic; (literary) really; truly -诚信,chéng xìn,honesty; trustworthiness; good faith -诚如,chéng rú,it is exactly as -诚实,chéng shí,honest -诚心,chéng xīn,sincerity -诚心实意,chéng xīn shí yì,earnestly and sincerely (idiom); with all sincerity -诚心所愿,chéng xīn suǒ yuàn,so be it; amen -诚心正意,chéng xīn zhèng yì,see 誠心誠意|诚心诚意[cheng2 xin1 cheng2 yi4] -诚心诚意,chéng xīn chéng yì,earnestly and sincerely (idiom); with all sincerity -诚惶诚恐,chéng huáng chéng kǒng,in fear and trepidation (idiom); in reverence before your majesty (court formula of humility) -诚意,chéng yì,sincerity; good faith -诚恳,chéng kěn,sincere; honest; cordial -诚挚,chéng zhì,sincere; cordial -诚服,chéng fú,to be completely convinced; to fully accept another person's views -诚朴,chéng pǔ,simple and sincere -诚然,chéng rán,indeed; true! (I agree with you) -诚笃,chéng dǔ,honest; sincere and serious -诚聘,chéng pìn,to seek to recruit; to invite job applications from -诚邀,chéng yāo,"we warmly invite (you to participate, attend, collaborate etc)" -诫,jiè,commandment; to prohibit -诫命,jiè mìng,commandment -诬,wū,to accuse falsely -诬告,wū gào,to frame sb; to accuse falsely -诬害,wū hài,to damage by calumny -诬蔑,wū miè,variant of 誣衊|诬蔑[wu1 mie4] -诬蔑,wū miè,to slander; to smear; to vilify -诬赖,wū lài,to accuse falsely -诬陷,wū xiàn,to entrap; to frame; to plant false evidence against sb -误,wù,mistake; error; to miss; to harm; to delay; to neglect; mistakenly -误上贼船,wù shàng zéi chuán,lit. to mistakenly board a pirate ship; to embark on a hopeless adventure -误事,wù shì,to hold things up; to make a botch of things -误人子弟,wù rén zǐ dì,(of a lazy or incompetent teacher) to hamper students' progress; (of media) to propagate errors; to lead people astray -误作,wù zuò,to consider erroneously; incorrectly attributed to sb -误信,wù xìn,to falsely believe; to be mislead; to fall for (a trick etc) -误伤,wù shāng,to injure accidentally; accidental injury -误入歧途,wù rù qí tú,to take a wrong step in life (idiom); to go astray -误判,wù pàn,to misjudge; error of judgment; incorrect ruling; miscarriage of justice -误判案,wù pàn àn,miscarriage of justice -误区,wù qū,mistaken ideas; misconceptions; the error of one's ways -误写,wù xiě,to unwittingly write the wrong thing -误导,wù dǎo,to mislead; to misguide; misleading -误工,wù gōng,to be late for or absent from work; to disrupt one's work; to cause a holdup in the work; loss of working time; a holdup -误差,wù chā,difference; error; inaccuracy -误打误撞,wù dǎ wù zhuàng,accidentally; to act before thinking -误会,wù huì,to misunderstand; to mistake; misunderstanding; CL:個|个[ge4] -误植,wù zhí,to write a word incorrectly; typo; (medicine) to mistakenly transplant (an infected organ etc) -误机,wù jī,to miss a plane -误杀,wù shā,to mistakenly kill; manslaughter -误用,wù yòng,to misuse -误置,wù zhì,to put sth in the wrong place -误解,wù jiě,to misunderstand; misunderstanding -误诊,wù zhěn,to misdiagnose; to be late in giving medical treatment -误读,wù dú,to misread; (fig.) to misunderstand; to misinterpret -误车,wù chē,"to miss (bus, train etc)" -误食,wù shí,to accidentally eat; to inadvertently ingest -误点,wù diǎn,"not on time; late (public transport, airlines); overdue; behind schedule; delayed" -诰,gào,to enjoin; to grant (a title) -诵,sòng,to read aloud; to recite -诵经,sòng jīng,to chant the sutras -诵读,sòng dú,to read aloud -诵读困难症,sòng dú kùn nan zhèng,dyslexia -诲,huì,to teach; to instruct; to induce -诲人不倦,huì rén bù juàn,"instructing with tireless zeal (idiom, from Analects)" -诲淫,huì yín,to stir up lust; to promote sex; to encourage licentiousness -诲淫性,huì yín xìng,licentious -诲淫诲盗,huì yín huì dào,to promote sex and violence; to stir up lust and covetousness -说,shuì,to persuade -说,shuō,to speak; to talk; to say; to explain; to comment; to scold; to tell off; (bound form) theory; doctrine -说一不二,shuō yī bù èr,to say one and mean just that (idiom); to keep one's word -说七说八,shuō qī shuō bā,after all -说三道四,shuō sān dào sì,to make thoughtless remarks (idiom); to criticize; gossip -说上,shuō shàng,to say; to speak; to talk -说不上,shuō bu shàng,to be unable to say or tell; to not be worth mentioning -说不出,shuō bu chū,unable to say -说不出话来,shuō bù chū huà lái,speechless -说不定,shuō bu dìng,can't say for sure; maybe -说不得,shuō bu de,to be unmentionable; be unspeakable; must; cannot but -说不准,shuō bù zhǔn,unable to say; can't say precisely -说不通,shuō bù tōng,it does not make sense -说不过去,shuō bu guò qù,cannot be justified; inexcusable -说中,shuō zhòng,to hit the nail on the head; to predict correctly -说也奇怪,shuō yě qí guài,strangely enough; oddly enough; strange to say -说了算,shuō le suàn,to have the final say; to be the one in charge -说你胖你就喘,shuō nǐ pàng nǐ jiù chuǎn,"lit. when someone tells you you're fat, you pant (as if you were actually fat) (idiom); fig. Hey! I pay you a compliment, and you start bragging! (typically jocular and teasing); flattery, like perfume, should be smelled, not swallowed" -说来话长,shuō lái huà cháng,start explaining and it's a long story (idiom); complicated and not easy to express succinctly -说出,shuō chū,to speak out; to declare (one's view) -说到,shuō dào,to talk about; to mention; (preposition) as for -说到做到,shuō dào zuò dào,to be as good as one's word (idiom); to keep one's promise -说到底,shuō dào dǐ,in the final analysis; in the end -说动,shuō dòng,to persuade -说合,shuō hé,to bring together; to mediate; to arrange a deal -说哭,shuō kū,to make (sb) cry (with one's harsh words) -说唱,shuō chàng,"speaking and singing, as in various forms of storytelling such as 彈詞|弹词[tan2 ci2] and 相聲|相声[xiang4 sheng5]; (music) rapping" -说嘴,shuō zuǐ,to boast -说好,shuō hǎo,to come to an agreement; to complete negotiations -说媒,shuō méi,to act as a matchmaker -说定,shuō dìng,to agree on; to settle on -说客,shuì kè,(old) itinerant political adviser; (fig.) lobbyist; go-between; mouthpiece; also pr. [shuo1 ke4] -说实话,shuō shí huà,to speak the truth; truth to tell; frankly -说岳全传,shuō yuè quán zhuàn,"""The Story of Yue Fei"", biography of Song dynasty patriot and general Yue Fei 岳飛|岳飞[Yue4 Fei1]" -说帖,shuō tiě,memorandum; note (i.e. written statement) -说干就干,shuō gàn jiù gàn,"to do what needs to be done, without delay" -说废话,shuō fèi huà,to talk nonsense; to bullshit -说得上,shuō de shàng,can be counted or regarded as; to be able to tell or answer; to deserve mention -说得过去,shuō de guò qù,acceptable; passable; justifiable; (of a course of action) to make sense -说情,shuō qíng,to intercede; to plead for sb else -说教,shuō jiào,to preach -说文,shuō wén,see 說文解字|说文解字[Shuo1 wen2 Jie3 zi4] -说文解字,shuō wén jiě zì,"Shuowen Jiezi, the original Han dynasty Chinese character dictionary with 10,516 entries, authored by Xu Shen 許慎|许慎[Xu3 Shen4] in 2nd century" -说文解字注,shuō wén jiě zì zhù,Commentary on Shuowen Jiezi (1815) by Duan Yucai 段玉裁[Duan4 Yu4 cai2] -说明,shuō míng,to explain; to illustrate; to indicate; to show; to prove; explanation; directions; caption; CL:個|个[ge4] -说明书,shuō míng shū,(technical) manual; (book of) directions; synopsis (of a play or film); specification (patent); CL:本[ben3] -说明会,shuō míng huì,information meeting -说书,shuō shū,folk art consisting of storytelling to music -说曹操曹操就到,shuō cáo cāo cáo cāo jiù dào,lit. speak of Cao Cao and Cao Cao arrives; fig. speak of the devil and he doth appear -说服,shuō fú,to persuade; to convince; to talk sb over; Taiwan pr. [shui4 fu2] -说服力,shuō fú lì,persuasiveness -说东道西,shuō dōng dào xī,to chat about this and that; to talk about anything and everything -说死,shuō sǐ,to say definitely; to commit (to a proposition) -说法,shuō fǎ,to expound Buddhist teachings -说法,shuō fa,way of speaking; wording; formulation; one's version (of events); statement; theory; hypothesis; interpretation -说溜嘴,shuō liū zuǐ,to make a slip of the tongue -说漏嘴,shuō lòu zuǐ,to blurt out; to let slip -说理,shuō lǐ,to reason; to argue logically -说白了,shuō bái le,to speak frankly -说真的,shuō zhēn de,to tell the truth; honestly; in fact -说破,shuō pò,"to lay bare (actual facts, secrets etc); to reveal" -说笑,shuō xiào,to chat and laugh; to crack jokes; to banter -说老实话,shuō lǎo shi huà,to be honest; to tell the truth; to be frank -说着玩,shuō zhe wán,to say sth for fun; to be kidding; to joke around -说着玩儿,shuō zhe wán er,erhua variant of 說著玩|说着玩[shuo1 zhe5 wan2] -说葡萄酸,shuō pú tao suān,sour grapes (set expr. based on Aesop); lit. to say grapes are sour when you can't eat them -说亲,shuō qīn,to act as a matchmaker -说话,shuō huà,to speak; to say; to talk; to gossip; to tell stories; talk; word -说话不当话,shuō huà bù dàng huà,to fail to keep to one's word; to break a promise -说话算数,shuō huà suàn shù,to keep one's promise; to mean what one says -说话算话,shuō huà suàn huà,to do as promised; to be as good as one's word; to honor one's word; to mean what one says -说话要算数,shuō huà yào suàn shù,promises must be kept -说说,shuō shuo,to say sth -说说而已,shuō shuō ér yǐ,nothing serious; just hot air -说谎,shuō huǎng,to lie; to tell an untruth -说谎者,shuō huǎng zhě,liar -说起,shuō qǐ,to mention; to bring up (a subject); with regard to; as for -说辞,shuō cí,excuse; pretext; entreaties; arguments -说通,shuō tōng,to get sb to understand; to persuade -说道,shuō dào,to state; to say (the quoted words) -说道,shuō dao,to discuss; reason (behind sth) -说部,shuō bù,"(old) works of literature, including novels, plays etc" -说长道短,shuō cháng dào duǎn,lit. to discuss sb's merits and demerits (idiom); to gossip -说闲话,shuō xián huà,to chat; to gossip -说风凉话,shuō fēng liáng huà,to sneer; to make cynical remarks; sarcastic talk -说,shuō,variant of 說|说[shuo1] -谁,shéi,who; also pr. [shui2] -谁人乐队,shéi rén yuè duì,The Who (1960s UK rock band) -谁怕谁,shéi pà shéi,bring it on!; who's afraid? -谁料,shéi liào,who would have thought that; who would have expected that -谁知,shéi zhī,who would have thought; unexpectedly -谁知道,shéi zhī dào,God knows...; Who would have imagined...? -课,kè,"subject; course; CL:門|门[men2]; class; lesson; CL:堂[tang2],節|节[jie2]; to levy; tax; form of divination" -课件,kè jiàn,courseware (abbr. for 課程軟件|课程软件[ke4 cheng2 ruan3 jian4]) -课堂,kè táng,classroom; CL:間|间[jian1] -课外,kè wài,extracurricular -课外读物,kè wài dú wù,extracurricular reading material -课室,kè shì,classroom -课文,kè wén,text; CL:篇[pian1] -课时,kè shí,class; period -课本,kè běn,textbook; CL:本[ben3] -课桌,kè zhuō,school desk -课业,kè yè,lesson; schoolwork -课程,kè chéng,"course; academic program; CL:堂[tang2],節|节[jie2],門|门[men2]" -课程表,kè chéng biǎo,class timetable -课表,kè biǎo,school timetable -课金,kè jīn,"tax levied on a conquered people by an army; fee for a divination session; variant of 氪金[ke4 jin1], in-app purchase (gaming)" -课长,kè zhǎng,section chief (of an administrative unit); head (of a department) -课间,kè jiān,interval between lessons -课间操,kè jiān cāo,setting-up exercises during the break (between classes) -课题,kè tí,task; problem; issue -课余,kè yú,after school; extracurricular -谇,suì,abuse -诽,fěi,slander -诽闻,fěi wén,scandal; gossip -诽谤,fěi bàng,to slander; to libel -谊,yì,friendship; also pr. [yi2] -訚,yín,surname Yin -訚,yín,respectful; to speak gently -调,diào,to transfer; to move (troops or cadres); to investigate; to enquire into; accent; view; argument; key (in music); mode (music); tune; tone; melody -调,tiáo,to harmonize; to reconcile; to blend; to suit well; to adjust; to regulate; to season (food); to provoke; to incite -调三窝四,tiáo sān wō sì,to sow the seeds of discord everywhere (idiom) -调任,diào rèn,to transfer; to move to another post -调休,tiáo xiū,to compensate for working on a holiday by resting on a workday; to compensate for resting on a workday by working on a holiday -调侃,tiáo kǎn,to ridicule; to tease; to mock; idle talk; chitchat -调值,diào zhí,pitch of tones -调停,tiáo tíng,to reconcile; to mediate; to bring warring parties to agreement; to arbitrate -调停者,tiáo tíng zhě,mediator; intermediary; go-between -调价,tiáo jià,to raise or lower the price; price adjustment -调光器,tiáo guāng qì,dimmer -调入,diào rù,"to bring in; to call in; to transfer (a person, data); (computing) to call; to load (a subroutine etc)" -调兵山,diào bīng shān,"Mt Diaobingshan in Tieling; Diaobingshan district of Tieling city 鐵嶺市|铁岭市[Tie3 ling3 shi4], Liaoning" -调兵山市,diào bīng shān shì,"Diaobingshan district of Tieling city 鐵嶺市|铁岭市[Tie3 ling3 shi4], Liaoning" -调兵遣将,diào bīng qiǎn jiàng,to move an army and send a general (idiom); to deploy an army; to send a team on a task -调制,tiáo zhì,to modulate; modulation -调制波,tiáo zhì bō,modulated wave (elec.) -调制解调器,tiáo zhì jiě tiáo qì,modem -调剂,tiáo jì,to adjust; to balance; to make up a medical prescription -调动,diào dòng,to transfer; to maneuver (troops etc); movement of personnel; to mobilize; to bring into play -调匀,tiáo yún,to blend (cooking); to mix evenly -调包,diào bāo,to steal sb's valuable item and substitute a similar-looking but worthless item; to sell a fake for the genuine article; to palm off -调升,diào shēng,to promote -调升,tiáo shēng,to adjust upward; to upgrade; (price) hike -调协,tiáo xié,to harmonize; to match -调取,diào qǔ,to obtain (information from an archive etc) -调味,tiáo wèi,seasoning; condiment; flavoring; dressing; essences -调味剂,tiáo wèi jì,flavoring agent -调味品,tiáo wèi pǐn,seasoning; flavoring -调味料,tiáo wèi liào,seasoning; condiment; flavoring; dressing; essences -调味汁,tiáo wèi zhī,dressing; sauce -调味肉汁,tiáo wèi ròu zhī,gravy -调和,tiáo hé,harmonious; to mediate; to reconcile; mediation; to compromise; to mix; to blend; blended; to season; seasoning; to placate -调和分析,tiáo hé fēn xī,harmonic analysis (math.) -调和平均数,tiáo hé píng jūn shù,harmonic mean -调和振动,tiáo hé zhèn dòng,harmonic oscillation -调唆,tiáo suō,to provoke; to stir up (trouble); to instigate -调嘴,tiáo zuǐ,to hold forth; to quibble -调嘴学舌,tiáo zuǐ xué shé,to incite trouble between people (idiom) -调子,diào zi,tune; melody; tuning; cadence; intonation; (speech) tone -调岗,diào gǎng,to transfer an employee to another post; reassignment; also pr. [tiao2 gang3] -调幅,tiáo fú,amplitude modulation (AM); size of an adjustment -调干,diào gàn,to reassign a cadre; to choose a worker to be promoted to cadre -调干生,diào gàn shēng,worker chosen to become a cadre and sent to complete his schooling -调度,diào dù,"to dispatch (vehicles, staff etc); to schedule; to manage; dispatcher; scheduler" -调弄,tiáo nòng,to tease; to make fun of; to provoke; to stir up (trouble) -调式,diào shì,(musical) mode -调律,tiáo lǜ,to tune (e.g. piano) -调性,diào xìng,"(music) tonality; (of an actor, company, magazine etc) style; image; tone; voice; character" -调情,tiáo qíng,to flirt -调戏,tiáo xì,to take liberties with a woman; to dally; to assail a woman with obscenities -调控,tiáo kòng,to regulate; to control -调换,diào huàn,to exchange; to change places; to swap -调拨,diào bō,to send (products); to allocate; to commit (funds); to channel (goods) -调拨,tiáo bō,to sow discord -调挡,tiáo dǎng,gear shift -调摄,tiáo shè,(literary) to nurse to health; to recuperate -调教,tiáo jiào,to instruct; to teach; to train; to raise (livestock) -调整,tiáo zhěng,to adjust; adjustment; revision; CL:個|个[ge4] -调料,tiáo liào,condiment; seasoning; flavoring -调查,diào chá,"investigation; inquiry; to investigate; to survey; survey; (opinion) poll; CL:項|项[xiang4],個|个[ge4]" -调查人员,diào chá rén yuán,investigator -调查员,diào chá yuán,investigator -调查团,diào chá tuán,investigating team -调查核实,diào chá hé shí,to investigate; investigation -调查结果,diào chá jié guǒ,"results (of an investigation, poll)" -调查者,diào chá zhě,investigator -调查表,diào chá biǎo,"questionnaire; inventory list; CL:張|张[zhang1],份[fen4]" -调档,diào dàng,to transfer a dossier; to consult a dossier -调派,diào pài,to send on assignment; to deploy (troops) -调准,tiáo zhǔn,"to adjust to the right value; to tune; to focus (a camera etc); to set (the date, the time) to the correct value" -调焦,tiáo jiāo,to focus -调理,tiáo lǐ,to nurse one's health; to recuperate; to take care of; to look after; to discipline; to educate; to train; to prepare food; (dialect) to make fun of; (medicine) to opsonize -调理食品,tiáo lǐ shí pǐn,precooked food -调用,diào yòng,"to transfer (for a specific purpose); to allocate; (computing) to invoke (a command, an application etc)" -调发,diào fā,to requisition; to dispatch -调皮,tiáo pí,naughty; mischievous; unruly -调皮捣蛋,tiáo pí dǎo dàn,naughty; mischievous; to act up -调相,tiáo xiàng,phase modulation -调研,diào yán,to investigate and research; research; investigation -调研人员,tiáo yán rén yuán,research workers; survey and research workers -调笑,tiáo xiào,to tease; to poke fun at -调节,tiáo jié,to adjust; to regulate; to harmonize; to reconcile (accountancy etc) -调节器,tiáo jié qì,regulator -调羹,tiáo gēng,spoon -调职,diào zhí,to be transferred to another post; to post away -调色,tiáo sè,to blend colors; to mix colors -调色板,tiáo sè bǎn,palette -调药刀,tiáo yào dāo,spatula -调虎离山,diào hǔ lí shān,to lure the tiger from its domain in the mountains (idiom); to lure an enemy away from his territory -调号,diào hào,tone mark on a Chinese syllable (i.e. accents on ā á ǎ à); (music) key signature -调制,tiáo zhì,"to concoct by mixing ingredients; to prepare according to a recipe; to make (a salad, a cocktail, cosmetics etc)" -调解,tiáo jiě,to mediate; to bring parties to an agreement -调训,tiáo xùn,to train; to care for and educate -调试,tiáo shì,to debug; to adjust components during testing; debugging -调谐,tiáo xié,harmonious; to adjust; to tune (e.g. wireless receiver); to bring into harmony -调谑,tiáo xuè,to make fun of; to mock -调变,tiáo biàn,modulation; to modulate (electronics) -调资,tiáo zī,wage adjustment; to raise or lower wages -调赴,diào fù,to dispatch (troops to the front) -调车场,diào chē chǎng,(railroad) classification yard; marshalling yard; shunting yard -调转,diào zhuǎn,to reassign sb to a different job; to turn around; to change direction; to make a U turn -调速,tiáo sù,to adjust the speed -调遣,diào qiǎn,to dispatch; to assign; a dispatch -调适,tiáo shì,to adapt (to an environment etc); to make sth suitable; adaptation; adjustment; adaptive -调迁,diào qiān,to transfer; to move; to shift -调配,diào pèi,to allocate; to deploy -调配,tiáo pèi,"to blend (colors, herbs); to mix" -调酒,tiáo jiǔ,to mix drinks; cocktail -调酒器,tiáo jiǔ qì,(cocktail) shaker -调酒师,tiáo jiǔ shī,bartender -调门,diào mén,melody; pitch or key (music); tone; style; point of view -调门,tiáo mén,valve -调门儿,diào mén er,erhua variant of 調門|调门[diao4 men2] -调阅,diào yuè,to access (a document); to consult -调防,diào fáng,to relieve a garrison -调降,tiáo jiàng,"(Tw) to lower (prices, interest rates etc); to reduce; to cut" -调集,diào jí,to summon; to muster; to assemble -调音,tiáo yīn,to tune (a musical instrument) -调头,diào tóu,variant of 掉頭|掉头[diao4 tou2] -调头,diào tou,tone (of voice); tune -调频,tiáo pín,frequency modulation; FM -调养,tiáo yǎng,to take care of (sb's health); to nurse -调驯,tiáo xùn,to look after and train (animals) -谄,chǎn,to flatter; to cajole -谄媚,chǎn mèi,to flatter -谄媚者,chǎn mèi zhě,flatterer -谆,zhūn,repeatedly (in giving advice); sincere; earnest; untiring -谆谆,zhūn zhūn,earnest; devoted; tireless; sincere; assiduous -谆谆告诫,zhūn zhūn gào jiè,to repeatedly advise sb earnestly (idiom); to admonish -谈,tán,surname Tan -谈,tán,to speak; to talk; to converse; to chat; to discuss -谈不上,tán bu shàng,to be out of the question -谈不拢,tán bù lǒng,can't come to an agreement -谈何容易,tán hé róng yì,easier said than done (idiom) -谈价,tán jià,to negotiate (prices); to haggle -谈判,tán pàn,to negotiate; negotiation; talks; conference; CL:個|个[ge4] -谈判制度,tán pàn zhì dù,collective bargaining system -谈判地,tán pàn dì,place for negotiations -谈判地位,tán pàn dì wèi,bargaining position -谈判桌,tán pàn zhuō,conference table -谈到,tán dào,to refer to; to speak about; to talk about -谈及,tán jí,to talk about; to mention -谈古论今,tán gǔ lùn jīn,to talk of the past and discuss the present (idiom); to chat freely; to discuss everything -谈吐,tán tǔ,style of conversation -谈天,tán tiān,to chat -谈天说地,tán tiān shuō dì,to talk endlessly; to talk about everything under the sun -谈妥,tán tuǒ,to come to terms; to reach an agreement -谈得来,tán de lái,to be able to talk to; to get along with; to be congenial -谈心,tán xīn,to have a heart-to-heart chat -谈性变色,tán xìng biàn sè,to turn green at the mention of sex; prudish -谈情说爱,tán qíng shuō ài,to murmur endearments (idiom); to get into a romantic relationship -谈恋爱,tán liàn ài,to court; to go steady; to be dating -谈星,tán xīng,astrology; fortune-telling -谈朋友,tán péng you,to be dating sb -谈笑自若,tán xiào zì ruò,to talk and laugh as though nothing had happened; to remain cheerful (despite a crisis) -谈笑风生,tán xiào fēng shēng,to talk cheerfully and wittily; to joke together -谈经,tán jīng,to explain a sutra; to expound the classics -谈虎色变,tán hǔ sè biàn,to turn pale at the mention of a tiger (idiom); to be scared at the mere mention of -谈话,tán huà,to talk (with sb); to have a conversation; talk; conversation; CL:次[ci4] -谈谈,tán tán,to discuss; to have a chat -谈论,tán lùn,to discuss; to talk about -谈资,tán zī,sth that people like to chat about; topic of idle conversation -谈起,tán qǐ,to mention; to speak of; to talk about -诿,wěi,to shirk; to give excuses -诿过,wěi guò,to put the blame on sb else -请,qǐng,to ask; to invite; please (do sth); to treat (to a meal etc); to request -请便,qǐng biàn,Please do as you wish!; You are welcome to do whatever you like!; Please make yourself at home. -请假,qǐng jià,to request leave of absence -请假条,qǐng jià tiáo,leave of absence request (from work or school) -请别见怪,qǐng bié jiàn guài,please don't be upset; no hard feelings; absit iniuria verbis; let injury by words be absent -请功,qǐng gōng,to request recognition for sb's merits; to recommend sb for promotion or an award -请勿吸烟,qǐng wù xī yān,No smoking; Please do not smoke -请勿打扰,qǐng wù dǎ rǎo,please do not disturb -请君入瓮,qǐng jūn rù wèng,"lit. please Sir, get into the boiling pot (idiom); fig. to give sb a taste of his own medicine" -请问,qǐng wèn,"Excuse me, may I ask...?" -请坐,qǐng zuò,"please, have a seat" -请多关照,qǐng duō guān zhào,please treat me kindly (conventional greeting on first meeting) -请安,qǐng ān,"to pay respects; to wish good health; in Qing times, a specific form of salutation (see also 打千[da3 qian1])" -请客,qǐng kè,to give a dinner party; to entertain guests; to invite to dinner -请将不如激将,qǐng jiàng bù rú jī jiàng,lit. to dispatch a general is not as effective as to excite a general; fig. inciting people to action is more effective than dispatching orders -请帖,qǐng tiě,invitation card; written invitation -请援,qǐng yuán,to request help; to appeal (for assistance) -请教,qǐng jiào,to ask for guidance; to consult -请柬,qǐng jiǎn,invitation card; written invitation -请款,qǐng kuǎn,to request payment (or reimbursement); to invoice -请求,qǐng qiú,to request; to ask; request (CL:個|个[ge4]) -请求宽恕,qǐng qiú kuān shù,to sue for mercy; to ask for forgiveness; begging for magnanimity -请看,qǐng kàn,please see ...; vide -请示,qǐng shì,to ask for instructions -请神容易送神难,qǐng shén róng yì sòng shén nán,it's easier to invite the devil in than to send him away -请缨,qǐng yīng,to volunteer for military service; to offer oneself for an assignment -请罪,qǐng zuì,to apologize humbly; to beg forgiveness -请调,qǐng diào,to request a transfer -请辞,qǐng cí,to ask sb to resign from a post -请进,qǐng jìn,"""please come in""" -请领,qǐng lǐng,"to apply for (a subsidy, unemployment benefit etc)" -请愿,qǐng yuàn,petition (for action to be taken) -请愿书,qǐng yuàn shū,petition -诤,zhèng,to admonish; to warn sb of their errors; to criticize frankly; Taiwan pr. [zheng1] -诤人,zhèng rén,dwarf in legends -诤友,zhèng yǒu,a friend capable of direct admonition -诤臣,zhèng chén,official who dares speak frankly before the emperor -诤言,zhèng yán,to reprove; forthright admonition -诤讼,zhèng sòng,to contest a lawsuit -诤谏,zhèng jiàn,to criticize frankly; to admonish -诹,zōu,to choose; to consult -愆,qiān,old variant of 愆[qian1] -诼,zhuó,to complain -谅,liàng,to show understanding; to excuse; to presume; to expect -谅解,liàng jiě,to understand; to make allowances for; understanding -谅解备忘录,liàng jiě bèi wàng lù,memorandum of understanding -论,lún,"abbr. for 論語|论语[Lun2 yu3], The Analects (of Confucius)" -论,lùn,"opinion; view; theory; doctrine; to discuss; to talk about; to regard; to consider; per; by the (kilometer, hour etc)" -论功,lùn gōng,to evaluate the merit of sth -论及,lùn jí,to make reference to; to mention -论坛,lùn tán,forum (for discussion) -论坛报,lùn tán bào,Tribune (in newspaper names) -论定,lùn dìng,to make a definitive judgment; to come to a firm conclusion -论战,lùn zhàn,to debate; to contend; polemics -论据,lùn jù,grounds (for an argument); contention; thesis -论文,lùn wén,paper; treatise; thesis; CL:篇[pian1]; to discuss a paper or thesis (old) -论断,lùn duàn,to infer; to judge; inference; judgment; conclusion -论法,lùn fǎ,argumentation -论争,lùn zhēng,argument; debate; controversy -论理,lùn lǐ,normally; as things should be; by rights; to reason things out; logic -论理学,lùn lǐ xué,logic -论著,lùn zhù,treatise; study -论语,lún yǔ,The Analects of Confucius 孔子[Kong3 zi3] -论调,lùn diào,argument; view (sometimes derogatory) -论证,lùn zhèng,to prove a point; to expound on; to demonstrate or prove (through argument); proof -论述,lùn shù,treatise; discourse; exposition -论长道短,lùn cháng dào duǎn,lit. to discuss sb's merits and demerits (idiom); to gossip -论题,lùn tí,topic -论点,lùn diǎn,argument; line of reasoning; thesis; point (of discussion) -谂,shěn,to know; to reprimand; to urge; to long for; to tell; to inform -话,huà,old variant of 話|话[hua4] -谀,yú,to flatter -谀辞,yú cí,flattering words -谍,dié,to spy -谍报,dié bào,spy report; intelligence -谍战,dié zhàn,(movie genre) espionage thriller (typically involving Chinese agents opposing the Japanese in the 1930s and 40s) -谍照,dié zhào,spy shot; leaked photo of a yet-to-be-released product -谝,piǎn,to brag -喧,xuān,variant of 喧[xuan1]; old variant of 諼|谖[xuan1] -喧呼,xuān hū,to shout loudly; to bawl; to vociferate; rumpus; uproar -谥,shì,posthumous name or title; to confer a posthumous title -谥号,shì hào,posthumous name and title -诨,hùn,jest; nickname -谔,è,honest speech -谛,dì,to examine; truth (Buddhism) -谛听,dì tīng,to listen carefully -谛视,dì shì,to look carefully -谐,xié,(bound form) harmonious; (bound form) humorous; (literary) to reach agreement -谐剧,xié jù,"Xieju opera (ballad and dancing monologue, popular in Sichuan)" -谐和,xié hé,concordant; harmonious -谐婉,xié wǎn,mild and harmonious -谐戏,xié xì,to joke -谐振,xié zhèn,resonance; sympathetic vibration -谐振动,xié zhèn dòng,harmonic oscillation (e.g. sound wave) -谐振子,xié zhèn zǐ,harmonic oscillator (physics) -谐星,xié xīng,popular comedian; comic star -谐波,xié bō,harmonic (wave with frequency an integer multiple of the fundamental) -谐称,xié chēng,humorous nickname -谐美,xié měi,harmonious and graceful -谐声,xié shēng,"combination of a signific component and a phonetic element to form a phono-semantic character, as in 功[gong1], which has signific 力[li4] and phonetic 工[gong1] (also referred to as 形聲|形声[xing2 sheng1]); (of words or characters) homophonous" -谐谈,xié tán,joking; humorous talk -谐谑,xié xuè,banter; humorous repartee -谐趣,xié qù,humor; amusing -谐音,xié yīn,homonym; homophone; harmonic (component of sound) -谐音列,xié yīn liè,harmonic series -谐音梗,xié yīn gěng,homophonic pun -谏,jiàn,surname Jian -谏,jiàn,to remonstrate; to admonish -谏征,jiàn zhēng,to send or go on a punitive expedition -谏书,jiàn shū,written admonition from an official to his sovereign (old) -谏正,jiàn zhèng,see 諍諫|诤谏[zheng4 jian4] -谏言,jiàn yán,advice; to advise -谏诤,jiàn zhèng,see 諍諫|诤谏[zheng4 jian4] -谕,yù,order (from above) -谕旨,yù zhǐ,imperial edict -谕示,yù shì,to issue a directive; to instruct (that sth be done) -谘,zī,variant of 咨[zi1] -谘商,zī shāng,(Tw) consultation; counseling -咨客,zī kè,(service industry) reception staff -谘询,zī xún,consultation; to consult; to inquire -谘询员,zī xún yuán,advisor; consultant -讳,huì,to avoid mentioning; taboo word; name of deceased emperor or superior -讳名,huì míng,taboo name; name of deceased -讳疾忌医,huì jí jì yī,hiding a sickness for fear of treatment (idiom); fig. concealing a fault to avoid criticism; to keep one's shortcomings secret; to refuse to listen to advice -讳称,huì chēng,euphemism; word used to avoid a taboo reference -讳莫如深,huì mò rú shēn,important matter that must be kept secret (idiom); don't breathe a word of it to anyone! -谙,ān,to be versed in; to know well -谙事,ān shì,(often used in the negative in describing a young person) to have an understanding of things; to know how the world works -谙熟,ān shú,to be proficient in -谙练,ān liàn,conversant; skilled; proficient -谌,chén,surname Chen -谌,chén,faithful; sincere -讽,fěng,to satirize; to mock; to recite; Taiwan pr. [feng4] -讽刺,fěng cì,to satirize; to mock; irony; satire; sarcasm -讽喻,fěng yù,parable; allegory; satire -讽谏,fěng jiàn,(literary) to remonstrate with one's superior tactfully -讽谕,fěng yù,variant of 諷喻|讽喻[feng3 yu4] -诸,zhū,surname Zhu -诸,zhū,all; various -诸事,zhū shì,everything; every matter -诸位,zhū wèi,(pron) everyone; Ladies and Gentlemen; Sirs -诸侯,zhū hóu,dukes or princes who rule a part of the country under the emperor; local rulers -诸侯国,zhū hóu guó,vassal state -诸公,zhū gōng,gentlemen (form of address) -诸凡百事,zhū fán bǎi shì,everything -诸君,zhū jūn,Gentlemen! (start of a speech); Ladies and Gentlemen! -诸城,zhū chéng,"Zhucheng, county-level city in Weifang 濰坊|潍坊[Wei2 fang1], Shandong" -诸城市,zhū chéng shì,"Zhucheng, county-level city in Weifang 濰坊|潍坊[Wei2 fang1], Shandong" -诸多,zhū duō,"(used for abstract things) a good deal, a lot of" -诸如,zhū rú,(various things) such as; such as (the following) -诸如此类,zhū rú cǐ lèi,things like this (idiom); and so on; and the rest; etc -诸子,zhū zǐ,"various sages; refers to the classical schools of thought, e.g. Confucianism 儒[ru2] represented by Confucius 孔子[Kong3 zi3] and Mencius 孟子[Meng4 zi3], Daoism 道[dao4] by Laozi 老子[Lao3 zi3] and Zhuangzi 莊子|庄子[Zhuang1 zi3], Mohism 墨[mo4] by Mozi 墨子[Mo4 zi3], Legalism 法[fa3] by Sunzi 孫子|孙子[Sun1 zi3] and Han Feizi 韓非子|韩非子[Han2 Fei1 zi3], and numerous others" -诸子十家,zhū zǐ shí jiā,"various sages and ten schools of thought; refers to the classical schools of thought, e.g. Confucianism 儒[ru2] represented by Confucius 孔子[Kong3 zi3] and Mencius 孟子[Meng4 zi3], Daoism 道[dao4] by Laozi 老子[Lao3 zi3] and Zhuangzi 莊子|庄子[Zhuang1 zi3], Mohism 墨[mo4] by Mozi 墨子[Mo4 zi3], Legalism 法[fa3] by Sunzi 孫子|孙子[Sun1 zi3] and Han Feizi 韓非子|韩非子[Han2 Fei1 zi3], and numerous others" -诸子百家,zhū zǐ bǎi jiā,"the Hundred Schools of Thought, the various schools of thought and their exponents during the Spring and Autumn and Warring States Periods (770-220 BC)" -诸广山,zhū guǎng shān,Mt Zhuguang between Jiangxi and Hunan -诸暨,zhū jì,"Zhuji, county-level city in Shaoxing 紹興|绍兴[Shao4 xing1], Zhejiang" -诸暨市,zhū jì shì,"Zhuji, county-level city in Shaoxing 紹興|绍兴[Shao4 xing1], Zhejiang" -诸柘,zhū zhè,sugarcane -诸生,zhū shēng,Imperial scholar from the Ming Dynasty onwards -诸相,zhū xiàng,the appearance of all things (Buddhism) -诸般,zhū bān,various; many different kinds of -诸色,zhū sè,various; all kinds -诸葛,zhū gě,two-character surname Zhuge; Taiwan pr. [Zhu1ge2] -诸葛亮,zhū gě liàng,"Zhuge Liang (181-234), military leader and prime minister of Shu Han 蜀漢|蜀汉 during the Three Kingdoms period; the main hero of the fictional Romance of Three Kingdoms 三國演義|三国演义, where he is portrayed as a sage and military genius; (fig.) a mastermind" -谚,yàn,proverb -谚文,yàn wén,"hangul, Korean phonetic alphabet" -谚语,yàn yǔ,proverb -谖,xuān,to deceive; to forget -诺,nuò,to consent; to promise; (literary) yes! -诺丁汉,nuò dīng hàn,Nottingham (city in England) -诺丁汉郡,nuò dīng hàn jùn,Nottinghamshire (English county) -诺亚,nuò yà,Noah -诺伊曼,nuò yī màn,"Neumann (surname); John von Neumann (1903-1957), Hungarian-born American mathematician and polymath" -诺克少,nuò kè shǎo,"Nouakchott, capital of Mauritania (Tw)" -诺基亚,nuò jī yà,Nokia (company name) -诺塞斯,nuò sāi sī,"Knossos (Minoan palace at Iraklion, Crete)" -诺夫哥罗德,nuò fū gē luó dé,"Novgorod, city in Russia" -诺如病毒,nuò rú bìng dú,norovirus (loanword) -诺曼人,nuò màn rén,Normans (people) -诺曼底,nuò màn dǐ,"Normandy, France" -诺曼底人,nuò màn dǐ rén,Norman (people) -诺曼底半岛,nuò màn dǐ bàn dǎo,Normandy peninsula -诺曼征服,nuò màn zhēng fú,the Norman conquest of England (1066) -诺曼第,nuò màn dì,"Normandy, France" -诺格,nuò gé,Northrop Grumman (aerospace arm of Boeing) -诺特,nuò tè,"Noether (name); Emmy Noether (1882-1935), German mathematician" -诺奖,nuò jiǎng,Nobel Prize; abbr. for 諾貝爾獎|诺贝尔奖[Nuo4 bei4 er3 Jiang3] -诺矩罗,nuò jǔ luó,"Nuojuluo, monk at start of Tang dynasty, possibly originally immigrant, lived in Qingshen county 青神[Qing1 shen2], Sichuan" -诺福克岛,nuò fú kè dǎo,Norfolk Island -诺维乔克,nuò wéi qiáo kè,Novichok (nerve agent) -诺罗病毒,nuò luó bìng dú,norovirus (Tw) (loanword) -诺美克斯,nuò měi kè sī,Nomex (brand) -诺言,nuò yán,promise -诺贝尔,nuò bèi ěr,Nobel (Prize) -诺贝尔和平奖,nuò bèi ěr hé píng jiǎng,Nobel Peace Prize -诺贝尔文学奖,nuò bèi ěr wén xué jiǎng,Nobel Prize in Literature -诺贝尔物理学奖,nuò bèi ěr wù lǐ xué jiǎng,Nobel Prize in Physics -诺贝尔奖,nuò bèi ěr jiǎng,Nobel Prize -诺鲁,nuò lǔ,"Nauru, island country in the southwestern Pacific (Tw)" -谋,móu,to plan; to seek; scheme -谋事,móu shì,to plan matters; to look for a job -谋利,móu lì,to make a profit; to gain; to get an advantage -谋刺,móu cì,to plot to assassinate -谋划,móu huà,to scheme; to plot; conspiracy -谋反,móu fǎn,to plot a rebellion; to conspire against the state -谋取,móu qǔ,to seek; to strive for; to obtain; see also 牟取[mou2 qu3] -谋士,móu shì,skilled manipulator; tactician; strategist; advisor; counsellor -谋害,móu hài,to conspire to murder; to plot against sb's life -谋得,móu dé,to get; to obtain -谋虑,móu lǜ,to plan and consider; to reflect on one's best strategy -谋智,móu zhì,Mozilla Corporation; intelligence and wisdom; resourceful; same as 智謀|智谋 -谋杀,móu shā,to murder; to assassinate; intentional homicide -谋杀案,móu shā àn,murder case -谋杀罪,móu shā zuì,murder -谋求,móu qiú,to seek; to strive for -谋生,móu shēng,to seek one's livelihood; to work to support oneself; to earn a living -谋略,móu lüè,stratagem; strategy; resourcefulness -谋职,móu zhí,to look for a job; to seek employment -谋臣,móu chén,imperial strategic adviser; expert on strategy -谋臣如雨,móu chén rú yǔ,strategic experts as thick as rain (idiom); no shortage of advisers on strategy -谋臣武将,móu chén wǔ jiàng,strategic experts and powerful generals (idiom) -谋臣猛将,móu chén měng jiàng,strategic experts and powerful generals (idiom) -谋计,móu jì,stratagem; scheme -谋财害命,móu cái hài mìng,to plot and kill sb for his property (idiom); to murder for money -谋面,móu miàn,to meet -谋食,móu shí,to make a living; to strive to earn a living -谒,yè,to visit (a superior) -谒访,yè fǎng,to pay one's respects; to visit (ancestral grave) -谒陵,yè líng,to pay homage at a mausoleum -谓,wèi,surname Wei -谓,wèi,to speak; to say; to name; to designate; meaning; sense -谓词,wèi cí,predicate (in logic and grammar) -谓语,wèi yǔ,(grammatical) predicate -誊,téng,to transcribe; to copy out; (free word) -誊写,téng xiě,to transcribe; to make a fair copy -誊录,téng lù,to copy out -诌,zhōu,to make up (a story); Taiwan pr. [zou1] -謇,jiǎn,to speak out boldly -谎,huǎng,lies; to lie -谎价,huǎng jià,inflated price; exorbitant price -谎报,huǎng bào,to lie -谎称,huǎng chēng,to claim; to pretend -谎言,huǎng yán,lie -谎话,huǎng huà,lie -歌,gē,variant of 歌[ge1] -谜,mèi,"see 謎兒|谜儿[mei4 r5], riddle" -谜,mí,riddle -谜儿,mèi er,riddle -谜团,mí tuán,riddle; enigma; unpredictable situation; elusive matters -谜底,mí dǐ,answer to a riddle -谜样,mí yàng,enigmatic -谜语,mí yǔ,riddle; conundrum; CL:條|条[tiao2] -谜面,mí miàn,riddle -谜题,mí tí,puzzle; riddle -谧,mì,quiet -谑,xuè,joy; to joke; to banter; to tease; to mock; Taiwan pr. [nu:e4] -谑剧,xuè jù,fun and mockery -谑戏,xuè xì,fun and mockery -谑称,xuè chēng,playful appellation -谑而不虐,xuè ér bù nüè,to tease; to mock sb without offending; to banter -谑语,xuè yǔ,words to tease sb -谡,sù,composed; rise; to begin -谤,bàng,to slander; to defame; to speak ill of -谦,qiān,modest -谦卑,qiān bēi,humble -谦和,qiān hé,meek; modest; amiable -谦恭,qiān gōng,polite and modest -谦称,qiān chēng,modest appellation -谦虚,qiān xū,modest; self-effacing; to make modest remarks -谦词,qiān cí,modest word (grammar) -谦语,qiān yǔ,humble expression -谦诚,qiān chéng,modest and sincere; humble -谦让,qiān ràng,to modestly decline -谦辞,qiān cí,humble words; self-deprecatory expression; to modestly decline -谦逊,qiān xùn,humble; modest; unpretentious; modesty -谥,shì,variant of 諡|谥[shi4] -谥,yì,smiling face -讲,jiǎng,to speak; to explain; to negotiate; to emphasize; to be particular about; as far as sth is concerned; speech; lecture -讲不通,jiǎng bù tōng,it does not make sense -讲价,jiǎng jià,to bargain (over price); to haggle -讲到,jiǎng dào,to talk about sth -讲史,jiǎng shǐ,historical tales -讲和,jiǎng hé,to make peace; to reconcile -讲堂,jiǎng táng,"lecture hall; CL:家[jia1],間|间[jian1]" -讲坛,jiǎng tán,a platform (to speak) -讲学,jiǎng xué,to lecture (on branch of learning) -讲师,jiǎng shī,instructor; lecturer -讲座,jiǎng zuò,course of lectures; lecture series; chair (academic position) -讲授,jiǎng shòu,to lecture; to teach -讲明,jiǎng míng,to explain -讲桌,jiǎng zhuō,lectern; podium -讲求,jiǎng qiú,to stress; to emphasize; particular about sth; to strive for -讲演,jiǎng yǎn,to lecture; to speak publicly -讲理,jiǎng lǐ,to argue; to reason with sb; to talk sense; to be reasonable -讲究,jiǎng jiu,to pay particular attention to; carefully selected for quality; tastefully chosen -讲筵,jiǎng yán,the teacher's seat -讲义,jiǎng yì,teaching materials -讲义气,jiǎng yì qì,to be loyal (to one's friends); to value loyalty -讲习,jiǎng xí,to lecture; to instruct -讲习会,jiǎng xí huì,discussion forum; seminar; assembly -讲习班,jiǎng xí bān,instructional workshop -讲台,jiǎng tái,platform; podium; rostrum; lectern; (teacher's) desk -讲解,jiǎng jiě,to explain -讲解员,jiǎng jiě yuán,guide -讲评,jiǎng píng,to criticize; to evaluate -讲话,jiǎng huà,a speech; to speak; to talk; to address; CL:個|个[ge4] -讲课,jiǎng kè,teach; lecture -讲论,jiǎng lùn,to discuss -讲辞,jiǎng cí,lectures -讲述,jiǎng shù,to talk about; to narrate; to give an account -讲道,jiǎng dào,to preach; a sermon -讲闲话,jiǎng xián huà,to gossip; to make unfavorable comments -讲题,jiǎng tí,topic of a lecture -谢,xiè,surname Xie -谢,xiè,"to thank; to apologize; (of flowers, leaves etc) to wither; to decline" -谢世,xiè shì,to die; to pass away -谢候,xiè hòu,to thank sb for favor or hospitality -谢仪,xiè yí,honorarium; gift as thanks -谢却,xiè què,to decline; to refuse politely -谢天谢地,xiè tiān xiè dì,Thank heavens!; Thank goodness that's worked out so well! -谢媒,xiè méi,to thank the matchmaker -谢孝,xiè xiào,to visit friends to thank them after a funeral -谢客,xiè kè,to decline to meet a visitor; to express one's gratitude to one's guests -谢家集,xiè jiā jí,"Xiejiaji, a district of Huainan City 淮南市[Huai2nan2 Shi4], Anhui" -谢家集区,xiè jiā jí qū,"Xiejiaji, a district of Huainan City 淮南市[Huai2nan2 Shi4], Anhui" -谢帖,xiè tiě,letter of thanks -谢师宴,xiè shī yàn,banquet hosted by students in honor of their teachers -谢幕,xiè mù,to take a curtain call; (fig.) to come to an end -谢忱,xiè chén,gratitude -谢恩,xiè ēn,to thank sb for favor (esp. emperor or superior official) -谢意,xiè yì,gratitude; thanks -谢拉,xiè lā,Zerah (son of Judah) -谢尔巴人,xiè ěr bā rén,Sherpa -谢尔盖,xiè ěr gài,Sergei (name) -谢特,xiè tè,shit! (loanword) -谢病,xiè bìng,to excuse oneself because of illness -谢礼,xiè lǐ,honorarium; gift as thanks -谢绝,xiè jué,to refuse politely -谢绝参观,xiè jué cān guān,closed to visitors; no admittance -谢罪,xiè zuì,to apologize for an offense; to offer one's apology for a fault -谢肉节,xiè ròu jié,carnival (esp. Christian) -谢词,xiè cí,speech of thanks -谢谢,xiè xie,to thank; thanks; thank you -谢赫,xiè hè,"Xie He (479-502), portrait painter from Qi of Southern dynasties 南齊|南齐[Nan2 Qi2]" -谢辛,xiè xīn,"Chea Sim, president of Cambodian National Assembly" -谢通门,xiè tōng mén,"Xaitongmoin county, Tibetan: Bzhad mthong smon rdzong, in Shigatse prefecture, Tibet" -谢通门县,xiè tōng mén xiàn,"Xaitongmoin county, Tibetan: Bzhad mthong smon rdzong, in Shigatse prefecture, Tibet" -谢里夫,xiè lǐ fū,"Sharif (name); Nawaz Sharif (1949-), Pakistani politician" -谢长廷,xiè cháng tíng,"Frank Chang-ting Hsieh (1946-), Taiwanese DPP politician, mayor of Kaohsiung 1998-2005" -谢霆锋,xiè tíng fēng,"Tse Ting-Fung or Nicholas Tse (1980-), Cantopop star" -谢灵运,xiè líng yùn,Xie Lingyun (385-433) poet during Song of the Southern Dynasties 南朝宋 -谢顶,xiè dǐng,to go bald -谣,yáo,popular ballad; rumor -谣传,yáo chuán,rumor -谣言,yáo yán,rumor -谣言惑众,yáo yán huò zhòng,to mislead the public with rumors; to delude the people with lies -謦,qì,cough slightly -谟,mó,plan; to practice -谟,mó,old variant of 謨|谟[mo2] -谪,zhé,to relegate a high official to a minor post in an outlying region (punishment in imperial China); to banish or exile; (of immortals) to banish from Heaven; to censure; to blame -谪仙,zhé xiān,"a genius (literally, an immortal who has been banished from heaven to live on earth), an epithet for exceptional individuals such as the Tang poet Li Bai 李白[Li3 Bai2]; (fig.) banished official" -谪居,zhé jū,(of officials in imperial China) to live in banishment -谪戍,zhé shù,in exile as penal servitude -谬,miù,to deceive; to confuse; to cheat; absurd; erroneous -谬奖,miù jiǎng,to overpraise; You praise me too much! -谬种,miù zhǒng,error; fallacy; misconception; scoundrel; You swine! -谬种流传,miù zhǒng liú chuán,to pass on errors or lies (idiom); the propagation of misconceptions -谬耄,miù mào,feeble-minded and senile -谬见,miù jiàn,erroneous views; false idea; false opinion -谬误,miù wù,error; mistaken idea; falsehood -谬论,miù lùn,misconception; fallacy -谫,jiǎn,shallow; superficial -讴,ōu,to sing; ballad; folk song -讴吟,ōu yín,song; chant; rhythmic declamation -讴歌,ōu gē,Acura (Honda car model) -讴歌,ōu gē,(literary) to celebrate in song; to eulogize -谨,jǐn,cautious; careful; solemnly; sincerely (formal) -谨上,jǐn shàng,respectfully yours (in closing a letter) -谨启,jǐn qǐ,to respectfully inform (used at the beginning or end of letters) -谨严,jǐn yán,meticulous; rigorous -谨守,jǐn shǒu,to adhere strictly (to the rules) -谨慎,jǐn shèn,cautious; prudent -谨订,jǐn dìng,would like to invite (epistolary style) -谨记,jǐn jì,to remember with reverence; to bear in mind; to keep in mind -谨防,jǐn fáng,to guard against; to beware of -谩,mán,to deceive -谩,màn,to slander; to be disrespectful; to slight -谩骂,màn mà,to hurl abuse; to deride; to call sb names -哗,huá,variant of 嘩|哗[hua2] -哗然,huá rán,variant of 嘩然|哗然[hua2 ran2] -嘻,xī,"(interjection expressing surprise, grief etc); variant of 嘻[xi1]" -证,zhèng,certificate; proof; to prove; to demonstrate; to confirm; variant of 症[zheng4] -证交所,zhèng jiāo suǒ,stock exchange -证交会,zhèng jiāo huì,US Securities and Exchange Commission (SEC) -证人,zhèng rén,witness -证人席,zhèng rén xí,witness stand or box -证件,zhèng jiàn,certificate; papers; credentials; document; ID -证件照,zhèng jiàn zhào,identification photo -证伪,zhèng wěi,to disprove; to confirm (sth) to be false -证券,zhèng quàn,negotiable security (financial); certificate; stocks and bonds -证券交易所,zhèng quàn jiāo yì suǒ,stock exchange -证券代销,zhèng quàn dài xiāo,proxy sale of securities -证券公司,zhèng quàn gōng sī,securities company; share company -证券化率,zhèng quàn huà lǜ,securitization ratio -证券商,zhèng quàn shāng,share dealer; broker -证券委,zhèng quàn wěi,securities commission; abbr. for 證券委員會|证券委员会 -证券委员会,zhèng quàn wěi yuán huì,securities commission (of the State Council) -证券市场,zhèng quàn shì chǎng,financial market -证券柜台买卖中心,zhèng quàn guì tái mǎi mài zhōng xīn,GreTai Securities Market (GTSM) -证券经营,zhèng quàn jīng yíng,share dealing; brokering -证券经纪人,zhèng quàn jīng jì rén,stockbroker -证券行,zhèng quàn háng,"(HK, Tw) securities house; brokerage firm" -证奴,zhèng nú,"""a slave to certificates"", sb who does one's utmost to obtain as many certificates as possible so to be more employable" -证婚,zhèng hūn,to be witness (at a wedding) -证婚人,zhèng hūn rén,wedding witness -证实,zhèng shí,to confirm (sth to be true); to verify -证实礼,zhèng shí lǐ,confirmation -证据,zhèng jù,evidence; proof; testimony -证明,zhèng míng,proof; certificate; identification; testimonial; CL:個|个[ge4]; to prove; to testify; to confirm the truth of -证明力,zhèng míng lì,probative value; strength of evidence in legal proof; relevance -证明完毕,zhèng míng wán bì,QED; end of proof (math.) -证明文件,zhèng míng wén jiàn,identification document; documentary proof -证明书,zhèng míng shū,certificate -证书,zhèng shū,credentials; certificate -证照,zhèng zhào,license; permit; ID photo; passport photo -证物,zhèng wù,exhibit (law) -证监会,zhèng jiān huì,China Securities Regulatory Commission (CSRC); abbr. for 中國證券監督管理委員會|中国证券监督管理委员会[Zhong1 guo2 Zheng4 quan4 Jian1 du1 Guan3 li3 Wei3 yuan2 hui4] -证章,zhèng zhāng,badge -证言,zhèng yán,testimony -证词,zhèng cí,testimony -证验,zhèng yàn,real results; to verify -讹,é,variant of 訛|讹[e2] -谲,jué,deceitful -讥,jī,to ridicule -讥刺,jī cì,to ridicule; to mock -讥笑,jī xiào,to sneer -讥诮,jī qiào,to deride; to mock -讥讽,jī fěng,to satirize; to ridicule; to mock -撰,zhuàn,variant of 撰[zhuan4] -谮,zèn,to slander -谮言,zèn yán,to slander -识,shí,to know; knowledge; Taiwan pr. [shi4] -识,zhì,to record; to write a footnote -识别,shí bié,to distinguish; to discern; to identify; to recognize -识别码,shí bié mǎ,identifier -识别号,shí bié hào,identifier -识别证,shí bié zhèng,ID badge (on a lanyard etc) (Tw) -识力,shí lì,discernment; the ability to judge well -识多才广,shí duō cái guǎng,knowledgeable and versatile -识字,shí zì,to learn to read -识字率,shí zì lǜ,literacy rate -识度,shí dù,knowledge and experience -识得,shí de,to know -识微见几,shí wēi jiàn jǐ,lit. see a tiny bit and understand everything (idiom) -识才,shí cái,to recognize talent -识才尊贤,shí cái zūn xián,to recognize talent and have great respect for it -识数,shí shù,to know how to count and do sums; numerate; numeracy -识文断字,shí wén duàn zì,literate; a cultured person -识时务,shí shí wù,to have a clear view of things; to adapt to circumstances -识时务者为俊杰,shí shí wù zhě wéi jùn jié,(idiom) only an outstanding talent can recognize current trends; a wise man submits to circumstances -识时通变,shí shí tōng biàn,understanding and adaptable -识时达务,shí shí dá wù,understanding; to know what's up -识相,shí xiàng,sensitive; tactful -识破,shí pò,to penetrate; to see through -识破机关,shí pò jī guān,to see through a trick -识羞,shí xiū,"to know shame; to feel shame (often with a negative, shameless)" -识荆,shí jīng,It is a great honor to meet you. -识荆恨晚,shí jīng hèn wǎn,It is a great honor to meet you and I regret it is not sooner -识见,shí jiàn,knowledge and experience -识货,shí huò,to know what's what -识趣,shí qù,tactful; discreet -识途老马,shí tú lǎo mǎ,"lit. an old horse knows the way home (idiom); fig. in difficulty, trust an experience colleague" -谯,qiáo,surname Qiao -谯,qiáo,drum tower -谯,qiào,ridicule; to blame -谯城,qiáo chéng,"Qiaocheng, a district of Bozhou City 亳州市[Bo2zhou1 Shi4], Anhui" -谯城区,qiáo chéng qū,"Qiaocheng, a district of Bozhou City 亳州市[Bo2zhou1 Shi4], Anhui" -谭,tán,surname Tan -谭,tán,variant of 談|谈[tan2] -谭嗣同,tán sì tóng,"Tan Sitong (1865-1898), Qing writer and politician, one of the Six Gentlemen Martyrs 戊戌六君子 of the unsuccessful reform movement of 1898" -谭富英,tán fù yīng,"Tan Fuying (1906-1977), Beijing opera star, one of the Four great beards 四大鬚生|四大须生" -谭盾,tán dùn,Tan Dun (1957-) Chinese composer -谭咏麟,tán yǒng lín,"Alan Tam (1950-), Hong Kong Canto-pop singer and actor" -谭鑫培,tán xīn péi,"Tan Xinpei (1847-1917), noted opera actor" -谭震林,tán zhèn lín,"Tan Zhenlin (1902-1983), PRC revolutionary and military leader, played political role after the Cultural Revolution" -谱,pǔ,chart; list; table; register; score (music); spectrum (physics); to set to music -谱系,pǔ xì,variant of 譜系|谱系[pu3 xi4] -谱分析,pǔ fēn xī,spectral analysis (physics) -谱子,pǔ zi,musical score -谱学,pǔ xué,spectroscopy -谱写,pǔ xiě,"to compose (a piece of music); (fig.) to create, by one's actions, a narrative (generally one that can be recounted with pride)" -谱带,pǔ dài,band of a spectrum -谱曲,pǔ qǔ,to compose a piece of music -谱架,pǔ jià,music stand -谱氏,pǔ shì,family tree; ancestral records -谱牒,pǔ dié,genealogical record; record of ancestors; family tree -谱系,pǔ xì,pedigree -谱线,pǔ xiàn,spectral line -谱表,pǔ biǎo,musical stave -噪,zào,variant of 噪[zao4] -警,jǐng,to alert; to warn; police -警世通言,jǐng shì tōng yán,"Stories to Caution the World, vernacular short stories by Feng Menglong 馮夢龍|冯梦龙[Feng2 Meng4 long2] published in 1624" -警备,jǐng bèi,guard; garrison -警备区,jǐng bèi qū,garrison area; command -警力,jǐng lì,police force; police officers -警匪,jǐng fěi,police and criminals; (genre of fiction) crime -警区,jǐng qū,policeman's round; patrol; beat -警句,jǐng jù,aphorism -警告,jǐng gào,to warn; to admonish -警报,jǐng bào,(fire) alarm; alert signal; alarm; alert; warning -警报器,jǐng bào qì,siren -警官,jǐng guān,constable; police officer -警察,jǐng chá,police; police officer -警察局,jǐng chá jú,police station; police department; police headquarters -警察厅,jǐng chá tīng,National Police Agency (Japan) -警察署,jǐng chá shǔ,police station -警局,jǐng jú,police department; police station; abbr. of 警察局 -警徽,jǐng huī,police badge -警悟,jǐng wù,on the alert; keenly aware -警惕,jǐng tì,to be on the alert; vigilant; alert; on guard; to warn -警惕性,jǐng tì xìng,vigilance; alertness -警戒,jǐng jiè,to warn; to alert; to be on the alert; to stand guard; sentinel -警戒线,jǐng jiè xiàn,police cordon; alert level -警探,jǐng tàn,police detective -警政署,jǐng zhèng shǔ,National Police Agency (Taiwan); abbr. for 內政部警政署|内政部警政署[Nei4 zheng4 bu4 Jing3 zheng4 shu3] -警方,jǐng fāng,police -警服,jǐng fú,police uniform -警械,jǐng xiè,police gear -警棍,jǐng gùn,police truncheon -警标,jǐng biāo,buoy; navigation marker -警民,jǐng mín,the police and the community -警犬,jǐng quǎn,police dog -警示,jǐng shì,to warn; to alert; warning; cautionary -警种,jǐng zhǒng,"police classification; subdivision of policing activities (traffic, border guard, criminal etc)" -警笛,jǐng dí,siren -警署,jǐng shǔ,police station (abbr. for 警察署[jing3 cha2 shu3]) -警花,jǐng huā,attractive policewoman; young female cop -警号,jǐng hào,alarm; alert; warning signal -警卫,jǐng wèi,to stand guard over; (security) guard -警觉,jǐng jué,to be on guard; alert; vigilance; alertness -警讯,jǐng xùn,warning sign; police call -警诫,jǐng jiè,variant of 警戒[jing3jie4] -警车,jǐng chē,police car -警醒,jǐng xǐng,to be alert -警铃,jǐng líng,alarm bell -警衔,jǐng xián,police rank -警钟,jǐng zhōng,alarm bell -警辟,jǐng pì,"profound, thorough and moving" -谵,zhān,(literary) to rant; to rave; to be delirious -谵妄,zhān wàng,delirium -譬,pì,to give an example -譬喻,pì yù,analogy; metaphor; simile -譬如,pì rú,for example; for instance; such as -譬如说,pì rú shuō,for example -毁,huǐ,variant of 毀|毁[hui3]; to defame; to slander -译,yì,to translate; to interpret -译入语,yì rù yǔ,target language (for translation) -译出语,yì chū yǔ,source language (for translation) -译名,yì míng,translated names; transliteration -译员,yì yuán,interpreter; translator (esp. oral) -译写,yì xiě,to translate; to render foreign words; to transliterate -译意风,yì yì fēng,"simultaneous interpretation facilities (loanword from ""earphone"")" -译成,yì chéng,"to translate into (Chinese, English etc)" -译文,yì wén,translated text -译本,yì běn,translation (translated version of a text) -译码器,yì mǎ qì,decoder -译者,yì zhě,translator (of writing) -译著,yì zhù,translated work -译词,yì cí,(linguistics) an equivalent; a translation of a term into the target language -译语,yì yǔ,target language (linguistics) -译音,yì yīn,phonetic transcription; transliteration -议,yì,to comment on; to discuss; to suggest -议事,yì shì,to discuss official business -议事日程,yì shì rì chéng,agenda -议付,yì fù,negotiation (finance) -议价,yì jià,to bargain; to negotiate a price -议和,yì hé,to negotiate peace -议员,yì yuán,member (of a legislative body); representative -议定,yì dìng,to reach an agreement; to agree upon -议定书,yì dìng shū,protocol; treaty -议席,yì xí,seat in a parliament or legislative assembly -议政,yì zhèng,to discuss politics -议会,yì huì,parliament; legislative assembly -议会制,yì huì zhì,parliamentary system -议案,yì àn,proposal; motion -议决,yì jué,to decide (in a meeting); to resolve (i.e. pass a resolution) -议程,yì chéng,agenda; agenda item -议论,yì lùn,to comment; to talk about; to discuss; discussion; CL:個|个[ge4] -议论纷纷,yì lùn fēn fēn,to discuss spiritedly (idiom); tongues are wagging -议论纷错,yì lùn fēn cuò,see 議論紛紛|议论纷纷[yi4 lun4 fen1 fen1] -议长,yì zhǎng,chairman (of a legislative assembly); speaker -议院,yì yuàn,parliament; congress; legislative assembly -议题,yì tí,topic of discussion; topic; subject; issue (under discussion); CL:項|项[xiang4] -谴,qiǎn,to censure; to reprimand -谴呵,qiǎn hē,variant of 譴訶|谴诃[qian3 he1] -谴诃,qiǎn hē,to reprimand -谴责,qiǎn zé,to denounce; to condemn; to criticize; condemnation; criticism -谴责小说,qiǎn zé xiǎo shuō,novel of denunciation (according to Lu Xun's 魯迅|鲁迅[Lu3 Xun4] classification) -护,hù,to protect -护佑,hù yòu,to bless and protect; to protect -护国战,hù guó zhàn,"National Protection War or Campaign to Defend the Republic (1915), a rebellion against the installation of Yuan Shikai 袁世凱|袁世凯[Yuan2 Shi4 kai3] as emperor" -护国战争,hù guó zhàn zhēng,"National Protection War or Campaign to Defend the Republic (1915), a rebellion against the installation of Yuan Shikai 袁世凱|袁世凯[Yuan2 Shi4 kai3] as emperor" -护国军,hù guó jūn,National Protection Army of 1915 (in rebellion against Yuan Shikai 袁世凱|袁世凯[Yuan2 Shi4 kai3]) -护国运动,hù guó yùn dòng,"Campaign to Defend the Republic (1915) or National Protection War, a rebellion against the installation of Yuan Shikai 袁世凱|袁世凯[Yuan2 Shi4 kai3] as emperor" -护城河,hù chéng hé,moat (surrounding the city wall) -护士,hù shi,nurse; CL:個|个[ge4] -护孔环,hù kǒng huán,(Tw) grommet -护封,hù fēng,dust jacket (of a book); protective cover; document seal -护工,hù gōng,nurse's aide; nursing assistant; care worker -护手盘,hù shǒu pán,hand guard (e.g. on saber) -护手霜,hù shǒu shuāng,hand cream; hand lotion -护栏,hù lán,guardrail; railing -护法,hù fǎ,to keep the law; to protect Buddha's teachings; protector of Buddhist law (i.e. temple donor) -护法战争,hù fǎ zhàn zhēng,"National protection war or Campaign to defend the republic (1915), a rebellion against the installation of Yuan Shikai as emperor" -护法神,hù fǎ shén,protector deities of Buddhist law -护照,hù zhào,"passport; CL:本[ben3],個|个[ge4]" -护犊子,hù dú zi,(of a woman) to be fiercely protective of one's children -护理,hù lǐ,to nurse; to tend and protect -护理学,hù lǐ xué,nursing -护生,hù shēng,nursing student; (Buddhism) to preserve the lives of all living beings -护甲,hù jiǎ,armor; bulletproof vest -护目镜,hù mù jìng,goggles; protective glasses -护短,hù duǎn,"to defend sb (a relative, friend or oneself) despite knowing that that person is in the wrong" -护老者,hù lǎo zhě,carer of elderly persons; aged care worker -护肘,hù zhǒu,elbow pad; elbow support -护胫,hù jìng,shin pad; shin guard -护肤,hù fū,skincare -护膝,hù xī,kneepad; knee brace -护航,hù háng,a naval escort; to convoy -护航舰,hù háng jiàn,escort vessel -护着,hù zhe,to protect; to guard; to shield -护卫,hù wèi,to guard; to protect; bodyguard (for officials in ancient times) -护卫艇,hù wèi tǐng,escort vessel; corvette -护卫舰,hù wèi jiàn,corvette -护贝,hù bèi,(stationery) to laminate (Tw) -护贝机,hù bèi jī,laminating machine; laminator -护贝膜,hù bèi mó,see 護貝膠膜|护贝胶膜[hu4 bei4 jiao1 mo2] -护贝胶膜,hù bèi jiāo mó,(Tw) laminating film; laminating pouch -护身符,hù shēn fú,amulet; protective talisman; charm -护身符子,hù shēn fú zi,amulet; protective talisman; charm -护轨,hù guǐ,(railway) guard rail -护送,hù sòng,to escort; to accompany -护颈套,hù jǐng tào,cervical collar -护食,hù shí,(of a dog etc) to guard its food -护发乳,hù fà rǔ,hair conditioner -护发素,hù fà sù,hair conditioner -誉,yù,to praise; to acclaim; reputation -读,dòu,comma; phrase marked by pause -读,dú,to read out; to read aloud; to read; to attend (school); to study (a subject in school); to pronounce -读出,dú chū,to read out loud; (computing) to read (data); readout (of a scientific instrument) -读卡器,dú kǎ qì,card reader -读取,dú qǔ,(of a computer etc) to read (data) -读报,dú bào,to read newspapers -读写,dú xiě,reading and writing -读写能力,dú xiě néng lì,literacy -读后感,dú hòu gǎn,impression of a book; opinion expressed in a book review -读心,dú xīn,to read sb's mind -读懂,dú dǒng,to read and understand -读数,dú shù,reading; data from meter -读书,dú shū,to read a book; to study; to attend school -读书人,dú shū rén,scholar; intellectual -读书会,dú shū huì,study group -读书机,dú shū jī,audio-output reading machine -读本,dú běn,reader; an instructional book -读法,dú fǎ,pronunciation; reading (of a Chinese character) -读物,dú wù,reading material -读研,dú yán,to attend graduate school -读破,dú pò,"to read extensively and thoroughly; nonstandard pronunciation of a Chinese character, e.g. the reading [hao4] in 愛好|爱好[ai4 hao4] rather than the usual [hao3]" -读破句,dú pò jù,"incorrect break in reading Chinese, dividing text into clauses at wrong point" -读经,dú jīng,to study the Confucian classics; to read scriptures or canonical texts -读者,dú zhě,reader -读者文摘,dú zhě wén zhāi,Reader's Digest -读谱,dú pǔ,to read a score; to read music -读卖新闻,dú mài xīn wén,Yomiuri Shimbun (Japanese newspaper) -读音,dú yīn,pronunciation; literary (rather than colloquial) pronunciation of a Chinese character -读音错误,dú yīn cuò wù,mistake of pronunciation -读头,dú tóu,reading head (e.g. in tape deck) -谪,zhé,variant of 謫|谪[zhe2] -赞,zàn,variant of 讚|赞[zan4] -变,biàn,to change; to become different; to transform; to vary; rebellion -变乱,biàn luàn,turmoil; social upheaval -变作,biàn zuò,to change into; to turn into; to become -变修,biàn xiū,to become revisionist -变做,biàn zuò,to turn into -变价,biàn jià,to appraise at the current rate -变元,biàn yuán,(math.) argument; variable -变兵,biàn bīng,rebel soldier -变分,biàn fēn,variation (calculus); deformation -变分原理,biàn fēn yuán lǐ,variational principle (physics) -变分学,biàn fēn xué,calculus of variations (math.) -变分法,biàn fēn fǎ,calculus of variations -变动,biàn dòng,to change; to fluctuate; change; fluctuation -变化,biàn huà,(intransitive) to change; to vary; change; variation (CL:個|个[ge4]) -变化多端,biàn huà duō duān,changeable; changing; varied; full of changes -变化无常,biàn huà wú cháng,(idiom) changeable; fickle -变化球,biàn huà qiú,(baseball) breaking ball; (fig.) curveball; unexpected turn of events -变化莫测,biàn huà mò cè,unpredictable; changeable -变化音,biàn huà yīn,(music) accidental (a note foreign to the key signature) -变卦,biàn guà,to change one's mind; to go back on one's word -变厚,biàn hòu,to thicken -变回,biàn huí,to revert; to change back into -变压器,biàn yā qì,transformer -变坏,biàn huài,to get worse; to degenerate -变天,biàn tiān,to have a change of weather (esp. for the worse); (fig.) to experience a major upheaval; to undergo sweeping change -变奏,biàn zòu,variation -变奏曲,biàn zòu qǔ,variation (music) -变局,biàn jú,changing circumstances; turbulent situation -变工,biàn gōng,to exchange labor; labor exchange (system of sharing workforce resources) -变幻,biàn huàn,to change irregularly; to fluctuate -变幻莫测,biàn huàn mò cè,to change unpredictably; unpredictable; erratic; treacherous -变形,biàn xíng,to become deformed; to change shape; to morph -变形虫,biàn xíng chóng,amoeba -变形金刚,biàn xíng jīn gāng,Transformers (franchise) -变得,biàn de,to become -变徵之声,biàn zhǐ zhī shēng,modified fifth note of the pentatonic scale -变心,biàn xīn,to cease to feel a sense of loyalty (or gratitude etc) to sb or sth; to fall out of love with sb -变性,biàn xìng,to denature; denaturation; to have a sex change; transsexual -变性土,biàn xìng tǔ,vertisol (soil taxonomy) -变态,biàn tài,to metamorphose (biology); abnormal; perverted; hentai; (slang) pervert -变态反应,biàn tài fǎn yìng,allergic response; allergy -变态辣,biàn tài là,(coll.) insanely spicy -变成,biàn chéng,to change into; to turn into; to become -变戏法,biàn xì fǎ,to perform conjuring tricks; to conjure; to juggle -变把戏,biàn bǎ xì,to perform magic; to do magic tricks; prestidigitation -变换,biàn huàn,to transform; to convert; to vary; to alternate; a transformation -变换群,biàn huàn qún,(math.) transformation group -变换设备,biàn huàn shè bèi,converter; conversion device -变故,biàn gù,an unforeseen event; accident; misfortune -变数,biàn shù,variable factor; uncertainties; (math.) a variable -变文,biàn wén,a popular form of narrative literature flourishing in the Tang Dynasty (618-907) with alternate prose and rhymed parts for recitation and singing (often on Buddhist themes) -变星,biàn xīng,variable star -变暖,biàn nuǎn,to become warm -变暗,biàn àn,to darken -变更,biàn gēng,to change; to alter; to modify -变本加厉,biàn běn jiā lì,lit. change to more severe (idiom); to become more intense (esp. of shortcoming); to aggravate; to intensify -变格,biàn gé,case change (in grammar) -变样,biàn yàng,to change (appearance); to change shape -变样儿,biàn yàng er,erhua variant of 變樣|变样[bian4 yang4] -变法,biàn fǎ,to change the laws; political reform; unconventional method -变法儿,biàn fǎ er,to try by all available methods -变活,biàn huó,to come to life (by magic) -变流器,biàn liú qì,converter -变温动物,biàn wēn dòng wù,poikilothermal (cold-blooded) animal -变温层,biàn wēn céng,troposphere; lower atmosphere -变为,biàn wéi,to change into -变焦,biàn jiāo,(photography) zoom; (optics) to adjust the focus -变焦环,biàn jiāo huán,(photography) focus ring -变焦距镜头,biàn jiāo jù jìng tóu,zoom lens -变现,biàn xiàn,to realize (an asset); to liquidate; to sell for cash; to monetize -变现能力,biàn xiàn néng lì,liquidity; marketability -变生肘腋,biàn shēng zhǒu yè,lit. calamity in one's armpit (idiom); a major coup happening on one's doorstep; trouble or danger in one's own backyard -变产,biàn chǎn,to sell one's estate -变异,biàn yì,variation -变异型克雅氏症,biàn yì xíng kè yǎ shì zhèng,"variant Creutzfeldt-Jacobs disease, vCJD" -变异株,biàn yì zhū,variant; variant strain (of virus) -变相,biàn xiàng,in disguised form; covert -变矩器,biàn jǔ qì,(automobile) torque converter -变硬,biàn yìng,to stiffen -变砖,biàn zhuān,(of an electronic device) to brick; to become inoperable -变种,biàn zhǒng,(biology) a mutation; a variety; a variant; a variety -变节,biàn jié,betrayal; defection; turncoat; to change sides politically -变红,biàn hóng,to redden -变老,biàn lǎo,to grow old; to age; aging -变声,biàn shēng,voice change (at puberty); to alter one's voice (deliberately); to sound different (when angry etc) -变声器,biàn shēng qì,voice changer (device or software) -变脸,biàn liǎn,"to turn hostile suddenly; face changing, a device of Sichuan Opera, a dramatic change of attitude expressing fright, anger etc" -变色,biàn sè,to change color; to discolor; to change countenance; to become angry -变色易容,biàn sè yì róng,to change color and alter one's expression (idiom); to go white with fear; out of one's wits -变色龙,biàn sè lóng,(lit. and fig.) chameleon -变装皇后,biàn zhuāng huáng hòu,drag queen -变调,biàn diào,tone sandhi; modified tone; (music) to change key; modulation -变调夹,biàn diào jiā,capo -变卖,biàn mài,to sell off (one's property) -变质,biàn zhì,to degenerate; to deteriorate; (of food) to go bad; to go off; (geology) metamorphism -变质作用,biàn zhì zuò yòng,metamorphism (geology) -变质岩,biàn zhì yán,metamorphic rock (geology) -变身,biàn shēn,to undergo a transformation; to morph; to turn into; transformed version of sb or sth; new incarnation -变软,biàn ruǎn,to soften -变通,biàn tōng,pragmatic; flexible; to act differently in different situations; to accommodate to circumstances -变速,biàn sù,to change speed; to shift gear; variable-speed -变速传动,biàn sù chuán dòng,to change gear -变速器,biàn sù qì,gearbox; speed changer; gear -变速杆,biàn sù gǎn,gear lever; stick shift -变速箱,biàn sù xiāng,gearbox; transmission -变造,biàn zào,to alter; to modify; to mutilate (of documents) -变造币,biàn zào bì,illegally modified or altered currency -变道,biàn dào,to change lanes -变迁,biàn qiān,changes; vicissitudes -变量,biàn liàng,variable (math.) -变阻器,biàn zǔ qì,rheostat (variable resistor) -变电,biàn diàn,power transformation -变电站,biàn diàn zhàn,(transformer) substation -变革,biàn gé,to transform; to change -变革管理,biàn gé guǎn lǐ,change management (business) -变音记号,biàn yīn jì hao,"(music) accidental (symbol such as a sharp (♯), flat (♭), natural (♮) etc)" -变频,biàn pín,frequency conversion -变体,biàn tǐ,variant -变魔术,biàn mó shù,to perform magical tricks -变黑,biàn hēi,to darken -宴飨,yàn xiǎng,variant of 宴饗|宴飨[yan4 xiang3] -仇,chóu,variant of 仇[chou2] -雠,chóu,to collate; to proofread -仇,chóu,variant of 仇[chou2] -谗,chán,to slander; to defame; to misrepresent; to speak maliciously -谗佞,chán nìng,to defame one person while flattering another; a slandering toady -谗害,chán hài,to slander; to defame and persecute -谗言,chán yán,slander; slanderous report; calumny; false charge -谗谄,chán chǎn,to defame one person while flattering another; a slandering toady -谗邪,chán xié,lies and slander; malicious calumny -让,ràng,"to yield; to permit; to let sb do sth; to have sb do sth; to make sb (feel sad etc); by (indicates the agent in a passive clause, like 被[bei4])" -让人羡慕,ràng rén xiàn mù,enviable; to be admired -让位,ràng wèi,to abdicate; to yield -让利,ràng lì,to give a discount; to make a concession -让坐,ràng zuò,to give up one's seat; to be seated -让座,ràng zuò,to give up one's seat for sb -让步,ràng bù,to concede; to give in; to yield; a concession; (linguistics) concessive -让烟,ràng yān,to offer a cigarette -让球,ràng qiú,to concede points (in a game) -让畔,ràng pàn,to be accommodating in negotiating the boundary of one's field; (fig.) (of farmers in ancient times) to be good-hearted and honest -让胡路,ràng hú lù,"Ranghulu district of Daqing city 大慶|大庆[Da4 qing4], Heilongjiang" -让胡路区,ràng hú lù qū,"Ranghulu district of Daqing city 大慶|大庆[Da4 qing4], Heilongjiang" -让贤与能,ràng xián yǔ néng,to step aside and give a more worthy person a chance (idiom) -让路,ràng lù,to make way (for sth) -让开,ràng kāi,to get out of the way; to step aside -谰,lán,to make a false charge -谰言,lán yán,slander; calumny; to accuse unjustly -谰调,lán diào,slander; calumny; to accuse unjustly -谶,chèn,prophecy; omen -谶纬,chèn wěi,"divination combined with mystical Confucian philosopy, prevalent during the Eastern Han Dynasty (25-220)" -谶语,chèn yǔ,prophecy; prophetic remark -欢,huān,hubbub; clamor; variant of 歡|欢[huan1] -赞,zàn,variant of 贊|赞[zan4]; to praise -赞不绝口,zàn bù jué kǒu,to praise without cease (idiom); praise sb to high heaven -赞同,zàn tóng,to approve of; to endorse; (vote) in favor -赞叹,zàn tàn,to exclaim in admiration -赞扬,zàn yáng,to praise; to approve of; to show approval -赞美,zàn měi,to admire; to praise; to eulogize -赞许,zàn xǔ,to praise; to laud -赞赏,zàn shǎng,to admire; to praise; to appreciate -赞颂,zàn sòng,to bless; to praise -谠,dǎng,honest; straightforward -谳,yàn,to decide judicially -讬,tuō,nonstandard simplified variant of 託|托[tuo1] -谷,gǔ,surname Gu -谷,gǔ,valley -谷口,gǔ kǒu,Taniguchi (Japanese surname) -谷地,gǔ dì,valley -谷城,gǔ chéng,"Gucheng county in Xiangfan 襄樊[Xiang1 fan2], Hubei" -谷城县,gǔ chéng xiàn,"Gucheng county in Xiangfan 襄樊[Xiang1 fan2], Hubei" -谷底,gǔ dǐ,valley floor; (fig.) lowest ebb; all-time low -谷歌,gǔ gē,"Google, Internet company and search engine" -谷氨酰胺,gǔ ān xiān àn,"glutamine (Gln), an amino acid" -溪,xī,variant of 溪[xi1] -豁,huá,to play Chinese finger-guessing game -豁,huō,opening; stake all; sacrifice; crack; slit -豁,huò,open; clear; liberal-minded; generous; to exempt; to remit -豁免,huò miǎn,to exempt; exemption -豁免权,huò miǎn quán,immunity from prosecution -豁出去,huō chu qu,to throw caution to the wind; to press one's luck; to go for broke -豁拳,huá quán,variant of 划拳[hua2 quan2] -豁楞,huō leng,(dialect) (variant of 劐弄[huo1 leng5]) to mix; to stir; to make trouble -豁然,huò rán,wide and open; a flash of understanding -豁然开朗,huò rán kāi lǎng,suddenly opens up to a wide panorama (idiom); to come to a wide clearing; fig. everything becomes clear at once; to achieve speedy enlightenment -豁达,huò dá,optimistic; sanguine; generous; magnanimous; open-minded -豆,dòu,"legume; pulse; bean; pea (CL:顆[ke1],粒[li4]); (old) stemmed cup or bowl" -豆乳,dòu rǔ,soybean milk; fermented bean curd -豆干,dòu gān,variant of 豆干[dou4gan1] -豆佉,dòu qū,"(Buddhism) suffering (from Sanskrit ""dukkha"")" -豆奶,dòu nǎi,soy milk -豆子,dòu zi,bean; pea; CL:顆|颗[ke1] -豆寇年华,dòu kòu nián huá,erroneous variant of 豆蔻年華|豆蔻年华[dou4 kou4 nian2 hua2] -豆干,dòu gān,"pressed tofu; dried tofu (ingredient of Chinese cuisine made by pressing, drying and flavoring tofu to produce a firm chewy block, typically cut into thin strips when preparing a dish)" -豆汁,dòu zhī,"douzhi, fermented drink made from ground mung beans; soy milk" -豆沙,dòu shā,sweetened bean paste -豆沙包,dòu shā bāo,bean paste bun -豆油,dòu yóu,soy bean oil; (dialect) soy sauce -豆渣,dòu zhā,"okara (i.e. soy pulp, a by-product of making soymilk or tofu)" -豆渣脑筋,dòu zhā nǎo jīn,idiot; porridge head -豆满江,dòu mǎn jiāng,"Dumangang, Korean name of Tumen river 圖們江|图们江[Tu2 men2 jiang1] in Jilin province, forming the eastern border between China and North Korea" -豆浆,dòu jiāng,soy milk -豆瓣,dòu bàn,"Douban, PRC social networking website" -豆瓣,dòu bàn,cotyledon of a bean (i.e. either of the halves of a bean seed that can be split apart after removing the seed coat); thick bean sauce (abbr. for 豆瓣醬|豆瓣酱[dou4 ban4 jiang4]) -豆瓣网,dòu bàn wǎng,"Douban, PRC social networking website" -豆瓣菜,dòu bàn cài,watercress (Nasturtium officinale) -豆瓣酱,dòu bàn jiàng,sticky chili bean sauce; doubanjiang -豆皮,dòu pí,dried beancurd (tofu) -豆科,dòu kē,Fabaceae; Leguminosae; legume family (botany) -豆科植物,dòu kē zhí wù,legume; leguminous plant -豆腐,dòu fu,tofu; bean curd -豆腐乳,dòu fu rǔ,fermented bean curd -豆腐干,dòu fu gān,see 豆干[dou4gan1] -豆腐渣,dòu fu zhā,"okara (i.e. soy pulp, a by-product of making soymilk or tofu)" -豆腐渣工程,dòu fu zhā gōng chéng,jerry-built building project; lit. built on soybean dregs -豆腐皮,dòu fu pí,"tofu skin (made by drying the skin that forms on the surface of soymilk during cooking, and therefore not actually made from tofu)" -豆腐脑,dòu fu nǎo,jellied tofu; soft bean curd -豆腐花,dòu fu huā,jellied tofu; soft bean curd -豆花,dòu huā,jellied tofu; soft bean curd -豆芽,dòu yá,bean sprout -豆芽菜,dòu yá cài,bean sprouts -豆苗,dòu miáo,pea shoots; bean seedling -豆荚,dòu jiá,pod (of legumes) -豆菊,dòu jú,fried tofu skin (typically used as a hot pot ingredient) -豆蓉,dòu róng,sweetened bean paste -豆蓉包,dòu róng bāo,bean paste bun -豆蔻,dòu kòu,cardamom (Elettaria cardamomum); fig. a girl's teenage years; maidenhood; a budding beauty -豆蔻年华,dòu kòu nián huá,(of a girl) 13 or 14 years old; early teens; adolescence -豆薯,dòu shǔ,"yam bean (Pachyrhizus erosus), a vine with sweet edible root" -豆薯属,dòu shǔ shǔ,yam bean; Pachyrhizus genus -豆袋弹,dòu dài dàn,bean bag round -豆制品,dòu zhì pǐn,legume-based product; soybean product -豆角,dòu jiǎo,string bean; snap bean; green bean -豆角儿,dòu jiǎo er,erhua variant of 豆角[dou4 jiao3] -豆豆帽,dòu dòu mào,beanie -豆豆鞋,dòu dòu xié,"loafers (the name comes from the rubber ""pebbles"", which resemble beans, on the sole of some loafers)" -豆豉,dòu chǐ,black bean; black bean sauce -豆豉酱,dòu chǐ jiàng,black bean sauce -豆雁,dòu yàn,(bird species of China) taiga bean goose (Anser fabalis) -豆类,dòu lèi,bean -豇,jiāng,cowpeas; black-eyed beans -豇豆,jiāng dòu,cowpea; black-eyed bean -岂,kǎi,old variant of 愷|恺[kai3]; old variant of 凱|凯[kai3] -岂,qǐ,how? (emphatic question) -岂不,qǐ bù,how couldn't...?; wouldn't it...? -岂敢,qǐ gǎn,how could one dare?; I don't deserve such praise -岂料,qǐ liào,who would have thought that; who would have expected that -岂有此理,qǐ yǒu cǐ lǐ,how can this be so? (idiom); preposterous; ridiculous; absurd -岂止,qǐ zhǐ,not only; far from; more than -岂非,qǐ fēi,wouldn't it be ... ? -豉,chǐ,salted fermented beans -豉油,chǐ yóu,soy sauce (chiefly in Cantonese and Hakka areas) -豊,fēng,variant of 豐|丰[feng1] -豊,lǐ,ceremonial vessel; variant of 禮|礼[li3] -豌,wān,peas -豌豆,wān dòu,pea (Pisum sativum) -豌豆尖,wān dòu jiān,pea shoots -豌豆粥,wān dòu zhōu,pea gruel -豌豆象,wān dòu xiàng,pea weevil -竖,shù,to erect; vertical; vertical stroke (in Chinese characters) -竖井,shù jǐng,"vertical shaft (for mining, ventilation systems etc)" -竖式,shù shì,standing; vertical -竖弯钩,shù wān gōu,乚 stroke in Chinese characters -竖折,shù zhé,(downwards-starting right angle character stroke) -竖提,shù tí,stroke𠄌 in Chinese characters (e.g. 以[yi3]) -竖琴,shù qín,harp -竖直,shù zhí,vertical; to erect; to set upright; vertical stroke in Chinese characters; young servant (old) -竖立,shù lì,to erect; to set upright; to stand -竖笛,shù dí,recorder; (Tw) clarinet -竖笔,shù bǐ,vertical stroke (in Chinese characters) -竖蛋,shù dàn,see 立蛋[li4 dan4] -竖起,shù qǐ,to erect (a tent etc); to prick up (one's ears); to raise (one's eyebrows); to stick up (one's thumb); to turn up (one's collar); (of a bird) to puff up (one's feathers) -竖起大拇指,shù qǐ dà mu zhǐ,to give a thumbs-up; to express one's approval -竖起耳朵,shù qǐ ěr duo,to prick up one's ears; to strain to hear sth -竖钩,shù gōu,vertical stroke with a hook at the end (in Chinese characters) -丰,fēng,surname Feng -丰,fēng,abundant; plentiful; fertile; plump; great -丰乳,fēng rǔ,to enlarge one's breasts (e.g. by surgery); large breasts -丰俭由人,fēng jiǎn yóu rén,(idiom) fancy or simple according to one's budget -丰功,fēng gōng,brilliant (exploit); meritorious (achievement) -丰功伟绩,fēng gōng wěi jì,glorious achievement (idiom) -丰南,fēng nán,"Fengnan district of Tangshan city 唐山市[Tang2 shan1 shi4], Hebei" -丰南区,fēng nán qū,"Fengnan district of Tangshan city 唐山市[Tang2 shan1 shi4], Hebei" -丰厚,fēng hòu,generous; ample -丰原,fēng yuán,"Fengyuan or Fongyuan City in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -丰原市,fēng yuán shì,"Fongyuan or Fengyuan City in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -丰台,fēng tái,"Fengtai, an inner district of southwest Beijing" -丰台区,fēng tái qū,"Fengtai, an inner district of southwest Beijing" -丰城,fēng chéng,"Fengcheng, county-level city in Yichun 宜春, Jiangxi" -丰城市,fēng chéng shì,"Fengcheng, county-level city in Yichun 宜春, Jiangxi" -丰富,fēng fù,to enrich; rich; plentiful; abundant -丰富多彩,fēng fù duō cǎi,richly colorful -丰宁,fēng níng,"Fengning Manchu autonomous county in Chengde 承德[Cheng2 de2], Hebei" -丰宁满族自治县,fēng níng mǎn zú zì zhì xiàn,"Fengning Manchu Autonomous County in Chengde 承德[Cheng2 de2], Hebei" -丰宁县,fēng níng xiàn,"Fengning Manchu autonomous county in Chengde 承德[Cheng2 de2], Hebei" -丰年,fēng nián,prosperous year; year with bumper harvest -丰度,fēng dù,abundance -丰收,fēng shōu,bumper harvest -丰水,fēng shuǐ,abundant water; high water level -丰沛,fēng pèi,copious; plentiful (of water); surging (of waves); refers to home village of first Han emperor 漢高祖|汉高祖[Han4 Gao1 zu3]; fig. majestic -丰溪,fēng xī,"Fengxi, common place name; P'unggye in Kilju county, North Hamgyeong province, the North Korean nuclear test site" -丰溪里,fēng xī lǐ,"P'unggye in Kilju county, North Hamgyeong province, the North Korean nuclear test site" -丰满,fēng mǎn,"Fengman district of Jilin city 吉林市, Jilin province" -丰满,fēng mǎn,ample; well developed; fully rounded -丰满区,fēng mǎn qū,"Fengman district of Jilin city 吉林市, Jilin province" -丰润,fēng rùn,"Fengrun district of Tangshan city 唐山市[Tang2 shan1 shi4], Hebei" -丰润区,fēng rùn qū,"Fengrun district of Tangshan city 唐山市[Tang2 shan1 shi4], Hebei" -丰泽,fēng zé,"Fengze, a district of Quanzhou City 泉州市[Quan2zhou1 Shi4], Fujian" -丰泽区,fēng zé qū,"Fengze, a district of Quanzhou City 泉州市[Quan2zhou1 Shi4], Fujian" -丰滨,fēng bīn,"Fengbin or Fengpin township in Hualien County 花蓮縣|花莲县[Hua1 lian2 Xian4], east Taiwan" -丰滨乡,fēng bīn xiāng,"Fengbin or Fengpin township in Hualien County 花蓮縣|花莲县[Hua1 lian2 Xian4], east Taiwan" -丰产,fēng chǎn,high yield; bumper crop -丰田,fēng tián,"Toyota or Toyoda (name); Toyota, Japanese car make" -丰登,fēng dēng,plentiful harvest; bumper crop -丰盈,fēng yíng,well-rounded; plump -丰盛,fēng shèng,rich; sumptuous -丰碑,fēng bēi,large inscribed stele; fig. great achievement; imperishable masterpiece -丰硕,fēng shuò,plentiful; substantial; rich (in resources etc) -丰县,fēng xiàn,"Feng county in Xuzhou 徐州[Xu2 zhou1], Jiangsu" -丰美,fēng měi,abundant and prosperous -丰胸,fēng xiōng,see 隆胸[long2 xiong1] -丰腴,fēng yú,full-bodied; well-rounded; fig. fertile land -丰臣秀吉,fēng chén xiù jí,"TOYOTOMI Hideyoshi (1536-1598), Japanese warlord, undisputed ruler of Japan 1590-1598" -丰衣足食,fēng yī zú shí,having ample food and clothing (idiom); well fed and clothed -丰裕,fēng yù,well-off; affluent -丰足,fēng zú,abundant; plenty -丰都,fēng dū,"Fengdu, a county in Chongqing 重慶|重庆[Chong2qing4]" -丰都县,fēng dū xiàn,"Fengdu, a county in Chongqing 重慶|重庆[Chong2qing4]" -丰镇,fēng zhèn,"Fengzhen city in Ulaanchab 烏蘭察布|乌兰察布[Wu1 lan2 cha2 bu4], Inner Mongolia" -丰镇市,fēng zhèn shì,"Fengzhen city in Ulaanchab 烏蘭察布|乌兰察布[Wu1 lan2 cha2 bu4], Inner Mongolia" -丰顺,fēng shùn,"Fengshun county in Meizhou 梅州, Guangdong" -丰顺县,fēng shùn xiàn,"Fengshun county in Meizhou 梅州, Guangdong" -丰饶,fēng ráo,rich and fertile -艳,yàn,old variant of 豔|艳[yan4] -艳,yàn,variant of 艷|艳[yan4] -艳阳天,yàn yáng tiān,bright sunny day; blazing hot day -豕,shǐ,hog; swine -豖,chù,a shackled pig -豚,tún,suckling pig -豚鼠,tún shǔ,guinea pig (Cavia porcellus) -象,xiàng,elephant; CL:隻|只[zhi1]; shape; form; appearance; to imitate -象山,xiàng shān,"Xiangshan district of Guilin city 桂林市[Gui4 lin2 shi4], Guangxi; Xiangshan county in Ningbo 寧波|宁波[Ning2 bo1], Zhejiang" -象山区,xiàng shān qū,"Xiangshan district of Guilin city 桂林市[Gui4 lin2 shi4], Guangxi" -象山县,xiàng shān xiàn,"Xiangshan county in Ningbo 寧波|宁波[Ning2 bo1], Zhejiang" -象州,xiàng zhōu,"Xiangzhou county in Laibin 來賓|来宾[Lai2 bin1], Guangxi" -象州县,xiàng zhōu xiàn,"Xiangzhou county in Laibin 來賓|来宾[Lai2 bin1], Guangxi" -象形,xiàng xíng,pictogram; one of the Six Methods 六書|六书 of forming Chinese characters; Chinese character derived from a picture; sometimes called hieroglyph -象形字,xiàng xíng zì,pictogram (one of the Six Methods 六書|六书 of forming Chinese characters); Chinese character derived from a picture; sometimes called hieroglyph -象形文字,xiàng xíng wén zì,pictogram; hieroglyph -象征,xiàng zhēng,emblem; symbol; token; badge; to symbolize; to signify; to stand for -象征主义,xiàng zhēng zhǔ yì,symbolism -象征性,xiàng zhēng xìng,symbolic; emblem; token -象拔蚌,xiàng bá bàng,"elephant trunk clam; geoduck (Panopea abrupta), large clam with a long proboscis (native to the west coast of North America)" -象棋,xiàng qí,Chinese chess; CL:副[fu4] -象棋赛,xiàng qí sài,Chinese chess tournament -象样,xiàng yàng,variant of 像樣|像样[xiang4 yang4] -象海豹,xiàng hǎi bào,elephant seal -象牙,xiàng yá,ivory; elephant tusk -象牙塔,xiàng yá tǎ,ivory tower -象牙海岸,xiàng yá hǎi àn,Côte d'Ivoire or Ivory Coast (Tw) -象甲,xiàng jiǎ,weevil; snout beetle -象声词,xiàng shēng cí,onomatopoeia -象虫,xiàng chóng,weevil; snout beetle -象话,xiàng huà,variant of 像話|像话[xiang4hua4] -象限,xiàng xiàn,quadrant (in coordinate geometry) -象鼻山,xiàng bí shān,"Elephant Trunk Hill in Guilin, Guangxi" -象鼻虫,xiàng bí chóng,weevil; snout beetle -豢,huàn,to rear; to raise (animals) -豢圉,huàn yǔ,pen for animals; animal barn or stable -豢养,huàn yǎng,"to keep (an animal); to look after the needs of (a person or an animal); (fig.) to keep (a spy, lackey etc) in one's pay" -豦,qú,a wild boar; to fight -豪,háo,grand; heroic -豪侠,háo xiá,brave and chivalrous -豪杰,háo jié,hero; towering figure -豪壮,háo zhuàng,magnificent; heroic -豪奢,háo shē,extravagant; luxurious -豪宅,háo zhái,grand residence; mansion -豪富,háo fù,rich and powerful; rich and influential person; big shot -豪强,háo qiáng,despot; tyrant; bully -豪情壮志,háo qíng zhuàng zhì,lofty ideals; noble aspirations -豪放,háo fàng,bold and unconstrained; powerful and free -豪气,háo qì,heroic spirit; heroism -豪气干云,háo qì gān yún,lit. heroism reaching to the clouds (idiom) -豪爽,háo shuǎng,outspoken and straightforward; forthright; expansive -豪绅,háo shēn,local despot -豪华,háo huá,luxurious -豪华型,háo huá xíng,deluxe model -豪华轿车,háo huá jiào chē,limousine; luxury carriage -豪萨语,háo sà yǔ,the Hausa language -豪言壮语,háo yán zhuàng yǔ,"bold, visionary words" -豪猪,háo zhū,porcupine -豪迈,háo mài,bold; open-minded; heroic -豪门,háo mén,rich and powerful (families); aristocratic; big shots -豪雨,háo yǔ,violent rain (e.g. due to monsoon or typhoon); cloudburst -豫,yù,abbr. for Henan province 河南 in central China -豫,yù,happy; carefree; at one's ease; variant of 預|预[yu4]; old variant of 與|与[yu4] -豫剧,yù jù,Henan opera -豫告,yù gào,variant of 預告|预告[yu4 gao4]; to forecast; to predict; advance notice -猪,zhū,"hog; pig; swine; CL:口[kou3],頭|头[tou2]" -猪下水,zhū xià shuǐ,pig offal -猪仔包,zhū zǎi bāo,"a French-style bread, similar to a small baguette, commonly seen in Hong Kong and Macao" -猪仔馆,zhū zǎi guǎn,pigsty -猪倌,zhū guān,swineherd -猪八戒,zhū bā jiè,"Zhu Bajie, character in Journey to the West 西遊記|西游记, with pig-like characteristics and armed with a muckrake; Pigsy in Arthur Waley's translation" -猪圈,zhū juàn,pigsty (lit. and fig.) -猪场,zhū chǎng,piggery -猪婆龙,zhū pó lóng,Chinese alligator (Alligator sinensis) -猪尾巴,zhū wěi ba,pig's tail (meat) -猪年,zhū nián,Year of the Boar (e.g. 2007) -猪悟能,zhū wù néng,"Zhu Bajie 豬八戒|猪八戒[Zhu1 Ba1 jie4] or Zhu Wuneng, Pigsy or Pig (in Journey to the West)" -猪扒,zhū pá,see 豬排|猪排[zhu1 pai2] -猪拱菌,zhū gǒng jūn,Chinese truffle -猪排,zhū pái,pork ribs; pork chop -猪朋狗友,zhū péng gǒu yǒu,dissolute companions; disreputable comrades -猪柳,zhū liǔ,pork fillet -猪水泡病,zhū shuǐ pào bìng,swine vesicular disease (SVD) -猪油,zhū yóu,lard -猪流感,zhū liú gǎn,swine influenza; swine flu; influenza A (H1N1) -猪流感病毒,zhū liú gǎn bìng dú,swine influenza virus (SIV) -猪湾,zhū wān,Bay of Pigs (Cuba) -猪狗,zhū gǒu,pig-dog (intended as insult); Schweinhund -猪狗不如,zhū gǒu bù rú,worse than a dog or pig; lower than low -猪瘟,zhū wēn,swine fever -猪窠,zhū kē,pigsty -猪笼,zhū lóng,cylindrical bamboo or wire frame used to constrain a pig during transport -猪笼草,zhū lóng cǎo,tropical pitcher plant (i.e. genus Nepenthes) -猪精,zhū jīng,"pork bouillon powder; (neologism) (slang) a person who, like a pig, is fat and ugly and given to histrionics" -猪肉,zhū ròu,pork -猪肚,zhū dǔ,pork tripe -猪苓,zhū líng,poria mushroom (Polyporus umbellatus) -猪草,zhū cǎo,ragweed (Ambrosia artemisiifolia); fishwort (Houttuynia cordata) -猪血糕,zhū xiě gāo,"pig's blood cake, popular as a snack in Taiwan, made from glutinous rice and pig's blood, typically coated in peanut powder and coriander and served with dipping sauces" -猪蹄,zhū tí,pig trotters -猪链球菌,zhū liàn qiú jūn,pig streptococcus; streptococcus suis -猪链球菌病,zhū liàn qiú jūn bìng,streptococcus suis (swine-borne disease) -猪队友,zhū duì yǒu,"(slang) incompetent teammate, coworker etc" -猪头,zhū tóu,pig head; (coll.) fool; jerk -豱,wēn,short-headed pig -豱公,wēn gōng,piggy (joking name) -豳,bīn,name of an ancient county in Shaanxi; variant of 彬[bin1] -豸,zhì,worm-like invertebrate; mythical animal (see 獬豸[xie4 zhi4]); radical in Chinese characters (Kangxi radical 153) -豹,bào,leopard; panther -豹子,bào zi,leopard; CL:頭|头[tou2] -豹拳,bào quán,"Bao Quan - ""Leopard Fist"" - Martial Art" -豹纹,bào wén,leopard pattern; leopard print -豹猫,bào māo,leopard cat (Prionailurus bengalensis) -豺,chái,dog-like animal; ravenous beast; dhole (Cuon Alpinus); jackal -豺狼,chái láng,jackal and wolf; ravenous wolf; fig. evil person; vicious tyrant -豺狼塞路,chái láng sāi lù,ravenous wolves block the road (idiom); wicked people in power; a vicious tyranny rules the land -豺狼座,chái láng zuò,Lupus (constellation) -豺狼当涂,chái láng dāng tú,ravenous wolves hold the road (idiom); wicked people in power; a vicious tyranny rules the land -豺狼当路,chái láng dāng lù,ravenous wolves hold the road (idiom); wicked people in power; a vicious tyranny rules the land -豺狼当道,chái láng dāng dào,ravenous wolves hold the road (idiom); wicked people in power; a vicious tyranny rules the land -豺狼虎豹,chái láng hǔ bào,"lit. jackals, wolves, tigers and panthers (idiom); fig. nasty, cruel people" -豻,àn,jail -豻,hàn,(canine) -貂,diāo,sable or marten (genus Martes) -貂熊,diāo xióng,wolverine (Gulo gulo) -貂皮,diāo pí,mink fur -貂蝉,diāo chán,"Diaochan (-192), one of the four legendary beauties 四大美女[si4 da4 mei3 nu:3], in fiction a famous beauty at the break-up of Han dynasty, given as concubine to usurping warlord Dong Zhuo 董卓[Dong3 Zhuo2] to ensure his overthrow by fighting hero Lü Bu 呂布|吕布[Lu:3 Bu4]" -貂裘换酒,diāo qiú huàn jiǔ,lit. to trade a fur coat for wine (idiom); fig. (of wealthy people) to lead a dissolute and extravagant life -貅,xiū,"see 貔貅[pi2 xiu1], composite mythical animal (originally 貅 was the female)" -貉,hé,"raccoon dog (Nyctereutes procyonoides); raccoon of North China, Korea and Japan (Japanese: tanuki); also pr. [hao2]" -貉,mò,old term for northern peoples; silent -貉子,háo zi,"raccoon dog (Nyctereutes procyonoides); raccoon of North China, Korea and Japan (Japanese: tanuki); also called 狸" -貉绒,háo róng,precious fur obtained from skin of raccoon dog after removing hard bristle -貊,mò,name of a wild tribe; silent -貌,mào,appearance -貌似,mào sì,to appear to be; to seem as if -貌合心离,mào hé xīn lí,"the appearance of unity, but divided at heart (idiom); seeming harmony belies underlying disagreement" -貌合神离,mào hé shén lí,"the appearance of unity, but divided at heart (idiom); seeming harmony belies underlying disagreement" -貌相,mào xiàng,appearance (esp. superficial); looks; to judge a person by appearances -貌美,mào měi,good looks; pretty (e.g. young woman) -貌美如花,mào měi rú huā,(of a woman) lovely as a flower (idiom); beautiful -貌若潘安,mào ruò pān ān,to have the looks of a Pan An 潘安[Pan1 An1] (referring to a historical figure said to be extremely handsome) -狸,lí,variant of 狸[li2] -猊,ní,wild beast; wild horse; lion; trad. form used erroneously for 貌; simplified form used erroneously for 狻 -猫,māo,cat (CL:隻|只[zhi1]); (dialect) to hide oneself; (loanword) (coll.) modem -猫,máo,used in 貓腰|猫腰[mao2yao1] -猫儿,māo ér,kitten -猫儿山,māo ér shān,"Kitten Mountain, Guangxi" -猫匿,māo nì,see 貓膩|猫腻[mao1 ni4] -猫叫声,māo jiào shēng,mew -猫咖,māo kā,cat café -猫咪,māo mī,kitty -猫哭老鼠,māo kū lǎo shǔ,the cat weeps for the dead mouse (idiom); hypocritical pretence of condolence; crocodile tears -猫哭耗子,māo kū hào zi,the cat weeps for the dead mouse (idiom); hypocritical pretence of condolence; crocodile tears -猫奴,māo nú,"cat owner (neologism c. 2013, jocular)" -猫娘,māo niáng,(ACG) catgirl -猫屎咖啡,māo shǐ kā fēi,"""kopi luwak"" or civet coffee, made from coffee beans plucked from Asian palm civet's feces" -猫抓病,māo zhuā bìng,cat scratch disease; cat scratch fever -猫本,māo běn,Melbourne (slang alternative for 墨爾本|墨尔本[Mo4 er3 ben3]) -猫步,māo bù,cat-like gait; sashaying gait of a catwalk model -猫沙,māo shā,cat litter; kitty litter -猫熊,māo xióng,see 熊貓|熊猫[xiong2 mao1] -猫王,māo wáng,"Elvis Presley (1935-1977), US pop singer and film star; transliterated as 埃爾維斯·普雷斯利|埃尔维斯·普雷斯利[Ai1 er3 wei2 si1 · Pu3 lei2 si1 li4]" -猫瘟,māo wēn,feline panleukopenia; feline distemper -猫眼,māo yǎn,peephole (in a door); (mineralogy) chrysoberyl -猫眼儿,māo yǎn er,erhua variant of 貓眼|猫眼[mao1 yan3] -猫科,māo kē,Felidae (the cat family) -猫声鸟,māo shēng niǎo,catbird -猫腰,máo yāo,to bend over; to stoop down; Taiwan pr. [mao1yao1] -猫腻,māo nì,(coll.) something fishy; shenanigans -猫薄荷,māo bò he,catnip; catmint -猫门,māo mén,cat door; cat flap -猫雾族,māo wù zú,"Babuza, one of the indigenous peoples of Taiwan" -猫头鹰,māo tóu yīng,owl -猫鼠游戏,māo shǔ yóu xì,cat and mouse game -猫鼬,māo yòu,see 狐獴[hu2 meng3] -貔,pí,"see 貔貅[pi2 xiu1], composite mythical animal (originally 貔 was the male)" -貔貅,pí xiū,"mythical animal that brings luck and wards off evil, having head of a dragon and lion's body, often with hoofs, wings and tail; also written 辟邪; fig. valiant soldier" -貘,mò,tapir -獾,huān,variant of 獾[huan1] -贝,bèi,surname Bei -贝,bèi,cowrie; shellfish; currency (archaic) -贝丘,bèi qiū,shell mound -贝九,bèi jiǔ,Beethoven's Ninth -贝克,bèi kè,Baker or Becker (name) -贝克,bèi kè,"becquerel (unit of radioactivity, symbol Bq) (abbr. for 貝克勒爾|贝克勒尔[bei4 ke4 le4 er3])" -贝克勒尔,bèi kè lè ěr,"becquerel (unit of radioactivity, symbol Bq); abbr. to 貝克|贝克[bei4 ke4]" -贝克汉姆,bèi kè hàn mǔ,"Beckenham or Beckham (name); David Beckham (1975-), British midfield footballer" -贝克尔,bèi kè ěr,Baker or Becker (name) -贝内特,bèi nèi tè,Bennett (surname) -贝利卡登,bèi lì kǎ dēng,"Ballycotton (Irish: Baile Choitín), village near Cork; Ballycotton, music band" -贝加尔湖,bèi jiā ěr hú,Lake Baikal -贝加莱,bèi jiā lái,"B&R Industrial Automation International Trade (Shanghai) Co., Ltd." -贝努力,bèi nǔ lì,"Bernoulli (Swiss mathematical family, including Johann (1667-1748) and Daniel (1700-1782))" -贝南,bèi nán,Benin (Tw) -贝卡谷地,bèi kǎ gǔ dì,Bekaa Valley between Lebanon and Syria -贝司,bèi sī,bass (loanword) -贝塔,bèi tǎ,beta (Greek letter Ββ) -贝塔斯曼,bèi tǎ sī màn,"Bertelsmann, German media company" -贝多,bèi duō,"pattra palm tree (loan from Sanskrit, Corypha umbraculifera), whose leaves were used as paper substitute for Buddhist sutras" -贝多罗树,bèi duō luó shù,"Talipot palm (Corypha umbraculifera), whose leaves were used as writing media" -贝多芬,bèi duō fēn,"Ludwig van Beethoven (1770-1827), German composer" -贝娅特丽克丝,bèi yà tè lì kè sī,Beatrix (name) -贝嫂,bèi sǎo,nickname for Victoria Beckham -贝宁,bèi níng,Benin -贝宝,bèi bǎo,PayPal (Internet payment and money transfer company) -贝拉,bèi lā,"Beira, Mozambique" -贝拉米,bèi lā mǐ,Bellamy -贝斯,bèi sī,"Bes, a minor god of ancient Egypt" -贝斯,bèi sī,bass (loanword); bass guitar -贝斯吉他,bèi sī jí tā,bass guitar -贝果,bèi guǒ,bagel (loanword) -贝柱,bèi zhù,the cylindrical adductor muscle of bivalve shellfish such as scallops -贝壳,bèi ké,shell (of a mollusk) -贝壳儿,bèi ké er,erhua variant of 貝殼|贝壳[bei4 ke2] -贝母,bèi mǔ,the bulb of the fritillary (Fritillaria thunbergii) -贝尔,bèi ěr,Bell (person name) -贝尔墨邦,bèi ěr mò bāng,"Belmopan, capital of Belize (Tw)" -贝尔实验室,bèi ěr shí yàn shì,Bell Labs -贝尔格勒,bèi ěr gé lè,"Belgrade, capital of Serbia (Tw)" -贝尔格莱德,bèi ěr gé lái dé,"Belgrade, capital of Serbia" -贝尔法斯特,bèi ěr fǎ sī tè,"Belfast, capital of Northern Ireland" -贝尔湖,bèi ěr hú,Buir Lake of Inner Mongolia -贝尔莫潘,bèi ěr mò pān,"Belmopan, capital of Belize" -贝卢斯科尼,bèi lú sī kē ní,"Silvio Berlusconi (1936-), Italian media magnate and right-wing politician, prime minister of Italy 1994-1995, 2001-2006, 2008-2011" -贝纳通,bèi nà tōng,"Benetton, clothes company" -贝聿铭,bèi yù míng,"Pei Ieoh Ming or I.M. Pei (1917-2019), Chinese-American architect" -贝叶,bèi yè,"pattra palm tree (Corypha umbraculifera), whose leaves were used as paper substitute for Buddhist sutras" -贝叶斯,bèi yè sī,"Bayes (name); Thomas Bayes (1702-1761), English mathematician and theologian" -贝叶棕,bèi yè zōng,"pattra palm tree (Corypha umbraculifera), whose leaves were used as paper substitute for Buddhist sutras" -贝叶经,bèi yè jīng,sutra written on leaves of pattra palm tree -贝里斯,bèi lǐ sī,Belize (Tw) -贝雕,bèi diāo,shell carving -贝雷帽,bèi léi mào,beret (loanword) -贝类,bèi lèi,shellfish; mollusks -贝鲁特,bèi lǔ tè,"Beirut, capital of Lebanon" -贝齿,bèi chǐ,pearly white teeth; cowry -贞,zhēn,chaste -贞女,zhēn nǚ,female virgin; widow who does not remarry -贞德,zhēn dé,"Jeanne d'Arc (1412-1431), French heroine and liberator, executed as a witch by the Burgundians and English; also called Jehanne Darc, the Maid or Orleans, Joan of Arc or St Joan" -贞操,zhēn cāo,(usually of women) chastity; virginity; virtue; honor; loyalty; moral integrity -贞操带,zhēn cāo dài,chastity belt -贞洁,zhēn jié,chastity -贞烈,zhēn liè,ready to die to preserve one's chastity -贞节,zhēn jié,chastity; virginity (of women); moral integrity (of men); loyalty; constancy -贞节牌坊,zhēn jié pái fāng,memorial arch in honor of a chaste widow -贞丰,zhēn fēng,"Zhenfeng county in Qianxinan Buyei and Miao autonomous prefecture 黔西南州[Qian2 xi1 nan2 zhou1], Guizhou" -贞丰县,zhēn fēng xiàn,"Zhenfeng county in Qianxinan Buyei and Miao autonomous prefecture 黔西南州[Qian2 xi1 nan2 zhou1], Guizhou" -负,fù,to bear; to carry (on one's back); to turn one's back on; to be defeated; negative (math. etc) -负一屏,fù yī píng,left panel (displayed by swiping right from the main panel of the home screen) -负一层,fù yī céng,(architecture) basement level 1; floor B1 -负值,fù zhí,negative value (math.) -负债,fù zhài,to be in debt; to incur debts; liability (finance) -负债累累,fù zhài lěi lěi,deep in debt -负伤,fù shāng,to be wounded; to sustain an injury -负优化,fù yōu huà,to degrade the performance of a sold product via a system update -负分,fù fēn,"negative score; minus (in grades, such as A-)" -负反馈,fù fǎn kuì,negative feedback -负向,fù xiàng,"negative (response, emotion etc)" -负增长,fù zēng zhǎng,negative growth; economic recession -负压,fù yā,suction; negative pressure -负外部性,fù wài bù xìng,"negative influence, effect that people's doings or behavior have on others (society)" -负心,fù xīn,ungrateful; heartless; to fail to be loyal to one's love -负心汉,fù xīn hàn,traitor to one's love; heartless rat -负担,fù dān,"to bear (an expense, a responsibility etc); burden" -负担不起,fù dān bu qǐ,cannot afford; cannot bear the burden -负担者,fù dān zhě,bearer -负整数,fù zhěng shù,negative integer -负数,fù shù,negative number -负方,fù fāng,the losing side -负有,fù yǒu,to be responsible for -负有责任,fù yǒu zé rèn,at fault; blamed for; responsible (for a blunder or crime) -负极,fù jí,negative pole; cathode -负气,fù qì,in a pique; sulky; cross -负片,fù piàn,negative (in photography) -负疚,fù jiù,(literary) to feel apologetic; to feel guilty -负相关,fù xiāng guān,negative correlation -负累,fù lěi,to implicate; to involve -负累,fù lèi,burden -负翁,fù wēng,"debtor (jocular term, homonymous with 富翁[fu4 weng1])" -负能量,fù néng liàng,negative energy; negativity -负荆请罪,fù jīng qǐng zuì,lit. to bring a bramble and ask for punishment (idiom); fig. to offer sb a humble apology -负荷,fù hè,load; burden; charge -负号,fù hào,negative value sign - (math.); minus sign -负责,fù zé,to be responsible for; to be in charge of; to bear responsibility for; conscientious -负责人,fù zé rén,person in charge -负责任,fù zé rèn,to take responsibility; to bear responsibility; to be responsible -负载,fù zài,to carry; to support; load -负载均衡,fù zǎi jūn héng,(computing) load balancing -负重,fù zhòng,(lit. and fig.) to carry a heavy load; to carry a heavy burden -负重训练,fù zhòng xùn liàn,weight training -负隅顽抗,fù yú wán kàng,(idiom) to put up fierce resistance despite being surrounded; to stubbornly refuse to admit defeat -负离子,fù lí zǐ,negative ion; anion (physics) -负电,fù diàn,negative electric charge -负面,fù miàn,negative; the negative side -负鼠,fù shǔ,opossum (zoo.) -财,cái,money; wealth; riches; property; valuables -财主,cái zhǔ,rich man; moneybags -财利,cái lì,wealth and profit; riches -财力,cái lì,financial resources -财务,cái wù,financial affairs -财务再保险,cái wù zài bǎo xiǎn,"financial reinsurance (aka ""fin re"")" -财务大臣,cái wù dà chén,finance minister -财务秘书,cái wù mì shū,treasurer -财务软件,cái wù ruǎn jiàn,financial software; accounting software -财势,cái shì,wealth and influence -财团,cái tuán,financial group -财报,cái bào,financial report -财大气粗,cái dà qì cū,rich and imposing; rich and overbearing -财富,cái fù,wealth; riches -财宝,cái bǎo,money and valuables -财帛,cái bó,wealth; money -财年,cái nián,fiscal year; financial year -财政,cái zhèng,finances (public); financial -财政大臣,cái zhèng dà chén,finance minister; UK chancellor of exchequer -财政年度,cái zhèng nián dù,"financial year; fiscal year (e.g. from April to March, for tax purposes)" -财政部,cái zhèng bù,Ministry of Finance -财政部长,cái zhèng bù zhǎng,minister of finance -财会,cái kuài,finance and accounting -财东,cái dōng,shop owner; moneybags -财权,cái quán,property ownership or right; financial power; financial control -财源,cái yuán,financial resources; source of revenue -财源滚滚,cái yuán gǔn gǔn,profits pouring in from all sides (idiom); raking in money; bonanza -财物,cái wù,property; belongings -财产,cái chǎn,property; assets; estate; CL:筆|笔[bi3] -财产价值,cái chǎn jià zhí,property value -财产公证,cái chǎn gōng zhèng,property notarization -财产权,cái chǎn quán,property rights -财相,cái xiàng,minister of finance -财神,cái shén,god of wealth -财神爷,cái shén yé,god of wealth; very wealthy man -财礼,cái lǐ,betrothal gift; bride price -财税,cái shuì,finance and taxation -财税厅,cái shuì tīng,(provincial) department of finance -财经,cái jīng,finance and economics -财贸,cái mào,finance and trade -财赋,cái fù,government revenue; tributary goods and finances; finances and taxes; wealth; property; belongings -财路,cái lù,livelihood -财迷,cái mí,money grubber; miser -财迷心窍,cái mí xīn qiào,mad about money (idiom) -财长,cái zhǎng,treasurer; head of finances; minister of finance -财阀,cái fá,tycoon; magnate; powerful corporation; conglomerate -贡,gòng,surname Gong -贡,gòng,to offer tribute; tribute; gifts -贡丸,gòng wán,pork ball -贡井,gòng jǐng,"Gongjing District of Zigong City 自貢市|自贡市[Zi4 gong4 Shi4], Sichuan" -贡井区,gòng jǐng qū,"Gongjing District of Zigong City 自貢市|自贡市[Zi4 gong4 Shi4], Sichuan" -贡品,gòng pǐn,tribute -贡嘎,gòng gá,"Gonggar county, Tibetan: Gong dkar rdzong, in Lhokha prefecture 山南地區|山南地区[Shan1 nan2 di4 qu1], Tibet" -贡嘎县,gòng gá xiàn,"Gonggar county, Tibetan: Gong dkar rdzong, in Lhokha prefecture 山南地區|山南地区[Shan1 nan2 di4 qu1], Tibet" -贡国,gòng guó,tributary state of China (old) -贡士,gòng shì,"(old) candidate who has successfully passed the first grades of the examination system, but not yet the court examination (殿試|殿试[dian4 shi4])" -贡多拉,gòng duō lā,gondola (Venetian boat) (loanword) -贡寮,gòng liáo,"Gongliao or Kungliao township in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -贡寮乡,gòng liáo xiāng,"Gongliao or Kungliao township in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -贡山,gòng shān,Gongshan Derung and Nu autonomous county in Nujiang Lisu autonomous prefecture 怒江傈僳族自治州[Nu4 jiang1 Li4 su4 zu2 zi4 zhi4 zhou1] in northwest Yunnan -贡山独龙族怒族自治县,gòng shān dú lóng zú nù zú zì zhì xiàn,Gongshan Derung and Nu autonomous county in Nujiang Lisu autonomous prefecture 怒江傈僳族自治州[Nu4 jiang1 Li4 su4 zu2 Zi4 zhi4 zhou1] in northwest Yunnan -贡山县,gòng shān xiàn,Gongshan Derung and Nu autonomous county in Nujiang Lisu autonomous prefecture 怒江傈僳族自治州[Nu4 jiang1 Li4 su4 zu2 zi4 zhi4 zhou1] in northwest Yunnan -贡布,gòng bù,"Kampot, town in Cambodia, capital of Kampot Province" -贡物,gòng wù,tribute -贡献,gòng xiàn,to contribute; to dedicate; to devote; contribution; CL:個|个[ge4] -贡献者,gòng xiàn zhě,contributor; benefactor -贡生,gòng shēng,candidate for the Imperial Examination proposed by a tributary state -贡茶,gòng chá,"Gong Cha, international franchise selling Taiwan-style milk tea and smoothies etc, established in Kaohsiung in 2006" -贡茶,gòng chá,tribute tea; fine quality tea -贡觉,gòng jué,"Gonjo county, Tibetan: Go 'jo rdzong, in Chamdo prefecture 昌都地區|昌都地区[Chang1 du1 di4 qu1], Tibet" -贡觉县,gòng jué xiàn,"Gonjo county, Tibetan: Go 'jo rdzong, in Chamdo prefecture 昌都地區|昌都地区[Chang1 du1 di4 qu1], Tibet" -贡赋,gòng fù,tribute -贡都拉,gòng dōu lā,see 貢多拉|贡多拉[gong4 duo1 la1] -贡高我慢,gòng gāo wǒ màn,haughty and arrogant -贫,pín,poor; inadequate; deficient; garrulous -贫下中农,pín xià zhōng nóng,"(category defined by the Communist Party) poor and lower-middle peasants: farmers who, before land reform, possessed little or no land (poor peasants) and those who were barely able to support themselves with their own land (lower-middle peasants)" -贫不足耻,pín bù zú chǐ,it is no disgrace to be poor (idiom) -贫乏,pín fá,impoverished; lacking; deficient; limited; meager; impoverishment; lack; deficiency -贫僧,pín sēng,poor monk (humble term used by monk of himself) -贫嘴,pín zuǐ,talkative; garrulous; loquacious; flippant; jocular -贫嘴滑舌,pín zuǐ huá shé,garrulous and sharp-tongued -贫嘴薄舌,pín zuǐ bó shé,garrulous and sharp-tongued -贫困,pín kùn,impoverished; poverty -贫困地区,pín kùn dì qū,poor region; impoverished area -贫困率,pín kùn lǜ,poverty rate -贫富,pín fù,poor and rich -贫富差距,pín fù chā jù,disparity between rich and poor -贫寒,pín hán,poor; poverty-stricken; impoverished -贫弱,pín ruò,poor and feeble -贫民,pín mín,poor people -贫民区,pín mín qū,slum area; ghetto -贫民窟,pín mín kū,slum housing -贫气,pín qì,mean; stingy; garrulous -贫油,pín yóu,poor in oil -贫油国,pín yóu guó,country poor in oil -贫液,pín yè,waste liquid; liquid with precipitate skimmed off -贫无立锥,pín wú lì zhuī,not even enough land to stand an awl (idiom); absolutely destitute -贫无立锥之地,pín wú lì zhuī zhī dì,not even enough land to stand an awl (idiom); absolutely destitute -贫病交加,pín bìng jiāo jiā,poverty compounded by ill health (idiom) -贫病交迫,pín bìng jiāo pò,beset by poverty and illness (idiom) -贫瘠,pín jí,barren; infertile; poor -贫相,pín xiàng,mean; stingy -贫矿,pín kuàng,low grade ore -贫穷,pín qióng,poor; impoverished -贫穷潦倒,pín qióng liáo dǎo,destitute; poverty-stricken -贫腔,pín qiāng,verbose; garrulous -贫苦,pín kǔ,poverty-stricken; poor -贫血,pín xuè,anemia -贫血性坏死,pín xuè xìng huài sǐ,anemic necrosis -贫血症,pín xuè zhèng,anemia -贫贱,pín jiàn,poor and lowly -贫贱不能移,pín jiàn bù néng yí,not shaken by poverty; to preserve one's ambitions although destitute -贫农,pín nóng,poor peasant -贫道,pín dào,poor Taoist -贫铀,pín yóu,depleted uranium (D-38) -贫限想,pín xiàn xiǎng,(Internet slang) (wryly jocular) poverty limits my power of imagination; (fig.) flabbergasted by the antics of the wealthy; the rich live in another world; (abbr. for 貧窮限制了我的想象力|贫穷限制了我的想象力[pin2 qiong2 xian4 zhi4 le5 wo3 de5 xiang3 xiang4 li4]) -贫雇农,pín gù nóng,poor peasants (in Marxism) -货,huò,goods; money; commodity; CL:個|个[ge4] -货仓,huò cāng,warehouse -货值,huò zhí,value (of goods) -货到付款,huò dào fù kuǎn,cash on delivery (COD) -货包,huò bāo,freight package; bale of goods -货品,huò pǐn,goods -货问三家不吃亏,huò wèn sān jiā bù chī kuī,see 貨比三家不吃虧|货比三家不吃亏[huo4 bi3 san1 jia1 bu4 chi1 kui1] -货币,huò bì,currency; monetary; money -货币主义,huò bì zhǔ yì,monetarism -货币供应量,huò bì gōng yìng liàng,money supply -货币兑换,huò bì duì huàn,currency exchange -货币危机,huò bì wēi jī,monetary crisis -货币市场,huò bì shì chǎng,money market -货币贬值,huò bì biǎn zhí,currency devaluation; to devaluate a currency -货摊,huò tān,vendor's stall -货架,huò jià,shelf for goods; shop shelf -货梯,huò tī,freight elevator; goods lift -货棚,huò péng,covered stall; shed -货栈,huò zhàn,warehouse -货机,huò jī,cargo plane -货柜,huò guì,counter for the display of goods; (Tw) container (for freight transport) -货柜车,huò guì chē,(Tw) container truck -货款,huò kuǎn,payment for goods -货比三家,huò bǐ sān jiā,to shop around (idiom) -货比三家不吃亏,huò bǐ sān jiā bù chī kuī,shop around first and you won't get ripped off (idiom) -货源,huò yuán,supply of goods -货物,huò wù,goods; commodity; merchandise; CL:宗[zong1] -货物运输,huò wù yùn shū,freight or cargo transportation -货盘,huò pán,pallet -货真价实,huò zhēn jià shí,genuine goods at fair prices; (fig.) genuine; real; true -货站,huò zhàn,cargo terminal -货船,huò chuán,cargo ship; freighter -货舱,huò cāng,cargo hold; cargo bay (of a plane) -货色,huò sè,goods; (derog.) stuff; trash -货车,huò chē,truck; van; freight wagon -货载,huò zài,cargo -货轮,huò lún,freighter; cargo ship; CL:艘[sou1] -货运,huò yùn,freight transport; cargo; transported goods -货运列车,huò yùn liè chē,goods train; freight train -货运卡车,huò yùn kǎ chē,freight truck -贩,fàn,to deal in; to buy and sell; to trade in; to retail; to peddle -贩售,fàn shòu,to sell -贩夫,fàn fū,peddler; street vendor -贩夫俗子,fàn fū sú zi,peddlers and common people; lower class -贩夫走卒,fàn fū zǒu zú,lit. peddlers and carriers; common people; lower class -贩婴,fàn yīng,child trafficking -贩子,fàn zi,trafficker; dealer; monger; peddler -贩毒,fàn dú,to traffic narcotics; drugs trade; opium trade -贩私,fàn sī,to traffic (smuggled goods); illegal trading -贩卖,fàn mài,to sell; to peddle; to traffic -贩卖人口,fàn mài rén kǒu,trafficking in human beings -贩卖机,fàn mài jī,vending machine -贩运,fàn yùn,to transport (for sale); to traffic (in sth) -贪,tān,to have a voracious desire for; to covet; greedy; corrupt -贪占,tān zhàn,to misappropriate -贪吃,tān chī,gluttonous; voracious -贪吃者,tān chī zhě,glutton -贪吃鬼,tān chī guǐ,glutton; chowhound -贪嘴,tān zuǐ,gluttonous -贪图,tān tú,"to covet; to seek (riches, fame)" -贪多嚼不烂,tān duō jiáo bù làn,to bite off more than one can chew (idiom) -贪天之功,tān tiān zhī gōng,to claim credit for other people's achievements (idiom) -贪婪,tān lán,avaricious; greedy; rapacious; insatiable; avid -贪婪是万恶之源,tān lán shì wàn è zhī yuán,Greed is the root of all evil. -贪婪无厌,tān lán wú yàn,avaricious and insatiable (idiom); greedy and never satisfied -贪官,tān guān,corrupt official; grasping functionary; greedy mandarin -贪官污吏,tān guān wū lì,"grasping officials, corrupt mandarins (idiom); abuse and corruption" -贪小失大,tān xiǎo shī dà,penny wise and pound foolish (idiom) -贪得无厌,tān dé wú yàn,avaricious and insatiable (idiom); greedy and never satisfied -贪得无餍,tān dé wú yàn,variant of 貪得無厭|贪得无厌[tan1 de2 wu2 yan4] -贪心,tān xīn,greedy -贪心不足,tān xīn bù zú,avaricious and insatiable (idiom); greedy and never satisfied -贪欲,tān yù,greed; avarice; rapacious; avid -贪恋,tān liàn,to cling to; to be reluctant to give up (sth); to have a fondness for (an indulgence etc) -贪杯,tān bēi,to drink in excess -贪求,tān qiú,to pursue greedily; to crave -贪求无厌,tān qiú wú yàn,insatiably greedy (idiom) -贪污,tān wū,to be corrupt; corruption; to embezzle -贪污腐败,tān wū fǔ bài,corruption -贪渎,tān dú,(of an official) corrupt and negligent of his duty -贪猥无厌,tān wěi wú yàn,avaricious and insatiable (idiom); greedy and never satisfied -贪玩,tān wán,"to only want to have a good time; to just want to have fun, and to shy away from self-discipline" -贪玩儿,tān wán er,erhua variant of 貪玩|贪玩[tan1 wan2] -贪生怕死,tān shēng pà sǐ,"greedy for life, afraid of death (idiom); craven and cowardly; clinging abjectly to life; only interested in saving one's neck" -贪腐,tān fǔ,corruption -贪色,tān sè,greedy for sex; given to lust for women -贪财,tān cái,to be greedy in getting money -贪贿无艺,tān huì wú yì,greed for bribes knows no bounds (idiom); unbridled corruption -贪赃枉法,tān zāng wǎng fǎ,corruption and abuse of the law (idiom); to take bribes and bend the law -贪鄙,tān bǐ,to be avaricious and mean -贪食,tān shí,gluttonous; greedy -贪馋,tān chán,gluttonous; greedy; insatiable; avid -贯,guàn,to pierce through; to pass through; to be stringed together; string of 1000 cash -贯串,guàn chuàn,to pierce through; to string together -贯彻,guàn chè,to implement; to put into practice; to carry out -贯彻始终,guàn chè shǐ zhōng,to follow through; to carry through to the end -贯时,guàn shí,diachronic -贯气,guàn qì,"(feng shui) beneficial influence, esp. from one's ancestral graves; to confer a beneficial influence" -贯注,guàn zhù,to concentrate on; to give full attention to -贯穿,guàn chuān,to run through; a connecting thread from beginning to end; to link -贯通,guàn tōng,to link up; to thread together -贯连,guàn lián,to link up; to join together; to connect -责,zé,duty; responsibility; to reproach; to blame -责令,zé lìng,to order; to enjoin; to charge; to instruct sb to finish sth -责任,zé rèn,responsibility; blame; duty; CL:個|个[ge4] -责任事故,zé rèn shì gù,accident occurring due to negligence -责任人,zé rèn rén,responsible person; coordinator -责任制,zé rèn zhì,system of job responsibility -责任心,zé rèn xīn,sense of responsibility -责任感,zé rèn gǎn,sense of responsibility -责任编辑,zé rèn biān jí,editor in charge -责备,zé bèi,to blame; to criticize; condemnation; reproach -责备求全,zé bèi qiú quán,see 求全責備|求全责备[qiu2 quan2 ze2 bei4] -责问,zé wèn,to demand an explanation -责怪,zé guài,to blame; to rebuke -责成,zé chéng,to charge (an entity) with (a task); to assign (sb) the task of -责打,zé dǎ,to punish by flogging -责有攸归,zé yǒu yōu guī,responsibility must lie where it belongs (idiom) -责无旁贷,zé wú páng dài,to be duty bound; to be one's unshirkable responsibility -责编,zé biān,editor in charge (abbr. for 責任編輯|责任编辑[ze2 ren4 bian1 ji2]) -责罚,zé fá,to punish -责骂,zé mà,to scold -责难,zé nàn,to censure -贮,zhù,to store; to save; stockpile; Taiwan pr. [zhu3] -贮备,zhù bèi,to store -贮存,zhù cún,to store; to deposit -贮存器,zhù cún qì,storage device (computing) -贮存管,zhù cún guǎn,storage container for liquid or gas; gas holder -贮木场,zhù mù chǎng,lumber yard -贮水处,zhù shuǐ chù,reservoir -贮热,zhù rè,to conserve heat -贮物,zhù wù,storage -贮藏,zhù cáng,to store up; to hoard; deposits -贳,shì,to borrow; to buy on credit; to rent out -赀,zī,to estimate; to fine (archaic); variant of 資|资[zi1] -赀财,zī cái,variant of 資財|资财[zi1 cai2] -赀郎,zī láng,sb who purchases a public post -贰,èr,two (banker's anti-fraud numeral); to betray -贰心,èr xīn,variant of 二心[er4 xin1] -贰臣,èr chén,turncoat official -贵,guì,expensive; (bound form) highly valued; precious; (bound form) noble; of high rank; (prefix) (honorific) your -贵人,guì rén,nobility; person of high rank -贵人多忘,guì rén duō wàng,an eminent person has short memory (idiom) -贵人多忘事,guì rén duō wàng shì,see 貴人多忘|贵人多忘[gui4 ren2 duo1 wang4] -贵公司,guì gōng sī,your company -贵南,guì nán,"Guinan county in Hainan Tibetan autonomous prefecture 海南藏族自治州[Hai3 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -贵南县,guì nán xiàn,"Guinan county in Hainan Tibetan autonomous prefecture 海南藏族自治州[Hai3 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -贵古贱今,guì gǔ jiàn jīn,to revere the past and despise the present (idiom) -贵司,guì sī,(courteous) your company -贵圈真乱,guì quān zhēn luàn,"(slang, jocular, neologism c. 2006, used esp. in relation to public figures) the things you and your friends get up to (misbehavior, scandals etc) leave me shaking my head" -贵国,guì guó,your distinguished country -贵妃,guì fēi,senior concubine; imperial consort -贵妃床,guì fēi chuáng,chaise longue -贵妃醉酒,guì fēi zuì jiǔ,"The Drunken Beauty, Qing Dynasty Beijing opera" -贵姓,guì xìng,what is your surname?; (May I ask) your surname? -贵妇,guì fù,upper-class woman; lady (old) -贵妇人,guì fù rén,dame -贵妇犬,guì fù quǎn,poodle -贵定,guì dìng,"Guiding county in Qiannan Buyei and Miao autonomous prefecture 黔南州[Qian2 nan2 zhou1], Guizhou" -贵定县,guì dìng xiàn,"Guiding county in Qiannan Buyei and Miao autonomous prefecture 黔南州[Qian2 nan2 zhou1], Guizhou" -贵州,guì zhōu,"Guizhou province (Kweichow) in south central China, abbr. to 黔[Qian2] or 貴|贵[Gui4], capital Guiyang 貴陽|贵阳[Gui4 yang2]" -贵州省,guì zhōu shěng,"Guizhou province (Kweichow) in south central China, abbr. to 黔[Qian2] or 貴|贵[Gui4], capital Guiyang 貴陽|贵阳[Gui4 yang2]" -贵州财经学院,guì zhōu cái jīng xué yuàn,Guizhou University of Finance and Economics -贵干,guì gàn,(polite) your business; what brings you? -贵庚,guì gēng,your age (honorific) -贵府,guì fǔ,your home (honorific) -贵德,guì dé,"Guide county in Hainan Tibetan autonomous prefecture 海南藏族自治州[Hai3 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -贵德县,guì dé xiàn,"Guide county in Hainan Tibetan autonomous prefecture 海南藏族自治州[Hai3 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -贵恙,guì yàng,(courteous) your illness -贵方,guì fāng,(in business etc) your side; you -贵族,guì zú,lord; nobility; nobleman; noblewoman; aristocrat; aristocracy -贵族化,guì zú huà,gentrification; aristocratic; upper-class -贵族社会,guì zú shè huì,aristocracy -贵族身份,guì zú shēn fèn,lordship -贵校,guì xiào,(honorific) your school -贵格会,guì gé huì,Society of Friends; the Quakers -贵池,guì chí,"Guichi, a district of Chizhou City 池州市[Chi2zhou1 Shi4], Anhui" -贵池区,guì chí qū,"Guichi, a district of Chizhou City 池州市[Chi2zhou1 Shi4], Anhui" -贵港,guì gǎng,Guigang prefecture-level city in Guangxi -贵港市,guì gǎng shì,Guigang prefecture-level city in Guangxi -贵溪,guì xī,"Guixi, county-level city in Yingtan 鷹潭|鹰潭, Jiangxi" -贵溪市,guì xī shì,"Guixi, county-level city in Yingtan 鷹潭|鹰潭, Jiangxi" -贵珊瑚,guì shān hú,precious coral; red coral (Corallium rubrum and several related species of marine coral) -贵胄,guì zhòu,descendants of feudal aristocrats -贵宾,guì bīn,honored guest; distinguished guest; VIP -贵宾室,guì bīn shì,VIP lounge -贵宾犬,guì bīn quǎn,poodle -贵贱,guì jiàn,"noble and lowly; high versus low social hierarchy of ruler to people, father to son, husband to wife in Confucianism" -贵远贱近,guì yuǎn jiàn jìn,to revere the past and despise the present (idiom) -贵重,guì zhòng,precious -贵金属,guì jīn shǔ,precious metal -贵阳,guì yáng,"Guiyang prefecture-level city and capital of Guizhou province 貴州|贵州[Gui4 zhou1], short name 筑[Zhu4]" -贵阳市,guì yáng shì,Guiyang prefecture-level city and capital of Guizhou province 貴州|贵州[Gui4 zhou1] -贵阳医学院,guì yáng yī xué yuàn,Guiyang Medical University -贬,biǎn,to diminish; to demote; to reduce or devaluate; to disparage; to censure; to depreciate -贬低,biǎn dī,to belittle; to disparage; to play down; to demean; to degrade; to devalue -贬值,biǎn zhí,to become devaluated; to devaluate; to depreciate -贬多于褒,biǎn duō yú bāo,to get more criticism than praise -贬官,biǎn guān,to demote an official; a demoted official -贬居,biǎn jū,(period of) banishment or exile (old) -贬抑,biǎn yì,to belittle; to disparage; to demean -贬损,biǎn sǔn,to mock; to disparage; to belittle -贬斥,biǎn chì,to demote; to denounce -贬称,biǎn chēng,derogatory term; to refer to disparagingly (as) -贬义,biǎn yì,derogatory sense; negative connotation -贬职,biǎn zhí,to demote -贬词,biǎn cí,derogatory term; expression of censure -贬谪,biǎn zhé,to banish from the court; to relegate -贬降,biǎn jiàng,to demote -买,mǎi,to buy; to purchase -买一送一,mǎi yī sòng yī,"buy one, get one free; two for the price of one" -买下,mǎi xià,"to purchase (sth expensive, e.g. a house); to acquire (a company, a copyright etc)" -买不起,mǎi bu qǐ,cannot afford; can't afford buying -买主,mǎi zhǔ,customer -买了佛冷,mǎi le fó lěng,"(Internet slang) eggcorn for the song lyrics ""I love Poland"" that became a catchphrase in 2018" -买价,mǎi jià,buying price -买入,mǎi rù,to buy (finance) -买单,mǎi dān,to pay the restaurant bill -买回,mǎi huí,to buy back; to redeem; repurchase -买好,mǎi hǎo,to ingratiate oneself -买官,mǎi guān,to buy a title; to use wealth to acquire office -买官卖官,mǎi guān mài guān,buying and selling of official positions -买家,mǎi jiā,buyer; purchaser -买帐,mǎi zhàng,to acknowledge sb as senior or superior (often in negative); to accept (a version of events); to buy it -买房,mǎi fáng,to buy a house -买断,mǎi duàn,to buy out; buyout; severance -买方,mǎi fāng,buyer (in contracts) -买方市场,mǎi fāng shì chǎng,buyer's market -买春,mǎi chūn,to visit a prostitute; (literary) to buy wine or drinks -买东西,mǎi dōng xi,to do one's shopping -买椟还珠,mǎi dú huán zhū,to buy a wooden box and return the pearls inside; to show poor judgment (idiom) -买票,mǎi piào,to buy tickets; (Tw) to buy votes (in an election) -买空,mǎi kōng,to buy on margin (finance) -买空卖空,mǎi kōng mài kōng,to speculate; to play the market; (fig.) to sell hot air; to swindle people by posing as a reputable operator -买笑追欢,mǎi xiào zhuī huān,lit. to buy smiles to seek happiness; abandon oneself to the pleasures of the flesh (idiom) -买卖,mǎi mài,"buying and selling; business; business transactions; CL:樁|桩[zhuang1],次[ci4]" -买账,mǎi zhàng,variant of 買帳|买帐[mai3 zhang4] -买路财,mǎi lù cái,see 買路錢|买路钱[mai3 lu4 qian2] -买路钱,mǎi lù qián,money extorted by bandits in exchange for safe passage; illegal toll; (old) paper money strewn along the path of a funeral procession -买办,mǎi bàn,comprador -买通,mǎi tōng,to bribe -买进,mǎi jìn,to purchase; to buy in (goods) -买醉,mǎi zuì,to get drunk; to drown one's sorrows -买关节,mǎi guān jié,to offer a bribe -买面子,mǎi miàn zi,to allow sb to save face; to defer to -贷,dài,to lend on interest; to borrow; a loan; leniency; to make excuses; to pardon; to forgive -贷学金,dài xué jīn,student loan -贷方,dài fāng,credit side (of a balance sheet); creditor; lender -贷款,dài kuǎn,a loan; CL:筆|笔[bi3]; to provide a loan (e.g. bank); to raise a loan (from e.g. a bank) -贷款人,dài kuǎn rén,the lender -贷款率,dài kuǎn lǜ,lending interest rate -贷记,dài jì,to credit -贶,kuàng,to bestow; to confer -费,fèi,surname Fei -费,fèi,to cost; to spend; fee; wasteful; expenses -费事,fèi shì,troublesome; to take a lot of trouble to do sth -费人思索,fèi rén sī suǒ,to think oneself to exhaustion (idiom) -费利克斯,fèi lì kè sī,Felix -费力,fèi lì,to expend a great deal of effort -费力不讨好,fèi lì bù tǎo hǎo,arduous and thankless task (idiom); strenuous and unrewarding -费加罗报,fèi jiā luó bào,Le Figaro -费劲,fèi jìn,to require effort; strenuous -费劲儿,fèi jìn er,erhua variant of 費勁|费劲[fei4 jin4] -费口舌,fèi kǒu shé,to argue needlessly; to waste time explaining -费周折,fèi zhōu zhé,to spend (much) effort; to go through (a lot of) trouble -费唇舌,fèi chún shé,to argue needlessly; to waste time explaining -费城,fèi chéng,"Philadelphia, Pennsylvania; abbr. for 費拉德爾菲亞|费拉德尔菲亚[Fei4 la1 de2 er3 fei1 ya4]" -费奥多尔,fèi ào duō ěr,Theodor of Fyodor (name) -费孝通,fèi xiào tōng,"Fei Xiaotong (1910-2005), Chinese sociologist" -费工夫,fèi gōng fu,to spend a great deal of time and effort; (of a task) demanding; exacting -费德勒,fèi dé lè,"Roger Federer (1981-), Swiss tennis star" -费心,fèi xīn,to take a lot of trouble (over sb or sth); may I trouble you (to do sth) -费拉,fèi lā,fellah (loanword) -费拉德尔菲亚,fèi lā dé ěr fēi yà,"Philadelphia, Pennsylvania; abbr. to 費城|费城[Fei4 cheng2]" -费时,fèi shí,to take time; time-consuming -费曼,fèi màn,"Feinman or Feynman (name); Richard Feynman (1918-1988), US physicist, 1965 Nobel prize laureate together with TOMONAGA Shin'ichirō and Julian Schwinger" -费洛蒙,fèi luò méng,pheromone -费尔巴哈,fèi ěr bā hā,"Ludwig Feuerbach (1804-1872), materialist philosopher" -费尔干纳,fèi ěr gàn nà,"the Ferghana Valley (in Uzbekistan, central Asia)" -费尔干纳盆地,fèi ěr gàn nà pén dì,the Ferghana Valley in modern Uzbekistan -费尔马,fèi ěr mǎ,"Pierre de Fermat (1601-1665), French mathematician" -费尔马大定理,fèi ěr mǎ dà dìng lǐ,Fermat's last theorem -费率,fèi lǜ,rate; tariff -费玛,fèi mǎ,"Pierre de Fermat (1601-1665), French mathematician" -费用,fèi yòng,"cost; expenditure; expense; CL:筆|笔[bi3],個|个[ge4]" -费用报销单,fèi yòng bào xiāo dān,expense claim form -费尽心思,fèi jìn xīn si,to rack one's brains (idiom); to take great pains to think sth through -费尽心机,fèi jìn xīn jī,to rack one's brains for schemes (idiom); to beat one's brains out -费卢杰,fèi lú jié,"Fallujah, Iraqi city on Euphrates" -费神,fèi shén,to spend effort; to take trouble; May I trouble you to...? (as part of polite request); Please would you mind...? -费米,fèi mǐ,"Fermi (name); Enrico Fermi (1901-1954), Italian born US nuclear physicist" -费米子,fèi mǐ zǐ,(physics) fermion -费县,fèi xiàn,"Feixian county in Linyi 臨沂|临沂[Lin2 yi2], Shandong" -费解,fèi jiě,to be puzzled; hard to understand; unintelligible; incomprehensible -费话,fèi huà,to talk at length; to waste one's breath; variant of 廢話|废话[fei4 hua4] -费边社,fèi biān shè,Fabian Society -费马,fèi mǎ,variant of 費瑪|费玛[Fei4 ma3] -贴,tiē,to stick; to paste; to post (e.g. on a blog); to keep close to; to fit snugly; to subsidize; allowance (e.g. money for food or housing); sticker; classifier for sticking plaster: strip -贴切,tiē qiè,close-fitting; closest (translation) -贴合,tiē hé,to adjust closely; to fit -贴合面,tiē hé miàn,faying surface -贴吧,tiē bā,"Baidu Tieba, lit. ""Baidu Post Bar"", a Chinese online forum hosted by Baidu Inc." -贴图,tiē tú,sticker (social messaging) (Tw) -贴士,tiē shì,(loanword) tip; hint; suggestion; piece of advice -贴心,tiē xīn,intimate; close; considerate -贴心贴肺,tiē xīn tiē fèi,considerate and caring; very close; intimate -贴息,tiē xī,to discount the interest on a bill of exchange -贴文,tiē wén,(social media) to post; a post -贴旦,tiē dàn,female supporting actress in a Chinese opera -贴水,tiē shuǐ,agio (charge for changing currency); premium -贴片式,tiē piàn shì,(electronics) surface mount -贴牌,tiē pái,to supply products to be marketed under the buyer's brand name; to manufacture OEM products -贴现,tiē xiàn,discount; rebate -贴现率,tiē xiàn lǜ,discount rate -贴生,tiē shēng,male supporting actor in a Chinese opera -贴画,tiē huà,pinup picture; poster -贴纸,tiē zhǐ,sticker -贴膜,tiē mó,"protective or tinted film (for LCD screens, car windows etc); facial mask (cosmetics)" -贴花,tiē huā,appliqué; decalcomania -贴身,tiē shēn,worn next to the skin; close-fitting; personal (servant etc) -贴身卫队,tiē shēn wèi duì,personal bodyguard -贴近,tiē jìn,to press close to; to snuggle close; intimate -贴边,tiē biān,welt; facing (of a garment); to be relevant -贴锡箔,tiē xī bó,to decorate with tin foil -贴题,tiē tí,relevant; pertinent -贻,yí,to present; to bequeath -贻人口实,yí rén kǒu shí,to make oneself an object of ridicule -贻害,yí hài,to have bad consequences -贻害无穷,yí hài wú qióng,to have disastrous consequences -贻燕,yí yàn,to leave peace for the future generations -贻笑,yí xiào,to be ridiculous; to make a fool of oneself -贻笑大方,yí xiào dà fāng,to make a fool of oneself; to make oneself a laughing stock -贻笑方家,yí xiào fāng jiā,a novice making a fool of himself; to make oneself ridiculous before experts -贻范古今,yí fàn gǔ jīn,to leave an example for all generations -贻误,yí wù,to affect adversely; to delay or hinder; to waste (an opportunity); to mislead -贻贝,yí bèi,mussel -贸,mào,commerce; trade -贸易,mào yì,(commercial) trade; CL:個|个[ge4] -贸易中心,mào yì zhōng xīn,trade center; shopping mall -贸易伙伴,mào yì huǒ bàn,trading partner -贸易保护主义,mào yì bǎo hù zhǔ yì,trade protectionism -贸易公司,mào yì gōng sī,trading company -贸易协定,mào yì xié dìng,trade agreement -贸易壁垒,mào yì bì lěi,trade barrier -贸易夥伴,mào yì huǒ bàn,variant of 貿易伙伴|贸易伙伴[mao4 yi4 huo3 ban4] -贸易战,mào yì zhàn,trade war -贸易组织,mào yì zǔ zhī,trade organization -贸易货栈,mào yì huò zhàn,commercial warehouse -贸易逆差,mào yì nì chā,trade deficit; adverse trade balance -贸易顺差,mào yì shùn chā,trade surplus -贸易额,mào yì é,volume of trade (between countries) -贸然,mào rán,rashly; hastily; without careful consideration -贺,hè,surname He -贺,hè,to congratulate -贺信,hè xìn,congratulatory letter or message -贺函,hè hán,letter of congratulations; greeting card (e.g. for New Year) -贺卡,hè kǎ,greeting card; congratulation card -贺喜,hè xǐ,to congratulate -贺子珍,hè zǐ zhēn,"He Zizhen (1910-1984), Mao Zedong's third wife" -贺客,hè kè,guest (to a wedding etc) -贺州,hè zhōu,Hezhou prefecture-level city in Guangxi -贺州市,hè zhōu shì,Hezhou prefecture-level city in Guangxi -贺年,hè nián,see 賀歲|贺岁[he4 sui4] -贺年卡,hè nián kǎ,New Year greeting card -贺年片,hè nián piàn,New Year's card; CL:張|张[zhang1] -贺拉斯,hè lā sī,"Horace, full Latin name Quintus Horatius Flaccus (65-8 BC), Roman poet" -贺普丁,hè pǔ dīng,Chinese brand name of Lamivudine 拉米夫定[La1 mi3 fu1 ding4] -贺朝,hè cháo,"He Chao (active c. 711), Tang dynasty poet" -贺正,hè zhēng,to exchange compliments on New Year's Day -贺岁,hè suì,to extend New Year's greetings; to pay a New Year's visit -贺尔蒙,hè ěr méng,hormone (loanword) -贺知章,hè zhī zhāng,"He Zhizhang (659-744), Tang dynasty poet" -贺礼,hè lǐ,congratulatory gift -贺县,hè xiàn,He county in Guangxi -贺兰,hè lán,"Helan county in Yinchuan 銀川|银川[Yin2 chuan1], Ningxia" -贺兰山,hè lán shān,"Helan Mountains, lying across part of the border between Ningxia and Inner Mongolia" -贺兰山岩鹨,hè lán shān yán liù,(bird species of China) Mongolian accentor (Prunella koslowi) -贺兰山红尾鸲,hè lán shān hóng wěi qú,(bird species of China) Alashan redstart (Phoenicurus alaschanicus) -贺兰山脉,hè lán shān mài,"Helan Mountains, lying across part of the border between Ningxia and Inner Mongolia" -贺兰县,hè lán xiàn,"Helan county in Yinchuan 銀川|银川[Yin2 chuan1], Ningxia" -贺词,hè cí,message of congratulation -贺军翔,hè jūn xiáng,"Mike He (1983-), Taiwanese actor" -贺锦丽,hè jǐn lì,"He Jinli, Chinese name adopted by Kamala Harris (1964-), US vice president 2021-" -贺电,hè diàn,congratulatory telegram -贺龙,hè lóng,"He Long (1896-1969), important communist military leader, died from persecution during the Cultural Revolution" -贲,bēn,surname Ben -贲,bēn,energetic -贲,bì,bright -贲临,bì lín,(of a distinguished guest) honor my house (firm etc) with your presence -贲门,bēn mén,cardia (anatomy) -赂,lù,bribe; bribery -赁,lìn,to rent -贿,huì,(bound form) bribery -贿买,huì mǎi,to bribe; bribery -贿赂,huì lù,to bribe; a bribe -贿选,huì xuǎn,to buy votes (in an election) -赅,gāi,surname Gai -赅,gāi,complete; full -赅博,gāi bó,variant of 該博|该博[gai1 bo2] -赅括,gāi kuò,see 概括[gai4 kuo4] -资,zī,resources; capital; to provide; to supply; to support; money; expense -资中,zī zhōng,"Zizhong county in Neijiang 內江|内江[Nei4 jiang1], Sichuan" -资中县,zī zhōng xiàn,"Zizhong county in Neijiang 內江|内江[Nei4 jiang1], Sichuan" -资俸,zī fèng,salary; pay; wages -资优,zī yōu,(Tw) (of a student) gifted -资优班,zī yōu bān,(Tw) class composed of gifted students -资优生,zī yōu shēng,brilliant student -资助,zī zhù,to subsidize; to provide financial aid; subsidy -资安,zī ān,(Tw) information security (abbr. for 資訊安全|资讯安全[zi1 xun4 an1 quan2]) -资工,zī gōng,abbr. of 資訊工程|资讯工程[zi1 xun4 gong1 cheng2] -资敌,zī dí,"to aid the enemy (with arms, ammunition, supplies, money etc)" -资料,zī liào,"material; resources; data; information; profile (Internet); CL:份[fen4],個|个[ge4]" -资料介面,zī liào jiè miàn,data interface -资料仓储,zī liào cāng chǔ,data warehouse (computing) -资料传输,zī liào chuán shū,data transmission -资料传送服务,zī liào chuán sòng fú wù,data delivery service -资料夹,zī liào jiā,(file) folder -资料库,zī liào kù,database -资料量,zī liào liàng,quantity of data -资料链结层,zī liào liàn jié céng,data link layer -资斧,zī fǔ,(literary) money for a journey; travel expenses -资方,zī fāng,the owners of a private enterprise; management; capital (as opposed to labor) -资望,zī wàng,seniority and prestige -资本,zī běn,capital (economics) -资本主义,zī běn zhǔ yì,capitalism -资本储备,zī běn chǔ bèi,capital reserve -资本外逃,zī běn wài táo,outflow of capital -资本家,zī běn jiā,capitalist -资本市场,zī běn shì chǎng,capital market -资本计提,zī běn jì tí,capital requirement -资本论,zī běn lùn,Das Kapital (1867) by Karl Marx 卡爾·馬克思|卡尔·马克思[Ka3 er3 · Ma3 ke4 si1] -资格,zī gé,qualifications; seniority -资格赛,zī gé sài,qualifying round (in sports) -资历,zī lì,qualifications; experience; seniority -资治通鉴,zī zhì tōng jiàn,"A Mirror for the Wise Ruler (or Comprehensive Mirror for Aid in Government), a vast chronological general history, written by 司馬光|司马光[Si1 ma3 Guang1] Sima Guang (1019-1089) and collaborators during the Northern Song in 1084, covering the period 403 BC-959 AD, 294 scrolls" -资深,zī shēn,veteran (journalist etc); senior; highly experienced -资浅,zī qiǎn,inexperienced; junior (employee etc) -资源,zī yuán,"Ziyuan county in Guilin 桂林[Gui4 lin2], Guangxi" -资源,zī yuán,natural resource (such as water or minerals); resource (such as manpower or tourism) -资源县,zī yuán xiàn,"Ziyuan county in Guilin 桂林[Gui4 lin2], Guangxi" -资溪,zī xī,"Zixi county in Fuzhou 撫州|抚州, Jiangxi" -资溪县,zī xī xiàn,"Zixi county in Fuzhou 撫州|抚州, Jiangxi" -资生堂,zī shēng táng,Shiseidō (Japanese cosmetics company) -资产,zī chǎn,property; assets -资产价值,zī chǎn jià zhí,value of assets -资产剥离,zī chǎn bō lí,asset stripping -资产担保证券,zī chǎn dān bǎo zhèng quàn,asset-backed security; ABS -资产组合,zī chǎn zǔ hé,asset portfolio -资产负债表,zī chǎn fù zhài biǎo,balance sheet -资产阶级,zī chǎn jiē jí,the capitalist class; the bourgeoisie -资产阶级右派,zī chǎn jiē jí yòu pài,bourgeois rightist faction (esp. during anti-rightist movement of 1957-58) -资产阶级革命,zī chǎn jiē jí gé mìng,"bourgeois revolution (in Marx-Leninist theory, a prelude to the proletarian revolution)" -资用,zī yòng,(physics) available -资兴,zī xīng,"Zixing, county-level city in Chenzhou 郴州[Chen1 zhou1], Hunan" -资兴市,zī xīng shì,"Zixing, county-level city in Chenzhou 郴州[Chen1 zhou1], Hunan" -资讯,zī xùn,information -资讯工程,zī xùn gōng chéng,information engineering (Tw) -资讯科技,zī xùn kē jì,information technology; science of communications -资财,zī cái,assets; capital and materials -资费,zī fèi,"(postal, telecom etc) service charge" -资质,zī zhì,aptitude; natural endowments -资遣,zī qiǎn,to dismiss with severance pay; to pay sb off -资遣费,zī qiǎn fèi,severance pay (Tw) -资金,zī jīn,funds; capital -资金杠杆,zī jīn gàng gǎn,(finance) leverage; gearing -资阳,zī yáng,"Ziyang, prefecture-level city in Sichuan; Ziyang district of Yiyang city 益陽市|益阳市[Yi4 yang2 shi4], Hunan" -资阳区,zī yáng qū,"Ziyang district of Yiyang city 益陽市|益阳市[Yi4 yang2 shi4], Hunan" -资阳市,zī yáng shì,"Ziyang, prefecture-level city in Sichuan" -贾,jiǎ,surname Jia -贾,gǔ,merchant; to buy -贾伯斯,jiǎ bó sī,"Jobs (name); see also 史提夫·賈伯斯|史提夫·贾伯斯[Shi3 ti2 fu1 · Jia3 bo2 si1], Steve Jobs" -贾南德拉,jiǎ nán dé lā,Gyanendra of Nepal -贾夹威德,jiǎ jiā wēi dé,Janjaweed (armed Baggara herders used by the Sudanese government against Darfur rebels) -贾客,gǔ kè,merchant (old) -贾宝玉,jiǎ bǎo yù,"Jia Baoyu, male character in The Dream of Red Mansions, in love with his cousin Lin Daiyu 林黛玉 but obliged to marry Xue Baochai 薛寶釵|薛宝钗" -贾平凹,jiǎ píng wā,"Jia Pingwa (1952-), Chinese novelist" -贾思勰,jiǎ sī xié,"Jia Sixie, sixth century writer and author of agricultural encyclopedia Essential skill to benefit the people 齊民要術|齐民要术[Qi2 min2 Yao4 shu4]" -贾庆林,jiǎ qìng lín,"Jia Qinglin (1940-), member of the Politburo Standing Committee 2002-2012" -贾汪,jiǎ wāng,"Jiawang district of Xuzhou city 徐州市[Xu2 zhou1 shi4], Jiangsu" -贾汪区,jiǎ wāng qū,"Jiawang district of Xuzhou city 徐州市[Xu2 zhou1 shi4], Jiangsu" -贾第虫,jiǎ dì chóng,Giardia lamblia protozoan parasite that inhabits the gut -贾第虫属,jiǎ dì chóng shǔ,Giardia lamblia protozoan parasite that inhabits the gut -贾第虫病,jiǎ dì chóng bìng,"Giardiasis, a form of gastro-enteritis caused by infection of gut by Giardia lamblia protozoan parasite" -贾谊,jiǎ yì,"Jia Yi (200-168 BC), Chinese poet and statesman of the Western Han Dynasty" -恤,xù,variant of 恤[xu4] -贼,zéi,thief; traitor; wily; deceitful; evil; extremely -贼亮,zéi liàng,bright; shiny; dazzling; glaring -贼喊捉贼,zéi hǎn zhuō zéi,"lit. a thief crying ""Stop the thief!"" (idiom); fig. to accuse sb of a theft and try to sneak away oneself; to cover up one's misdeeds by shifting the blame onto others" -贼心,zéi xīn,evil intentions -贼死,zéi sǐ,completely; utterly (dialect) -贼眉贼眼,zéi méi zéi yǎn,see 賊眉鼠眼|贼眉鼠眼[zei2 mei2 shu3 yan3] -贼眉鼠眼,zéi méi shǔ yǎn,shifty-eyed; crafty-looking (idiom) -贼眼,zéi yǎn,shifty gaze; furtive glance -贼秃,zéi tū,(derog.) Buddhist monk -贼窝,zéi wō,thieves' lair -贼船,zéi chuán,pirate ship; fig. venture of dubious merit; criminal gang; reactionary faction -贼头贼脑,zéi tóu zéi nǎo,lit. to behave like a thief; furtive; underhand -賏,yìng,pearls or shells strung together -赈,zhèn,to provide relief; to aid -赈恤,zhèn xù,relief aid -赈捐,zhèn juān,money donation to relieve distress or famine -赈济,zhèn jì,to give relief aid -赈灾,zhèn zāi,disaster relief -赊,shē,to buy or sell on credit; distant; long (time); to forgive -赊帐,shē zhàng,see 賒賬|赊账[she1 zhang4] -赊欠,shē qiàn,to offer credit; credit transaction; to buy or sell on account -赊账,shē zhàng,to buy or sell on credit; outstanding account; to have an outstanding account -赊购,shē gòu,to buy on credit; to delay payment -赊销,shē xiāo,credit transaction; to sell on account -宾,bīn,visitor; guest; object (in grammar) -宾主,bīn zhǔ,guest and host -宾主尽欢,bīn zhǔ jìn huān,both the guests and the hosts thoroughly enjoy themselves (idiom) -宾利,bīn lì,Bentley -宾士,bīn shì,Taiwan equivalent of 奔馳|奔驰[Ben1 chi2] -宾夕法尼亚,bīn xī fǎ ní yà,Pennsylvania -宾夕法尼亚大学,bīn xī fǎ ní yà dà xué,University of Pennsylvania -宾夕法尼亚州,bīn xī fǎ ní yà zhōu,Pennsylvania -宾客,bīn kè,guests; visitors -宾客盈门,bīn kè yíng mén,guests filled the hall (idiom); a house full of distinguished visitors -宾川,bīn chuān,"Binchuan county in Dali Bai autonomous prefecture 大理白族自治州[Da4 li3 Bai2 zu2 zi4 zhi4 zhou1], Yunnan" -宾川县,bīn chuān xiàn,"Binchuan county in Dali Bai autonomous prefecture 大理白族自治州[Da4 li3 Bai2 zu2 zi4 zhi4 zhou1], Yunnan" -宾州,bīn zhōu,Pennsylvania; abbr. for 賓夕法尼亞州|宾夕法尼亚州 -宾得,bīn dé,"Pentax, Japanese optics company" -宾朋,bīn péng,guests; invited friends -宾朋满座,bīn péng mǎn zuò,guests filled all the seats (idiom); a house full of distinguished visitors -宾朋盈门,bīn péng yíng mén,guests filled the hall (idiom); a house full of distinguished visitors -宾果,bīn guǒ,bingo (loanword) -宾格,bīn gé,accusative case (grammar) -宾治,bīn zhì,punch (loanword) -宾县,bīn xiàn,"Bin County in Harbin, Heilongjiang" -宾至如归,bīn zhì rú guī,"guests feel at home (in a hotel, guest house etc); a home away from home" -宾西法尼亚,bīn xī fǎ ní yà,Pennsylvania; also written 賓夕法尼亞|宾夕法尼亚 -宾词,bīn cí,predicate -宾语,bīn yǔ,object (grammar) -宾语关系从句,bīn yǔ guān xì cóng jù,object relative clause -宾阳,bīn yáng,"Binyang county in Nanning 南寧|南宁[Nan2 ning2], Guangxi" -宾阳县,bīn yáng xiàn,"Binyang county in Nanning 南寧|南宁[Nan2 ning2], Guangxi" -宾馆,bīn guǎn,"guesthouse; lodge; hotel; CL:個|个[ge4],家[jia1]" -赇,qiú,to bribe -赒,zhōu,to give to the needy; to bestow alms; charity -赒人,zhōu rén,to help the needy; to bestow alms; charity -赒恤,zhōu xù,to give to the needy -赒急,zhōu jí,disaster relief -赒急扶困,zhōu jí fú kùn,disaster relief -赒济,zhōu jì,variant of 周濟|周济[zhou1 ji4] -赉,lài,to bestow; to confer -赞,zàn,variant of 贊|赞[zan4] -赐,cì,(bound form) to confer; to bestow; to grant; (literary) gift; favor; Taiwan pr. [si4] -赐予,cì yǔ,to grant; to bestow -赐姓,cì xìng,(of an emperor) to bestow a surname -赐教,cì jiào,(honorific) to impart one's wisdom; to enlighten -赐死,cì sǐ,(of a ruler) to order sb to commit suicide (in lieu of execution) -赐福,cì fú,to bless -赐给,cì gěi,to bestow; to give -赐与,cì yǔ,variant of 賜予|赐予[ci4 yu3] -赐鉴,cì jiàn,(formal) (used in a submitted document) please review; for your kind consideration -赐顾,cì gù,to honor (sb) by one's visit; to patronize (a shop or restaurant) -赏,shǎng,to bestow (a reward); to give (to an inferior); to hand down; a reward (bestowed by a superior); to appreciate (beauty) -赏光,shǎng guāng,to do sb the honor (of attending etc); to put in an appearance; to show up -赏心悦目,shǎng xīn yuè mù,warms the heart and delights the eye (idiom); pleasing; delightful -赏月,shǎng yuè,to admire the full moon -赏析,shǎng xī,understanding and enjoying (a work of art) -赏石,shǎng shí,see 供石[gong1 shi2] -赏罚,shǎng fá,reward and punishment -赏脸,shǎng liǎn,(polite) do me the honor -赏识,shǎng shí,to appreciate; to recognize the worth of sth; appreciation -赏赐,shǎng cì,to bestow a reward; a reward -赏钱,shǎng qian,tip; gratuity; monetary reward; bonus -赏鉴,shǎng jiàn,to appreciate (a work of art) -赏鸟,shǎng niǎo,birdwatching -赔,péi,to compensate for loss; to indemnify; to suffer a financial loss -赔上,péi shàng,to pay for sth with the loss of (one's health etc); to have sth come at the cost of (one's reputation etc) -赔不是,péi bú shi,to apologize -赔了夫人又折兵,péi le fū rén yòu zhé bīng,"lit. having given away a bride, to lose one's army on top of it (idiom); fig. to suffer a double loss after trying to trick the enemy" -赔付,péi fù,to pay out; to compensate; (insurance) payment -赔偿,péi cháng,to compensate -赔偿金,péi cháng jīn,compensation -赔小心,péi xiǎo xīn,to be conciliatory or apologetic; to tread warily in dealing with sb -赔本,péi běn,loss; to sustain losses -赔款,péi kuǎn,reparations; to pay reparations -赔礼,péi lǐ,to offer an apology; to make amends -赔笑,péi xiào,to smile apologetically or obsequiously -赔罪,péi zuì,to apologize -赔钱,péi qián,to lose money; to pay for damages -赔钱货,péi qián huò,unprofitable goods; item that can only be sold at a loss; daughter (so called in former times because daughters required a dowry when they married) -赓,gēng,to continue (as a song) -赓即,gēng jí,(formal) immediately; promptly -贤,xián,worthy or virtuous person; honorific used for a person of the same or a younger generation -贤人,xián rén,great person of the past; venerable forebear; the great and the good -贤内助,xián nèi zhù,(said of sb else's wife) a good wife -贤劳,xián láo,diligent -贤士,xián shì,virtuous person; a man of merit -贤妻,xián qī,"(old) perfect wife; you, my beloved wife" -贤妻良母,xián qī liáng mǔ,a good wife and loving mother -贤弟,xián dì,worthy little brother -贤惠,xián huì,variant of 賢慧|贤慧[xian2 hui4] -贤慧,xián huì,(of a wife) wise and kind; perfect in her traditional roles -贤才,xián cái,a genius; a talented person -贤明,xián míng,wise and capable; sagacious -贤淑,xián shū,(of a woman) virtuous -贤淑仁慈,xián shū rén cí,a virtuous and benevolent woman (idiom) -贤王,xián wáng,sage kings -贤相,xián xiàng,sagacious prime minister (in feudal China) -贤能,xián néng,sage -贤良,xián liáng,(of a man) able and virtuous -贤达,xián dá,prominent and worthy personage -卖,mài,to sell; to betray; to spare no effort; to show off or flaunt -卖主,mài zhǔ,seller -卖乖,mài guāi,to show off one's cleverness; (of sb who has received beneficial treatment) to profess to have been hard done by -卖傻,mài shǎ,to play stupid; to act like an idiot -卖价,mài jià,selling price -卖光了,mài guāng le,to be sold out; to be out of stock -卖出,mài chū,to sell; to reach (a price in an auction) -卖力,mài lì,to work hard; to do one's very best; to throw oneself into the task at hand -卖力气,mài lì qi,to make a living doing manual labor; to give sth all one's got -卖卜,mài bǔ,to do trade as a fortune teller -卖命,mài mìng,to work tirelessly; to give one's all; to slave away; to throw away one's life; to sacrifice oneself (usu. for an unworthy cause) -卖唱,mài chàng,to sing for a living -卖国,mài guó,to betray one's country -卖国主义,mài guó zhǔ yì,treason -卖国贼,mài guó zéi,traitor -卖场,mài chǎng,(big) store -卖完,mài wán,to be sold out -卖家,mài jiā,seller -卖座,mài zuò,"(of a movie, show or restaurant) to attract customers; popular with the paying public; high-grossing; number of seats occupied (by moviegoers etc)" -卖弄,mài nong,to show off; to make a display of -卖掉,mài diào,to sell off -卖方,mài fāng,seller (in contracts) -卖春,mài chūn,to engage in prostitution -卖本事,mài běn shì,to flaunt a skill; to give display to one's ability; to show off a feat; to vaunt one's tricks -卖淫,mài yín,prostitution; to prostitute oneself -卖炭翁,mài tàn wēng,"The Old Charcoal Seller, poem by Tang poet Bai Juyi 白居易[Bai2 Ju1 yi4]" -卖相,mài xiàng,outward appearance; demeanor -卖破绽,mài pò zhàn,"to feign an opening in order to hoodwink the opponent (in a fight, combat etc)" -卖空,mài kōng,to sell short (finance) -卖笑,mài xiào,to work as a good-time girl; to prostitute oneself -卖肉,mài ròu,to sell meat; (slang) to sell sex -卖肉者,mài ròu zhě,butcher -卖苦力,mài kǔ lì,to make a hard living as unskilled laborer -卖萌,mài méng,(slang) to act cute -卖身,mài shēn,to prostitute oneself; to sell oneself into slavery -卖钱,mài qián,to make money by selling sth -卖关子,mài guān zi,(in storytelling) to keep listeners in suspense; (in general) to keep people on tenterhooks -卖关节,mài guān jié,to solicit a bribe; to accept a bribe -卖面子,mài miàn zi,to show deference to sb by obliging them (or by obliging sb associated with them) -卖风流,mài fēng liú,to exert flirtatious allure; to entice coquettishly -卖点,mài diǎn,selling point -贱,jiàn,inexpensive; lowly; despicable; (bound form) (humble) my -贱人,jiàn rén,slut; cheap person -贱内,jiàn nèi,my wife (humble) -贱格,jiàn gé,despicable -贱民,jiàn mín,social stratum below the level of ordinary people; untouchable; dalit (India caste) -贱称,jiàn chēng,contemptuous term -贱货,jiàn huò,bitch; slut -贱卖,jiàn mài,to sell cheaply; sacrifice; low price; discount sale -贱骨头,jiàn gǔ tou,miserable wretch; contemptible individual -赋,fù,poetic essay; taxation; to bestow on; to endow with -赋予,fù yǔ,to assign; to entrust (a task); to give; to bestow -赋值,fù zhí,"(computing, math.) to assign (a value); assignment" -赋形剂,fù xíng jì,(pharm.) vehicle; excipient -赋格曲,fù gé qǔ,fugue (loanword) -赋税,fù shuì,taxation -赋能,fù néng,(neologism c. 2019) to empower; to enable; to energize -赋与,fù yǔ,variant of 賦予|赋予[fu4 yu3] -赋诗,fù shī,to versify; to compose poetry -赋闲,fù xián,to stay idle at home; to have resigned from office; to be unemployed; to have been fired; to be on a sabbatical -赕,dǎn,(old barbarian dialects) to pay a fine in atonement; river; Taiwan pr. [tan4] -赕佛,dǎn fó,(Dai language) to make offerings to Buddha -质,zhì,character; nature; quality; plain; to pawn; pledge; hostage; to question; Taiwan pr. [zhi2] -质传,zhì chuán,see 傳質|传质[chuan2 zhi4] -质问,zhì wèn,to question; to ask questions; to inquire; to bring to account; to interrogate -质因数,zhì yīn shù,prime factor (in arithmetic) -质地,zhì dì,texture; background (texture); grain; quality; character; disposition -质子,zhì zǐ,proton (positively charged nuclear particle); a prince sent to be held as a hostage in a neighbouring state in ancient China -质子数,zhì zǐ shù,proton number in nucleus; atomic number -质子轰击,zhì zǐ hōng jī,proton bombardment -质库,zhì kù,pawnshop (old) -质心,zhì xīn,center of gravity; barycenter -质感,zhì gǎn,realism (in art); sense of reality; texture; tactile quality -质押,zhì yā,"to pledge (sth, usu. moveables, as security for a loan)" -质数,zhì shù,prime number -质料,zhì liào,material; matter -质明,zhì míng,at dawn -质朴,zhì pǔ,simple; plain; unadorned; unaffected; unsophisticated; rustic; earthy -质检,zhì jiǎn,quarantine; quality inspection -质检局,zhì jiǎn jú,quarantine bureau; quality inspection office -质疑,zhì yí,to call into question; to question (truth or validity) -质的飞跃,zhì de fēi yuè,qualitative leap -质直,zhì zhí,upright; straightforward -质粒,zhì lì,plasmid -质素,zhì sù,(high) quality -质询,zhì xún,to question; to enquire; interrogatory -质证,zhì zhèng,examination of the evidence of the opposing party in a court of law -质谱,zhì pǔ,mass spectrometry -质谱仪,zhì pǔ yí,mass spectrometer -质变,zhì biàn,qualitative change; fundamental change -质量,zhì liàng,quality; (physics) mass -质量保障,zhì liàng bǎo zhàng,quality assurance (QA) -质量块,zhì liàng kuài,a mass; a body -质量数,zhì liàng shù,atomic weight of an element; atomic mass -质量检查,zhì liàng jiǎn chá,quality inspection -质量管理,zhì liàng guǎn lǐ,quality management -质铺,zhì pù,pawn shop -质难,zhì nàn,to blame -质点,zhì diǎn,point mass; particle -赍,jī,to present (a gift); to harbor (a feeling) -账,zhàng,"account; bill; debt; CL:本[ben3],筆|笔[bi3]" -账册,zhàng cè,an account book; a ledger; a bill -账单,zhàng dān,bill -账户,zhàng hù,bank account; online account -账房,zhàng fáng,an accounts office (in former times); an accountant; a cashier -账房先生,zhàng fáng xiān sheng,bookkeeper (old) -账期,zhàng qī,credit period -账本,zhàng běn,account book -账款,zhàng kuǎn,money in an account -账目,zhàng mù,an item in accounts; an entry -账簿,zhàng bù,an account book; a ledger -账号,zhàng hào,account number; username -账载,zhàng zǎi,per book; as recorded in the accounts -账面,zhàng miàn,an item in accounts; an entry -赌,dǔ,to bet; to gamble -赌上一局,dǔ shàng yī jú,to engage in a game of chance; to gamble; to make a bet -赌博,dǔ bó,to gamble -赌咒,dǔ zhòu,to swear to God; to cross one's heart -赌咒发誓,dǔ zhòu fā shì,to vow -赌坊,dǔ fāng,(archaic) gambling house -赌城,dǔ chéng,casino town; nickname for Las Vegas -赌场,dǔ chǎng,casino -赌客,dǔ kè,gambler -赌局,dǔ jú,game of chance; gambling party; gambling joint -赌徒,dǔ tú,gambler -赌桌,dǔ zhuō,gambling table; gaming table -赌棍,dǔ gùn,hardened gambler; professional gambler -赌气,dǔ qì,to act in a fit of pique; to get in a huff; to be peeved -赌注,dǔ zhù,stake (in a gamble); (what is at) stake -赌烂,dǔ làn,"(Tw) (slang) to be ticked off by (sb or sth); to be pissed at (sb or sth); to be in a foul mood; down in the dumps (from Taiwanese 揬𡳞, Tai-lo pr. [tu̍h-lān])" -赌球,dǔ qiú,(ball) sports betting -赌窝,dǔ wō,gamblers' den; illegal casino -赌约,dǔ yuē,bet; wager -赌资,dǔ zī,money to gamble with -赌钱,dǔ qián,to gamble -赌斗,dǔ dòu,to fight -赌鬼,dǔ guǐ,gambling addict -赖,lài,surname Lai; (Tw) (coll.) LINE messaging app -赖,lài,to depend on; to hang on in a place; bad; to renege (on promise); to disclaim; to rat (on debts); rascally; to blame; to put the blame on -赖以,lài yǐ,to rely on; to depend on -赖婚,lài hūn,to go back on a marriage contract; to repudiate an engagement -赖安,lài ān,Ryan (name) -赖床,lài chuáng,to have a lie-in; to dawdle in bed -赖斯,lài sī,Rice (name); Condoleezza Rice (1954-) US Secretary of State 2005-2009 -赖昌星,lài chāng xīng,"Lai Changxing (1958-), notorious Xiamen mafia boss involved in large scale corruption and smuggling, extradited from Canada back to China in 2008" -赖校族,lài xiào zú,campus dwellers (slang); graduates who cannot break away from campus life -赖比瑞亚,lài bǐ ruì yà,Liberia (Tw) -赖氨酸,lài ān suān,"lysine (Lys), an essential amino acid" -赖清德,lài qīng dé,"William Lai Ching-te (1959-), Taiwanese DPP politician, vice president of the Republic of China from 2020" -赖特,lài tè,Wright (name) -赖皮,lài pí,shameless; (slang) rascal -赖索托,lài suǒ tuō,Lesotho (Tw) -赖声川,lài shēng chuān,"Lai Shengchuan (1954-), US-Taiwanese dramatist and director" -赖脸,lài liǎn,to be shameless -赖账,lài zhàng,to renege on a debt -赍,jī,variant of 齎|赍[ji1] -赚,zhuàn,to earn; to make a profit -赚,zuàn,to cheat; to swindle -赚取,zhuàn qǔ,to make a profit; to earn a packet -赚吆喝,zhuàn yāo he,(of a company) to gain recognition through promotional efforts; to spend money to win customers -赚哄,zhuàn hǒng,to cheat; to hoodwink; to defraud -赚回来,zhuàn huí lai,"to earn back (money one invested, wasted etc)" -赚大钱,zhuàn dà qián,to earn a fortune -赚得,zhuàn dé,to earn -赚钱,zhuàn qián,to earn money; moneymaking -赚头,zhuàn tou,profit (colloquial) -赙,fù,to contribute to funeral expenses -购,gòu,to buy; to purchase -购汇,gòu huì,to purchase foreign exchange -购得,gòu dé,to purchase; to acquire -购书券,gòu shū quàn,book token -购物,gòu wù,shopping -购物中心,gòu wù zhōng xīn,shopping center -购物券,gòu wù quàn,coupon -购物大厦,gòu wù dà shà,shopping mall -购物广场,gòu wù guǎng chǎng,shopping mall -购物手推车,gòu wù shǒu tuī chē,shopping cart -购物袋,gòu wù dài,shopping bag -购物车,gòu wù chē,shopping cart -购置,gòu zhì,to purchase -购货,gòu huò,purchase of goods -购买,gòu mǎi,to purchase; to buy -购买力,gòu mǎi lì,purchasing power -购买者,gòu mǎi zhě,purchaser -赛,sài,to compete; competition; match; to surpass; better than; superior to; to excel -赛事,sài shì,competition (e.g. sporting) -赛先生,sài xiān sheng,"""Mr Science"", phrase used during the May 4th Movement 五四運動|五四运动[Wu3 si4 Yun4 dong4]; abbr. for 賽因斯|赛因斯[sai4 yin1 si1]; see also 德先生[De2 xian1 sheng5]" -赛力斯,sài lì sī,"Seres, Chinese electric vehicle brand" -赛博,sài bó,(loanword) cyber- -赛因斯,sài yīn sī,science (loanword) -赛场,sài chǎng,racetrack; field (for athletics competition) -赛夏族,sài xià zú,"Saisiyat or Saisiat, one of the indigenous peoples of Taiwan" -赛季,sài jì,season (sports) -赛德克族,sài dé kè zú,"Seediq, one of the indigenous peoples of Taiwan" -赛德娜,sài dé nà,"Sedna, small body in the outer reaches of the solar system" -赛扬,sài yáng,Celeron (an Intel chip) -赛普勒斯,sài pǔ lè sī,Cyprus (Tw) -赛会,sài huì,religious procession; exposition -赛格威,sài gé wēi,Segway PT -赛段,sài duàn,stage of a competition -赛氏篱莺,sài shì lí yīng,(bird species of China) Sykes's warbler (Iduna rama) -赛特,sài tè,Seth (name) -赛珍珠,sài zhēn zhū,"Pearl S. Buck (1892-1973), American writer known for her novels on Asian cultures, Pulitzer Prize and Nobel Prize laureate" -赛璐玢,sài lù fēn,cellophane (loanword) -赛璐珞,sài lù luò,celluloid (loanword) -赛百味,sài bǎi wèi,Subway (fast food restaurant) -赛程,sài chéng,competition schedule; the course of a race -赛罕,sài hǎn,"Saihan District of Hohhot City 呼和浩特市[Hu1 he2 hao4 te4 Shi4], Inner Mongolia" -赛罕区,sài hǎn qū,"Saihan District of Hohhot City 呼和浩特市[Hu1 he2 hao4 te4 Shi4], Inner Mongolia" -赛义迪,sài yì dí,Said or Sayed (Arabic name) -赛船,sài chuán,boat race; racing ship or boat -赛艇,sài tǐng,boat race; racing ship or boat; rowing (sport) -赛跑,sài pǎo,race (running); to race (running) -赛车,sài chē,auto race; cycle race; race car -赛车场,sài chē chǎng,motor racetrack; cycle racetrack -赛车场赛,sài chē chǎng sài,stadium cycle race -赛车女郎,sài chē nǚ láng,pit babe; paddock girl; grid girl -赛车手,sài chē shǒu,racing driver -赛轮思,sài lún sī,"Cerence, US company providing AI-based automotive assistants" -赛道,sài dào,race course -赛里木湖,sài lǐ mù hú,Sayram Lake in Xinjiang -赛马,sài mǎ,horse race; horse racing -赛马场,sài mǎ chǎng,race course; race ground; race track -赛马会,sài mǎ huì,"the Jockey Club, Hong Kong philanthropic organization (and former gentleman's club)" -赛点,sài diǎn,match point (tennis etc) -赛龙舟,sài lóng zhōu,to race dragon boats -赛龙船,sài lóng chuán,dragon-boat race -赜,zé,mysterious -贽,zhì,gifts to superiors -赘,zhuì,(bound form) superfluous; (bound form) (of a man) to move into the household of one's in-laws after marrying; (of the bride's parents) to have the groom join one's household -赘婿,zhuì xù,son-in-law living at wife's parent's house -赘物,zhuì wù,sth that is superfluous -赘生,zhuì shēng,excrescence; abnormal superfluous growth -赘疣,zhuì yóu,wart; (fig.) superfluous thing -赘瘤,zhuì liú,wart; (fig.) sth superfluous and undesirable -赘肉,zhuì ròu,excess flesh; unwanted fat; flab; bulge -赘言,zhuì yán,superfluous words; unnecessary detail -赘词,zhuì cí,superfluous words; unnecessary detail -赘语,zhuì yǔ,superfluous words; pleonasm -赘述,zhuì shù,to say more than is necessary; to give unnecessary details -赘余,zhuì yú,superfluous -赠,zèng,to give as a present; to repel; to bestow an honorary title after death (old) -赠予,zèng yǔ,to give a present; to accord (a favor); to grant -赠品,zèng pǐn,gift; complimentary item; freebie; giveaway -赠款,zèng kuǎn,grant -赠礼,zèng lǐ,present; gift -赠与,zèng yǔ,variant of 贈予|赠予[zeng4 yu3] -赠与者,zèng yǔ zhě,giver -赠芍,zèng sháo,to give peonies; fig. exchange of gifts between lovers -赠送,zèng sòng,to present as a gift -赞,zàn,to patronize; to support; to praise; (Internet slang) to like (an online post on Facebook etc) -赞不绝口,zàn bù jué kǒu,to praise without cease (idiom); praise sb to high heaven -赞丹,zàn dān,Zaandam (town in Netherlands) -赞助,zàn zhù,to support; to assist; to sponsor -赞助商,zàn zhù shāng,sponsor -赞同,zàn tóng,to approve of; to endorse; (vote) in favor -赞叹不已,zàn tàn bù yǐ,to be full of praise (idiom) -赞成,zàn chéng,to approve; to endorse; (literary) to assist -赞成票,zàn chéng piào,approval; affirmative vote -赞普,zàn pǔ,(hist.) title of the Tibetan Tufan ruler -赞比亚,zàn bǐ yà,Zambia -赞皇,zàn huáng,"Zanhuang county in Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1], Hebei" -赞皇县,zàn huáng xiàn,"Zanhuang county in Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1], Hebei" -赞西佩,zàn xī pèi,"Xanthippe, Socrates' wife" -赞词,zàn cí,praise -赞誉,zàn yù,to praise; recognition -赞辞,zàn cí,praise -赞飨,zàn xiǎng,message dedicated to a deity -赝,yàn,variant of 贗|赝[yan4] -赡,shàn,to support; to provide for -赡养,shàn yǎng,to support; to provide support for; to maintain -赡养费,shàn yǎng fèi,alimony; child support; maintenance allowance -赢,yíng,to beat; to win; to profit -赢利,yíng lì,gain; profit; to make a profit -赢家,yíng jiā,winner -赢家通吃,yíng jiā tōng chī,winner takes all -赢得,yíng dé,to win; to gain -赢球,yíng qiú,(ball sports) to win a match -赢余,yíng yú,variant of 盈餘|盈余[ying2 yu2] -赆,jìn,farewell presents -赣,gàn,variant of 贛|赣[Gan4] -赃,zāng,stolen goods; loot; spoils -赃官污吏,zāng guān wū lì,"grasping officials, corrupt mandarins (idiom); abuse and corruption" -赃款,zāng kuǎn,booty; stolen goods -赃物,zāng wù,booty; stolen property -赑,bì,see 贔屭|赑屃[Bi4 xi4] -赑屃,bì xì,"Bixi, one of the nine sons of a dragon with the form of a tortoise, also known as 龜趺|龟趺[gui1 fu1]" -赎,shú,to redeem; to ransom -赎价,shú jià,price paid to redeem an object; (religion) price paid to redeem sb; ransom -赎回,shú huí,to redeem -赎款,shú kuǎn,ransom -赎罪,shú zuì,to atone for one's crime; to buy freedom from punishment; redemption; atonement -赎罪日,shú zuì rì,Yom Kippur or Day of Atonement (Jewish holiday) -赎罪日战争,shú zuì rì zhàn zhēng,the Yom Kippur war of October 1973 between Israel and her Arab neighbors -赎金,shú jīn,ransom -赝,yàn,false -赝品,yàn pǐn,fake; counterfeit article -赣,gàn,abbr. for Jiangxi Province 江西省[Jiang1 xi1 Sheng3]; Gan River in Jiangxi Province 江西省[Jiang1 xi1 Sheng3] -赣州,gàn zhōu,Ganzhou prefecture-level city in Jiangxi -赣州市,gàn zhōu shì,Ganzhou prefecture-level city in Jiangxi -赣榆,gàn yú,"Ganyu county in Lianyungang 連雲港|连云港[Lian2 yun2 gang3], Jiangsu" -赣榆县,gàn yú xiàn,"Ganyu county in Lianyungang 連雲港|连云港[Lian2 yun2 gang3], Jiangsu" -赣江,gàn jiāng,Gan River in Jiangxi Province 江西省[Jiang1 xi1 Sheng3] -赣县,gàn xiàn,"Gan county in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -赣语,gàn yǔ,"Gan dialect, spoken in Jiangxi Province" -赃,zāng,variant of 贓|赃[zang1] -赤,chì,red; scarlet; bare; naked -赤佬,chì lǎo,(dialect) scoundrel; rascal -赤兔,chì tù,"Red Hare, famous horse of the warlord Lü Bu 呂布|吕布[Lu:3 Bu4] in the Three Kingdoms era" -赤匪,chì fěi,red bandit (i.e. PLA soldier (during the civil war) or Chinese communist (Tw)) -赤口日,chì kǒu rì,third day of the lunar year (inauspicious for visits because arguments happen easily on that day) -赤嘴潜鸭,chì zuǐ qián yā,(bird species of China) red-crested pochard (Netta rufina) -赤坎,chì kǎn,"Chikan District of Zhanjiang City 湛江市[Zhan4 jiang1 Shi4], Guangdong" -赤坎区,chì kǎn qū,"Chikan District of Zhanjiang City 湛江市[Zhan4 jiang1 Shi4], Guangdong" -赤城,chì chéng,"Chicheng county in Zhangjiakou 張家口|张家口[Zhang1 jia1 kou3], Hebei" -赤城县,chì chéng xiàn,"Chicheng county in Zhangjiakou 張家口|张家口[Zhang1 jia1 kou3], Hebei" -赤壁,chì bì,"Chibi, county-level city in Xianning 咸寧市|咸宁市[Xian2 ning2 shi4], Hubei; Chibi or Red Cliff in Huangzhou district 黃州區|黄州区[Huang2 zhou1 qu1] of Huanggang city 黃岡|黄冈[Huang2 gang1], Hubei, scene of the famous battle of Red Cliff of 208" -赤壁之战,chì bì zhī zhàn,"Battle of Redcliff of 208 at Chibi in Huangzhou district 黃州區|黄州区[Huang2 zhou1 qu1] of Huanggang city 黃岡|黄冈[Huang2 gang1], a decisive defeat of Cao Cao 曹操[Cao2 Cao1] at the hands of southern kingdom of Wu; famous episode in the Romance of the Three Kingdoms 三國演義|三国演义[San1 guo2 Yan3 yi4]" -赤壁市,chì bì shì,"Chibi, county-level city in Xianning 咸寧市|咸宁市[Xian2 ning2 shi4], Hubei; Chibi or Redcliff in Huangzhou district 黃州區|黄州区[Huang2 zhou1 qu1] of Huanggang city 黃岡|黄冈[Huang2 gang1], Hubei, scene of the famous battle of Redcliff of 208" -赤壁县,chì bì xiàn,"Chibi county in Xianning 咸寧市|咸宁市[Xian2 ning2 shi4], Hubei" -赤子,chì zǐ,newborn baby; the people (of a country) -赤子之心,chì zǐ zhī xīn,pure and innocent like the heart of a newborn; sincere -赤字,chì zì,(financial) deficit; red letter -赤字累累,chì zì lěi lěi,debt-ridden; heavily laden with debt -赤小豆,chì xiǎo dòu,see 紅豆|红豆[hong2 dou4] -赤尾噪鹛,chì wěi zào méi,(bird species of China) red-tailed laughingthrush (Trochalopteron milnei) -赤峰,chì fēng,Chifeng prefecture-level city in Inner Mongolia -赤峰市,chì fēng shì,Chifeng prefecture-level city in Inner Mongolia -赤嵌楼,chì kǎn lóu,"Chihkan Tower (formerly Fort Provintia) in Tainan, Taiwan (also written 赤崁樓|赤崁楼[Chi4 kan3 lou2])" -赤手,chì shǒu,with bare hands -赤手空拳,chì shǒu kōng quán,"empty hand, empty fist (idiom); having nothing to rely on; unarmed and defenseless" -赤朱雀,chì zhū què,(bird species of China) Blanford's rosefinch (Agraphospiza rubescens) -赤条条,chì tiáo tiáo,stark naked -赤杨,chì yáng,alder tree (genus Alnus) -赤水,chì shuǐ,"Chishui, county-level city in Zunyi 遵義|遵义[Zun1 yi4], Guizhou" -赤水市,chì shuǐ shì,"Chishui, county-level city in Zunyi 遵義|遵义[Zun1 yi4], Guizhou" -赤水河,chì shuǐ hé,"Chishui River, tributary of Wei in Shaanxi" -赤潮,chì cháo,algal bloom -赤狐,chì hú,red fox (Vulpes vulpes) -赤眉,chì méi,"Red Eyebrows, rebel group involved in the overthrow of the Xin dynasty 新朝[Xin1 chao2]" -赤睛鱼,chì jīng yú,rudd -赤红山椒鸟,chì hóng shān jiāo niǎo,(bird species of China) scarlet minivet (Pericrocotus speciosus) -赤翅沙雀,chì chì shā què,(bird species of China) Eurasian crimson-winged finch (Rhodopechys sanguineus) -赤翡翠,chì fěi cuì,(bird species of China) ruddy kingfisher (Halcyon coromanda) -赤老,chì lǎo,variant of 赤佬[chi4 lao3] -赤胸啄木鸟,chì xiōng zhuó mù niǎo,(bird species of China) crimson-breasted woodpecker (Dendrocopos cathpharius) -赤胸拟啄木鸟,chì xiōng nǐ zhuó mù niǎo,(bird species of China) coppersmith barbet (Megalaima haemacephala) -赤胸朱顶雀,chì xiōng zhū dǐng què,(bird species of China) common linnet (Linaria cannabina) -赤胸鸫,chì xiōng dōng,(bird species of China) brown-headed thrush (Turdus chrysolaus) -赤脚,chì jiǎo,barefoot -赤脚律师,chì jiǎo lǜ shī,barefoot lawyer; grassroots lawyer -赤脚医生,chì jiǎo yī shēng,barefoot doctor; farmer with paramedical training (PRC) -赤腹鹰,chì fù yīng,(bird species of China) Chinese sparrowhawk (Accipiter soloensis) -赤膀鸭,chì bǎng yā,(bird species of China) gadwall (Anas strepera) -赤膊,chì bó,bare to the waist -赤膊上阵,chì bó shàng zhèn,lit. to go into battle bare-breasted (idiom); fig. to go all out; to come out in the open -赤胆忠心,chì dǎn zhōng xīn,lit. red-bellied devotion (idiom); wholehearted loyalty; to serve sb with body and soul -赤藓糖醇,chì xiǎn táng chún,"erythritol, a sugar alcohol" -赤藓醇,chì xiǎn chún,"erythritol, a sugar alcohol" -赤卫军,chì wèi jūn,Red Guards -赤卫队,chì wèi duì,Red Guards -赤裸,chì luǒ,naked; bare -赤裸裸,chì luǒ luǒ,bare; naked; (fig.) plain; undisguised; unadorned -赤褐色,chì hè sè,russet; reddish brown -赤诚,chì chéng,utterly sincere; wholly devoted -赤诚相待,chì chéng xiāng dài,to treat utterly sincerely; open and above board in dealing with sb -赤诚相见,chì chéng xiàng jiàn,candidly sharing confidences -赤豆,chì dòu,see 紅豆|红豆[hong2 dou4] -赤贫,chì pín,poverty-stricken -赤贫如洗,chì pín rú xǐ,without two nickels to rub together (idiom); impoverished -赤足,chì zú,barefoot; barefooted -赤身,chì shēn,naked -赤身露体,chì shēn lù tǐ,completely naked -赤道,chì dào,equator (of the earth or a celestial body); celestial equator -赤道仪,chì dào yí,equatorial mount (for a telescope) -赤道几内亚,chì dào jī nèi yà,Equatorial Guinea -赤道逆流,chì dào nì liú,equatorial counter current -赤道雨林,chì dào yǔ lín,equatorial rain forest -赤金,chì jīn,pure gold -赤铁矿,chì tiě kuàng,hematite (red iron ore); ferric oxide Fe2O3 -赤陶,chì táo,terracotta; terra cotta -赤霞珠,chì xiá zhū,Cabernet Sauvignon (grape type) -赤颈鸭,chì jǐng yā,(bird species of China) Eurasian wigeon (Anas penelope) -赤颈鸫,chì jǐng dōng,(bird species of China) red-throated thrush (Turdus ruficollis) -赤颈鹤,chì jǐng hè,(bird species of China) sarus crane (Grus antigone) -赤麻鸭,chì má yā,(bird species of China) ruddy shelduck (Tadorna ferruginea) -赦,shè,to pardon (a convict) -赦令,shè lìng,amnesty; pardon -赦免,shè miǎn,to pardon; to absolve; to exempt from punishment -赦罪,shè zuì,to forgive (an offender) -赧,nǎn,blushing with shame -赧然,nǎn rán,blushing; embarrassed -赫,hè,surname He -赫,hè,"awe-inspiring; abbr. for 赫茲|赫兹[he4 zi1], hertz (Hz)" -赫伯斯翼龙,hè bó sī yì lóng,Herbstosaurus (genus of pterosaur) -赫伯特,hè bó tè,Herbert (name) -赫卡忒,hè kǎ tè,Hecate (goddess of Greek mythology) -赫哲族,hè zhé zú,Hezhen ethnic group of Heilongjiang province -赫哲语,hè zhé yǔ,Hezhen language (of Hezhen ethnic group of Heilongjiang province) -赫图阿拉,hè tú ā lā,"Hetu Ala (Manchu: Yellow Rock), Nurhaci's capital at the 1619 Battle of Sarhu" -赫塞哥维纳,hè sè gē wéi nà,Herzegovina (Tw) -赫奇帕奇,hè qí pà qí,Hufflepuff (Harry Potter) -赫山,hè shān,"Heshan district of Yiyang city 益陽市|益阳市[Yi4 yang2 shi4], Hunan" -赫山区,hè shān qū,"Heshan district of Yiyang city 益陽市|益阳市[Yi4 yang2 shi4], Hunan" -赫德,hè dé,"Hart or Herd (name); Robert Hart (1835-1911), Englishman who served 1863-1911 in Qing dynasty customs office" -赫拉,hè lā,Hera (wife of Zeus) -赫拉克利特,hè lā kè lì tè,"Heraclitus (535-475 BC), pre-Socratic philosopher" -赫拉特,hè lā tè,Herat (city in Afghanistan) -赫拉特省,hè lā tè shěng,Herat province of Afghanistan -赫斯提亚,hè sī tí yà,Hestia (goddess of Greek mythology) -赫本,hè běn,Hepburn (name) -赫氏角鹰,hè shì jué yīng,see 鷹鵰|鹰雕[ying1 diao1] -赫然,hè rán,with astonishment; with a shock; awe-inspiringly; impressively; furiously (angry) -赫尔,hè ěr,Hull (name); Kingston upon Hull -赫尔墨斯,hè ěr mò sī,Hermes (Greek god) -赫尔曼,hè ěr màn,Herman or Hermann (name) -赫尔曼德,hè ěr màn dé,"Helmand (name); Helmand province of south Afghanistan, capital Lashkar Gah" -赫尔穆特,hè ěr mù tè,Helmut (name) -赫尔辛基,hè ěr xīn jī,"Helsinki (Swedish Helsingfors), capital of Finland" -赫特河公国,hè tè hé gōng guó,Principality of Hutt River (formerly Hutt River Province) -赫福特郡,hè fú tè jùn,Hertfordshire (English county) -赫章,hè zhāng,"Hezhang county in Bijie prefecture 畢節地區|毕节地区[Bi4 jie2 di4 qu1], Guizhou" -赫章县,hè zhāng xiàn,"Hezhang county in Bijie prefecture 畢節地區|毕节地区[Bi4 jie2 di4 qu1], Guizhou" -赫罗图,hè luó tú,(astronomy) Hertzsprung-Russell diagram -赫耳墨斯,hè ěr mò sī,"Hermes, in Greek mythology, messenger of the Gods" -赫胥黎,hè xū lí,"Huxley (name); Thomas Henry Huxley (1825-1895), British evolutionary scientist and champion of Darwin; Aldous Huxley (1894-1963), British novelist" -赫芬顿邮报,hè fēn dùn yóu bào,Huffington Post (US online news aggregator) -赫兹,hè zī,"Hertz (name); Heinrich Hertz (1857-1894), German physicist and meteorologist, pioneer of electromagnetic radiation" -赫兹,hè zī,"hertz (Hz), unit of frequency" -赫兹龙,hè zī lóng,Hezron (name) -赫赫,hè hè,brilliant; impressive; outstanding -赫赫有名,hè hè yǒu míng,illustrious; prominent; prestigious; well-known -赫鲁晓夫,hè lǔ xiǎo fu,"Nikita Khrushchev (1894-1971), secretary-general of Soviet Communist Party 1953-1964" -赫鲁雪夫,hè lǔ xuě fu,see 赫魯曉夫|赫鲁晓夫[He4 lu3 xiao3 fu5] -赭,zhě,ocher -赭石,zhě shí,ocher (pigment) -赭红尾鸲,zhě hóng wěi qú,(bird species of China) black redstart (Phoenicurus ochruros) -赭衣,zhě yī,convict's garb in ancient times; convict -走,zǒu,"to walk; to go; to run; to move (of vehicle); to visit; to leave; to go away; to die (euph.); from; through; away (in compound verbs, such as 撤走[che4 zou3]); to change (shape, form, meaning)" -走下坡路,zǒu xià pō lù,to go downhill; to decline; to slump -走丢,zǒu diū,to wander off; to get lost -走人,zǒu rén,(coll.) to leave; to beat it -走低,zǒu dī,to go down; to decline -走你,zǒu nǐ,"(neologism c. 2012) (interjection of encouragement) Let’s do this!; Come on, you can do this!" -走来回,zǒu lái huí,to make a round trip; a return journey -走俏,zǒu qiào,(a product) sells well; to be in demand -走偏,zǒu piān,to deviate from the correct course; (fig.) to go astray -走偏锋,zǒu piān fēng,to write with the tip of the brush tilted; (fig.) to resort to devious means -走光,zǒu guāng,to expose oneself; to be completely gone -走入,zǒu rù,to walk into -走内线,zǒu nèi xiàn,insider contacts; via private channels; to seek influence with sb via family members (possibly dishonest or underhand) -走出,zǒu chū,to leave (a room etc); to go out through (a door etc) -走动,zǒu dòng,to walk around; to move about; to stretch one's legs; to go for a walk; to be mobile (e.g. after an illness); to visit one another; to socialize; to pay a visit (go to the toilet) -走势,zǒu shì,tendency; trend; path -走卒,zǒu zú,pawn (i.e. foot soldier); servant; lackey (of malefactor) -走南闯北,zǒu nán chuǎng běi,to travel extensively -走去,zǒu qù,to walk over (to) -走向,zǒu xiàng,direction; strike (i.e. angle of inclination in geology); inclination; trend; to move towards; to head for -走向断层,zǒu xiàng duàn céng,strike fault (geology) -走向滑动断层,zǒu xiàng huá dòng duàn céng,strike-slip fault (geology); fault line where the two sides slide horizontally past one another -走味,zǒu wèi,to lose flavor -走味儿,zǒu wèi er,erhua variant of 走味[zou3 wei4] -走嘴,zǒu zuǐ,a slip of the tongue; to blurt out (a secret or stupid mistake) -走回头路,zǒu huí tóu lù,to turn back; to backtrack; (fig.) to revert to the former way of doing things -走圆场,zǒu yuán chǎng,to walk around the stage (to indicate scene changes) -走地盘,zǒu dì pán,live betting; in-play wagering -走地鸡,zǒu dì jī,free-range chicken -走失,zǒu shī,"lost; missing; to lose (sb in one's charge); to get lost; to wander away; to lose (flavor, freshness, shape, hair, one's good looks etc); to lose meaning (in translation)" -走好运,zǒu hǎo yùn,to experience good luck -走娘家,zǒu niáng jiā,(of a wife) to visit one's parental home -走子,zǒu zǐ,a move (in chess) -走宝,zǒu bǎo,to miss an opportunity (Cantonese) -走山,zǒu shān,landslide; avalanche; to take a walk in the mountains -走廊,zǒu láng,corridor; aisle; hallway; passageway; veranda -走弯路,zǒu wān lù,to take an indirect route; to waste one's time by using an inappropriate method -走形,zǒu xíng,out of shape; to lose shape; to deform -走形儿,zǒu xíng er,out of shape; to lose shape; to deform -走形式,zǒu xíng shì,to go through the formalities -走后门,zǒu hòu mén,(lit.) to enter through the back door; (fig.) to pull strings; to use connections; (fig.) (slang) to have anal sex -走心,zǒu xīn,to take care; to be mindful; (Internet slang) to be moved by sth; poignant; to have deep feelings for sb; to lose one's heart to sb -走扁带,zǒu biǎn dài,slacklining -走扇,zǒu shàn,"not closing properly (of door, window etc)" -走投无路,zǒu tóu wú lù,to be at an impasse (idiom); in a tight spot; at the end of one's rope; desperate -走掉,zǒu diào,to leave -走散,zǒu sàn,to wander off; to stray; to get lost -走时,zǒu shí,(of a watch or clock) to keep time; (physics) propagation time; travel time (of a wave) -走板,zǒu bǎn,to be off the beat; to sound awful (of singing); (fig.) to wander off the topic; (diving) to step toward the end of the board; approach -走查,zǒu chá,walkthrough (computing) -走桃花运,zǒu táo huā yùn,to have luck with the ladies (idiom) -走样,zǒu yàng,to lose shape; to deform -走样儿,zǒu yàng er,to lose shape; to deform -走步,zǒu bù,"to walk; to step; pace; traveling (walking with the ball, a foul in basketball)" -走水,zǒu shuǐ,to leak; to flow; to catch on fire -走江湖,zǒu jiāng hú,to travel around the country (as itinerant peddler or entertainer) -走漏,zǒu lòu,"to leak (information, secrets etc); to smuggle and evade tax; to suffer shrinkage (partial loss of goods due to theft etc)" -走漏消息,zǒu lòu xiāo xi,to divulge secrets -走火,zǒu huǒ,to go off accidentally; to catch fire -走火入魔,zǒu huǒ rù mó,"to be obsessed with sth; to go overboard; (Buddhism, Taoism) to misguidedly focus on hallucinations that arise during meditation" -走为上,zǒu wéi shàng,"see 三十六計,走為上策|三十六计,走为上策[san1 shi2 liu4 ji4 , zou3 wei2 shang4 ce4]" -走为上计,zǒu wéi shàng jì,"see 三十六計,走為上策|三十六计,走为上策[san1 shi2 liu4 ji4 , zou3 wei2 shang4 ce4]" -走狗,zǒu gǒu,hunting dog; hound; (fig.) running dog; lackey -走兽,zǒu shòu,(four-footed) animal; beast -走相,zǒu xiàng,to lose one's good looks -走眼,zǒu yǎn,a mistake; an oversight; an error of judgment -走神,zǒu shén,absent-minded; one's mind is wandering -走神儿,zǒu shén er,absent-minded; one's mind is wandering -走票,zǒu piào,amateur performance (in theater) -走禽,zǒu qín,Ratitae (formerly Cursores) flightless birds such as ostriches -走秀,zǒu xiù,a fashion show; to walk the runway (in a fashion show) -走私,zǒu sī,to smuggle; to have an illicit affair -走私品,zǒu sī pǐn,smuggled product; contraband; pirate product -走私货,zǒu sī huò,smuggled goods -走穴,zǒu xué,"(of itinerant entertainers) to tour, playing in many venues" -走红,zǒu hóng,to be popular; to be in luck; to have good luck; to develop smoothly -走索,zǒu suǒ,tightrope walking -走绳,zǒu shéng,tightrope walking -走背字,zǒu bèi zì,to have bad luck -走背字儿,zǒu bèi zì er,erhua variant of 走背字[zou3 bei4 zi4] -走肾,zǒu shèn,(med) retractile testicle; infatuation inducing; pee inducing (of alcohol); (neologism) to be sexually attracted; to have the hots for sb -走色,zǒu sè,to lose color; to fade -走着瞧,zǒu zhe qiáo,wait and see (who is right) -走亲戚,zǒu qīn qi,to visit relatives -走亲访友,zǒu qīn fǎng yǒu,to visit one's friends and relatives -走访,zǒu fǎng,to visit; to travel to -走调,zǒu diào,out of tune; off-key -走读,zǒu dú,to attend school as a day student -走资派,zǒu zī pài,"capitalist roader (person in power taking the capitalist road, a political label often pinned on cadres by the Red Guards during the Cultural Revolution)" -走路,zǒu lù,to walk; to go on foot -走近,zǒu jìn,to approach; to draw near to -走进,zǒu jìn,to enter -走运,zǒu yùn,to have good luck; to be in luck -走过,zǒu guò,to walk past; to pass by -走过场,zǒu guò chǎng,to go through the motions -走道,zǒu dào,pavement; sidewalk; path; walk; footpath; aisle -走避,zǒu bì,to run away; to escape; to avoid -走乡随乡,zǒu xiāng suí xiāng,"(proverb) to follow local customs; When in Rome, do as the Romans do." -走钢丝,zǒu gāng sī,to walk a tightrope (literally or figuratively) -走错,zǒu cuò,"to go the wrong way; to take the wrong (road, exit etc)" -走门子,zǒu mén zi,see 走門路|走门路[zou3 men2 lu4] -走门路,zǒu mén lù,to use social connections; to toady to influential people -走开,zǒu kāi,to leave; to walk away; to beat it; to move aside -走险,zǒu xiǎn,to take risks; to run risks -走音,zǒu yīn,(music) off-key; out of tune -走题,zǒu tí,to get off the main topic; to digress -走风,zǒu fēng,to leak (a secret); to transpire -走马,zǒu mǎ,to ride (a horse); to go on horseback -走马上任,zǒu mǎ shàng rèn,(idiom) to take office; to assume a post -走马到任,zǒu mǎ dào rèn,see 走馬上任|走马上任[zou3 ma3 shang4 ren4] -走马灯,zǒu mǎ dēng,"lantern with a carousel of paper horses rotating under convection, used at Lantern Festival 元宵節|元宵节[Yuan2 xiao1 jie2]; (fig.) revolving door; musical chairs (metaphor for people being shuffled around into different jobs)" -走马看花,zǒu mǎ kàn huā,lit. flower viewing from horseback (idiom); fig. superficial understanding from cursory observation; to make a quick judgment based on inadequate information -走马章台,zǒu mǎ zhāng tái,to go to the brothel on horseback (idiom); to visit prostitutes -走马观花,zǒu mǎ guān huā,lit. flower viewing from horseback (idiom); a fleeting glance in passing; fig. superficial understanding from cursory observation; to make a quick judgment based on inadequate information -走马赴任,zǒu mǎ fù rèn,see 走馬上任|走马上任[zou3 ma3 shang4 ren4] -走鬼,zǒu guǐ,unlicensed street vendor -赳,jiū,see 赳赳[jiu1 jiu1] -赳赳,jiū jiū,valiantly; gallantly -赴,fù,to go; to visit (e.g. another country); to attend (a banquet etc) -赴任,fù rèn,to travel to take up a new post -赴宴,fù yàn,to attend a banquet -赴会,fù huì,to go to a meeting -赴死,fù sǐ,to meet death -赴汤蹈火,fù tāng dǎo huǒ,lit. to jump into scalding water and plunge into raging fire (idiom); fig. to brave any danger; to go to any lengths (for a noble cause) -赴约,fù yuē,to keep an appointment -赴美,fù měi,to go to the United States -赴考,fù kǎo,to go and sit an examination -赴台,fù tái,to visit Taiwan -赴华,fù huá,to visit China -赴阴曹,fù yīn cáo,to enter hell -起,qǐ,"to rise; to raise; to get up; to set out; to start; to appear; to launch; to initiate (action); to draft; to establish; to get (from a depot or counter); verb suffix, to start; starting from (a time, place, price etc); classifier for occurrences or unpredictable events: case, instance; classifier for groups: batch, group" -起亚,qǐ yà,Kia (Motors) -起伏,qǐ fú,to move up and down; to undulate; ups and downs -起作用,qǐ zuò yòng,to have an effect; to play a role; to be operative; to work; to function -起来,qǐ lai,to stand up; to get up; also pr. [qi3 lai2] -起来,qi lai,"(after a verb) indicating the beginning and continuation of an action or a state; indicating an upward movement (e.g. after 站[zhan4]); indicating completion; (after a perception verb, e.g. 看[kan4]) expressing preliminary judgment; also pr. [qi3lai5]" -起价,qǐ jià,initial price (e.g. for the first kilometer); prices starting from -起先,qǐ xiān,at first; in the beginning -起初,qǐ chū,originally; at first; at the outset -起到,qǐ dào,(in an expression of the form 起到…作用[qi3 dao4 xx5 zuo4 yong4]) to have (a (motivating etc) effect); to play (a (stabilizing etc) role) -起劲,qǐ jìn,energetic; vigorous; enthusiastic -起动,qǐ dòng,to start up (a motor); to launch (a computer application) -起动钮,qǐ dòng niǔ,starter button; on switch -起司,qǐ sī,cheese (loanword) (Tw) -起司蛋糕,qǐ sī dàn gāo,cheesecake -起名,qǐ míng,to name; to christen; to take a name -起名儿,qǐ míng er,erhua variant of 起名[qi3 ming2] -起因,qǐ yīn,cause; a factor (leading to an effect) -起圈,qǐ juàn,to remove manure from a cowshed or pigsty etc (for use as fertilizer); to muck out -起士,qǐ shì,cheese (loanword) (Tw) -起士蛋糕,qǐ shì dàn gāo,cheesecake -起始,qǐ shǐ,to originate -起子,qǐ zi,baking soda (used to leaven bread); screwdriver; bottle opener -起家,qǐ jiā,to start out by; to grow an enterprise beginning with; to begin one's career by -起小,qǐ xiǎo,since childhood -起小儿,qǐ xiǎo er,erhua variant of 起小[qi3 xiao3] -起居,qǐ jū,everyday life; regular pattern of life -起居作息,qǐ jū zuò xī,"lit. rising and lying down, working and resting (idiom); fig. everyday life; daily routine; to go about one's daily life" -起居室,qǐ jū shì,living room; sitting room -起居间,qǐ jū jiān,living room -起床,qǐ chuáng,to get out of bed; to get up -起床气,qǐ chuáng qì,grumpiness resulting from poor sleep; irritability in the morning -起床号,qǐ chuáng háo,reveille -起征点,qǐ zhēng diǎn,tax threshold -起意,qǐ yì,to conceive a scheme; to devise a plan -起手,qǐ shǒu,to set about (doing sth) -起搏器,qǐ bó qì,artificial pacemaker -起扑,qǐ pū,chip shot (golf) -起扑杆,qǐ pū gān,chipper (golf) -起敬,qǐ jìng,to feel respect -起早摸黑,qǐ zǎo mō hēi,see 起早貪黑|起早贪黑[qi3 zao3 tan1 hei1] -起早贪黑,qǐ zǎo tān hēi,"to be industrious, rising early and going to bed late" -起步,qǐ bù,to set out; to set in motion; the start (of some activity) -起死回生,qǐ sǐ huí shēng,to rise from the dead (idiom); fig. an unexpected recovery -起毛,qǐ máo,fluff; lint; to feel nervous -起泡,qǐ pào,to bubble; to foam; to blister; to sprout boils (on one's body); sparkling (wine etc) -起泡沫,qǐ pào mò,to emit bubbles; to bubble; to foam (with rage); to seethe -起源,qǐ yuán,origin; to originate; to come from -起火,qǐ huǒ,to catch fire; to cook; to get angry -起爆,qǐ bào,to explode; to set off an explosion; to detonate -起球,qǐ qiú,"(of a sweater, fabric etc) to pill" -起用,qǐ yòng,to promote; to reinstate (in a position or job) -起皮,qǐ pí,(of skin) to peel -起皱纹,qǐ zhòu wén,to shrivel -起眼,qǐ yǎn,to catch one's eye (usu. used in the negative) -起码,qǐ mǎ,at the minimum; at the very least -起磁,qǐ cí,magnetization; to magnetize -起程,qǐ chéng,to set out; to leave -起种,qǐ zhǒng,starter (for sourdough breadmaking) -起稿,qǐ gǎo,to make a draft; to draft (a document) -起立,qǐ lì,to stand; Stand up! -起粟,qǐ sù,to get goose bumps -起义,qǐ yì,uprising; insurrection; revolt -起航,qǐ háng,(of a ship) to set sail; (of an airplane) to take off -起色,qǐ sè,a turn for the better; to pick up; to improve -起草,qǐ cǎo,to make a draft; to draw up (plans) -起落,qǐ luò,to rise and fall; takeoff and landing; ups and downs -起落场,qǐ luò chǎng,airfield; takeoff and landing strip -起落架,qǐ luò jià,undercarriage -起落装置,qǐ luò zhuāng zhì,aircraft takeoff and landing gear -起见,qǐ jiàn,motive; purpose; (sth) being the motive or purpose -起讫,qǐ qì,beginning and end (dates) -起诉,qǐ sù,to sue; to bring a lawsuit against; to prosecute -起诉员,qǐ sù yuán,prosecutor -起诉书,qǐ sù shū,indictment (law); statement of charges (law) -起诉者,qǐ sù zhě,plaintiff -起誓,qǐ shì,to vow; to swear an oath -起课,qǐ kè,to practice divination -起讲,qǐ jiǎng,to start a story -起跑,qǐ pǎo,to start running; the start of a race -起跑线,qǐ pǎo xiàn,the starting line (of a race); scratch line (in a relay race) -起跳,qǐ tiào,"(athletics) to take off (at the start of a jump); (of price, salary etc) to start (from a certain level)" -起身,qǐ shēn,to get up; to leave; to set forth -起迄,qǐ qì,start and end (dates); origin and destination -起造员,qǐ zào yuán,draftsman; draughtsman -起运,qǐ yùn,variant of 啟運|启运[qi3 yun4] -起重,qǐ zhòng,to lift (sth heavy) using a crane or other mechanical means -起重机,qǐ zhòng jī,crane -起重葫芦,qǐ chóng hú lu,hoist pulley -起钉器,qǐ dīng qì,staple remover -起钉锤,qǐ dīng chuí,claw hammer -起锚,qǐ máo,to weigh anchor -起开,qǐ kai,(dialect) to step aside; Get out of the way! -起降,qǐ jiàng,(of aircraft) to take off and land -起云剂,qǐ yún jì,clouding agent; emulsifier -起电机,qǐ diàn jī,electrostatic generator -起头,qǐ tóu,to start; at first; beginning -起飞,qǐ fēi,(of an aircraft) to take off -起飞弹射,qǐ fēi tán shè,takeoff catapult (on aircraft carrier) -起哄,qǐ hòng,to heckle; rowdy jeering; to create a disturbance -起点,qǐ diǎn,starting point -起点线,qǐ diǎn xiàn,starting line -赸,shàn,to jump; to leave -趁,chèn,to avail oneself of; to take advantage of -趁乱逃脱,chèn luàn táo tuō,to run away in the confusion; to take advantage of the confusion to escape -趁人之危,chèn rén zhī wēi,to take advantage of sb's difficulties (idiom) -趁便,chèn biàn,to take the opportunity; in passing -趁势,chèn shì,to take advantage of a favorable situation; to seize an opportunity -趁心,chèn xīn,variant of 稱心|称心[chen4 xin1] -趁手,chèn shǒu,conveniently; without extra trouble; convenient; handy -趁早,chèn zǎo,as soon as possible; at the first opportunity; the sooner the better; before it's too late -趁早儿,chèn zǎo er,erhua variant of 趁早[chen4 zao3] -趁机,chèn jī,to seize an opportunity -趁火打劫,chèn huǒ dǎ jié,lit. to loot a burning house (idiom); fig. to take advantage of sb's misfortune -趁热打铁,chèn rè dǎ tiě,to strike while the iron is hot -趁钱,chèn qián,variant of 稱錢|称钱[chen4 qian2] -趁愿,chèn yuàn,variant of 稱願|称愿[chen4yuan4] -趁,chèn,old variant of 趁[chen4] -趄,jū,used in 趑趄[zi1 ju1] -趄,qiè,to slant; to incline -超,chāo,to exceed; to overtake; to surpass; to transcend; to pass; to cross; ultra-; super- -超乎寻常,chāo hū xún cháng,out of the ordinary; exceptional -超人,chāo rén,"Superman, comic book superhero" -超人,chāo rén,superhuman; exceptional -超值,chāo zhí,to be well worth the money one pays (for it); to be great value -超凡,chāo fán,out of the ordinary; exceedingly (good) -超出,chāo chū,to exceed; to overstep; to go too far; to encroach -超前,chāo qián,to be ahead of one's time; to surpass or outdo one's predecessors; to be ahead of the pack; to take the lead; advanced -超前意识,chāo qián yì shí,foresight -超前消费,chāo qián xiāo fèi,excessive consumption; spending beyond one's means -超前瞄准,chāo qián miáo zhǔn,to aim in front of a moving target -超升,chāo shēng,exaltation -超博士,chāo bó shì,postdoc; postdoctoral student -超友谊关系,chāo yǒu yì guān xi,relationship that is more than friendship -超员,chāo yuán,overcrowded with people; overstaffed -超售,chāo shòu,overbooking -超商,chāo shāng,convenience store; mini-mart -超基性岩,chāo jī xìng yán,"ultrabasic rock (geology, rock containing less than 45 percent silicates)" -超媒体,chāo méi tǐ,hypermedia -超对称,chāo duì chèn,supersymmetry -超导,chāo dǎo,superconductor; superconductivity (physics) -超导电,chāo dǎo diàn,superconductance (physics) -超导电性,chāo dǎo diàn xìng,superconductivity (physics) -超导电体,chāo dǎo diàn tǐ,superconductor -超导体,chāo dǎo tǐ,superconductor -超市,chāo shì,supermarket (abbr. for 超級市場|超级市场[chao1 ji2 shi4 chang3]); CL:家[jia1] -超常,chāo cháng,exceptional; well above average; supernatural; paranormal -超常发挥,chāo cháng fā huī,to outdo oneself; to perform exceptionally well -超平面,chāo píng miàn,hyperplane (math.) -超度,chāo dù,to surpass; to transcend; to perform religious ceremonies to help the soul find peace -超弦,chāo xián,superstring (physics) -超我,chāo wǒ,superego -超拔,chāo bá,outstanding; to fast-track; to elevate; to free oneself from -超支,chāo zhī,to overspend -超敏反应,chāo mǐn fǎn yìng,hypersensitivity -超文件,chāo wén jiàn,hypertext -超文件传输协定,chāo wén jiàn chuán shū xié dìng,hypertext transfer protocol; HTTP -超文本,chāo wén běn,hypertext -超文本传输协定,chāo wén běn chuán shū xié dìng,hypertext transfer protocol; HTTP -超文本传送协议,chāo wén běn chuán sòng xié yì,hypertext transfer protocol (HTTP) -超文本标记语言,chāo wén běn biāo jì yǔ yán,hypertext markup language; HTML -超新星,chāo xīn xīng,supernova -超时,chāo shí,to exceed the time limit; (to work) overtime; (computing) timeout -超标,chāo biāo,to cross the limit; to be over the accepted norm; excessive -超模,chāo mó,supermodel -超泛神论,chāo fàn shén lùn,"panentheism, theological theory of God as equal to the Universe while transcending it" -超渡,chāo dù,variant of 超度[chao1 du4] -超然,chāo rán,aloof; detached; disinterested; impartial -超然世事,chāo rán shì shì,to consider oneself above worldly matters (idiom) -超物理,chāo wù lǐ,surpassing the physical world; metaphysical -超现实,chāo xiàn shí,surreal; surrealistic -超现实主义,chāo xiàn shí zhǔ yì,surrealism -超生,chāo shēng,to exceed the stipulated limit of a birth-control policy; to be reincarnated; to be lenient -超产,chāo chǎn,to exceed a production goal -超界,chāo jiè,superkingdom (taxonomy) -超短波,chāo duǎn bō,ultra short wave (radio); UHF -超短裙,chāo duǎn qún,miniskirt -超等,chāo děng,superior grade -超算,chāo suàn,supercomputing (abbr. for 超級計算|超级计算[chao1 ji2 ji4 suan4]); supercomputer (abbr. for 超級計算機|超级计算机[chao1 ji2 ji4 suan4 ji1]) -超级,chāo jí,super-; ultra-; hyper- -超级传播者,chāo jí chuán bō zhě,super spreader (epidemiology) -超级大国,chāo jí dà guó,superpower -超级市场,chāo jí shì chǎng,supermarket -超级强国,chāo jí qiáng guó,superpower -超级杯,chāo jí bēi,Super Cup (various sports); Super Bowl (American football championship game) -超级杯,chāo jí bēi,Super Cup (various sports); Super Bowl (American football championship game) -超级碗,chāo jí wǎn,Super Bowl (American football championship game) -超级计算,chāo jí jì suàn,supercomputing -超级计算机,chāo jí jì suàn jī,supercomputer -超级跑车,chāo jí pǎo chē,supercar; abbr. to 超跑|超跑[chao1 pao3] -超级链接,chāo jí liàn jiē,hyperlink (in HTML) -超级电脑,chāo jí diàn nǎo,(Tw) supercomputer -超绝,chāo jué,surpassing; excelling; preeminent; unique -超经验,chāo jīng yàn,extra-empirical; outside one's experience -超维空间,chāo wéi kōng jiān,hyperspace; superspace; higher dimensional space -超纲,chāo gāng,beyond the scope of the syllabus -超群,chāo qún,surpassing; preeminent; outstanding -超群绝伦,chāo qún jué lún,outstanding (idiom); incomparable -超联,chāo lián,(sports) superleague -超声,chāo shēng,ultrasonic; ultrasound -超声扫描,chāo shēng sǎo miáo,ultrasonic scan -超声波,chāo shēng bō,ultrasound (scan) -超声波检查,chāo shēng bō jiǎn chá,echography; ultrasound scan -超能力,chāo néng lì,superpower; superhuman power -超脱,chāo tuō,to stand aloof; to be detached from; to transcend worldliness; untrammeled; unconventional -超临界,chāo lín jiè,supercritical -超自然,chāo zì rán,supernatural -超译,chāo yì,a translation that takes liberties with the original text -超负荷,chāo fù hè,excess load; an overload; overloaded -超卖,chāo mài,to overbook (e.g. airline seats); to oversell -超越,chāo yuè,to surpass; to exceed; to transcend -超越主义,chāo yuè zhǔ yì,transcendentalism -超越数,chāo yuè shù,transcendental number (math.) -超跑,chāo pǎo,supercar; abbr. for 超級跑車|超级跑车[chao1 ji2 pao3 che1] -超距作用,chāo jù zuò yòng,action at a distance (e.g. gravitational force) -超车,chāo chē,to overtake (another car) -超载,chāo zài,to overload -超速,chāo sù,to exceed the speed limit; to speed; high-speed -超连结,chāo lián jié,(Tw) hyperlink -超过,chāo guò,to surpass; to exceed; to outstrip -超过限度,chāo guò xiàn dù,to exceed; to go beyond; to overstep the limit -超迁,chāo qiān,(literary) to be promoted more than one grade or rank at a time; to be promoted ahead of time -超重,chāo zhòng,"overweight (baggage, freight)" -超重氢,chāo zhòng qīng,(chemistry) tritium -超链接,chāo liàn jiē,hyperlink -超链结,chāo liàn jié,(Tw) hyperlink -超限战,chāo xiàn zhàn,"unrestricted warfare (originally the title of a Chinese book published in 1999, later used to refer to war by any means, military or non-military, including cyberwarfare, economic warfare etc)" -超音波,chāo yīn bō,ultrasound; ultrasonic wave -超音速,chāo yīn sù,supersonic -超频,chāo pín,overclocking -超额,chāo é,above quota -超额利润,chāo é lì rùn,superprofit; excess profit -超额订购,chāo é dìng gòu,to overbook -超额认购,chāo é rèn gòu,(a share issue is) oversubscribed -超额配股权,chāo é pèi gǔ quán,an oversubscribed share -超马,chāo mǎ,ultramarathon; abbr. for 超級馬拉松|超级马拉松[chao1 ji2 ma3 la1 song1] -超验主义,chāo yàn zhǔ yì,transcendentalism -超高速,chāo gāo sù,ultra high speed -超龄,chāo líng,too old; overage; (of a young person's behavior or attributes) beyond one's years; adultlike -越,yuè,generic word for peoples or states of south China or south Asia at different historical periods; abbr. for Vietnam 越南 -越,yuè,to exceed; to climb over; to surpass; the more... the more -越位,yuè wèi,offside (sports) -越来越,yuè lái yuè,more and more -越俎代庖,yuè zǔ dài páo,lit. to go beyond the sacrificial altar and take over the kitchen (idiom); fig. to exceed one's place and meddle in other people's affairs; to take matters into one's own hands -越侨,yuè qiáo,Vietnamese resident in other countries (including in China) -越光米,yuè guāng mǐ,Koshihikari rice (variety of rice popular in Japan) -越共,yuè gòng,Communist Party of Vietnam; Viet Cong -越冬,yuè dōng,to pass the winter; to overwinter; to live through the winter -越出界线,yuè chū jiè xiàn,to exceed; to overstep the limit -越剧,yuè jù,Shaoxing opera -越南,yuè nán,Vietnam; Vietnamese -越南战争,yuè nán zhàn zhēng,Vietnam War (1955-1975) -越南文,yuè nán wén,Vietnamese written language; Vietnamese literature -越南民主共和国,yuè nán mín zhǔ gòng hé guó,"Democratic Republic of Vietnam (aka North Vietnam), a country in Southeast Asia 1945-1976" -越南盾,yuè nán dùn,Vietnamese dong (currency) -越南语,yuè nán yǔ,"Vietnamese language, Tiếng Việt" -越国,yuè guó,Yue state; generic term for states in south China or southeast Asia at different historical periods -越城,yuè chéng,"Yuecheng district of Shaoxing city 紹興市|绍兴市[Shao4 xing1 shi4], Zhejiang" -越城区,yuè chéng qū,"Yuecheng district of Shaoxing city 紹興市|绍兴市[Shao4 xing1 shi4], Zhejiang" -越城岭,yuè chéng lǐng,Yuecheng mountain range between south Hunan and Guangxi -越境,yuè jìng,to cross a border (usually illegally); to sneak in or out of a country -越席,yuè xí,to leave one's seat -越帮越忙,yuè bāng yuè máng,to be officious; to kibitz; to be meddlesome; to force one's help upon -越式,yuè shì,Vietnamese-style -越战,yuè zhàn,Vietnam War (1955-1975) -越描越黑,yuè miáo yuè hēi,"lit. the more you touch things up, the darker they get; fig. to only make matters worse" -越文,yuè wén,Vietnamese written language; Vietnamese literature -越橘,yuè jú,cowberry; blue berry -越权,yuè quán,to go beyond one's authority; arrogation -越演越烈,yuè yǎn yuè liè,to be intensifying; to be getting worse and worse; to start to run rampant -越狱,yuè yù,to break out of prison; to jailbreak (an iOS device etc) -越狱犯,yuè yù fàn,escaped prisoner -越王勾践,yuè wáng gōu jiàn,"King Gou Jian of Yue (c. 470 BC), sometimes considered one of the Five Hegemons 春秋五霸" -越瓜,yuè guā,snake melon -越界,yuè jiè,to cross a border; to overstep a bound -越发,yuè fā,increasingly; more and more; ever more; all the more -越礼,yuè lǐ,to overstep etiquette; not to observe priorities -越秀,yuè xiù,"Yuexiu District of Guangzhou City 廣州市|广州市[Guang3 zhou1 Shi4], Guangdong" -越秀区,yuè xiù qū,"Yuexiu District of Guangzhou City 廣州市|广州市[Guang3 zhou1 Shi4], Guangdong" -越级,yuè jí,to skip a grade; to bypass ranks; to go over the head of one's boss -越职,yuè zhí,to exceed one's authority; to go beyond the bounds of one's job -越西,yuè xī,"Yuexi county in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -越西县,yuè xī xiàn,"Yuexi county in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -越轨,yuè guǐ,to run off the track; to step out of line; to overstep the bounds of propriety -越过,yuè guò,to cross over; to transcend; to cover distance; to overcome; to rise above -越野,yuè yě,cross country -越野赛跑,yuè yě sài pǎo,cross-country running -越野跑,yuè yě pǎo,cross country running -越野车,yuè yě chē,off-road vehicle -越陷越深,yuè xiàn yuè shēn,"to fall deeper and deeper (in debt, in love etc)" -越障,yuè zhàng,to surmount obstacles; assault course for training troops -越飞,yuè fēi,"Adolph Abramovich Joffe (1883-1927), Soviet and Comintern diplomat and spy in 1922-23 in Republican China" -趑,zī,to falter; unable to move -趑趄,zī jū,to advance with difficulty; to hesitate to advance -趑趄不前,zī jū bù qián,hesitant and not daring to move forward (idiom) -趑趄嗫嚅,zī jū niè rú,"faltering steps, mumbling speech (idiom); hesitant; cringing; to cower" -趔,liè,used in 趔趄|趔趄[lie4 qie5] -趔趄,liè qie,to stagger; to stumble; to reel; Taiwan pr. [lie4ju1] -赶,gǎn,to overtake; to catch up with; to hurry; to rush; to try to catch (the bus etc); to drive (cattle etc) forward; to drive (sb) away; to avail oneself of (an opportunity); until; by (a certain time) -赶上,gǎn shàng,to keep up with; to catch up with; to overtake; to chance upon; in time for -赶不上,gǎn bù shàng,can't keep up with; can't catch up with; cannot overtake -赶不及,gǎn bù jí,not enough time (to do sth); too late (to do sth) -赶来,gǎn lái,to rush over -赶出,gǎn chū,to drive away -赶到,gǎn dào,to hurry (to some place) -赶前不赶后,gǎn qián bù gǎn hòu,it's better to hurry at the start than to rush later (idiom) -赶工,gǎn gōng,to work against the clock; to hurry with work to get it done in time -赶往,gǎn wǎng,to hurry to (somewhere) -赶得及,gǎn dé jí,there is still time (to do sth); to be able to do sth in time; to be able to make it -赶忙,gǎn máng,to hurry; to hasten; to make haste -赶快,gǎn kuài,quickly; at once -赶早,gǎn zǎo,as soon as possible; at the first opportunity; the sooner the better; before it's too late -赶明儿,gǎn míng er,(coll.) some day; one of these days -赶时间,gǎn shí jiān,to be in a hurry -赶时髦,gǎn shí máo,to keep up with the latest fashion -赶浪头,gǎn làng tou,to follow the trend -赶海,gǎn hǎi,"(dialect) to gather seafood at the beach while the tide is out; to comb the beach for shellfish, crabs or other marine life" -赶尽杀绝,gǎn jìn shā jué,to kill to the last one (idiom); to exterminate; to eradicate; ruthless -赶紧,gǎn jǐn,hurriedly; without delay -赶羊,gǎn yáng,to drive sheep; to herd sheep -赶考,gǎn kǎo,to go and take an imperial examination -赶脚,gǎn jiǎo,to work as a carter or porter; to transport goods for a living (esp. by donkey) -赶英超美,gǎn yīng chāo měi,to catch up with England and surpass the USA (economic goal) -赶走,gǎn zǒu,to drive out; to turn back -赶赴,gǎn fù,to hurry; to rush -赶超,gǎn chāo,to overtake -赶跑,gǎn pǎo,to drive away; to force out; to repel -赶路,gǎn lù,to hasten on with one's journey; to hurry on -赶车,gǎn chē,to drive a cart -赶集,gǎn jí,to go to market; to go to a fair -赶鸭子上架,gǎn yā zi shàng jià,lit. to drive a duck onto a perch (idiom); fig. to push sb to do sth way beyond their ability -赵,zhào,"surname Zhao; one of the seven states during the Warring States period (476-220 BC); the Former Zhao 前趙|前赵[Qian2 Zhao4] (304-329) and Later Zhao 後趙|后赵[Hou4 Zhao4] (319-350), states of the Sixteen Kingdoms" -赵,zhào,to surpass (old) -赵元任,zhào yuán rèn,"Yuen Ren Chao (1892-1982), Chinese-American linguist" -赵公元帅,zhào gōng yuán shuài,"Marshal Zhao, aka Zhao Gongming or Zhao Xuantan, God of Wealth in the Chinese folk tradition and Taoism" -赵公明,zhào gōng míng,"Zhao Gongming, God of Wealth in the Chinese folk tradition and Taoism" -赵匡胤,zhào kuāng yìn,"Zhao Kuangyin, personal name of founding Song emperor Song Taizu 宋太祖 (927-976)" -赵国,zhào guó,"Zhao, one of the seven states during the Warring States Period of Chinese history (475-220 BC)" -赵子龙,zhào zǐ lóng,"courtesy name of Zhao Yun 趙雲|赵云[Zhao4 Yun2], general of Shu in Romance of the Three Kingdoms" -赵宋,zhào sòng,Song dynasty (960-1279); used to distinguish it from 劉宋|刘宋 Song of Southern dynasties (420-479) -赵客,zhào kè,knight of the Zhao State; generic term for a knight-errant -赵家人,zhào jiā rén,(neologism 2015) the Zhao family (derogatory term for those who hold power in the PRC) -赵岐,zhào qí,"Zhao Qi (-201 BC), early Han commentator on Mencius 孟子[Meng4 zi3]" -赵州桥,zhào zhōu qiáo,"Zhaozhou Bridge over Xiao River 洨河[Xiao2 He2] in Zhao county 趙縣|赵县[Zhao4 Xian4], Shijiazhuang, Hebei, dating back to the Sui dynasty 隋代[Sui2 dai4] (581-617) and the world's oldest extant stone arch bridge" -赵忠尧,zhào zhōng yáo,"Zhao Zhongyao (1902-1998), Chinese pioneer nuclear physicist" -赵惠文王,zhào huì wén wáng,"King Huiwen of Zhao 趙國|赵国, reigned 298-266 BC during the Warring States Period" -赵括,zhào kuò,"Zhao Kuo (-260 BC), hapless general of Zhao 趙國|赵国[Zhao4 Guo2], who famously led an army of 400,000 to total annihilation at battle of Changping 長平之戰|长平之战[Chang2 ping2 zhi1 Zhan4] in 260 BC; also called Ma Fuzi 馬服子|马服子[Ma3 Fu2 zi3]" -赵晔,zhào yè,"Zhao Ye, Han dynasty historian, author of History of the Southern States Wu and Yue 吳越春秋|吴越春秋" -赵本山,zhào běn shān,"Zhao Benshan (1958-), universally known PRC TV comedian" -赵构,zhào gòu,"Zhao Gou (1107-1187), personal name of the tenth Song Emperor Gaozong 宋高宗[Song4 Gao1 zong1] (reigned 1127-1162)" -赵乐际,zhào lè jì,"Zhao Leji (1957-), member of the Politburo Standing Committee and Secretary of the Central Commission for Discipline Inspection" -赵树理,zhào shù lǐ,"Zhao Shuli (1906-1970), proletarian novelist" -赵尔巽,zhào ěr xùn,"Zhao Erxun (1844-1927), modern historian, compiled the Draft History of the Qing dynasty 清史稿" -赵玄坛,zhào xuán tán,"Zhao Xuantan, God of Wealth in the Chinese folk tradition and Taoism" -赵紫阳,zhào zǐ yáng,"Zhao Ziyang (1919-2005), PRC reforming politician, general secretary of Chinese Communist Party 1987-1989, held under house arrest from 1989 to his death, and non-person since then" -赵县,zhào xiàn,"Zhao County in Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1], Hebei" -赵翼,zhào yì,"Zhao Yi (1727-1814), Qing dynasty poet and historian, one of Three great poets of the Qianlong era 乾嘉三大家" -赵薇,zhào wēi,"Zhao Wei or Vicky Zhao (1976-), Chinese film star" -赵军,zhào jūn,army of Zhao 趙國|赵国 during the Warring States -赵云,zhào yún,"Zhao Yun (-229), general of Shu in Romance of the Three Kingdoms" -赵高,zhào gāo,"Zhao Gao (?-207 BC), one of the most vile, corrupt and powerful eunuchs in Chinese history, responsible for the fall of Qin Dynasty" -趟,tāng,to wade; to trample; to turn the soil -趟,tàng,"classifier for times, round trips or rows; a time; a trip" -趟浑水,tāng hún shuǐ,(fig.) to get involved in an unsavory enterprise -趣,qù,interesting; to interest -趣事,qù shì,entertaining anecdote; interesting story or incident -趣剧,qù jù,farce -趣味,qù wèi,fun; interest; delight; taste; liking; preference -趣多多,qù duō duō,Chips Ahoy! (brand) -趣闻,qù wén,funny news item; interesting anecdote -趦,zī,"variant of 趑, to falter; unable to move" -趦趄嗫嚅,zī jū niè rú,faltering steps; mumbling speech; hesitant; cringing; to cower -趋,qū,to hasten; to hurry; to walk fast; to approach; to tend towards; to converge -趋之若鹜,qū zhī ruò wù,to rush like ducks (idiom); the mob scrabbles madly for sth unobtainable; an unruly crowd on a wild goose chase -趋冷,qū lěng,"(of economic activity, international relations etc) to cool" -趋利避害,qū lì bì hài,(idiom) to make the most of the benefits while avoiding adverse effects -趋力,qū lì,driving force -趋势,qū shì,trend; tendency -趋化作用,qū huà zuò yòng,chemotaxis (movement of leukocytes under chemical stimulus) -趋吉避凶,qū jí bì xiōng,to seek luck and avoid calamity (idiom) -趋同,qū tóng,to converge -趋向,qū xiàng,direction; trend; to incline -趋奉,qū fèng,to fawn on; to kiss up to -趋于,qū yú,to tend towards -趋时,qū shí,to follow fashion -趋炎附势,qū yán fù shì,to curry favor (idiom); playing up to those in power; social climbing -趋缓,qū huǎn,to slow down; to ease up; to abate; slowdown; downturn -趋近,qū jìn,to approach (a numerical value); to converge to a limit (in calculus); convergence -趋附,qū fù,to ingratiate oneself -趯,tì,to jump; way of stroke in calligraphy -趯,yuè,to jump -趱,zǎn,to hasten; to urge -足,jù,excessive -足,zú,(bound form) foot; leg; sufficient; ample; as much as; fully -足下,zú xià,you (used to a superior or between persons of the same generation); below the foot -足不出户,zú bù chū hù,lit. not putting a foot outside; to stay at home -足以,zú yǐ,sufficient to...; so much so that; so that -足利,zú lì,Ashikaga (Japanese surname and place name) -足利义政,zú lì yì zhèng,"ASHIKAGA Yoshimasa (1435-1490), eighth Ashikaga shōgun, reigned 1449-1473" -足利义满,zú lì yì mǎn,"ASHIKAGA Yoshimitsu (1358-1408), third Ashikaga shogun, reigned 1368-1394" -足利义稙,zú lì yì zhí,"Ashikaga Yoshitane (1466-1523), Japanese Muromachi shogun 1490-93" -足协,zú xié,Chinese Football Association -足协,zú xié,soccer association; soccer federation (abbr. for 足球協會|足球协会[zu2 qiu2 xie2 hui4]) -足协杯,zú xié bēi,Chinese Football Association Cup; soccer association cup -足印,zú yìn,footprint -足坛,zú tán,soccer circles; soccer world -足够,zú gòu,enough; sufficient -足大指,zú dà zhǐ,big toe -足尖,zú jiān,tip of the foot; toes -足尖鞋,zú jiān xié,(ballet) pointe shoe -足底筋膜炎,zú dǐ jīn mó yán,plantar fasciitis (medicine) -足弓,zú gōng,arch (of a foot) -足智多谋,zú zhì duō móu,resourceful; full of stratagems -足月,zú yuè,full-term (gestation) -足本,zú běn,unabridged; complete book -足岁,zú suì,one's age (calculated as years from birth); contrasted with 虛歲|虚岁[xu1 sui4] -足浴,zú yù,foot bath -足球,zú qiú,soccer ball; a football; CL:個|个[ge4]; soccer; football -足球协会,zú qiú xié huì,Chinese Football Association -足球协会,zú qiú xié huì,soccer association; soccer federation -足球场,zú qiú chǎng,football field; soccer field -足球赛,zú qiú sài,soccer match; soccer competition -足球迷,zú qiú mí,football fan -足球队,zú qiú duì,soccer team -足疗,zú liáo,foot massage -足癣,zú xuǎn,athlete's foot -足色,zú sè,(gold or silver) of standard purity; (fig.) fine -足见,zú jiàn,it goes to show that; one can see -足赤,zú chì,pure gold; solid gold -足足,zú zú,fully; no less than; as much as; extremely -足迹,zú jì,footprint; track; spoor -足踝,zú huái,ankle -足轮,zú lún,foot chakra -足量,zú liàng,sufficient amount; full amount -足金,zú jīn,pure gold; solid gold -足额,zú é,sufficient; full (payment) -足高气强,zú gāo qì jiàng,high and mighty (idiom); arrogant -足高气扬,zú gāo qì yáng,high and mighty (idiom); arrogant -趴,pā,"to lie on one's stomach; to lean forward, resting one's upper body (on a desktop etc); (Tw) percent" -趴伏,pā fú,to crouch; to lie prone -趴趴走,pā pā zǒu,"(Tw) to wander about; to roam around freely (from Taiwanese 拋拋走, Tai-lo pr. [pha-pha-tsáu])" -趴踢,pā ti,(loanword) party -趴体,pā tǐ,(loanword) party -趵,bào,jump; leap -趺,fū,instep; tarsus -趺坐,fū zuò,to sit in the lotus position -趼,jiǎn,(bound form) callus -趼子,jiǎn zi,callus (patch or hardened skin); corns (on the feet) -趼足,jiǎn zú,feet with calluses; fig. a long and hard march -趾,zhǐ,toe -趾尖,zhǐ jiān,tiptoe -趾甲,zhǐ jiǎ,toenail -趾疔,zhǐ dīng,boil on the toe -趾高气扬,zhǐ gāo qì yáng,high and mighty (idiom); arrogant -趿,tā,see 趿拉[ta1 la5] -趿拉,tā la,to wear (one's shoes) like babouche slippers; (onom.) shuffling sound -趿拉儿,tā la er,heelless slipper; babouche -跂,jī,foot -跂,qí,sixth (extra) toe; to crawl -跂,qǐ,to climb; to hope -跂,qì,to stand on tiptoe; to sit with feet hanging -跂,zhī,see 踶跂[di4 zhi1] -跂坐,qì zuò,to sit with legs dangling -跂想,qǐ xiǎng,to expect anxiously -跂望,qǐ wàng,variant of 企望[qi3 wang4] -跂望,qì wàng,to stand on tiptoe looking forward to sb or sth -跂訾,qǐ zǐ,opinionated -跂跂,qí qí,crawling or creeping (of insects) -跆,tái,"to trample, to kick" -跆拳道,tái quán dào,taekwondo (Korean martial art) -跋,bá,postscript; to trek across mountains -跋前踬后,bá qián zhì hòu,"to trip forwards or stumble back (idiom, from Book of Songs); can't get anything right" -跋山涉水,bá shān shè shuǐ,to travel over land and water (idiom) -跋扈,bá hù,domineering; bossy -跋涉,bá shè,to trudge; to trek -跋语,bá yǔ,"short comment or critical appraisal added at the end of a text, on a painting etc" -跌,diē,to fall; to tumble; to trip; (of prices etc) to drop; Taiwan pr. [die2] -跌交,diē jiāo,variant of 跌跤[die1 jiao1] -跌份,diē fèn,(coll.) to lose face -跌倒,diē dǎo,to tumble; to fall; fig. to suffer a reverse (in politics or business) -跌停,diē tíng,(of a stock price) to fall to the daily lower limit (resulting in a suspension of trade in the stock) -跌停板,diē tíng bǎn,daily lower limit on the price of a stock -跌价,diē jià,to fall in price -跌宕,diē dàng,uninhibited; free and unconstrained; rhythmical -跌宕昭彰,diē dàng zhāo zhāng,flowing (of prose); free -跌市,diē shì,falling stock prices; bear market -跌幅,diē fú,decline (in value); extent of a drop -跌打损伤,diē dǎ sǔn shāng,"injury such as contusion, sprain or fracture from falling, blow etc" -跌打药,diē dǎ yào,liniment -跌扑,diē pū,to tumble; to stumble and fall -跌断,diē duàn,"to fall and fracture (a leg, vertebra etc)" -跌水,diē shuǐ,drop of height in waterway; staircase of waterfalls -跌眼镜,diē yǎn jìng,to be taken aback -跌破,diē pò,(of a market index etc) to fall below (a given level); to be injured or damaged as a result of a fall -跌破眼镜,diē pò yǎn jìng,(fig.) to be astounded -跌脚捶胸,diē jiǎo chuí xiōng,lit. stamping and beating the chest (idiom); fig. angry or stressed about sth -跌至,diē zhì,to fall to -跌至谷底,diē zhì gǔ dǐ,to hit rock bottom (idiom) -跌落,diē luò,to fall; to drop -跌荡,diē dàng,variant of 跌宕[die1 dang4] -跌足,diē zú,to stamp one's foot (in anger) -跌跌撞撞,diē die zhuàng zhuàng,to stagger along -跌跌爬爬,diē diē pá pá,stumbling along -跌跌跄跄,diē diē qiàng qiàng,to dodder along -跌跤,diē jiāo,to fall down; to take a fall -跌进,diē jìn,to fall into; to dip below a certain level -跌风,diē fēng,falling prices; bear market -跎,tuó,to stumble; to waste time -跏,jiā,to sit cross-legged -跏趺,jiā fū,to sit in the lotus position -跑,páo,(of an animal) to paw (the ground) -跑,pǎo,to run; to run away; to escape; to run around (on errands etc); (of a gas or liquid) to leak or evaporate; (verb complement) away; off -跑了和尚跑不了庙,pǎo le hé shàng pǎo bù liǎo miào,"the monk can run away, but the temple won't run with him (idiom); you can run this time, but you'll have to come back; I'll get you sooner or later; also written 跑得了和尚,跑不了廟|跑得了和尚,跑不了庙[pao3 de2 liao3 he2 shang4 , pao3 bu4 liao3 miao4]" -跑来跑去,pǎo lái pǎo qù,to scamper; to run around -跑出,pǎo chū,to run out -跑刀,pǎo dāo,racing skates (for ice-skating) -跑分,pǎo fēn,"(computing) to benchmark a computer, phone, CPU etc; (benchmark test) score; (sports) run (scoring unit in cricket); to provide a channel for the transfer of illegally obtained funds (in return for a commission)" -跑味,pǎo wèi,to lose flavor -跑味儿,pǎo wèi er,to lose flavor -跑团,pǎo tuán,tabletop role-playing game -跑堂,pǎo táng,waiter (old) -跑堂儿的,pǎo táng er de,waiter -跑垒,pǎo lěi,running between bases (in baseball) -跑垒员,pǎo lěi yuán,runner (in baseball) -跑掉,pǎo diào,to run away; to take to one's heels -跑步,pǎo bù,to run; to jog; (military) to march at the double -跑步机,pǎo bù jī,treadmill; running machine -跑步者,pǎo bù zhě,runner -跑江湖,pǎo jiāng hú,to make a living as a traveling performer etc -跑法,pǎo fǎ,running style; racing technique -跑神儿,pǎo shén er,absent-minded; one's mind is wandering -跑票,pǎo piào,to vote against the party line; to vote contrary to one's promise -跑者,pǎo zhě,runner -跑肚,pǎo dù,(coll.) to have diarrhea -跑腿,pǎo tuǐ,to run errands -跑腿儿,pǎo tuǐ er,to run errands -跑腿子,pǎo tuǐ zi,(dialect) to live as a bachelor; bachelor -跑调,pǎo diào,to be off-key or out of tune (while singing) (colloquial) -跑警报,pǎo jǐng bào,to run for shelter -跑赢,pǎo yíng,(finance) to outperform (the market); to outpace (inflation) -跑走,pǎo zǒu,to escape; to flee; to run away -跑跑颠颠,pǎo pǎo diān diān,to work hectically; to be on the go; to run around attending to various tasks -跑路,pǎo lù,to travel on foot; (informal) to run off; to abscond -跑车,pǎo chē,racing bicycle; racing car; sports car; (of a conductor or attendant) to work on a train; (mining) (of a cable-car) to slip away (in an accident) -跑遍,pǎo biàn,to go everywhere; to scour (the whole town) -跑道,pǎo dào,athletic track; track; runway (i.e. airstrip) -跑酷,pǎo kù,parkour (loanword) -跑表,pǎo biǎo,stopwatch -跑电,pǎo diàn,electrical leakage -跑鞋,pǎo xié,running shoes -跑题,pǎo tí,to digress; to stray from the topic -跑马,pǎo mǎ,horse race; to ride a horse at a fast pace; (dialect) wet dream -跑马圈地,pǎo mǎ quān dì,rushing to stake one's claim in new markets (idiom) -跑马地,pǎo mǎ dì,Happy Valley (suburb of Hong Kong) -跑马场,pǎo mǎ chǎng,racecourse -跑马山,pǎo mǎ shān,"Paoma Mountain in Kangding 康定[Kang1 ding4], Sichuan" -跑马厅,pǎo mǎ tīng,horse racing track; racetrack -跑马灯,pǎo mǎ dēng,"lantern with a carousel of paper horses rotating under convection, used at Lantern Festival 元宵節|元宵节[Yuan2 xiao1 jie2]; chaser lights; self-scrolling horizontal text display, such as a news ticker" -跑龙套,pǎo lóng tào,to play a small role -跖,zhí,variant of 蹠[zhi2] -跗,fū,instep; tarsus -跗猴,fū hóu,tarsier -跚,shān,used in 蹣跚|蹒跚[pan2 shan1] -跛,bǒ,to limp; lame; crippled -跛子,bǒ zi,lame person; cripple -跛脚,bǒ jiǎo,to limp; lame person -跛足,bǒ zú,lame -距,jù,"to be at a distance of ... from; to be apart from; (bound form) distance; spur (on the leg of certain birds: gamecock, pheasant etc)" -距今,jù jīn,before the present; (a long period) ago -距状皮层,jù zhuàng pí céng,calcarine -距翅麦鸡,jù chì mài jī,(bird species of China) river lapwing (Vanellus duvaucelii) -距角,jù jiǎo,elongation (astronomy) -距离,jù lí,distance; CL:個|个[ge4]; to be apart from -距离产生美,jù lí chǎn shēng měi,absence makes the heart grow fonder -跟,gēn,heel; to follow closely; to go with; (of a woman) to marry sb; with; compared with; to; towards; and (joining two nouns) -跟上,gēn shàng,to catch up with; to keep pace with -跟不上,gēn bu shàng,not able to keep up with -跟丢,gēn diū,to lose track of -跟人,gēn rén,to marry (of woman) -跟前,gēn qián,the front (of); (in) front; (in) sb's presence; just before (a date) -跟前,gēn qian,"(of children, parents etc) at one's side; living with one" -跟包,gēn bāo,to work as footman; to do odd jobs; to understudy (an opera actor) -跟屁股,gēn pì gu,to tag along behind; to follow sb closely -跟屁虫,gēn pì chóng,lit. bum beetle; sb who tags along; shadow; sycophant -跟差,gēn chāi,attendant -跟从,gēn cóng,to follow; (of a woman) to get married; (old) attendant -跟手,gēn shǒu,(coll.) while doing it; on the way through; (coll.) immediately; at once; (of a touch screen) responsive to the user's finger movements -跟拍,gēn pāi,to document on film the course of events; to follow sb with a camera -跟斗,gēn dou,somersault; fall; tumble; (fig.) setback; failure -跟注,gēn zhù,to match a bet; to call (poker) -跟班,gēn bān,attendant; footman (servant) -跟监,gēn jiān,(Tw) to tail (sb) (abbr. for 跟蹤監視|跟踪监视[gen1 zong1 jian1 shi4]) -跟腱,gēn jiàn,heel tendon of mammals; Achilles tendon -跟脚,gēn jiǎo,to feet the feet perfectly; to follow closely; hard on sb's heels -跟着,gēn zhe,to follow after; immediately afterwards -跟踪,gēn zōng,to follow sb's tracks; to tail; to shadow; tracking -跟踪狂,gēn zōng kuáng,stalker -跟踪骚扰,gēn zōng sāo rǎo,(law) to stalk (sb) -跟进,gēn jìn,to follow; to follow up -跟随,gēn suí,to follow -跟头,gēn tou,tumble; somersault -跟头虫,gēn tou chóng,wriggler; mosquito larva -跟风,gēn fēng,to go with the tide; to blindly follow the crowd; to follow the trend -迹,jì,footprint; mark; trace; vestige; sign; indication; Taiwan pr. [ji1] -迹线,jì xiàn,trajectory -迹证,jì zhèng,"(Tw) traces; material evidence (archaeology, criminal investigation etc)" -迹象,jì xiàng,sign; indication; mark; indicator -跣,xiǎn,barefooted -跤,jiāo,a tumble; a fall -跺,duò,variant of 跺[duo4] -跨,kuà,to step across; to stride over; to straddle; to span -跨上,kuà shàng,"to mount (a horse, bike, flight of stairs, rickshaw etc)" -跨刀,kuà dāo,to appear in sb's show; (fig.) to give one's support to an endeavor by taking on an important role in it -跨国,kuà guó,transnational; multinational -跨国公司,kuà guó gōng sī,transnational corporation; multinational corporation -跨国化,kuà guó huà,to internationalize; to globalize -跨地区,kuà dì qū,interregional; spanning two or more PRC provinces -跨境,kuà jìng,cross-border -跨学科,kuà xué kē,interdisciplinary -跨平台,kuà píng tái,(computing) cross-platform -跨年,kuà nián,to step into the new year; New Year -跨度,kuà dù,span; horizontal distance between vertical supports -跨径,kuà jìng,span (architecture) -跨性别,kuà xìng bié,transgender -跨接器,kuà jiē qì,jumper (electronics) -跨文化,kuà wén huà,intercultural -跨栏,kuà lán,hurdles; hurdle race (athletics) -跨栏比赛,kuà lán bǐ sài,hurdling; hurdles race (athletics event) -跨步,kuà bù,to take a (striding) step -跨洲,kuà zhōu,intercontinental -跨海大桥,kuà hǎi dà qiáo,bay bridge (elevated bridge across stretch of water) -跨界,kuà jiè,to go beyond the border; to be transboundary; (fig.) to transition to a new field of endeavor; to be interdisciplinary -跨省,kuà shěng,interprovincial; multiprovincial -跨灶,kuà zào,to surpass one's father -跨线桥,kuà xiàn qiáo,flyover (road bridge) -跨语言,kuà yǔ yán,cross-language; polyglot -跨越,kuà yuè,to step across; step over -跨越式,kuà yuè shì,breakthrough; going beyond; leap-forward; unusual new development -跨足,kuà zú,to enter (a new market etc) -跨距,kuà jù,(Tw) span (architecture); time span -跨过,kuà guò,to surmount; to cross over -跨院,kuà yuàn,lateral court (in a Chinese house) -跨领域,kuà lǐng yù,interdisciplinary -跨鹤,kuà hè,to die; to fly on a crane -跨鹤扬州,kuà hè yáng zhōu,lit. to ride a crane to Yangzhou; to become a Daoist immortal; to die -跨鹤西游,kuà hè xī yóu,to die -跪,guì,to kneel -跪下,guì xia,to kneel down -跪乳,guì rǔ,(literary) (of a lamb) to kneel to suckle at the breast (used as a metaphor for filial piety) -跪伏,guì fú,to crouch (of animal) -跪倒,guì dǎo,to kneel down; to sink to one's knees; to grovel -跪叩,guì kòu,to kowtow -跪地求饶,guì dì qiú ráo,to kneel and beg forgiveness -跪拜,guì bài,to kowtow; to kneel and worship -跪毯,guì tǎn,a prayer mat; a carpet for kneeling -跪祷,guì dǎo,to kneel in prayer -跫,qióng,sound of footsteps -跬,kuǐ,brief; short step -路,lù,surname Lu -路,lù,road (CL:條|条[tiao2]); journey; route; line (bus etc); sort; kind -路上,lù shang,on the road; on the way; en route -路不拾遗,lù bù shí yí,lit. no one picks up lost articles in the street (idiom); fig. honesty prevails throughout society -路人,lù rén,passer-by; stranger -路人甲,lù rén jiǎ,ordinary person A; generic person; some random person -路人皆知,lù rén jiē zhī,understood by everyone (idiom); well known; a household name -路加,lù jiā,Luke; St Luke the evangelist -路加福音,lù jiā fú yīn,Gospel according to St Luke -路北区,lù běi qū,"Lubei district of Tangshan city 唐山市[Tang2 shan1 shi4], Hebei" -路南区,lù nán qū,"Lunan district of Tangshan city 唐山市[Tang2 shan1 shi4], Hebei" -路南彝族自治县,lù nán yí zú zì zhì xiàn,Lunan Yizu Autonomous County in Yunnan -路口,lù kǒu,crossing; intersection (of roads) -路向,lù xiàng,road direction; (fig.) direction; path -路基,lù jī,(civil engineering) roadbed -路堤,lù dī,(road or railway) embankment -路堑,lù qiàn,(civil engineering) cutting (for a railway or highway) -路子,lù zi,method; way; approach -路径,lù jìng,path; route; method; ways and means -路得,lù dé,Ruth (name); variant of 路德[Lu4 de2]; Luther -路得记,lù dé jì,Book of Ruth -路德,lù dé,"Luther (name); Martin Luther (1483-1546), reformation protestant minister" -路德宗,lù dé zōng,Lutheran church -路德会,lù dé huì,Lutheran church -路德维希,lù dé wéi xī,Ludwig (name) -路德维希港,lù dé wéi xī gǎng,"Ludwigshafen am Rhein, German city on the Rhine opposite Mannheim" -路德雀鹛,lù dé què méi,(bird species of China) Ludlow's fulvetta (Fulvetta ludlowi) -路怒症,lù nù zhèng,road rage -路数,lù shù,stratagem; method; approach; movement (martial arts); social connections; (sb's) background story -路旁,lù páng,roadside -路易,lù yì,Louis or Lewis (name) -路易威登,lù yì wēi dēng,Louis Vuitton (brand) -路易斯,lù yì sī,Louis or Lewis (name) -路易斯安那,lù yì sī ān nà,"Louisiana, US state" -路易斯安那州,lù yì sī ān nà zhōu,"Louisiana, US state" -路易港,lù yì gǎng,"Port Louis, capital of Mauritius" -路条,lù tiáo,travel pass -路桩,lù zhuāng,bollard -路标,lù biāo,road sign -路桥,lù qiáo,"Luqiao district of Taizhou city 台州市[Tai1 zhou1 shi4], Zhejiang" -路桥,lù qiáo,road bridge -路桥区,lù qiáo qū,"Luqiao district of Taizhou city 台州市[Tai1 zhou1 shi4], Zhejiang" -路权,lù quán,right of way -路段,lù duàn,stretch of road; section of a highway or railway -路氹,lù dàng,"Cotai, portmanteau term referring to the islands of 路環|路环[Lu4 huan2] (Coloane) and 氹仔[Dang4 zai3] (Taipa) in Macau; the strip of reclaimed land between Coloane and Taipa; the island formed by Coloane, Taipa and the reclaimed land between them" -路沙卡,lù shā kǎ,"Lusaka, capital of Zambia (Tw)" -路况,lù kuàng,"road condition(s) (e.g. surface, traffic flow etc)" -路演,lù yǎn,road show or promotional tour (for a product etc) -路灯,lù dēng,street lamp; street light -路牌,lù pái,street sign; road sign; street nameplate -路环,lù huán,"Coloane, an island of Macao" -路由,lù yóu,routing (in computer networks) -路由协定,lù yóu xié dìng,routing protocol -路由协议,lù yóu xié yì,routing protocols -路由器,lù yóu qì,router (computing) -路痴,lù chī,person with a poor sense of direction -路码表,lù mǎ biǎo,odometer -路税,lù shuì,road tax -路程,lù chéng,route; path traveled; distance traveled; course (of development) -路竹,lù zhú,"Luzhu or Luchu township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -路竹乡,lù zhú xiāng,"Luzhu or Luchu township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -路线,lù xiàn,itinerary; route; political line (e.g. right revisionist road); CL:條|条[tiao2] -路线图,lù xiàn tú,route map; (lit. and fig.) roadmap -路缘,lù yuán,curb -路考,lù kǎo,driving test -路虎,lù hǔ,Land Rover -路冲,lù chōng,"(feng shui) street layout in which the line of a road runs toward a house (as at a T-intersection), regarded as unfavorable for the occupants of the house" -路西弗,lù xī fú,Lucifer (Satan's name before his fall in Jewish and Christian mythology) -路西法,lù xī fǎ,Lucifer (Satan's name before his fall in Jewish and Christian mythology) -路费,lù fèi,travel expenses; money for a voyage; toll -路轨,lù guǐ,"track (railroad, streetcar etc)" -路转粉,lù zhuǎn fěn,(Internet slang) to go from being indifferent to being a big fan -路透,lù tòu,Reuters (news agency) -路透社,lù tòu shè,Reuters News Agency -路透金融词典,lù tòu jīn róng cí diǎn,Reuter's Financial Glossary -路透集团,lù tòu jí tuán,Reuters group plc -路途,lù tú,(lit. and fig.) road; path -路途遥远,lù tú yáo yuǎn,it's a very long journey to get there -路遇,lù yù,to meet (sb) by chance on the way somewhere; to encounter (sth) on the way somewhere -路过,lù guò,to pass by or through -路边,lù biān,curb; roadside; wayside -路边摊,lù biān tān,roadside stall -路障,lù zhàng,roadblock; barricade -路霸,lù bà,brigand; (modern) uncivil driver; road hog; (PRC) person who sets up an illegal toll; (Tw) person who uses a part of the street as their private parking place -路面,lù miàn,road surface -路面电车,lù miàn diàn chē,(Tw) tram; streetcar -跳,tiào,to jump; to hop; to skip over; to bounce; to palpitate -跳一只脚,tiào yī zhī jiǎo,to hop on one leg -跳井,tiào jǐng,"to jump into a well (to drown oneself, esp. of ladies in fiction)" -跳伞,tiào sǎn,to parachute; to bail out; parachute jumping -跳价,tiào jià,price jump -跳出,tiào chū,to jump out; fig. to appear suddenly -跳出火坑,tiào chū huǒ kēng,lit. to jump out of a fire pit (idiom); to escape from a living hell; to free oneself from a life of torture -跳出釜底进火坑,tiào chū fǔ dǐ jìn huǒ kēng,out of the frying pan into the fire (idiom) -跳动,tiào dòng,to throb; to pulse; to bounce; to jiggle; to jump about -跳弹,tiào dàn,ricochet -跳房子,tiào fáng zi,hopscotch; to play hopscotch -跳挡,tiào dǎng,(of a car) to slip out of gear; to pop out of gear -跳板,tiào bǎn,springboard; jumping-off point; gangplank -跳梁,tiào liáng,to jump up and down; to run rampant -跳梁小丑,tiào liáng xiǎo chǒu,(idiom) clownish troublemaker; contemptible buffoon -跳棋,tiào qí,Chinese checkers -跳槽,tiào cáo,to change jobs; job-hopping -跳楼,tiào lóu,to jump from a building (to kill oneself); fig. to sell at a large discount (in advertising) -跳楼价,tiào lóu jià,extremely low price; knockdown price -跳水,tiào shuǐ,to dive (into water); (sports) diving; to commit suicide by jumping into water; (fig.) (of stock prices etc) to fall dramatically -跳河,tiào hé,to drown oneself by jumping into the river -跳皮筋,tiào pí jīn,to play rubber band jump rope -跳票,tiào piào,bounced (bank) check -跳级,tiào jí,to jump a year (at college) -跳级生,tiào jí shēng,student who jumps a year -跳绳,tiào shéng,to jump rope; to skip; a skipping rope; a jump rope -跳脱,tiào tuō,(Tw) to break free of (outmoded ways of thinking etc); to move beyond; to transcend -跳脚,tiào jiǎo,"to stomp or hop about (in anxiety, anger etc); to dance on one's feet; hopping mad (anxious, etc)" -跳台,tiào tái,diving platform; diving tower; landing platform -跳台滑雪,tiào tái huá xuě,ski jumping -跳舞,tiào wǔ,to dance -跳蚤,tiào zao,flea -跳蚤市场,tiào zǎo shì chǎng,flea market -跳蛋,tiào dàn,love egg (sex toy) -跳蛛,tiào zhū,jumping spider; salticid (family Salticidae) -跳跳糖,tiào tiào táng,Pop Rocks; popping candy -跳踉,tiào liáng,variant of 跳梁[tiao4liang2] -跳跃,tiào yuè,to jump; to leap; to bound; to skip -跳车,tiào chē,to jump from a car (or train etc) -跳轨,tiào guǐ,to jump onto the tracks in a suicide attempt -跳转,tiào zhuǎn,(computing) to jump to (a new location in a hypertext document) -跳进,tiào jìn,to plunge into; to jump into -跳进黄河洗不清,tiào jìn huáng hé xǐ bù qīng,lit. even jumping into the Yellow River can't get you clean; fig. to become inexorably mixed up; mired in controversy; in deep trouble -跳过,tiào guò,"to jump over; to skip (a step, chapter etc)" -跳远,tiào yuǎn,long jump (athletics) -跳闸,tiào zhá,(of a circuit breaker or switch) to trip; to jump a turnstile -跳集体舞,tiào jí tǐ wǔ,to do ensemble dancing; to dance in a group -跳电,tiào diàn,(of a circuit breaker or switch) to trip -跳频,tiào pín,frequency-hopping spread spectrum -跳马,tiào mǎ,vault (gymnastics) -跳高,tiào gāo,high jump (athletics) -踩,cǎi,variant of 踩[cai3] -跺,duò,to stamp one's feet -跺脚,duò jiǎo,to stamp one's feet -局,jú,cramped; narrow -局促,jú cù,variant of 侷促|局促[ju2cu4] -跽,jì,kneel -胫,jìng,variant of 脛|胫[jing4] -踅,chì,walk with one leg -踅,xué,to walk around; turn back midway -踅子,xué zi,variant of 茓子[xue2 zi5] -踅摸,xué mo,to look for; to seek (colloq.) -踉,liáng,used in 跳踉[tiao4liang2] -踉,liàng,used in 踉蹌|踉跄[liang4qiang4] -踉跄,liàng qiàng,to stagger; to walk falteringly -踊,yǒng,leap -踏,tā,see 踏實|踏实[ta1 shi5] -踏,tà,to tread; to stamp; to step on; to press a pedal; to investigate on the spot -踏上,tà shàng,to set foot on; to step on or into -踏勘,tà kān,to go and inspect (a site); to do an on-site survey -踏垫,tà diàn,floor mat; bathroom mat; car mat; doormat -踏实,tā shi,firmly-based; steady; steadfast; to have peace of mind; free from anxiety; Taiwan pr. [ta4 shi2] -踏春,tà chūn,to go for a hike in spring -踏月,tà yuè,to go for a walk in the moonlight -踏板,tà bǎn,"pedal (in a car, on a piano etc); treadle; footstool; footrest; footboard" -踏板摩托车,tà bǎn mó tuō chē,scooter -踏板车,tà bǎn chē,scooter -踏查,tà chá,to investigate on the spot -踏歌,tà gē,to sing and dance; general term for a round dance -踏步,tà bù,stride; to step (on the spot); to mark time; at a standstill -踏步不前,tà bù bù qián,to be at a standstill; to mark time -踏看,tà kàn,to investigate on the spot -踏破铁鞋,tà pò tiě xié,lit. to wear out one's iron shoes (idiom); fig. to search high and low -踏破门槛,tā pò mén kǎn,to wear out the doorstep (idiom); to crowd at sb's door -踏空,tà kōng,to miss one's step; (of an investor) to fail to invest before the price rises -踏袭,tà xí,to follow blindly -踏访,tà fǎng,to visit (a place) -踏足,tà zú,to set foot on (a foreign land etc); to tread; (fig.) to enter (a new sphere) -踏踏实实,tā tā shí shí,steady; steadfast -踏车,tà chē,treadwheel; treadmill -踏进,tà jìn,to set foot in; to tread (in or on); to walk into -踏雪,tà xuě,to go for a walk in the snow -踏雪寻梅,tà xuě xún méi,to walk in the snow to view the flowering plum -踏雪板,tà xuě bǎn,snowshoe -踏青,tà qīng,"lit. tread the green; go for a walk in the spring (when the grass has turned green); spring hike season around Qingming festival 清明, 4th-6th April" -踏青赏春,tà qīng shǎng chūn,to enjoy a beautiful spring walk (idiom) -踏青赏花,tà qīng shǎng huā,to enjoy the flowers on a spring outing (idiom) -践,jiàn,to fulfill (a promise); to tread; to walk -践约,jiàn yuē,to keep a promise; to honor an agreement -践行,jiàn xíng,to carry out; to implement; to keep (one's word) -践踏,jiàn tà,to trample -踔,chuō,to get ahead; to stride; to excel; Taiwan pr. [zhuo2] -踘,jū,leather ball; Taiwan pr. [ju2] -踝,huái,ankle -踝骨,huái gǔ,ankle bone; ankle -踞,jù,to be based upon; to squat -踟,chí,hesitating; undecided; hesitant -踟躇,chí chú,variant of 踟躕|踟蹰[chi2 chu2] -踟蹰,chí chú,to waver; to hesitate -踟蹰不前,chí chú bu qián,hesitant to take action -踢,tī,to kick; to play (e.g. soccer); (slang) butch (in a lesbian relationship) -踢爆,tī bào,to reveal; to expose -踢皮球,tī pí qiú,to kick a ball around; (fig.) to mutually shirk responsibility; to pass the buck -踢脚板,tī jiǎo bǎn,baseboard; skirting board -踢脚线,tī jiǎo xiàn,skirting board -踢腿,tī tuǐ,"to kick; to do a kick (dancing, martial arts etc)" -踢踏舞,tī tà wǔ,tap dance -踢蹋舞,tī tà wǔ,tap dance; step dance -踢马刺,tī mǎ cì,horse spur -踣,bó,corpse; prostrate -踥,qiè,to walk with small steps -踥踥,qiè qiè,moving back and forth -踥蹀,qiè dié,walking; in motion -踩,cǎi,to step on; to tread; to stamp; to press a pedal; to pedal (a bike); (online) to downvote -踩刹车,cǎi shā chē,to step on the brake; to brake (when driving) -踩动,cǎi dòng,to operate by means of a pedal -踩失脚,cǎi shī jiǎo,to lose one's footing -踩水,cǎi shuǐ,to tread water; to paddle or tramp in shallow water -踩空,cǎi kōng,to miss one's step -踩线,cǎi xiàn,to scout for a tour operator; to reconnoiter a potential tour itinerary; (tennis) to commit a foot fault -踩线团,cǎi xiàn tuán,group on a tour to get acquainted with the local situation -踩踏,cǎi tà,to trample on -踩道,cǎi dào,to scout; to reconnoiter -踩镲,cǎi chǎ,hi-hat -踩雷,cǎi léi,to step on a mine; (fig.) to inadvertently do sth that has an unpleasant result; (fig.) to be accidentally exposed to a spoiler -踩高跷,cǎi gāo qiāo,to walk on stilts -踩点,cǎi diǎn,to reconnoiter; to case the joint; to cut it fine; to arrive with no time to spare; to dance to the beat -踪,zōng,variant of 蹤|踪[zong1] -碰,pèng,old variant of 碰[peng4] -踮,diǎn,to stand on tiptoe; Taiwan pr. [dian4] -踮脚尖,diǎn jiǎo jiān,to stand on tiptoe -逾,yú,variant of 逾[yu2] -踱,duó,to pace; to stroll; Taiwan pr. [duo4] -踱方步,duó fāng bù,to pace; to stroll -踱步,duó bù,to pace; to stroll -踊,yǒng,leap -踊跃,yǒng yuè,to leap; to jump; eager; enthusiastically -踵,zhǒng,to arrive; to follow; heel -踶,dì,to kick; to tread on -踶跂,dì zhī,overconfident and conceited mannerisms -踹,chuài,to kick; to trample; to tread on -踹共,chuài gòng,"(Tw) (neologism c. 2010) to speak one's mind directly (face to face with the person with whom one has an issue) (from Taiwanese 出來講, Tai-lo pr. [tshut-lâi kóng], with ""tshut-lâi"" pronounced in contracted form as ""tshòai"")" -踺,jiàn,used in 踺子[jian4 zi5] -踺子,jiàn zi,somersault (in gymnastics or dance); aerial flip -踽,jǔ,hunchbacked; walk alone -踽踽独行,jǔ jǔ dú xíng,to walk alone (idiom) -蹀,dié,to tread on; to stamp one's foot -蹀儿鸭子,dié er yā zi,to run away; to escape -蹀血,dié xuè,variant of 喋血[die2 xue4] -蹀足,dié zú,to stamp the feet (formal writing) -蹀蹀,dié dié,to walk in a mincing gait (formal writing) -蹀躞,dié xiè,to walk in small steps; to pace about -蹁,pián,to limp -蹂,róu,trample -蹂躏,róu lìn,to ravage; to devastate; to trample on; to violate -蹄,tí,hoof; pig's trotters -蹄印,tí yìn,hoofprint -蹄子,tí zi,hoof; (old) wench; hussy -蹇,jiǎn,surname Jian -蹇,jiǎn,lame; cripple; unfortunate; slow; difficult; nag (inferior horse); donkey; lame horse -蹇修,jiǎn xiū,go-between; matchmaker -蹇拙,jiǎn zhuō,clumsy (writing); awkward; obscure -蹇滞,jiǎn zhì,awkward; ominous; unfavorable -蹇涩,jiǎn sè,awkward; lame; difficulty (esp. in moving); not smooth -蹇运,jiǎn yùn,misfortune; bad luck -蹈,dǎo,to tread on; to trample; to stamp; to fulfill; Taiwan pr. [dao4] -蹈常袭故,dǎo cháng xí gù,follow the same old path (idiom); stuck in a rut; always the same routine -蹉,cuō,to error; to slip; to miss; to err -蹉跎,cuō tuó,"(literary) to slip; (of looks etc) to fade away; (of time) to slip away; to squander (time, opportunities); to dillydally" -蹊,qī,used in 蹊蹺|蹊跷[qi1qiao1]; Taiwan pr. [xi1] -蹊,xī,(literary) footpath -蹊径,xī jìng,path; (fig.) way -蹊跷,qī qiāo,odd; queer; strange; fishy -蹋,tà,to step on -跄,qiāng,walk rapidly -跄,qiàng,stagger; sway from side to side -跄踉,qiàng liàng,see 踉蹌|踉跄[liang4qiang4] -蹄,tí,variant of 蹄[ti2] -暂,zàn,to scurry; variant of 暫|暂[zan4] -跸,bì,to clear streets when emperor tours -蹙,cù,to knit (one's brows); wrinkled (of brows); to hesitate; distressed -蹙眉,cù méi,to frown -蹚,tāng,to wade; to trample -蹚浑水,tāng hún shuǐ,variant of 趟渾水|趟浑水[tang1 hun2 shui3] -迹,jì,variant of 跡|迹[ji4] -跖,zhí,metatarsus; (literary) sole of the foot; (literary) to tread on -蹡,qiāng,(manner of walking) -蹒,pán,used in 蹣跚|蹒跚[pan2 shan1]; Taiwan pr. [man2] -蹒跚,pán shān,to walk unsteadily; to stagger; to lurch; to hobble; to totter -蹒跚不前,pán shān bù qián,to falter; to stall -踪,zōng,(bound form) footprint; trace; tracks -踪影,zōng yǐng,trace; vestige; presence -踪迹,zōng jì,tracks; trail; footprint; trace; vestige -蹦,bèng,to jump; to bounce; to hop -蹦儿,bèng er,erhua variant of 蹦[beng4] -蹦出来,bèng chū lai,to crop up; to pop up; to emerge abruptly -蹦床,bèng chuáng,trampoline -蹦极,bèng jí,bungee jumping (loanword) -蹦跳,bèng tiào,to hop; to jump -蹦蹦儿车,bèng bèng er chē,motor tricycle (onom. bang-bang car) -蹦蹦跳跳,bèng bèng tiào tiào,bouncing and vivacious -蹦跶,bèng da,(coll.) to jump about; to be active; to be lively; (coll.) (fig.) to struggle (before succumbing); to be alive and kicking (esp. toward the end of one's life) -蹦迪,bèng dí,disco dancing; to dance at a disco -蹦达,bèng da,variant of 蹦躂|蹦跶[beng4 da5] -蹦高,bèng gāo,to jump -蹦高儿,bèng gāo er,erhua variant of 蹦高[beng4 gao1] -蹧,zāo,see 蹧蹋[zao1 ta4] -蹧塌,zāo tà,variant of 糟蹋[zao1 ta4] -蹧蹋,zāo tà,variant of 糟蹋[zao1 ta4] -蹩,bié,"to limp; to sprain (an ankle or wrist); to move carefully, as if evading a danger; to scurry" -蹩脚,bié jiǎo,inferior; shoddy; lousy; lame -蹬,dēng,"to step on; to tread on; to put on; to wear (shoes, trousers etc); (slang) to dump (sb); Taiwan pr. [deng4]" -蹬,dèng,used in 蹭蹬[ceng4deng4] -蹬子,dēng zi,pedal -蹬脚,dēng jiǎo,to stamp one's foot; to kick -蹬腿,dēng tuǐ,to kick one's legs; leg press (exercise); (coll.) to kick the bucket -蹬鼻子上脸,dēng bí zi shàng liǎn,lit. to climb all over sb; fig. to take advantage of sb's weakness -蹭,cèng,to rub against; to walk slowly; (coll.) to freeload -蹭吃,cèng chī,to freeload for food -蹭吃蹭喝,cèng chī cèng hē,to cadge a meal -蹭热度,cèng rè dù,(coll.) (often derog.) to piggyback on (sb's) popularity; to exploit (sb's) popularity to attract attention to oneself -蹭网,cèng wǎng,(coll.) to use sb else's Internet connection (with or without permission) -蹭课,cèng kè,(coll.) to sit in on a class -蹭蹬,cèng dèng,(literary) to encounter setbacks; to have bad luck -蹭车,cèng chē,(coll.) to ride in sb else's car to save money; to ride on a train or bus without buying a ticket (fare-dodging) -蹭饭,cèng fàn,(coll.) to mooch a meal -蹯,fán,paws of animal -蹲,dūn,to crouch; to squat; to stay (somewhere) -蹲下,dūn xià,to squat down; to crouch -蹲伏,dūn fú,to crouch low and bend forward (esp. in hiding or in wait) -蹲便器,dūn biàn qì,squat toilet -蹲坑,dūn kēng,Turkish toilet; squat toilet; to vacate one's bowels -蹲大牢,dūn dà láo,to be behind bars -蹲守,dūn shǒu,to hang around keeping a watch out for sth -蹲厕,dūn cè,squat toilet -蹲牢,dūn láo,see 蹲大牢[dun1 da4 lao2] -蹲膘,dūn biāo,to fatten cattle in a shed; to become fat -蹲苦窑,dūn kǔ yáo,(slang) to be behind bars -蹲踞,dūn jù,squat; crouch -蹲马步,dūn mǎ bù,to do a martial-art squat -蹲点,dūn diǎn,(of a cadre etc) to work for a period of time with a grassroots unit to gain firsthand experience; (dialect) taking a crap -蹴,cù,carefully; to kick; to tread on; to stamp -蹴踘,cù jū,variant of 蹴鞠[cu4 ju1] -蹴鞠,cù jū,"cuju, ancient Chinese football (soccer)" -蹴,cù,variant of 蹴[cu4] -蹶,jué,to stumble; to trample; to kick (of horse) -蹶,juě,see 尥蹶子[liao4 jue3 zi5] -跷,qiāo,to raise one's foot; to stand on tiptoe; stilts -跷家,qiāo jiā,to run away from home -跷班,qiāo bān,see 翹班|翘班[qiao4 ban1] -跷课,qiāo kè,to skip class -跷跷板,qiāo qiāo bǎn,see-saw -跷,qiāo,variant of 蹺|跷[qiao1]; to raise one's foot; stilts -蹼,pǔ,"web (of feet of ducks, frogs etc)" -躁,zào,impatient; hot-tempered -躁动,zào dòng,to stir restlessly; to be agitated; commotion; agitation -躁狂,zào kuáng,manic -躁狂抑郁症,zào kuáng yì yù zhèng,manic depression -躁狂症,zào kuáng zhèng,mania; manic episode -躁郁症,zào yù zhèng,bipolar disorder -跶,dā,to stumble; to slip; variant of 達|达[da2] -躅,zhú,walk carefully; to hesitate; to halter -躇,chú,used in 躊躇|踌躇[chou2chu2] -趸,dǔn,wholesale -趸售,dǔn shòu,to sell wholesale -趸批,dǔn pī,wholesale -趸柱,dǔn zhù,main supporting pillar -趸船,dǔn chuán,barge; pontoon; landing stage -趸卖,dǔn mài,to sell wholesale -踌,chóu,used in 躊躇|踌躇[chou2chu2] -踌躇,chóu chú,to hesitate; (literary) to pace back and forth; (literary) self-satisfied -踌躇不前,chóu chú bù qián,to hesitate to move forward; to hesitate; to hold back -踌躇不决,chóu chú bù jué,to hesitate; indecisive -踌躇满志,chóu chú mǎn zhì,enormously proud of one's success (idiom); smug; complacent -踌蹰,chóu chú,variant of 躊躇|踌躇[chou2 chu2] -跻,jī,(literary) to ascend; to climb; to mount -跻身,jī shēn,"to rise into the ranks of; to be among (the best); to get into (an industry, trade etc)" -跃,yuè,to jump; to leap -跃升,yuè shēng,to leap to (a higher position etc); to jump; (of a plane) to ascend -跃居,yuè jū,to vault -跃层,yuè céng,duplex (apartment) -跃然,yuè rán,to show forth; to appear as a vivid image; to stand out markedly -跃然纸上,yuè rán zhǐ shàng,"to appear vividly on paper (idiom); to show forth vividly (in writing, painting etc); to stand out markedly" -跃跃欲试,yuè yuè yù shì,to be eager to give sth a try (idiom) -跃进,yuè jìn,to leap forward; to make rapid progress; a leap forward -跃迁,yuè qiān,transition; jump (e.g. quantum leap in spectroscopy) -跃马,yuè mǎ,to gallop; to spur on a horse; to let one's steed have his head -跃龙,yuè lóng,allosaurus -躐,liè,step across -踯,zhí,hesitating; to stop -踯躅,zhí zhú,to tread; to tramp; to loiter; to hover around -跞,lì,move; walk -踬,zhì,to stumble -躔,chán,(literary) animal tracks; the course of a celestial body; (of a celestial body) to follow its course -蹰,chú,irresolute; undecided -跹,xiān,to manner of dancing; to walk around -躞,xiè,to walk -躞蹀,xiè dié,to walk with a mincing gait -蹑,niè,to walk on tiptoe; to walk quietly; to tread (on); to follow -蹑履,niè lǚ,to wear shoes -蹑悄悄,niè qiāo qiāo,softly; quietly -蹑手蹑脚,niè shǒu niè jiǎo,to walk quietly on tiptoe (idiom) -蹑机,niè jī,silk loom with a foot peddle -蹑登,niè dēng,to go up -蹑脚,niè jiǎo,to walk cautiously in order not to make noise -蹑脚根,niè jiǎo gēn,variant of 躡腳跟|蹑脚跟[nie4 jiao3 gen1] -蹑脚跟,niè jiǎo gēn,to walk cautiously in order not to make noise -蹑着脚,niè zhe jiǎo,to tiptoe -蹑足,niè zú,"to walk on tiptoe; to step on sb's foot; to join (a trade, profession etc); to associate with (a certain group of people)" -蹑跟,niè gēn,too large or small for the feet (of shoes) -蹑迹,niè jì,to follow sb's tracks; to tail -蹑蹀,niè dié,to walk with mincing steps -蹑踪,niè zōng,to follow along behind sb (formal writing) -蹿,cuān,to leap up; (coll.) to gush out; to spurt out -蹿升,cuān shēng,to rise rapidly; to shoot up -蹿房越脊,cuān fáng yuè jǐ,lit. to leap the house and cross the roofridge (idiom); dashing over rooftops (of robbers and pursuing knight-errant 俠客|侠客 in fiction) -蹿稀,cuān xī,(coll.) to have diarrhea -蹿红,cuān hóng,to become suddenly popular -蹿货,cuān huò,product in great demand; hot property -蹿跳,cuān tiào,to bound forward; to bound along -蹿蹦,cuān bèng,to jump up; to leap -蹿腾,cuān téng,to jump about wildly (coll.) -躜,zuān,to jump -躏,lìn,used in 蹂躪|蹂躏[rou2 lin4] -身,shēn,"body; life; oneself; personally; one's morality and conduct; the main part of a structure or body; pregnant; classifier for sets of clothes: suit, twinset; Kangxi radical 158" -身上,shēn shang,on the body; at hand; among -身不由己,shēn bù yóu jǐ,without the freedom to act independently (idiom); involuntary; not of one's own volition; in spite of oneself -身世,shēn shì,one's life experience; one's lot; one's past history -身亡,shēn wáng,to die -身份,shēn fèn,"identity; aspect of one's identity (i.e. sth that one is – mayor, father, permanent resident etc); role; capacity (as in ""in his capacity as a ..."" 以…的身份[yi3 xx5 de5 shen1 fen4]); status (social, legal etc); position; rank" -身份卡,shēn fèn kǎ,identity card; ID card -身份盗窃,shēn fèn dào qiè,identity theft -身份证,shēn fèn zhèng,identity card; ID -身份证明,shēn fèn zhèng míng,ID card; proof of identity -身份证号码,shēn fèn zhèng hào mǎ,I.D. number -身份识别卡,shēn fèn shí bié kǎ,identification card; ID card -身价,shēn jià,"social status; price of a slave; price of a person (a sportsman etc); worth; value (of stocks, valuables etc)" -身先士卒,shēn xiān shì zú,to fight at the head of one's troops; (fig.) to take the lead -身先朝露,shēn xiān zhāo lù,body will go with the morning dew (idiom); fig. ephemeral and precarious nature of human existence -身兼,shēn jiān,holding two jobs simultaneously -身分,shēn fèn,variant of 身份[shen1 fen4] -身分证,shēn fèn zhèng,identity card; also written 身份證|身份证[shen1 fen4 zheng4] -身分证号码,shēn fèn zhèng hào mǎ,variant of 身份證號碼|身份证号码[shen1 fen4 zheng4 hao4 ma3]; I.D. number -身在曹营心在汉,shēn zài cáo yíng xīn zài hàn,live in Cao camp but have the heart in Han camp (idiom); to be somewhere while longing to be somewhere else -身在福中不知福,shēn zài fú zhōng bù zhī fú,to live in plenty without appreciating it (idiom); not to know when one is well off -身型,shēn xíng,body shape -身外之物,shēn wài zhī wù,mere worldly possessions -身子,shēn zi,body; pregnancy; health -身子骨,shēn zi gǔ,posture; upright posture -身孕,shēn yùn,pregnancy; pregnant -身家,shēn jiā,oneself and one's family; family background; pedigree; one's property; one's total assets -身家调查,shēn jiā diào chá,to do a background check on sb -身强力壮,shēn qiáng lì zhuàng,strong and vigorous; sturdy; robust -身形,shēn xíng,figure (esp. a woman's) -身影,shēn yǐng,silhouette; figure -身后,shēn hòu,the time after one's death; a place behind sb; (fig.) one's social background -身心,shēn xīn,body and mind; mental and physical -身心交病,shēn xīn jiāo bìng,worn out in body and soul (idiom) -身心交瘁,shēn xīn jiāo cuì,worn out in body and soul (idiom) -身心俱疲,shēn xīn jù pí,physically and emotionally exhausted -身心爽快,shēn xīn shuǎng kuài,refreshment -身心科,shēn xīn kē,psychiatry -身心障碍,shēn xīn zhàng ài,disability -身态,shēn tài,pose; figure; attitude -身怀六甲,shēn huái liù jiǎ,to be pregnant (idiom) -身手,shēn shǒu,skill; talent; agility -身手敏捷,shēn shǒu mǐn jié,agile; nimble; deft -身才,shēn cái,stature; build (height and weight); figure -身披羽毛,shēn pī yǔ máo,feathered -身故,shēn gù,to die -身败名裂,shēn bài míng liè,to lose one's standing; to have one's reputation swept away; a complete defeat and fall from grace -身教,shēn jiào,to teach by example -身教胜于言教,shēn jiào shèng yú yán jiào,teaching by example beats explaining in words (idiom); action speaks louder than words -身材,shēn cái,stature; build (height and weight); figure -身板,shēn bǎn,body; physique; physical condition -身板儿,shēn bǎn er,erhua variant of 身板[shen1 ban3] -身正不怕影子斜,shēn zhèng bù pà yǐng zi xié,"lit. when a man stands straight, he doesn't worry that his shadow is slanting (idiom); fig. as long as one conducts oneself honorably, one need not worry about what people think; a clean hand wants no washing" -身段,shēn duàn,a woman's physique; figure; posture on stage -身法,shēn fǎ,pose or motion of one's body in martial arts -身为,shēn wéi,in the capacity of; as -身无分文,shēn wú fēn wén,penniless (idiom) -身无长物,shēn wú cháng wù,to possess nothing except bare necessities; to live a poor or frugal life -身穿,shēn chuān,to wear (a garment) -身经百战,shēn jīng bǎi zhàn,lit. veteran of a hundred battles (idiom); fig. experienced; seasoned -身临其境,shēn lín qí jìng,(idiom) to experience it for oneself; to actually *be* there (as opposed to reading about it etc) -身着,shēn zhuó,to wear -身处,shēn chǔ,"in (some place); to be in (adversity, a difficult situation, danger, turmoil etc); to find oneself in; placed in; surrounded by" -身负重伤,shēn fù zhòng shāng,seriously injured -身躯,shēn qū,body -身轻如燕,shēn qīng rú yàn,as lithe as a swallow (of athlete or beautiful girl) -身边,shēn biān,at one's side; on hand -身量,shēn liang,height (of a person); stature; (fig.) reputation; standing -身长,shēn cháng,height (of person); length of clothing from shoulders to bottom (tailor or dressmaker's measure) -身陷,shēn xiàn,to be trapped; to be imprisoned -身陷囹圄,shēn xiàn líng yǔ,thrown into prison; behind bars -身陷牢狱,shēn xiàn láo yù,to go to prison; to be imprisoned -身陷牢笼,shēn xiàn láo lóng,fallen into a trap -身首异处,shēn shǒu yì chù,to be decapitated (idiom) -身体,shēn tǐ,the body; one's health -身体力行,shēn tǐ lì xíng,to practice what one preaches (idiom) -身体是革命的本钱,shēn tǐ shì gé mìng de běn qián,lit. the body is the revolution's capital; fig. good health is a prerequisite for work (Mao Zedong's saying) -身体检查,shēn tǐ jiǎn chá,see 體格檢查|体格检查[ti3 ge2 jian3 cha2] -身体质量指数,shēn tǐ zhì liàng zhǐ shù,body mass index (BMI) -身体部分,shēn tǐ bù fèn,body part -身高,shēn gāo,(a person's) height -身高马大,shēn gāo mǎ dà,tall; huge -躬,gōng,"body (of a human, esp. the torso); to bow; (literary) oneself; personally" -躬履,gōng lǚ,to carry out a task personally; to take responsibility for -躬行,gōng xíng,to personally undertake or manage -躬亲,gōng qīn,to attend to personally; in person -躬诣,gōng yì,to call (at sb's home) personally -躬身,gōng shēn,to bow; personally -耽,dān,variant of 耽[dan1] -躲,duǒ,to hide; to dodge; to avoid -躲不起,duǒ bu qǐ,can't avoid; can't hide from; unavoidable -躲债,duǒ zhài,to dodge a creditor -躲年,duǒ nián,"to avoid going home for the Chinese New Year (for any of various reasons: because one finds the festivities onerous in some way, or because it would be seen as inauspicious for one to attend, or, in former times, to avoid creditors, since it was the custom to have debts settled before New Year's Day, and once into the New Year, debtors got a reprieve)" -躲懒,duǒ lǎn,to shy away from work; to get by without attending duty -躲清闲,duǒ qīng xián,to avoid external disturbance in order to idle -躲穷,duǒ qióng,to take refuge with a rich relative -躲藏,duǒ cáng,to conceal oneself; to go into hiding; to take cover -躲让,duǒ ràng,to step aside (for a passing vehicle); to get out of the way; to make way for -躲猫猫,duǒ māo māo,hide-and-seek (game); peekaboo (game) -躲躲藏藏,duǒ duǒ cáng cáng,to be in hiding -躲躲闪闪,duǒ duǒ shǎn shǎn,to evade; to dodge (out of the way) -躲避,duǒ bì,to hide; to evade; to dodge; to take shelter; to avoid (difficulties) -躲避球,duǒ bì qiú,dodgeball -躲闪,duǒ shǎn,to evade; to dodge (out of the way) -躲开,duǒ kāi,"to stay out of (hot water, trouble, awkward situation etc); to avoid (sb)" -躲难,duǒ nàn,to take refuge; to seek refuge from disaster -躲雨,duǒ yǔ,to take shelter from the rain -躲风,duǒ fēng,lit. to avoid the wind; fig. to keep low to avoid a difficult situation; to stay out of trouble -躬,gōng,old variant of 躬[gong1] -裸,luǒ,variant of 裸[luo3] -躺,tǎng,to recline; to lie down -躺下,tǎng xià,to lie down -躺倒,tǎng dǎo,to lie down -躺尸,tǎng shī,"(deprecatory) to lie motionless (asleep, drunk, lazing etc)" -躺平,tǎng píng,to lie stretched out; (neologism c. 2021) to opt out of the rat race -躺椅,tǎng yǐ,deck chair; recliner; couch; lounge -躺枪,tǎng qiāng,(neologism c. 2014) (coll.) to be unfairly targeted (abbr. for 躺著也中槍|躺着也中枪[tang3 zhe5 ye3 zhong4 qiang1]) -躺着也中枪,tǎng zhe yě zhòng qiāng,(Internet slang) (lit.) to get shot even though lying down; (fig.) to be unfairly targeted -躺赢,tǎng yíng,to win without needing to even lift a finger; victory presented on a platter -躯,qū,human body -躯干,qū gàn,trunk; torso -躯壳,qū qiào,the body (as opposed to the soul) -躯体,qū tǐ,(human) body -軃,duǒ,variant of 嚲|亸[duo3] -軃神,duǒ shén,frivolous youth (dialect) -车,chē,surname Che -车,chē,car; vehicle; CL:輛|辆[liang4]; machine; to shape with a lathe; Kangxi radical 159 -车,jū,war chariot (archaic); rook (in Chinese chess); rook (in chess) -车主,chē zhǔ,vehicle owner -车份,chē fèn,vehicle rental fee paid by cab and rickshaw drivers -车份儿,chē fèn er,erhua variant of 車份|车份[che1 fen4] -车位,chē wèi,parking spot; unloading point; garage place; stand for taxi -车到山前必有路,chē dào shān qián bì yǒu lù,"lit. when we get to the mountain, there'll be a way through (idiom); fig. everything will turn out for the best; let's worry about it when it happens; it will be all right on the night" -车到山前自有路,chē dào shān qián zì yǒu lù,see 車到山前必有路|车到山前必有路[che1 dao4 shan1 qian2 bi4 you3 lu4] -车前草,chē qián cǎo,plantain herb (Plantago asiatica) -车型,chē xíng,vehicle model (i.e. particular version of a car or motorcycle etc) -车城,chē chéng,"Checheng township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -车城乡,chē chéng xiāng,"Checheng township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -车夫,chē fū,cart driver; coachman -车奴,chē nú,"car slave, sb forced to sacrifice quality of life to buy or maintain a car" -车子,chē zi,"car or other vehicle (bicycle, truck etc)" -车展,chē zhǎn,motor show -车工,chē gōng,lathe work; lathe operator -车带,chē dài,(vehicle) tire -车床,chē chuáng,lathe -车库,chē kù,garage -车厢,chē xiāng,carriage; CL:節|节[jie2] -车厂,chē chǎng,"(bus, train etc) depot; car factory or repair shop" -车后箱,chē hòu xiāng,"car boot, trunk" -车房,chē fáng,garage; carport; (old) rickshaw room -车技,chē jì,driving skills -车把,chē bǎ,handlebar (of a bicycle); shaft (of a rickshaw) -车把式,chē bǎ shi,expert cart-driver; charioteer -车斗,chē dǒu,open-topped container (mounted on a truck or cart) for carrying loads; dump box (of a dump truck); bucket (of a front loader); wheelbarrow -车架,chē jià,cart; barrow; frame; chassis -车条,chē tiáo,spoke (of wheel) -车模,chē mó,model car; auto show model -车机,chē jī,(automotive) head unit; infotainment system -车次,chē cì,"train or coach service (""service"" as in ""they run 12 services per day between the two cities"")" -车水马龙,chē shuǐ mǎ lóng,endless stream of horse and carriages (idiom); heavy traffic -车流,chē liú,traffic; rate of traffic flow -车照,chē zhào,vehicle license -车灯,chē dēng,"vehicle light (headlight, turn indicator etc)" -车尔尼雪夫斯基,chē ěr ní xuě fū sī jī,Nikolai Chernyshevsky -车牌,chē pái,license plate -车皮,chē pí,wagon; freight car -车票,chē piào,ticket (for a bus or train) -车祸,chē huò,traffic accident; car crash; CL:場|场[chang2] -车程,chē chéng,travel time; expected time for a car journey -车窗,chē chuāng,"car window; window of a vehicle (bus, train etc)" -车站,chē zhàn,"rail station; bus stop; CL:處|处[chu4],個|个[ge4]" -车箱,chē xiāng,variant of 車廂|车厢[che1 xiang1] -车籍,chē jí,a vehicle's registration information (Tw) -车胎,chē tāi,tire -车臣,chē chén,"Chechnya, a republic in southwestern Russia; Chechen" -车号,chē hào,"vehicle number (license plate number, taxi number, bus number, train car number)" -车行,chē háng,car-related business; car dealership; taxi company; (commercial) garage -车行,chē xíng,traffic; to drive (i.e. travel in a vehicle) -车行通道,chē xíng tōng dào,traffic passage -车行道,chē xíng dào,roadway; carriageway -车裂,chē liè,to tear off a person's four limbs and head using five horse drawn carts (as capital punishment); to tear limb from limb -车贷,chē dài,car loan (abbr. for 汽車貸款|汽车贷款[qi4 che1 dai4 kuan3]) -车费,chē fèi,passenger fare -车贴,chē tiē,car allowance -车身,chē shēn,the body of a vehicle; (bicycle) frame -车轴,chē zhóu,axle; CL:根[gen1] -车轴草,chē zhóu cǎo,honewort; Cryptotaenia japonica -车载,chē zài,carried within a vehicle; onboard -车载斗量,chē zài dǒu liáng,lit. measured in cartloads and gallons; fig. by the barrowload (i.e. lots and lots); innumerable -车辆,chē liàng,vehicle -车轮,chē lún,wheel -车轮子,chē lún zi,wheel -车轮战,chē lún zhàn,tactic of several persons or groups taking turns to fight one opponent; tag-team attack -车轮饼,chē lún bǐng,"imagawayaki (sweet snack made of batter cooked in the shape of a car wheel, stuffed with azuki bean paste or other fillings)" -车辕,chē yuán,shaft (pulling a cart) -车辙,chē zhé,wheel rut; vehicle track -车速,chē sù,vehicle speed -车道,chē dào,traffic lane; driveway -车里雅宾斯克,chē lǐ yǎ bīn sī kè,"Chelyabinsk town on the eastern flanks of Ural, on trans-Siberian railway" -车厘子,chē lí zi,(American) cherry (loanword) -车铃,chē líng,bicycle bell -车钱,chē qián,fare; transport costs -车门,chē mén,"car door; door of bus, railway carriage etc" -车间,chē jiān,workshop; CL:個|个[ge4] -车闸,chē zhá,"brake (of a car, bicycle etc)" -车队,chē duì,motorcade; fleet; CL:列[lie4] -车险,chē xiǎn,auto insurance -车震,chē zhèn,to have car sex -车顶,chē dǐng,car roof -车顶架,chē dǐng jià,roof rack -车头灯,chē tóu dēng,(vehicle) headlight -车头相,chē tóu xiàng,photo attached to the front of a hearse in a funeral procession -车马,chē mǎ,vehicles and horses -车驾,jū jià,carriage -车龙,chē lóng,long queue of slow-moving traffic; tram -轧,yà,surname Ya -轧,gá,to crush together (in a crowd); to make friends; to check (accounts) -轧,yà,to crush; to knock sb down with a vehicle -轧,zhá,to roll (steel) -轧场,yà cháng,to roll with a stone roller; to thresh grain by rolling -轧染,yà rǎn,pad dyeing -轧染机,yà rǎn jī,pressure roller used in dyeing trough -轧棉,yà mián,to gin cotton (separate seeds from fiber) -轧机,zhá jī,steel rolling mill -轧花机,yà huā jī,cotton gin -轧制,zhá zhì,rolling steel -轧轧,yà yà,"(onom.) sound of machinery, e.g. squeaking" -轧辊,zhá gǔn,(steelmaking) roll; roller; CL:根[gen1] -轧道机,yà dào jī,road roller -轧道车,yà dào chē,trolley for inspecting rail track -轧钢,zhá gāng,to roll steel (into sheets or bars) -轧钢厂,zhá gāng chǎng,a steel rolling mill -轧钢条,zhá gāng tiáo,steel rails -轧钢机,zhá gāng jī,a steel rolling mill -轧马路,yà mǎ lù,to stroll around the streets (esp. of a young couple) -轨,guǐ,(bound form) rail; track; course; path -轨域,guǐ yù,(Tw) (quantum mechanics) orbital -轨枕,guǐ zhěn,sleeper; tie -轨范,guǐ fàn,standard; criterion -轨距,guǐ jù,gauge -轨迹,guǐ jì,locus; orbit; trajectory; track -轨迹球,guǐ jì qiú,trackball (computing) -轨道,guǐ dào,track (for trains etc); orbit (of a satellite); (fig.) a person's established path in life; desired trajectory (of a business or other endeavor); (audio engineering) track; (quantum mechanics) orbital -轨道交通,guǐ dào jiāo tōng,metro; rapid transit; subway -轨道空间站,guǐ dào kōng jiān zhàn,orbiting space station -轨道舱,guǐ dào cāng,orbital module -军,jūn,(bound form) army; military -军事,jūn shì,military affairs; (attributive) military -军事力量,jūn shì lì liang,military strength; military force(s) -军事化,jūn shì huà,militarization -军事基地,jūn shì jī dì,military base -军事威胁,jūn shì wēi xié,military threat -军事学,jūn shì xué,military science -军事家,jūn shì jiā,military expert; general -军事实力,jūn shì shí lì,military strength; military power -军事情报,jūn shì qíng bào,military intelligence -军事援助,jūn shì yuán zhù,military aid -军事政变,jūn shì zhèng biàn,military coup -军事核大国,jūn shì hé dà guó,military nuclear power -军事机构,jūn shì jī gòu,military institution -军事法庭,jūn shì fǎ tíng,court-martial; military tribunal -军事演习,jūn shì yǎn xí,military exercise; war game -军事科学,jūn shì kē xué,military science -军事行动,jūn shì xíng dòng,military operation -军事训练,jūn shì xùn liàn,military exercise; army drill -军事设施,jūn shì shè shī,military installations -军事部门,jūn shì bù mén,military branch -军事体育,jūn shì tǐ yù,military sports; military fitness (curriculum etc); abbr. to 軍體|军体 -军人,jūn rén,serviceman; soldier; military personnel -军令如山,jūn lìng rú shān,military orders are like mountains (idiom); a military order must be obeyed -军令状,jūn lìng zhuàng,military order -军备,jūn bèi,(military) arms; armaments -军备竞赛,jūn bèi jìng sài,arms race; armament(s) race -军公教,jūn gōng jiào,"army, civil service and education; all branches of state employment" -军刀,jūn dāo,military knife; saber -军分区,jūn fēn qū,military subdistricts -军力,jūn lì,military power -军功,jūn gōng,(military) meritorious service -军功章,jūn gōng zhāng,military medal -军务,jūn wù,military affairs -军势,jūn shì,army strength; military prowess or potential -军区,jūn qū,geographical area of command; (PLA) military district -军售,jūn shòu,arms sales -军国主义,jūn guó zhǔ yì,militarism -军团,jūn tuán,corps; legion -军团杆菌,jūn tuán gǎn jūn,legionella bacteria -军团菌,jūn tuán jūn,legionella (bacterium causing legionnaires' disease) -军团菌病,jūn tuán jūn bìng,legionnaires' disease -军士,jūn shì,soldier; noncommssioned officer (NCO) -军妓,jūn jì,military prostitute -军委,jūn wěi,Military Commission of the Communist Party Central Committee -军委会,jūn wěi huì,Military Commission of the Communist Party Central Committee; same as 軍委|军委 -军嫂,jūn sǎo,serviceman's wife; wives of military personnel -军官,jūn guān,officer (military) -军师,jūn shī,(old) military counselor; (coll.) trusted adviser -军心,jūn xīn,(military) troop morale; (fig.) team morale -军情,jūn qíng,military situation; military intelligence -军情五处,jūn qíng wǔ chù,MI5 (British military counterintelligence office) -军情六处,jūn qíng liù chù,MI6 (British military intelligence agency) -军政,jūn zhèng,army and government -军政府,jūn zhèng fǔ,military government -军方,jūn fāng,military -军旅,jūn lǚ,army -军曹鱼,jūn cáo yú,cobia or black kingfish (Rachycentron canadum) -军校,jūn xiào,military school; military academy -军棋,jūn qí,"land battle chess, Chinese board game similar to Stratego" -军乐队,jūn yuè duì,brass band -军机,jūn jī,military aircraft; secret plan; Privy Council during the Qing dynasty -军机处,jūn jī chù,Office of Military and Political Affairs (Qing Dynasty) -军民,jūn mín,army-civilian; military-masses; military-civilian -军法,jūn fǎ,martial law -军港,jūn gǎng,naval port; naval base -军演,jūn yǎn,military exercises -军火,jūn huǒ,weapons and ammunition; munitions; arms -军火交易,jūn huǒ jiāo yì,arms deal -军火公司,jūn huǒ gōng sī,arms company -军火库,jūn huǒ kù,arsenal -军营,jūn yíng,barracks; army camp -军用,jūn yòng,(for) military use; military application -军粮,jūn liáng,army provisions -军绿,jūn lǜ,army green -军舰,jūn jiàn,warship; military naval vessel; CL:艘[sou1] -军号,jūn hào,bugle -军装,jūn zhuāng,military uniform -军训,jūn xùn,to do military training -军警,jūn jǐng,the military and the police; military alert (announcing the approach of the enemy) -军费,jūn fèi,military expenditure -军费开支,jūn fèi kāi zhī,military spending -军车,jūn chē,military vehicle -军医,jūn yī,military doctor -军医院,jūn yī yuàn,military hospital -军衔,jūn xián,army rank; military rank -军阀,jūn fá,military clique; junta; warlord -军阀混战,jūn fá hùn zhàn,incessant fighting between warlords -军阵,jūn zhèn,battle formation -军队,jūn duì,"armed forces; troops; CL:支[zhi1],個|个[ge4]" -军需,jūn xū,military supplies -军需官,jūn xū guān,quartermaster -军饷,jūn xiǎng,a soldier's pay and provisions -军马,jūn mǎ,warhorse; cavalry horse; troops -军体,jūn tǐ,military sports; military fitness (curriculum etc); abbr. for 軍事體育|军事体育 -军龄,jūn líng,length of military service -轩,xuān,surname Xuan -轩,xuān,"pavilion with a view; high; tall; high fronted, curtained carriage (old)" -轩冕,xuān miǎn,(literary) curtained carriage and ceremonial cap (symbols of a senior official); (fig.) dignitaries; (literary) to hold an official post -轩尼诗,xuān ní shī,Hennessy (cognac) -轩掖,xuān yè,forbidden place -轩昂,xuān áng,high; lofty; elevated; dignified -轩槛,xuān jiàn,railings of a balcony -轩然大波,xuān rán dà bō,huge waves; (fig.) ruckus; controversy; sensation -轩轩自得,xuān xuān zì dé,to be delighted with oneself -轩辕,xuān yuán,"Xuan Yuan, personal name of Huangdi, the Yellow Emperor 黃帝|黄帝[Huang2 di4]" -轩辕,xuān yuán,two-character surname Xuanyuan -轩辕十四,xuān yuán shí sì,Regulus (constellation) -轩辕氏,xuān yuán shì,alternative name for the Yellow Emperor 黃帝|黄帝 -轫,rèn,brake -轭,è,yoke -软,ruǎn,soft; flexible -软件,ruǎn jiàn,(computer) software -软件企业,ruǎn jiàn qǐ yè,software company -软件包,ruǎn jiàn bāo,software package -软件即服务,ruǎn jiàn jí fú wù,software as a service (SaaS) -软件平台,ruǎn jiàn píng tái,software platform -软件技术,ruǎn jiàn jì shù,software technology -软件系统,ruǎn jiàn xì tǒng,software system -软件开发,ruǎn jiàn kāi fā,software development -软件开发人员,ruǎn jiàn kāi fā rén yuán,software developer -软刀子,ruǎn dāo zi,(lit.) the soft knife; (fig.) underhanded tactics; devious means of attack -软包,ruǎn bāo,soft (bread) roll -软化,ruǎn huà,to soften -软口盖,ruǎn kǒu gài,soft palate; velum -软呢,ruǎn ní,tweed -软和,ruǎn huo,(coll.) pleasantly soft; comfy; (of words) gentle; soothing -软坐,ruǎn zuò,soft seat (= first class in PRC trains) -软实力,ruǎn shí lì,soft power (in international relations) -软尺,ruǎn chǐ,soft ruler; tape measure -软席,ruǎn xí,soft seat (= first class in PRC trains) -软座,ruǎn zuò,soft seat (on trains or boats) -软库,ruǎn kù,"Softbank corporation, Japanese e-commerce firm" -软弱,ruǎn ruò,weak; feeble; flabby -软文,ruǎn wén,advertorial -软木,ruǎn mù,cork -软木塞,ruǎn mù sāi,cork -软木砖,ruǎn mù zhuān,cork tile; cork flooring -软柿子,ruǎn shì zi,(coll.) pushover; soft touch -软梯,ruǎn tī,rope ladder -软毛,ruǎn máo,fur -软泥,ruǎn ní,soft mud; silt; sludge; ooze (geology) -软泥儿,ruǎn ní er,erhua variant of 軟泥|软泥[ruan3 ni2] -软流圈,ruǎn liú quān,asthenosphere (geology) -软流层,ruǎn liú céng,asthenosphere (geology) -软焊,ruǎn hàn,to solder -软烂,ruǎn làn,(of food etc) soft; pulpy; (Tw) (of a person) lacking drive; shiftless; lazy -软片,ruǎn piàn,(photographic) film -软玉,ruǎn yù,"nephrite; Ca(Mg,Fe)3(SiO3)4" -软甲纲,ruǎn jiǎ gāng,"Malacostraca, a large class of crustaceans" -软盘,ruǎn pán,floppy disk -软硬不吃,ruǎn yìng bù chī,unmoved by force or persuasion -软硬件,ruǎn yìng jiàn,software and hardware -软硬兼施,ruǎn yìng jiān shī,use both carrot and stick; use gentle methods and force; an iron hand in a velvet glove -软碟,ruǎn dié,floppy disk -软磁盘,ruǎn cí pán,floppy disk -软磁碟,ruǎn cí dié,floppy disk -软磨硬泡,ruǎn mó yìng pào,to coax and pester (idiom); to wheedle; to cajole -软禁,ruǎn jìn,to place under house arrest -软管,ruǎn guǎn,hose; flexible tube -软糖,ruǎn táng,"soft candy (gummi candy, gumdrop, jellybean etc)" -软糯,ruǎn nuò,soft and chewy (mouthfeel) -软组织,ruǎn zǔ zhī,soft tissue -软绵绵,ruǎn mián mián,soft; velvety; flabby; weak; schmaltzy -软耳朵,ruǎn ěr duo,credulous person; credulous -软肋,ruǎn lèi,rib cartilage; (fig.) weak spot; soft underbelly -软脂酸,ruǎn zhī suān,palmitic acid (chemistry) -软脚虾,ruǎn jiǎo xiā,weakling; coward -软脚蟹,ruǎn jiǎo xiè,same as 軟腳蝦|软脚虾[ruan3 jiao3 xia1] -软膏,ruǎn gāo,ointment; paste -软卧,ruǎn wò,soft sleeper (a type of sleeper train ticket class with a softer bunk) -软着陆,ruǎn zhuó lù,soft landing (e.g. of spacecraft) -软足类,ruǎn zú lèi,"(coll.) inkfish; octopus, squid and cuttlefish" -软钉子,ruǎn dīng zi,lit. a soft nail; fig. a tactful retort or rejection -软饭男,ruǎn fàn nán,kept man -软饮,ruǎn yǐn,soft drink -软饮料,ruǎn yǐn liào,soft drink -软骨,ruǎn gǔ,cartilage -软骨病,ruǎn gǔ bìng,chondropathy (medicine) -软骨头,ruǎn gǔ tou,"weak, cowardly person; spineless individual" -软骨鱼,ruǎn gǔ yú,cartilaginous fish (such as sharks) -软骨鱼类,ruǎn gǔ yú lèi,cartilaginous fishes; Chondrichthyes (taxonomic class including sharks and rays) -软体,ruǎn tǐ,(of an animal) soft-bodied; (Tw) software -软体动物,ruǎn tǐ dòng wù,mollusk -软体业,ruǎn tǐ yè,the software industry -软龈音,ruǎn yín yīn,velar sound (linguistics) -软腭,ruǎn è,soft palate -软腭音,ruǎn è yīn,(linguistics) velar consonant -轷,hū,surname Hu -轸,zhěn,square; strongly (as of emotion) -轸方,zhěn fāng,square; four-square -轱,gū,wheel; to roll -轱辘,gū lù,wheel; to roll; also pr. [gu1 lu5] -轴,zhóu,axis; axle; spool (for thread); roller (for scrolls); classifier for calligraphy rolls etc -轴,zhòu,see 壓軸戲|压轴戏[ya1 zhou4 xi4]; Taiwan pr. [zhou2] -轴向,zhóu xiàng,axis; axial -轴心,zhóu xīn,axle; (fig.) central element; key element; axis (alliance of nations) -轴心国,zhóu xīn guó,Axis powers (World War II) -轴承,zhóu chéng,(mechanical) bearing -轴承销,zhóu chéng xiāo,pin bearing -轴旋转,zhóu xuán zhuǎn,to rotate about an axis; axis of rotation (math.) -轴率,zhóu lǜ,axial ratio -轴突,zhóu tū,axon -轴突运输,zhóu tū yùn shū,axonal transport -轴索,zhóu suǒ,axon (long thin axis of nerve cell) -轴丝,zhóu sī,axoneme (long thread of nerve cell) -轴线,zhóu xiàn,central axis (line) -轴距,zhóu jù,wheelbase -轵,zhǐ,end of axle outside of hub -轺,yáo,light carriage -轲,kē,given name of Mencius -轲,kě,see 轗軻|轗轲[kan3 ke3] -轶,yì,"to excel; to surpass; to be scattered; variant of 逸[yi4], leisurely" -轶事,yì shì,variant of 逸事[yi4 shi4] -轶事遗闻,yì shì yí wén,anecdote (about historical person); lost or apocryphal story -轶尘,yì chén,variant of 逸塵|逸尘[yi4 chen2] -轶群,yì qún,variant of 逸群[yi4 qun2] -轶闻,yì wén,anecdote; apocryphal story -轼,shì,(literary) handrail at the front of a carriage or chariot; to bow while leaning on this handrail as a gesture of respect -輂,jú,horse carriage (old) -輂辇,jú niǎn,emperor's carriage -较,jiào,(bound form) to compare; (literary) to dispute; compared to; (before an adjective) relatively; comparatively; rather; also pr. [jiao3] -较劲,jiào jìn,to match one's strength with; to compete; more competitive; to set oneself against sb; disobliging; to make a special effort -较劲儿,jiào jìn er,erhua variant of 較勁|较劲[jiao4 jin4] -较场,jiào chǎng,military drill ground; same as 校場|校场[jiao4 chang3] -较大,jiào dà,comparatively large -较好,jiào hǎo,better -较差,jiào chā,range (the difference between the lowest and highest values) -较差,jiào chà,mediocre; rather poor; not specially good -较比,jiào bǐ,comparatively (colloquial); fairly; quite; rather; relatively -较为,jiào wéi,comparatively; relatively; fairly -较然,jiào rán,clearly; evidently; markedly -较略,jiào lüè,approximately; roughly; about -较真,jiào zhēn,serious; in earnest -较真儿,jiào zhēn er,erhua variant of 較真|较真[jiao4 zhen1] -较短絜长,jiào duǎn xié cháng,to compare long and short; to compare the pros and cons -较著,jiào zhù,obvious; prominent; standing out -较量,jiào liàng,to pit oneself against sb; to compete with sb; contest; battle; to haggle; to quibble -较长絜短,jiào cháng xié duǎn,to compare long and short; to compare the pros and cons -辂,lù,chariot -辁,quán,limited (of talent or ability); (archaic) solid wheel (without spokes) -载,zǎi,to record in writing; to carry (i.e. publish in a newspaper etc); Taiwan pr. [zai4]; year -载,zài,to carry; to convey; to load; to hold; to fill up; and; also; as well as; simultaneously -载人,zài rén,to carry a passenger; (of spaceships etc) manned; also pr. [zai3 ren2] -载人轨道空间站,zài rén guǐ dào kōng jiān zhàn,manned orbiting space station -载伯德,zǎi bó dé,Zebedee (name) -载入,zǎi rù,to load into; to record; to write into; to enter (data); to go into (the records); to go down (in history) -载具,zài jù,"conveyance (car, boat, aircraft etc); vehicle; (fig.) medium; platform; vector; (Tw) (Taiwan pr. [zai3 ju4]) a consumer's device (smart card or mobile app barcode etc) that can be scanned at checkout to save the receipt 統一發票|统一发票[tong3 yi1 fa1 piao4] to a cloud account" -载客,zài kè,to take passengers on board -载客车,zài kè chē,passenger train (or bus) -载客量,zài kè liàng,passenger capacity -载弹量,zài dàn liàng,payload -载携,zài xié,to carry; to bear -载明,zǎi míng,to state explicitly in writing; to specify; to stipulate -载歌且舞,zài gē qiě wǔ,singing and dancing (idiom); festive celebrations -载歌载舞,zài gē zài wǔ,singing and dancing (idiom); festive celebrations -载波,zài bō,carrier wave -载湉,zǎi tián,birth name of Qing emperor Guangxu 光緒|光绪[Guang1 xu4] -载漪,zài yī,"Zai Yi (1856-1922), Manchu imperial prince and politician, disgraced after supporting the Boxers" -载籍,zǎi jí,books (in Confucian education) -载舟覆舟,zài zhōu fù zhōu,to carry a boat or to overturn a boat (idiom); fig. The people can support a regime or overturn it. -载荷,zài hè,load -载货,zài huò,freight; load -载货汽车,zài huò qì chē,truck -载车,zài chē,onboard (equipment); to ferry cars; missile trucks -载途,zài tú,"to cover the road (snow, wind, hazards etc); distance (between locations)" -载运,zài yùn,to convey (on vehicle); to freight -载道,zài dào,"to fill the road (also fig. clamor, cries of complaint); to communicate a moral; to convey the Way; to express (idea, preference, complaint)" -载酒问字,zài jiǔ wèn zì,a scholarly and inquisitive individual (idiom) -载重,zài zhòng,load; carrying capacity -载重能力,zài zhòng néng lì,weight-carrying capacity -载重量,zài zhòng liàng,dead weight; weight capacity of a vehicle -载频,zài pín,frequency of carrier wave -载体,zài tǐ,carrier (chemistry); vector (epidemiology); vehicle or medium -轾,zhì,back and lower of chariot; short; low -辄,zhé,then; at once; always; (archaic) luggage rack on a chariot -挽,wǎn,variant of 挽[wan3]; to draw (a cart); to lament the dead -挽联,wǎn lián,"pair of parallel verses inscribed on streamers, used as funeral decoration" -挽诗,wǎn shī,elegy -挽近,wǎn jìn,old variant of 晚近[wan3 jin4] -辅,fǔ,to assist; to complement; auxiliary -辅仁大学,fǔ rén dà xué,"Fu Jen Catholic University of Peking (from 1925), forerunner of Beijing Normal University 北京師範大學|北京师范大学; Fu Jen Catholic University in New Taipei City, Taiwan" -辅以,fǔ yǐ,supplemented by; accompanied by; with -辅佐,fǔ zuǒ,to assist (usually a ruler) -辅修,fǔ xiū,(education) to minor in; minor -辅具,fǔ jù,"assistive device (walking frame, hearing aid etc)" -辅助,fǔ zhù,to assist; to aid; supplementary; auxiliary -辅助语,fǔ zhù yǔ,auxiliary language -辅助医疗,fǔ zhù yī liáo,complementary medicine -辅大,fǔ dà,abbr. for 輔仁大學|辅仁大学[Fu3 ren2 Da4 xue2] -辅导,fǔ dǎo,to give guidance; to mentor; to counsel; to coach; to tutor -辅导人,fǔ dǎo rén,tutor -辅导员,fǔ dǎo yuán,coach (teacher or trainer) -辅导班,fǔ dǎo bān,tutorial class; remedial class; preparatory course -辅导金,fǔ dǎo jīn,grant (Tw) -辅币,fǔ bì,fractional currency (coin or note of value smaller than the country's unit of currency); token (used instead of money for slot machines etc) -辅弼,fǔ bì,to assist a ruler in governing a country; prime minister -辅料,fǔ liào,auxiliary ingredients; supplementary materials -辅系,fǔ xì,(Tw) (university education) minor -辅课,fǔ kè,subsidiary course -辅警,fǔ jǐng,auxiliary police officer -辅酶,fǔ méi,coenzyme (chemistry) -辅音,fǔ yīn,consonant -轻,qīng,light; easy; gentle; soft; reckless; unimportant; frivolous; small in number; unstressed; neutral; to disparage -轻佻,qīng tiāo,frivolous; coquettish -轻侮,qīng wǔ,(literary) to treat with disrespect -轻便,qīng biàn,lightweight and portable; light and convenient -轻信,qīng xìn,to easily trust; gullible; naïve -轻伤,qīng shāng,lightly wounded; minor injuries -轻元素,qīng yuán sù,light element (such as hydrogen) -轻取,qīng qǔ,to beat easily; to gain an easy victory -轻口薄舌,qīng kǒu bó shé,(idiom) hasty and rude; caustic and sharp-tongued -轻咬,qīng yǎo,to nibble -轻嘴薄舌,qīng zuǐ bó shé,"lit. light mouth, thin tongue (idiom); hasty and rude; caustic and sharp-tongued" -轻型,qīng xíng,"light (machinery, aircraft etc)" -轻型轨道交通,qīng xíng guǐ dào jiāo tōng,"light rail; transit system (underground, at street level or elevated); streetcar; metro; abbr. to 輕軌|轻轨[qing1 gui3]" -轻子,qīng zǐ,lepton (particle physics) -轻工,qīng gōng,light engineering -轻工业,qīng gōng yè,light industry -轻巧,qīng qiǎo,dexterous; deft; easy; light and easy to use; nimble; agile; lithe; graceful -轻度,qīng dù,mild (symptoms etc) -轻微,qīng wēi,slight; light; trivial; to a small extent -轻快,qīng kuài,light and quick; brisk; spry; lively; effortless; relaxed; agile; blithe -轻慢,qīng màn,irreverent -轻手轻脚,qīng shǒu qīng jiǎo,(to move or do sth) softly and quietly (idiom) -轻打,qīng dǎ,to tap; to hit lightly -轻捷,qīng jié,light on one's feet; nimble; agile -轻描淡写,qīng miáo dàn xiě,(idiom) to treat sth as no big deal; to downplay; to understate -轻抚,qīng fǔ,to stroke lightly; to caress -轻击区,qīng jī qū,putting green (golf) -轻击棒,qīng jī bàng,putter (golf) -轻击球,qīng jī qiú,to hit the ball lightly (sport); putt (golf) -轻敌,qīng dí,to underestimate the enemy -轻于鸿毛,qīng yú hóng máo,light as a goose feather (idiom); trifling; unimportant -轻易,qīng yì,easy; simple; rashly; offhandedly -轻染,qīng rǎn,tinge -轻柔,qīng róu,soft; gentle; pliable -轻机枪,qīng jī qiāng,light machine gun -轻机关枪,qīng jī guān qiāng,also written 輕機槍|轻机枪; light machine gun -轻武器,qīng wǔ qì,light weapon -轻水,qīng shuǐ,light water (as opposed to heavy water); see light water reactor 輕水反應堆|轻水反应堆 -轻水反应堆,qīng shuǐ fǎn yìng duī,light water reactor (LWR) -轻浪浮薄,qīng làng fú bó,(idiom) frivolous -轻浮,qīng fú,frivolous; careless; giddy -轻狂,qīng kuáng,frivolous -轻率,qīng shuài,cavalier; offhand; reckless -轻生,qīng shēng,a suicide; to commit suicide -轻盈,qīng yíng,graceful; lithe; light and graceful; lighthearted; relaxed -轻省,qīng sheng,relaxed; easy -轻看,qīng kàn,to look down upon -轻窕,qīng tiǎo,frivolous; capricious; playful -轻纱,qīng shā,light muslin; gauze -轻罪,qīng zuì,petty crime; misdemeanor -轻者,qīng zhě,less serious case; in less severe cases -轻而易举,qīng ér yì jǔ,easy; with no difficulty -轻声,qīng shēng,quietly; softly; neutral tone; light stress -轻声细语,qīng shēng xì yǔ,to speak softly; to whisper (idiom) -轻脆,qīng cuì,sharp and clear; crisp; melodious; ringing; tinkling; silvery (of sound); fragile; frail; also written 清脆 -轻举妄动,qīng jǔ wàng dòng,to act blindly without thinking (idiom) -轻蔑,qīng miè,scornful; disdainful; contemptuous; pejorative; disdain; contempt -轻薄,qīng bó,light (weight); frivolous; a philanderer; to scorn; disrespectful -轻裘肥马,qīng qiú féi mǎ,lit. light furs and stout horses; fig. to live in luxury -轻视,qīng shì,contempt; contemptuous; to despise; to scorn; scornful -轻言,qīng yán,"to say, without careful consideration" -轻言细语,qīng yán xì yǔ,to speak softly -轻质石油,qīng zhì shí yóu,light petroleum (product); gasoline and diesel oil -轻质石油产品,qīng zhì shí yóu chǎn pǐn,light petroleum product (i.e. gasoline and diesel oil) -轻车熟路,qīng chē shú lù,lit. to drive a lightweight chariot on a familiar road (idiom); fig. to do sth routinely and with ease; a walk in the park -轻车简从,qīng chē jiǎn cóng,(of an official) to travel with little luggage and just a small escort; to travel without ostentation -轻轨,qīng guǐ,"light rail; transit system (underground, at street level or elevated); streetcar; metro (abbr. for 輕型軌道交通|轻型轨道交通[qing1xing2 gui3dao4 jiao1tong1])" -轻轻,qīng qīng,lightly; softly -轻重,qīng zhòng,severity (of the case); degree of seriousness; whether sth is slight or serious -轻重主次,qīng zhòng zhǔ cì,to invert the importance of things (i.e. stress the incidental and neglect the main point); lacking a sense of perspective; to put the cart before the horse -轻重倒置,qīng zhòng dào zhì,to invert the importance of things (i.e. stress the unimportant and neglect the important); lacking a sense of perspective; to put the cart before the horse -轻重缓急,qīng zhòng huǎn jí,"slight or important, urgent or non-urgent (idiom); to deal with important matters first; sense of priority" -轻量级,qīng liàng jí,lightweight (boxing etc) -轻铁,qīng tiě,Hong Kong LRT (Light Rail Transit) (abbr. for 輕便鐵路|轻便铁路) -轻灵,qīng líng,quick and skillful; agile -轻音乐,qīng yīn yuè,light music -轻风,qīng fēng,breeze; light wind -轻飘飘,qīng piāo piāo,light as a feather -轻食,qīng shí,light meal; snack -轻饶,qīng ráo,to forgive easily; to let off lightly (often with negative: you won't get away with it) -轻饶素放,qīng ráo sù fàng,"easily forgive, simply release (idiom); to let sb off scot free" -轻骑,qīng qí,light cavalry; light motorcycle; moped -轻松,qīng sōng,light; gentle; relaxed; effortless; uncomplicated; to relax; to take things less seriously -辄,zhé,variant of 輒|辄[zhe2] -辆,liàng,classifier for vehicles -辎,zī,covered wagon; military supply wagon -辉,huī,splendor; to shine upon -辉南,huī nán,"Huinan county in Tonghua 通化, Jilin" -辉南县,huī nán xiàn,"Huinan county in Tonghua 通化, Jilin" -辉映,huī yìng,to reflect; to shine -辉格党,huī gé dǎng,Whig Party -辉煌,huī huáng,splendid; glorious -辉瑞,huī ruì,"Pfizer, American pharmaceutical company" -辉石,huī shí,pyroxene (family of rock-forming minerals); augite -辉绿岩,huī lǜ yán,diabase (geology); dolerite -辉县,huī xiàn,"Huixian county-level city in Xinxiang 新鄉|新乡[Xin1 xiang1], Henan" -辉县市,huī xiàn shì,"Huixian county-level city in Xinxiang 新鄉|新乡[Xin1 xiang1], Henan" -辉长岩,huī cháng yán,gabbro (geology) -辋,wǎng,tire; wheel band -辍,chuò,to stop (before completion); to cease; to suspend -辍学,chuò xué,to drop out of school; to leave off studying; to interrupt one's studies -辍工,chuò gōng,to stop work -辍朝,chuò cháo,to suspend business at the imperial court on account of a misfortune -辍业,chuò yè,to give up work; to give up one's profession -辍止,chuò zhǐ,to stop; to leave off -辍演,chuò yǎn,to stop performing a play; to interrupt a stage run -辍笔,chuò bǐ,to stop writing or painting; to leave off writing midway -辍耕,chuò gēng,to stop plowing; to give up a life in the fields -辍食吐哺,chuò shí tǔ bǔ,to stop eating and spit out -辊,gǔn,roller -辇,niǎn,(archaic) man-drawn carriage; an imperial carriage; to transport by carriage -辇下,niǎn xià,imperial capital (city) -辇路,niǎn lù,road along which the emperor's carriage passes -辇运,niǎn yùn,(literary) to transport; to ship -辈,bèi,lifetime; generation; group of people; class; classifier for generations; (literary) classifier for people -辈儿,bèi er,generation -辈出,bèi chū,to come forth in large numbers -辈分,bèi fen,seniority in the family or clan; position in the family hierarchy; Taiwan pr. [bei4fen4] -辈子,bèi zi,all one's life; lifetime -轮,lún,"wheel; disk; ring; steamship; to take turns; to rotate; classifier for big round objects: disk, or recurring events: round, turn" -轮任,lún rèn,rotating appointment (e.g. presidency of EU) -轮休,lún xiū,to take holidays in rotation; to stagger employees' days off; (agriculture) to lie fallow in rotation -轮作,lún zuò,rotation of crops (to preserve fertility of soil) -轮候,lún hòu,to wait one's turn -轮值,lún zhí,to take turns on duty -轮到,lún dào,to be (sb's or sth's) turn -轮台,lún tái,"Bügür nahiyisi or Luntai county in Bayingolin Mongol Autonomous Prefecture, Xinjiang 巴音郭楞蒙古自治州[Ba1 yin1 guo1 leng2 Meng3 gu3 Zi4 zhi4 zhou1], Xinjiang" -轮台古城,lún tái gǔ chéng,"ruins of Luntai city, archaeological site in Bayingolin Mongol Autonomous Prefecture 巴音郭楞蒙古自治州, Xinjiang" -轮台县,lún tái xiàn,"Bügür nahiyisi or Luntai county in Bayingolin Mongol Autonomous Prefecture, Xinjiang 巴音郭楞蒙古自治州[Ba1 yin1 guo1 leng2 Meng3 gu3 Zi4 zhi4 zhou1], Xinjiang" -轮唱,lún chàng,round (music); canon -轮回,lún huí,variant of 輪迴|轮回[lun2 hui2] -轮奸,lún jiān,to gang rape -轮子,lún zi,wheel; (derog.) Falun Gong practitioner; CL:個|个[ge4] -轮廓,lún kuò,outline; silhouette -轮廓线,lún kuò xiàn,outline; silhouette -轮廓鲜明,lún kuò xiān míng,sharp image; clear-cut; in bold outline; in sharp relief -轮指,lún zhǐ,circular finger movement (in playing plucked instrument); strumming -轮换,lún huàn,to rotate; to take turns -轮暴,lún bào,to gang rape -轮替,lún tì,to take turns; to follow a rotating schedule -轮椅,lún yǐ,wheelchair -轮机,lún jī,turbine (abbr. for 渦輪機|涡轮机[wo1 lun2 ji1]); engine (of a ship) -轮机手,lún jī shǒu,helmsman -轮次,lún cì,"in turn; by turns; lap; turn; round; classifier for laps, turns, rounds" -轮流,lún liú,to alternate; to take turns -轮渡,lún dù,ferry -轮滑,lún huá,roller skating -轮牧,lún mù,rotation grazing -轮状病毒,lún zhuàng bìng dú,rotavirus -轮班,lún bān,shift working -轮番,lún fān,in turn; one after another -轮盘,lún pán,roulette; wheel -轮盘赌,lún pán dǔ,roulette -轮种,lún zhòng,rotation of crops -轮空,lún kōng,(sports) bye; to get a bye; (of an employee) to be not scheduled at work for a period of time (when working shifts) -轮箍,lún gū,tire -轮缘,lún yuán,rim; edge of wheel -轮胎,lún tāi,tire; pneumatic tire -轮船,lún chuán,steamship; steamer; steamboat; CL:艘[sou1] -轮训,lún xùn,training in rotation -轮询,lún xún,(computing) to poll -轮距,lún jù,tread (the distance between the two front – or two rear – wheels of a vehicle) -轮轴,lún zhóu,wheel and axle (mechanism); axle -轮辐,lún fú,wheel spoke -轮毂,lún gǔ,wheel hub -轮毂罩,lún gǔ zhào,hubcap -轮转,lún zhuàn,to rotate -轮转机,lún zhuǎn jī,merry-go-round -轮回,lún huí,to reincarnate; reincarnation (Buddhism); (of the seasons etc) to follow each other cyclically; cycle; CL:個|个[ge4] -轮齿,lún chǐ,tooth of cog wheel; gear tooth -辌,liáng,see 轀輬|辒辌[wen1 liang2] -软,ruǎn,variant of 軟|软[ruan3] -辑,jí,to gather up; to collect; to edit; to compile -辑睦,jí mù,tranquil; harmonious -辑穆,jí mù,variant of 輯睦|辑睦[ji2 mu4] -辑录,jí lù,to compile; to collect -辑集,jí jí,to anthologize -辏,còu,to converge; hub of wheel -输,shū,to lose; to be beaten; (bound form) to transport; (literary) to donate; to contribute; (coll.) to enter (a password) -输不起,shū bù qǐ,to take defeat with bad grace; to be a sore loser; cannot afford to lose -输入,shū rù,to import; to input -输入法,shū rù fǎ,input method -输入系统,shū rù xì tǒng,input system; data entry system -输入设备,shū rù shè bèi,input device (computer) -输出,shū chū,to export; to output -输出品,shū chū pǐn,export item; product for export -输出管,shū chū guǎn,vas efferens -输卵管,shū luǎn guǎn,Fallopian tube; oviduct -输墨装置,shū mò zhuāng zhì,ink supply mechanism -输家,shū jiā,loser (as opposed to winner 贏家|赢家[ying2 jia1]) -输尿管,shū niào guǎn,ureter -输得起,shū de qǐ,can afford to lose; to take defeat with good grace -输掉,shū diào,to lose -输水管,shū shuǐ guǎn,pipe; pipeline -输沙量,shū shā liàng,quantity of sand (transported by a river); sediment content -输油管,shū yóu guǎn,petroleum pipeline -输注,shū zhù,to inject; infusion -输液,shū yè,intravenous infusion; to get put on an IV -输球,shū qiú,(ball sports) to lose a match -输理,shū lǐ,to be in the wrong -输移,shū yí,(sediment) transport -输精管,shū jīng guǎn,vas deferens -输给,shū gěi,to lose to (sb); to be outdone by -输血,shū xuè,to transfuse blood; to give aid and support -输赢,shū yíng,win or loss; outcome -输送,shū sòng,to transport; to convey; to deliver -输送媒介,shū sòng méi jiè,transport medium -输送带,shū sòng dài,conveyor belt -输运,shū yùn,to transport; transportation -输电,shū diàn,electricity transmission; to transmit electricity -辐,fú,spoke of a wheel -辐射,fú shè,radiation -辐射侦察,fú shè zhēn chá,radiation detection -辐射仪,fú shè yí,radiation meter -辐射分解,fú shè fēn jiě,radiolysis -辐射剂量,fú shè jì liàng,radiation dose -辐射剂量率,fú shè jì liàng lǜ,radiation dose rate -辐射场,fú shè chǎng,radiation field -辐射对称,fú shè duì chèn,radial symmetry -辐射强度,fú shè qiáng dù,radiation intensity -辐射敏感性,fú shè mǐn gǎn xìng,radiosensitivity -辐射散射,fú shè sǎn shè,radiation scattering -辐射波,fú shè bō,radiation (wave); radiated wave -辐射直接效应,fú shè zhí jiē xiào yìng,direct effect of radiation -辐射能,fú shè néng,radiation energy (e.g. solar) -辐射计,fú shè jì,radiometer -辐射警告标志,fú shè jǐng gào biāo zhì,radiation warning symbol -辐射防护,fú shè fáng hù,radiation protection -辐条,fú tiáo,(wheel) spoke -辐照,fú zhào,irradiation -辗,zhǎn,roll over on side; turn half over -辗轧,zhǎn yà,to roll over; to run over -辗转,zhǎn zhuǎn,to toss about in bed; from person to person; indirectly; to wander -辗转反侧,zhǎn zhuǎn fǎn cè,to toss and turn restlessly (in the bed) -舆,yú,(literary) chassis of a carriage (contrasted with the canopy 堪[kan1]); (literary) (fig.) the earth (while the carriage canopy is a metaphor for heaven); land; territory; (literary) carriage; (literary) sedan chair; palanquin; (bound form) the multitudes; the people; the public -舆地,yú dì,land; map; (old) geography -舆情,yú qíng,public sentiment -舆论,yú lùn,public opinion -舆论界,yú lùn jiè,media; commentators -舆论调查,yú lùn diào chá,opinion poll -辒,wēn,hearse -辒车,wēn chē,hearse -辒辌,wēn liáng,(sleeping) carriage; hearse -毂,gū,wheel -毂,gǔ,hub of wheel -毂盖,gǔ gài,hubcap -辖,xiá,linchpin (used to fasten a wheel to an axle); (bound form) to govern; to have jurisdiction over -辖制,xiá zhì,to control -辖区,xiá qū,administrative region -辕,yuán,shafts of cart; yamen -辘,lù,windlass -辘轳,lù lu,well pulley; windlass; potter's wheel -转,zhuǎi,see 轉文|转文[zhuai3 wen2] -转,zhuǎn,to turn; to change direction; to transfer; to forward (mail); (Internet) to share (sb else's content) -转,zhuàn,"to revolve; to turn; to circle about; to walk about; classifier for revolutions (per minute etc): revs, rpm; classifier for repeated actions" -转一趟,zhuàn yī tàng,to go on a trip -转世,zhuǎn shì,reincarnation or transmigration (Buddhism) -转乘,zhuǎn chéng,"to transfer; to change trains, buses etc" -转交,zhuǎn jiāo,to pass on to sb; to carry and give to sb else -转介,zhuǎn jiè,to refer sb to an agency (or hospital etc); referral -转位,zhuǎn wèi,transposition; displacement; inversion; translocation; to displace; to transpose -转位,zhuàn wèi,index (rotating gauge); cam gradation -转作,zhuǎn zuò,(agriculture) to switch to growing a different crop -转来转去,zhuàn lái zhuàn qù,to rove around; to run around in circles; to walk back and forth -转侧,zhuǎn cè,to change one's viewpoint; to turn from side to side (in bed) -转入,zhuǎn rù,to change over to; to shift to; to switch to -转入地下,zhuǎn rù dì xià,to go underground; to turn to secret activities -转剧,zhuǎn jù,becoming acute; to exacerbate -转动,zhuǎn dòng,to turn sth around; to swivel -转动,zhuàn dòng,to rotate (about an axis); to revolve; to turn; to move in a circle; to gyrate -转动件,zhuàn dòng jiàn,rotor -转动惯量,zhuǎn dòng guàn liàng,moment of inertia (mechanics) -转动轴,zhuàn dòng zhóu,axis of rotation (mechanics); spindle -转化,zhuǎn huà,to change; to turn; to convert; (genetics) to transform; (chemistry) isomerization -转化糖,zhuǎn huà táng,inverted sugar -转危为安,zhuǎn wēi wéi ān,to turn peril into safety (idiom); to avert a danger (esp. political or medical) -转去,zhuàn qù,to return; to go back -转口,zhuǎn kǒu,entrepot; transit (of goods); (coll.) to deny; to go back on one's word -转台,zhuǎn tái,to change the channel (TV) -转台,zhuàn tái,rotating stage; swivel table -转向,zhuǎn xiàng,to change direction; fig. to change one's stance -转向,zhuàn xiàng,to get lost; to lose one's way -转向信号,zhuǎn xiàng xìn hào,turn signal (auto.); turning indicator -转向灯,zhuǎn xiàng dēng,vehicle turn indicator light -转向盘,zhuǎn xiàng pán,steering wheel -转告,zhuǎn gào,to pass on; to communicate; to transmit -转喻,zhuǎn yù,metonymy -转回,zhuǎn huí,to turn back; to put back; reversal; melodic inversion (in music) -转圈,zhuàn quān,to rotate; to twirl; to run around; to encircle; rotation; (coll.) to speak indirectly; to beat about the bush -转圜,zhuǎn huán,to save or redeem (a situation); to mediate; to intercede -转圜余地,zhuǎn huán yú dì,to have room to save a situation; margin for error (idiom) -转型,zhuǎn xíng,to undergo fundamental change; to transition; to transform; to update (to a new model of product) -转基因,zhuǎn jī yīn,genetic modification -转基因食品,zhuǎn jī yīn shí pǐn,genetically modified (GM) food -转塔,zhuàn tǎ,rotating turret -转好,zhuǎn hǎo,improvement; turnaround (for the better) -转嫁,zhuǎn jià,"to remarry (of widow); to pass on (blame, cost, obligation, unpleasant consequence etc); to transfer (blame, guilt); to pass the buck" -转子,zhuàn zǐ,(electricity) rotor -转字锁,zhuàn zì suǒ,combination lock -转存,zhuǎn cún,"to transfer (one's savings, data etc) elsewhere for storage" -转学,zhuǎn xué,to change schools; to transfer to another college -转学生,zhuǎn xué sheng,transfer student -转寄,zhuǎn jì,"to forward (a message, letter, article etc)" -转写,zhuǎn xiě,to transliterate; to transcribe; to transfer words onto a surface by direct contact (as with a decal) -转导,zhuǎn dǎo,transduction -转差,zhuǎn chā,"to slip (e.g. of clutch); slippage; also used of economic indicators, statistical discrepancies etc" -转差率,zhuǎn chā lǜ,slippage rate -转帆,zhuǎn fān,to tack (of sailing ship); to jibe; to go about -转干,zhuǎn gàn,to become a cadre (e.g. a promotion from shopfloor) -转引,zhuǎn yǐn,to quote from secondary source -转弯,zhuǎn wān,to turn; to go around a corner -转弯抹角,zhuǎn wān mò jiǎo,see 拐彎抹角|拐弯抹角[guai3 wan1 mo4 jiao3] -转往,zhuǎn wǎng,to change (to final stretch of journey) -转徙,zhuǎn xǐ,to migrate; to move house -转念,zhuǎn niàn,to have second thoughts about sth; to think better of -转悠,zhuàn you,to roll; to wander around; to appear repeatedly -转悲为喜,zhuǎn bēi wéi xǐ,to turn grief into happiness (idiom) -转战,zhuǎn zhàn,to fight in one place after another -转战千里,zhuǎn zhàn qiān lǐ,fighting everywhere over a thousand miles (idiom); constant fighting across the country; never-ending struggle -转手,zhuǎn shǒu,to pass on; to resell; to change hands -转托,zhuǎn tuō,to pass on a task; to delegate one's work; to pass the buck -转折,zhuǎn zhé,shift in the trend of events; turnaround; plot shift in a book; turn in the conversation -转折点,zhuǎn zhé diǎn,turning point; breaking point -转抵,zhuǎn dǐ,to convert; to exchange -转捩,zhuǎn liè,to turn -转捩点,zhuǎn liè diǎn,turning point -转授,zhuǎn shòu,to delegate -转接,zhuǎn jiē,(telephony etc) to switch; to connect; to transfer -转接班机,zhuǎn jiē bān jī,connecting flight -转换,zhuǎn huàn,to change; to switch; to convert; to transform -转换器,zhuǎn huàn qì,converter; transducer -转换断层,zhuǎn huàn duàn céng,transform fault (geology) -转播,zhuǎn bō,relay; broadcast (on radio or TV) -转败为胜,zhuàn bài wéi shèng,to turn defeat into victory (idiom); snatching victory from the jaws of defeat -转文,zhuǎi wén,to parade by interspersing one's speech or writing with literary allusions; Taiwan pr. [zhuan3 wen2] -转文,zhuǎn wén,(Internet) to repost (Tw) -转会,zhuǎn huì,to transfer to another club (professional sports) -转会费,zhuǎn huì fèi,transfer fee; signing bonus; sign-on bonus -转校,zhuǎn xiào,to transfer (school) -转椅,zhuàn yǐ,swivel chair; children's roundabout -转业,zhuǎn yè,to change one's profession; to transfer to civilian work -转机,zhuǎn jī,(to take) a turn for the better; to change planes -转正,zhuǎn zhèng,to transfer to full membership; to obtain tenure -转步,zhuǎn bù,to turn around -转归,zhuǎn guī,"(of ownership, custody etc) to be transferred to; to revert to; (medicine) clinical outcome; to reclassify (e.g. from asymptomatic carrier to confirmed case)" -转氨基酶,zhuǎn ān jī méi,amino transferase (enzyme) -转氨酶,zhuǎn ān méi,transferase (enzyme) -转法轮,zhuǎn fǎ lún,to transmit Buddhist teaching; chakram or chakka (throwing disk) -转注,zhuǎn zhù,transfer character (one of the Six Methods 六書|六书 of forming Chinese characters); character with meanings influenced by other words; sometimes called mutually explanatory character -转注字,zhuǎn zhù zì,transfer character (one of the Six Methods 六書|六书 of forming Chinese characters); character with meanings influenced by other words; sometimes called mutually explanatory character -转浑天仪,zhuàn hún tiān yí,armillary sphere (astronomy) -转炉,zhuàn lú,converter (rotary furnace in steelmaking) -转生,zhuǎn shēng,reincarnation (Buddhism) -转产,zhuǎn chǎn,to change production; to move over to new products -转用,zhuǎn yòng,to adapt for use for another purpose -转发,zhuǎn fā,"to transmit; to forward (mail, SMS, packets of data); to pass on; to republish (an article from another publication)" -转盘,zhuàn pán,turntable; rotary (traffic) -转眼,zhuǎn yǎn,in a flash; in the blink of an eye; to glance -转眼便忘,zhuǎn yǎn biàn wàng,what the eye doesn't see the heart doesn't miss (idiom) -转眼即逝,zhuǎn yǎn jí shì,to pass in an instant; over in the twinkling of an eye -转瞬,zhuǎn shùn,in the twinkling of an eye; in a flash; to turn one's eyes -转矩,zhuàn jǔ,torque -转矩臂,zhuàn jǔ bì,torque arm -转码,zhuǎn mǎ,(computing) transcoding; to convert (from one encoding to another) -转磨,zhuàn mò,rotary grindstone -转科,zhuǎn kē,to change major (at college); to take up a new specialist subject; to transfer to a different medical department -转租,zhuǎn zū,to sublet; to sublease -转移,zhuǎn yí,to shift; to relocate; to transfer; (fig.) to shift (attention); to change (the subject etc); (medicine) to metastasize -转移安置,zhuǎn yí ān zhì,to relocate; to evacuate -转移支付,zhuǎn yí zhī fù,transfer payment (payment from government or private sector for which no good or service is required in return) -转移视线,zhuǎn yí shì xiàn,to shift one's eyes; (fig.) to shift one's attention; to divert attention -转移阵地,zhuǎn yí zhèn dì,to move one's base (of operations); to reposition; to relocate -转笔刀,zhuàn bǐ dāo,pencil sharpener -转筋,zhuàn jīn,muscle cramp -转纽,zhuàn niǔ,organ stop (button activating a row of pipes) -转给,zhuǎn gěi,to pass on to -转置,zhuàn zhì,to transpose -转义,zhuǎn yì,(linguistics) transferred meaning; (computing) to escape -转义字符,zhuǎn yì zì fú,(computing) escape character -转义序列,zhuǎn yì xù liè,(computing) escape sequence -转而,zhuǎn ér,to turn to (sth else); to switch to -转背,zhuǎn bèi,to turn one's back; to turn around; fig. change in a very short time -转腰子,zhuàn yāo zi,(coll.) to pace around nervously; to speak indirectly; to beat about the bush -转脸,zhuǎn liǎn,to turn one's head; in no time; in the twinkling of an eye -转船,zhuǎn chuán,to transfer ships -转蛋,zhuǎn dàn,toy in a capsule (dispensed from a vending machine) -转行,zhuǎn háng,to change profession -转角,zhuǎn jiǎo,bend in a street; corner; to turn a corner -转诊,zhuǎn zhěn,to transfer (a patient for treatment in a different hospital) -转调,zhuǎn diào,(music) to change key; modulation; (of an employee) to be transferred to another post -转译,zhuǎn yì,to translate (to another language); to convert -转变,zhuǎn biàn,to change; to transform; shift; transformation; CL:個|个[ge4] -转变立场,zhuǎn biàn lì chǎng,to change positions; to shift one's ground -转变过程,zhuǎn biàn guò chéng,process of change -转让,zhuǎn ràng,"to transfer (ownership, rights etc)" -转卖,zhuǎn mài,to resell -转账,zhuǎn zhàng,to transfer (money to a bank account) -转账卡,zhuǎn zhàng kǎ,debit card -转赠,zhuǎn zèng,to pass on a present -转身,zhuǎn shēn,(of a person) to turn round; to face about; (of a widow) to remarry (archaic) -转车,zhuǎn chē,"to transfer; to change trains, buses etc" -转车,zhuàn chē,a turntable -转车台,zhuàn chē tái,a turntable -转轨,zhuǎn guǐ,to change track -转轴,zhuàn zhóu,axis of rotation -转轴儿,zhuàn zhóu er,erhua variant of 轉軸|转轴[zhuan4 zhou2] -转载,zhuǎn zǎi,to forward (a shipment); to reprint sth published elsewhere; Taiwan pr. [zhuan3 zai4] -转轮,zhuàn lún,rotating disk; wheel; rotor; cycle of reincarnation in Buddhism -转轮手枪,zhuàn lún shǒu qiāng,revolver (handgun) -转轮王,zhuǎn lún wáng,Chakravarti raja (Sanskrit: King of Kings); emperor in Hindu mythology -转轮圣帝,zhuǎn lún shèng dì,chakravarti raja (emperor in Hindu mythology) -转轮圣王,zhuàn lún shèng wáng,Chakravarti raja (Sanskrit: King of Kings); emperor in Hindu mythology -转转,zhuàn zhuan,to stroll -转述,zhuǎn shù,to pass on (stories); to relate -转送,zhuǎn sòng,to pass (sth) on (to sb else); to transfer sb (to another hospital etc) -转速,zhuàn sù,angular velocity; number of revolutions per minute -转速表,zhuàn sù biǎo,tachometer; RPM gauge -转游,zhuàn you,variant of 轉悠|转悠[zhuan4 you5] -转运,zhuǎn yùn,to forward; to transfer; to transship; to have luck turn in one's favor -转运栈,zhuǎn yùn zhàn,storage depot on a transportation route -转运站,zhuǎn yùn zhàn,distribution depot; staging post; transit center -转道,zhuǎn dào,to make a detour; to go by way of -转达,zhuǎn dá,to pass on; to convey; to communicate -转递,zhuǎn dì,to pass on; to relay -转铃,zhuàn líng,bicycle bell (with a rotating internal mechanism) -转铃儿,zhuàn líng er,erhua variant of 轉鈴|转铃[zhuan4 ling2] -转录,zhuǎn lù,transcription; to make a copy of a recording -转钟,zhuǎn zhōng,past midnight -转门,zhuàn mén,revolving door; turnstile -转关系,zhuǎn guān xi,to transfer (from one unit to another) -转院,zhuǎn yuàn,to transfer (a patient) to a different hospital; to transfer to hospital (e.g. a prisoner) -转面无情,zhuǎn miàn wú qíng,to turn one's face against sb and show no mercy (idiom); to turn against a friend -转韵,zhuǎn yùn,change of rhyme (within a poem) -转头,zhuǎn tóu,to turn one's head; to change direction; U-turn; volte face; to repent -转头,zhuàn tóu,nutation (plants turning to face the sun) -转体,zhuǎn tǐ,to roll over; to turn over (one's body) -转鼓,zhuàn gǔ,rotary drum -辙,zhé,"rut; track of a wheel (Taiwan pr. [che4]); (coll.) the direction of traffic; a rhyme (of a song, poem etc); (dialect) (usu. after 有[you3] or 沒|没[mei2]) way; idea" -轿,jiào,sedan chair; palanquin; litter -轿夫,jiào fū,porter for a palanquin -轿子,jiào zi,sedan chair; palanquin; litter -轿车,jiào chē,"enclosed carriage for carrying passengers; motor carriage; car or bus; limousine; CL:部[bu4],輛|辆[liang4]" -辚,lín,rumbling of wheels -轗,kǎn,to be unable to reach one's aim; to be full of misfortune -轗轲,kǎn kě,variant of 坎坷[kan3 ke3] -轘,huàn,to tear between chariots (as punishment) -轘裂,huàn liè,see 車裂|车裂[che1 lie4] -轰,hōng,explosion; bang; boom; rumble; to attack; to shoo away; to expel -轰动,hōng dòng,to cause a sensation; to create a stir in (a place); commotion; controversy -轰动一时,hōng dòng yī shí,to cause a sensation (idiom) -轰动效应,hōng dòng xiào yìng,sensational effect; wild reaction -轰击,hōng jī,bombard -轰炸,hōng zhà,to bomb; to bombard; CL:陣|阵[zhen4] -轰炸机,hōng zhà jī,bomber (aircraft) -轰然,hōng rán,loudly; with a loud bang; a loud rumble -轰走,hōng zǒu,to drive away -轰赶,hōng gǎn,to drive away -轰趴,hōng pā,(loanword) party (social gathering); (Tw) party (typically associated with sex and drugs) -轰趴馆,hōng pā guǎn,party venue (available for hire) -轰轰,hōng hōng,booming; roaring -轰轰烈烈,hōng hōng liè liè,strong; vigorous; large-scale -轰隆,hōng lōng,(onom.) rumbling; rolling -轰响,hōng xiǎng,"loud sound, such as that of thunder or a bomb; to rumble; to roar" -轰鸣,hōng míng,boom (sound of explosion); rumble -辔,pèi,bridle; reins -辔头,pèi tóu,bridle -轹,lì,to bully; wheel-rut -轳,lú,windlass -辛,xīn,surname Xin -辛,xīn,"(of taste) hot or pungent; hard; laborious; suffering; eighth in order; eighth of the ten Heavenly Stems 十天干[shi2 tian1 gan1]; letter ""H"" or Roman ""VIII"" in list ""A, B, C"", or ""I, II, III"" etc; ancient Chinese compass point: 285°; octa" -辛丑,xīn chǒu,"thirty-eighth year H2 of the 60 year cycle, e.g. 1961 or 2021; cf 辛丑條約|辛丑条约, Protocol of Beijing of 1901 ending the 8-nation intervention after the Boxer uprising" -辛丑条约,xīn chǒu tiáo yuē,"Boxer Protocol of 1901 signed in Beijing, ending the Eight-power Allied Force intervention after the Boxer uprising" -辛亥,xīn hài,"forty-eighth year H12 of the 60 year cycle, e.g. 1971 or 2031; cf 辛亥革命[Xin1 hai4 Ge2 ming4], Xinhai Revolution of 1911" -辛亥革命,xīn hài gé mìng,"Xinhai Revolution (1911), which ended the Qing Dynasty" -辛伐他汀,xīn fá tā tīng,simvastatin -辛劳,xīn láo,laborious -辛勤,xīn qín,hardworking; industrious -辛勤耕耘,xīn qín gēng yún,to make industrious and diligent efforts (idiom) -辛卯,xīn mǎo,"twenty-eighth year H4 of the 60 year cycle, e.g. 2011 or 2071" -辛奇,xīn qí,kimchi (loanword) -辛巳,xīn sì,"eighteenth year H6 of the 60 year cycle, e.g. 2001 or 2061" -辛巴威,xīn bā wēi,Zimbabwe (Tw) -辛布,xīn bù,"Thimphu, capital of Bhutan (Tw)" -辛普森,xīn pǔ sēn,Simpson (name) -辛普森一家,xīn pǔ sēn yī jiā,The Simpsons (US TV series) -辛未,xīn wèi,"eight year H8 of the 60 year cycle, e.g. 1991 or 2051" -辛格,xīn gé,Singh (name) -辛烷值,xīn wán zhí,octane rating -辛苦,xīn kǔ,exhausting; hard; tough; arduous; to work hard; to go to a lot of trouble; hardship(s) -辛贝特,xīn bèi tè,Shin Bet (Israel national security service) -辛辛苦苦,xīn xīn kǔ kǔ,painstakingly; with great trouble -辛辛那提,xīn xīn nà tí,"Cincinnati, Ohio" -辛辣,xīn là,spicy hot (taste); fig. biting (criticism) -辛迪加,xīn dí jiā,syndicate (loanword) -辛酉,xīn yǒu,"fifty-eighth year H10 of the 60 year cycle, e.g. 1981 or 2041" -辛酸,xīn suān,pungent (taste); bitter; fig. sad; miserable -辛集,xīn jí,"Xinji, county-level city in Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1], Hebei" -辛集市,xīn jí shì,"Xinji, county-level city in Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1], Hebei" -辜,gū,surname Gu -辜,gū,crime; sin -辜振甫,gū zhèn fǔ,"Koo Chen-fu (1917-2005), Taiwanese businessman and diplomat" -辜负,gū fù,to fail to live up (to expectations); unworthy (of trust); to let down; to betray (hopes); to disappoint -辜鸿铭,gū hóng míng,"Ku Hung-ming or Gu Hongming (1857-1928), Malaysian man of letters, highly regarded for his literary works written mostly in English, and known for his monarchist views" -辟,bì,(literary) king; monarch; (literary) (of a sovereign) to summon to official service; (literary) to avoid (variant of 避[bi4]); (literary) to repel (variant of 避[bi4]) -辟,pì,penal law; variant of 闢|辟[pi4] -辟谷,bì gǔ,(Taoism) to abstain from eating cereals; to fast; also pr. [pi4gu3] -辟邪,bì xié,to ward off evil spirits; mythical lion-like animal that wards off evil (also called 貔貅[pi2 xiu1]) -辟雍,bì yōng,central of the five Zhou dynasty royal academies -辟雍砚,pì yōng yàn,ink slab or ink stone of celadon or white porcelain with unglazed surface -罪,zuì,"variant of 罪[zui4], crime" -辣,là,old variant of 辣[la4] -辣,là,"hot (spicy); pungent; (of chili pepper, raw onions etc) to sting; to burn" -辣哈布,là hā bù,Rahab (name) -辣妹,là mèi,Spice Girls (1990s UK pop group) -辣妹,là mèi,hot chick; sexy girl; abbr. LM -辣妹子,là mèi zi,"sassy young woman or pretty girl (esp. one from China's spice belt: Guizhou, Hunan, Jiangxi, Sichuan and Yunnan)" -辣妈,là mā,(coll.) hot mom -辣子,là zi,cayenne pepper; chili -辣彼,là bǐ,rabbi (loanword) -辣根,là gēn,horseradish -辣条,là tiáo,"spicy sticks, a snack food similar to beef jerky but made with flour or dried beancurd instead of meat" -辣椒,là jiāo,hot pepper; chili -辣椒仔,là jiāo zǎi,Tabasco (brand) -辣椒酱,là jiāo jiàng,red pepper paste; chili sauce -辣汁,là zhī,hot sauce; chili sauce -辣眼睛,là yǎn jing,(neologism c. 2016) (slang) unpleasant to look at; hard on the eyes -辣胡椒,là hú jiāo,hot pepper -辣豆酱,là dòu jiàng,chili con carne -辣酱油,là jiàng yóu,Worcestershire sauce -辣鸡,là jī,spicy chicken; (Internet slang) garbage (pun on 垃圾[la1 ji1]) -辞,cí,old variant of 辭|辞[ci2] -办,bàn,to do; to manage; to handle; to go about; to run; to set up; to deal with -办不到,bàn bu dào,impossible; can't be done; no can do; unable to accomplish -办事,bàn shì,to handle (affairs); to work -办事处,bàn shì chù,office; agency -办公,bàn gōng,to handle official business; to work (esp. in an office) -办公地址,bàn gōng dì zhǐ,business address -办公大楼,bàn gōng dà lóu,office building -办公室,bàn gōng shì,office; business premises; bureau; CL:間|间[jian1] -办公厅,bàn gōng tīng,general office -办公时间,bàn gōng shí jiān,office hours -办公桌轮用,bàn gōng zhuō lún yòng,hot-desking -办公楼,bàn gōng lóu,"office building; CL:座[zuo4],棟|栋[dong4]" -办公自动化,bàn gōng zì dòng huà,office automation -办到,bàn dào,to accomplish; to get sth done -办报,bàn bào,to run a newspaper; to publish a newspaper -办好,bàn hǎo,to take care of (a matter); to get (a task) done; to handle (a project) expeditiously -办妥,bàn tuǒ,to arrange; to settle; to complete; to carry through -办学,bàn xué,to run a school -办年货,bàn nián huò,to shop in preparation for Chinese New Year -办案,bàn àn,to handle a case -办桌,bàn zhuō,"(Tw) to hold a banquet; to provide catering; catering; banquet; roadside banquet (Taiwanese-style banquet, typically held under large tents in the street, to celebrate special occasions)" -办法,bàn fǎ,"means; method; way (of doing sth); CL:條|条[tiao2],個|个[ge4]" -办理,bàn lǐ,to handle; to transact; to conduct -办罪,bàn zuì,to punish -办货,bàn huò,to purchase goods (for a company etc) -办酒席,bàn jiǔ xí,to prepare a feast -辨,biàn,to distinguish; to recognize -辨别,biàn bié,to distinguish; to differentiate; to discern; to recognize; to tell -辨别力,biàn bié lì,discrimination; power of discrimination -辨士,biàn shì,(loanword) pence; penny -辨明,biàn míng,to clarify; to distinguish; to elucidate -辨析,biàn xī,to differentiate and analyze; to discriminate -辨认,biàn rèn,to recognize; to identify -辨证,biàn zhèng,to investigate -辨证施治,biàn zhèng shī zhì,diagnosis and treatment based on an overall analysis of the illness and the patient's condition -辨证论治,biàn zhèng lùn zhì,holistic diagnosis and treatment (TCM) -辨识,biàn shí,identification; to identify; to recognize -辨识度,biàn shí dù,distinctiveness; identifiability; recognizability -辞,cí,to resign; to dismiss; to decline; (literary) to take leave; (archaic poetic genre) ballad; variant of 詞|词[ci2] -辞世,cí shì,to die; to depart this life (euphemism); same as 去世 -辞令,cí lìng,polite speech; diplomatic language; rhetoric -辞任,cí rèn,to resign (a position) -辞典,cí diǎn,"dictionary (variant of 詞典|词典[ci2dian3]); CL:本[ben3],部[bu4]" -辞别,cí bié,to bid farewell (to); to say goodbye (to) -辞去,cí qù,to resign; to quit -辞呈,cí chéng,(written) resignation -辞官,cí guān,to resign a government post -辞掉,cí diào,to quit (one's job); to dismiss (an employee) -辞书,cí shū,dictionary; encyclopedia -辞书学,cí shū xué,lexicography -辞格,cí gé,figure of speech -辞海,cí hǎi,"Cihai, encyclopedic dictionary of Chinese first published in 1936" -辞灶,cí zào,see 送灶[song4 Zao4] -辞章,cí zhāng,poetry and prose; rhetoric -辞职,cí zhí,to resign -辞藻,cí zǎo,rhetoric -辞行,cí xíng,to say goodbye; leave-taking; farewells -辞谢,cí xiè,to decline gratefully -辞退,cí tuì,to dismiss; to discharge; to fire -辫,biàn,a braid or queue; to plait -辫子,biàn zi,"plait; braid; pigtail; a mistake or shortcoming that may be exploited by an opponent; handle; CL:根[gen1],條|条[tiao2]" -辩,biàn,to dispute; to debate; to argue; to discuss -辩别,biàn bié,variant of 辨別|辨别[bian4 bie2] -辩士,biàn shì,eloquent person; person with rhetoric skills -辩才,biàn cái,eloquence -辩才天,biàn cái tiān,Saraswati (the Hindu goddess of wisdom and arts and consort of Lord Brahma) -辩方,biàn fāng,(law) the defense -辩明,biàn míng,to explain clearly; to elucidate -辩机,biàn jī,"Bianji (c. 620-648), Tang dynasty buddhist monk and disciple of 玄奘[Xuan2 zang4], author and translator of Great Tang Records on the Western Regions 大唐西域記|大唐西域记[Da4 Tang2 Xi1 yu4 Ji4]" -辩争,biàn zhēng,to argue; to dispute -辩白,biàn bái,to offer an explanation; to plead innocence; to try to defend oneself -辩称,biàn chēng,to argue (that); to allege; to dispute; to plead (e.g. not guilty) -辩答,biàn dá,a reply (in debate) -辩解,biàn jiě,to explain; to justify; to defend (a point of view etc); to provide an explanation; to try to defend oneself -辩词,biàn cí,an excuse -辩诬,biàn wū,to debate; to refute -辩说,biàn shuō,to debate; to argue -辩论,biàn lùn,"debate; argument; to argue over; CL:場|场[chang3],次[ci4]" -辩证,biàn zhèng,to investigate; dialectical -辩证唯物主义,biàn zhèng wéi wù zhǔ yì,dialectical materialism -辩证法,biàn zhèng fǎ,dialectics; dialectic or Socratic method of debate -辩护,biàn hù,to speak in defense of; to argue in favor of; to defend; to plead -辩护人,biàn hù rén,defender; defending counsel -辩护士,biàn hù shì,defender; apologist -辩辞,biàn cí,an excuse -辩难,biàn nàn,to debate; to retort; to refute -辩驳,biàn bó,to dispute; to refute -辰,chén,"5th earthly branch: 7-9 a.m., 3rd solar month (5th April-4th May), year of the Dragon; ancient Chinese compass point: 120°" -辰光,chén guāng,sunlight; (Wu dialect) time of the day; moment -辰星,chén xīng,Mercury in traditional Chinese astronomy; see also 水星[shui3 xing1] -辰时,chén shí,7-9 am (in the system of two-hour subdivisions used in former times) -辰溪,chén xī,"Chenxi county in Huaihua 懷化|怀化[Huai2 hua4], Hunan" -辰溪县,chén xī xiàn,"Chenxi county in Huaihua 懷化|怀化[Huai2 hua4], Hunan" -辰砂,chén shā,cinnabar -辰龙,chén lóng,"Year 5, year of the Dragon (e.g. 2000)" -辱,rǔ,disgrace; dishonor; to insult; to bring disgrace or humiliation to; to be indebted to; self-deprecating; Taiwan pr. [ru4] -辱骂,rǔ mà,to insult; to revile; abuse; vituperation -辱华,rǔ huá,to insult China (by criticizing its policies or boycotting its goods) -农,nóng,surname Nong -农,nóng,(bound form) agriculture -农事,nóng shì,farming task -农事活动,nóng shì huó dòng,agricultural activities -农人,nóng rén,farmer -农作,nóng zuò,farming; crops -农作物,nóng zuò wù,(farm) crops -农具,nóng jù,farm implements; farm tools -农区,nóng qū,agricultural areas; farming areas -农友,nóng yǒu,"our peasant friends (political term used in the early years of the Old Democratic Revolution, 1840-1919); (Tw) (coll.) farmer" -农园,nóng yuán,plantation -农地,nóng dì,farmland -农场,nóng chǎng,farm -农夫,nóng fū,peasant; farmer -农夫山泉,nóng fū shān quán,"Nongfu Spring, Chinese bottled water and beverage company" -农奴,nóng nú,serf -农奴解放日,nóng nú jiě fàng rì,Serf Liberation Day (PRC) -农妇,nóng fù,peasant woman (in former times); female farm worker -农学,nóng xué,agricultural science -农安,nóng ān,"Nong'an county in Changchun 長春|长春, Jilin" -农安县,nóng ān xiàn,"Nong'an county in Changchun 長春|长春, Jilin" -农家,nóng jiā,"School of Agriculture, school of thought of the Warring States Period (475-221 BC)" -农家,nóng jiā,peasant family -农家庭院,nóng jiā tíng yuàn,farmyard -农家乐,nóng jiā lè,"a property providing rural accommodation (farm stay, boutique hotel etc)" -农工,nóng gōng,agricultural worker; abbr. for 農業工人|农业工人; peasant and worker (in Marxism) -农德孟,nóng dé mèng,"Nong Duc Manh (1940-), general secretary of the Vietnamese Communist Party 2001-2011" -农忙,nóng máng,busy farming season -农户,nóng hù,farmer; farmer household -农房,nóng fáng,farm house -农旅,nóng lǚ,agritourism -农历,nóng lì,the traditional Chinese calendar; the lunar calendar -农历新年,nóng lì xīn nián,Chinese New Year; Lunar New Year -农会,nóng huì,farmer's cooperative; abbr. for 農民協會|农民协会 -农村,nóng cūn,rural area; village; CL:個|个[ge4] -农村合作化,nóng cūn hé zuò huà,collectivization of agriculture (in Marxist theory) -农村家庭联产承包责任制,nóng cūn jiā tíng lián chǎn chéng bāo zé rèn zhì,"rural household contract responsibility system, PRC government policy linking rural income to productivity" -农林,nóng lín,agriculture and forestry -农林水产省,nóng lín shuǐ chǎn shěng,"Ministry of Agriculture, Forestry and Fisheries (Japan)" -农桑,nóng sāng,mulberry farming; to grow mulberry for sericulture -农业,nóng yè,agriculture; farming -农业区,nóng yè qū,agricultural region -农业合作化,nóng yè hé zuò huà,collectivization of agriculture (in Marxist theory) -农业厅,nóng yè tīng,(provincial) department of agriculture -农业机械,nóng yè jī xiè,agricultural machinery -农业现代化,nóng yè xiàn dài huà,"modernization of agriculture, one of Deng Xiaoping's Four Modernizations" -农业生技,nóng yè shēng jì,agri-biotechnology -农业生产合作社,nóng yè shēng chǎn hé zuò shè,agricultural producers' cooperative -农业部,nóng yè bù,Ministry of Agriculture; Department of Agriculture -农业集体化,nóng yè jí tǐ huà,collectivization of agriculture (under communism) -农机,nóng jī,agricultural machinery -农民,nóng mín,peasant; farmer -农民工,nóng mín gōng,migrant worker (who moved from a rural area of China to a city to find work) -农民起义,nóng mín qǐ yì,peasant revolt -农民阶级,nóng mín jiē jí,peasant class (esp. in Marxist theory); peasantry -农民党,nóng mín dǎng,Peasant Party (Republic of China) -农活,nóng huó,farm work -农产,nóng chǎn,agriculture products; farm produce -农产品,nóng chǎn pǐn,agricultural produce -农田,nóng tián,farmland; cultivated land -农耕,nóng gēng,farming; agriculture -农膜,nóng mó,"agricultural plastic, used largely for creating greenhouses" -农舍,nóng shè,farmhouse -农庄,nóng zhuāng,farm; ranch -农艺,nóng yì,agronomy -农药,nóng yào,agricultural chemical; farm chemical; pesticide -农谚,nóng yàn,farmers' saying -农贷,nóng dài,(government) loan to agriculture -农贸市场,nóng mào shì chǎng,farmer's market -农资,nóng zī,rural capital (finance) -农运,nóng yùn,peasant movement (abbr. for 農民運動|农民运动[nong2 min2 yun4 dong4]) -农运会,nóng yùn huì,China National Farmers' Games (sports meeting for peasants held every 4 years since 1988) -农,nóng,variant of 農|农[nong2] -辵,chuò,to walk (side part of split character) -辶,chuò,to walk (side part of split character) -迂,yū,literal-minded; pedantic; doctrinaire; longwinded; circuitous -迂儒,yū rú,unrealistic; pedantic and impractical -迂回奔袭,yū huí bēn xí,to attack from an unexpected direction -迂回曲折,yū huí qū zhé,meandering and circuitous (idiom); complicated developments that never get anywhere; going around in circles -迂执,yū zhí,pedantic and stubborn -迂夫子,yū fū zǐ,pedant; old fogey -迂拘,yū jū,conventional; conservative -迂拙,yū zhuō,stupid; impractical -迂曲,yū qū,circuitous; tortuous; roundabout -迂气,yū qì,pedantry -迂滞,yū zhì,high-sounding and impractical -迂磨,yū mó,sluggish; delaying -迂缓,yū huǎn,dilatory; slow in movement; roundabout -迂腐,yū fǔ,pedantic; trite; inflexible; adherence to old ideas -迂见,yū jiàn,absurd opinion; pedantic and unrealistic view -迂讷,yū nè,overcautious; conservative and dull in conversation -迂论,yū lùn,unrealistic argument; high flown and impractical opinion -迂回,yū huí,roundabout route; circuitous; tortuous; to outflank; indirect; roundabout -迂远,yū yuǎn,impractical -迂阔,yū kuò,high sounding and impractical; high flown nonsense -迄,qì,as yet; until -迄今,qì jīn,so far; to date; until now -迄今为止,qì jīn wéi zhǐ,so far; up to now; still (not) -迅,xùn,rapid; fast -迅即,xùn jí,immediately; promptly; quickly -迅捷,xùn jié,fast and nimble -迅猛,xùn měng,quick and violent -迅疾,xùn jí,rapid; swift -迅速,xùn sù,rapid; speedy; fast -迅雷,xùn léi,thunderbolt -迎,yíng,to welcome; to meet; to forge ahead (esp. in the face of difficulties); to meet face to face -迎佛骨,yíng fó gǔ,to ceremonially receive a bone relic of the Buddha -迎来,yíng lái,to welcome (a visitor or newcomer); (fig.) to usher in -迎来送往,yíng lái sòng wǎng,"lit. to meet those arriving, to send of those departing (idiom); busy entertaining guests; all time taken over with social niceties" -迎刃而解,yíng rèn ér jiě,lit. (bamboo) splits when it meets the knife's edge (idiom); fig. easily solved -迎合,yíng hé,to cater to; to pander to -迎娶,yíng qǔ,(of a groom) to fetch one's bride from her parents' home to escort her to the wedding ceremony; (fig.) to take as one's wife; to marry (a woman) -迎客松,yíng kè sōng,"Greeting Pine, symbol of Huangshan 黃山|黄山[Huang2 shan1]" -迎战,yíng zhàn,to meet the enemy head-on -迎接,yíng jiē,to welcome; to greet -迎接挑战,yíng jiē tiǎo zhàn,to meet a challenge -迎击,yíng jī,to face an attack; to repulse the enemy -迎新,yíng xīn,"to see in the New Year; to welcome new guests; by extension, to receive new students" -迎春花,yíng chūn huā,winter jasmine (Jasminum nudiflorum) -迎江,yíng jiāng,"Yingjiang, a district of Anqing City 安慶市|安庆市[An1qing4 Shi4], Anhui" -迎江区,yíng jiāng qū,"Yingjiang, a district of Anqing City 安慶市|安庆市[An1qing4 Shi4], Anhui" -迎泽,yíng zé,"Yingze district of Taiyuan city 太原市[Tai4 yuan2 shi4], Shanxi" -迎泽区,yíng zé qū,"Yingze district of Taiyuan city 太原市[Tai4 yuan2 shi4], Shanxi" -迎火,yíng huǒ,backfire (firefighting) -迎神赛会,yíng shén sài huì,"folk festival, esp. involving shrine or image of God" -迎亲,yíng qīn,(of the groom's family) to send a bridal sedan chair 花轎|花轿 to fetch the bride; to send a party to escort the bride to the groom's house -迎宾,yíng bīn,to welcome a guest; to entertain a customer (of prostitute) -迎难而上,yíng nán ér shàng,to press on in the face of challenges -迎面,yíng miàn,directly; head-on (collision); (of wind) in one's face -迎面而来,yíng miàn ér lái,directly; head-on (collision); in one's face (of wind) -迎头,yíng tóu,to meet head-on; face-to-face; directly -迎头儿,yíng tóu er,erhua variant of 迎頭|迎头[ying2 tou2] -迎头打击,yíng tóu dǎ jī,to hit head on -迎头痛击,yíng tóu tòng jī,to deliver a frontal assault; to meet head-on (idiom) -迎头赶上,yíng tóu gǎn shàng,to try hard to catch up -迎风,yíng fēng,in the wind; facing the wind; downwind -迎风招展,yíng fēng zhāo zhǎn,to flutter in the wind (idiom) -迎风飘舞,yíng fēng piāo wǔ,to whirl about in the wind -近,jìn,near; close to; approximately -近乎,jìn hu,close to; intimate -近乎同步,jìn hū tóng bù,plesiochronous -近人,jìn rén,contemporary; modern person; close friend; associate; intimate -近代,jìn dài,"the not-very-distant past; modern times, excluding recent decades; (in the context of Chinese history) the period from the Opium Wars until the May 4th Movement (mid-19th century to 1919); capitalist times (pre-1949)" -近代史,jìn dài shǐ,"modern history (for China, from the Opium Wars until the fall of the Qing Dynasty, i.e. mid-19th to early 20th century)" -近似,jìn sì,similar; about the same as; approximately; approximation -近似等级,jìn sì děng jí,order of approximation -近似解,jìn sì jiě,approximate solution -近来,jìn lái,recently; lately -近光灯,jìn guāng dēng,low beam (headlights) -近前,jìn qián,to come close; to get near to; front -近古,jìn gǔ,"near ancient history (often taken to mean Song, Yuan, Ming and Qing times)" -近因,jìn yīn,immediate cause; proximate cause -近在咫尺,jìn zài zhǐ chǐ,to be almost within reach; to be close at hand -近在眼前,jìn zài yǎn qián,right under one's nose; right in front of one's eyes; close at hand; imminent -近地天体,jìn dì tiān tǐ,near-Earth object (NEO) -近地轨道,jìn dì guǐ dào,low Earth orbit (LEO) -近地点,jìn dì diǎn,apsis; perigee -近场通信,jìn chǎng tōng xìn,(computing) near-field communication (NFC) -近场通讯,jìn chǎng tōng xùn,(Tw) (computing) near-field communication (NFC) -近年,jìn nián,recent year(s) -近年来,jìn nián lái,for the past few years -近几年,jìn jǐ nián,in recent years -近打,jìn dǎ,"Kinta valley and river in Perak, Malaysia" -近打河,jìn dǎ hé,"Kinta River in Perak, Malaysia" -近拱点,jìn gǒng diǎn,(astronomy) periapsis -近日,jìn rì,(in) the past few days; recently; (within) the next few days -近日点,jìn rì diǎn,"perihelion, the nearest point of a planet in elliptic orbit to the sun; lower apsis" -近景,jìn jǐng,scene in the foreground; nearby scenery; (photography) a close shot; the present situation; how things stand -近期,jìn qī,near in time; in the near future; very soon; recent -近朱近墨,jìn zhū jìn mò,one is judged by the company one keeps (idiom) -近东,jìn dōng,Near East -近水楼台,jìn shuǐ lóu tái,lit. a pavilion near the water (idiom); fig. using one's proximity to the powerful to obtain favor -近水楼台先得月,jìn shuǐ lóu tái xiān dé yuè,the pavilion closest to the water enjoys moonlight first (idiom); to benefit from intimacy with an influential person -近况,jìn kuàng,recent developments; current situation -近海,jìn hǎi,coastal waters; offshore -近照,jìn zhào,recent photo -近现代史,jìn xiàn dài shǐ,modern history and contemporary history -近畿地方,jìn jī dì fāng,"Kinki chihō, region of Japan around the old capital Kyōto, including Kyōto prefecture 京都府[Jing1 du1 fu3], Ōsaka prefecture 大阪府[Da4 ban3 fu3], Shiga prefecture 滋賀縣|滋贺县[Zi1 he4 xian4], Nara prefecture 奈良縣|奈良县[Nai4 liang2 xian4], Mi'e prefecture 三重縣|三重县[San1 chong2 xian4], Wakayama prefecture 和歌山縣|和歌山县[He2 ge1 shan1 xian4], Hyōgo prefecture 兵庫縣|兵库县[Bing1 ku4 xian4]" -近端,jìn duān,(anatomy) proximal -近端胞浆,jìn duān bāo jiāng,proximal cytoplasm -近义词,jìn yì cí,synonym; close equivalent expression -近臣,jìn chén,member of a monarch's inner ministerial circle (old) -近藤,jìn téng,Kondō (Japanese surname) -近处,jìn chù,nearby -近卫文麿,jìn wèi wén mǒ,"Prince KONOE Fumimaro (1891-), Japanese nobleman and militarist politician, prime minister 1937-1939 and 1940-1941" -近视,jìn shì,shortsighted; nearsighted; myopia -近亲,jìn qīn,close relative; near relation -近亲交配,jìn qīn jiāo pèi,inbreeding -近亲繁殖,jìn qīn fán zhí,inbreeding -近距离,jìn jù lí,close range -近距离无线通讯,jìn jù lí wú xiàn tōng xùn,(computing) near-field communication (NFC) -近路,jìn lù,shortcut -近道,jìn dào,shortcut; a quicker method -近郊,jìn jiāo,suburbs; outskirts -近郊区,jìn jiāo qū,suburbs; city outskirts -近邻,jìn lín,close neighbor -近零,jìn líng,close to zero -近顷,jìn qǐng,recently; of late -近体诗,jìn tǐ shī,"a genre of poetry, developed in the Tang Dynasty, characterized by its strict form" -迓,yà,to receive (as a guest) -返,fǎn,to return (to) -返利,fǎn lì,dealer incentive; sales bonus; rebate -返券黄牛,fǎn quàn huáng niú,"""shopping coupon scalper"", sb who sells unwanted or returned shopping coupons to others for a profit" -返回,fǎn huí,to return to; to come (or go) back -返国,fǎn guó,to return to one's country -返家,fǎn jiā,to return home -返岗,fǎn gǎng,to resume one's former position (after being laid off); to return to work (after taking leave) -返工,fǎn gōng,to do poorly done work over again; (Guangdong dialect) to go to work -返校,fǎn xiào,to return to school -返港,fǎn gǎng,to return to Hong Kong -返潮,fǎn cháo,"(of clothing, furniture, walls etc) to get damp (by absorbing moisture from the air or the ground)" -返现,fǎn xiàn,(neologism c. 2009) to give a cashback reward to a consumer -返璞归真,fǎn pú guī zhēn,to return to one's true self; to regain the natural state -返祖现象,fǎn zǔ xiàn xiàng,atavism (biology) -返程,fǎn chéng,return journey (e.g. home) -返老还童,fǎn lǎo huán tóng,to recover one's youthful vigor; to feel rejuvenated (idiom) -返聘,fǎn pìn,to rehire retired personnel -返台,fǎn tái,to return to Taiwan -返航,fǎn háng,to return to the point of departure -返还,fǎn huán,restitution; return of something to its original owner; remittance -返还占有,fǎn huán zhàn yǒu,repossession -返乡,fǎn xiāng,to return to one's home town -返销粮,fǎn xiāo liáng,grain bought by the state and resold to areas undergoing a grain shortage -返青,fǎn qīng,(of plants) to turn green again; to revegetate -返点,fǎn diǎn,sales bonus; affiliate reward; rebate; commission -迕,wǔ,"obstinate, perverse" -迢,tiáo,remote -迤,yí,winding -迤,yǐ,extending to -迤逦,yǐ lǐ,meandering; winding -迥,jiǒng,distant -迥然,jiǒng rán,vastly (different) -迥然不同,jiǒng rán bù tóng,widely different; utterly different -迥异,jiǒng yì,totally different -迦,jiā,(phonetic sound for Buddhist terms) -迦南,jiā nán,Canaan (in Biblical Palestine) -迦太基,jiā tài jī,Carthage -迦持,jiā chí,the laws of the Buddhism -迦纳,jiā nà,Ghana (Tw) -迦叶佛,jiā yè fó,Buddha Kassapa (Pāli) or Kāśyapa (Skt) (one of the Buddhas of the past) -迨,dài,until; while -迪,dí,to enlighten -迪伦,dí lún,Dylan -迪克,dí kè,Dick (person name) -迪化,dí huà,Dihua or Tihwa (old name of Ürümqi 烏魯木齊|乌鲁木齐[Wu1 lu3 mu4 qi2]) -迪吉里杜管,dí jí lǐ dù guǎn,didgeridoo (loanword) -迪吧,dí bā,disco (coll.); diva (loanword) -迪士尼,dí shì ní,"Disney (company name, surname); Walt Disney (1901-1966), American animator and film producer" -迪士尼乐园,dí shì ní lè yuán,Disneyland -迪奥,dí ào,Dior (brand name) -迪厅,dí tīng,disco; night club; abbr. for 迪斯科廳|迪斯科厅 -迪庆州,dí qìng zhōu,"abbr. for 迪慶藏族自治州|迪庆藏族自治州[Di2 qing4 Zang4 zu2 Zi4 zhi4 zhou1], Diqing Tibetan Autonomous Prefecture, Yunnan" -迪庆藏族自治州,dí qìng zàng zú zì zhì zhōu,"Dêqên or Diqing Tibetan Autonomous Prefecture, northwest Yunnan, capital Jiantang 建塘鎮|建塘镇[Jian4 tang2 zhen4]" -迪拜,dí bài,Dubai -迪斯可,dí sī kě,disco (loanword) (Tw) -迪斯尼,dí sī ní,"Disney (company name, surname); also written 迪士尼[Di2 shi4 ni2]" -迪斯尼乐园,dí sī ní lè yuán,Disneyland; also written 迪士尼樂園|迪士尼乐园[Di2 shi4 ni2 Le4 yuan2] -迪斯科,dí sī kē,disco (loanword) -迪斯科吧,dí sī kē bā,discotheque -迪斯科厅,dí sī kē tīng,disco hall; nightclub -迪斯雷利,dí sī léi lì,"Benjamin Disraeli (1804-1881), British conservative politician and novelist, prime minister 1868-1880" -迪庄,dí zhuāng,Dijon (French town) -迫,pǎi,used in 迫擊炮|迫击炮[pai3 ji1 pao4] -迫,pò,to force; to compel; to approach or go towards; urgent; pressing -迫不及待,pò bù jí dài,impatient (idiom); in a hurry; itching to get on with it -迫不得已,pò bù dé yǐ,to have no alternative (idiom); compelled by circumstances; forced into sth -迫令,pò lìng,to order; to force -迫使,pò shǐ,to force; to compel -迫供,pò gòng,to extort a confession; Taiwan pr. [po4 gong1] -迫促,pò cù,to urge; urgent; pressing -迫切,pò qiè,urgent; pressing -迫切性,pò qiè xìng,urgency -迫在眉睫,pò zài méi jié,pressing in on one's eyelashes (idiom); imminent -迫害,pò hài,to persecute -迫击炮,pǎi jī pào,mortar (weapon); Taiwan pr. [po4 ji2 pao4] -迫于,pò yú,constrained; restricted; forced to; under pressure to do sth -迫胁,pò xié,to coerce; fig. narrow -迫临,pò lín,to approach; to press in -迫视,pò shì,to stare at; to watch intently -迫近,pò jìn,to approach; to press in -迫降,pò jiàng,to force a plane to land -迫降,pò xiáng,to force sb to surrender -迭,dié,alternately; repeatedly -迭代,dié dài,"(computing, math.) to iterate; (literary) to alternate" -迭起,dié qǐ,continuously arising; to arise repeatedly -迭部,dié bù,"Têwo or Diebu County in Gannan Tibetan Autonomous Prefecture 甘南藏族自治州[Gan1 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Gansu" -迭部县,dié bù xiàn,"Têwo or Diebu County in Gannan Tibetan Autonomous Prefecture 甘南藏族自治州[Gan1 nan2 Zang4 zu2 Zi4 zhi4 zhou1], Gansu" -迮,zé,haste; to press -迮径,zé jìng,narrow path -述,shù,(bound form) to state; to tell; to narrate; to relate -述语,shù yǔ,predicate -述说,shù shuō,to recount; to narrate; to give an account of -回,huí,to curve; to return; to revolve -回力镖,huí lì biāo,boomerang -回廊,huí láng,winding corridor; cloister; ambulatory (covered walkway around a cloister) -回旋,huí xuán,to circle; to wheel; to go around -回旋加速器,huí xuán jiā sù qì,cyclotron (particle accelerator) -回旋处,huí xuán chù,traffic circle; rotary; roundabout -回旋镖,huí xuán biāo,boomerang -回旋余地,huí xuán yú dì,room to maneuver; leeway; latitude -回荡,huí dàng,to resound; to reverberate; to echo -回纹针,huí wén zhēn,paper clip -回转,huí zhuǎn,to revolve; to rotate; to turn around; to turn back; to go back; to return; (skiing) slalom -回转寿司,huí zhuǎn shòu sī,conveyor belt sushi (restaurant) -回避,huí bì,to shun; to avoid (sb); to skirt; to evade (an issue); to step back; to withdraw; to recuse (a judge etc) -回响,huí xiǎng,to echo; to reverberate; to respond; echo; response; reaction -迶,yòu,to walk -迷,mí,to bewilder; crazy about; fan; enthusiast; lost; confused -迷上,mí shàng,to become fascinated with; to become obsessed with -迷不知返,mí bù zhī fǎn,to go astray and to not know how to get back on the right path (idiom) -迷乱,mí luàn,confusion -迷人,mí rén,fascinating; enchanting; charming; tempting -迷住,mí zhu,to fascinate; to strongly attract; to obsess; to infatuate; to captivate; to enchant -迷你,mí nǐ,mini (as in mini-skirt or Mini Cooper) (loanword) -迷你裙,mí nǐ qún,miniskirt -迷信,mí xìn,superstition; to have a superstitious belief (in sth) -迷因,mí yīn,meme (loanword) -迷梦,mí mèng,pipedream; unrealizable plan -迷失,mí shī,to lose (one's bearings); to get lost -迷奸,mí jiān,to drug and then rape sb -迷宫,mí gōng,maze; labyrinth -迷幻,mí huàn,psychedelic; hallucinatory -迷幻剂,mí huàn jì,a psychedelic; hallucinogen -迷幻药,mí huàn yào,hallucinogen; psychedelic drug -迷幻蘑菇,mí huàn mó gu,psilocybin mushroom; magic mushroom -迷彩,mí cǎi,camouflage -迷彩服,mí cǎi fú,camouflage clothing -迷思,mí sī,myth (loanword) -迷惑,mí huo,to puzzle; to confuse; to baffle -迷惑不解,mí huò bù jiě,to feel puzzled -迷惑龙,mí huo lóng,apatosaurus; former name: brontosaurus; also called 雷龍|雷龙[lei2 long2] -迷惘,mí wǎng,perplexed; at a loss -迷恋,mí liàn,to be infatuated with; to be enchanted by; to be passionate about -迷晕,mí yūn,to knock sb out with a drug; to render sb unconscious -迷津,mí jīn,a maze; to lose the way; bewildering -迷漫,mí màn,vast haze; lost in boundless mists -迷蒙,mí méng,misty -迷瞪,mí dèng,puzzled; bewildered; infatuated -迷糊,mí hu,muddle-headed; dazed; only half conscious -迷航,mí háng,off course; lost (of ship or plane); having lost one's way -迷茫,mí máng,vast and indistinct; perplexed; bewildered; at a loss -迷药,mí yào,knockout drops; incapacitating agent; Mickey Finn -迷误,mí wù,mistake; error; to mislead; to lead astray -迷走神经,mí zǒu shén jīng,vagus nerve -迷路,mí lù,to lose the way; lost; labyrinth; labyrinthus vestibularis (of the inner ear) -迷踪罗汉拳,mí zōng luó hàn quán,"Mizongyi, Mizong, My Jhong Law Horn - ""Lost Track Fist"" (Chinese Martial Art)" -迷迭香,mí dié xiāng,rosemary (Rosmarinus officinalis) -迷迷糊糊,mí mí hū hū,in a daze; bewildered -迷途,mí tú,to lose one's way -迷途知返,mí tú zhī fǎn,to get back on the right path; to mend one's ways -迷醉,mí zuì,bewitched; intoxicated by sth -迷阵,mí zhèn,maze -迷离,mí lí,blurred; hard to make out distinctly -迷离惝恍,mí lí chǎng huǎng,(idiom) blurred; confusing -迷离马虎,mí lí mǎ hu,muddle-headed -迷雾,mí wù,dense fog; fig. completely misleading -迷魂,mí hún,to bewitch; to enchant; to cast a spell over sb -迷魂汤,mí hún tāng,"potion given to souls before they are reincarnated, which makes them forget their previous life (aka 孟婆汤[meng4 po2 tang1]); magic potion; (fig.) bewitching words or actions" -迷魂药,mí hún yào,magic potion; (fig.) bewitching words or actions; knockout drug; ecstasy; MDMA -迷魂阵,mí hún zhèn,stratagem to trap sb; to bewitch and trap -迷魂香,mí hún xiāng,a kind of sleeping gas or smoke used by thieves to incapacitate victims -迷鸟,mí niǎo,vagrant bird (a migrating bird which has lost its way); a vagrant -迸,bèng,to burst forth; to spurt; to crack; split -迸流,bèng liú,to gush; to spurt -迸发,bèng fā,to burst forth -迸发出,bèng fā chū,to burst forth; to burst out -迸裂,bèng liè,to split; to crack; to burst (open) -迹,jì,variant of 跡|迹[ji4] -追,duī,to sculpt; to carve; musical instrument (old) -追,zhuī,to chase; to pursue; to look into; to investigate; to reminisce; to recall; to court (one's beloved); to binge-watch (a TV drama); retroactively; posthumously -追上,zhuī shàng,to overtake -追亡逐北,zhuī wáng zhú běi,to pursue and attack a fleeing enemy -追光,zhuī guāng,(theater) spotlight -追光灯,zhuī guāng dēng,(theater) spotlight; followspot -追剿,zhuī jiǎo,to pursue and eliminate; to suppress -追剧,zhuī jù,to watch a TV series etc regularly; to binge-watch -追加,zhuī jiā,to add something extra; an additional increment; addendum; to append; an additional posthumous title -追加剂,zhuī jiā jì,(Tw) (vaccine) booster dose; booster shot -追问,zhuī wèn,to question closely; to investigate in detail; to examine minutely; to get to the heart of the matter -追回,zhuī huí,to recover (sth lost or stolen); to get back -追奔逐北,zhuī bēn zhú běi,to pursue and attack a fleeing enemy -追客,zhuī kè,avid fan who anxiously awaits new content -追封,zhuī fēng,to confer a posthumous title -追尊,zhuī zūn,posthumous honorific name -追寻,zhuī xún,to pursue; to track down; to search -追寻现代中国,zhuī xún xiàn dài zhōng guó,In Search of Modern China by Jonathan D Spence 史景遷|史景迁[Shi3 Jing3 qian1] -追尾,zhuī wěi,to tailgate; to hit the car in front as a result of tailgating -追念,zhuī niàn,to recollect -追思,zhuī sī,memorial; recollection (of the deceased) -追思会,zhuī sī huì,memorial service; memorial meeting -追悔,zhuī huǐ,to repent; remorse -追悔莫及,zhuī huǐ mò jí,too late for regrets (idiom); It is useless to repent after the event. -追悼,zhuī dào,to mourn; to pay last respects -追悼文,zhuī dào wén,eulogy -追悼会,zhuī dào huì,memorial service; funeral service -追想,zhuī xiǎng,to recall -追忆,zhuī yì,to recollect; to recall (past times); to look back -追怀,zhuī huái,to recall; to bring to mind; to reminisce -追打,zhuī dǎ,to chase and beat -追捕,zhuī bǔ,to pursue; to be after; to hunt down -追捧,zhuī pěng,to exhibit great enthusiasm for sb or sth; to embrace; favor; acclaim; adulation; high demand -追授,zhuī shòu,to posthumously award -追击,zhuī jī,to pursue and attack -追叙,zhuī xù,to recount what happened prior to events already known -追新,zhuī xīn,to seek out the new (e.g. the latest tech products) -追星,zhuī xīng,to idolize a celebrity -追星族,zhuī xīng zú,enthusiastic fan -追本溯源,zhuī běn sù yuán,to trace sth back to its origin -追本穷源,zhuī běn qióng yuán,see 追本溯源[zhui1 ben3 su4 yuan2] -追查,zhuī chá,to try to find out; to trace; to track down -追根,zhuī gēn,to trace sth back to its source; to get to the bottom of sth -追根问底,zhuī gēn wèn dǐ,lit. to examine roots and inquire at the base (idiom); to get to the bottom of sth -追根寻底,zhuī gēn xún dǐ,see 追根究底[zhui1 gen1 jiu1 di3] -追根求源,zhuī gēn qiú yuán,to track sth to its roots -追根溯源,zhuī gēn sù yuán,to pursue sth back to its origins; to trace back to the source; to get to the bottom of sth -追根究底,zhuī gēn jiū dǐ,to get to the heart of the matter -追根究底儿,zhuī gēn jiū dǐ er,erhua variant of 追根究底[zhui1 gen1 jiu1 di3] -追歼,zhuī jiān,to pursue and kill; to wipe out -追杀,zhuī shā,to chase to kill -追比,zhuī bǐ,to flog; to cane (as punishment) -追求,zhuī qiú,to pursue (a goal etc) stubbornly; to seek after; to woo -追溯,zhuī sù,lit. to go upstream; to trace sth back to; to date from -追究,zhuī jiū,to investigate; to look into -追索,zhuī suǒ,to demand payment; to extort; to trace; to seek; to pursue; to explore -追缉,zhuī jī,"to pursue; to be after; to hunt down (the perpetrator of a crime, an escaped prisoner etc)" -追缴,zhuī jiǎo,to recover (stolen property); to pursue and force sb to give back the spoils -追肥,zhuī féi,top soil dressing; additional fertilizer -追荐,zhuī jiàn,to pray for the soul of a deceased -追补,zhuī bǔ,a supplement; additional budget -追讨,zhuī tǎo,to demand payment of money owing -追记,zhuī jì,to award posthumously; to write down afterwards; retrospective account -追诉,zhuī sù,to prosecute; given leave to sue -追诉时效,zhuī sù shí xiào,(law) period during which one can prosecute or sue sb (as stipulated by a statute of limitations) -追询,zhuī xún,to interrogate; to question closely -追认,zhuī rèn,to recognize sth after the event; posthumous recognition; to ratify; to endorse retroactively -追责,zhuī zé,to hold accountable -追购,zhuī gòu,a bounty; a reward for capturing an outlaw -追赠,zhuī zèng,to give to the departed; to confer (a title) posthumously -追赃,zhuī zāng,to order the return of stolen goods -追赶,zhuī gǎn,to pursue; to chase after; to accelerate; to catch up with; to overtake -追踪,zhuī zōng,to follow a trail; to trace; to pursue -追踪报导,zhuī zōng bào dǎo,follow-up report -追踪号码,zhuī zōng hào mǎ,tracking number (of a package shipment) -追踪调查,zhuī zōng diào chá,follow-up study; investigative follow-up -追蹑,zhuī niè,to follow the trail of; to track; to trace -追述,zhuī shù,recollections; to relate (past events) -追逐,zhuī zhú,to chase; to pursue vigorously -追逐赛,zhuī zhú sài,pursuit race; chase -追逼,zhuī bī,to pursue closely; to press; to demand (payment); to extort (a concession) -追还,zhuī huán,to recover (lost property or money); to win back -追随,zhuī suí,to follow; to accompany -追随者,zhuī suí zhě,follower; adherent; following -追风逐电,zhuī fēng zhú diàn,proceeding at a tremendous pace; getting on like a house on fire -追龙,zhuī lóng,(slang) to inhale the vapor from heroin heated on a piece of aluminum foil; to chase the dragon -退,tuì,to retreat; to withdraw; to reject; to return (sth); to decline -退下,tuì xià,to retire; to withdraw; to retreat; to step down -退下金,tuì xià jīn,retirement pension -退件,tuì jiàn,to reject (visa application etc); (commerce) to return to sender; item returned to sender -退任,tuì rèn,to retire; to leave one's position -退伍,tuì wǔ,to be discharged from military service -退伍军人,tuì wǔ jūn rén,veteran -退伍军人节,tuì wǔ jūn rén jié,Veterans' Day -退休,tuì xiū,to retire (from the workforce); to go into retirement -退休金,tuì xiū jīn,retirement pay; pension -退休金双轨制,tuì xiū jīn shuāng guǐ zhì,see 養老金雙軌制|养老金双轨制[yang3 lao3 jin1 shuang1 gui3 zhi4] -退位,tuì wèi,to abdicate -退保,tuì bǎo,to lapse (or terminate) an insurance -退冰,tuì bīng,to thaw (frozen food); to bring to room temperature -退出,tuì chū,to withdraw; to abort; to quit; to log out (computing) -退出运行,tuì chū yùn xíng,to decommission -退化,tuì huà,to degenerate; atrophy -退却,tuì què,to retreat; to shrink back -退回,tuì huí,to return (an item); to send back; to go back -退场,tuì chǎng,to leave a place where some event is taking place; (of an actor) to exit; (sports) to leave the field; (of an audience) to leave -退婚,tuì hūn,to break off an engagement -退学,tuì xué,to quit school -退守,tuì shǒu,to retreat and defend; to withdraw and maintain one's guard -退居二线,tuì jū èr xiàn,to withdraw to the second line of duty; to resign from a leading post (and assume an advisory post) -退市,tuì shì,to be delisted (of a listed stock); to exit the market -退席,tuì xí,to absent oneself from a meeting; to decline to attend -退庭,tuì tíng,to retire from the courtroom; to adjourn -退役,tuì yì,(of military personnel or athletes) to retire; (of outdated equipment) to be decommissioned -退后,tuì hòu,to stand back; to go back (in time); to yield; to make concessions -退思园,tuì sī yuán,"Retreat and Reflection Garden in Tongli, Jiangsu" -退房,tuì fáng,to check out of a hotel room -退换,tuì huàn,to exchange (a purchased item) -退换货,tuì huàn huò,to return a product for another item -退散,tuì sàn,to retreat and scatter; to recede; to wane -退格键,tuì gé jiàn,backspace (keyboard) -退款,tuì kuǎn,to refund; refund -退步,tuì bù,to do less well than before; to make a concession; setback; backward step; leeway; room to maneuver; fallback -退水,tuì shuǐ,to divert water; to drain -退潮,tuì cháo,(of a tide) to ebb or go out -退火,tuì huǒ,annealing (metallurgy) -退热,tuì rè,to reduce a fever -退烧,tuì shāo,to reduce a fever -退烧药,tuì shāo yào,"antipyretic (drug to reduce fever, such as sulfanilamide)" -退片,tuì piàn,to eject (media player) -退票,tuì piào,to bounce (a check); to return a ticket; ticket refund -退租,tuì zū,to stop leasing -退税,tuì shuì,tax rebate or refund -退缩,tuì suō,to shrink back; to cower -退缴,tuì jiǎo,to make restitution -退群,tuì qún,to withdraw from a group -退而求其次,tuì ér qiú qí cì,to settle for second best; the next best thing -退耕还林,tuì gēng huán lín,restoring agricultural land to forest -退色,tuì sè,variant of 褪色[tui4 se4]; also pr. [tui4 shai3] -退落,tuì luò,to subside -退行,tuì xíng,to recede; to degenerate; to regress -退行性,tuì xíng xìng,degenerative; retrograde -退订,tuì dìng,to cancel (a booking); to unsubscribe (from a newsletter etc) -退让,tuì ràng,to move aside; to get out of the way; to back down; to concede -退货,tuì huò,to return merchandise; to withdraw a product -退赛,tuì sài,to pull out of the competition -退路,tuì lù,a way out; a way to retreat; leeway -退选,tuì xuǎn,to withdraw from an election; to drop out of an elective course -退避,tuì bì,to withdraw -退避三舍,tuì bì sān shè,lit. to retreat ninety li (idiom); fig. to shun; to assiduously avoid -退还,tuì huán,to return (sth borrowed etc); to send back; to refund; to rebate -退钱,tuì qián,to refund money -退关,tuì guān,"shut-out, container or consigment not carried on the intended vessel or aircraft" -退院,tuì yuàn,to leave the hospital; (old) (of a monk) to leave the monastery -退隐,tuì yǐn,to withdraw from the fray and live in seclusion; to retire -退黑激素,tuì hēi jī sù,melatonin -退党,tuì dǎng,to withdraw from a political party -送,sòng,to send; to deliver; to transmit; to give (as a present); to see (sb) off; to accompany; to go along with -送上太空,sòng shàng tài kōng,to launch into space -送上轨道,sòng shàng guǐ dào,to send into orbit -送中,sòng zhōng,to extradite to mainland China -送交,sòng jiāo,to hand over; to deliver -送人,sòng rén,to give away; to accompany; to see sb off -送信,sòng xìn,to send word; to deliver a letter -送别,sòng bié,to farewell -送去,sòng qù,to send to; to deliver to; to give sb a lift (e.g. in a car) -送命,sòng mìng,to lose one's life; to get killed -送客,sòng kè,to see a visitor out -送往迎来,sòng wǎng yíng lái,see 迎來送往|迎来送往[ying2 lai2 song4 wang3] -送服,sòng fú,to wash the medicine down -送死,sòng sǐ,to throw away one's life -送殡,sòng bìn,to attend a funeral; to take part in a funeral procession -送气,sòng qì,"aspiration (phonetics, explosion of breath on consonants distinguishing Chinese p, t from b, d)" -送灶,sòng zào,seeing off the kitchen god 灶神[Zao4 shen2] (traditional rite) -送礼,sòng lǐ,to give a present -送礼会,sòng lǐ huì,"shower (for bride, baby etc)" -送秋波,sòng qiū bō,to cast flirtatious glances at sb (idiom) -送终,sòng zhōng,to attend upon a dying parent or other senior family member; to handle the funeral affairs of a senior family member -送给,sòng gěi,to send; to give as a present -送股,sòng gǔ,a share grant -送旧迎新,sòng jiù yíng xīn,"usher out the old, greet the new; esp. to see in the New Year" -送葬,sòng zàng,to participate in funeral procession; to attend a burial -送行,sòng xíng,to see someone off; to throw someone a send-off party -送货,sòng huò,to deliver goods -送货到家,sòng huò dào jiā,home delivery -送走,sòng zǒu,to see off; to send off -送返,sòng fǎn,to send back -送达,sòng dá,to deliver; to serve notice (law) -送还,sòng huán,to return; to give back; to send back; to repatriate -送医,sòng yī,to send or deliver to the hospital -送养,sòng yǎng,to place out for adoption -送餐,sòng cān,home delivery of meal -适,kuò,see 李适[Li3 Kuo4] -逃,táo,to escape; to run away; to flee -逃不出,táo bù chū,unable to escape; can't get out -逃之夭夭,táo zhī yāo yāo,to escape without trace (idiom); to make one's getaway (from the scene of a crime); to show a clean pair of heels -逃亡,táo wáng,to flee; to go into exile -逃亡者,táo wáng zhě,runaway -逃债,táo zhài,to dodge a creditor -逃兵,táo bīng,army deserter -逃北者,táo běi zhě,North Korean refugee -逃命,táo mìng,to escape; to flee; to run for one's life -逃单,táo dān,to dine and dash -逃奔,táo bèn,to run away to; to flee -逃婚,táo hūn,to flee to avoid an arranged marriage -逃学,táo xué,to play truant; to cut classes -逃席,táo xí,to leave a banquet (without taking one's leave) -逃废,táo fèi,to evade (repayment of debts) -逃往,táo wǎng,to run away; to go into exile -逃港,táo gǎng,"to flee to Hong Kong; exodus to Hong Kong (from mainland China, 1950s-1970s); to flee Hong Kong; exodus from Hong Kong (from 2020)" -逃漏,táo lòu,to evade (paying tax); (tax) evasion -逃灾避难,táo zāi bì nàn,to seek refuge from calamities -逃犯,táo fàn,escaped criminal; fugitive from the law -逃狱,táo yù,to escape (from prison); to jump bail -逃生,táo shēng,to flee for one's life -逃票,táo piào,to sneak in without a ticket; to stow away -逃禄,táo lù,to avoid employment -逃税,táo shuì,to evade a tax -逃税天堂,táo shuì tiān táng,tax haven -逃窜,táo cuàn,to run away; to flee in disarray -逃窜无踪,táo cuàn wú zōng,"to disperse and flee, leaving no trace" -逃脱,táo tuō,to run away; to escape -逃荒,táo huāng,to escape from a famine; to get away from a famine-stricken region -逃课,táo kè,to skip class -逃走,táo zǒu,to escape; to flee; to run away -逃跑,táo pǎo,to flee from sth; to run away; to escape -逃逸,táo yì,to escape; to run away; to abscond -逃逸速度,táo yì sù dù,escape velocity -逃遁,táo dùn,to escape; to disappear -逃过一劫,táo guò yī jié,(idiom) to survive a calamity; to get through a crisis -逃避,táo bì,to escape; to evade; to avoid; to shirk -逃避责任,táo bì zé rèn,to evade responsibility; to shirk -逃离,táo lí,to run out; to escape -逃难,táo nàn,to run away from trouble; to flee from calamity; to be a refugee -逄,páng,surname Pang -逅,hòu,used in 邂逅[xie4hou4] -逆,nì,contrary; opposite; backwards; to go against; to oppose; to betray; to rebel -逆来顺受,nì lái shùn shòu,"to resign oneself to adversity (idiom); to grin and bear it; to submit meekly to insults, maltreatment, humiliation etc" -逆伦,nì lún,"unnatural relationship (parricide, incest etc); unfilial conduct; against social morals" -逆光,nì guāng,backlighting (lighting design) -逆势,nì shì,to go against the trend -逆反,nì fǎn,rebellious behavior; opposite; ob- -逆反心理,nì fǎn xīn lǐ,reverse psychology -逆反应,nì fǎn yìng,reverse reaction; counterreaction; inverse response -逆向,nì xiàng,backwards; reverse direction -逆商,nì shāng,(psychology) adversity quotient (abbr. for 逆境商數|逆境商数[ni4jing4 shang1shu4]) -逆喻,nì yù,oxymoron -逆回音,nì huí yīn,inverted turn (ornament in music) -逆境,nì jìng,adversity; predicament -逆天,nì tiān,(literary) to be in defiance of the natural order; (coll.) extraordinary; incredible -逆夷,nì yí,invaders (insulting term); foreign aggressors -逆子,nì zǐ,unfilial son -逆定理,nì dìng lǐ,converse theorem (math.) -逆差,nì chā,adverse trade balance; trade deficit -逆序,nì xù,inverse order -逆心,nì xīn,unfavorable; undesired -逆戟鲸,nì jǐ jīng,(zoo.) orca; killer whale -逆料,nì liào,to foresee; to predict -逆斜,nì xié,(geology) anaclinal -逆断层,nì duàn céng,"reverse fault (geology); compression fault, where one block pushes over the other at dip of less than 45 degrees" -逆旅,nì lǚ,guest-house; inn -逆映射,nì yìng shè,inverse map (math.) -逆时针,nì shí zhēn,anticlockwise; counterclockwise -逆水,nì shuǐ,against the current; upstream -逆水行舟,nì shuǐ xíng zhōu,lit. navigating a boat against the current (idiom); fig. in a tough environment (one needs to work hard) -逆流,nì liú,against the stream; adverse current; a countercurrent; fig. reactionary tendency; to go against the trend -逆流溯源,nì liú sù yuán,to go back to the source -逆流而上,nì liú ér shàng,to sail against the current; (fig.) to go against the flow -逆渗透,nì shèn tòu,reverse osmosis -逆火,nì huǒ,(of an engine) to backfire -逆生长,nì shēng zhǎng,to seem to grow younger; to regain one's youthful looks -逆产,nì chǎn,traitor's property; breech delivery -逆耳,nì ěr,unpleasant to hear; grates on the ear (of home truths) -逆耳之言,nì ěr zhī yán,speech that grates on the ear (idiom); bitter truths; home truths (that one does not want to hear) -逆臣,nì chén,rebellious minister -逆行,nì xíng,to go the wrong way; to go against one-way traffic regulation -逆行倒施,nì xíng dào shī,to go against the tide (idiom); to do things all wrong; to try to turn back history; a perverse way of doing things -逆袭,nì xí,to counterattack; to strike back; (neologism c. 2008) (of an underdog) to go on the offensive; to make an improbable comeback -逆变,nì biàn,reversing (e.g. electric current) -逆贼,nì zéi,renegade; traitor and bandit -逆转,nì zhuǎn,to turn back; to reverse -逆转录病毒,nì zhuǎn lù bìng dú,reverse transcription virus; retrovirus -逆转录酶,nì zhuǎn lù méi,reverse transcriptase -逆运,nì yùn,bad luck; unlucky fate -逆运算,nì yùn suàn,inverse operation; inverse calculation -逆风,nì fēng,to go against the wind; contrary wind; a headwind -逆龄,nì líng,anti-aging -迥,jiǒng,old variant of 迥[jiong3] -逋,bū,to flee; to abscond; to owe -逋逃薮,bū táo sǒu,refuge for fugitives -逍,xiāo,leisurely; easygoing -逍遥,xiāo yáo,free and unfettered -逍遥法外,xiāo yáo fǎ wài,unfettered and beyond the law (idiom); evading retribution; getting away with it (e.g. crimes); still at large -逍遥自在,xiāo yáo zì zai,free and at leisure (idiom); unfettered; outside the reach of the law (of criminal); at large -逍遥自得,xiāo yáo zì dé,doing as one pleases (idiom); foot-loose and fancy free -透,tòu,(bound form) to penetrate; to seep through; to tell secretly; to leak; thoroughly; through and through; to appear; to show -透亮,tòu liàng,bright; shining; translucent; crystal clear -透信,tòu xìn,to disclose information; to tip off -透光,tòu guāng,transparent; translucent -透天厝,tòu tiān cuò,(Tw) row house; townhouse; terrace house -透射,tòu shè,to transmit; transmission (of radiation through a medium); passage -透平,tòu píng,turbine (loanword) -透平机,tòu píng jī,turbine -透底,tòu dǐ,to disclose inside information; to divulge secret details -透彻,tòu chè,penetrating; thorough; incisive -透抽,tòu chōu,swordtip squid (Tw) -透支,tòu zhī,"(banking) to overdraw; to take out an overdraft; an overdraft; to overspend (i.e. expenditure in excess of revenue); (old) to draw one's wage in advance; (fig.) to exhaust (one's enthusiasm, energy etc); to damage a natural resource through overuse" -透明,tòu míng,transparent; (fig.) transparent; open to scrutiny -透明度,tòu míng dù,transparency; (policy of) openness -透明硬纱,tòu míng yìng shā,organza (fabric) -透明程度,tòu míng chéng dù,transparency -透明胶,tòu míng jiāo,Scotch tape -透明质酸,tòu míng zhì suān,hyaluronic acid; hyaluronan -透析,tòu xī,to analyze in depth; dialysis; (chemistry) to dialyze; (medicine) to undergo dialysis treatment -透析机,tòu xī jī,dialysis machine -透气,tòu qì,to flow freely (of air); to ventilate; to breathe (of fabric etc); to take a breath of fresh air; to divulge -透水,tòu shuǐ,permeable; percolation; water leak -透水性,tòu shuǐ xìng,permeability -透漏,tòu lòu,to divulge; to leak; to reveal -透澈,tòu chè,variant of 透徹|透彻[tou4 che4] -透皮炭疽,tòu pí tàn jū,cutaneous anthrax -透红,tòu hóng,rosy -透视,tòu shì,(drawing and painting) perspective; (medicine) to perform fluoroscopy; to examine by X-ray; (fig.) to take a penetrating look at sth; to gain insight -透视图,tòu shì tú,perspective drawing -透视学,tòu shì xué,perspective (in drawing) -透视法,tòu shì fǎ,perspective (in drawing) -透视画,tòu shì huà,perspective drawing -透视画法,tòu shì huà fǎ,perspective drawing -透视装,tòu shì zhuāng,see-through clothing -透通性,tòu tōng xìng,transparency (networking) -透过,tòu guò,to pass through; to penetrate; by means of; via -透镜,tòu jìng,lens (optics) -透辟,tòu pì,penetrating; incisive -透露,tòu lù,to leak out; to divulge; to reveal -透顶,tòu dǐng,out-and-out; thoroughly -透风,tòu fēng,to let air pass through; to ventilate -逐,zhú,(bound form) to pursue; to chase away; individually; one by one -逐一,zhú yī,one by one -逐个,zhú gè,one by one; one after another -逐出,zhú chū,to expel; to evict; to drive out -逐字逐句,zhú zì zhú jù,literal; word for word; word by word and phrase by phrase -逐客令,zhú kè lìng,the First Emperor's order to expel foreigners; (fig.) notice to leave; words or behavior intended at turning visitors out -逐年,zhú nián,year after year; with each passing year; over the years -逐日,zhú rì,day-by-day; daily; on a daily basis -逐月,zhú yuè,month-by-month; monthly; on a monthly basis -逐次,zhú cì,gradually; one after another; little by little -逐次近似,zhú cì jìn sì,successive approximate values (idiom) -逐步,zhú bù,progressively; step by step -逐步升级,zhú bù shēng jí,escalation -逐水,zhú shuǐ,to relieve oedema through purging or diuresis (Chinese medicine) -逐渐,zhú jiàn,gradually -逐渐增加,zhú jiàn zēng jiā,to increase gradually; to build up -逐渐废弃,zhú jiàn fèi qì,to abandon gradually -逐行,zhú háng,"line by line (translation, scanning etc); progressive" -逐行,zhú xíng,progressive -逐行扫描,zhú háng sǎo miáo,line by line scanning; progressive scanning -逐走,zhú zǒu,to turn away; to drive away -逐退,zhú tuì,to drive back (attackers) -逐鹿,zhú lù,to pursue deer; fig. to vie for supremacy -逐鹿中原,zhú lù zhōng yuán,lit. hunting deer in the Central Plain (idiom); fig. to attempt to seize the throne -逑,qiú,collect; to match -途,tú,way; route; road -途中,tú zhōng,en route -途人,tú rén,passer-by; stranger -途径,tú jìng,way; means; channel -途经,tú jīng,to pass through; via; by way of -迳,jìng,way; path; direct; diameter -迳向,jìng xiàng,radial -迳庭,jìng tíng,very different -迳流,jìng liú,runoff -迳直,jìng zhí,straight; direct -迳自,jìng zì,on one's own; without consulting others -迳赛,jìng sài,track -迳迹,jìng jì,track -逖,tì,(literary) remote; far away -逗,dòu,to tease (playfully); to entice; (coll.) to joke; (coll.) funny; amusing; to stay; to sojourn; brief pause at the end of a phrase (variant of 讀|读[dou4]) -逗人,dòu rén,amusing; funny; entertaining -逗人喜爱,dòu rén xǐ ài,cute -逗人发笑,dòu rén fā xiào,to make people laugh -逗哈哈,dòu hā hā,to joke; to crack a joke -逗哏,dòu gén,funny man (lead role in comic dialogue 對口相聲|对口相声[dui4 kou3 xiang4 sheng1]); to joke; to play the fool; to provoke laughter -逗嘴,dòu zuǐ,to banter -逗弄,dòu nòng,"to tease; to provoke; to play with (a child, animal etc)" -逗引,dòu yǐn,to make fun of -逗闷子,dòu mèn zi,(dialect) to joke -逗情,dòu qíng,to flirt; to titillate; to provoke -逗乐,dòu lè,to amuse oneself; to clown around; to provoke laughter -逗比,dòu bī,(slang) silly but amusing person -逗留,dòu liú,to stay at; to stop over -逗笑,dòu xiào,to amuse; to cause to smile; amusing -逗笑儿,dòu xiào er,erhua variant of 逗笑[dou4 xiao4] -逗号,dòu hào,comma (punct.) -逗趣,dòu qù,to amuse; to make sb laugh; to tease -逗趣儿,dòu qù er,to amuse; to make sb laugh; to tease -逗逼,dòu bī,(slang) silly but amusing person -逗遛,dòu liú,variant of 逗留[dou4 liu2] -逗点,dòu diǎn,comma -这,zhè,"(pronoun) this; these; (bound form) this; the (followed by a noun); (bound form) this; these (followed by a classifier) (in this sense, commonly pr. [zhei4], esp. in Beijing)" -这一阵子,zhè yī zhèn zi,recently; currently -这下,zhè xià,this time -这下子,zhè xià zi,this time -这不,zhè bu,"(coll.) As a matter of fact, ... (used to introduce evidence for what one has just asserted)" -这些,zhè xiē,these -这些个,zhè xiē ge,these -这位,zhè wèi,this (person) -这个,zhè ge,(pronoun) this; (adjective) this -这儿,zhè er,here -这咱,zhè zán,now; at this moment -这嘎达,gā da,(northeast dialect) here; this place -这天,zhè tiān,today; this day -这就,zhè jiù,immediately; at once -这就是说,zhè jiù shì shuō,in other words; that is to say -这山望着那山高,zhè shān wàng zhe nà shān gāo,lit. the next mountain looks taller (idiom); fig. not satisfied with one's current position; the grass is always greener on the other side of the fence -这年头,zhè nián tou,(coll.) nowadays -这几天,zhè jǐ tiān,the past few days -这厮,zhè sī,this so-and-so -这早晚儿,zhè zǎo wǎn er,now; at this time; this late -这时,zhè shí,at this time; at this moment -这会儿,zhè huì er,(coll.) now; this moment; also pr. [zhe4 hui3 r5] -这末,zhè me,variant of 這麼|这么[zhe4 me5] -这样,zhè yàng,this kind of; so; this way; like this; such -这样一来,zhè yàng yī lái,thus; if this happens then -这样子,zhè yàng zi,so; such; this way; like this -这疙瘩,gā da,see 這嘎达|这嘎达[zhei4ga1da5] -这种,zhè zhǒng,this kind of -这般,zhè bān,like this; this way -这里,zhè lǐ,variant of 這裡|这里[zhe4 li3] -这里,zhè lǐ,here -这还了得,zhè hái liǎo dé,How dare you!; This is an outrage!; Absolutely disgraceful! -这边,zhè biān,this side; here -这边儿,zhè biān er,erhua variant of 這邊|这边[zhe4 bian1] -这阵儿,zhè zhèn er,now; at present; at this juncture -这阵子,zhè zhèn zi,now; at present; at this juncture -这类,zhè lèi,this kind (of) -这么,zhè me,so much; this much; how much?; this way; like this -这么样,zhè me yàng,thus; in this way -这么着,zhè me zhe,thus; in this way; like this -这麽,zhè me,variant of 這麼|这么[zhe4 me5] -通,tōng,"to go through; to know well; (suffix) expert; to connect; to communicate; open; to clear; classifier for letters, telegrams, phone calls etc" -通,tòng,"classifier for an activity, taken in its entirety (tirade of abuse, stint of music playing, bout of drinking etc)" -通乳,tōng rǔ,(medicine) to unblock breastmilk flow (of a nursing mother with clogged milk ducts) -通人,tōng rén,learned person; person of wide knowledge and sound scholarship -通什,tōng shí,"Tongshi, Hainan" -通布图,tōng bù tú,"Timbuctoo (town and historical cultural center in Mali, a World Heritage site)" -通例,tōng lì,general rule; standard practice -通便,tōng biàn,to evacuate the bowels -通俗,tōng sú,common; everyday; average -通俗来讲,tōng sú lái jiǎng,"to put it in simple terms, ..." -通俗小说,tōng sú xiǎo shuō,popular fiction; light literature -通俗易懂,tōng sú yì dǒng,easy to understand -通俗科学,tōng sú kē xué,popular science -通信,tōng xìn,to correspond (by letter etc); to communicate; communication -通信中心,tōng xìn zhōng xīn,communications center -通信协定,tōng xìn xié dìng,communications protocol -通信地址,tōng xìn dì zhǐ,mail address -通信密度,tōng xìn mì dù,communications density -通信技术,tōng xìn jì shù,communications technology -通信服务,tōng xìn fú wù,communication service -通信网络,tōng xìn wǎng luò,communications network -通信线路,tōng xìn xiàn lù,communication line -通信卫星,tōng xìn wèi xīng,communications satellite -通信负载,tōng xìn fù zài,communications load -通信量,tōng xìn liàng,communications volume -通假,tōng jiǎ,phonetic loan character; using one character interchangeably for phonetically related characters -通假字,tōng jiǎ zì,phonetic loan character; using one character interchangeably for phonetically related characters -通判,tōng pàn,local magistrate -通则,tōng zé,general rule; general principle -通力,tōng lì,to cooperate; concerted effort -通力合作,tōng lì hé zuò,to join forces; to give full cooperation -通勤,tōng qín,commuting -通化,tōng huà,"Tonghua, prefecture-level city in Jilin province 吉林省[Ji2lin2 Sheng3] in northeast China; Tonghua, a county in Tonghua City" -通化市,tōng huà shì,"Tonghua, prefecture-level city in Jilin province 吉林省 in northeast China" -通化县,tōng huà xiàn,"Tonghua county in Tonghua 通化, Jilin" -通古斯,tōng gǔ sī,Tungus -通史,tōng shǐ,narrative history; comprehensive history; a history covering an extended period -通同,tōng tóng,to collude; to gang up on -通名,tōng míng,common noun; generic term; to introduce oneself -通向,tōng xiàng,to lead to -通告,tōng gào,to announce; to give notice; announcement -通商,tōng shāng,(of nations) to have trade relations; to engage in trade -通商口岸,tōng shāng kǒu àn,"treaty port, forced on Qing China by the 19th century Great Powers" -通问,tōng wèn,to mutually send greetings; to communicate; to exchange news -通城,tōng chéng,"Tongcheng county in Xianning 咸寧|咸宁[Xian2 ning2], Hubei" -通城县,tōng chéng xiàn,"Tongcheng county in Xianning 咸寧|咸宁[Xian2 ning2], Hubei" -通报,tōng bào,to inform; to notify; to announce; circular; bulletin; (scientific) journal -通夜,tōng yè,all through the night; overnight -通天彻地,tōng tiān chè dì,to know all under heaven; exceptionally talented (idiom) -通奸,tōng jiān,adultery; to commit adultery -通婚,tōng hūn,to intermarry -通学,tōng xué,to attend school as a day student -通宵,tōng xiāo,all night; throughout the night -通宵达旦,tōng xiāo dá dàn,overnight until daybreak (idiom); all night long; day and night -通山,tōng shān,"Tongshan county in Xianning 咸寧|咸宁[Xian2 ning2], Hubei" -通山县,tōng shān xiàn,"Tongshan county in Xianning 咸寧|咸宁[Xian2 ning2], Hubei" -通川区,tōng chuān qū,"Tongchuan district of Dazhou city 達州市|达州市[Da2 zhou1 shi4], Sichuan" -通州,tōng zhōu,"Tongzhou, a district of Beijing; Tongzhou, a district of Nantong 南通[Nan2tong1], Jiangsu" -通州区,tōng zhōu qū,"Tongzhou, a district of Beijing; Tongzhou, a district of Nantong 南通[Nan2tong1], Jiangsu" -通常,tōng cháng,regular; usual; normal; usually; normally -通往,tōng wǎng,to lead to -通彻,tōng chè,to understand completely -通心粉,tōng xīn fěn,macaroni -通心菜,tōng xīn cài,see 蕹菜[weng4 cai4] -通心面,tōng xīn miàn,macaroni -通情达理,tōng qíng dá lǐ,(idiom) fair and reasonable; sensible; standing to reason -通才,tōng cái,polymath; all-round person -通才教育,tōng cái jiào yù,liberal education; general education -通敌,tōng dí,to collaborate with the enemy -通明,tōng míng,brightly lit -通畅,tōng chàng,unobstructed; clear; (of writing or thinking) coherent; fluent -通晓,tōng xiǎo,proficient (in sth); to understand sth through and through -通书,tōng shū,almanac -通榆,tōng yú,"Tongyu county in Baicheng 白城, Jilin" -通榆县,tōng yú xiàn,"Tongyu county in Baicheng 白城, Jilin" -通权达变,tōng quán dá biàn,to adapt to circumstances -通气,tōng qì,ventilation; aeration; to keep each other informed; to release information -通气孔,tōng qì kǒng,an airvent; a louvre; airflow orifice -通气会,tōng qì huì,briefing -通水,tōng shuǐ,to have running water (in a house etc) -通江,tōng jiāng,"Tongjiang county in Panzhihua 攀枝花[Pan1 zhi1 hua1], south Sichuan" -通江县,tōng jiāng xiàn,"Tongjiang county in Panzhihua 攀枝花[Pan1 zhi1 hua1], south Sichuan" -通河,tōng hé,"Tonghe county in Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1], Heilongjiang" -通河县,tōng hé xiàn,"Tonghe county in Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1], Heilongjiang" -通海,tōng hǎi,"Tonghai county in Yuxi 玉溪[Yu4 xi1], Yunnan" -通海县,tōng hǎi xiàn,"Tonghai county in Yuxi 玉溪[Yu4 xi1], Yunnan" -通渭,tōng wèi,"Tongwei county in Dingxi 定西[Ding4 xi1], Gansu" -通渭县,tōng wèi xiàn,"Tongwei county in Dingxi 定西[Ding4 xi1], Gansu" -通牒,tōng dié,diplomatic note -通用,tōng yòng,"to use anywhere, anytime (card, ticket etc); to be used by everyone (language, textbook etc); (of two or more things) interchangeable" -通用串行总线,tōng yòng chuàn xíng zǒng xiàn,"Universal Serial Bus, USB (computer)" -通用字符集,tōng yòng zì fú jí,universal character set UCS -通用性,tōng yòng xìng,universality -通用拼音,tōng yòng pīn yīn,the common use romanization system introduced in Taiwan in 2003 -通用汽车,tōng yòng qì chē,General Motors (car company) -通用汽车公司,tōng yòng qì chē gōng sī,General Motors -通用汉字标准交换码,tōng yòng hàn zì biāo zhǔn jiāo huàn mǎ,"Standard Interchange Code for Generally Used Chinese Characters, a character encoding standard of Taiwan 1986-1992, aka CNS 11643-1986, where CNS stands for Chinese National Standard; abbr. to 通用碼|通用码[Tong1 yong4 ma3]" -通用码,tōng yòng mǎ,"Standard Interchange Code for Generally Used Chinese Characters, a character encoding standard of Taiwan 1986-1992, aka CNS 11643-1986, where CNS stands for Chinese National Standard (abbr. for 通用漢字標準交換碼|通用汉字标准交换码[Tong1 yong4 Han4 zi4 Biao1 zhun3 Jiao1 huan4 ma3])" -通用语,tōng yòng yǔ,common language; lingua franca -通用电器,tōng yòng diàn qì,General Electric (GE) -通用电气,tōng yòng diàn qì,General Electric (GE) -通病,tōng bìng,common problem; common failing -通盘,tōng pán,across the board; comprehensive; overall; global -通知,tōng zhī,to notify; to inform; notice; notification; CL:個|个[ge4] -通知单,tōng zhī dān,notification; notice; ticket; receipt -通知书,tōng zhī shū,written notice -通票,tōng piào,through ticket -通称,tōng chēng,to be generally referred to (as); generic term -通稿,tōng gǎo,wire copy; press release -通约,tōng yuē,common measure -通红,tōng hóng,very red; red through and through; to blush (deep red) -通经,tōng jīng,conversant with the Confucian classics; to stimulate menstrual flow (TCM) -通缉,tōng jī,to order the arrest of sb as criminal; to list as wanted -通缉令,tōng jī lìng,order for arrest; wanted circular; wanted poster -通缉犯,tōng jī fàn,wanted criminal; fugitive (from the law) -通县,tōng xiàn,Tong county in Beijing -通缩,tōng suō,(economics) deflation (abbr. for 通貨緊縮|通货紧缩[tong1 huo4 jin3 suo1]) -通脱木,tōng tuō mù,rice-paper plant (Tetrapanax papyriferus) -通胀,tōng zhàng,inflation -通胀率,tōng zhàng lǜ,inflation rate -通膨,tōng péng,(Tw) inflation (abbr. for 通貨膨脹|通货膨胀[tong1 huo4 peng2 zhang4]) -通航,tōng háng,"connected by air, sea traffic or service" -通草,tōng cǎo,rice-paper plant (Tetrapanax papyriferus) -通菜,tōng cài,see 蕹菜[weng4 cai4] -通融,tōng róng,flexible; to accommodate; to stretch or get around regulations; a short-term loan -通行,tōng xíng,to go through; to pass through; to be in general use -通行无阻,tōng xíng wú zǔ,unobstructed passage; to go through unhindered -通行税,tōng xíng shuì,toll -通行证,tōng xíng zhèng,a pass (authority to enter); a laissez-passer or safe conduct -通观,tōng guān,to take an overall view of sth; comprehensive view -通讯,tōng xùn,communications; news story; dispatch; CL:個|个[ge4] -通讯协定,tōng xùn xié dìng,communications protocol -通讯员,tōng xùn yuán,correspondent; reporter; messenger boy -通讯地址,tōng xùn dì zhǐ,mailing address; postal address -通讯社,tōng xùn shè,a news service (e.g. Xinhua) -通讯系统,tōng xùn xì tǒng,communication system -通讯自动化,tōng xùn zì dòng huà,communications automation -通讯处,tōng xùn chù,contact address -通讯行业,tōng xùn háng yè,communications industry -通讯卫星,tōng xùn wèi xīng,communications satellite -通讯通道,tōng xùn tōng dào,communications channel -通讯录,tōng xùn lù,address book; directory -通讯院士,tōng xùn yuàn shì,corresponding member (of an academy); junior academician -通许,tōng xǔ,"Tongxu county in Kaifeng 開封|开封[Kai1 feng1], Henan" -通许县,tōng xǔ xiàn,"Tongxu county in Kaifeng 開封|开封[Kai1 feng1], Henan" -通话,tōng huà,to hold a conversation; to talk over the telephone; phone call -通论,tōng lùn,well-rounded argument; general survey -通证,tōng zhèng,"digital token (loanword from ""token"") (neologism c. 2017)" -通识,tōng shí,general knowledge; overall knowledge; common knowledge; widely known; erudition -通识培训,tōng shí péi xùn,general culture -通识教育,tōng shí jiào yù,general education -通识课程,tōng shí kè chéng,general course; general education course; core course; general curriculum; general education curriculum; core curriculum -通译,tōng yì,(old) to translate; to interpret; translator; interpreter -通读,tōng dú,to read through -通货,tōng huò,currency; (old) exchange of goods -通货紧缩,tōng huò jǐn suō,deflation -通货膨胀,tōng huò péng zhàng,inflation -通路,tōng lù,thoroughfare; passage; pathway; channel -通车,tōng chē,"to open to traffic (e.g. new bridge, rail line etc); (of a locality) to have a transportation service; (Tw) to commute" -通透,tōng tòu,penetrating -通途,tōng tú,thoroughfare -通通,tōng tōng,all; entire; complete -通过,tōng guò,to pass through; to get through; to adopt (a resolution); to pass (legislation); to pass (a test); by means of; through; via -通道,tōng dào,"Tongdao Dong autonomous county in Huaihua 懷化|怀化[Huai2 hua4], Hunan" -通道,tōng dào,(communications) channel; thoroughfare; passage -通道侗族自治县,tōng dào dòng zú zì zhì xiàn,"Tongdao Dong Autonomous County in Huaihua 懷化|怀化[Huai2 hua4], Hunan" -通道县,tōng dào xiàn,"Tongdao Dong autonomous county in Huaihua 懷化|怀化[Huai2 hua4], Hunan" -通达,tōng dá,to understand clearly; to be sensible or reasonable; understanding -通辽,tōng liáo,"Tongliao, prefecture-level city in Inner Mongolia" -通辽市,tōng liáo shì,"Tongliao, prefecture-level city in Inner Mongolia" -通邮,tōng yóu,to have postal communications -通配符,tōng pèi fú,wildcard character (computing) -通量,tōng liàng,flux -通关,tōng guān,"to clear customs; (gaming) to finish (a game, a level, a stage, etc)" -通关密语,tōng guān mì yǔ,password -通关文牒,tōng guān wén dié,passport -通关节,tōng guān jié,to facilitate by means of bribery -通电,tōng diàn,to set up an electric circuit; to electrify; to switch on; to be connected to an electricity grid; open telegram -通电话,tōng diàn huà,to phone sb up -通霄,tōng xiāo,"Tongxiao or Tunghsiao town in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -通霄镇,tōng xiāo zhèn,"Tongxiao or Tunghsiao town in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -通灵,tōng líng,to communicate with the spirits; psychic; (ears) sensitive; (information) accurate -通灵板,tōng líng bǎn,Ouija board -通顺,tōng shùn,smooth; clear and coherent -通风,tōng fēng,airy; ventilation; to ventilate; to disclose information -通风口,tōng fēng kǒu,air vent; opening for ventilation -通风孔,tōng fēng kǒng,air vent; louvre -通风管,tōng fēng guǎn,ventilation duct -通体,tōng tǐ,(of sb or sth) whole or entire body -逛,guàng,to stroll; to visit -逛街,guàng jiē,to take a walk; to window-shop; to stroll down the street -逛逛,guàng guang,to roam around; to have a stroll -逝,shì,(of flowing water or time) to pass by; to pass away; to die -逝世,shì shì,to pass away; to die -逝去,shì qù,to elapse; to pass away; to die; demise -逝者,shì zhě,the dead; the deceased -逞,chěng,to show off; to flaunt; to carry out or succeed in a scheme; to indulge; to give free rein to -逞其口舌,chěng qí kǒu shé,to boast of one's quarrels to others (idiom) -逞强,chěng qiáng,to show off; to try to be brave -逞能,chěng néng,to show off one's ability; to boast one's merits -速,sù,fast; rapid; quick; velocity -速克达,sù kè dá,scooter (loanword) -速冻,sù dòng,to quick-freeze -速胜,sù shèng,rapid victory -速可达,sù kě dá,scooter (loanword) -速写,sù xiě,quick sketch -速射,sù shè,rapid-fire -速度,sù dù,speed; rate; velocity; (music) tempo; CL:個|个[ge4] -速度滑冰,sù dù huá bīng,speed skating -速度计,sù dù jì,speedometer -速成,sù chéng,crash (course); accelerated (process); quick (fix); instant (success); to achieve in a short time -速成班,sù chéng bān,intensive course; crash course -速战速决,sù zhàn sù jué,a blitzkrieg strategy (idiom); to resolve sth in the shortest time possible; to get sth done quickly -速手排,sù shǒu pái,gears (in a car) -速效,sù xiào,quick results; fast-acting -速效性毒剂,sù xiào xìng dú jì,quick-acting agent -速效救心丸,sù xiào jiù xīn wán,fast-acting heart pills (a medication developed in China in 1982 to treat heart conditions including angina) -速决,sù jué,quick decision -速溶,sù róng,quick-dissolving; instantly-ready; instant -速溶咖啡,sù róng kā fēi,instant coffee -速率,sù lǜ,speed; rate -速记,sù jì,shorthand -速记员,sù jì yuán,stenographer -速调管,sù tiáo guǎn,klystron (electronic tube used to produce high frequency radio waves) -速读,sù dú,speed reading -速赐康,sù cì kāng,(Tw) (coll.) pentazocine (a synthetic opioid analgesic) -速通,sù tōng,to get through sth quickly; (gaming) speedrun (abbr. for 快速通關|快速通关[kuai4 su4 tong1 guan1]) -速递,sù dì,courier -速配,sù pèi,fast matchmaking; speed dating; (coll.) (Tw) (of a couple) to be a good match -速录师,sù lù shī,stenographer -速食,sù shí,(of food) fast; instant; (Tw) fast food -速食店,sù shí diàn,fast food shop -速食面,sù shí miàn,instant noodles -造,zào,to make; to build; to manufacture; to invent; to fabricate; to go to; party (in a lawsuit or legal agreement); crop; classifier for crops -造作,zào zuò,affected; artificial; to make; to manufacture -造假,zào jiǎ,to counterfeit; to pass off a fake as genuine -造价,zào jià,construction cost -造势,zào shì,to boost support or interest; to campaign; to promote -造化,zào huà,(literary) Nature; the Creator -造化,zào hua,good luck -造反,zào fǎn,to rebel; to revolt -造反派,zào fǎn pài,rebel faction -造句,zào jù,sentence-making -造型,zào xíng,to model; to shape; appearance; style; design; form; pose -造型师,zào xíng shī,stylist (fashion); cartoon character designer -造型服装,zào xíng fú zhuāng,costume -造型气球,zào xíng qì qiú,balloon modeling; balloon twisting -造型艺术,zào xíng yì shù,visual arts -造型蛋糕,zào xíng dàn gāo,"custom-designed cake (e.g. cake shaped like a guitar, camera or cartoon character)" -造型跳伞,zào xíng tiào sǎn,formation skydiving -造字,zào zì,to create Chinese characters; cf Six Methods of forming Chinese characters 六書|六书[liu4 shu1] -造孽,zào niè,to do evil; to commit sins -造就,zào jiù,to bring up; to train; to contribute to; achievements (usually of young people) -造山,zào shān,mountain building; orogenesis (geology) -造山作用,zào shān zuò yòng,orogeny (geology) -造山带,zào shān dài,orogenic belt (geology) -造山运动,zào shān yùn dòng,mountain building (geology); orogenesis -造岩矿物,zào yán kuàng wù,rock-forming mineral -造币厂,zào bì chǎng,mint; CL:座[zuo4] -造成,zào chéng,to bring about; to create; to cause -造成问题,zào chéng wèn tí,to create an issue; to cause a problem -造林,zào lín,forestation -造桥,zào qiáo,"Zaoqiao or Tsaochiao township in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -造桥乡,zào qiáo xiāng,"Zaoqiao or Tsaochiao township in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -造次,zào cì,(literary) hurried; rash -造物,zào wù,luck; to create the universe; god (as the creator of all things); the Creator -造物主,zào wù zhǔ,the Creator (in religion or mythology); God -造福,zào fú,to benefit (e.g. the people) -造福社群,zào fú shè qún,to benefit the community -造福万民,zào fú wàn mín,to benefit thousands of people -造纸,zào zhǐ,papermaking -造纸术,zào zhǐ shù,papermaking process -造茧自缚,zào jiǎn zì fù,to spin a cocoon around oneself (idiom); enmeshed in a trap of one's own devising; hoist with his own petard -造船,zào chuán,shipbuilding -造船厂,zào chuán chǎng,dockyard; shipyard -造船所,zào chuán suǒ,shipyard -造血,zào xuè,to make blood (function of bone marrow) -造血干细胞,zào xuè gàn xì bāo,blood generating stem cells (in bone marrow) -造访,zào fǎng,to visit; to pay a visit -造诣,zào yì,level of mastery (of a skill or area of knowledge); (archaic) to pay a visit to sb -造谣,zào yáo,to start a rumor -造谣生事,zào yáo shēng shì,to start rumours and create trouble -造舆论,zào yú lùn,to build up public opinion; to create a fuss -逡,qūn,to shrink back (from sth) -逡巡,qūn xún,to draw back; to move back and forth; to hesitate; in an instant -逡巡不前,qūn xún bù qián,to hesitate to move forward; to balk; to jib -逢,féng,to meet by chance; to come across; (of a calendar event) to come along; (of an event) to fall on (a particular day); to fawn upon -逢人便讲,féng rén biàn jiǎng,to tell anybody one happens to meet -逢俉,féng wú,to come across sth scary; to have a fright -逢凶化吉,féng xiōng huà jí,misfortune turns to blessing (idiom); to turn an inauspicious start to good account -逢场作戏,féng chǎng zuò xì,"lit. find a stage, put on a comedy (idiom); to join in the fun; to play along according to local conditions" -逢年过节,féng nián guò jié,at the Chinese New Year or other festivities -逢迎,féng yíng,to fawn on; to ingratiate oneself; (literary) to meet face to face -逢集,féng jí,market day -连,lián,surname Lian -连,lián,"to link; to join; to connect; continuously; in succession; including; (used with 也[ye3], 都[dou1] etc) even; company (military)" -连三并四,lián sān bìng sì,one after the other; in succession (idiom) -连中三元,lián zhòng sān yuán,"(old) to rank first in the imperial examinations at the provincial capital, the national capital and the palace successively; (sports etc) to achieve three successes in a row (three matches in a row, three goals in a match etc)" -连串,lián chuàn,one after the other; a succession of; a series of -连任,lián rèn,to continue in (a political) office; to serve for another term of office -连动,lián dòng,to link; to peg (currency); gang (gears); continuously; serial verb construction -连动债,lián dòng zhài,structured note (finance) -连南瑶族自治县,lián nán yáo zú zì zhì xiàn,"Liannan Yao Autonomous County in Qingyuan 清遠|清远[Qing1 yuan3], Guangdong" -连南县,lián nán xiàn,"Liannan Yaozu autonomous county in Qingyuan 清遠|清远[Qing1 yuan3], Guangdong" -连合,lián hé,to combine; to join; to unite; alliance; same as 聯合|联合 -连同,lián tóng,together with; along with -连哄带骗,lián hǒng dài piàn,to cajole; to sweet talk sb into doing sth -连坐,lián zuò,"to treat as guilty those associated with an offender (family, neighbors etc)" -连坐制,lián zuò zhì,guilt by association -连城,lián chéng,"Liancheng, county-level city in Longyan 龍岩|龙岩, Fujian" -连城县,lián chéng xiàn,"Liancheng county in Longyan 龍岩|龙岩, Fujian" -连夜,lián yè,that very night; through the night; for several nights in a row -连天,lián tiān,reaching the sky; for days on end; incessantly -连奔带跑,lián bēn dài pǎo,to run quickly; to rush; to gallop -连字符,lián zì fú,hyphen -连字符号,lián zì fú hào,hyphen -连字号,lián zì hào,hyphen (punct.) -连宵,lián xiāo,the same night; that very night; successive nights -连写,lián xiě,to write without lifting one's pen from the paper; (in the Romanization of Chinese) to write two or more syllables together as a single word (not separated by spaces) -连山,lián shān,"Lianshan district of Huludao city 葫蘆島市|葫芦岛市, Liaoning" -连山区,lián shān qū,"Lianshan district of Huludao city 葫蘆島市|葫芦岛市, Liaoning" -连山壮族瑶族自治县,lián shān zhuàng zú yáo zú zì zhì xiàn,"Lianshan Zhuang and Yao autonomous county in Qingyuan 清遠|清远[Qing1 yuan3], Guangdong" -连山县,lián shān xiàn,"Lianshan Zhuang and Yao autonomous county in Qingyuan 清遠|清远[Qing1 yuan3], Guangdong" -连州,lián zhōu,"Lianzhou, county-level city in Qingyuan 清遠|清远[Qing1 yuan3], Guangdong" -连州市,lián zhōu shì,"Lianzhou, county-level city in Qingyuan 清遠|清远[Qing1 yuan3], Guangdong" -连卺,lián jǐn,to share nuptial cup; (fig.) to get married -连带,lián dài,to be related; to entail; to involve; joint (liability etc) -连带责任,lián dài zé rèn,to bear joint responsibility for sth; joint liability (law) -连帽卫衣,lián mào wèi yī,hooded sweatshirt; hoodie -连平,lián píng,"Lianping county in Heyuan 河源[He2 yuan2], Guangdong" -连平县,lián píng xiàn,"Lianping county in Heyuan 河源[He2 yuan2], Guangdong" -连年,lián nián,successive years; over many years -连忙,lián máng,promptly; at once -连战,lián zhàn,"Lien Chan (1936-), Taiwanese politician, former vice-president and chairman of Guomintang" -连战连胜,lián zhàn lián shèng,fighting and winning a series of battles (idiom); ever victorious -连手,lián shǒu,concerted action; to collude (in dishonesty) -连拖带拉,lián tuō dài lā,pushing and pulling (idiom) -连指手套,lián zhǐ shǒu tào,mittens -连接,lián jiē,to link; to join; to connect -连接器,lián jiē qì,connector -连接框,lián jiē kuàng,connection frame; linked frame -连接至,lián jiē zhì,to connect to -连接号,lián jiē hào,hyphen -连接词,lián jiē cí,conjunction -连接酶,lián jiē méi,ligase -连击,lián jī,"to batter; combo (hit) (gaming); (volleyball, table tennis etc) double hit; double contact" -连败,lián bài,consecutive defeats; to lose several times in a row -连日,lián rì,day after day; for several days running -连书,lián shū,to write without lifting one's pen from the paper; (in the Romanization of Chinese) to write two or more syllables together as a single word (not separated by spaces) -连本带利,lián běn dài lì,both principal and interest; capital plus profit -连枷,lián jiā,flail -连枷胸,lián jiā xiōng,flail chest (medicine) -连根拔,lián gēn bá,to pull up by the roots; to uproot -连横,lián héng,"Horizontal Alliance, clique of the School of Diplomacy 縱橫家|纵横家[Zong4 heng2 jia1] during the Warring States Period (425-221 BC)" -连歌,lián gē,renga -连比,lián bǐ,compound ratio -连江,lián jiāng,"Lianjiang, a county in Fuzhou City 福州市[Fu2zhou1 Shi4], Fujian; Lienchiang County, the official name of the Matsu Islands 馬祖列島|马祖列岛[Ma3zu3 Lie4dao3], a county of the ROC (based in Taiwan)" -连江县,lián jiāng xiàn,"Lianjiang, a county in Fuzhou City 福州市[Fu2zhou1 Shi4], Fujian; Lienchiang County, the official name of the Matsu Islands 馬祖列島|马祖列岛[Ma3zu3 Lie4dao3], a county of the ROC (based in Taiwan)" -连滚带爬,lián gǔn dài pá,rolling and crawling; trying frantically to escape (idiom) -连片,lián piàn,forming a continuous sheet; continuous; contiguous; closely grouped -连珠,lián zhū,"joined as a string of pearls; in rapid succession; alignment; Renju, a Japanese game, also called Gomoku or five-in-a-row" -连珠炮,lián zhū pào,barrage of gunfire (often used as a metaphor for rapid speech) -连理,lián lǐ,two trees that grow together as one; fig. conjugal union -连璧,lián bì,to join jade annuli; fig. to combine two good things -连环,lián huán,chain -连环图,lián huán tú,comic strip -连环杀手,lián huán shā shǒu,serial killer -连环画,lián huán huà,lianhuanhua (graphic novel) -连环计,lián huán jì,interlocked stratagems; CL:條|条[tiao2] -连用,lián yòng,to use (two words etc) together; to use (sth) continuously -连番,lián fān,repeatedly -连发,lián fā,to fire (a weapon) in rapid succession -连笔,lián bǐ,to write without lifting one's pen from the paper -连篇累牍,lián piān lěi dú,(of a piece of writing) long and tedious (idiom); verbose -连累,lián lei,to implicate; to get (sb) into trouble; also pr. [lian2lei3] or [lian2lei4] -连结,lián jié,variant of 聯結|联结[lian2 jie2] -连结主义,lián jié zhǔ yì,connectionism -连结线,lián jié xiàn,tie (music) -连络,lián luò,variant of 聯絡|联络[lian2 luo4] -连缀,lián zhuì,to put together; linking; successive; a cluster -连缀动词,lián zhuì dòng cí,linking verb -连绵,lián mián,"continuous; unbroken; uninterrupted; extending forever into the distance (of mountain range, river etc)" -连绵不绝,lián mián bù jué,(idiom) continuous; unending -连绵词,lián mián cí,variant of 聯綿詞|联绵词[lian2 mian2 ci2] -连线,lián xiàn,"electrical lead; connecting line; (Tw) to connect (to a network, device etc); to go online; connection; (congressional) caucus" -连县,lián xiàn,Lian county in Guangdong -连系,lián xì,to link; to connect -连系词,lián xì cí,copula (linguistics) -连续,lián xù,continuous; in a row; serial; consecutive -连续不断,lián xù bù duàn,continuous; unceasing -连续介质力学,lián xù jiè zhì lì xué,mechanics of a continuous medium; fluid mechanics -连续函数,lián xù hán shù,continuous function -连续剧,lián xù jù,serialized drama; dramatic series; show in parts -连续性,lián xù xìng,continuity -连续犯,lián xù fàn,successive offenses; serial crime -连续监视,lián xù jiān shì,continuous monitoring -连续统假设,lián xù tǒng jiǎ shè,(math.) the continuum hypothesis -连续译码阶段,lián xù yì mǎ jiē duàn,sequential decoding stage -连续变调,lián xù biàn diào,tone sandhi -连续集,lián xù jí,TV series -连续体,lián xù tǐ,continuum -连署,lián shǔ,to cosign; to countersign -连翩,lián piān,variant of 聯翩|联翩[lian2 pian1] -连翘,lián qiáo,Forsythia -连声,lián shēng,repeatedly (say something) -连号,lián hào,"consecutive serial numbers; chain (of supermarkets, hotels etc); hyphen" -连衣裙,lián yī qún,woman's dress; frock; gown -连袂,lián mèi,variant of 聯袂|联袂[lian2 mei4] -连裤袜,lián kù wà,pantyhose; tights; CL:雙|双[shuang1] -连襟,lián jīn,husbands of sisters; brothers-in-law; extremely close (of a relationship) -连词,lián cí,conjunction -连读,lián dú,liaison (in phonetics) -连贯,lián guàn,"to link up (disparate elements); coherent (narrative, argument etc)" -连踢带打,lián tī dài dǎ,to kick and beat (idiom) -连轴转,lián zhóu zhuàn,(idiom) to work non-stop; to work around the clock -连载,lián zǎi,serialized; published as a serial (in a newspaper) -连通,lián tōng,to connect; to communicate; to relate; (math.) connected -连通器,lián tōng qì,communicating vessels (in scientific experiment) -连连,lián lián,repeatedly; again and again -连连看,lián lián kàn,pattern matching (puzzle game); matching (type of test question in which presented items are to be paired up) -连销店,lián xiāo diàn,chain store -连锅端,lián guō duān,to take even the cooking pots (idiom); to clean out; to wipe out -连锁,lián suǒ,to interlock; to be linked; chain (store etc) -连锁反应,lián suǒ fǎn yìng,chain reaction -连锁商店,lián suǒ shāng diàn,chain store -连锁店,lián suǒ diàn,chain store -连铸,lián zhù,continuous casting (metallurgy) -连镳并轸,lián biāo bìng zhěn,lit. reins together and carriages level (idiom); keeping exactly abreast of one another; running neck and neck -连长,lián zhǎng,company commander -连队,lián duì,company (of troops) -连云,lián yún,"Lianyun district of Lianyungang city 連雲港市|连云港市[Lian2 yun2 gang3 shi4], Jiangsu" -连云区,lián yún qū,"Lianyun district of Lianyungang city 連雲港市|连云港市[Lian2 yun2 gang3 shi4], Jiangsu" -连云港,lián yún gǎng,Lianyungang prefecture-level city in Jiangsu -连云港市,lián yún gǎng shì,Lianyungang prefecture-level city in Jiangsu -连音,lián yīn,tuplet (music); sandhi (phonetics) -连音符,lián yīn fú,(music) tuplet -连骨肉,lián gǔ ròu,chop; rib meat -连体,lián tǐ,conjoined (twins); one-piece (garment) -连体婴,lián tǐ yīng,conjoined twins -连体婴儿,lián tǐ yīng ér,conjoined twins; Siamese twins -连体泳衣,lián tǐ yǒng yī,one-piece swimsuit -连体裤,lián tǐ kù,jumpsuit -连体双胞胎,lián tǐ shuāng bāo tāi,conjoined twins; Siamese twins -连麦,lián mài,(of two people in different locations) to sing or otherwise perform together using communications technology -回,huí,variant of 迴|回[hui2] -奔,bēn,variant of 奔[ben1]; variant of 奔[ben4] -逭,huàn,to escape from -逮,dǎi,(coll.) to catch; to seize -逮,dài,(literary) to arrest; to seize; to overtake; until -逮捕,dài bǔ,to arrest; to apprehend; an arrest -逯,lù,surname Lu -逯,lù,to walk cautiously; to walk aimlessly -周,zhōu,week; weekly; variant of 周[zhou1] -周一,zhōu yī,Monday -周三,zhōu sān,Wednesday -周二,zhōu èr,Tuesday -周五,zhōu wǔ,Friday -周休二日,zhōu xiū èr rì,(Tw) two-day weekend (usually Saturday and Sunday) -周六,zhōu liù,Saturday -周刊,zhōu kān,weekly publication; weekly -周四,zhōu sì,Thursday -周报,zhōu bào,weekly publication -周年,zhōu nián,anniversary; annual -周径,zhōu jìng,circumference and radius; the circular ratio pi -周日,zhōu rì,Sunday; diurnal -周期,zhōu qī,period; cycle -周期性,zhōu qī xìng,periodic; periodicity (math); cyclicity -周期数,zhōu qī shù,periodic number -周期系,zhōu qī xì,periodic system; periodicity (chemistry) -周期表,zhōu qī biǎo,"periodic table (chemistry); abbr. of 元素週期表|元素周期表[yuan2 su4 zhou1 qi1 biao3], periodic table of the elements" -周期解,zhōu qī jiě,periodic solution (math.) -周末,zhōu mò,weekend -周末愉快,zhōu mò yú kuài,Have a nice weekend! -周岁,zhōu suì,one full year (e.g. on child's first birthday) -周游,zhōu yóu,"variant of 周遊|周游, to tour; to travel around" -周而复始,zhōu ér fù shǐ,lit. the cycle comes back to the start (idiom); to move in circles; the wheel comes full circle -周薪,zhōu xīn,weekly salary -周游,zhōu yóu,"variant of 周遊|周游, to tour; to travel around" -周长,zhōu cháng,variant of 周長|周长[zhou1 chang2] -进,jìn,to go forward; to advance; to go in; to enter; to put in; to submit; to take in; to admit; (math.) base of a number system; classifier for sections in a building or residential compound -进一步,jìn yī bù,"to go a step further; (develop, understand, improve etc) more; further" -进了天堂,jìn le tiān táng,to die; to enter the hall of heaven -进京,jìn jīng,to enter the capital; to go to Beijing -进位法,jìn wèi fǎ,"system of writing numbers to a base, such as decimal or binary (math)" -进来,jìn lái,to come in -进修,jìn xiū,to undertake advanced studies; to take a refresher course -进价,jìn jià,opening price -进入,jìn rù,to enter; to join; to go into -进出,jìn chū,to enter or exit; to go through -进出口,jìn chū kǒu,import and export -进出境,jìn chū jìng,entering and leaving a country -进动,jìn dòng,precession (physics) -进化,jìn huà,evolution; CL:個|个[ge4] -进化论,jìn huà lùn,Darwin's theory of evolution -进去,jìn qù,to go in -进取,jìn qǔ,to show initiative; to be a go-getter; to push forward with one's agenda -进取心,jìn qǔ xīn,enterprising spirit; initiative -进口,jìn kǒu,"to import; imported; entrance; inlet (for the intake of air, water etc)" -进口商,jìn kǒu shāng,importer; import business -进城,jìn chéng,to go to town; to enter a big city (to live or work) -进场,jìn chǎng,to enter the venue; to enter the arena; (aviation) to approach the airfield; (investing) to get into the market -进士,jìn shì,successful candidate in the highest imperial civil service examination; palace graduate -进学,jìn xué,to advance one's learning; to enter the prefecture school under the imperial examination system -进宫,jìn gōng,to enter the emperor's palace; (slang) to go to jail -进展,jìn zhǎn,to make headway; to make progress -进度,jìn dù,rate of progress -进度条,jìn dù tiáo,(computing) progress bar -进度表,jìn dù biǎo,progress chart; schedule -进接,jìn jiē,(computing) access (to a network) -进击,jìn jī,to attack -进攻,jìn gōng,to attack; to assault; to go on the offensive; attack; assault; offense (sports) -进料,jìn liào,to feed (a machine); foreign goods (abbr. of 進口資料|进口资料) -进栈,jìn zhàn,(computing) to push (a value) onto a stack -进步,jìn bù,progress; improvement; to improve; to progress; CL:個|个[ge4] -进步主义,jìn bù zhǔ yì,progressivism -进步号,jìn bù hào,Progress (name of Russian spaceship) -进水,jìn shuǐ,"to have water get in (one's ear, shoes etc); to get flooded; inflow of water" -进水口,jìn shuǐ kǒu,water inlet -进水闸,jìn shuǐ zhá,water intake; inlet sluice -进深,jìn shēn,(of a house or room) distance from the entrance to the rear; depth -进犯,jìn fàn,to invade -进献,jìn xiàn,to offer as tribute -进球,jìn qiú,to score a goal; goal (sport) -进发,jìn fā,(of a group of people or a convoy of vehicles) to set off -进益,jìn yì,income; (literary) improvement; progress -进程,jìn chéng,course of events; process -进而,jìn ér,and then (what follows next) -进行,jìn xíng,to advance; to conduct; underway; in progress; to do; to carry out; to carry on; to execute -进行性,jìn xíng xìng,progressive; gradual -进行性失语,jìn xíng xìng shī yǔ,progressive aphasia; gradual loss of speech -进行曲,jìn xíng qǔ,march (musical) -进行通信,jìn xíng tōng xìn,to communicate; to carry out communications -进补,jìn bǔ,to take a tonic (for one's health) -进袭,jìn xí,raid; to carry out a raid; to invade -进言,jìn yán,to put forward a suggestion (to sb in a senior position); to offer a word of advice -进贡,jìn gòng,to offer tribute; to pay tribute that a vassal owes to his suzerain -进货,jìn huò,to acquire stock; to replenish stock -进贤,jìn xián,"Jinxian county in Nanchang 南昌, Jiangxi" -进贤县,jìn xián xiàn,"Jinxian county in Nanchang 南昌, Jiangxi" -进账,jìn zhàng,income; receipts -进路,jìn lù,way of proceeding; approach (to a task etc) -进身,jìn shēn,to get oneself promoted to a higher rank -进身之阶,jìn shēn zhī jiē,stepping-stone to greater power or higher rank -进军,jìn jūn,to march; to advance -进退,jìn tuì,to advance or retreat; knowing when to come and when to leave; a sense of propriety -进退不得,jìn tuì bù dé,can't advance or retreat (idiom); no room for maneuver; stalled; in a dilemma; stuck in a difficult position -进退中绳,jìn tuì zhōng shéng,"to advance or retreat, each has its rules (idiom from Zhuangzi); many translations are possible" -进退两难,jìn tuì liǎng nán,no room to advance or to retreat (idiom); without any way out of a dilemma; trapped; in an impossible situation -进退失据,jìn tuì shī jù,no room to advance or to retreat (idiom); at a loss; in a hopeless situation -进退有常,jìn tuì yǒu cháng,"to advance or retreat, each has its rules (idiom from Zhuangzi); many translations are possible" -进退为难,jìn tuì wéi nán,no room to advance or to retreat (idiom); without any way out of a dilemma; trapped; in an impossible situation -进退无路,jìn tuì wú lù,to have no alternative (idiom) -进退维谷,jìn tuì wéi gǔ,no room to advance or to retreat (idiom); without any way out of a dilemma; trapped; in an impossible situation -进退自如,jìn tuì zì rú,free to come and go (idiom); to have room to maneuver -进逼,jìn bī,to advance on sth; to press closely (on some goal) -进道若蜷,jìn dào ruò quán,progress seems like regress (alternative wording for 進道若退|进道若退[jin4 dao4 ruo4 tui4]) -进道若退,jìn dào ruò tuì,"progress seems like regress (the Book of Dao 道德經|道德经[Dao4 de2 jing1], Chpt. 41)" -进门,jìn mén,to enter a door; to go in; to learn the basics of a subject; to join one's husband's household upon marriage -进关,jìn guān,inbound customs (international trade) -进阶,jìn jiē,advanced -进项,jìn xiang,income; receipts; earnings; revenue -进食,jìn shí,to eat one's meal -进餐,jìn cān,to have a meal -进香,jìn xiāng,to burn incense at a temple -进驻,jìn zhù,to enter and garrison; (fig.) to establish a presence in -逵,kuí,crossroads; thoroughfare -逶,wēi,"winding, curving; swagger" -逶迤,wēi yí,"winding (of road, river etc); curved; long; distant" -逸,yì,to escape; leisurely; outstanding -逸事,yì shì,anecdote; lost or apocryphal story about famous person -逸事遗闻,yì shì yí wén,variant of 軼事遺聞|轶事遗闻[yi4 shi4 yi2 wen2] -逸尘,yì chén,outstanding; above the common; out of the ordinary -逸尘断鞅,yì chén duàn yāng,lit. kicking up the dust and breaking the harness; fig. to ride like the wind (idiom) -逸宕,yì dàng,dissolute -逸散,yì sàn,"(of gas, liquid, toxins, heat etc) to escape; to dissipate" -逸乐,yì lè,pleasure-seeking -逸民,yì mín,recluse; hermit -逸群,yì qún,above the common; outstanding; excelling; preeminent -逸闻,yì wén,variant of 軼聞|轶闻[yi4 wen2] -逸致,yì zhì,carefree mood -逸荡,yì dàng,dissolute -逸话,yì huà,rumor; anecdote (not in the official record); apocryphal story -逸豫,yì yù,idleness and pleasure -逼,bī,to force (sb to do sth); to compel; to press for; to extort; to press on towards; to press up to; to close in on; euphemistic variant of 屄[bi1] -逼上梁山,bī shàng liáng shān,driven to join the Liangshan Mountain rebels; to drive to revolt; to force sb to desperate action -逼人,bī rén,pressing; threatening -逼人太甚,bī rén tài shèn,to push sb too far; to go too far (in oppressing people) -逼仄,bī zè,narrow; cramped -逼供,bī gòng,to extort a confession -逼供信,bī gòng xìn,to obtain confessions by compulsion; confession under duress -逼债,bī zhài,to press for payment of debts; to dun -逼和,bī hé,"to force a draw (in chess, competition etc)" -逼问,bī wèn,to question intensely; to interrogate; to demand information -逼奸,bī jiān,to rape -逼宫,bī gōng,to force the king or emperor to abdicate -逼将,bī jiāng,to checkmate (in chess) -逼格,bī gé,(slang) pretentious style -逼死,bī sǐ,to hound sb to death -逼真,bī zhēn,lifelike; true to life; distinctly; clearly -逼肖,bī xiào,to bear a close resemblance to; to be the very image of -逼良为娼,bī liáng wéi chāng,to force an honest girl into prostitution (idiom); to debauch -逼视,bī shì,to look at from close up; to watch intently -逼近,bī jìn,to press on towards; to close in on; to approach; to draw near -逼迫,bī pò,to force; to compel; to coerce -逼逼,bī bi,(vulgar) to rattle on; to talk drivel -逾,yú,to exceed; to go beyond; to transcend; to cross over; to jump over -逾垣,yú yuán,to run away; to escape -逾期,yú qī,to be overdue; to fail to meet a deadline; to be behind in doing sth -逾越,yú yuè,to exceed -逾越节,yú yuè jié,Passover (Jewish holiday) -遁,dùn,to evade; to flee; to escape -遁入空门,dùn rù kōng mén,to take refuge in religious life -遁形,dùn xíng,to vanish; to hide; to cover one's traces -遂,suí,used in 半身不遂[ban4 shen1 bu4 sui2]; Taiwan pr. [sui4] -遂,suì,to satisfy; to succeed; then; thereupon; finally; unexpectedly; to proceed; to reach -遂宁,suì níng,"Suining, prefecture-level city in Sichuan" -遂宁市,suì níng shì,"Suining, prefecture-level city in Sichuan" -遂川,suì chuān,"Suichuan county in Ji'an 吉安, Jiangxi" -遂川县,suì chuān xiàn,"Suichuan county in Ji'an 吉安, Jiangxi" -遂平,suì píng,"Suiping county in Zhumadian 駐馬店|驻马店[Zhu4 ma3 dian4], Henan" -遂平县,suì píng xiàn,"Suiping county in Zhumadian 駐馬店|驻马店[Zhu4 ma3 dian4], Henan" -遂心,suì xīn,to one's liking -遂心如意,suì xīn rú yì,totally satisfying -遂意,suì yì,to one's liking -遂昌,suì chāng,"Suichang county in Lishui 麗水|丽水[Li2 shui3], Zhejiang" -遂昌县,suì chāng xiàn,"Suichang county in Lishui 麗水|丽水[Li2 shui3], Zhejiang" -遂溪,suì xī,"Suixi county in Zhanjiang 湛江[Zhan4 jiang1], Guangdong" -遂溪县,suì xī xiàn,"Suixi county in Zhanjiang 湛江[Zhan4 jiang1], Guangdong" -遂愿,suì yuàn,to have one's wish fulfilled -遄,chuán,to hurry; to go to and fro -遄征,chuán zhēng,to hurry forward on an expedition; to drive fast -遇,yù,surname Yu -遇,yù,(bound form) to encounter; to happen upon; to meet unplanned; (bound form) to treat; to receive -遇上,yù shàng,to come across (sb); to run into -遇事生风,yù shì shēng fēng,to stir up trouble at every opportunity (idiom) -遇冷,yù lěng,"to be exposed to cold temperatures; (fig.) (of a market, industry, relationship etc) to be in the doldrums; to suffer a downturn" -遇到,yù dào,to meet; to run into; to come across -遇刺,yù cì,to be attacked by an assassin -遇害,yù hài,to be murdered -遇强则强,yù qiáng zé qiáng,tough adversaries make you stronger -遇溺,yù nì,to drown -遇火,yù huǒ,to catch fire; to ignite -遇袭,yù xí,to suffer attack; to be ambushed -遇见,yù jiàn,to meet -遇险,yù xiǎn,to get into difficulties; to meet with danger -遇难,yù nàn,to perish; to be killed -遇难者,yù nàn zhě,victim; fatality -遇难船,yù nán chuán,shipwreck -侦,zhēn,old variant of 偵|侦[zhen1] -游,yóu,to walk; to tour; to roam; to travel -游人,yóu rén,a tourist -游人如织,yóu rén rú zhī,crowded with visitors; packed with tourists -游伴,yóu bàn,playmate; travel companion -游侠,yóu xiá,knight-errant -游侠骑士,yóu xiá qí shì,a knight-errant -游刃有余,yóu rèn yǒu yú,handling a butcher's cleaver with ease (idiom); to do sth skillfully and easily -游吟诗人,yóu yín shī rén,troubadour; bard -游园,yóu yuán,to visit a park or garden -游园会,yóu yuán huì,garden party; fete (held in a garden or park); carnival; fair -游子,yóu zǐ,person living or traveling far from home -游学,yóu xué,to study away from home or abroad (old) -游客,yóu kè,traveler; tourist; (online gaming) guest player -游导,yóu dǎo,tour guide -游山玩水,yóu shān wán shuǐ,to go on a scenic tour -游惰,yóu duò,to laze about without doing anything productive -游戏,yóu xì,game; CL:場|场[chang3]; to play -游戏主机,yóu xì zhǔ jī,video game console -游戏场,yóu xì chǎng,playground -游戏手把,yóu xì shǒu bà,gamepad (Tw) -游戏机,yóu xì jī,video game machine; video game console -游戏王,yóu xì wáng,Yu-Gi-Oh! -游戏设备,yóu xì shè bèi,gaming device; controller (for computer or console) -游戏说,yóu xì shuō,theory of free play (in Kant's philosophy) -游手,yóu shǒu,to be idle -游手好闲,yóu shǒu hào xián,to idle about -游击战,yóu jī zhàn,guerrilla warfare -游击队,yóu jī duì,guerrilla band -游星,yóu xīng,(old) planet -游春,yóu chūn,to go for a trip in spring -游乐,yóu lè,to amuse oneself; recreation -游乐园,yóu lè yuán,amusement park -游乐场,yóu lè chǎng,playground -游标卡尺,yóu biāo kǎ chǐ,dial calipers -游历,yóu lì,to tour; to travel -游民,yóu mín,vagrant; vagabond -游民改造,yóu mín gǎi zào,rehabilitation of displaced persons -游牧,yóu mù,nomadic; to move about in search of pasture; to rove around as a nomad -游猎,yóu liè,to go on a hunting expedition -游玩,yóu wán,to amuse oneself; to have fun; to go sightseeing; to take a stroll -游船,yóu chuán,pleasure boat; cruise ship -游艇,yóu tǐng,barge; yacht; CL:隻|只[zhi1] -游荡,yóu dàng,to wander; to roam about; to loaf about; to be idle -游艺,yóu yì,entertainment -游艺团,yóu yì tuán,group of actors or acrobats at a fair; theatrical troupe -游艺场,yóu yì chǎng,place of entertainment -游艺会,yóu yì huì,folk festival; fair; carnival -游行,yóu xíng,to march; to parade; to demonstrate; procession; march; demonstration; to travel around; to roam -游街,yóu jiē,to parade sb through the streets; to march or parade in the streets -游街示众,yóu jiē shì zhòng,to parade (a prisoner) through the streets -游览,yóu lǎn,to go sightseeing; to tour; to visit; CL:次[ci4] -游览区,yóu lǎn qū,tourist regions; sightseeing area -游记,yóu jì,travel notes -游说,yóu shuì,"to lobby; to campaign; to promote (an idea, a product); (old) to visit various rulers and promote one's political ideas (in the Warring States period)" -游说集团,yóu shuì jí tuán,lobby group -游走,yóu zǒu,"to wander about; to roam; to move back and forth between (government and academia, two or more countries etc); to flow through (a circuit, a network, the body); to skirt (the border of legality); (of a singer's voice) to move within its range; (of a stock price) to fluctuate within (a range)" -游轮,yóu lún,cruise ship -游逛,yóu guàng,to go sightseeing; to spend one's leisure time wandering around -游离,yóu lí,to disassociate; to drift away; to leave (a collective); free (component) -运,yùn,to move; to transport; to use; to apply; fortune; luck; fate -运交,yùn jiāo,to consign; to send (goods to customers); shipping; delivery -运作,yùn zuò,to operate; operations; workings; activities (usu. of an organization); thread (computing) -运使,yùn shǐ,commissioner (old) -运价,yùn jià,fare; transport cost -运出,yùn chū,shipment; to dispatch; to ship out; to send -运出运费,yùn chū yùn fèi,outward freight (accountancy) -运力,yùn lì,transport capacity -运动,yùn dòng,to move; to exercise; sports; exercise; motion; movement; campaign; CL:場|场[chang3] -运动员,yùn dòng yuán,"athlete; CL:名[ming2],個|个[ge4]" -运动场,yùn dòng chǎng,sports field; playground; exercise yard -运动学,yùn dòng xué,kinematics -运动定律,yùn dòng dìng lǜ,laws of motion (mechanics) -运动家,yùn dòng jiā,athlete; sportsman; activist -运动战,yùn dòng zhàn,mobile warfare -运动方程,yùn dòng fāng chéng,equations of motion -运动会,yùn dòng huì,sports competition; CL:個|个[ge4] -运动服,yùn dòng fú,sportswear -运动病,yùn dòng bìng,car sickness; motion sickness -运动衫,yùn dòng shān,sports shirt; sweatshirt; CL:件[jian4] -运动鞋,yùn dòng xié,sports shoes; sneakers -运势,yùn shì,horoscope; one's fortune -运匠,yùn jiàng,variant of 運將|运将[yun4 jiang4] -运十,yùn shí,Shanghai Y-10; Yun-10 commercial jet aircraft -运命,yùn mìng,fate; one's fortune -运单,yùn dān,way bill; transport charge -运城,yùn chéng,"Yuncheng, prefecture-level city in Shanxi 山西" -运城市,yùn chéng shì,"Yuncheng, prefecture-level city in Shanxi 山西" -运存,yùn cún,RAM (abbr. for 運行內存|运行内存[yun4xing2 nei4cun2]) -运将,yùn jiàng,driver (of a taxi etc) (loanword from Japanese) (Tw) -运思,yùn sī,to think; to exercise one's mind -运庆,yùn qìng,"Unkei (c. 1150-1224), Japanese sculptor of Buddhist images" -运数,yùn shù,one's fortune; destiny -运气,yùn qi,luck (good or bad) -运河,yùn hé,canal -运河区,yùn hé qū,"Yunhe District of Cangzhou City 滄州市|沧州市[Cang1 zhou1 Shi4], Hebei" -运营,yùn yíng,"to be in operation; to do business; (of train, bus etc) to be in service; operation; service" -运营商,yùn yíng shāng,"operator (of a power station, transport network etc); carrier (telecommunications etc)" -运营总监,yùn yíng zǒng jiān,chief operating officer (COO) -运球,yùn qiú,"to dribble (basketball, soccer etc)" -运用,yùn yòng,to use; to put to use -运用自如,yùn yòng zì rú,to have a fluent command of (idiom) -运神,yùn shén,to concentrate; to think what you're doing -运移,yùn yí,migration (geology) -运程,yùn chéng,one's fortune (in astrology) -运笔,yùn bǐ,to wield the pen; to write -运算,yùn suàn,to perform calculations; (mathematical) operation -运算式,yùn suàn shì,"(math.) expression (arithmetic, Boolean etc)" -运算数,yùn suàn shù,operand (math.) -运算方法,yùn suàn fāng fǎ,rules of arithmetic -运算环境,yùn suàn huán jìng,operating environment -运筹,yùn chóu,to plan; operations; logistics -运筹学,yùn chóu xué,operations research (OR) -运筹帷幄,yùn chóu wéi wò,lit. to devise battle plan in a tent (idiom); fig. planning strategies -运脚,yùn jiǎo,freight charge -运行,yùn xíng,(of celestial bodies etc) to move along one's course; (fig.) to function; to be in operation; (of a train service etc) to operate; to run; (of a computer) to run -运行方式,yùn xíng fāng shì,operating method; running mode -运行时,yùn xíng shí,run-time (in computing) -运行时错误,yùn xíng shí cuò wù,run-time error (in computing) -运行状况,yùn xíng zhuàng kuàng,operational state; running state -运货员,yùn huò yuán,porter -运货马车,yùn huò mǎ chē,cargo wagon -运费,yùn fèi,freight fee -运载,yùn zài,"to transport; to carry (goods, materials or people)" -运载火箭,yùn zài huǒ jiàn,carrier rocket -运载量,yùn zài liàng,carrying capacity; maximum load; load actually carried -运输,yùn shū,to transport; to carry; transportation -运输业,yùn shū yè,transportation industry -运输网,yùn shū wǎng,transport network -运输船,yùn shū chuán,transport ship -运输舰,yùn shū jiàn,transport ship -运输量,yùn shū liàng,volume of freight -运转,yùn zhuǎn,to work; to operate; to revolve; to turn around -运送,yùn sòng,to transport; to carry -运道,yùn dao,fortune; luck; fate -运量,yùn liàng,volume of freight -运钞车,yùn chāo chē,armored car (for transporting valuables) -运销,yùn xiāo,distribution; transport and sale (of goods) -运镜,yùn jìng,"(cinematography) camera movement (tracking, panning, zooming etc); to execute a camera movement" -遍,biàn,everywhere; all over; classifier for actions: one time -遍及,biàn jí,to extend (everywhere) -遍地,biàn dì,everywhere; all over -遍地开花,biàn dì kāi huā,(idiom) to blossom everywhere; to spring up all over the place; to flourish on a large scale -遍布,biàn bù,to cover the whole (area); to be found throughout -遍历,biàn lì,to traverse; to travel throughout; (math.) ergodic -遍身,biàn shēn,over the whole body -遍体,biàn tǐ,all over the body -遍体鳞伤,biàn tǐ lín shāng,covered all over with cuts and bruises; beaten black and blue; be a mass of bruises -过,guō,surname Guo -过,guò,to cross; to go over; to pass (time); to celebrate (a holiday); to live; to get along; excessively; too- -过,guo,(experienced action marker) -过一会儿,guò yī huì er,later; after a while -过不下,guò bu xià,to be unable to continue living (in a certain manner); to be unable to make a living -过不去,guò bu qù,to make life difficult for; to embarrass; unable to make it through -过世,guò shì,to die; to pass away -过干瘾,guò gān yǐn,to satisfy a craving with substitutes -过了这个村就没这个店,guò le zhè ge cūn jiù méi zhè ge diàn,"past this village, you won't find this shop (idiom); this is your last chance" -过了这村没这店,guò le zhè cūn méi zhè diàn,"past this village, you won't find this shop (idiom); this is your last chance" -过五关斩六将,guò wǔ guān zhǎn liù jiàng,lit. to cross five passes and slay six generals (idiom); fig. to surmount all difficulties (on the way to success) -过人,guò rén,"to surpass others; outstanding; (basketball, soccer etc) to get past an opponent" -过份,guò fèn,unduly; excessive -过份简单化,guò fèn jiǎn dān huà,oversimplification; to oversimplify -过低,guò dī,too low -过来,guò lái,to come over; to manage; to handle; to be able to take care of -过来,guò lai,see 過來|过来[guo4 lai2] -过来人,guò lái rén,"an experienced person; sb who has ""been around (the block)""; sb who has personally experienced it" -过冬,guò dōng,to get through the winter -过分,guò fèn,excessive; undue; overly -过刊,guò kān,back issue (abbr. for 過期刊物|过期刊物[guo4 qi1 kan1 wu4]) -过剩,guò shèng,to be excessive; to be more than is required -过劳,guò láo,overwork -过劳死,guò láo sǐ,"karoshi (loanword from Japanese), death from overwork" -过劳肥,guò láo féi,"overweight from overwork (the supposition that white collar workers become fat as a consequence of factors associated with being under pressure at work, including irregular diet, lack of exercise and inadequate rest)" -过半,guò bàn,over fifty percent; more than half -过去,guò qù,(in the) past; former; previous; to go over; to pass by -过去,guò qu,(verb suffix) -过去分词,guò qu fēn cí,past participle (in European grammar) -过去式,guò qu shì,past tense -过去时,guò qù shí,past tense (grammar) -过去经验,guò qu jīng yàn,past experience -过问,guò wèn,to show an interest in; to get involved with -过堂,guò táng,to appear in court for trial (old); (of Buddhist monks) to have a meal together in the temple hall -过场,guò chǎng,interlude; to cross the stage; to do sth as a mere formality; to go through the motions -过塑,guò sù,(stationery) to laminate -过境,guò jìng,to pass through a country's territory; transit -过境签证,guò jìng qiān zhèng,transit visa -过多,guò duō,too many; excessive -过夜,guò yè,to spend the night; overnight -过失,guò shī,error; fault; (law) negligence; delinquency -过失杀人,guò shī shā rén,see 過失致死罪|过失致死罪[guo4 shi1 zhi4 si3 zui4] -过失致死罪,guò shī zhì sǐ zuì,(law) negligent homicide -过客,guò kè,passing traveler; transient guest; sojourner -过家家,guò jiā jiā,to play house -过审,guò shěn,to pass a review -过少,guò shǎo,too few; insufficient -过山车,guò shān chē,roller coaster -过帐,guò zhàng,posting (accounting) -过年,guò nián,to celebrate the Chinese New Year -过度,guò dù,excessive; over-; excess; going too far; extravagant; intemperate; overdue -过度紧张,guò dù jǐn zhāng,hypertension; excessive stress -过度关怀,guò dù guān huái,obsession; excessive concern -过庭录,guò tíng lù,"lit. Notes on Passing the Hall, historical jottings by 12th century Southern Song poet Fan Gongcheng 范公偁[Fan4 Gong1 cheng1], containing moral instructions derived from great men of Song dynasty" -过往,guò wǎng,to come and go; to have friendly relations with; in the past; previous -过后,guò hòu,after the event -过得,guò dé,"How are you getting by?; How's life?; contraction of 過得去|过得去, can get by; tolerably well; not too bad" -过得去,guò dé qù,lit. can pass through (an opening); fig. can get by (in life); tolerably well; not too bad; How are you getting by?; How's life? -过从,guò cóng,to have relations with; to associate with -过意不去,guò yì bù qù,to feel very apologetic -过惯,guò guàn,to be accustomed to (a certain lifestyle etc) -过户,guò hù,"to transfer ownership (of a vehicle, securities etc); (real estate) conveyancing" -过房,guò fáng,to adopt; to give for adoption (usually to a childless relative) -过招,guò zhāo,to fight; to exchange blows -过敏,guò mǐn,oversensitive; allergic; allergy -过敏原,guò mǐn yuán,allergen; anaphylactogen -过敏反应,guò mǐn fǎn yìng,allergic reaction -过敏性,guò mǐn xìng,hypersensitive; allergic reaction; anaphylaxis -过敏性休克,guò mǐn xìng xiū kè,anaphylactic shock -过敏性反应,guò mǐn xìng fǎn yìng,allergic reaction; hypersensitive reaction; anaphylaxis -过于,guò yú,excessively; too -过日子,guò rì zi,to live one's life; to pass one's days; to get along -过早,guò zǎo,premature; untimely; (dialect) to have breakfast; breakfast -过早起爆,guò zǎo qǐ bào,preinitiation -过时,guò shí,old-fashioned; out of date; to be later than the time stipulated or agreed upon -过时不候,guò shí bù hòu,being late is not acceptable (idiom) -过期,guò qī,to be overdue; to exceed the time limit; to expire (as in expiration date) -过桥米线,guò qiáo mǐ xiàn,rice noodle soup from Yunnan province -过桥贷款,guò qiáo dài kuǎn,bridge loan -过气,guò qì,past one's prime; has-been -过氧,guò yǎng,peroxy-; peroxide (chemistry) -过氧化,guò yǎng huà,peroxide -过氧化氢,guò yǎng huà qīng,hydrogen peroxide H2O2 -过氧化氢酶,guò yǎng huà qīng méi,catalase (enzyme); hydrogen peroxidase -过氧化物,guò yǎng huà wù,peroxide -过氧化苯甲酰,guò yǎng huà běn jiǎ xiān,benzoil peroxide -过氧物酶体,guò yǎng wù méi tǐ,peroxisome (type of organelle) -过氧苯甲酰,guò yǎng běn jiǎ xiān,benzoil peroxide -过河拆桥,guò hé chāi qiáo,lit. to destroy the bridge after crossing the river (idiom); fig. to abandon one's benefactor upon achieving one's goal -过活,guò huó,to live one's life; to make a living -过渡,guò dù,to cross over (by ferry); transition; interim; caretaker (administration) -过渡性,guò dù xìng,transitional; bridging -过渡性贷款,guò dù xìng dài kuǎn,bridging loan -过渡时期,guò dù shí qī,transition -过渡贷款,guò dù dài kuǎn,bridging loan -过渡金属,guò dù jīn shǔ,transition metal (chemistry) -过激,guò jī,drastic; extreme; aggressive -过滤,guò lǜ,to filter; filter -过滤嘴香烟,guò lǜ zuǐ xiāng yān,filter-tipped cigarette -过滤器,guò lǜ qì,filtering apparatus; (machine) filter -过火,guò huǒ,to go too far (in word or deed); over the top -过热,guò rè,too hot; (fig.) (economics) overheated; (physics) to superheat -过犯,guò fàn,previous sins -过犹不及,guò yóu bù jí,"too far is as bad as not enough (idiom, from the Analects)" -过奖,guò jiǎng,to overpraise; to flatter -过当,guò dàng,excessive -过瘾,guò yǐn,to satisfy a craving; to get a kick out of sth; gratifying; immensely enjoyable; satisfying; fulfilling -过目,guò mù,to look over -过目不忘,guò mù bù wàng,to have a highly retentive memory; to have sth imprinted in one's memory -过眼烟云,guò yǎn yān yún,ephemeral (idiom) -过眼云烟,guò yǎn yún yān,ephemeral (idiom) -过硬,guò yìng,to have perfect mastery of sth; to be up to the mark -过磅,guò bàng,to weigh (on a scale) -过程,guò chéng,course of events; process; CL:個|个[ge4] -过站大厅,guò zhàn dà tīng,transit lounge -过节,guò jié,to celebrate a festival; after the celebrations (i.e. once the festival is over) -过节儿,guò jié er,(coll.) grudge; strife; (coll.) good manners -过细,guò xì,extremely careful; meticulous; overattentive -过继,guò jì,to adopt; to give for adoption (usually to a childless relative) -过肩摔,guò jiān shuāi,shoulder throw (judo) -过胖暴食症,guò pàng bào shí zhèng,binge eating disorder (BED) -过胶,guò jiāo,(stationery) to laminate -过街天桥,guò jiē tiān qiáo,skywalk; pedestrian bridge -过街老鼠,guò jiē lǎo shǔ,"sb or sth detested by all; target of scorn; anathema; cf. 老鼠過街,人人喊打|老鼠过街,人人喊打[lao3 shu3 guo4 jie1 , ren2 ren2 han3 da3]" -过誉,guò yù,to praise too much; I really don't deserve so much praise -过路人,guò lù rén,a passer-by -过路费,guò lù fèi,toll (fee for using a road) -过身,guò shēn,to die; to pass away -过载,guò zài,overload -过道,guò dào,passageway; corridor; aisle -过重,guò zhòng,overweight (luggage) -过量,guò liàng,excessive -过错,guò cuò,mistake; fault; responsibility (for a fault) -过门,guò mén,to pass through a doorway; (of a woman) to marry; orchestral music interlude in an opera -过关,guò guān,to cross a barrier; to get through (an ordeal); to pass (a test); to reach (a standard) -过关斩将,guò guān zhǎn jiàng,to surmount all difficulties (on the way to success) (idiom) (abbr. for 過五關斬六將|过五关斩六将[guo4 wu3 guan1 zhan3 liu4 jiang4]) -过头,guò tóu,to overdo it; to overstep the limit; excessively; above one's head; overhead -过头话,guò tóu huà,exaggeration -过马路,guò mǎ lù,to cross the street -过高,guò gāo,too high -遏,è,to restrain; to check; to hold back -遏制,è zhì,to check; to contain; to hold back; to keep within limits; to constrain; to restrain -遏抑,è yì,to suppress; to restrain -遏止,è zhǐ,"to hold back; to check (i.e. to stop sb's advance); to resist; esp. with negative, irresistible, unstoppable etc" -遏阻,è zǔ,to stop; to contain; to deter -遐,xiá,distant; long-lasting; to abandon -遐布,xiá bù,to spread far and wide -遐年,xiá nián,a great age -遐心,xiá xīn,the wish to abandon or keep aloof; the desire to live in retirement -遐志,xiá zhì,lofty ambition; lofty aspiration -遐思,xiá sī,to fancy from afar; reverie; wild and fanciful thoughts -遐想,xiá xiǎng,reverie; daydream; to be lost in wild and fanciful thoughts -遐方,xiá fāng,distant places; distant lands -遐弃,xiá qì,to cast away; to reject; to shun; to desert one's post -遐眺,xiá tiào,to stretch one's sight as far as possible -遐祉,xiá zhǐ,lasting blessings; lasting happiness -遐福,xiá fú,great and lasting happiness; lasting blessings -遐终,xiá zhōng,forever -遐胄,xiá zhòu,distant descendants -遐举,xiá jǔ,to go a long way away -遐荒,xiá huāng,out-of-the-way places -遐迹,xiá jì,stories of ancient people -遐轨,xiá guǐ,long-established rules of conduct -遐迩,xiá ěr,near and far; far and wide -遐迩一体,xiá ěr yī tǐ,both near and distant treated alike (idiom) -遐迩皆知,xiá ěr jiē zhī,well-known far and near (idiom) -遐迩闻名,xiá ěr wén míng,famous everywhere -遐龄,xiá líng,advanced age; longevity; long life -遑,huáng,leisure -遑论,huáng lùn,let alone; not to mention -遑遑,huáng huáng,hurried; anxious -遒,qiú,strong; vigorous; robust; to draw near; to come to an end -道,dào,"road; path (CL:條|条[tiao2],股[gu3]); (bound form) way; reason; principle; (bound form) a skill; an art; a specialization; (Daoism) the Way; the Dao; to say (introducing a direct quotation, as in a novel); (bound form) to express; to extend (polite words); classifier for long thin things (rivers, cracks etc), barriers (walls, doors etc), questions (in an exam etc), commands, courses in a meal, steps in a process; (old) circuit (administrative division)" -道不同不相为谋,dào bù tóng bù xiāng wéi móu,lit. persons who walk different paths cannot make plans together; to go separate ways (idiom) -道不拾遗,dào bù shí yí,lit. no one picks up lost articles in the street (idiom); fig. honesty prevails throughout society -道人,dào rén,Taoist devotee (honorific) -道光,dào guāng,reign name of Qing emperor (1821-1850) -道光帝,dào guāng dì,Daoguang Emperor -道具,dào jù,(theater) prop; paraphernalia; (gaming) item; artifact -道具服,dào jù fú,costume -道出,dào chū,to speak; to tell; to voice -道别,dào bié,to say goodbye; to bid farewell; to pay a farewell call -道卡斯族,dào kǎ sī zú,"Taokas, one of the indigenous peoples of Taiwan" -道喜,dào xǐ,to congratulate -道地,dào dì,authentic; original -道场,dào chǎng,Taoist or Buddhist rite; abbr. for 菩提道場|菩提道场[Pu2 ti2 dao4 chang3] -道士,dào shì,Daoist priest -道外,dào wài,Daowai district of Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1] in Heilongjiang -道外区,dào wài qū,Daowai district of Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1] in Heilongjiang -道奇,dào qí,"Dodge, US automobile brand, division of Chrysler LLC" -道姑,dào gū,Daoist nun -道孚,dào fú,"Dawu county (Tibetan: rta 'u rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1], Sichuan (formerly in Kham province of Tibet)" -道孚县,dào fú xiàn,"Dawu county (Tibetan: rta 'u rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1], Sichuan (formerly in Kham province of Tibet)" -道学,dào xué,"Confucian study of ethics; study of Daoism; school for Daoism in Tang and Song times; Daoist magic; another name for 理學|理学, rational learning of Song dynasty neo-Confucianism" -道家,dào jiā,"Daoist School of the Warring States Period (475-221 BC), based on the teachings of Laozi or Lao-tze 老子[Lao3 zi3] (c. 500 BC-) and Zhuangzi 莊子|庄子[Zhuang1 zi3] (369-286 BC)" -道山学海,dào shān xué hǎi,"mountain of Dao, sea of learning (idiom); learning is as high as the mountains, as wide as the seas; ars longa, vita brevis" -道岔,dào chà,railroad switch -道德,dào dé,virtue; morality; ethics; CL:種|种[zhong3] -道德困境,dào dé kùn jìng,ethical dilemma -道德家,dào dé jiā,Daoist -道德败坏,dào dé bài huài,vice; immorality; moral turpitude -道德沦丧,dào dé lún sàng,moral bankruptcy; moral degeneracy -道德经,dào dé jīng,"the Book of Dao by Laozi or Lao-Tze, the sacred text of Daoism" -道德认识,dào dé rèn shi,moral cognition; ethical awareness -道德高地,dào dé gāo dì,moral high ground -道拉吉里峰,dào lā jí lǐ fēng,"Dhaulagiri, mountain massif in the Himalayas" -道指,dào zhǐ,Dow Jones Industrial Average (abbr. for 道瓊斯指數|道琼斯指数[Dao4 Qiong2 si1 Zhi3 shu4]) -道教,dào jiào,Taoism; Daoism (Chinese system of beliefs) -道教徒,dào jiào tú,a Daoist; a follower of Daoism -道格拉斯,dào gé lā sī,Douglas (name) -道歉,dào qiàn,to apologize -道尔顿,dào ěr dùn,"Dalton (name); John Dalton (1766-1844), British scientist who contributed to atomic theory" -道牙,dào yá,curb -道理,dào li,reason; argument; sense; principle; basis; justification; CL:個|个[ge4] -道琼,dào qióng,Dow Jones (stock market index) -道琼斯,dào qióng sī,Dow Jones (stock market index) -道琼斯指数,dào qióng sī zhǐ shù,Dow Jones Industrial Average -道白,dào bái,spoken lines in opera -道真仡佬族苗族自治县,dào zhēn gē lǎo zú miáo zú zì zhì xiàn,"Daozhen Klau and Hmong Autonomous County in Zunyi 遵義|遵义[Zun1 yi4], northeast Guizhou" -道真县,dào zhēn xiàn,"Daozhen Klau and Hmong autonomous county in Zunyi 遵義|遵义[Zun1 yi4], northeast Guizhou" -道真自治县,dào zhēn zì zhì xiàn,"Daozhen Klau and Hmong autonomous county in Zunyi 遵義|遵义[Zun1 yi4], northeast Guizhou" -道破,dào pò,to expose; to reveal -道碴,dào chá,(railway) ballast -道系,dào xì,"(slang, coined c. 2017, contrasted with 佛系[fo2 xi4]) Dao-type, a type of person who has traits associated with a Daoist approach to life, such as being active, optimistic, earthy and forthright" -道统,dào tǒng,Confucian orthodoxy -道县,dào xiàn,"Dao county in Yongzhou 永州[Yong3 zhou1], Hunan" -道义,dào yì,morality; righteousness and justice -道听途说,dào tīng tú shuō,gossip; hearsay; rumor -道台,dào tái,"(Ming and Qing dynasties) daotai (title for an official responsible for supervising a circuit 道|道[dao4]), aka taotai and circuit intendant" -道藏,dào zàng,Daoist scripture -道行,dào héng,skills acquired through religious practice; (fig.) ability; skill; Taiwan pr. [dao4 hang5] -道袍,dào páo,Taoist robe; traditional men's gown -道里,dào lǐ,"Daoli, a district of Harbin 哈爾濱|哈尔滨[Ha1er3bin1] in Heilongjiang" -道里区,dào lǐ qū,"Daoli, a district of Harbin 哈爾濱|哈尔滨[Ha1er3bin1] in Heilongjiang" -道观,dào guàn,Daoist temple -道谢,dào xiè,to express thanks -道貌岸然,dào mào àn rán,sanctimonious; dignified -道贺,dào hè,to congratulate -道路,dào lù,road; path; way; CL:條|条[tiao2] -道路工程,dào lù gōng chéng,road construction -道长,dào zhǎng,Taoist priest; Daoist priest -道院,dào yuàn,Daoyuan (Sanctuary of the Dao) -达,dá,surname Da -达,dá,to attain; to reach; to amount to; to communicate; eminent -达不到,dá bù dào,cannot achieve; cannot reach -达人,dá rén,"(coll.) expert; connoisseur; guru; enthusiast; geek (influenced by Japanese 達人 ""tatsujin"" c. 2000); (literary) sensible person; person who understands life; (literary) optimist" -达仁,dá rén,"Daren or Tajen township in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan" -达仁乡,dá rén xiāng,"Daren or Tajen township in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan" -达令,dá lìng,Darling (name) -达克瓦兹,dá kè wǎ zī,(loanword) dacquoise (a French dessert) -达克龙,dá kè lóng,Dacron (brand) -达到,dá dào,to reach; to achieve; to attain -达卡,dá kǎ,"Dhaka, capital of Bangladesh; (Tw) Dakar, capital of Senegal" -达味,dá wèi,David (name) -达味王,dá wèi wáng,King David -达喀尔,dá kā ěr,"Dakar, capital of Senegal" -达噜噶齐,dá lū gá qí,"Mongolian daruqachi, local commander in Mongol and Yuan times" -达因,dá yīn,dyne (loanword) -达坂城,dá bǎn chéng,"Dabancheng district of Urumqi city 烏魯木齊市|乌鲁木齐市[Wu1 lu3 mu4 qi2 Shi4], Xinjiang" -达坂城区,dá bǎn chéng qū,"Dabancheng district of Urumqi city 烏魯木齊市|乌鲁木齐市[Wu1 lu3 mu4 qi2 Shi4], Xinjiang" -达姆弹,dá mǔ dàn,dumdum bullet (loanword); expanding bullet -达孜,dá zī,"Dagzê county, Tibetan: Stag rtse rdzong in Lhasa 拉薩|拉萨[La1 sa4], Tibet" -达孜县,dá zī xiàn,"Dagzê county, Tibetan: Stag rtse rdzong in Lhasa 拉薩|拉萨[La1 sa4], Tibet" -达官,dá guān,high-ranking official -达官贵人,dá guān guì rén,high official and noble persons (idiom); the great and the good -达尼亚,dá ní yà,"Dania, Tania etc" -达州,dá zhōu,Dazhou prefecture-level city in Sichuan -达州市,dá zhōu shì,Dazhou prefecture-level city in Sichuan -达德利,dá dé lì,Dudley (name) -达悟族,dá wù zú,"Tao or Yami, one of the indigenous peoples of Taiwan" -达意,dá yì,to express or convey one's ideas -达成,dá chéng,to reach (an agreement); to accomplish -达成协议,dá chéng xié yì,to reach agreement -达拉斯,dá lā sī,Dallas -达拉特,dá lā tè,"Dalad banner in Ordos 鄂爾多斯|鄂尔多斯[E4 er3 duo1 si1], Inner Mongolia" -达拉特旗,dá lā tè qí,"Dalad banner in Ordos 鄂爾多斯|鄂尔多斯[E4 er3 duo1 si1], Inner Mongolia" -达摩,dá mó,"Dharma, the teaching of Buddha; Bodhidharma" -达文西,dá wén xī,"Leonardo da Vinci (1452-1519), Italian Renaissance painter (Tw)" -达斡尔,dá wò ěr,Daur ethnic group of Inner Mongolia and Heilongjiang -达斡尔语,dá wò ěr yǔ,Daur language (of Daur ethnic group of Inner Mongolia and Heilongjiang) -达日,dá rì,"Darlag or Dari county (Tibetan: dar lag rdzong) in Golog Tibetan autonomous prefecture 果洛州[Guo3 luo4 zhou1], Qinghai" -达日县,dá rì xiàn,"Darlag or Dari county (Tibetan: dar lag rdzong) in Golog Tibetan autonomous prefecture 果洛州[Guo3 luo4 zhou1], Qinghai" -达朗贝尔,dá lǎng bèi ěr,"D'Alembert (1717-1783), French mathematician" -达标,dá biāo,to reach a set standard -达沃斯,dá wò sī,Davos (Swiss ski resort); Davos world economic forum (WEF) -达沃斯论坛,dá wò sī lùn tán,Davos world economic forum (WEF) -达乌里寒鸦,dá wū lǐ hán yā,(bird species of China) Daurian jackdaw (Coloeus dauuricus) -达尔富尔,dá ěr fù ěr,"Darfur, region of west Sudan" -达尔文,dá ěr wén,"Charles Darwin (1809-1882), British biologist and author of ""On the Origin of Species"" 物種起源|物种起源[Wu3 zhong3 Qi3 yuan2]; Darwin, capital of the Northern Territory (Australia) 北領地|北领地[Bei3 Ling3 di4]" -达尔文主义,dá ěr wén zhǔ yì,Darwinism -达尔文学徒,dá ěr wén xué tú,Darwinian -达尔文学说,dá ěr wén xué shuō,Darwinism -达尔文港,dá ěr wén gǎng,"Darwin, capital of the Northern Territory, Australia" -达尔福尔,dá ěr fú ěr,Darfur (western province of Sudan) -达尔罕茂明安联合旗,dá ěr hǎn mào míng ān lián hé qí,"Darhan Muming'an united banner in Baotou 包頭|包头[Bao1 tou2], Inner Mongolia" -达尔马提亚,dá ěr mǎ tí yà,"Dalmatia, Croatian region on the eastern coast of Adriatic Sea" -达特茅斯,dá tè máo sī,Dartmouth (place name) -达特茅斯学院,dá tè máo sī xué yuàn,Dartmouth College -达累斯萨拉姆,dá lèi sī sà lā mǔ,Dar es Salaam (former capital of Tanzania) -达县,dá xiàn,"Da county in Dazhou 達州|达州[Da2 zhou1], Sichuan" -达罗毗荼,dá luó pí tú,Dravidian (general term for South Indian people and languages) -达美航空,dá měi háng kōng,"Delta Air Lines, Inc., airline headquartered in Atlanta, Georgia" -达致,dá zhì,to attain; to achieve -达芬西,dá fēn xī,see 達·芬奇|达·芬奇[Da2 · Fen1 qi2] -达茂旗,dá mào qí,"Darhan Muming'an united banner in Baotou 包頭|包头[Bao1 tou2], Inner Mongolia; abbr. for 達爾罕茂明安聯合旗|达尔罕茂明安联合旗[Da2 er3 han3 Mao4 ming2 an1 lian2 he2 qi2]" -达菲,dá fēi,oseltamivir; Tamiflu -达兰萨拉,dá lán sà lā,"Dharamsala in Himachal Pradesh, north India, home of Tibetan government in exile" -达观,dá guān,to take things philosophically -达赖,dá lài,the Dalai Lama; abbr. of 達賴喇嘛|达赖喇嘛[Da2 lai4 La3 ma5] -达赖喇嘛,dá lài lǎ ma,Dalai Lama -达达尼尔海峡,dá dá ní ěr hǎi xiá,Dardanelles Strait; Turkish: Çanakkale Boğazı -达阵,dá zhèn,touchdown; try (sports) -达鲁花赤,dá lǔ huā chì,"Mongolian daruqachi, local commander in Mongol and Yuan times" -违,wéi,to disobey; to violate; to separate; to go against -违令,wéi lìng,to disobey; to go against orders -违例,wéi lì,to break the rules -违信背约,wéi xìn bèi yuē,in violation of contract and good faith -违傲,wéi ào,to disobey -违别,wéi bié,to leave; to depart; to go against -违利赴名,wéi lì fù míng,to renounce profit and seek fame (idiom); to abandon greed for reputation; to choose fame over fortune -违反,wéi fǎn,to violate (a law) -违反宪法,wéi fǎn xiàn fǎ,to violate the constitution -违命,wéi mìng,disobedient; to violate the Mandate of Heaven (天命[Tian1 Ming4]) -违和,wéi hé,unwell; indisposed; out of sorts; euphemism or honorific for ill -违天害理,wéi tiān hài lǐ,lit. violating heaven and reason (idiom); immoral character -违天逆理,wéi tiān nì lǐ,lit. violating heaven and reason (idiom); immoral character -违失,wéi shī,fault; mistake; shortcoming; error; misconduct -违建,wéi jiàn,"abbr. for 違章建築|违章建筑, illegal construction" -违强凌弱,wéi qiáng líng ruò,to avoid the strong and attack the weak (idiom); to bully; also written 違強陵弱|违强陵弱 -违强陵弱,wéi qiáng líng ruò,to avoid the strong and attack the weak (idiom); to bully -违心,wéi xīn,false; untrue to one's convictions; against one's will; disloyal -违心之言,wéi xīn zhī yán,false assertion; speech against one's own convictions -违忤,wéi wǔ,to disobey -违恩负义,wéi ēn fù yì,to disobey one's benefactor; to violate debts of gratitude; to repay good with evil -违悖,wéi bèi,to transgress; to violate (the rules); same as 違背|违背 -违宪,wéi xiàn,unconstitutional -违戾,wéi lì,to violate; to go against -违抗,wéi kàng,to disobey -违拗,wéi ào,"to disobey; to defy; to deliberately go against (a rule, a convention, sb's wishes etc)" -违时绝俗,wéi shí jué sú,to defy the times and reject custom (idiom); in breach of current conventions -违标,wéi biāo,to go against the stipulated criteria -违法,wéi fǎ,illegal; to break the law -违法乱纪,wéi fǎ luàn jì,lit. to break the law and violate the rules (idiom); fig. misconduct -违犯,wéi fàn,to violate; to infringe -违碍,wéi ài,taboo; prohibition -违禁,wéi jìn,to violate a prohibition or ban; prohibited; illicit -违禁品,wéi jìn pǐn,prohibited goods; contraband -违禁药品,wéi jìn yào pǐn,illegal medicines -违章,wéi zhāng,to break the rules; to violate regulations -违章者,wéi zhāng zhě,violator; lawbreaker -违纪,wéi jì,lack of discipline; to break a rule; to violate discipline; to breach a principle -违约,wéi yuē,to break a promise; to violate an agreement; to default (on a loan or contract) -违约金,wéi yuē jīn,penalty (fee) -违者,wéi zhě,violator -违背,wéi bèi,to go against; to be contrary to; to violate -违规,wéi guī,to violate the rules -违言,wéi yán,unreasonable words; wounding complaints -违误,wéi wù,to disobey and cause delays; to obstruct and procrastinate -违逆,wéi nì,to disobey; to defy an edict; to violate; to go against; to run counter to -遘,gòu,meet unexpectedly -遥,yáo,(bound form) distant; remote; far away -遥不可及,yáo bù kě jí,unattainable; far-fetched; out of reach; exceedingly remote or distant -遥想,yáo xiǎng,to think about (the distant past or future) -遥感,yáo gǎn,remote sensing -遥控,yáo kòng,to direct operations from a remote location; to remotely control -遥控器,yáo kòng qì,remote control -遥控操作,yáo kòng cāo zuò,remote operation -遥控车,yáo kòng chē,radio-controlled car -遥望,yáo wàng,to look into the distance -遥测,yáo cè,telemetry -遥观,yáo guān,to look into the distance -遥遥,yáo yáo,distant; remote -遥遥无期,yáo yáo wú qī,far in the indefinite future (idiom); so far away it seems forever -遥遥领先,yáo yáo lǐng xiān,a long way in front; to lead by a wide margin -遥远,yáo yuǎn,distant; remote -遛,liù,to stroll; to walk (an animal) -遛弯,liù wān,(dialect) to take a walk; to go for a stroll -遛弯儿,liù wān er,erhua variant of 遛彎|遛弯[liu4 wan1] -遛狗,liù gǒu,to walk a dog -逊,xùn,to abdicate; modest; yielding; unpretentious; inferior to; (slang) to suck -逊位,xùn wèi,to abdicate; to resign a position -逊克,xùn kè,"Xunke county in Heihe 黑河[Hei1 he2], Heilongjiang" -逊克县,xùn kè xiàn,"Xunke county in Heihe 黑河[Hei1 he2], Heilongjiang" -逊尼,xùn ní,Sunni (subdivision of Islam) -逊尼派,xùn ní pài,Sunni sect (of Islam) -逊色,xùn sè,"inferior (often in the combination 毫無遜色|毫无逊色, not in the least inferior)" -逊顺,xùn shùn,modest and obedient; unassuming -递,dì,to hand over; to pass on; to deliver; (bound form) progressively; in the proper order -递交,dì jiāo,to present; to give; to hand over; to hand in; to lay before -递加,dì jiā,progressively increasing -递升,dì shēng,to ascend progressively -递增,dì zēng,to increase by degrees; in increasing order; incremental; progressive -递嬗,dì shàn,(literary) to go through successive changes; to evolve -递推,dì tuī,recursion; recursive (calculation); recurrence -递推公式,dì tuī gōng shì,recurrence formula -递推关系,dì tuī guān xì,recurrence relation -递条子,dì tiáo zi,to pass a message -递归,dì guī,recursion; recursive (calculation); recurrence -递减,dì jiǎn,progressively decreasing; gradually falling; in descending order -递眼色,dì yǎn sè,to give sb a meaningful look -递给,dì gěi,to hand it (i.e. the aforementioned item) to (sb) -递补,dì bǔ,to substitute; to complement in the proper order; to fill vacancies progressively -递解,dì jiè,to escort a criminal under guard (in former times) -递质,dì zhì,neurotransmitter -递回,dì huí,see 遞歸|递归[di4 gui1] -递送,dì sòng,to send (a message); to deliver -递进,dì jìn,gradual progress; to go forward one stage at a time -递降,dì jiàng,to go down by degrees; progressively decreasing -远,yuǎn,far; distant; remote; (intensifier in a comparison) by far; much (lower etc) -远,yuàn,to distance oneself from (classical) -远人,yuǎn rén,an estranged person; sb who is alienated; people far from home -远来的和尚会念经,yuǎn lái de hé shang huì niàn jīng,the monk coming from afar is good at reading scriptures (idiom); foreign talent is valued higher than local talent -远光灯,yuǎn guāng dēng,high beam (headlights) -远劳,yuǎn láo,(courteous expression) you have made a long and exhausting journey; you will be making a long trip (when asking a favor that involves going to a faraway place) -远古,yuǎn gǔ,antiquity; ancient times -远因,yuǎn yīn,indirect cause; remote cause -远地点,yuǎn dì diǎn,apogee -远大,yuǎn dà,far-reaching; broad; ambitious; promising -远大理想,yuǎn dà lǐ xiǎng,lofty ideal -远天,yuǎn tiān,heaven; the distant sky -远嫁,yuǎn jià,to marry a man who lives in a distant place -远安,yuǎn ān,"Yuan'an county in Yichang 宜昌[Yi2 chang1], Hubei" -远安县,yuǎn ān xiàn,"Yuan'an county in Yichang 宜昌[Yi2 chang1], Hubei" -远客,yuǎn kè,guest from afar -远征,yuǎn zhēng,"an expedition, esp. military; march to remote regions" -远征军,yuǎn zhēng jūn,expeditionary force; army on a distant expedition -远志,yuǎn zhì,"far-reaching ambition; lofty ideal; milkwort (Polygala myrtifolia), with roots used in Chinese medicine" -远虑,yuǎn lǜ,long-term considerations; to take the long view -远房,yuǎn fáng,distantly related; a distant relative -远拱点,yuǎn gǒng diǎn,(astronomy) apoapsis -远扬,yuǎn yáng,(fame) spreads far and wide -远方,yuǎn fāng,far away; a distant location -远方来鸿,yuǎn fāng lái hóng,letter from afar (literary) -远日点,yuǎn rì diǎn,"aphelion, the furthest point of a planet in elliptic orbit to the sun; opposite: perihelion 近日點|近日点[jin4 ri4 dian3]; higher apsis" -远景,yuǎn jǐng,scenery in the distance; long-term prospects; (photography) long shot -远望,yuǎn wàng,to gaze afar; to look into the distance -远期,yuǎn qī,long-term; at a fixed date in the future (e.g. for repayment); abbr. for 遠期合約|远期合约[yuan3 qi1 he2 yue1] -远期合约,yuǎn qī hé yuē,forward contract (finance) -远未解决,yuǎn wèi jiě jué,far from solved -远东,yuǎn dōng,Far East (loanword) -远东山雀,yuǎn dōng shān què,(bird species of China) Japanese tit (Parus minor) -远东树莺,yuǎn dōng shù yīng,(bird species of China) Manchurian bush warbler (Horornis borealis) -远东苇莺,yuǎn dōng wěi yīng,(bird species of China) Manchurian reed warbler (Acrocephalus tangorum) -远东豹,yuǎn dōng bào,Amur leopard (Panthera pardus orientalis) -远水不救近火,yuǎn shuǐ bù jiù jìn huǒ,see 遠水救不了近火|远水救不了近火[yuan3 shui3 jiu4 bu5 liao3 jin4 huo3] -远水不解近渴,yuǎn shuǐ bù jiě jìn kě,lit. distant water does not cure present thirst; fig. urgent need; a slow remedy does not address immediate needs -远水救不了近火,yuǎn shuǐ jiù bu liǎo jìn huǒ,water in a distant place is of little use in putting out a fire right here; (fig.) a slow remedy does not address the current emergency -远洋,yuǎn yáng,distant seas; the open ocean (far from the coast) -远涉,yuǎn shè,to cross (the wide ocean) -远渡重洋,yuǎn dù chóng yáng,to travel across the oceans -远略,yuǎn lüè,long-term strategy -远眺,yuǎn tiào,to gaze into the distance -远祖,yuǎn zǔ,a remote ancestor -远程,yuǎn chéng,remote; long distance; long range -远程导弹,yuǎn chéng dǎo dàn,long distance missile -远程登录,yuǎn chéng dēng lù,telnet; rlogin; remote login -远程监控,yuǎn chéng jiān kòng,RMON; remote monitoring -远端,yuǎn duān,the far end (of an object); remote (i.e. operating from a distance or over a computer network); (anatomy) distal -远端工作,yuǎn duān gōng zuò,to telecommute; to work remotely -远端胞浆,yuǎn duān bāo jiāng,distal cytoplasm -远端转移,yuǎn duān zhuǎn yí,metastasis -远缘,yuǎn yuán,distantly related; remote affinity -远胄,yuǎn zhòu,distant descendants -远航,yuǎn háng,to travel a great distance by sea or air; voyage; long-haul flight -远藤,yuǎn téng,Endō (Japanese surname) -远处,yuǎn chù,distant place -远行,yuǎn xíng,a long journey; far from home -远见,yuǎn jiàn,foresight; discernment; vision -远见卓识,yuǎn jiàn zhuó shí,visionary and sagacious (idiom) -远视,yuǎn shì,farsighted; hyperopia or hypermetropia (farsightedness) -远亲,yuǎn qīn,a distant relative -远亲不如近邻,yuǎn qīn bù rú jìn lín,"A relative afar is less use than a close neighbor (idiom). Take whatever help is on hand, even from strangers." -远谋,yuǎn móu,a long-term plan; an ambitious strategy -远识,yuǎn shí,foresight -远走高飞,yuǎn zǒu gāo fēi,to go far; to escape to faraway places -远赴,yuǎn fù,to travel to (a distant place) -远超过,yuǎn chāo guò,to exceed by far; to outclass -远足,yuǎn zú,excursion; hike; march -远距离,yuǎn jù lí,long-distance -远距离监视,yuǎn jù lí jiān shì,off-site monitoring -远近,yuǎn jìn,far and near; distance -远近皆知,yuǎn jìn jiē zhī,known far and wide (idiom) -远近闻名,yuǎn jìn wén míng,to be known far and wide; to be well-known -远途,yuǎn tú,long-distance; long-haul -远逝,yuǎn shì,to fade into the distance; (fig.) to peter out; to fade away -远游,yuǎn yóu,to travel far; distant wanderings -远道而来,yuǎn dào ér lái,to come from far away -远远,yuǎn yuǎn,distant; by far -远远超过,yuǎn yuǎn chāo guò,surpassing by far -远避,yuǎn bì,to keep at a distance; to forsake -远郊,yuǎn jiāo,outer suburbs; remote outskirts of a city -远销,yuǎn xiāo,to sell to faraway lands -远门,yuǎn mén,(to go to) distant parts; faraway; a distant relative -远门近枝,yuǎn mén jìn zhī,near and distant relatives -远隔千里,yuǎn gé qiān lǐ,thousands of miles away; far away -远离,yuǎn lí,to be far from; to keep away from -远非如此,yuǎn fēi rú cǐ,far from it being so (idiom) -溯,sù,variant of 溯[su4] -遢,tā,used in 邋遢[la1ta5]; Taiwan pr. [ta4] -遣,qiǎn,(bound form) to dispatch; to send; (bound form) to drive away; to dispel -遣使,qiǎn shǐ,to dispatch an envoy -遣闷,qiǎn mèn,to dispel anguish -遣散,qiǎn sàn,to disband; to dismiss; demobilization -遣散费,qiǎn sàn fèi,severance pay -遣词,qiǎn cí,to choose one's words; wording -遣返,qiǎn fǎn,to repatriate (e.g. prisoners of war); to send back -遣送,qiǎn sòng,to send away; to deport; to repatriate -遣送出境,qiǎn sòng chū jìng,to deport -遨,áo,to make an excursion; to ramble; to travel -遨翔,áo xiáng,variant of 翱翔[ao2 xiang2] -遨游,áo yóu,to travel; to go on a tour; to roam -适,shì,surname Shi -适,shì,to fit; suitable; proper; just (now); comfortable; well; to go; to follow or pursue -适中,shì zhōng,moderate; reasonable; conveniently situated -适人,shì rén,(said of a woman) to marry (old) -适值,shì zhí,"just at that time; as it happens; by good luck, just then" -适切,shì qiè,apt; appropriate -适可而止,shì kě ér zhǐ,(idiom) to refrain from going too far; to know when to stop -适合,shì hé,to fit; to suit -适婚,shì hūn,of marriageable age -适婚期,shì hūn qī,age range suitable for getting married -适存度,shì cún dù,fitness (evolution); ability to survive and reproduce -适宜,shì yí,suitable; appropriate -适度,shì dù,moderately; appropriate -适得其反,shì dé qí fǎn,to produce the opposite of the desired result -适得其所,shì dé qí suǒ,exactly what one would wish; to find one's niche -适意,shì yì,agreeable -适应,shì yìng,to adapt; to fit; to suit -适应性,shì yìng xìng,adaptability; flexibility -适才,shì cái,just now; a moment ago (often used in the early vernacular) -适时,shì shí,timely; apt to the occasion; in due course -适格,shì gé,"to be qualified (to bring a complaint, lawsuit etc) (law)" -适温,shì wēn,thermophile (e.g. bacteria); heat-loving -适用,shì yòng,to be applicable -适当,shì dàng,suitable; appropriate -适者生存,shì zhě shēng cún,survival of the fittest -适航,shì háng,to be airworthy; to be seaworthy -适逢,shì féng,to just happen to coincide with -适逢其会,shì féng qí huì,(idiom) to happen to be in the right place at the right time -适配,shì pèi,adaptation -适配器,shì pèi qì,adapter (device) -适配层,shì pèi céng,(computing) adaptation layer -适量,shì liàng,appropriate amount -适销,shì xiāo,marketable; saleable; appropriate to the market -适间,shì jiān,just now; just a moment ago -适龄,shì líng,of age; of the appropriate age -遭,zāo,"to meet by chance (usually with misfortune); classifier for events: time, turn, incident" -遭到,zāo dào,to suffer; to meet with (sth unfortunate) -遭受,zāo shòu,"to suffer; to sustain (loss, misfortune)" -遭拒,zāo jù,to meet with a refusal (e.g. visa); to have an application rejected -遭殃,zāo yāng,to suffer a calamity -遭瘟,zāo wēn,to suffer from a plague; to endure a misfortune; a plague on him! -遭罪,zāo zuì,to endure hardship; to suffer -遭逢,zāo féng,to encounter (sth unpleasant) -遭遇,zāo yù,to meet with; to encounter; (bitter) experience -遭遇战,zāo yù zhàn,(military) encounter; skirmish -遭难,zāo nàn,to run into misfortune -遮,zhē,to cover up (a shortcoming); to screen off; to hide; to conceal -遮住,zhē zhù,to cover (up); to block; to obstruct; to shade -遮天蔽日,zhē tiān bì rì,lit. hiding the sky and covering the earth (idiom); fig. earth-shattering; omnipresent; of universal importance -遮掩,zhē yǎn,to cover; to mask; to cover up or conceal (the truth etc) -遮挡,zhē dǎng,to shelter; to shelter from -遮断,zhē duàn,to cut off; to interrupt; to prevent access -遮瑕膏,zhē xiá gāo,concealer (cosmetics) -遮目鱼,zhē mù yú,milkfish (Chanos chanos) -遮羞,zhē xiū,to cover up one's embarrassment; to hush up a scandal -遮羞布,zhē xiū bù,loincloth; (fig.) fig leaf; CL:塊|块[kuai4] -遮盖,zhē gài,to hide; to cover (one's tracks) -遮荫,zhē yīn,to provide shade; Taiwan pr. [zhe1yin4] -遮蔽,zhē bì,to cover; to hide from view; to obstruct or block; defilade (military) -遮护板,zhē hù bǎn,shield; protective board -遮遮掩掩,zhē zhē yǎn yǎn,to be secretive; to try to cover up (idiom) -遮阴,zhē yīn,to provide shade -遮阳,zhē yáng,to shield from the sun -遮阳板,zhē yáng bǎn,sun visor; sunshade; sunshading board -遮风避雨,zhē fēng bì yǔ,to give shelter from the wind and rain; to keep out the elements -遁,dùn,variant of 遁[dun4] -迟,chí,surname Chi -迟,chí,late; delayed; slow -迟了,chí le,late -迟交,chí jiāo,"to delay handing over (payment, homework etc)" -迟到,chí dào,to arrive late -迟延,chí yán,to delay -迟慢,chí màn,slow; late -迟早,chí zǎo,sooner or later -迟暮,chí mù,past one's prime -迟浩田,chí hào tián,"Chi Haotian (1929-), Chinese Minister of National Defense 1993-2003" -迟滞,chí zhì,delay; procrastination -迟滞现象,chí zhì xiàn xiàng,hysteresis -迟疑,chí yí,to hesitate -迟发性损伤,chí fā xìng sǔn shāng,delayed lesion -迟缓,chí huǎn,slow; sluggish -迟误,chí wù,to delay; to procrastinate -迟迟,chí chí,late (with a task etc); slow -迟钝,chí dùn,slow in one's reactions; sluggish (in movement or thought) -迟顿,chí dùn,inactive; obtuse -遴,lín,surname Lin -遴,lín,(literary) to select -遴选,lín xuǎn,to pick; to choose; to select -遵,zūn,to observe; to obey; to follow; to comply with -遵令,zūn lìng,to obey orders -遵化,zūn huà,"Zunhua, county-level city in Tangshan 唐山[Tang2 shan1], Hebei" -遵化市,zūn huà shì,"Zunhua, county-level city in Tangshan 唐山[Tang2 shan1], Hebei" -遵命,zūn mìng,to follow your orders; to do as you bid -遵奉,zūn fèng,to conform; to obey faithfully -遵守,zūn shǒu,to comply with; to abide by; to respect (an agreement) -遵从,zūn cóng,to comply with; to follow (directives); to defer (to the judgment of superiors) -遵循,zūn xún,to follow; to abide by; to comply with -遵旨,zūn zhǐ,to obey the Emperor's decree; at your Imperial majesty's command -遵时养晦,zūn shí yǎng huì,"to bide one's time, waiting for an opportunity to stage a comeback in public life (idiom)" -遵照,zūn zhào,in accordance with; to follow (the rules) -遵义,zūn yì,Zunyi prefecture-level city in Guizhou 貴州|贵州[Gui4 zhou1] -遵义市,zūn yì shì,Zunyi prefecture-level city in Guizhou 貴州|贵州[Gui4 zhou1] -遵义会议,zūn yì huì yì,Zunyi conference of January 1935 before the Long March -遵义县,zūn yì xiàn,"Zunyi county in Zun'yi 遵義|遵义[Zun1 yi4], Guizhou" -遵行,zūn xíng,to follow; to obey; compliance -遵办,zūn bàn,to handle in accordance with (the rules) -遵医嘱,zūn yī zhǔ,to follow the doctor's advice; as instructed by the physician -绕,rào,"variant of 繞|绕[rao4], to rotate around; to spiral; to move around; to go round (an obstacle); to by-pass; to make a detour" -迁,qiān,to move; to shift; to change (a position or location etc); to promote -迁入,qiān rù,to move in (to new lodging) -迁安,qiān ān,"Qian'an, county-level city in Tangshan 唐山[Tang2 shan1], Hebei" -迁安市,qiān ān shì,"Qian'an, county-level city in Tangshan 唐山[Tang2 shan1], Hebei" -迁就,qiān jiù,to yield to; to adapt to; to accommodate oneself to (sth) -迁居,qiān jū,to move (from one residence to another) -迁居移民,qiān jū yí mín,immigration -迁延,qiān yán,long delay -迁徙,qiān xǐ,to migrate; to move -迁怒,qiān nù,to take one's anger out on sb (who does not deserve it) -迁怒于人,qiān nù yú rén,to vent one's anger on an innocent party (idiom) -迁移,qiān yí,to migrate; to move -迁西,qiān xī,"Qianxi county in Tangshan 唐山[Tang2 shan1], Hebei" -迁西县,qiān xī xiàn,"Qianxi county in Tangshan 唐山[Tang2 shan1], Hebei" -迁都,qiān dū,to move the capital (city) -迁离,qiān lí,to move away; to change residence -迁飞,qiān fēi,to migrate (of birds) -选,xuǎn,to choose; to pick; to select; to elect -选中,xuǎn zhòng,to select; to choose; to decide on -选修,xuǎn xiū,(at a school) to take as an elective; an elective; elective (subject) -选修课,xuǎn xiū kè,optional course (in school) -选入,xuǎn rù,selected (for admission); elected -选出,xuǎn chū,to pick out; to select; to elect -选区,xuǎn qū,electoral district; constituency -选取,xuǎn qǔ,to choose -选召,xuǎn zhào,chosen and called -选品,xuǎn pǐn,product selection -选单,xuǎn dān,(software) menu -选址,xuǎn zhǐ,to select a suitable site; site; location -选士,xuǎn shì,selected outstanding scholars (in former times); cream of the crop -选定,xuǎn dìng,to select; to choose; to settle on -选情,xuǎn qíng,the state of play in an election; the current state of a candidate's campaign -选战,xuǎn zhàn,election campaign -选手,xuǎn shǒu,athlete; contestant -选拔,xuǎn bá,to select the best -选择,xuǎn zé,to select; to pick; choice; option; alternative -选择性,xuǎn zé xìng,selective; selectiveness; selectivity -选择题,xuǎn zé tí,multiple-choice question -选本,xuǎn běn,anthology; selected works -选民,xuǎn mín,voter; constituency; electorate -选民参加率,xuǎn mín cān jiā lǜ,voter participation rate -选民登记,xuǎn mín dēng jì,voter registration -选派,xuǎn pài,to select; to detail; to set apart; to appoint -选用,xuǎn yòng,to choose for some purpose; to select and use -选票,xuǎn piào,a vote; ballot; CL:張|张[zhang1] -选秀,xuǎn xiù,to select talented individuals; (sports) draft -选秀节目,xuǎn xiù jié mù,talent show; talent competition -选编,xuǎn biān,"selected works (poems, documents etc); anthology" -选美,xuǎn měi,beauty contest -选美比赛,xuǎn měi bǐ sài,beauty contest -选美皇后,xuǎn měi huáng hòu,beauty queen -选听,xuǎn tīng,selective listening (linguistics) -选育,xuǎn yù,seed selection; breeding -选举,xuǎn jǔ,"to elect; election; CL:次[ci4],個|个[ge4]" -选举人,xuǎn jǔ rén,voter; elector -选举人团,xuǎn jǔ rén tuán,Electoral College (of the United States) -选举团,xuǎn jǔ tuán,Electoral College (of the United States) -选举委员会,xuǎn jǔ wěi yuán huì,Election Committee (Hong Kong) -选举权,xuǎn jǔ quán,suffrage -选举法庭,xuǎn jǔ fǎ tíng,election court -选装,xuǎn zhuāng,optional (equipment) -选角,xuǎn jué,"to cast actors for a film, play etc" -选课,xuǎn kè,to select courses -选购,xuǎn gòu,to select and purchase; to buy -选送,xuǎn sòng,to select and send over -选录,xuǎn lù,an excerpt; a digest -选集,xuǎn jí,anthology -选项,xuǎn xiàng,option; alternative; choice; to choose a project -选点,xuǎn diǎn,to choose an appropriate location -遗,yí,(bound form) to leave behind -遗作,yí zuò,posthumous work -遗传,yí chuán,heredity; to inherit (a trait); to pass on (to one's offspring) -遗传信息,yí chuán xìn xī,genetic information -遗传学,yí chuán xué,genetics -遗传工程,yí chuán gōng chéng,genetic engineering -遗传性,yí chuán xìng,hereditary; inherited; genetic -遗传性疾病,yí chuán xìng jí bìng,genetic disorder -遗传物质,yí chuán wù zhì,genetic material -遗传率,yí chuán lǜ,heritability -遗像,yí xiàng,portrait of the deceased -遗嘱,yí zhǔ,testament; will -遗址,yí zhǐ,ruins; historic relics -遗墨,yí mò,"posthumous (painting, calligraphy, prose etc)" -遗失,yí shī,to lose; to leave behind (inadvertently) -遗妻,yí qī,widow; the deceased's widow -遗妻弃子,yí qī qì zǐ,to abandon wife and children -遗孀,yí shuāng,widow -遗存,yí cún,historical remains; things that have survived since ancient times; (of such things) to survive -遗孤,yí gū,orphan -遗害无穷,yí hài wú qióng,to have disastrous consequences; also written 貽害無窮|贻害无穷[yi2 hai4 wu2 qiong2] -遗容,yí róng,the looks of the deceased (esp. in the context of paying one's respects); picture of the deceased -遗尿,yí niào,bed-wetting -遗属,yí shǔ,surviving family of the deceased -遗志,yí zhì,"the mission in life of a deceased person, left to others to carry on" -遗忘,yí wàng,to forget; to cease to think about (sb or sth) anymore -遗忘症,yí wàng zhèng,amnesia -遗恨,yí hèn,eternal regret -遗憾,yí hàn,regret; to regret; to be sorry that -遗教,yí jiào,work or plans left as a legacy; the views of the departed; posthumous orders or teachings -遗族,yí zú,the bereaved; family of the deceased -遗书,yí shū,posthumous writing; testament; suicide note; ancient literature -遗案,yí àn,unsolved case (law) -遗弃,yí qì,to leave; to abandon -遗民,yí mín,(lit.) leftover men; (fig.) loyalist adherents of a former dynasty; surviving members of an ethnic group -遗漏,yí lòu,to overlook; to miss; to omit -遗照,yí zhào,picture of the deceased -遗物,yí wù,remnant -遗珠,yí zhū,unrecognized talent -遗产,yí chǎn,heritage; legacy; inheritance; bequest; CL:筆|笔[bi3] -遗产税,yí chǎn shuì,inheritance tax; estate tax -遗男,yí nán,orphan; posthumous son -遗留,yí liú,to leave behind; to hand down -遗稿,yí gǎo,surviving manuscript; bequeathed draft (of book) -遗精,yí jīng,nocturnal emission; wet dream -遗缺,yí quē,vacancy -遗老,yí lǎo,old fogy; adherent of previous dynasty -遗腹子,yí fù zǐ,posthumous child -遗臭万年,yí chòu wàn nián,to have one's name go down in history as a byword for infamy (idiom) -遗落,yí luò,to leave behind (inadvertently); to forget; to omit; to leave out -遗著,yí zhù,posthumous work (of a writer) -遗蜕,yí tuì,to shed skin; to leave one's mortal envelope; remains (of a priest) -遗言,yí yán,words of the deceased; last words of the dying; wisdom of past sages -遗训,yí xùn,wishes of the deceased -遗诏,yí zhào,posthumous edict (of former emperor) -遗赠,yí zèng,to bequeath -遗迹,yí jì,trace; vestige; historical remains; remnant -遗愿,yí yuàn,final wishes of the departed -遗风,yí fēng,tradition or style from the past; old ways; surviving tradition; relic -遗骨,yí gǔ,(dead) human remains -遗骸,yí hái,(dead) human remains -遗体,yí tǐ,remains (of a dead person) -遗体告别式,yí tǐ gào bié shì,funeral -遗鸥,yí ōu,(bird species of China) relict gull (Ichthyaetus relictus) -辽,liáo,short name for Liaoning 遼寧|辽宁[Liao2 ning2] province; Liao or Khitan dynasty (916-1125) -辽,liáo,(bound form) distant; faraway -辽中,liáo zhōng,"Liaozhong county in Shenyang 瀋陽|沈阳, Liaoning" -辽中县,liáo zhōng xiàn,"Liaozhong county in Shenyang 瀋陽|沈阳, Liaoning" -辽史,liáo shǐ,"History of the Liao Dynasty, twenty first of the 24 dynastic histories 二十四史[Er4 shi2 si4 Shi3], composed under Toktoghan 脫脫|脱脱[Tuo1 tuo1] in 1345 during the Yuan Dynasty 元[Yuan2], 116 scrolls" -辽宁,liáo níng,"Liaoning province in northeast China, short name 遼|辽[Liao2], capital Shenyang 瀋陽|沈阳[Shen3 yang2]" -辽宁古盗鸟,liáo níng gǔ dào niǎo,Archaeoraptor liaoningensis (bird-like dinosaur found in Liaoning province) -辽宁大学,liáo níng dà xué,Liaoning University -辽宁省,liáo níng shěng,"Liaoning province in northeast China, short name 遼|辽[Liao2], capital Shenyang 瀋陽|沈阳[Shen3 yang2]" -辽宁号,liáo níng hào,"Liaoning, the first aircraft carrier commissioned into the PLA Navy (commissioned in 2012)" -辽东,liáo dōng,Liaodong peninsula between Bohai 渤海 and Yellow sea; east and south of Liaoning province; east of Liao river 遼河|辽河 -辽东半岛,liáo dōng bàn dǎo,Liaodong Peninsula -辽河,liáo hé,"Liao River of northeast China, passing through Inner Mongolia, Hebei, Jilin and Liaoning" -辽海,liáo hǎi,east and south of Liaoning province -辽源,liáo yuán,Liaoyuan prefecture-level city in Jilin province 吉林省 in northeast China -辽源市,liáo yuán shì,Liaoyuan prefecture-level city in Jilin province 吉林省[Ji2 lin2 Sheng3] in northeast China -辽沈战役,liáo shěn zhàn yì,"Liaoshen Campaign (Sep-Nov 1948), the first of the three major campaigns by the People's Liberation Army near the end of the Chinese Civil War" -辽西,liáo xī,west of Liaoning -辽远,liáo yuǎn,distant; faraway; remote -辽金,liáo jīn,"Liao and Jin dynasties, namely: Liao or Khitan dynasty (907-1125) and Jurchen Jin dynasty (1115-1234)" -辽阔,liáo kuò,vast; extensive -辽阳,liáo yáng,Liaoyang prefecture-level city in Liaoning province 遼寧省|辽宁省[Liao2 ning2 Sheng3] in northeast China -辽阳市,liáo yáng shì,Liaoyang prefecture-level city in Liaoning province 遼寧省|辽宁省[Liao2 ning2 Sheng3] in northeast China -辽阳县,liáo yáng xiàn,"Liaoyang county in Liaoyang 遼陽|辽阳[Liao2 yang2], Liaoning" -遽,jù,hurry; fast; suddenly -遽然,jù rán,(literary) all of a sudden -避,bì,to avoid; to shun; to flee; to escape; to keep away from; to leave; to hide from -避不见面,bì bù jiàn miàn,to refuse to meet sb; to avoid sb -避世,bì shì,to shun the world -避世绝俗,bì shì jué sú,to withdraw from society and live like a hermit (idiom) -避免,bì miǎn,to avert; to prevent; to avoid; to refrain from -避坑落井,bì kēng luò jǐng,to dodge a pit only to fall into a well (idiom); out of the frying pan into the fire -避嫌,bì xián,to avoid arousing suspicion -避孕,bì yùn,contraception -避孕丸,bì yùn wán,contraceptive pill -避孕套,bì yùn tào,condom; CL:隻|只[zhi1] -避孕环,bì yùn huán,coil; contraceptive coil; intrauterine device -避孕药,bì yùn yào,oral contraceptive -避寒,bì hán,to escape the cold by going on a winter holiday -避实就虚,bì shí jiù xū,(idiom) stay clear of the enemy's main force and strike at his weak points -避弹坑,bì dàn kēng,foxhole -避役,bì yì,chameleon -避忌,bì jì,to avoid as taboo -避恶,bì è,to avoid evil -避暑,bì shǔ,to be away for the summer holidays; to spend a holiday at a summer resort; to prevent sunstroke -避暑山庄,bì shǔ shān zhuāng,"mountain resort; Qing imperial summer residence at Chengde, a world heritage site" -避税,bì shuì,to avoid taxation; tax avoidance -避税天堂,bì shuì tiān táng,tax haven -避税港,bì shuì gǎng,tax haven -避署,bì shǔ,to go on summer vacation -避而不,bì ér bù,to avoid (doing sth) -避蚊胺,bì wén àn,DEET (insect repellent) -避讳,bì huì,to avoid a taboo (usu. on the given names of emperors or one's elders) -避讳,bì hui,to avoid a taboo word or topic; to refrain from; to avoid -避让,bì ràng,to avoid; to yield (in traffic); to get out of the way -避邪,bì xié,to avoid evil spirits -避重就轻,bì zhòng jiù qīng,to avoid the important and dwell on the trivial; to keep silent about major charges while admitting minor ones -避开,bì kāi,to avoid; to evade; to keep away from -避险,bì xiǎn,to flee from danger; to avoid danger; to minimize risk; (finance) hedge -避难,bì nàn,refuge; to take refuge; to seek asylum (political etc) -避难所,bì nàn suǒ,refuge; asylum -避雷器,bì léi qì,lightning arrester -避雷针,bì léi zhēn,lightning rod -避震鞋,bì zhèn xié,cushioning shoes (Tw) -避风,bì fēng,to take shelter from the wind; to lie low; to stay out of trouble -避风塘,bì fēng táng,"typhoon shelter (a cove where boats shelter from strong winds and rough seas, esp. in Hong Kong); (attributive) typhoon shelter-style, a cooking method associated with those who lived on boats in the coves, where crab, prawn or other meat is fried and flavored with spices and black beans" -避风港,bì fēng gǎng,"haven; refuge; harbor; CL:座[zuo4],個|个[ge4]" -避风处,bì fēng chù,lee; windstop -避风头,bì fēng tou,to lie low (until the fuss dies down) -邀,yāo,to invite; to request; to intercept; to solicit; to seek -邀功,yāo gōng,to take the credit for sb's achievement -邀宴,yāo yàn,to invite sb to a banquet -邀击,yāo jī,to intercept; to waylay; to ambush -邀约,yāo yuē,to invite; invitation -邀请,yāo qǐng,to invite; invitation; CL:個|个[ge4] -邀请函,yāo qǐng hán,invitation letter; CL:封[feng1] -邀请赛,yāo qǐng sài,invitation tournament (e.g. between schools or firms) -邀买人心,yāo mǎi rén xīn,to buy popular support; to court favor -邀集,yāo jí,to invite a group of people (to assemble for a gathering) -迈,mài,to take a step; to stride -迈克尔,mài kè ěr,Michael (name) -迈凯伊,mài kǎi yī,McKay or Mackay (name) -迈凯轮,mài kǎi lún,McLaren; MacLaren -迈出,mài chū,to step out; to take a (first) step -迈向,mài xiàng,to stride toward (success); to march toward; to take a step toward -迈巴赫,mài bā hè,"Maybach, German car brand" -迈杜古里,mài dù gǔ lǐ,"Maiduguri, city in north Nigeria" -迈步,mài bù,to take a step; to step forward -迈赫迪,mài hè dí,"Mahdi or Mehdi (Arabic: Guided one), redeemer of some Islamic prophesy" -迈赫迪军,mài hè dí jūn,"Mahdi army, Iraqi Shia armed militia led by Moqtada Sadr" -迈进,mài jìn,to step in; to stride forward; to forge ahead -迈阿密,mài ā mì,Miami (Florida) -邂,xiè,used in 邂逅[xie4hou4] -邂逅,xiè hòu,(literary) to meet sb by chance; to run into sb -邃,suì,deep; distant; mysterious -邃古,suì gǔ,remote antiquity -邃宇,suì yǔ,large house that is dark and labyrinthine -邃密,suì mì,deep; profound; abstruse and full (of thought) -邃户,suì hù,"forbidding entrance to a large, quiet house" -还,huán,surname Huan -还,hái,still; still in progress; still more; yet; even more; in addition; fairly; passably (good); as early as; even; also; else -还,huán,to pay back; to return -还不如,hái bù rú,to be better off ...; might as well ... -还俗,huán sú,to return to normal life (leaving a monastic order) -还债,huán zhài,to settle a debt -还价,huán jià,to make a counteroffer when haggling; to bargain -还原,huán yuán,to restore to the original state; to reconstruct (an event); reduction (chemistry) -还原乳,huán yuán rǔ,reconstituted milk (Tw) -还原剂,huán yuán jì,reducing agent -还原真相,huán yuán zhēn xiàng,to set the record straight; to clarify the facts -还原号,huán yuán hào,"(music notation) natural sign, ♮" -还口,huán kǒu,to retort; to answer back -还嘴,huán zuǐ,to retort; to answer back -还报,huán bào,to return a favor; to reciprocate; (literary) to report back -还好,hái hǎo,not bad; tolerable; fortunately -还席,huán xí,to offer a return banquet -还手,huán shǒu,to hit back; to retaliate -还击,huán jī,to hit back; to return fire -还是,hái shi,still (as before); had better; unexpectedly; or -还书,huán shū,return books -还有,hái yǒu,there still remain(s); there is (or are) still; in addition -还本,huán běn,to repay capital -还款,huán kuǎn,repayment; to pay back money -还清,huán qīng,to pay back in full; to redeem a debt -还礼,huán lǐ,to return a politeness; to present a gift in return -还给,huán gěi,to return sth to sb -还给老师,huán gěi lǎo shī,to forget (everything one has learned) -还贷,huán dài,to repay a loan -还账,huán zhàng,to settle and account -还乡,huán xiāng,(literary) to return to one's native place -还乡女,huán xiāng nǚ,"(Korean term) women who returned to Korea after being abducted during the Manchu invasions of Korea in the 17th century, only to be regarded as defiled and therefore ostracized, even by their own families" -还愿,huán yuàn,to redeem a vow (to a deity); to fulfill a promise; votive -还魂,huán hún,to return from the grave; (old) to recycle (waste products) -还魂纸,huán hún zhǐ,recycled paper -迩,ěr,recently; near; close -迩来,ěr lái,recently; until now; up to the present; lately; also written 爾來|尔来 -邈,miǎo,profound; remote -邈冥冥,miǎo míng míng,far off; distant -邈然,miǎo rán,distant; remote -邈远,miǎo yuǎn,see 渺遠|渺远[miao3 yuan3] -邈邈,miǎo miǎo,far away; remote -边,biān,side; edge; margin; border; boundary; CL:個|个[ge4]; simultaneously -边,bian,suffix of a noun of locality -边儿,biān er,"side; edge; margin; border; boundary; proximity; thread (of ideas, plots etc); see also 邊|边[bian1]" -边区,biān qū,border area -边卡,biān qiǎ,border checkpoint -边地,biān dì,border district; borderland -边城,biān chéng,border town; remote town -边塞,biān sài,frontier fortress -边境,biān jìng,frontier; border -边境地区,biān jìng dì qū,border area -边境冲突,biān jìng chōng tū,border clash -边坝,biān bà,"Banbar county, Tibetan: Dpal 'bar rdzong, in Chamdo prefecture 昌都地區|昌都地区[Chang1 du1 di4 qu1], Tibet" -边坝县,biān bà xiàn,"Banbar county, Tibetan: Dpal 'bar rdzong, in Chamdo prefecture 昌都地區|昌都地区[Chang1 du1 di4 qu1], Tibet" -边寨,biān zhài,frontier stockade -边幅,biān fú,fringes of cloth; (fig.) one's dress; one's appearance -边币,biān bì,"Border Region currency, issued by the Communist Border Region governments during the War against Japan and the War of Liberation" -边庭,biān tíng,bodies governing a border area -边厢,biān xiāng,side; side-room; room in the wings -边患,biān huàn,foreign invasion; disaster on border due to incursion -边控,biān kòng,border control (abbr. for 邊境控制|边境控制[bian1 jing4 kong4 zhi4]); to place sb on a border control list (a list of people to be detained if they attempt to enter or leave the country) -边材,biān cái,sapwood (between vascular cambium and pith inside growing wood) -边框,biān kuàng,frame; rim -边检,biān jiǎn,border inspection; immigration inspection -边民,biān mín,people living on the frontiers; inhabitants of a border area -边沁,biān qìn,"Jeremy Bentham (1748-1832), English philosopher, jurist, and social reformer" -边沿,biān yán,edge; fringe -边牧,biān mù,border collie (dog breed) -边界,biān jiè,boundary; border -边界层,biān jiè céng,boundary layer -边界线,biān jiè xiàn,boundary line; border line -边疆,biān jiāng,border area; borderland; frontier; frontier region -边疆区,biān jiāng qū,krai (Russian administrative territory) -边窗,biān chuāng,side window -边线,biān xiàn,sideline; foul line -边缘,biān yuán,edge; fringe; verge; brink; periphery; marginal; borderline -边缘人,biān yuán rén,"marginalized people (not part of mainstream society); marginal man (term coined by social psychologist Kurt Lewin, referring to a person in transition between two cultures or social groups, not fully belonging to either)" -边缘化,biān yuán huà,to marginalize; marginalization -边缘地区,biān yuán dì qū,border area -边缘性人格障碍,biān yuán xìng rén gé zhàng ài,borderline personality disorder (BPD) -边缘系统,biān yuán xì tǒng,limbic system -边声,biān shēng,"outlandish sounds (wind blowing on frontier, wild horses neighing etc)" -边裔,biān yì,remote area; distant marches -边角料,biān jiǎo liào,scrap; bits and pieces left over -边角案例,biān jiǎo àn lì,(engineering) corner case -边角科,biān jiǎo kē,"leftover bits and pieces (of industrial, material)" -边路,biān lù,sidewalk; side road; shoulder (of a road); wing (soccer) -边远,biān yuǎn,far from the center; remote; outlying -边鄙,biān bǐ,remote; border area -边衅,biān xìn,clash on the frontier; border conflict -边锋,biān fēng,wing; wing forward -边长,biān cháng,(geometry) side length -边门,biān mén,side door; wicket door -边关,biān guān,border station; strategic defensive position on frontier -边防,biān fáng,frontier defense -边防站,biān fáng zhàn,border station; frontier post -边防警察,biān fáng jǐng chá,border police -边防军,biān fáng jūn,border guard; frontier army -边陲,biān chuí,border area; frontier -边际,biān jì,limit; bound; boundary; (economics) marginal -边际报酬,biān jì bào chóu,marginal returns -边际成本,biān jì chéng běn,marginal cost -边音,biān yīn,lateral consonant (phonetics) -边头,biān tóu,the end; border; just before the end -邋,lā,used in 邋遢[la1ta5] -邋里邋遢,lā li lā ta,messy; slovenly; unkempt -邋遢,lā ta,unkempt -逻,luó,patrol -逻各斯,luó gè sī,logos (loanword) -逻辑,luó ji,logic (loanword) -逻辑学,luó ji xué,logic -逻辑演算,luó ji yǎn suàn,logical calculation -逻辑炸弹,luó jí zhà dàn,logic bomb -逻辑错误,luó ji cuò wù,logical error -逻辑链路控制,luó ji liàn lù kòng zhì,logical link control; LLC -逦,lǐ,winding -邑,yì,city; village -邕,yōng,Yong River (Guangxi); short name for Nanning (Guangxi) -邕,yōng,city surrounded by a moat; old variant of 雍[yong1]; old variant of 壅[yong1] -邕宁,yōng níng,"Yongnning District of Nanning City 南寧市|南宁市[Nan2 ning2 Shi4], Guangxi" -邕宁区,yōng níng qū,"Yongnning District of Nanning City 南寧市|南宁市[Nan2 ning2 Shi4], Guangxi" -邕邕,yōng yōng,variant of 雍雍[yong1 yong1] -邗,hán,name of an ancient river -邗江,hán jiāng,"Hanjiang district of Yangzhou city 揚州市|扬州市[Yang2 zhou1 shi4], Jiangsu" -邗江区,hán jiāng qū,"Hanjiang district of Yangzhou city 揚州市|扬州市[Yang2 zhou1 shi4], Jiangsu" -邘,yú,surname Yu -邘,yú,place name -邙,máng,"Mt Mang at Luoyang in Henan, with many Han, Wei and Jin dynasty royal tombs" -邙山,máng shān,"Mt Mang at Luoyang in Henan, with many Han, Wei and Jin dynasty royal tombs" -邙山行,máng shān xíng,a form of Yuefu 樂府|乐府 mourning song or elegy; lit. to visit a tomb on Mt Mang -邛,qióng,mound; place name -邛崃,qióng lái,"Qionglai, county-level city in Chengdu 成都[Cheng2 du1], Sichuan" -邛崃山,qióng lái shān,Qionglai Mountains in western Sichuan between the Min 岷江[Min2 Jiang1] and Dadu 大渡河[Da4 du4 He2] rivers -邛崃山脉,qióng lái shān mài,Qionglai mountains on the boundary of the Sichuan basin 四川盆地 -邛崃市,qióng lái shì,"Qionglai, county-level city in Chengdu 成都[Cheng2 du1], Sichuan" -邠,bīn,variant of 豳[Bin1] -邠,bīn,variant of 彬[bin1] -邡,fāng,name of a district in Sichuan -邢,xíng,surname Xing; place name -邢台,xíng tái,"Xingtai, prefecture-level city in Hebei; also Xingtai county" -邢台市,xíng tái shì,"Xingtai, prefecture-level city in Hebei" -邢台县,xíng tái xiàn,"Xingtai county in Xingtai 邢台[Xing2 tai2], Hebei" -那,nā,surname Na -那,nuó,surname Nuo -那,nǎ,variant of 哪[na3] -那,nà,"(specifier) that; the; those (colloquial pr. [nei4]); (pronoun) that (referring to persons, things or situations); then (in that case)" -那,nuó,(archaic) many; beautiful; how; old variant of 挪[nuo2] -那不勒斯,nà bù lè sī,"Napoli, capital of Campania region of Italy; Naples" -那不勒斯王国,nà bù lè sī wáng guó,Kingdom of Naples (1282-1860) -那世,nà shì,the world of the dead -那些,nà xiē,those -那个,nà ge,"that one; that thing; that (as opposed to this); (used before a verb or adjective for emphasis); (used to humorously or indirectly refer to sth embarrassing, funny etc, or when one can't think of the right word); (used in speech as a filler, similar to ""umm"", ""you know"" etc); (euph.) menstruation; sex; also pr. [nei4 ge5]" -那个人,nà gè rén,lit. that person; fig. the person you have been looking for; Mr Right; the girl of one's dreams -那倒是,nà dào shi,Oh that's true! (interjection of sudden realization) -那儿,nà er,there -那古屋,nà gǔ wū,"Nagoya, city in Japan (old spelling)" -那咱,nà zan,at that time (old) -那坡,nà pō,"Napo county in Baise 百色[Bai3 se4], Guangxi" -那坡县,nà pō xiàn,"Napo county in Baise 百色[Bai3 se4], Guangxi" -那堤,nà tí,latte (loanword) (Tw) -那天,nà tiān,that day; the other day -那厮,nà sī,that so-and-so -那拉提草原,nà lā dī cǎo yuán,Nalat grasslands -那提,nà tí,latte (loanword) -那摩温,nà mó wēn,"foreman (pidgin derived from ""number one"", rendered in hanzi) (old)" -那斯达克,nà sī dá kè,NASDAQ (stock exchange) -那昝,nà zan,see 那咱[na4 zan5] -那是,nà shi,(coll.) of course; naturally; indeed -那时,nà shí,then; at that time; in those days -那时候,nà shí hou,at that time -那曲,nǎ qū,Nagchu town and prefecture in central Tibet -那曲市,nà qǔ shì,Nagchu city in Tibet -那曲县,nǎ qū xiàn,"Nagchu county, Tibetan: Nag chu rdzong, in Nagchu prefecture 那曲地區|那曲地区[Na4 qu3 di4 qu1], central Tibet" -那会儿,nà huì er,at that time (in the past or the future); also pr. [nei4 hui4 r5] -那末,nà me,variant of 那麼|那么[na4 me5] -那样,nà yàng,that kind; that sort -那玛夏,nà mǎ xià,"Namaxia township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -那玛夏乡,nà mǎ xià xiāng,"Namaxia township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -那知,nǎ zhī,variant of 哪知[na3 zhi1] -那种,nà zhǒng,that kind of -那空沙旺,nà kōng shā wàng,"Paknampho city, Thailand" -那维克,nǎ wéi kè,"Narvik (city in Nordland, Norway)" -那里,nà li,there; that place -那里,nà li,there; that place -那话儿,nà huà er,genitalia; doohickey; thingumbob -那达慕,nà dá mù,"Nadam or Games, Mongolian national harvest festival in July-August" -那还用说,nà hái yòng shuō,that goes without saying -那边,nà bian,over there; yonder -那阵,nà zhèn,at that time; then -那阵子,nà zhèn zi,at that time; then -那鸿书,nà hóng shū,Book of Nahum -那么,nà me,like that; in that way; or so; so; so very much; about; in that case -那么着,nà me zhe,(do sth) that way; like that -那麽,nà me,variant of 那麼|那么[na4 me5] -邦,bāng,(bound form) country; nation; state -邦交,bāng jiāo,relations between two countries; diplomatic relations -邦国,bāng guó,country; state -邦德,bāng dé,Bond (name) -邦硬,bāng yìng,very hard or stiff -邦联,bāng lián,confederation -邦迪,bāng dí,Bondi (name); Band-Aid (loanword) -村,cūn,variant of 村[cun1] -邨,cūn,surname Cun -邪,xié,demonic; iniquitous; nefarious; evil; unhealthy influences that cause disease (Chinese medicine); (coll.) strange; abnormal -邪不敌正,xié bù dí zhèng,good will always triumph over evil (idiom) -邪乎,xié hu,extraordinary; severe; exaggerated; overstated; fantastic; incredible -邪僻,xié pì,abnormal; improper; beyond the pale -邪典电影,xié diǎn diàn yǐng,cult film -邪径,xié jìng,depraved life; evil ways; fornication -邪念,xié niàn,wicked idea; evil thought; evil desire -邪恶,xié è,sinister; vicious; wicked; evil -邪恶轴心,xié è zhóu xīn,the Axis of Evil -邪招,xié zhāo,clever move from out of left field -邪教,xié jiào,evil cult -邪气,xié qì,"evil influence; unhealthy trend; (a person's) evil air; aura of wickedness; (TCM) pathogenic energy (opposite: 正氣|正气[zheng4 qi4], vital energy)" -邪知邪见,xié zhī xié jiàn,false wisdom and erroneous views (Buddhism) -邪祟,xié suì,evil spirit -邪荡,xié dàng,obscene -邪术,xié shù,sorcery -邪说,xié shuō,harmful teachings; evil doctrine -邪财,xié cái,windfall; easy money; ill-gotten gains -邪路,xié lù,see 邪道[xie2 dao4] -邪道,xié dào,depraved life; evil ways; fornication -邪门,xié mén,strange; unusual; evil ways; dishonest practices -邪门歪道,xié mén wāi dào,"lit. devil's gate, crooked path (idiom); corrupt practices; crooked methods; dishonesty" -邪灵,xié líng,evil spirits -邪魔,xié mó,evil spirit -邯,hán,name of a district in Hebei -邯山,hán shān,"Hanshan district of Handan city 邯鄲市|邯郸市[Han2 dan1 shi4], Hebei" -邯山区,hán shān qū,"Hanshan district of Handan city 邯鄲市|邯郸市[Han2 dan1 shi4], Hebei" -邯郸,hán dān,Handan prefecture-level city in Hebei; also Handan county -邯郸学步,hán dān xué bù,"to copy the way they walk in Handan (idiom); slavishly copying others, one risks becoming a caricature" -邯郸市,hán dān shì,Handan prefecture-level city in Hebei -邯郸县,hán dān xiàn,"Handan county in Handan 邯鄲|邯郸[Han2 dan1], Hebei" -邰,tái,surname Tai; name of a feudal state -邱,qiū,surname Qiu -邱,qiū,variant of 丘[qiu1] -邱吉尔,qiū jí ěr,"Winston Churchill (1874-1965), UK politican and prime minister 1940-1945 and 1951-1955; surname Churchill" -邱比特,qiū bǐ tè,Cupid (Eros) -邱县,qiū xiàn,"Qiu county in Handan 邯鄲|邯郸[Han2 dan1], Hebei" -邳,pī,surname Pi; Han dynasty county in present-day Jiangsu; also pr. [Pei2] -邳,pī,variant of 丕[pi1] -邳州,pī zhōu,"Pizhou city in Xuzhou 徐州[Xu2 zhou1], Jiangsu" -邳州市,pī zhōu shì,"Pizhou city in Xuzhou 徐州[Xu2 zhou1], Jiangsu" -邳县,pī xiàn,Pi county in Jiangsu -邴,bǐng,surname Bing -邴,bǐng,ancient city name; happy -邵,shào,surname Shao; place name -邵伯湖,shào bó hú,"Shaobo Lake, freshwater lake in Jiangsu Province" -邵族,shào zú,"Thao, one of the indigenous peoples of Taiwan" -邵东,shào dōng,"Shaodong county in Shaoyang 邵陽|邵阳[Shao4 yang2], Hunan" -邵东县,shào dōng xiàn,"Shaodong county in Shaoyang 邵陽|邵阳[Shao4 yang2], Hunan" -邵武,shào wǔ,"Shaowu, county-level city in Nanping 南平[Nan2 ping2] Fujian" -邵武市,shào wǔ shì,"Shaowu, county-level city in Nanping 南平[Nan2 ping2] Fujian" -邵逸夫,shào yì fū,"Run Run Shaw (1907-2014), Hong Kong movie and television tycoon" -邵阳,shào yáng,"Shaoyang, prefecture-level city in Hunan" -邵阳市,shào yáng shì,"Shaoyang, prefecture-level city in Hunan" -邵阳县,shào yáng xiàn,"Shaoyang county in Shaoyang 邵陽|邵阳[Shao4 yang2], Hunan" -邵雍,shào yōng,"Shao Yong (1011-1077), Northern Song poet and Rationalist scholar 理學家|理学家" -邵飘萍,shào piāo píng,"Shao Piaoping (1884-1926), pioneer of journalism and founder of newspaper Beijing Press 京報|京报, executed in 1926 by warlord Zhang Zuolin 張作霖|张作霖" -邶,bèi,name of a feudal state -邸,dǐ,surname Di -邸,dǐ,residence of a high-ranking official; lodging-house -邸报,dǐ bào,"imperial bulletin, palace report dating back to Han dynasty" -邾,zhū,surname Zhu -邾,zhū,name of a feudal state -郁,yù,surname Yu -郁,yù,(bound form) strongly fragrant -郁达夫,yù dá fū,"Yu Dafu (1896-1945), poet and novelist" -郁金香,yù jīn xiāng,tulip -郄,qiè,surname Qie -郄,xì,surname Xi (variant of 郤[Xi4]) -郅,zhì,surname Zhi -郅,zhì,extremely; very -郅隆,zhì lóng,prosperous -郇,xún,name of a feudal state -郇山隐修会,xún shān yǐn xiū huì,Priory of Zion (fictional masonic order) -郊,jiāo,surname Jiao -郊,jiāo,suburbs; outskirts -郊区,jiāo qū,"Jiaoqu, a district of Tongling City 銅陵市|铜陵市[Tong2ling2 Shi4], Anhui" -郊区,jiāo qū,suburban district; outskirts; suburbs -郊外,jiāo wài,outskirts -郊狼,jiāo láng,coyote (Canis latrans) -郊祀,jiāo sì,pair of annual sacrificial ceremonies held by the emperor in ancient times: one in the southern suburbs of the capital (bringing offerings to Heaven) and another in the northern suburbs (with offerings to Earth) -郊游,jiāo yóu,to go for an outing; to go on an excursion -郊野,jiāo yě,open area outside the city; countryside -郎,láng,surname Lang -郎,láng,(arch.) minister; official; noun prefix denoting function or status; a youth -郎世宁,láng shì níng,"Giuseppe Castiglione (1688-1766), Jesuit missionary and artist who served as a painter in the Qing court for 50 years" -郎中,láng zhōng,doctor (Chinese medicine); ancient official title; companions (respectful) -郎之万,láng zhī wàn,Langevin (name) -郎君,láng jūn,my husband and master (archaic); playboy of rich family; pimp -郎平,láng píng,"Jenny Lang Ping (1960-), Chinese volleyball player, coach of USA women's national team since 2005" -郎才女貌,láng cái nǚ mào,talented man and beautiful woman; ideal couple -郎朗,láng lǎng,"Lang Lang (1982-), Chinese concert pianist" -郎格罕氏岛,láng gé hǎn shì dǎo,islets of Langerhans (medicine) -郎溪,láng xī,"Langxi, a county in Xuancheng 宣城[Xuan1cheng2], Anhui" -郎溪县,láng xī xiàn,"Langxi, a county in Xuancheng 宣城[Xuan1cheng2], Anhui" -郎肯循环,láng kěn xún huán,Rankine cycle (engineering) -郎猫,láng māo,(coll.) tomcat -郗,chī,surname Chi; name of an ancient city -郛,fú,suburbs -郜,gào,surname Gao; name of a feudal state -郝,hǎo,ancient place name; surname Hao -郝海东,hǎo hǎi dōng,"Hao Haidong (1970-), former Chinese soccer player" -郏,jiá,name of a district in Henan -郏县,jiá xiàn,"Jia county in Pingdingshan 平頂山|平顶山[Ping2 ding3 shan1], Henan" -郡,jùn,canton; county; region -郡守,jùn shǒu,senior provincial official in imperial China -郡会,jùn huì,county capital -郡望,jùn wàng,"choronym (a family's region of origin, used as an indicator of superior social status in a choronym-surname combination) (For example, the Tang writer Han Yu 韓愈|韩愈[Han2 Yu4] is also known as 韓昌黎|韩昌黎[Han2 Chang1 li2], where 韓|韩[Han2] is his surname and 昌黎[Chang1 li2] is his clan's ancestral prefecture 郡[jun4].)" -郡治,jùn zhì,seat of the principal county magistrate in imperial China -郡治安官,jùn zhì ān guān,sheriff -郢,yǐng,"Ying, ancient capital of Chu 楚 in Hubei, Jianling county 江陵縣|江陵县" -郢书燕说,yǐng shū yān shuō,"lit. Ying writes a letter and Yan reads it; fig. to misinterpret the original meaning; to pile up errors; refers to the letter from capital 郢[Ying3] of 楚[Chu3] in which the inadvertent words ""hold up the candle"" are mistaken by the minister of 燕[Yan1] as ""promote the wise""" -郤,xì,surname Xi -郤,xì,variant of 隙[xi4] -部,bù,"ministry; department; section; part; division; troops; board; classifier for works of literature, films, machines etc" -部下,bù xià,troops under one's command; subordinate -部件,bù jiàn,part; component -部位,bù wèi,"part (esp. of the body, but also of a vegetable, e.g. the root, or a garment, e.g. the sleeve, etc)" -部分,bù fen,part; share; section; piece; CL:個|个[ge4] -部分工时,bù fen gōng shí,part-time work -部委,bù wěi,ministries and commissions -部属,bù shǔ,troops under one's command; subordinate; affiliated to a ministry -部族,bù zú,tribe; clan -部署,bù shǔ,to dispose; to deploy; deployment -部落,bù luò,tribe -部落客,bù luò kè,blogger (Tw) -部落格,bù luò gé,blog (loanword) (Tw) -部众,bù zhòng,troops -部长,bù zhǎng,"head of a (government etc) department; section chief; section head; secretary; minister; CL:個|个[ge4],位[wei4],名[ming2]" -部长会,bù zhǎng huì,minister level conference -部长会议,bù zhǎng huì yì,minister level conference -部长级,bù zhǎng jí,ministerial level (e.g. negotiations) -部长级会议,bù zhǎng jí huì yì,minister level conference -部门,bù mén,department; branch; section; division; CL:個|个[ge4] -部队,bù duì,army; armed forces; troops; force; unit; CL:個|个[ge4] -部队锅,bù duì guō,"budae jjigae, a type of Korean stew" -部类,bù lèi,category; division -部首,bù shǒu,radical of a Chinese character -部首编排法,bù shǒu biān pái fǎ,dictionary arrangement of Chinese characters under radicals -郫,pí,place name -郫县,pí xiàn,"Pi county in Chengdu 成都[Cheng2 du1], Sichuan" -郭,guō,surname Guo -郭,guō,outer city wall -郭台铭,guō tái míng,"Guo ""Terry"" Taiming (1950-), prominent Taiwanese businessman, founder of Foxconn" -郭城,guō chéng,outer city wall -郭子仪,guō zǐ yí,"Guo Ziyi (697-781), Chinese general who served three emperors of the Tang dynasty" -郭小川,guō xiǎo chuān,"Guo Xiaochuan (1919-1976), PRC communist poet, hero in the war with Japan, died after long persecution during Cultural Revolution" -郭居静,guō jū jìng,"Lazzaro Cattaneo (1560-1640), Italian Jesuit missionary in China" -郭嵩焘,guō sōng tāo,"Guo Songtao (1818-1891), Chinese statesman and diplomat, served as minister to Britain and minister to France 1877-1879" -郭敬明,guō jìng míng,"Guo Jingming (1983-), Chinese young-adult fiction writer and teen pop idol" -郭晶晶,guō jīng jīng,"Guo Jingjing (1981-), Chinese female diver and Olympic gold medalist" -郭永怀,guō yǒng huái,"Guo Yonghuai (1909-1968), Chinese aviation pioneer" -郭沫若,guō mò ruò,"Guo Moruo (1892-1978), writer, communist party intellectual and cultural apparatchik" -郭泉,guō quán,"Guo Quan, formerly Professor of Nanjing Normal University, sacked after founding New People's Party of China 中國新民黨|中国新民党" -郭茂倩,guō mào qiàn,"Guo Maoqian (11th century), Song dynasty editor of the Collection of Yuefu Songs and Ballads 樂府詩集|乐府诗集[Yue4 fu3 Shi1 ji2]" -郯,tán,surname Tan; name of an ancient city -郯城,tán chéng,"Tancheng county in Linyi 臨沂|临沂[Lin2 yi2], Shandong" -郯城县,tán chéng xiàn,"Tancheng county in Linyi 臨沂|临沂[Lin2 yi2], Shandong" -郴,chēn,name of a district in Hunan -郴州,chēn zhōu,a city in Hunan province -郴州市,chēn zhōu shì,Chenzhou prefecture-level city in Hunan -邮,yóu,post (office); mail -邮亭,yóu tíng,postal kiosk; (old) rest shelter for couriers -邮件,yóu jiàn,mail; post; email -邮务士,yóu wù shì,mailman (Tw) -邮包,yóu bāo,postal parcel; parcel -邮汇,yóu huì,to remit by post; remittance sent by post -邮区,yóu qū,postal district -邮品,yóu pǐn,"items issued by a postal service and collected by philatelists (stamps, postcards, first day covers etc)" -邮报,yóu bào,Post (in the name of a newspaper) -邮寄,yóu jì,to mail; to send by post -邮局,yóu jú,"post office; CL:家[jia1],個|个[ge4]" -邮展,yóu zhǎn,philatelic exhibition -邮差,yóu chāi,(old) postman -邮市,yóu shì,philatelic market -邮戳,yóu chuō,postmark -邮折,yóu zhé,(philately) presentation pack; stamp folder -邮政,yóu zhèng,postal service; postal -邮政信箱,yóu zhèng xìn xiāng,post office box -邮政区码,yóu zhèng qū mǎ,"PRC postcode, e.g. 361000 for Xiamen or Amoy 廈門|厦门[Xia4 men2], Fujian" -邮政局,yóu zhèng jú,post office -邮政式拼音,yóu zhèng shì pīn yīn,"Chinese postal romanization, developed in the early 1900s, used until the 1980s" -邮政编码,yóu zhèng biān mǎ,postal code; zip code -邮票,yóu piào,"(postage) stamp; CL:枚[mei2],張|张[zhang1]" -邮筒,yóu tǒng,mailbox; pillar box; (old) letter -邮箱,yóu xiāng,mailbox; post office box; email; email inbox -邮简,yóu jiǎn,letter sheet (similar to an aerogram but not necessarily sent by airmail) -邮编,yóu biān,postal code; zip code -邮船,yóu chuán,mailboat; ocean liner -邮花,yóu huā,(dialect) (postage) stamp -邮袋,yóu dài,mailbag -邮费,yóu fèi,postage -邮资,yóu zī,postage -邮购,yóu gòu,to purchase by mail; to mail-order -邮车,yóu chē,mail van; mail coach -邮轮,yóu lún,ocean liner; cruise liner -邮迷,yóu mí,stamp collector; philatelist -邮递,yóu dì,to mail; to deliver (through the post) -邮递区号,yóu dì qū hào,ZIP code; postal code -邮递员,yóu dì yuán,mailman -邮电,yóu diàn,post and telecommunications -都,dū,surname Du -都,dōu,all; both; entirely; (used for emphasis) even; already; (not) at all -都,dū,capital city; metropolis -都什么年代了,dōu shén me nián dài le,What decade are you living in?; That's so out-of-date! -都伯林,dū bó lín,"Dublin, capital of Ireland; also written 都柏林" -都匀,dū yún,"Duyun City in Guizhou, capital of Qiannan Buyei and Miao Autonomous Prefecture 黔南布依族苗族自治州[Qian2 nan2 Bu4 yi1 zu2 Miao2 zu2 Zi4 zhi4 zhou1]" -都匀市,dū yún shì,"Duyun City in Guizhou, capital of Qiannan Buyei and Miao Autonomous Prefecture 黔南布依族苗族自治州[Qian2 nan2 Bu4 yi1 zu2 Miao2 zu2 Zi4 zhi4 zhou1]" -都卜勒,dōu bǔ lè,variant of 多普勒[Duo1 pu3 le4] -都城,dū chéng,capital city -都安瑶族自治县,dū ān yáo zú zì zhì xiàn,"Du'an Yao autonomous county in Hezhou 賀州|贺州[He4 zhou1], Guangxi" -都安县,dū ān xiàn,"Du'an Yao autonomous county in Hezhou 賀州|贺州[He4 zhou1], Guangxi" -都尉,dū wèi,military rank -都市,dū shì,city; metropolis -都市传奇,dū shì chuán qí,urban legend (translation of recent Western term); story or theory circulated as true; same as 都會傳奇|都会传奇 -都市化地区,dū shì huà dì qū,urbanized area -都市病,dū shì bìng,lifestyle diseases -都市美型男,dū shì měi xíng nán,metrosexual -都拉斯,dōu lā sī,Durrës (city in Albania) -都昌,dū chāng,"Duchang county in Jiujiang 九江, Jiangxi" -都昌县,dū chāng xiàn,"Duchang county in Jiujiang 九江, Jiangxi" -都更案,dū gēng àn,urban development project -都会,dū huì,city; metropolis -都会传奇,dū huì chuán qí,urban legend (translation of recent Western term); story or theory circulated as true; same as 都市傳奇|都市传奇 -都会美型男,dū huì měi xíng nán,metrosexual -都柏林,dū bó lín,"Dublin, capital of Ireland" -都江堰,dū jiāng yàn,"Dujiangyan in Sichuan, a famous water engineering project and World Heritage Site; Dujiangyan, county-level city in Chengdu 成都[Cheng2 du1], Sichuan" -都江堰市,dū jiāng yàn shì,"Dujiangyan, county-level city in Chengdu 成都[Cheng2 du1], Sichuan" -都督,dū dū,(army) commander-in-chief (archaic); provincial military governor and civil administrator during the early Republic of China era (1911-1949 AD) -都兰,dū lán,"Dulan county in Haixi Mongol and Tibetan autonomous prefecture 海西蒙古族藏族自治州[Hai3 xi1 Meng3 gu3 zu2 Zang4 zu2 zi4 zhi4 zhou1], Qinghai" -都兰县,dū lán xiàn,"Dulan county in Haixi Mongol and Tibetan autonomous prefecture 海西蒙古族藏族自治州[Hai3 xi1 Meng3 gu3 zu2 Zang4 zu2 zi4 zhi4 zhou1], Qinghai" -都护,dū hù,(old) highest administrative post in border areas; governor of a march -都铎王朝,dū duó wáng cháo,"Tudor Dynasty, ruled England 1485-1603" -都灵,dū líng,Torino; Turin (Italy) -都庞岭,dū páng lǐng,Dupang mountain range between south Hunan and Guangdong -郾,yǎn,place name -郾城,yǎn chéng,"Yancheng district of Luohe city 漯河市[Luo4 he2 shi4], Henan" -郾城区,yǎn chéng qū,"Yancheng district of Luohe city 漯河市[Luo4 he2 shi4], Henan" -鄂,è,surname E; abbr. for Hubei Province 湖北省[Hu2bei3 Sheng3] -鄂伦春,è lún chūn,Oroqen or Orochon (ethnic group) -鄂伦春自治旗,è lún chūn zì zhì qí,"Oroqin Autonomous Banner in Hulunbuir 呼倫貝爾|呼伦贝尔[Hu1 lun2 bei4 er3], Inner Mongolia" -鄂博,è bó,see 敖包[ao2bao1] -鄂图曼帝国,è tú màn dì guó,Ottoman Empire (Tw) -鄂城,è chéng,"Echeng district of Ezhou city 鄂州市[E4 zhou1 shi4], Hubei" -鄂城区,è chéng qū,"Echeng district of Ezhou city 鄂州市[E4 zhou1 shi4], Hubei" -鄂州,è zhōu,Ezhou prefecture-level city in Hubei -鄂州市,è zhōu shì,Ezhou prefecture-level city in Hubei -鄂托克,è tuō kè,"Otog banner or Otgiin khoshuu in Ordos 鄂爾多斯|鄂尔多斯[E4 er3 duo1 si1], Inner Mongolia" -鄂托克前旗,è tuō kè qián qí,"Otog Front banner or Otgiin Ömnöd khoshuu in Ordos 鄂爾多斯|鄂尔多斯[E4 er3 duo1 si1], Inner Mongolia" -鄂托克旗,è tuō kè qí,"Otog banner or Otgiin khoshuu in Ordos 鄂爾多斯|鄂尔多斯[E4 er3 duo1 si1], Inner Mongolia" -鄂温克族,è wēn kè zú,Ewenke ethnic group of Inner Mongolia -鄂温克族自治旗,è wēn kè zú zì zhì qí,"Evenk Autonomous Banner in Hulunbuir 呼倫貝爾|呼伦贝尔[Hu1 lun2 bei4 er3], Inner Mongolia" -鄂温克语,è wēn kè yǔ,Ewenke language (of Ewenke ethnic group of Inner Mongolia) -鄂尔多斯,è ěr duō sī,"Ordos, region of Inner Mongolia administered as a prefecture-level city, and a people of the region" -鄂尔多斯市,è ěr duō sī shì,Ordos prefecture-level city in Inner Mongolia -鄂尔多斯沙漠,è ěr duō sī shā mò,"Ordos Desert, Inner Mongolia" -鄂尔多斯高原,è ěr duō sī gāo yuán,"Ordos Plateau, Inner Mongolia" -鄂霍次克海,è huò cì kè hǎi,Sea of Okhotsk -鄄,juàn,name of a district in Shandong -鄄城,juàn chéng,"Juancheng county in Heze 菏澤|菏泽[He2 ze2], Shandong" -鄄城县,juàn chéng xiàn,"Juancheng county in Heze 菏澤|菏泽[He2 ze2], Shandong" -郓,yùn,place name -郓城,yùn chéng,"Yuncheng county in Heze 菏澤|菏泽[He2 ze2], Shandong" -郓城县,yùn chéng xiàn,"Yuncheng county in Heze 菏澤|菏泽[He2 ze2], Shandong" -乡,xiāng,country or countryside; native place; home village or town; township (PRC administrative unit) -乡下,xiāng xia,countryside; rural area; CL:個|个[ge4] -乡下人,xiāng xià rén,country folk; rustic; rural folk -乡下佬,xiāng xia lǎo,villager; hick -乡下习气,xiāng xià xí qì,country manners; provincialism -乡人,xiāng rén,villager; fellow villager -乡人子,xiāng rén zǐ,young fellow countryman; young person from the same village -乡僻,xiāng pì,far from town; out-of-the-way place -乡土,xiāng tǔ,native soil; one's native land; one's hometown; local (to an area) -乡城,xiāng chéng,"Xiangcheng county (Tibetan: phyag 'phreng rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1], Sichuan (formerly in Kham province of Tibet)" -乡城县,xiāng chéng xiàn,"Xiangcheng county (Tibetan: phyag 'phreng rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1], Sichuan (formerly in Kham province of Tibet)" -乡宁,xiāng níng,"Xiangning county in Linfen 臨汾|临汾[Lin2 fen2], Shanxi" -乡宁县,xiāng níng xiàn,"Xiangning county in Linfen 臨汾|临汾[Lin2 fen2], Shanxi" -乡巴佬,xiāng bā lǎo,(derog.) villager; hick; bumpkin -乡情,xiāng qíng,homesickness -乡愁,xiāng chóu,homesickness; nostalgia -乡愿,xiāng yuàn,(literary) hypocrite; two-faced person -乡戚,xiāng qi,a relative; a family member -乡曲,xiāng qū,remote village -乡村,xiāng cūn,rustic; village; countryside -乡村奶酪,xiāng cūn nǎi lào,cottage cheese -乡村医生,xiāng cūn yī shēng,village doctor (Chinese health care system) -乡村音乐,xiāng cūn yīn yuè,country music (country & western music genre) -乡梓,xiāng zǐ,(literary) hometown; native place -乡民,xiāng mín,villager; (Tw) (Internet slang) person who likes to follow online discussions and add their opinions -乡气,xiāng qì,rustic; uncouth; unsophisticated -乡绅,xiāng shēn,a scholar or government official living in one's village; a village gentleman; squire -乡亲,xiāng qīn,fellow countryman (from the same village); local people; villager; the folks back home -乡试,xiāng shì,the triennial provincial imperial exam during the Ming and Qing -乡谈,xiāng tán,local dialect -乡贯,xiāng guàn,one's native place; place of ancestry; registered birthplace -乡郊,xiāng jiāo,rural -乡邻,xiāng lín,fellow villager -乡医,xiāng yī,abbr. of 鄉村醫生|乡村医生[xiang1 cun1 yi1 sheng1] -乡里,xiāng lǐ,one's home town or village -乡镇,xiāng zhèn,village; township -乡长,xiāng zhǎng,village chief; mayor (of village or township) -乡间,xiāng jiān,in the country; rural; pastoral -乡音,xiāng yīn,local accent; accent of one's native place -鄋,sōu,see 鄋瞞|鄋瞒[Sou1 man2] -鄋瞒,sōu mán,name of a state and its people in Shangdong in late Spring and Autumn period -邹,zōu,surname Zou; vassal state during the Zhou Dynasty (1046-256 BC) in the southeast of Shandong -邹城,zōu chéng,"Zoucheng, county-level city in Jining 濟寧|济宁[Ji3 ning2], Shandong" -邹城市,zōu chéng shì,"Zoucheng, county-level city in Jining 濟寧|济宁[Ji3 ning2], Shandong" -邹容,zōu róng,"Zou Rong (1885-1905), a martyr of the anti-Qing revolution, died in jail in 1905" -邹平,zōu píng,"Zouping county in Binzhou 濱州|滨州[Bin1 zhou1], Shandong" -邹平县,zōu píng xiàn,"Zouping county in Binzhou 濱州|滨州[Bin1 zhou1], Shandong" -邹族,zōu zú,"Tsou or Cou, one of the indigenous peoples of Taiwan" -邹县,zōu xiàn,Zou county in Shandong -邹衍,zōu yǎn,"Zou Yan (305-240 BC), founder of the School of Yin-Yang of the Warring States Period (475-221 BC)" -邹韬奋,zōu tāo fèn,"Zou Taofen (1895-1944), journalist, political theorist and publisher" -邬,wū,surname Wu; ancient place name -郧,yún,name of a feudal state -郧县,yún xiàn,"Yun county in Shiyan 十堰[Shi2 yan4], Hubei" -郧西,yún xī,"Yunxi county in Shiyan 十堰[Shi2 yan4], Hubei" -郧西县,yún xī xiàn,"Yunxi county in Shiyan 十堰[Shi2 yan4], Hubei" -鄙,bǐ,rustic; low; base; mean; to despise; to scorn -鄙人,bǐ rén,your humble servant; I -鄙俗,bǐ sú,vulgar; philistine -鄙俚,bǐ lǐ,vulgar; philistine -鄙劣,bǐ liè,base; mean; despicable -鄙吝,bǐ lìn,vulgar; stingy; miserly; mean -鄙夷,bǐ yí,to despise; to look down on; to feel contempt for -鄙斥,bǐ chì,(literary) to censure; to rebuke -鄙弃,bǐ qì,to disdain; to loathe -鄙称,bǐ chēng,derogatory term -鄙薄,bǐ bó,to despise; to scorn -鄙亵,bǐ xiè,vulgar; disrespectful -鄙见,bǐ jiàn,(my) humble opinion; humble idea -鄙视,bǐ shì,to despise; to disdain; to look down upon -鄙视链,bǐ shì liàn,"a ranking of items in a particular category, with the most highly regarded on top (neologism c. 2012, coined by analogy with 食物鏈|食物链[shi2 wu4 lian4], food chain)" -鄙贱,bǐ jiàn,lowly; despicable; to despise -鄙陋,bǐ lòu,superficial; shallow -鄞,yín,name of a district in Zhejiang -鄞州,yín zhōu,"Yinzhou district of Ningbo city 寧波市|宁波市[Ning2 bo1 shi4], Zhejiang" -鄞州区,yín zhōu qū,"Yinzhou district of Ningbo city 寧波市|宁波市[Ning2 bo1 shi4], Zhejiang" -鄞县,yín xiàn,Yin county in Zhejiang -鄢,yān,surname Yan; name of a district in Henan -鄢陵,yān líng,"Yanling county in Xuchang city 許昌市|许昌市[Xu3 chang1 shi4], Henan" -鄢陵县,yān líng xiàn,"Yanling county in Xuchang city 許昌市|许昌市[Xu3 chang1 shi4], Henan" -鄣,zhāng,place name -鄦,xǔ,surname Xu; vassal state during the Zhou Dynasty (1046-221 BC) -鄦,xǔ,old variant of 許|许 -邓,dèng,surname Deng -邓世昌,dèng shì chāng,"Deng Shichang (1849-1894), Qing dynasty naval specialist, founded naval dockyards and two naval colleges, died heroically in action against the Japanese" -邓亚萍,dèng yà píng,"Deng Yaping (1973-), table tennis player, several times world and Olympic winner" -邓亮洪,dèng liàng hóng,Tang Liang Hong (opposition candidate in Jan 1996 Singapore elections) -邓加,dèng jiā,"Dunga (1963-), former Brazilian soccer player" -邓小平,dèng xiǎo píng,"Deng Xiaoping (1904-1997), Chinese communist leader, de facto leader of PRC 1978-1990 and creator of ""socialism with Chinese characteristics""" -邓小平理论,dèng xiǎo píng lǐ lùn,"Deng Xiaoping Theory; Dengism; the foundation of PRC economic development after the Cultural Revolution, building the capitalist economy within Chinese Communist Party control" -邓州,dèng zhōu,"Dengzhou, county-level city in Nanyang 南陽|南阳[Nan2 yang2], Henan" -邓州市,dèng zhōu shì,"Dengzhou, county-level city in Nanyang 南陽|南阳[Nan2 yang2], Henan" -邓拓,dèng tuò,"Deng Tuo (1912-1966), sociologist and journalist, died under persecution at the start of the Cultural Revolution; wrote under the pen name Ma Nancun 馬南邨|马南邨" -邓析,dèng xī,"Deng Xi (545-501 BC), Chinese philosopher and rhetorician, the first lawyer of ancient China" -邓颖超,dèng yǐng chāo,"Deng Yingchao (1904-1992), Chinese communist leader, wife of Zhou Enlai 周恩來|周恩来" -邓紫棋,dèng zǐ qí,"G.E.M. (1991-), Chinese pop star" -邓迪,dèng dí,"Dundee, Scotland" -邓通,dèng tōng,"Deng Tong (2nd c. BC), one of the wealthiest Former Han Dynasty 前漢|前汉[Qian2 Han4] officials" -邓丽君,dèng lì jūn,"Teresa Teng (1953-1995), Taiwanese pop idol" -郑,zhèng,"the name of a state in the Zhou dynasty in the vicinity of present-day Xinzheng 新鄭|新郑[Xin1zheng4], a county-level city in Henan; surname Zheng; abbr. for Zhengzhou 鄭州|郑州[Zheng4zhou1], the capital of Henan" -郑,zhèng,bound form used in 鄭重|郑重[zheng4 zhong4] and 雅鄭|雅郑[ya3 zheng4] -郑人争年,zhèng rén zhēng nián,Men of Zheng fighting over their respective ages (idiom); a futile quarrel -郑人买履,zhèng rén mǎi lǚ,"lit. the person from Zheng 鄭|郑[Zheng4] who wanted to buy shoes (an allusion to an ancient story about somebody who, when buying a pair of shoes, preferred to rely on their foot measurements rather than just trying them on) (idiom); fig. disregarding the sensible approach in favor of adherence to a fixed idea" -郑伊健,zhèng yī jiàn,"Ekin Cheng (1967-), Hong Kong actor and pop singer" -郑光祖,zhèng guāng zǔ,"Zheng Guangzu, Yuan dynasty dramatist in the 雜劇|杂剧 tradition of musical comedy, one of the Four Great Yuan dramatists 元曲四大家" -郑和,zhèng hé,"Zheng He (1371-1433), famous early Ming dynasty admiral and explorer" -郑国渠,zhèng guó qú,"Zhengguo canal, a 150 km long irrigation canal in Shaanxi built in 264 BC" -郑梦准,zhèng mèng zhǔn,"Chung Mongjoon (1951-), Korean magnate and the founder of Hyundai 現代|现代[Xian4 dai4]" -郑州,zhèng zhōu,"Zhengzhou, prefecture-level city and capital of Henan Province in central China" -郑州大学,zhèng zhōu dà xué,Zhengzhou University -郑州市,zhèng zhōu shì,"Zhengzhou, prefecture-level city and capital of Henan Province in central China" -郑幸娟,zhèng xìng juān,"Zheng Xingjuan (1989-), Chinese athlete, lady high jumper" -郑成功,zhèng chéng gōng,"Koxinga (1624-1662), military leader" -郑易里,zhèng yì lǐ,"Zheng Yili (1906-2002), translator, editor and lexicographer, creator of the Zheng coding" -郑玄,zhèng xuán,"Zheng Xuan (127-200), late Han scholar" -郑码,zhèng mǎ,"Zheng coding; original Chinese character coding based on component shapes, created by Zheng Yili 鄭易里|郑易里[Zheng4 Yi4 li3], underlying most stroke-based Chinese input methods; also called common coding 字根通用碼|字根通用码[zi4 gen1 tong1 yong4 ma3]" -郑声,zhèng shēng,"folk music of the state of Zheng 鄭|郑[Zheng4]; lascivious, decadent music" -郑裕玲,zhèng yù líng,"Carol ""Dodo"" Cheng Yu-Ling (1957-), Hong Kong actress and TV host" -郑重,zhèng zhòng,serious; solemn; earnest; conscientious -郑重其事,zhèng zhòng qí shì,serious about the matter -鄯,shàn,name of a district in Xinjiang -鄯善,shàn shàn,"Piqan county or Pichan nahiyisi in Turpan prefecture 吐魯番地區|吐鲁番地区[Tu3 lu3 fan1 di4 qu1], Xinjiang" -鄯善县,shàn shàn xiàn,"Piqan county or Pichan nahiyisi in Turpan prefecture 吐魯番地區|吐鲁番地区[Tu3 lu3 fan1 di4 qu1], Xinjiang" -邻,lín,neighbor; adjacent; close to -邻人,lín rén,neighbor -邻佑,lín yòu,variant of 鄰右|邻右[lin2 you4] -邻区,lín qū,neighborhood; vicinity -邻右,lín yòu,neighbor -邻国,lín guó,neighboring country -邻域,lín yù,(math.) neighborhood (in a topological space) -邻家,lín jiā,next-door neighbor; neighboring household -邻居,lín jū,neighbor; next door; CL:個|个[ge4] -邻左,lín zuǒ,neighbor -邻座,lín zuò,person in next seat; adjacent seat; neighbor -邻接,lín jiē,adjacent; next to -邻水,lín shuǐ,"Linshui county in Guang'an 廣安|广安[Guang3 an1], Sichuan" -邻水县,lín shuǐ xiàn,"Linshui county in Guang'an 廣安|广安[Guang3 an1], Sichuan" -邻睦,lín mù,to be on friendly terms -邻舍,lín shè,neighbor; person next door -邻苯二甲酸酯,lín běn èr jiǎ suān zhǐ,phthalate (chemistry) -邻苯醌,lín běn kūn,"1,2-benzoquinone (chemistry); ortho-benzoquinone" -邻近,lín jìn,neighboring; adjacent; near; vicinity -邻邦,lín bāng,neighboring country -邻里,lín lǐ,neighbor; neighborhood -鄱,pó,name of a lake -鄱阳,pó yáng,"Poyang county in Shangrao 上饒|上饶, Jiangxi" -鄱阳湖,pó yáng hú,"Poyang Lake in Shangrao 上饒|上饶[Shang4 rao2], Jiangxi" -鄱阳县,pó yáng xiàn,"Poyang county in Shangrao 上饒|上饶, Jiangxi" -郸,dān,name of a district in Hebei -郸城,dān chéng,"Dancheng county in Zhoukou 周口[Zhou1 kou3], Henan" -郸城县,dān chéng xiàn,"Dancheng county in Zhoukou 周口[Zhou1 kou3], Henan" -邺,yè,surname Ye; ancient district in present-day Hebei 河北省[He2bei3 Sheng3] -郐,kuài,surname Kuai; name of a feudal state -鄹,zōu,name of a state; surname Zou -邝,kuàng,surname Kuang -酃,líng,name of a district in Hunan -酃县,líng xiàn,Ling county in Hunan -酆,fēng,Zhou Dynasty capital; surname Feng -酆都,fēng dū,old variant of 豐都|丰都[Feng1 du1]; Fengdu county Chongqing municipality; name of a famous necropolis -郦,lì,surname Li; ancient place name -酉,yǒu,"10th earthly branch: 5-7 p.m., 8th solar month (8th September-7th October), year of the Rooster; ancient Chinese compass point: 270° (west)" -酉时,yǒu shí,5-7 pm (in the system of two-hour subdivisions used in former times) -酉牌时分,yǒu pái shí fēn,5-7 pm -酉阳,yǒu yáng,Youyang Tujia and Miao Autonomous County in Chongqing 重慶|重庆[Chong2qing4] -酉阳土家族苗族自治县,yǒu yáng tǔ jiā zú miáo zú zì zhì xiàn,Youyang Tujia and Miao Autonomous County in Chongqing 重慶|重庆[Chong2qing4] -酉阳县,yǒu yáng xiàn,Youyang Tujia and Miao Autonomous County in Chongqing 重慶|重庆[Chong2qing4] -酉鸡,yǒu jī,"Year 10, year of the Cock (e.g. 2005)" -酊,dīng,tincture (loanword) -酊,dǐng,used in 酩酊[ming3 ding3] -酊剂,dīng jì,tincture -酋,qiú,tribal chief -酋长,qiú zhǎng,"headman (of primitive people); tribal chief; used as translation for foreign leaders, e.g. Indian Rajah or Arab Sheik or Emir" -酋长国,qiú zhǎng guó,Emirate; Sheikdom; used as translation for country under a chief -酌,zhuó,to pour wine; to drink wine; to deliberate; to consider -酌予,zhuó yǔ,to give as one sees fit -酌加,zhuó jiā,to make considered additions -酌夺,zhuó duó,to make a considered decision -酌定,zhuó dìng,to decide after intense deliberation -酌情,zhuó qíng,to use discretion; to take circumstances into account; to make allowances pertinent to a situation -酌情处理,zhuó qíng chǔ lǐ,see 酌情辦理|酌情办理[zhuo2 qing2 ban4 li3] -酌情办理,zhuó qíng bàn lǐ,to act after full consideration of the actual situation -酌收,zhuó shōu,to charge different prices according to the situation; to collect (items) as appropriate -酌核,zhuó hé,to verify after consultation -酌减,zhuó jiǎn,to make considered reductions; discretionary reduction -酌满,zhuó mǎn,to fill up (a wine glass) to the brim -酌献,zhuó xiàn,to honor a deity with wine -酌处,zhuó chǔ,to use one's own discretion -酌处权,zhuó chǔ quán,discretion; discretionary power -酌裁,zhuó cái,to consider and decide -酌议,zhuó yì,to consider and discuss -酌办,zhuó bàn,to do as one thinks fit; to handle by taking circumstances into consideration -酌酒,zhuó jiǔ,to pour wine -酌量,zhuó liáng,to consider; to allow for; to use one's discretion; to measure (food and drink) -配,pèi,to join; to fit; to mate; to mix; to match; to deserve; to make up (a prescription); to allocate -配件,pèi jiàn,component; part; fitting; accessory; replacement part -配件挂勾,pèi jiàn guà gōu,accessory hook -配伍,pèi wǔ,"to blend two or more medicines; compatibility (of herbal remedies, medicines)" -配偶,pèi ǒu,spouse -配备,pèi bèi,to allocate; to provide; to outfit with -配价,pèi jià,(linguistics) valence; valency -配合,pèi hé,matching; fitting in with; compatible with; to correspond; to fit; to conform to; rapport; to coordinate with; to act in concert with; to cooperate; to become man and wife; to combine parts of machine -配售,pèi shòu,to ration merchandise (esp. food in times of shortages) -配型,pèi xíng,to check for compatibility (for an organ transplant) -配套,pèi tào,to form a complete set; compatible; matching; complementary -配套完善,pèi tào wán shàn,comprehensive -配子,pèi zǐ,gamete -配对,pèi duì,to pair up; to match up; to form a pair (e.g. to marry); to mate; matched pair -配对儿,pèi duì er,matched pair -配属,pèi shǔ,troops attached to a unit -配戴,pèi dài,"to put on; to wear (mouthguard, contact lenses, hearing aid etc)" -配接卡,pèi jiē kǎ,adapter (device) -配料,pèi liào,ingredients (in a cooking recipe); to mix materials according to directions -配方,pèi fāng,"prescription; cooking recipe; formulation; completing the square (to solve quadratic equation, math.)" -配方奶,pèi fāng nǎi,formula (milk) -配方法,pèi fāng fǎ,"completing the square (method of solving quadratic equation, math.)" -配有,pèi yǒu,to be equipped with; to come with (sth) -配乐,pèi yuè,to create music for a movie or stage production; to dub music onto a soundtrack; incidental music; soundtrack music -配用,pèi yòng,to provide; installed -配发,pèi fā,to issue; to distribute; to publish along with -配眼镜,pèi yǎn jìng,to have a pair of prescription glasses made -配种,pèi zhǒng,to breed; mating -配种季节,pèi zhǒng jì jié,breeding season -配称,pèi chèn,worthy -配筋,pèi jīn,rebar (construction) -配给,pèi jǐ,to ration; to allocate -配置,pèi zhì,to deploy; to allocate; configuration; allocation -配色,pèi sè,to coordinate colors -配菜,pèi cài,side dish -配药,pèi yào,to dispense (drugs); to prescribe -配补,pèi bǔ,to replace (sth missing); to restore -配装,pèi zhuāng,to install; to fit; to load goods (on ships etc) -配制,pèi zhì,to compound (medicines etc); to prepare (by mixing ingredients); to concoct -配角,pèi jué,supporting role; minor role; (of actors) to perform together -配货,pèi huò,to put together an order of goods -配载,pèi zài,cargo stowage (shipping) -配送,pèi sòng,to put together an order and deliver it (i.e. 配貨|配货[pei4 huo4] and 送貨|送货[song4 huo4]); to deliver (goods) -配送地址,pèi sòng dì zhǐ,delivery address -配送者,pèi sòng zhě,distributor -配速,pèi sù,(loanword) pace (running) -配重,pèi zhòng,bobweight; (diving) weight -配销,pèi xiāo,distribution (of goods for sale) -配钥匙,pèi yào shi,to make a key -配电器,pèi diàn qì,distributor (automobile) -配电柜,pèi diàn guì,power cabinet; switch box -配电站,pèi diàn zhàn,power distribution substation -配音,pèi yīn,dubbing (filmmaking) -配额,pèi é,quota; ration -配饰,pèi shì,"ornament (jewelry, accoutrements etc); decorations" -配餐,pèi cān,catering -配体,pèi tǐ,ligand -酎,zhòu,strong wine -酏,yí,elixirs; sweet wine -酐,gān,anhydride -酒,jiǔ,"wine (esp. rice wine); liquor; spirits; alcoholic beverage; CL:杯[bei1],瓶[ping2],罐[guan4],桶[tong3],缸[gang1]" -酒井,jiǔ jǐng,Sakai (Japanese surname) -酒令,jiǔ lìng,wine-drinking game -酒令儿,jiǔ lìng er,erhua variant of 酒令[jiu3 ling4] -酒保,jiǔ bǎo,barman; bartender -酒具,jiǔ jù,wine vessel; wine cup -酒刺,jiǔ cì,acne -酒力,jiǔ lì,capacity for alcohol; ability to hold drink -酒吧,jiǔ bā,bar; pub; saloon; CL:家[jia1] -酒味,jiǔ wèi,smell of alcohol; flavoring of rum or other liquor in food; aroma or nose (of wine) -酒单,jiǔ dān,wine list (in a restaurant etc) -酒器,jiǔ qì,drinking vessel; wine cup -酒囊饭袋,jiǔ náng fàn dài,"wine sack, food bag (idiom); useless person, only fit for guzzling and boozing" -酒壶,jiǔ hú,wine pot; wine cup -酒宴,jiǔ yàn,feast; repose -酒家,jiǔ jiā,restaurant; bartender; (old) wineshop; tavern -酒巴,jiǔ bā,pub; also written 酒吧 -酒帘,jiǔ lián,wine shop sign -酒席,jiǔ xí,feast; banquet -酒店,jiǔ diàn,wine shop; pub (public house); hotel; restaurant; (Tw) hostess club -酒店业,jiǔ diàn yè,the catering industry; the hotel and restaurant business -酒廊,jiǔ láng,bar -酒厂,jiǔ chǎng,wine factory; distillery -酒后,jiǔ hòu,after drinking; under the influence of alcohol -酒后吐真言,jiǔ hòu tǔ zhēn yán,"after wine, spit out the truth; in vino veritas" -酒后驾车,jiǔ hòu jià chē,driving under the influence -酒后驾驶,jiǔ hòu jià shǐ,driving under the influence of alcohol (DUI) -酒徒,jiǔ tú,drunkard -酒德,jiǔ dé,good manners in drinking; drinking as personality test -酒意,jiǔ yì,tipsy feeling -酒托,jiǔ tuō,person hired to lure customers to high-priced bars -酒托女,jiǔ tuō nǚ,woman hired to lure men to high-priced bars -酒会,jiǔ huì,drinking party; wine reception -酒杯,jiǔ bēi,wine cup -酒桌文化,jiǔ zhuō wén huà,drinking culture -酒枣,jiǔ zǎo,dates in liquor -酒楼,jiǔ lóu,restaurant -酒柜,jiǔ guì,liquor cabinet -酒肴,jiǔ yáo,wine and meat; food and drink -酒水,jiǔ shuǐ,beverage; drink -酒水饮料,jiǔ shuǐ yǐn liào,drink (on a menu) -酒池肉林,jiǔ chí ròu lín,lakes of wine and forests of meat (idiom); debauchery; sumptuous entertainment -酒泉,jiǔ quán,Jiuquan prefecture-level city in Gansu -酒泉市,jiǔ quán shì,Jiuquan prefecture-level city in Gansu -酒渣鼻,jiǔ zhā bí,rosacea (dermatological condition of the face and nose); brandy nose -酒涡,jiǔ wō,dimple; variant of 酒窩|酒窝[jiu3 wo1] -酒测,jiǔ cè,to take a breathalyzer test -酒浆,jiǔ jiāng,wine -酒瘾,jiǔ yǐn,alcohol addiction -酒盅,jiǔ zhōng,wine cup; goblet -酒石酸,jiǔ shí suān,tartaric acid -酒神,jiǔ shén,"Bacchus (the Greek god of wine), aka Dionysus" -酒窖,jiǔ jiào,wine cellar -酒窝,jiǔ wō,dimple; also written 酒渦|酒涡[jiu3 wo1] -酒筵,jiǔ yán,feast; banquet -酒筹,jiǔ chóu,drinking game chips (typically in the form of strips of bamboo inscribed with lines of poetry) -酒精,jiǔ jīng,alcohol; ethanol CH3CH2OH; ethyl alcohol; also written 乙醇; grain alcohol -酒精中毒,jiǔ jīng zhòng dú,alcoholism; alcohol poisoning -酒精性,jiǔ jīng xìng,alcoholic (beverage) -酒精洗手液,jiǔ jīng xǐ shǒu yè,alcohol-based hand sanitizer -酒精灯,jiǔ jīng dēng,spirit lamp -酒精饮料,jiǔ jīng yǐn liào,liquor -酒糟,jiǔ zāo,distiller's grain; wine lees -酒糟鼻,jiǔ zāo bí,rosacea (dermatological condition of the face and nose); brandy nose -酒红朱雀,jiǔ hóng zhū què,(bird species of China) vinaceous rosefinch (Carpodacus vinaceus) -酒缸,jiǔ gāng,wine jar; (dialect) drinking house -酒肆,jiǔ sì,wine shop; liquor store; bottle shop; bar; pub -酒肉朋友,jiǔ ròu péng you,lit. drinking buddy (idiom); fig. fair-weather friend -酒至半酣,jiǔ zhì bàn hān,to drink until one is half drunk -酒兴,jiǔ xìng,interest in wine; passion for drinking -酒色,jiǔ sè,wine and women; color of wine; drunken expression -酒色之徒,jiǔ sè zhī tú,follower of wine and women; dissolute person -酒色财气,jiǔ sè cái qì,"wine, sex, avarice and temper (idiom); four cardinal vices" -酒花,jiǔ huā,hops -酒庄,jiǔ zhuāng,winery -酒菜,jiǔ cài,food and drink; food to accompany wine -酒药,jiǔ yào,brewer's yeast; yeast for fermenting rice wine -酒言酒语,jiǔ yán jiǔ yǔ,words spoken under the influence of alcohol (idiom) -酒资,jiǔ zī,(old) drinking money; tip -酒足饭饱,jiǔ zú fàn bǎo,to have eaten and drunk to one's heart's content -酒逢知己千杯少,jiǔ féng zhī jǐ qiān bēi shǎo,"a thousand cups of wine is not too much when best friends meet (idiom); when you're with close friends, you can let your hair down" -酒酣耳热,jiǔ hān ěr rè,tipsy and merry (idiom) -酒醉,jiǔ zuì,to become drunk -酒醒,jiǔ xǐng,to sober up -酒酿,jiǔ niàng,sweet fermented rice; glutinous rice wine -酒量,jiǔ liàng,capacity for liquor; how much one can drink -酒铺,jiǔ pù,tavern; wine shop -酒钱,jiǔ qián,tip -酒食,jiǔ shí,food and drink -酒饭,jiǔ fàn,food and drink -酒馆,jiǔ guǎn,tavern; pub; wine shop -酒馆儿,jiǔ guǎn er,a hotel; a restaurant; a wine shop -酒香不怕巷子深,jiǔ xiāng bù pà xiàng zi shēn,fragrant wine fears no dark alley (idiom); quality goods need no advertising -酒驾,jiǔ jià,driving while intoxicated; DWI; to drink and drive -酒鬼,jiǔ guǐ,drunkard -酒鬼酒,jiǔ guǐ jiǔ,"Jiugui Liquor, liquor company from 吉首[Ji2 shou3]" -酒曲,jiǔ qū,brewer's yeast -酒龄,jiǔ líng,age of wine (i.e. how long it has been matured) -酕,máo,used in 酕醄[mao2tao2] -酕醄,máo táo,(literary) very drunk -酖,dān,addicted to liquor -酖,zhèn,poisonous; to poison -酗,xù,drunk -酗讼,xù sòng,to be drunk and rowdy -酗酒,xù jiǔ,heavy drinking; to get drunk; to drink to excess -酗酒滋事,xù jiǔ zī shì,drunken fighting; to get drunk and quarrel -酚,fēn,phenol -酚甲烷,fēn jiǎ wán,(Tw) bisphenol A (BPA) -酚酞,fēn tài,phenolphthalein -酚醛,fēn quán,phenolic aldehyde; phenolic resin (used to manufacture bakelite) -酚醛胶,fēn quán jiāo,phenolic resin (used to manufacture bakelite) -酚类化合物,fēn lèi huà hé wù,(chemistry) phenol -酞,tài,phthalein (chemistry) -酡,tuó,flushed (from drinking) -酢,cù,variant of 醋[cu4] -酢,zuò,toast to host by guest -酢浆草,cù jiāng cǎo,creeping oxalis; edelweiss -酣,hān,intoxicated -酣梦,hān mèng,sweet dream; sleeping soundly -酣战,hān zhàn,to fight lustily -酣畅,hān chàng,"unrestrained; cheerful lack of inhibition, esp. for drinking or sleeping; to drink with abandon" -酣畅淋漓,hān chàng lín lí,to one's heart's content (idiom) -酣眠,hān mián,to sleep soundly; to be fast asleep -酣睡,hān shuì,to sleep soundly; to fall into a deep sleep -酣醉,hān zuì,to be dead drunk -酣饮,hān yǐn,to drink one's fill -酤,gū,to deal in liquors -酥,sū,flaky pastry; crunchy; limp; soft; silky -酥油,sū yóu,butter -酥油花,sū yóu huā,butter sculpture (Tibetan art form using paint derived from milk products) -酥油茶,sū yóu chá,"butter tea (Tibetan, Mongolian etc drink derived from milk)" -酥脆,sū cuì,crisp (of food) -酥软,sū ruǎn,weak (of body or limbs); limp; gone soft -酥酪,sū lào,yogurt; curd cheese -酥松,sū sōng,"loose (soil, or limbs of a relaxed person etc); flaky (pastry etc)" -酥松油脂,sū sōng yóu zhī,shortening (fat used in cooking cakes) -酥麻,sū má,limp and numb (of limbs) -酬,chóu,variant of 酬[chou2] -酩,mǐng,used in 酩酊[ming3 ding3] -酩酊,mǐng dǐng,blind drunk -酩酊大醉,mǐng dǐng dà zuì,dead drunk; plastered; as drunk as a lord -酪,lào,"(bound form) semi-solid food made from milk (junket, cheese etc); (bound form) fruit jelly; sweet paste made with crushed nuts; Taiwan pr. [luo4]" -酪乳,lào rǔ,buttermilk -酪梨,lào lí,avocado (Persea americana); Taiwan pr. [luo4 li2] -酪氨酸,lào ān suān,"tyrosine (Tyr), an amino acid" -酪氨酸代谢病,lào ān suān dài xiè bìng,(medicine) tyrosinosis -酪素,lào sù,casein (milk protein) -酪蛋白,lào dàn bái,casein (milk protein) -酪农业,lào nóng yè,dairy -酪饼,lào bǐng,cheesecake -酬,chóu,to entertain; to repay; to return; to reward; to compensate; to reply; to answer -酬偿,chóu cháng,reward -酬劳,chóu láo,reward -酬和,chóu hè,to respond to a poem with a poem -酬报,chóu bào,to repay; to reward -酬对,chóu duì,(literary) to reply; to answer -酬应,chóu yìng,social interaction -酬神,chóu shén,to offer thanks to the gods -酬答,chóu dá,to thank with a gift -酬谢,chóu xiè,to thank with a gift -酬宾,chóu bīn,bargain sale; discount -酬赏,chóu shǎng,reward -酬载,chóu zài,payload -酬酢,chóu zuò,to exchange toasts -酬金,chóu jīn,monetary reward; remuneration -酮,tóng,ketone -酮基,tóng jī,ketone group -酮糖,tóng táng,"ketose, monosaccharide containing ketone group" -酯,zhǐ,ester -酯化,zhǐ huà,esterification -酯酶,zhǐ méi,"esterase, enzyme that breaks up esters by hydrolysis" -酰,xiān,acid radical; -acyl (chemistry) -酰胺,xiān àn,amide; acidamide (chemistry) -酲,chéng,(literary) inebriated; hungover -酴,tú,yeast -酵,jiào,yeast; leaven; fermentation; Taiwan pr. [xiao4] -酵母,jiào mǔ,yeast; saccharomycete (abbr. for 酵母菌[jiao4 mu3 jun1]) -酵母菌,jiào mǔ jūn,yeast; saccharomycete -酵母醇,jiào mǔ chún,zymosterol -酵素,jiào sù,enzyme -酵解作用,jiào jiě zuò yòng,zymolysis -酶,méi,enzyme; ferment -酶原,méi yuán,zymogen; fermentogen -酷,kù,ruthless; strong (e.g. of wine); (loanword) cool; hip -酷似,kù sì,to strikingly resemble -酷儿,kù ér,queer (sexuality) -酷刑,kù xíng,cruelty; torture -酷刑折磨,kù xíng zhé mó,torture and cruel treatment -酷爱,kù ài,to be keen on; to have a passion for -酷毙,kù bì,(slang) awesome; cool; righteous -酷斯拉,kù sī lā,Godzilla (Japanese ゴジラ Gojira); see also 哥斯拉[Ge1 si1 la1] -酷暑,kù shǔ,intense heat; extremely hot weather -酷派,kù pài,"Coolpad Group Ltd, Chinese company" -酷炫,kù xuàn,(slang) cool; awesome -酷烈,kù liè,intense; brutal; fierce -酷热,kù rè,torrid heat -酷肖,kù xiào,to strikingly resemble -酷鹏,kù péng,coupon (loanword) -酸,suān,sour; tart; sick at heart; grieved; sore; aching; pedantic; impractical; to make sarcastic remarks about sb; an acid -酸不溜丢,suān bu liū diū,sour; acrid; (of a person) embittered -酸不溜秋,suān bu liū qiū,see 酸不溜丟|酸不溜丢[suan1 bu5 liu1 diu1] -酸乳,suān rǔ,yogurt -酸乳酪,suān rǔ lào,yogurt -酸儿辣女,suān ér là nǚ,"if a woman likes to eat sour during pregnancy, she will have a boy; if she likes to eat spicy, she will have a girl (idiom)" -酸奶,suān nǎi,yogurt -酸奶节,suān nǎi jié,"Lhasa Shoton festival or yogurt banquet, from first of July of Tibetan calendar" -酸式盐,suān shì yán,acid salt -酸性,suān xìng,acidity -酸败,suān bài,"(milk) to turn sour; (meat, fish) to go off" -酸曲,suān qǔ,love song -酸根,suān gēn,negative ion; acid radical -酸梅,suān méi,pickled plum; Japanese umeboshi -酸枣,suān zǎo,sour date (Ziziphus jujuba var. spinosa) -酸楚,suān chǔ,disconsolate; forlorn; grievance -酸模,suān mó,sorrel (Rumex acetosa) -酸橙,suān chéng,lime (fruit) -酸民,suān mín,(Tw) (Internet) troll -酸溜溜,suān liū liū,sour; acid -酸浆,suān jiāng,Chinese lantern plant (Physalis alkekengi); winter cherry; strawberry ground-cherry; creeping oxalis (Oxalis corniculata) -酸涩,suān sè,sour; acrid; (fig.) bitter; painful -酸甜,suān tián,sour and sweet -酸甜苦辣,suān tián kǔ là,"sour, sweet, bitter and spicy hot; fig. the joys and sorrows of life" -酸疼,suān téng,(of muscles) to ache; sore -酸痛,suān tòng,to ache -酸莓,suān méi,cranberry -酸菜,suān cài,"pickled vegetables, especially Chinese cabbage" -酸葡萄,suān pú tao,sour grapes -酸豆,suān dòu,tamarind (Tamarindus indica) tropical tree with bean-like fruit; pickled caper -酸软,suān ruǎn,aching and weary -酸辛,suān xīn,misery -酸辣土豆丝,suān là tǔ dòu sī,hot and sour shredded potato -酸辣汤,suān là tāng,hot and sour soup; sour and spicy soup -酸辣酱,suān là jiàng,hot and sour sauce; chutney -酸雨,suān yǔ,acid rain -酸碱值,suān jiǎn zhí,pH (chemistry) -酸盐,suān yán,sulfonate -酹,lèi,pour out libation; sprinkle -腌,yān,to salt; to pickle; to cure (meat); to marinate -腌汁,yān zhī,marinade (sauce) -腌泡,yān pào,to marinade -腌渍,yān zì,to pickle; cured; salted -腌肉,yān ròu,salt pork; bacon; marinaded meat; cured meat -腌猪肉,yān zhū ròu,bacon; cured pork -腌货,yān huò,pickles -腌黄瓜,yān huáng guā,pickle -醄,táo,used in 酕醄[mao2tao2] -醅,pēi,unstrained spirits -醇,chún,alcohol; wine with high alcohol content; rich; pure; good wine; sterols -醇厚,chún hòu,mellow and rich; simple and kind -醇美,chún měi,mellow; rich; superb -醇酸,chún suān,alkyd; alcohol acid; hydroxyacid -醇酸树脂,chún suān shù zhī,alkyd resin -醉,zuì,intoxicated -醉人,zuì rén,intoxicating; fascinating -醉心,zuì xīn,enthralled; fascinated -醉心于,zuì xīn yú,to be infatuated with -醉意,zuì yì,tipsiness; signs of intoxication -醉态,zuì tài,drunken state -醉枣,zuì zǎo,dates in liquor -醉汉,zuì hàn,intoxicated man; drunkard -醉熏熏,zuì xūn xūn,variant of 醉醺醺[zui4 xun1 xun1] -醉生梦死,zuì shēng mèng sǐ,as if drunk or entranced (idiom); leading a befuddled existence; in a drunken stupor -醉翁,zuì wēng,wine-lover; drinker; toper; drunkard -醉翁之意不在酒,zuì wēng zhī yì bù zài jiǔ,wine-lover's heart is not in the cup (idiom); a drinker not really interested in alcohol; having an ulterior motive; to have other things in mind; with an ax to grind; accomplishing something besides what one set out to do -醉圣,zuì shèng,the Sage of intoxication; refers to Tang Dynasty poet Li Bai 李白 (701-762) -醉虾,zuì xiā,drunken shrimp (Chinese dish based on shrimps marinated in Chinese wine) -醉酒,zuì jiǔ,to get drunk -醉酒驾车,zuì jiǔ jià chē,drunk driving (very high blood alcohol concentration) -醉醺醺,zuì xūn xūn,drunk; intoxicated -醉鸡,zuì jī,chicken in rice wine; also translated drunken chicken -醉驾,zuì jià,to drive while above the legal alcohol limit -醉鬼,zuì guǐ,drunkard -醋,cù,vinegar; jealousy (in love rivalry) -醋劲,cù jìn,jealousy (in love) -醋劲儿,cù jìn er,erhua variant of 醋勁|醋劲[cu4 jin4] -醋意,cù yì,jealousy (in love rivalry) -醋栗,cù lì,gooseberry -醋海生波,cù hǎi shēng bō,lit. waves on a sea of vinegar; trouble caused by a jealous woman (idiom) -醋坛子,cù tán zi,vinegar jar; (fig.) person of a jealous nature -醋酸,cù suān,acetic acid (CH3COOH); acetate -醋酸乙酯,cù suān yǐ zhǐ,ethyl acetate; acetidin -醋酸纤维,cù suān xiān wéi,cellulose acetate (used for film and fiber) -醌,kūn,quinone (chemistry) -醍,tí,essential oil of butter -醍醐,tí hú,refined cream cheese; fig. crème de la crème; nirvana; Buddha nature; Buddhist truth; broth; flawless personal character -醍醐灌顶,tí hú guàn dǐng,lit. to anoint your head with the purest cream (idiom); fig. to enlighten people with perfect wisdom; flawless Buddhist teaching -醐,hú,purest cream -醑,xǔ,spiritus; strain spirits -醒,xǐng,to wake up; to be awake; to become aware; to sober up; to come to -醒世恒言,xǐng shì héng yán,"Stories to Awaken the World, vernacular short stories by Feng Menglong 馮夢龍|冯梦龙[Feng2 Meng4 long2] published in 1627" -醒来,xǐng lái,to waken -醒悟,xǐng wù,to come to oneself; to come to realize; to come to see the truth; to wake up to reality -醒目,xǐng mù,eye-grabbing (headline); striking (illustration) -醒豁,xǐng huò,clear; unambiguous -醒酒,xǐng jiǔ,to dissipate the effects of alcohol; to sober up -醒面,xǐng miàn,to let the dough rest -醇,chún,old variant of 醇[chun2] -醚,mí,ether -醛,quán,aldehyde -醛固酮,quán gù tóng,aldosterone -醛基,quán jī,aldehyde group -COH -醛糖,quán táng,"aldose, monosaccharide containing aldehyde group -COH" -醛类,quán lèi,(chemistry) aldehyde -丑,chǒu,shameful; ugly; disgraceful -丑事,chǒu shì,scandal -丑人多作怪,chǒu rén duō zuò guài,ugly people will do all kinds of weird things to get attention (idiom) -丑八怪,chǒu bā guài,ugly person -丑剧,chǒu jù,absurd drama; farce; disgraceful show -丑化,chǒu huà,to defame; to libel; to defile; to smear; to vilify -丑妻近地家中宝,chǒu qī jìn dì jiā zhōng bǎo,an ugly wife is a treasure at home (idiom) -丑媳妇早晚也得见公婆,chǒu xí fù zǎo wǎn yě děi jiàn gōng pó,lit. the ugly daughter-in-law must sooner or later meet her parents-in-law (idiom); fig. it's not something you can avoid forever -丑小鸭,chǒu xiǎo yā,"""The Ugly Duckling"" by Hans Christian Andersen 安徒生[An1 tu2 sheng1]" -丑小鸭,chǒu xiǎo yā,ugly duckling -丑怪,chǒu guài,grotesque -丑恶,chǒu è,ugly; repulsive -丑态,chǒu tài,shameful performance; disgraceful situation -丑相,chǒu xiàng,ugly expression; unsightly manners -丑闻,chǒu wén,scandal -丑行,chǒu xíng,scandal -丑诋,chǒu dǐ,to slander -丑话,chǒu huà,ugly talk; vulgarity; obscenity -丑话说在前头,chǒu huà shuō zài qián tou,let's talk about the unpleasant things first; let's be frank -丑陋,chǒu lòu,ugly -丑类,chǒu lèi,villain; evil person -酝,yùn,to brew -酝酿,yùn niàng,(of alcohol) to ferment; (of a crisis) to be brewing; to mull over (an issue); to hold exploratory discussions -醢,hǎi,minced meat; pickled meat -醣,táng,carbohydrate; old variant of 糖[tang2] -醣苷,táng gān,(Tw) glycoside -醣类,táng lèi,carbohydrate -醪,láo,wine or liquor with sediment -醪糟,láo zāo,sweet fermented rice; glutinous rice wine -医,yī,medical; medicine; doctor; to cure; to treat -医之好治不病以为功,yī zhī hào zhì bù bìng yǐ wéi gōng,"doctors like to treat those who are not sick so that they can get credit for the patient's ""recovery"" (idiom)" -医保,yī bǎo,medical insurance; abbr. for 醫療保險|医疗保险[yi1 liao2 bao3 xian3] -医务,yī wù,medical affairs -医务人员,yī wù rén yuán,medical personnel -医务室,yī wù shì,infirmary; sick bay; CL:個|个[ge4] -医务所,yī wù suǒ,clinic; CL:家[jia1] -医卜,yī bǔ,medicine and divination -医嘱,yī zhǔ,prescription (medicine); doctor's advice -医大,yī dà,"abbr. for 醫科大學|医科大学[yi1 ke1 da4 xue2], university of medicine" -医学,yī xué,medicine; medical science; study of medicine -医学中心,yī xué zhōng xīn,medical center -医学博士,yī xué bó shì,doctor of medicine -医学家,yī xué jiā,medical scientist -医学专家,yī xué zhuān jiā,medical expert; medical specialist -医学检验,yī xué jiǎn yàn,medical laboratory technology -医学检验师,yī xué jiǎn yàn shī,medical technologist -医学系,yī xué xì,medical school -医学院,yī xué yuàn,medical school -医官,yī guān,official in charge of medical affairs; respectful title for a doctor -医家,yī jiā,healer; physician; medical man; doctor (esp. of TCM) -医密,yī mì,patient confidentiality (medicine) -医师,yī shī,doctor -医德,yī dé,medical ethics -医患,yī huàn,doctor-patient -医托,yī tuō,a shill for a clinic -医改,yī gǎi,reform of the medical system -医书,yī shū,medical book -医案,yī àn,case history (TCM); case record -医治,yī zhì,to treat (an illness); medical treatment -医理,yī lǐ,medical knowledge; principles of medical science -医生,yī shēng,"doctor; CL:個|个[ge4],位[wei4],名[ming2]" -医疗,yī liáo,medical treatment -医疗保健,yī liáo bǎo jiàn,health care -医疗保险,yī liáo bǎo xiǎn,medical insurance -医疗器械,yī liáo qì xiè,medical equipment -医疗疏失,yī liáo shū shī,medical negligence; medical malpractice -医疗经验,yī liáo jīng yàn,medical expertise -医疗护理,yī liáo hù lǐ,health care -医疗费,yī liáo fèi,medical expenses -医科,yī kē,medicine (as a science); medical science -医科大学,yī kē dà xué,university of medicine -医科学校,yī kē xué xiào,medical school -医美,yī měi,aesthetic medicine -医药,yī yào,medical care and medicines; medicine (drug); medical; pharmaceutical -医药分离,yī yào fēn lí,"separating medical consultation from dispensing drugs, proposed policy to counteract perceived PRC problem of ""drugs serving to nourish doctors"" 以藥養醫|以药养医[yi3 yao4 yang3 yi1]" -医药商店,yī yào shāng diàn,chemist; druggist; pharmacy -医药学,yī yào xué,medical science -医术,yī shù,medical expertise; art of healing -医护,yī hù,doctors and nurses; medic; medical (personnel) -医护人员,yī hù rén yuán,medical personnel; doctors and nurses -医道,yī dào,Hur Jun (TV series) -医道,yī dào,art of healing; medical skill -医院,yī yuàn,"hospital; CL:所[suo3],家[jia1],座[zuo4]" -医闹,yī nào,"(neologism c. 2013) organized disruption of healthcare facilities or verbal and physical abuse of medical staff, by an aggrieved patient or proxies such as family members or hired thugs, typically aimed at obtaining compensation" -酱,jiàng,thick paste of fermented soybean; marinated in soy paste; paste; jam -酱料,jiàng liào,sauce -酱油,jiàng yóu,soy sauce -酱瓜,jiàng guā,pickled cucumber -酱紫,jiàng zǐ,dark reddish purple; Internet slang abbr. for 這樣子|这样子[zhe4 yang4 zi5] -醭,bú,mold on liquids -醮,jiào,to perform sacrifice -醯,xī,acyl -酦,fā,used in 醱酵|酦酵[fa1 jiao4]; Taiwan pr. [po4] -酦,pō,to ferment alcohol; Taiwan pr. [po4] -酦酵,fā jiào,variant of 發酵|发酵[fa1 jiao4] -醴,lǐ,sweet wine -醴泉县,lǐ quán xiàn,"Liquan county in Xianyang 咸陽|咸阳, Shaanxi; also written 禮泉縣|礼泉县" -醴陵,lǐ líng,"Liling, county-level city in Zhuzhou 株洲, Hunan" -醴陵市,lǐ líng shì,"Liling prefecture-level city in Zhuzhou 株洲, Hunan" -醵,jù,to contribute to a feast; to pool (money) -醺,xūn,helplessly intoxicated -酬,chóu,variant of 酬[chou2] -宴,yàn,variant of 宴[yan4] -酿,niàng,to ferment; to brew; to make honey (of bees); to lead to; to form gradually; wine; stuffed vegetables (cooking method) -酿成,niàng chéng,to make (wine or spirits); (fig.) to lead to (a bad result) -酿母菌,niàng mǔ jūn,yeast -酿热物,niàng rè wù,biological fuel (such as horse dung) -酿制,niàng zhì,"to brew (beer, soy sauce etc); to make (wine, vinegar etc); to distill (spirits)" -酿造,niàng zào,"to brew; to make (wine, vinegar, soybean paste etc) by fermentation" -酿造学,niàng zào xué,zymurgy -酿酒,niàng jiǔ,"to make a fermented drink (i.e. to brew beer, make wine etc)" -酿酒业,niàng jiǔ yè,brewing industry; wine industry -酿酶,niàng méi,zymase (enzyme in yeast involved in fermentation) -衅,xìn,quarrel; dispute; a blood sacrifice (arch.) -衅端,xìn duān,pretext for a dispute -衅隙,xìn xì,enmity -酾,shī,(literary) to filter (wine); to pour (wine or tea); to dredge; also pr. [shai1]; Taiwan pr. [si1] -酽,yàn,strong (of tea) -釆,biàn,old variant of 辨[bian4] -采,cǎi,color; complexion; looks; variant of 彩[cai3]; variant of 採|采[cai3] -采,cài,allotment to a feudal noble -采矿场,cǎi kuàng chǎng,mining area -采声,cǎi shēng,applause; cheering -釉,yòu,glaze (of porcelain) -释,shì,to explain; to release; Buddha (abbr. for 釋迦牟尼|释迦牟尼[Shi4 jia1 mou2 ni2]); Buddhism -释俗,shì sú,to explain in simple terms -释典,shì diǎn,Buddhist doctrine; sutras -释出,shì chū,to release; to make available; to liberate; disengagement -释卷,shì juàn,to stop reading -释名,shì míng,"""Shiming"", late Han dictionary, containing 1502 entries, using puns on the pronunciation of headwords to explain their meaning" -释回,shì huí,to release from custody -释嫌,shì xián,to forget bad feelings; to mend a relationship -释尊,shì zūn,"another name for Sakyamuni 釋迦牟尼佛|释迦牟尼佛, the historical Buddha" -释念,shì niàn,(literary) to be reassured; not to worry -释怀,shì huái,"to get over (a traumatic experience, misgivings etc)" -释手,shì shǒu,to let go; to loosen one's grip; to put sth down -释放,shì fàng,to release; to set free; to liberate (a prisoner); to discharge -释放出狱,shì fàng chū yù,to release from jail -释教,shì jiào,Buddhism -释文,shì wén,interpreting words; to explain the meaning of words in classic texts; to decipher an old script -释法,shì fǎ,to interpret the law -释然,shì rán,relieved; at ease; feel relieved -释疑,shì yí,to dispel doubts; to clear up difficulties -释经,shì jīng,exegesis; explanation of classic text -释义,shì yì,the meaning of sth; an explanation of the meaning of words or phrases; definition; an interpretation (of doctrine); religious doctrine -释读,shì dú,to read and interpret ancient texts; to decipher -释迦,shì jiā,"Shakya, an ethnicity and clan of the northeast of South Asia to which the Buddha (Siddhartha Gautama) belonged; the Buddha (abbr. for 釋迦牟尼|释迦牟尼[Shi4jia1mou2ni2], Shakyamuni, which means ""the Sage of the Shakyas"")" -释迦,shì jiā,sugar apple (Annona squamosa) -释迦佛,shì jiā fó,"Sakyamuni Buddha (Sanskrit: sage of the Sakya); Siddhartha Gautama (563-485 BC), the historical Buddha and founder of Buddhism" -释迦牟尼,shì jiā móu ní,"Shakyamuni (Sanskrit for ""the Sage of the Shakyas"", i.e. the Buddha, Siddhartha Gautama)" -释迦牟尼佛,shì jiā móu ní fó,"Sakyamuni Buddha (Sanskrit: sage of the Sakya); Siddhartha Gautama (563-485 BC), the historical Buddha and founder of Buddhism" -释除,shì chú,to dispel (doubts) -里,lǐ,Li (surname) -里,lǐ,"li, ancient measure of length, approx. 500 m; neighborhood; ancient administrative unit of 25 families; (Tw) borough, administrative unit between the township 鎮|镇[zhen4] and neighborhood 鄰|邻[lin2] levels" -里人,lǐ rén,"person from the same village, town or province; peasant (derog.); (of a school of thought etc) follower" -里克特,lǐ kè tè,"Richter (name); Charles Francis Richter (1900-1985), US physicist and seismologist, after whom the Richter scale is named" -里加,lǐ jiā,"Riga, capital of Latvia" -里士满,lǐ shì mǎn,Richmond (name) -里奇蒙,lǐ qí méng,Richmond (place name or surname) -里奥斯,lǐ ào sī,Ríos (name) -里奥格兰德,lǐ ào gé lán dé,Rio Grande (Brasil) -里巷,lǐ xiàng,lane; alley -里希特霍芬,lǐ xī tè huò fēn,"Ferdinand von Richthofen (1833-1905), German geologist and explorer who published a major foundational study of the geology of China in 1887 and first introduced the term Silk Road 絲綢之路|丝绸之路" -里弄,lǐ lòng,"lanes and alleys; neighborhood; lane neighborhoods in parts of Shanghai, with modified Chinese courtyard houses, occupied by single families in the 1930s, now crowded with multiple families" -里弗赛德,lǐ fú sài dé,Riverside -里拉,lǐ lā,lira (monetary unit) (loanword) -里斯本,lǐ sī běn,"Lisbon, capital of Portugal" -里昂,lǐ áng,"Lyon, French city on the Rhône" -里朗威,lǐ lǎng wēi,"Lilongwe, capital of Malawi (Tw)" -里根,lǐ gēn,"Reagan (name); Ronald Reagan (1911-2004), US president (1981-1989)" -里氏,lǐ shì,Richter (scale) -里氏震级,lǐ shì zhèn jí,Richter magnitude scale -里港,lǐ gǎng,"Likang township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -里港乡,lǐ gǎng xiāng,"Likang township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -里尔,lǐ ěr,Lille (city in France) -里瓦几亚条约,lǐ wǎ jī yà tiáo yuē,"Treaty of Livadia (1879) between Russia and China, relating to territory in Chinese Turkistan, renegotiated in 1881 (Treaty of St. Petersburg)" -里瓦尔多,lǐ wǎ ěr duō,Rivaldo -里社,lǐ shè,village shrine to the earth god -里程,lǐ chéng,mileage (distance traveled); course (of development) -里程碑,lǐ chéng bēi,milestone -里程表,lǐ chéng biǎo,odometer -里程计,lǐ chéng jì,speedometer (of a vehicle) -里约,lǐ yuē,Rio; abbr. for 里約熱內盧|里约热内卢[Li3 yue1 re4 nei4 lu2] -里约,lǐ yuē,"agreement between the residents of a 里[li3], an administrative district under a city or town (Tw)" -里约热内卢,lǐ yuē rè nèi lú,Rio de Janeiro -里维埃拉,lǐ wéi āi lā,riviera (loanword) -里维耶拉,lǐ wéi yē lā,riviera (loanword) (Tw) -里肌,lǐ jī,(Tw) tenderloin (usu. of pork) -里肌肉,lǐ jī ròu,loin (of pork) -里谚,lǐ yàn,common saying; folk proverb -里贾纳,lǐ jiǎ nà,"Regina city, capital of Saskatchewan province, Canada" -里长伯,lǐ zhǎng bó,neighborhood warden -重,chóng,to repeat; repetition; again; re-; classifier: layer -重,zhòng,heavy; serious; to attach importance to -重中之重,zhòng zhōng zhī zhòng,of the utmost importance; of highest priority -重九,chóng jiǔ,the Double Ninth Festival (9th day of the 9th lunar month) -重五,chóng wǔ,Dragon Boat Festival (5th day of 5th lunar month) -重任,zhòng rèn,heavy responsibility -重估,chóng gū,to re-evaluate -重来,chóng lái,to start over; to do sth all over again -重修,chóng xiū,to reconstruct; to repair; to revamp; to revise; to retake a failed course -重修旧好,chóng xiū jiù hǎo,to make friends again; to renew old cordial relations -重做,chóng zuò,to redo -重伤,zhòng shāng,seriously hurt; serious injury -重价,zhòng jià,high price -重元素,zhòng yuán sù,heavy element (such as uranium) -重光,chóng guāng,to recover one's sight; (fig.) to recover (lost territories) -重兵,zhòng bīng,massive military force -重典,zhòng diǎn,important classic text; severe laws -重出江湖,chóng chū jiāng hú,(of a person) to return to the fray after a period of inactivity; to jump back into the thick of things; (of sth that was once popular) to be resurrected; to make a comeback -重判,zhòng pàn,major punishment (law) -重利,zhòng lì,high interest; huge profit; to value money highly -重利轻义,zhòng lì qīng yì,to value material gain over righteousness -重创,zhòng chuāng,to inflict heavy losses; to inflict serious damage -重剑,zhòng jiàn,épée (fencing) -重力,zhòng lì,gravity -重力场,zhòng lì chǎng,gravitational field -重力异常,zhòng lì yì cháng,gravitational anomaly (geology) -重午,chóng wǔ,Dragon Boat Festival (5th day of 5th lunar month) -重卡,zhòng kǎ,heavy truck (abbr. for 重型卡車|重型卡车) -重印,chóng yìn,to reprint -重又,chóng yòu,once again -重口味,zhòng kǒu wèi,"strong flavor (spicy, salty etc); (of food) strongly flavored; (of a person) having a preference for strong flavors; (slang) intense; hardcore" -重合,chóng hé,to match up; to coincide -重名,chóng míng,to have the same name -重名,zhòng míng,renowned; a great name -重命名,chóng mìng míng,(computing) to rename -重商主义,zhòng shāng zhǔ yì,mercantilism -重启,chóng qǐ,to restart (a machine etc); to reactivate (a postponed project etc) -重器,zhòng qì,treasure -重回,chóng huí,to return -重围,chóng wéi,to redouble a siege -重地,zhòng dì,"location of political, economic, military, or cultural importance (usu. not open to the general public); sensitive area" -重型,zhòng xíng,heavy; heavy duty; large caliber -重塑,chóng sù,to reconstruct (an art object); to remodel -重压,zhòng yā,high pressure; bearing a heavy weight -重大,zhòng dà,great; important; major; significant -重奏,chóng zòu,musical ensemble of several instruments (e.g. duet 二重奏 or trio 三重奏) -重婚,chóng hūn,bigamy -重婚罪,chóng hūn zuì,bigamy -重子,zhòng zǐ,baryon (physics) -重孝,zhòng xiào,mourning dress -重孙,chóng sūn,great-grandson -重孙女,chóng sūn nǚ,great-granddaughter -重孙子,chóng sūn zi,great-grandson -重定向,chóng dìng xiàng,to redirect -重审,chóng shěn,to reinvestigate; to investigate and reconsider a judgment -重屋,chóng wū,lit. multiple roof; building of several stories -重峦叠嶂,chóng luán dié zhàng,range upon range of mountains (idiom) -重工,zhòng gōng,heavy industry -重工业,zhòng gōng yè,heavy industry; manufacturing -重度,zhòng dù,serious; severe -重建,chóng jiàn,to rebuild; to reestablish; reconstruction; rebuilding -重弹,chóng tán,to replay string instrument; fig. to harp on the same string; to raise the same old topic again -重形式轻内容,zhòng xíng shì qīng nèi róng,"heavy on form, light on substance; to stress form at the expense of content" -重影,chóng yǐng,overlapping images; double exposure of photo (e.g. due to fault or motion of camera); double vision -重心,zhòng xīn,center of gravity; central core; main part -重庆,chóng qìng,"Chongqing (Chungking), formerly in Sichuan province, a municipality since 1997, short name 渝[Yu2]" -重庆大学,chóng qìng dà xué,Chongqing University -重庆市,chóng qìng shì,"Chongqing city, formerly in Sichuan province, a municipality since 1997, short name 渝[Yu2]" -重庆科技学院,chóng qìng kē jì xué yuàn,Chongqing Science and Technology University -重惩,zhòng chéng,to punish severely -重托,zhòng tuō,great trust -重披战袍,chóng pī zhàn páo,(fig.) to re-enter the fray; to return to a field of activity after a period of absence -重拾,chóng shí,"to pick up (a theme etc); to regain (confidence); to revive (a custom, friendship etc)" -重挫,zhòng cuò,devastating setback; slump (in stock market etc); crushing defeat; to cause a serious setback; to plummet -重振,chóng zhèn,"to revitalize; to restore (prestige, prosperity etc); revival; recovery" -重排,chóng pái,to rearrange; to retypeset -重提,chóng tí,to raise the same topic -重提旧事,chóng tí jiù shì,to raise the same old topic again; to hark back -重插,chóng chā,"to replug; to disconnect and reconnect (from a plug, port, connection etc)" -重播,chóng bō,to replay; to rerun; (agriculture) to reseed; to oversow -重击,zhòng jī,bang; thump -重操旧业,chóng cāo jiù yè,to resume one's old trade (idiom) -重担,zhòng dàn,heavy burden; difficult task; great responsibility -重整,chóng zhěng,to restructure; to reorganize; to revamp -重整奥思定会,zhòng zhěng ào sī dìng huì,"Order of Augustinian Recollects, a mendicant Catholic religious order of friars and nuns" -重整旗鼓,chóng zhěng qí gǔ,lit. to reorganize flags and drums (idiom); to regroup after a setback; to prepare for new initiatives; to attempt a comeback -重文,chóng wén,repetitious passage; multiple variants of Chinese characters -重文轻武,zhòng wén qīng wǔ,to value letters and belittle arms (idiom); to stress civil matters and neglect the military; to prefer the pen to the sword -重新,chóng xīn,again; once more; re- -重新做人,chóng xīn zuò rén,to start a new life; to make a fresh start -重新启动,chóng xīn qǐ dòng,to reboot; to restart -重新统一,chóng xīn tǒng yī,reunification -重新装修,chóng xīn zhuāng xiū,refurbishment; renovation -重新造林,chóng xīn zào lín,reforestation -重新开始,chóng xīn kāi shǐ,to resume; to restart; to start afresh -重新开机,chóng xīn kāi jī,to restart; to reboot -重于泰山,zhòng yú tài shān,heavier than Mt Tai (idiom); fig. extremely serious matter -重映,chóng yìng,to reshow (a movie) -重晶石,zhòng jīng shí,barite (geology) -重望,zhòng wàng,renowned; prestigious; great hopes; expectations -重查,chóng chá,to reinvestigate; to check again -重核,zhòng hé,heavy nucleus -重案,zhòng àn,major case; serious crime -重构,chóng gòu,to reconstruct; reconstruction; (computing) refactoring -重楼,chóng lóu,multistory building -重样,chóng yàng,same; similar; same type -重机枪,zhòng jī qiāng,heavy machine gun -重机关枪,zhòng jī guān qiāng,also written 重機槍|重机枪; heavy machine gun -重正化,chóng zhèng huà,to renormalize; renormalization -重武器,zhòng wǔ qì,heavy weapon -重历旧游,chóng lì jiù yóu,to revisit; to return to a previously visited spot -重氢,zhòng qīng,heavy hydrogen (isotope); deuterium -重水,zhòng shuǐ,heavy water (chemistry) -重水反应堆,zhòng shuǐ fǎn yìng duī,heavy water reactor (HWR) -重水生产,zhòng shuǐ shēng chǎn,heavy water production -重沓,chóng tà,redundant; to pile up -重油,zhòng yóu,(petrochemistry) heavy oil; fuel oil -重油蛋糕,zhòng yóu dàn gāo,pound cake -重洋,chóng yáng,seas and oceans -重活,zhòng huó,heavy work -重活儿,zhòng huó er,erhua variant of 重活[zhong4 huo2] -重活化剂,zhòng huó huà jì,reactivator -重混,chóng hùn,remix (music) -重温,chóng wēn,"to learn sth over again; to review; to brush up; to revive (memories, friendship etc)" -重温旧梦,chóng wēn jiù mèng,to revive old dreams (idiom); to relive past experiences -重温旧业,chóng wēn jiù yè,to resume one's old trade (idiom) -重演,chóng yǎn,"to recur (of events, esp. adverse ones); to repeat (a performance)" -重灾,zhòng zāi,severe disaster -重灾区,zhòng zāi qū,area particularly hard-hit by a disaster; disaster area -重版,chóng bǎn,to republish -重物,zhòng wù,heavy object -重犯,zhòng fàn,serious criminal; felon -重获,chóng huò,recovery; to recover -重玩,chóng wán,to replay (a video game) -重现,chóng xiàn,to reappear -重现江湖,chóng xiàn jiāng hú,see 重出江湖[chong2 chu1 jiang1 hu2] -重瓣,chóng bàn,(botany) double-flowered -重生,chóng shēng,to be reborn; rebirth -重用,zhòng yòng,to put in an important position -重申,chóng shēn,to reaffirm; to reiterate -重男轻女,zhòng nán qīng nǚ,to value males and attach less importance to females (idiom) -重叠,chóng dié,"to overlap; to superimpose; to telescope; to run together; to duplicate; one over another; superposition; an overlap; redundancy; reduplication (in Chinese grammar, e.g. 散散步[san4 san4 bu4] to have a stroll)" -重病,zhòng bìng,serious illness -重病特护,zhòng bìng tè hù,intensive care -重病特护区,zhòng bìng tè hù qū,intensive care department (of hospital) -重症,zhòng zhèng,acute (of medical condition); grave -重症监护,zhòng zhèng jiān hù,intensive care -重症肌无力,zhòng zhèng jī wú lì,myasthenia gravis (medicine) -重眼皮,chóng yǎn pí,double eyelid; epicanthal fold of upper eyelid (characteristic of Asian people) -重眼皮儿,chóng yǎn pí er,double eyelid; epicanthal fold of upper eyelid (characteristic of Asian people) -重睹天日,chóng dǔ tiān rì,to see the light again (idiom); delivered from oppression -重炮,zhòng pào,heavy artillery -重碳酸钙,chóng tàn suān gài,calcium bicarbonate Ca(HCO3)2 -重碳酸盐,chóng tàn suān yán,bicarbonate -重码,chóng mǎ,repeated code; coincident code (i.e. two characters or words having the same encoding) -重码,zhòng mǎ,weight code -重码词频,chóng mǎ cí pín,frequency of coincident codes -重磅,zhòng bàng,(of a bomb) powerful; (of news) impactful; significant; (of fabric) heavy-duty -重磅炸弹,zhòng bàng zhà dàn,(fig.) sth that produces shockwaves; bombshell (revelation); blockbuster (product) -重算,chóng suàn,to recalculate; to reckon again -重组,chóng zǔ,to reorganize; to recombine; to restructure -重结晶,chóng jié jīng,to recrystallize -重编,chóng biān,(of a dictionary etc) revised edition -重茧,chóng jiǎn,thick callus; (literary) thick silkwaste padded clothes -重罪,zhòng zuì,serious crime; felony -重置,chóng zhì,to reset; reset; replacement -重罚,zhòng fá,to punish severely -重义轻利,zhòng yì qīng lì,to value righteousness rather than material gain (idiom) -重者,zhòng zhě,more serious case; in extreme cases -重聚,chóng jù,to meet again -重联,chóng lián,(physics) magnetic reconnection; (railways) double heading (using two locomotives at the front of a train) -重听,zhòng tīng,hard of hearing -重臂,zhòng bì,actuator (arm of a lever); lever; actuating arm -重臣,zhòng chén,important minister; major figure in government -重色轻友,zhòng sè qīng yǒu,paying more attention to a lover than friends (idiom); to value sex over friendship -重荷,zhòng hè,heavy load; heavy burden -重装,chóng zhuāng,(computing) to reinstall -重制,chóng zhì,to make a copy; to reproduce; to remake (a movie) -重复,chóng fù,to repeat; to duplicate; CL:個|个[ge4] -重复使力伤害,chóng fù shǐ lì shāng hài,repetitive strain injury (RSI) -重复性劳损,chóng fù xìng láo sǔn,repetitive strain injury (RSI) -重复法,chóng fù fǎ,repetition; duplication; reduplication; anadiplosis -重复节,chóng fù jié,repeated segment (networking) -重复语境,chóng fù yǔ jìng,duplicate context -重要,zhòng yào,important; significant; major -重要性,zhòng yào xìng,importance -重复,chóng fù,variant of 重複|重复[chong2 fu4] -重复性,chóng fù xìng,repetitive -重见天日,chóng jiàn tiān rì,to see the light again (idiom); delivered from oppression -重视,zhòng shì,to attach importance to sth; to value -重视教育,zhòng shì jiào yù,to stress education -重训,zhòng xùn,(Tw) weight training (abbr. for 重量訓練|重量训练[zhong4 liang4 xun4 lian4]) -重访,chóng fǎng,to revisit -重设,chóng shè,to reset -重评,chóng píng,to reevaluate; to reassess -重试,chóng shì,to retry; to try again -重话,zhòng huà,harsh words -重译,chóng yì,to translate again (i.e. to redo the same translation); to translate repeatedly from one language to the next (so multiplying errors) -重读,zhòng dú,stress (on a syllable) -重负,zhòng fù,heavy load; heavy burden (also fig. of tax) -重责,zhòng zé,heavy responsibility; serious criticism -重赏,zhòng shǎng,ample reward; to reward generously -重起炉灶,chóng qǐ lú zào,to start over from scratch (idiom) -重足而立,chóng zú ér lì,rooted to the spot (idiom); too terrified to move -重趼,chóng jiǎn,thick callus -重蹈,chóng dǎo,(fig.) to follow (a path that has proved ill-advised) -重蹈覆辙,chóng dǎo fù zhé,lit. to follow in the tracks of an overturned cart (idiom); fig. to follow a path that led to failure in the past; to repeat a disastrous mistake -重身子,zhòng shēn zi,pregnant; pregnant woman -重载,zhòng zài,heavy load (on a truck) -重辣,zhòng là,very spicy -重办,zhòng bàn,to punish severely -重农,zhòng nóng,to stress the importance of agriculture (in ancient philosophy) -重返,chóng fǎn,to return to -重迭,chóng dié,variant of 重疊|重叠[chong2 die2] -重述,chóng shù,to repeat; to restate; to recapitulate -重造,chóng zào,to reconstruct -重逢,chóng féng,to meet again; to be reunited; reunion -重连,chóng lián,to reconnect; reconnection -重重,chóng chóng,layer upon layer; one after another -重重,zhòng zhòng,heavily; severely -重量,zhòng liàng,weight; CL:個|个[ge4] -重量单位,zhòng liàng dān wèi,unit of weight -重量吨,zhòng liàng dūn,dead weight ton -重量级,zhòng liàng jí,heavyweight (boxing etc) -重量训练,zhòng liàng xùn liàn,weight training (Tw) -重量轻质,zhòng liàng qīng zhì,to value quantity over quality -重金,zhòng jīn,large sum of money -重金属,zhòng jīn shǔ,heavy metal -重镇,zhòng zhèn,"(military) strategic town; (fig.) major center (for commerce, culture or tourism etc)" -重开,chóng kāi,to reopen -重阳,chóng yáng,Double Ninth or Yang Festival; 9th day of 9th lunar month -重阳节,chóng yáng jié,Double Ninth or Yang Festival; 9th day of 9th lunar month -重离子,zhòng lí zǐ,heavy ion (physics) -重霄,chóng xiāo,ninth heaven; Highest Heaven -重音,zhòng yīn,accent (of a word); stress (on a syllable) -重音节,zhòng yīn jié,accented syllable; stress -重头,chóng tóu,anew; from the beginning; (in poetry and song) repetition of a melody or rhythm -重头,zhòng tóu,main; most important; essential; important part -重头戏,zhòng tóu xì,opera (or role) involving much singing and action; (fig.) highlight; main feature; major activity -重黎,chóng lí,"Chongli, another name for Zhurong 祝融[Zhu4 rong2], god of fire" -重点,chóng diǎn,to recount (e.g. results of election); to re-evaluate -重点,zhòng diǎn,important point; main point; focus; key (project etc); to focus on; to put the emphasis on -野,yě,field; plain; open space; limit; boundary; rude; feral -野人,yě rén,a savage; uncivilized person; (old) commoner -野兔,yě tù,hare -野叟曝言,yě sǒu pù yán,"Yesou Puyan or Humble Words of a Rustic Elder, monumental Qing novel by Xia Jingqu 夏敬渠[Xia4 Jing4 qu2]" -野口,yě kǒu,Noguchi (Japanese surname) -野史,yě shǐ,unofficial history; history as popular legends -野合,yě hé,to commit adultery -野味,yě wèi,game; wild animals and birds hunted for food or sport -野地,yě dì,wilderness -野外,yě wài,countryside; areas outside the city -野外定向,yě wài dìng xiàng,orienteering -野外放养,yě wài fàng yǎng,free-range (breeding livestock or poultry) -野天鹅,yě tiān é,"Wild Swans, family autobiography by British-Chinese writer Jung Chang 張戎|张戎[Zhang1 Rong2]; alternative title 鴻|鸿, after the author's original name 張二鴻|张二鸿[Zhang1 Er4 hong2]" -野孩子,yě hái zǐ,feral child -野小茴,yě xiǎo huí,dill seed -野山椒,yě shān jiāo,same as 朝天椒[chao2 tian1 jiao1] -野径,yě jìng,country path; track in the wilderness -野心,yě xīn,ambition; wild schemes; careerism -野性,yě xìng,wild nature; unruliness -野战,yě zhàn,battlefield operation; paintball -野战军,yě zhàn jūn,field army -野放,yě fàng,to release (an animal) into the wild -野村,yě cūn,Nomura (Japanese surname) -野果,yě guǒ,wild fruit -野格利口酒,yě gé lì kǒu jiǔ,Jägermeister (alcoholic drink) -野樱莓,yě yīng méi,chokeberry (Aronia melanocarpa) -野汉子,yě hàn zi,woman's lover -野火,yě huǒ,wildfire; (spreading like) wildfire; bush fire; farm fire (for clearing fields) -野火春风,yě huǒ chūn fēng,"abbr. for 野火燒不盡,春風吹又生|野火烧不尽,春风吹又生[ye3 huo3 shao1 bu4 jin4 , chun1 feng1 chui1 you4 sheng1]" -野炊,yě chuī,to cook a meal over a campfire (usu. for a group of people on an outing); cookout -野炮,yě pào,field artillery -野营,yě yíng,to camp; field lodgings -野牛,yě niú,bison -野狐禅,yě hú chán,heresy -野狗,yě gǒu,wild dog; feral dog; stray dog -野兽,yě shòu,beast; wild animal -野甘蓝,yě gān lán,European wild cabbage (Brassica oleracea) -野生,yě shēng,wild; undomesticated -野生动植物园,yě shēng dòng zhí wù yuán,wildlife park; safari park -野生动物,yě shēng dòng wù,wild animal -野生植物,yě shēng zhí wù,plants in the wild -野生生物,yě shēng shēng wù,wildlife; creatures in the wild; wild organism -野生生物基金会,yě shēng shēng wù jī jīn huì,World Wildlife Fund (WWF) -野生猫,yě shēng māo,wild cat -野田佳彦,yě tián jiā yàn,"Noda Yoshihiko (1957-), prime minister of Japan 2011-2012" -野禽,yě qín,fowl -野种,yě zhǒng,(derog.) illegitimate child; bastard -野胡萝卜,yě hú luó bo,carrot (Daucus carota) -野花,yě huā,wildflower; woman of easy virtue -野草,yě cǎo,weeds; mistress or prostitute (old) -野菜,yě cài,wild herb; potherb -野蛮,yě mán,barbarous; uncivilized -野蛮人,yě mán rén,barbarian -野调无腔,yě diào wú qiāng,coarse in speech and manner -野豕,yě shǐ,wild boar -野猪,yě zhū,wild boar (Sus scrofa); CL:頭|头[tou2] -野猫,yě māo,wildcat; stray cat -野趣,yě qù,rustic charm -野路子,yě lù zi,(coll.) unorthodox (method etc) -野游,yě yóu,outing in the country; to go on a hike; to go courting -野钓,yě diào,wild angling -野鸡,yě jī,pheasant; unregistered and operating illegally (business); (slang) prostitute -野鸡大学,yě jī dà xué,diploma mill -野颠茄,yě diān qié,deadly nightshade (Atropa belladonna) -野餐,yě cān,picnic; to have a picnic -野餐垫,yě cān diàn,picnic blanket -野马,yě mǎ,feral horse; free-roaming horse; wild horse -野驴,yě lǘ,onager (Equus onager) -野鸳鸯,yě yuān yāng,wild mandarin duck; (derog.) illicit lovers; unorthodox couple -野鸭,yě yā,wild duck; mallard (Anas platyrhyncha) -野鼬瓣花,yě yòu bàn huā,wild hemp -量,liáng,to measure -量,liàng,"capacity; quantity; amount; to estimate; abbr. for 量詞|量词[liang4 ci2], classifier (in Chinese grammar); measure word" -量入为出,liàng rù wéi chū,to assess one's income and spend accordingly (idiom); to live within one's means; You can only spend what you earn. -量具,liáng jù,measuring device -量刑,liàng xíng,to assess punishment; to determine the sentence (on a criminal) -量力,liàng lì,to estimate one's strength -量力而为,liàng lì ér wéi,to weigh one's abilities and act accordingly; to act according to one's means; to cut one's coat according to one's cloth -量力而行,liàng lì ér xíng,to assess one's capabilities and act accordingly (idiom); to act within one's competence; One does what one can. -量化,liàng huà,to quantify; quantification; quantitative; to quantize; quantization -量化宽松,liàng huà kuān sōng,quantitative easing (finance) -量化逻辑,liàng huà luó ji,quantified logic -量器,liáng qì,measuring vessel; measuring apparatus -量子,liàng zǐ,quantum -量子力学,liàng zǐ lì xué,quantum mechanics -量子化,liàng zǐ huà,quantization (physics) -量子场论,liàng zǐ chǎng lùn,quantum field theory -量子沫,liàng zǐ mò,"quantum foam (in string theory, and science fiction)" -量子纠缠,liàng zǐ jiū chán,quantum entanglement (physics) -量子色动力学,liàng zǐ sè dòng lì xué,quantum chromodynamics (particle physics) -量子论,liàng zǐ lùn,quantum theory (physics) -量子阱,liàng zǐ jǐng,(physics) quantum well -量子电动力学,liàng zǐ diàn dòng lì xué,quantum electrodynamics QED -量尺寸,liáng chǐ cùn,to take sb's measurements -量度,liáng dù,to measure; measurement -量才录用,liàng cái lù yòng,to assess sb's capabilities and employ him accordingly (idiom); to employ sb competent for the task -量杯,liáng bēi,measuring cup; graduated measuring cylinder -量油尺,liáng yóu chǐ,dipstick; oil measuring rod -量测,liáng cè,to measure; measurement -量瓶,liáng píng,measuring flask; graduated measuring cylinder -量产,liàng chǎn,to mass-produce -量程,liáng chéng,range (of scales or measuring equipment) -量筒,liáng tǒng,graduated measuring cylinder; volumetric cylinder -量级,liàng jí,order of magnitude; weight class (boxing etc); (fig.) class (level of capability) -量纲,liàng gāng,dimension (unit) -量腹,liàng fù,to estimate how much food is required for a meal -量表,liáng biǎo,gauge; meter; scale -量规,liáng guī,"gauge that is held against an object to judge thickness, diameter etc, such as a feeler gauge, calipers etc; (abbr. for 評價量規|评价量规[ping2 jia4 liang2 gui1]) rubric (i.e. a guide listing specific criteria for grading)" -量角器,liáng jiǎo qì,protractor; angle gauge -量计,liáng jì,gauge -量词,liàng cí,classifier (in Chinese grammar); measure word -量变,liàng biàn,quantitative change -量贩,liàng fàn,to sell in a large amount at a lower price per unit -量贩店,liàng fàn diàn,wholesale store; hypermarket -量贩式,liàng fàn shì,at wholesale price -量身,liáng shēn,to take sb's measurements; to measure sb up -量身定做,liáng shēn dìng zuò,to tailor-make; tailor-made; tailored to; customized -量身定制,liáng shēn dìng zhì,tailor-made -量体温,liáng tǐ wēn,to take sb's temperature -量体裁衣,liàng tǐ cái yī,lit. to cut cloth according to the body (idiom); fig. to act according to actual circumstances -量体重,liáng tǐ zhòng,to weigh (body weight) -厘,lí,"Li (c. 2000 BC), sixth of the legendary Flame Emperors 炎帝[Yan2 di4] descended from Shennong 神農|神农[Shen2 nong2] Farmer God, also known as Ai 哀[Ai1]" -厘,lí,one hundredth; centi- -厘克,lí kè,centigram -厘升,lí shēng,centiliter -厘析,lí xī,to analyze in detail -厘清,lí qīng,to clarify (the facts); clarification -厘米,lí mǐ,centimeter -金,jīn,surname Jin; surname Kim (Korean); Jurchen Jin dynasty (1115-1234) -金,jīn,gold; chemical element Au; generic term for lustrous and ductile metals; money; golden; highly respected; one of the eight categories of ancient musical instruments 八音[ba1 yin1] -金三角,jīn sān jiǎo,Golden Triangle (Southeast Asia) -金主,jīn zhǔ,financial backer; bankroller -金代,jīn dài,"Jin Dynasty (1115-1234), founded by the Jurchen 女真[Nu:3 zhen1] people of North China, a precursor of the Mongol Yuan Dynasty" -金伯利岩,jīn bó lì yán,Kimberlite (geology) -金元券,jīn yuán quàn,currency issued by Nationalist Government in 1948 -金光闪烁,jīn guāng shǎn shuò,spangle -金光党,jīn guāng dǎng,racketeers; con artists -金冠地莺,jīn guān dì yīng,(bird species of China) slaty-bellied tesia (Tesia olivea) -金冠戴菊,jīn guān dài jú,goldcrest (Regulus regulus); gold-crowned kinglet -金冠树八哥,jīn guān shù bā ge,(bird species of China) golden-crested myna (Ampeliceps coronatus) -金刚,jīn gāng,King Kong -金刚,jīn gāng,"diamond; (used to translate Sanskrit ""vajra"", a thunderbolt or mythical weapon); guardian deity (in Buddhist iconography)" -金刚山,jīn gāng shān,Kumgangsan Tourist Region in east North Korea -金刚座,jīn gāng zuò,Bodhimanda (place of enlightenment associated with a Bodhisattva) -金刚怒目,jīn gāng nù mù,(idiom) to have a face as terrifying as a temple's guardian deity -金刚手菩萨,jīn gāng shǒu pú sà,Vajrapani Bodhisattva -金刚杵,jīn gāng chǔ,vajra scepter (ritual object of Buddhism) -金刚狼,jīn gāng láng,"Wolverine, comic book superhero" -金刚石,jīn gāng shí,diamond; also called 鑽石|钻石[zuan4 shi2] -金刚砂,jīn gāng shā,carborundum; emery -金刚总持,jīn gāng zǒng chí,Vajradhara -金刚萨埵,jīn gāng sà duǒ,Vajrasattva -金刚鹦鹉,jīn gāng yīng wǔ,macaw -金匠,jīn jiàng,goldsmith -金汇兑本位制,jīn huì duì běn wèi zhì,gold exchange standard (economics) -金匮,jīn guì,variant of 金櫃|金柜[jin1 gui4] -金匮石室,jīn guì shí shì,variant of 金櫃石室|金柜石室[jin1 gui4 shi2 shi4] -金印,jīn yìn,golden seal; characters tattooed on a convict's face -金口河,jīn kǒu hé,"Jinkouhe district of Leshan city 樂山市|乐山市[Le4 shan1 shi4], Sichuan" -金口河区,jīn kǒu hé qū,"Jinkouhe district of Leshan city 樂山市|乐山市[Le4 shan1 shi4], Sichuan" -金句,jīn jù,pearl of wisdom; quotable quote -金史,jīn shǐ,"History of the Jurchen Jin Dynasty, twenty second of the 24 dynastic histories 二十四史[Er4 shi2 si4 Shi3], composed under Toktoghan 脫脫|脱脱[Tuo1 tuo1] in 1345 during the Yuan Dynasty 元[Yuan2], 135 scrolls" -金合欢,jīn hé huān,acacia -金喉拟啄木鸟,jīn hóu nǐ zhuó mù niǎo,(bird species of China) golden-throated barbet (Megalaima franklinii) -金国汗,jīn guó hán,the Later Jin dynasty (from 1616-); the Manchu khanate or kingdom that took over as the Qing dynasty in 1644 -金圆券,jīn yuán quàn,currency issued by Nationalist Government in 1948 -金城江,jīn chéng jiāng,"Jinchengjiang district of Hechi city 河池市[He2 chi2 shi4], Guangxi" -金城江区,jīn chéng jiāng qū,"Jinchengjiang district of Hechi city 河池市[He2 chi2 shi4], Guangxi" -金城汤池,jīn chéng tāng chí,impregnable fortress -金城镇,jīn chéng zhèn,"Jincheng (common place name); Chincheng town in Kinmen County 金門縣|金门县[Jin1 men2 xian4] (Kinmen or Quemoy islands), Taiwan" -金堂,jīn táng,"Jintang county in Chengdu 成都[Cheng2 du1], Sichuan" -金堂县,jīn táng xiàn,"Jintang county in Chengdu 成都[Cheng2 du1], Sichuan" -金塔,jīn tǎ,"Jinta county in Jiuquan 酒泉, Gansu" -金塔县,jīn tǎ xiàn,"Jinta county in Jiuquan 酒泉, Gansu" -金坛,jīn tán,"Jintan, county-level city in Changzhou 常州[Chang2 zhou1], Jiangsu" -金坛市,jīn tán shì,"Jintan, county-level city in Changzhou 常州[Chang2 zhou1], Jiangsu" -金夏沙,jīn xià shā,"Kinshasa, capital of the Democratic Republic of the Congo (Tw)" -金大中,jīn dà zhōng,"Kim Dae-jung (1926-2009), South Korea politician, president 1998-2003, Nobel peace prize laureate 2000" -金天翮,jīn tiān hé,"Jin Tianhe (1874-1947), late-Qing poet and novelist, co-author of A Flower in a Sinful Sea 孽海花[Nie4hai3hua1]" -金威,jīn wēi,Kingway (Chinese beer brand) -金子,jīn zǐ,Kaneko (Japanese surname) -金子,jīn zi,gold -金字,jīn zì,gold lettering; gold characters -金字塔,jīn zì tǎ,pyramid (building or structure) -金字塔式,jīn zì tǎ shì,downward-facing dog (yoga pose) -金宇中,jīn yǔ zhōng,"Kim Woo-jung (1936-), Korean businessman and founder of the Daewoo Group" -金安,jīn ān,"Jin'an, a district of Lu'an City 六安市[Lu4an1 Shi4], Anhui" -金安区,jīn ān qū,"Jin'an, a district of Lu'an City 六安市[Lu4an1 Shi4], Anhui" -金富轼,jīn fù shì,"Kim Busik (1075-1151), court historian of the Korean Georyo dynasty 高麗|高丽[Gao1 li2], compiler of History of Three Kingdoms 三國史記|三国史记[San1 guo2 shi3 ji4]" -金宁,jīn níng,"Chinning township in Kinmen County 金門縣|金门县[Jin1 men2 xian4] (Kinmen or Quemoy islands), Taiwan" -金宁乡,jīn níng xiāng,"Chinning township in Kinmen County 金門縣|金门县[Jin1 men2 xian4] (Kinmen or Quemoy islands), Taiwan" -金寨,jīn zhài,"Jinzhai, a county in Lu'an 六安[Lu4an1], Anhui" -金寨县,jīn zhài xiàn,"Jinzhai, a county in Lu'an 六安[Lu4an1], Anhui" -金宝,jīn bǎo,"Campbell (name); Kampar, town in the state of Perak, Malaysia" -金小蜂,jīn xiǎo fēng,a parisitoid wasp (genus Nasonia) -金屋藏娇,jīn wū cáng jiāo,a golden house to keep one's mistress (idiom); a magnificent house built for a beloved woman -金属,jīn shǔ,metal; CL:種|种[zhong3] -金属外壳,jīn shǔ wài ké,metal cover -金属板,jīn shǔ bǎn,metal plate -金属棒,jīn shǔ bàng,metal rod -金属疲劳,jīn shǔ pí láo,metal fatigue -金属线,jīn shǔ xiàn,metal wire -金属薄片,jīn shǔ báo piàn,foil; Taiwan pr. [jin1 shu3 bo2 pian4] -金属键,jīn shǔ jiàn,metallic bond -金山,jīn shān,"Jinshan suburban district of Shanghai; Jinshan or Chinshan township in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -金山区,jīn shān qū,Jinshan suburban district of Shanghai -金山寺,jīn shān sì,"Jinshan Temple, where Fahai lives (from Madam White Snake)" -金山屯,jīn shān tún,"Jinshantun District of Yichun 伊春市[Yi1chun1 Shi4], Heilongjiang" -金山屯区,jīn shān tún qū,"Jinshantun District of Yichun 伊春市[Yi1chun1 Shi4], Heilongjiang" -金山乡,jīn shān xiāng,"Jinshan or Chinshan township in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -金峰,jīn fēng,"Jinfeng or Chinfeng township in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan" -金峰乡,jīn fēng xiāng,"Jinfeng or Chinfeng township in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan" -金川,jīn chuān,"Jinchuan County (Tibetan: chu chen rdzong) in Ngawa Tibetan and Qiang Autonomous Prefecture 阿壩藏族羌族自治州|阿坝藏族羌族自治州[A1 ba4 Zang4 zu2 Qiang1 zu2 Zi4 zhi4 zhou1], northwest Sichuan" -金川区,jīn chuān qū,"Jinchuan district of Jinchang city 金昌市[Jin1 chang1 shi4], Gansu" -金川县,jīn chuān xiàn,"Jinchuan County (Tibetan: chu chen rdzong) in Ngawa Tibetan and Qiang Autonomous Prefecture 阿壩藏族羌族自治州|阿坝藏族羌族自治州[A1 ba4 Zang4 zu2 Qiang1 zu2 Zi4 zhi4 zhou1], northwest Sichuan" -金州区,jīn zhōu qū,"Jinzhou district of Dalian 大連市|大连市[Da4 lian2 shi4], Liaoning" -金帐汗国,jīn zhàng hán guó,Golden Horde (ancient state) -金币,jīn bì,gold coin -金平,jīn píng,"Jinping District of Shantou City 汕頭市|汕头市[Shan4 tou2 Shi4], Guangdong" -金平区,jīn píng qū,"Jinping District of Shantou City 汕頭市|汕头市[Shan4 tou2 Shi4], Guangdong" -金平县,jīn píng xiàn,"Jinping Miao, Yao and Dai autonomous county in Honghe Hani and Yi autonomous prefecture 紅河哈尼族彞族自治州|红河哈尼族彝族自治州[Hong2 he2 Ha1 ni2 zu2 Yi2 zu2 Zi4 zhi4 zhou1], Yunnan" -金平苗族瑶族傣族自治县,jīn píng miáo zú yáo zú dǎi zú zì zhì xiàn,"Jinping Miao, Yao and Dai autonomous county in Honghe Hani and Yi autonomous prefecture 紅河哈尼族彞族自治州|红河哈尼族彝族自治州[Hong2 he2 Ha1 ni2 zu2 Yi2 zu2 Zi4 zhi4 zhou1], Yunnan" -金平苗瑶傣族自治县,jīn píng miáo yáo dǎi zú zì zhì xiàn,see 金平苗族瑤族傣族自治縣|金平苗族瑶族傣族自治县[Jin1 ping2 Miao2 zu2 Yao2 zu2 Dai3 zu2 zi4 zhi4 xian4] -金库,jīn kù,treasury -金庸,jīn yōng,"Jin Yong, pen name of Louis Cha (1924-2018), wuxia 武俠|武侠[wu3 xia2] novelist, author of the 1957-1961 Condor Trilogy" -金戈铁马,jīn gē tiě mǎ,very powerful army -金改,jīn gǎi,financial reform (abbr. for 金融改革[jin1 rong2 gai3 ge2]) -金文,jīn wén,inscription in bronze; bell-cauldron inscription -金斑鸻,jīn bān héng,(bird species of China) Pacific golden plover (Pluvialis fulva) -金斯敦,jīn sī dūn,"Kingstown, capital of Saint Vincent and the Grenadines; Kingston, capital of Jamaica" -金日成,jīn rì chéng,Kim Il Sung (1912-1994) Great Leader of North Korea -金昌,jīn chāng,Jinchang prefecture-level city in Gansu -金昌市,jīn chāng shì,Jinchang prefecture-level city in Gansu -金明,jīn míng,"Jinming district of Kaifeng city 開封市|开封市[Kai1 feng1 shi4], Henan" -金明区,jīn míng qū,"Jinming district of Kaifeng city 開封市|开封市[Kai1 feng1 shi4], Henan" -金星,jīn xīng,Venus (planet) -金星,jīn xīng,gold star; stars (that one sees from blow to the head etc) -金成,jīn chéng,"Sung KIM, US diplomat and director of US State Department's Korea office" -金曜日,jīn yào rì,Friday (used in ancient Chinese astronomy) -金曲奖,jīn qǔ jiǎng,Golden Melody Awards -金朝,jīn cháo,"Jin Dynasty (1115-1234), founded by the Jurchen 女真[Nu:3 zhen1] people of North China, a precursor of the Mongol Yuan Dynasty" -金本位,jīn běn wèi,gold standard -金东,jīn dōng,"Jindong district of Jinhua city 金華市|金华市[Jin1 hua2 shi4], Zhejiang" -金东区,jīn dōng qū,"Jindong district of Jinhua city 金華市|金华市[Jin1 hua2 shi4], Zhejiang" -金枝玉叶,jīn zhī yù yè,"golden branch, jade leaves (idiom); fig. blue-blooded nobility, esp. imperial kinsmen or peerless beauty" -金柑,jīn gān,kumquat -金桂冠,jīn guì guān,"Kim Kye-gwan (1943-), North Korean diplomat, first vice-foreign minister and chief negotiator 2010-2019" -金桔,jīn jú,kumquat -金条,jīn tiáo,gold bar -金枣,jīn zǎo,oval kumquat; Nagami kumquat (Citrus margarita) -金榜,jīn bǎng,(lit.) tablet with inscription in gold; (fig.) pass list for the top imperial examinations; roll of honor -金榜题名,jīn bǎng tí míng,to win top marks in the imperial examinations -金枪鱼,jīn qiāng yú,tuna -金橘,jīn jú,kumquat; also written 金桔[jin1 ju2] -金柜,jīn guì,strongbox; safe; metal bookcase -金柜石室,jīn guì shí shì,safe places for storing important articles -金正恩,jīn zhèng ēn,"Kim Jong-un (c. 1983-), third son of Kim Jong-il 金正日[Jin1 Zheng4 ri4], supreme leader of North Korea from 2011" -金正日,jīn zhèng rì,"Kim Jong-il (1942-2011), Dear Leader of North Korea 1982-2011" -金正男,jīn zhèng nán,"Kim Jong-nam (1971-2017), the eldest son of Kim Jong-il 金正日[Jin1 Zheng4 ri4]" -金正银,jīn zhèng yín,former spelling of Kim Jong-un 金正恩[Jin1 Zheng4 en1] -金正云,jīn zhèng yún,erroneous form of Kim Jong-un 金正恩[Jin1 Zheng4 en1] -金毛寻回犬,jīn máo xún huí quǎn,golden retriever -金毛犬,jīn máo quǎn,golden retriever (dog breed) -金毛狗,jīn máo gǒu,"golden retriever (dog breed); Cibotium barometz, Asian tropical tree fern with hairy fronds (used in TCM)" -金氏,jīn shì,Guinness (name) (Tw) -金水,jīn shuǐ,"Jinshui District of Zhengzhou City 鄭州市|郑州市[Zheng4 zhou1 Shi4], Henan" -金水区,jīn shuǐ qū,"Jinshui District of Zhengzhou City 鄭州市|郑州市[Zheng4 zhou1 Shi4], Henan" -金永南,jīn yǒng nán,"Kim Yong-nam (1928-), North Korean politician, foreign minister 1983-1998, president of the Supreme People's Assembly 1998-2019 (nominal head of state and described as deputy leader)" -金沙,jīn shā,"Jinsha county in Bijie prefecture 畢節地區|毕节地区[Bi4 jie2 di4 qu1], Guizhou; Chinsha town in Kinmen County 金門縣|金门县[Jin1 men2 xian4] (Kinmen or Quemoy islands), Taiwan" -金沙,jīn shā,gold dust; salted egg yolk sauce -金沙江,jīn shā jiāng,"Jinsha river, upper reaches of Yangtze river or Changjiang 長江|长江 in Sichuan and Yunnan" -金沙县,jīn shā xiàn,"Jinsha county in Bijie prefecture 畢節地區|毕节地区[Bi4 jie2 di4 qu1], Guizhou" -金沙萨,jīn shā sà,"Kinshasa, capital of Zaire" -金沙镇,jīn shā zhèn,"Chinsha town in Kinmen County 金門縣|金门县[Jin1 men2 xian4] (Kinmen or Quemoy islands), Taiwan" -金泉,jīn quán,Gimcheon (city in South Korea) -金泳三,jīn yǒng sān,"Kim Young-sam (1927-2015), South Korean politician, president 1993-1998" -金湖,jīn hú,"Jinhu county in Huai'an 淮安[Huai2 an1], Jiangsu; Chinhu town in Kinmen County 金門縣|金门县[Jin1 men2 xian4] (Kinmen or Quemoy islands), Taiwan" -金湖县,jīn hú xiàn,"Jinhu county in Huai'an 淮安[Huai2 an1], Jiangsu" -金湖镇,jīn hú zhèn,"Chinhu town in Kinmen County 金門縣|金门县[Jin1 men2 xian4] (Kinmen or Quemoy islands), Taiwan" -金汤,jīn tāng,impregnable fortress (abbr. for 金城湯池|金城汤池[jin1cheng2-tang1chi2]) -金汤力,jīn tāng lì,(loanword) gin and tonic -金溪,jīn xī,"Jinxi county in Fuzhou 撫州|抚州, Jiangxi" -金溪县,jīn xī xiàn,"Jinxi county in Fuzhou 撫州|抚州, Jiangxi" -金漆,jīn qī,copper paint; fake gold leaf -金湾,jīn wān,"Jinwan District of Zhuhai City 珠海市[Zhu1 hai3 Shi4], Guangdong" -金湾区,jīn wān qū,"Jinwan District of Zhuhai City 珠海市[Zhu1 hai3 Shi4], Guangdong" -金乌,jīn wū,Golden Crow; the sun; the three-legged golden crow that lives in the sun -金无足赤,jīn wú zú chì,not all gold is sufficiently red (idiom); no-one is perfect -金熊奖,jīn xióng jiǎng,"Golden Bear, award at the Berlin International Film Festival" -金灿灿,jīn càn càn,golden-bright and dazzling -金牌,jīn pái,gold medal; CL:枚[mei2] -金牛,jīn niú,"Taurus (star sign); Jinniu district of Chengdu city 成都市[Cheng2 du1 shi4], Sichuan" -金牛区,jīn niú qū,"Jinniu district of Chengdu city 成都市[Cheng2 du1 shi4], Sichuan" -金牛座,jīn niú zuò,Taurus (constellation and sign of the zodiac) -金狮奖,jīn shī jiǎng,"Golden Lion, award at the Venice Film Festival" -金奖,jīn jiǎng,gold medal; first prize -金玉,jīn yù,gold and jade; precious -金玉满堂,jīn yù mǎn táng,lit. gold and jade fill the hall (idiom); fig. abundant wealth; abundance of knowledge -金玉良言,jīn yù liáng yán,gems of wisdom (idiom); priceless advice -金球奖,jīn qiú jiǎng,Golden Globe Award -金瓜,jīn guā,pumpkin (Gymnopetalum chinense); a mace with a brass head resembling a pumpkin -金瓜石,jīn guā shí,"Jinguashi, town in Ruifang District, New Taipei City, Taiwan, noted for its historic gold and copper mines, used as a prisoner-of-war camp by the Japanese (1942-1945)" -金瓶梅,jīn píng méi,"Jinpingmei or the Golden Lotus (1617), Ming dynasty vernacular novel, formerly notorious and banned for its sexual content" -金瓶梅词话,jīn píng méi cí huà,"Jinpingmei or the Golden Lotus (1617), Ming dynasty vernacular novel, formerly notorious and banned for its sexual content" -金瓯,jīn ōu,"Ca Mau, Vietnam" -金田村,jīn tián cūn,"Jintian village in Guiping county 桂平[Gui4 ping2], Gveigangj or Guigang prefecture 貴港|贵港[Gui4 gang3], Guangxi, starting point of the Taiping Tianguo 太平天國|太平天国[Tai4 ping2 Tian1 guo2] rebellion in 1851" -金田起义,jīn tián qǐ yì,Jintian Uprising -金盆洗手,jīn pén xǐ shǒu,lit. to wash one's hands in a gold basin (idiom); fig. to abandon the life of an outlaw -金目鲈,jīn mù lú,Barramundi; Lates calcarifer (a species of catadromous fish in family Latidae of order Perciformes) -金盾工程,jīn dùn gōng chéng,"Golden Shield Project, information system for censorship and surveillance, thought to include the Great Firewall of China 防火長城|防火长城[Fang2 huo3 Chang2 cheng2] as a component" -金眶鸻,jīn kuàng héng,(bird species of China) little ringed plover (Charadrius dubius) -金眼鹛雀,jīn yǎn méi què,(bird species of China) yellow-eyed babbler (Chrysomma sinense) -金石,jīn shí,metal and stone; fig. hard objects; inscription on metal or bronze -金石学,jīn shí xué,epigraphy -金石良言,jīn shí liáng yán,gems of wisdom (idiom); priceless advice -金碧荧煌,jīn bì yíng huáng,splendid in green and gold (idiom); looking radiant -金碧辉煌,jīn bì huī huáng,gold and jade in glorious splendor (idiom); fig. a dazzling sight (e.g. royal palace) -金砖,jīn zhuān,"BRIC; BRICS economic bloc (Brazil, Russia, India, China, South Africa)" -金砖四国,jīn zhuān sì guó,"Brazil, Russia, India and China (BRIC)" -金矿,jīn kuàng,gold mine; gold ore -金秀瑶族自治县,jīn xiù yáo zú zì zhì xiàn,"Jinxiu Yao autonomous county in Laibin 來賓|来宾[Lai2 bin1], Guangxi" -金秀县,jīn xiù xiàn,"Jinxiu Yao autonomous county in Laibin 來賓|来宾[Lai2 bin1], Guangxi" -金秋,jīn qiū,fall; autumn -金科玉律,jīn kē yù lǜ,golden rule; key principle -金窝银窝不如自己的狗窝,jīn wō yín wō bù rú zì jǐ de gǒu wō,there's no place like home (idiom) -金童玉女,jīn tóng yù nǚ,lit. golden boys and jade maidens (idiom); attendants of the Daoist immortals; fig. lovely young children; a golden couple; (of a couple who are in the public eye) a lovely young couple -金箍,jīn gū,gold band -金箍棒,jīn gū bàng,"golden cudgel, weapon wielded by Sun Wukong in the novel Journey to the West 西遊記|西游记[Xi1 you2 Ji4]" -金箔,jīn bó,gold leaf -金红,jīn hóng,reddish-gold (color) -金红石,jīn hóng shí,(mineralogy) rutile -金丝燕,jīn sī yàn,"Aerodramus, genus of birds that use echolocation, a subset of the Collocaliini tribe (swiflets), two of whose species – Aerodramus fuciphagus and Aerodramus maximus – build nests harvested to make bird's nest soup" -金丝猴,jīn sī hóu,golden snub-nosed monkey (Rhinopithecus roxellana) -金丝雀,jīn sī què,canary -金县,jīn xiàn,King County -金钵,jīn bō,(gold) alms bowl (of a Buddhist monk) -金翅,jīn chì,oriental greenfinch (Carduelis sinica) -金翅噪鹛,jīn chì zào méi,(bird species of China) Assam laughingthrush (Trochalopteron chrysopterum) -金翅雀,jīn chì què,(bird species of China) grey-capped greenfinch (Chloris sinica) -金背三趾啄木鸟,jīn bèi sān zhǐ zhuó mù niǎo,(bird species of China) common flameback (Dinopium javanense) -金胸歌鸲,jīn xiōng gē qú,(bird species of China) firethroat (Calliope pectardens) -金胸雀鹛,jīn xiōng què méi,(bird species of China) golden-breasted fulvetta (Lioparus chrysotis) -金腰燕,jīn yāo yàn,(bird species of China) red-rumped swallow (Cecropis daurica) -金台,jīn tái,"Jintai District of Baoji City 寶雞市|宝鸡市[Bao3 ji1 Shi4], Shaanxi" -金台区,jīn tái qū,"Jintai District of Baoji City 寶雞市|宝鸡市[Bao3 ji1 Shi4], Shaanxi" -金色,jīn sè,golden; gold (color) -金色林鸲,jīn sè lín qú,(bird species of China) golden bush robin (Tarsiger chrysaeus) -金色鸦雀,jīn sè yā què,(bird species of China) golden parrotbill (Suthora verreauxi) -金茂大厦,jīn mào dà shà,"Jin Mao Tower, skyscraper in Shanghai" -金菇,jīn gū,enoki mushroom; abbr. for 金針菇|金针菇 -金华,jīn huá,Jinhua prefecture-level city in Zhejiang -金华市,jīn huá shì,Jinhua prefecture-level city in Zhejiang -金华火腿,jīn huá huǒ tuǐ,Jinhua ham -金葱粉,jīn cōng fěn,glitter (sparkling material) -金葱胶,jīn cōng jiāo,glitter glue -金兰,jīn lán,profound friendship; sworn brotherhood -金兰之交,jīn lán zhī jiāo,intimate friendship (idiom) -金兰谱,jīn lán pǔ,"(old) genealogical records of sworn brothers, each keeping a copy" -金融,jīn róng,banking; finance; financial -金融区,jīn róng qū,financial district -金融危机,jīn róng wēi jī,financial crisis -金融家,jīn róng jiā,financier; banker -金融市场,jīn róng shì chǎng,financial market -金融改革,jīn róng gǎi gé,financial reform -金融时报,jīn róng shí bào,Financial Times -金融时报指数,jīn róng shí bào zhǐ shù,Financial Times stock exchange index (FTSE 100 or footsie) -金融业,jīn róng yè,financial sector; the banking business -金融杠杆,jīn róng gàng gǎn,financial leverage; leveraging (i.e. buying shares on borrowed funds) -金融机构,jīn róng jī gòu,financial institution; banking institution -金融机关,jīn róng jī guān,financial organization -金融界,jīn róng jiè,banking circles; the world of finance -金融系统,jīn róng xì tǒng,financial system -金融衍生产品,jīn róng yǎn shēng chǎn pǐn,financial derivative -金融风暴,jīn róng fēng bào,banking crisis; storm in financial circles -金融风波,jīn róng fēng bō,financial crisis; banking crisis -金蝉,jīn chán,Golden Cicada -金蝉脱壳,jīn chán tuō qiào,lit. the cicada sheds its carapace (idiom); fig. to vanish leaving an empty shell; a crafty escape plan -金衡,jīn héng,"troy weight, system of weights for precious metals and gemstones based on the 12-ounce pound (or 5,760 grains)" -金角湾,jīn jiǎo wān,Zolotoy Rog or Golden Horn Bay in Vladivostok (famous for its pollution) -金迷纸醉,jīn mí zhǐ zuì,lit. dazzling with paper and gold (idiom); fig. indulging in a life of luxury -金边,jīn biān,"Phnom Penh, capital of Cambodia" -金乡,jīn xiāng,"Jinxiang County in Jining 濟寧|济宁[Ji3 ning2], Shandong" -金乡县,jīn xiāng xiàn,"Jinxiang County in Jining 濟寧|济宁[Ji3 ning2], Shandong" -金酒,jīn jiǔ,gin -金里奇,jīn lǐ qí,(Newt) Gingrich -金针,jīn zhēn,needle used in embroidery or sewing; acupuncture needle; orange day-lily (Hemerocallis fulva) -金针花,jīn zhēn huā,orange day-lily (Hemerocallis fulva) -金针菇,jīn zhēn gū,"enoki mushroom (Flammulina velutipes), used in cuisines of Japan, Korea and China, cultivated to be long, thin and white; abbr. to 金菇[jin1 gu1]" -金针菜,jīn zhēn cài,"day lily (Hemerocallis), used in Chinese medicine and cuisine" -金铃子,jīn líng zǐ,chinaberry (Melia azedarach) -金银,jīn yín,gold and silver -金银块,jīn yín kuài,bullion -金银岛,jīn yín dǎo,Treasure Island by R.L. Stevenson 羅伯特·路易斯·斯蒂文森|罗伯特·路易斯·斯蒂文森[Luo2 bo2 te4 · Lu4 yi4 si1 · Si1 di4 wen2 sen1] -金银箔,jīn yín bó,gold and silver foil; gold and silver leaf -金银花,jīn yín huā,honeysuckle -金银铜铁锡,jīn yín tóng tiě xī,"the 5 metals: gold, silver, copper, iron and tin" -金铜合铸,jīn tóng hé zhù,copper gold alloy -金钱,jīn qián,money; currency -金钱不能买来幸福,jīn qián bù néng mǎi lái xìng fú,money can't buy happiness -金钱挂帅,jīn qián guà shuài,caring only about money and wealth -金钱万能,jīn qián wàn néng,"money is omnipotent (idiom); with money, you can do anything; money talks" -金钱豹,jīn qián bào,leopard -金钱非万能,jīn qián fēi wàn néng,money is not omnipotent; money isn't everything; money can't buy you love -金镏子,jīn liù zi,gold ring; CL:條|条[tiao2] -金钟,jīn zhōng,"Admiralty, Hong Kong" -金钥,jīn yào,the key (to solving a problem etc); (Tw) (cryptography) key -金銮殿,jīn luán diàn,throne room -金门,jīn mén,"Kinmen or Quemoy islands off the Fujian coast, administered by Taiwan; Jinmen county in Quanzhou 泉州[Quan2 zhou1], Fujian, PRC" -金门岛,jīn mén dǎo,"Kinmen or Quemoy islands off the Fujian coast, administered by Taiwan" -金门县,jīn mén xiàn,"Kinmen County, Taiwan (the Kinmen or Quemoy islands off the Fujian coast); Jinmen county in Quanzhou 泉州[Quan2 zhou1], Fujian" -金阁寺,jīn gé sì,"Kinkakuji or Golden pavilion in northwest Kyōto 京都, Japan; informal name of Buddhist temple Rokuonji 鹿苑寺[Lu4 yuan4 si4]" -金阊,jīn chāng,"Jinchang district of Suzhou city 蘇州市|苏州市[Su1 zhou1 shi4], Jiangsu" -金阊区,jīn chāng qū,"Jinchang district of Suzhou city 蘇州市|苏州市[Su1 zhou1 shi4], Jiangsu" -金阙,jīn què,the imperial palace -金陵,jīn líng,pre-Han name for Nanjing; common place name -金陵大学,jīn líng dà xué,University of Nanking -金阳,jīn yáng,"Jinyang county in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -金阳县,jīn yáng xiàn,"Jinyang county in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -金雀花,jīn què huā,broom; furze (family Fabaceae) -金鸡,jīn jī,golden pheasant (Chrysolophus pictus) -金鸡独立,jīn jī dú lì,golden rooster stands on one leg (tai chi posture); standing on one leg -金鸡纳,jīn jī nà,quinine (Cinchona ledgeriana) -金鸡纳树,jīn jī nà shù,"Cinchona ledgeriana, tree whose bark contains quinine" -金鸡纳霜,jīn jī nà shuāng,quinine powder -金霸王,jīn bà wáng,Duracell (US brand of batteries etc) -金顶戴菊,jīn dǐng dài jú,goldcrest (Regulus satrapa) -金顶戴菊鸟,jīn dǐng dài jú niǎo,goldcrest (Regulus satrapa) -金领,jīn lǐng,gold collar; high-level senior executive; highly-skilled worker -金头扇尾莺,jīn tóu shàn wěi yīng,(bird species of China) golden-headed cisticola (Cisticola exilis) -金头穗鹛,jīn tóu suì méi,(bird species of China) golden babbler (Stachyridopsis chrysaea) -金头缝叶莺,jīn tóu fèng yè yīng,(bird species of China) mountain tailorbird (Phyllergates cuculatus) -金头黑雀,jīn tóu hēi què,(bird species of China) gold-naped finch (Pyrrhoplectes epauletta) -金额,jīn é,sum of money; monetary value -金额丝雀,jīn é sī què,(bird species of China) red-fronted serin (Serinus pusillus) -金额叶鹎,jīn é yè bēi,(bird species of China) golden-fronted leafbird (Chloropsis aurifrons) -金额雀鹛,jīn é què méi,(bird species of China) golden-fronted fulvetta (Alcippe variegaticeps) -金饭碗,jīn fàn wǎn,secure and lucrative job -金饰,jīn shì,gold ornaments -金马奖,jīn mǎ jiǎng,Golden Horse Film Festival and Awards -金发,jīn fà,blond; blonde; fair-haired -金发碧眼,jīn fà bì yǎn,fair-haired and blue-eyed; blonde; of Western appearance -金鱼,jīn yú,goldfish -金鱼佬,jīn yú lǎo,"pedophile (slang, referring to the case of a Hong Kong child abductor who lured girls with the prospect of seeing ""goldfish"" in his apartment)" -金鱼草,jīn yú cǎo,snapdragon (Antirrhinum majus) -金鱼藻,jīn yú zǎo,hornwort (Ceratophyllum demersum) -金凤区,jīn fèng qū,"Jinfeng district of Yinchuan city 銀川市|银川市[Yin2 chuan1 shi4], Ningxia" -金雕,jīn diāo,(bird species of China) golden eagle (Aquila chrysaetos) -金卤,jīn lǔ,metal halide -金黄,jīn huáng,golden yellow; golden -金黄色,jīn huáng sè,gold color -金黄鹂,jīn huáng lí,(bird species of China) Eurasian golden oriole (Oriolus oriolus) -金龟,jīn guī,tortoise; scarab beetle -金龟婿,jīn guī xù,wealthy son-in-law; wealthy husband -金龟子,jīn guī zǐ,scarab -金龟车,jīn guī chē,(Tw) Volkswagen Beetle -钆,gá,gadolinium (chemistry) -钇,yǐ,yttrium (chemistry) -钌,liǎo,ruthenium (chemistry) -钌,liào,see 釕銱兒|钌铞儿[liao4 diao4 r5]; Taiwan pr. [liao3] -钌铞儿,liào diào er,hasp -钊,zhāo,to encourage; to cut; to strain -钉,dīng,nail; to follow closely; to keep at sb (to do sth); variant of 盯[ding1] -钉,dìng,to join things together by fixing them in place at one or more points; to nail; to pin; to staple; to sew on -钉子,dīng zi,nail; snag; saboteur -钉子户,dīng zi hù,householder who refuses to vacate his home despite pressure from property developers -钉书机,dìng shū jī,stapler -钉书针,dìng shū zhēn,staple (variant of 訂書針|订书针[ding4 shu1 zhen1]) -钉梢,dīng shāo,to follow sb; to tail; to shadow; also written 盯梢[ding1 shao1] -钉死,dìng sǐ,to nail securely; to execute by means of impalement; to crucify -钉牢,dīng láo,to clinch (a nail); to nail down -钉耙,dīng pá,rake -钉螺,dīng luó,Oncomelania -钉钉,dīng dīng,"DingTalk, business communication platform developed by Alibaba" -钉钯,dīng bǎ,rake -钉锤,dīng chuí,nail hammer; claw hammer -钉头,dīng tóu,head of nail -钋,pō,polonium (chemistry); Taiwan pr. [po4] -釜,fǔ,kettle; cauldron -釜山,fǔ shān,"Busan Metropolitan City in South Gyeongsang Province 慶尚南道|庆尚南道[Qing4 shang4 nan2 dao4], South Korea" -釜山市,fǔ shān shì,"Busan Metropolitan City in South Gyeongsang Province 慶尚南道|庆尚南道[Qing4 shang4 nan2 dao4], South Korea" -釜山广域市,fǔ shān guǎng yù shì,"Busan Metropolitan City in South Gyeongsang Province 慶尚南道|庆尚南道[Qing4 shang4 nan2 dao4], South Korea" -釜底抽薪,fǔ dǐ chōu xīn,to take drastic measures to deal with a situation; to pull the carpet from under sb -釜底游鱼,fǔ dǐ yóu yú,a fish at the bottom of the pot (idiom); in a desperate situation -针,zhēn,"needle; pin; injection; stitch; CL:根[gen1],支[zhi1]" -针具,zhēn jù,acupuncture needle; hypodermic needle -针刺,zhēn cì,to prick with a needle; to treat by acupuncture -针刺麻醉,zhēn cì má zuì,acupuncture anesthesia -针剂,zhēn jì,fluid loaded into a syringe for a hypodermic injection -针剂瓶,zhēn jì píng,ampoule -针孔,zhēn kǒng,pinhole -针孔摄影机,zhēn kǒng shè yǐng jī,"pinhole camera (for espionage, voyeurism etc)" -针对,zhēn duì,to target; to focus on; to be aimed at or against; in response to -针对性,zhēn duì xìng,focus; direction; purpose; relevance -针尖儿对麦芒儿,zhēn jiān er duì mài máng er,see 針尖對麥芒|针尖对麦芒[zhen1 jian1 dui4 mai4 mang2] -针尖对麦芒,zhēn jiān duì mài máng,"sharply opposed to each other, with neither prepared to give an inch (idiom)" -针尾沙锥,zhēn wěi shā zhuī,(bird species of China) pin-tailed snipe (Gallinago stenura) -针尾绿鸠,zhēn wěi lǜ jiū,(bird species of China) pin-tailed green pigeon (Treron apicauda) -针尾鸭,zhēn wěi yā,(bird species of China) northern pintail (Anas acuta) -针扎,zhēn zhā,pincushion -针毡,zhēn zhān,needle felting (craft); piece of felt used as a pincushion -针法,zhēn fǎ,stitch -针灸,zhēn jiǔ,acupuncture and moxibustion; to give or have acupuncture and moxibustion -针状,zhēn zhuàng,needle-shaped -针眼,zhēn yǎn,eye of a needle; pinprick; pinhole -针眼,zhēn yan,(medicine) sty -针砭,zhēn biān,to critique; to voice concerns about; ancient form of acupuncture using sharp stones as needles -针箍,zhēn gū,thimble -针箍儿,zhēn gū er,erhua variant of 針箍|针箍[zhen1 gu1] -针管,zhēn guǎn,syringe -针线,zhēn xiàn,needle and thread; needlework -针线活,zhēn xiàn huó,needlework; sewing -针线活儿,zhēn xiàn huó er,needlework; working for a living as a needleworker -针线活计,zhēn xiàn huó jì,needlework; sewing -针线箔篱,zhēn xiàn bó lí,wicker sewing basket (dialect) -针织,zhēn zhī,knitting; knitted garment -针织品,zhēn zhī pǐn,knitwear -针叶,zhēn yè,needle-leaved (tree) -针叶林,zhēn yè lín,needle-leaved forest -针叶植物,zhēn yè zhí wù,needle-leaved plant (e.g. pine tree) -针叶树,zhēn yè shù,conifer -针锋相对,zhēn fēng xiāng duì,to oppose each other with equal harshness (idiom); tit for tat; measure for measure -针头,zhēn tóu,tip of a needle; syringe needle -针头线脑,zhēn tóu xiàn nǎo,needle and thread; sewing implements; needlework; (fig.) unimportant thing -针鱼,zhēn yú,saury fish (family Scomberesocidae) -针麻,zhēn má,acupuncture anesthesia -针鼢,zhēn fén,echidna -针鼹,zhēn yǎn,echidna -针鼻,zhēn bí,the eye of a needle -钓,diào,to fish with a hook and line; to angle -钓具,diào jù,fishing tackle -钓凯子,diào kǎi zi,"(slang) (of women) to hunt for rich, attractive guys" -钓客,diào kè,angler -钓杆,diào gǎn,fishing rod -钓竿,diào gān,fishing rod; CL:根[gen1] -钓针,diào zhēn,fishhook -钓钩,diào gōu,fishhook -钓钩儿,diào gōu er,erhua variant of 釣鉤|钓钩[diao4gou1] -钓鱼,diào yú,to fish (with line and hook); to angle; (fig.) to entrap; (Tw) to repeatedly nod one's head while dozing -钓鱼执法,diào yú zhí fǎ,(law) entrapment -钓鱼岛,diào yú dǎo,"Diaoyu Islands, claimed by China but controlled by Japan as the Senkaku Islands, also called the Pinnacle Islands" -钓鱼式攻击,diào yú shì gōng jī,(computing) phishing attack -钓鱼杆,diào yú gān,fishing rod; CL:根[gen1] -钓鱼者,diào yú zhě,angler -钓鱼台,diào yú tái,"Diaoyu Islands, located between Taiwan and Okinawa, controlled by Japan – which calls them the Senkaku Islands – but claimed by China" -钐,shān,samarium (chemistry) -钐,shàn,to cut with a sickle; large sickle -钐刀,shàn dāo,scythe -钐镰,shàn lián,scythe -扣,kòu,button -扣子,kòu zi,button -扣环,kòu huán,ring fastener; buckle; retainer strap -扣眼,kòu yǎn,eyelet; buttonhole -扣眼儿,kòu yǎn er,erhua variant of 釦眼|扣眼[kou4 yan3] -扣襻,kòu pàn,fastening -钏,chuàn,surname Chuan -钏,chuàn,armlet; bracelet -钒,fán,vanadium (chemistry) -钒钾铀矿石,fán jiǎ yóu kuàng shí,carnotite -焊,hàn,variant of 焊[han4] -钗,chāi,hairpin -钍,tǔ,thorium (chemistry) -钕,nǚ,neodymium (chemistry) -钎,qiān,a drill (for boring through rock) -钎子,qiān zi,hammer drill for boring through rock -钯,bǎ,palladium (chemistry); Taiwan pr. [ba1] -钯,pá,archaic variant of 耙[pa2] -钫,fāng,francium (chemistry) -钭,tǒu,surname Tou -钭,tǒu,a wine flagon -鈆,yán,old variant of 沿[yan2] -铅,qiān,old variant of 鉛|铅[qian1] -钚,bù,plutonium (chemistry) -钠,nà,sodium (chemistry) -钝,dùn,blunt; stupid -钝器,dùn qì,blunt instrument (used as a weapon) -钝翅苇莺,dùn chì wěi yīng,(bird species of China) blunt-winged warbler (Acrocephalus concinens) -钝角,dùn jiǎo,obtuse angle -钩,gōu,variant of 鉤|钩[gou1] -钩稽,gōu jī,variant of 鉤稽|钩稽[gou1 ji1] -钤,qián,latch of door; seal -钣,bǎn,metal plate; sheet of metal -钣金,bǎn jīn,sheet metal working; auto body repair work; panel beating -钞,chāo,money; paper money; variant of 抄[chao1] -钞票,chāo piào,"paper money; a bill (e.g. 100 yuan); CL:張|张[zhang1],紮|扎[za1]" -钞能力,chāo néng lì,(coll.) wealth; financial clout (pun on 超能力[chao1neng2li4]) -钮,niǔ,surname Niu -钮,niǔ,button -钮带,niǔ dài,bond; ties (of friendship etc) -钮祜禄,niǔ hù lù,Niohuru (prominent Manchu clan) -钮扣,niǔ kòu,variant of 紐扣|纽扣[niu3 kou4] -钧,jūn,30 catties; great; your (honorific) -钧谕,jūn yù,(deferential) your instructions -钙,gài,calcium (chemistry) -钙化,gài huà,to calcify; calcification -钙华,gài huá,(geology) tufa; travertine -钙质,gài zhì,calcium -钬,huǒ,holmium (chemistry) -钛,tài,titanium (chemistry) -钛铁矿,tài tiě kuàng,ilmenite FeTiO3; titanium ore -钪,kàng,scandium (chemistry) -鈬,duó,surname Duo -鈬,duó,"Japanese variant of 鐸|铎, large ancient bell" -铌,ní,niobium (chemistry) -铈,shì,cerium (chemistry) -钶,kē,columbium -铃,líng,(small) bell; CL:隻|只[zhi1] -铃木,líng mù,Suzuki (Japanese surname) -铃声,líng shēng,ring; ringtone; bell stroke; tintinnabulation -铃兰,líng lán,lily of the valley (Convallaria majalis) -铃铛,líng dang,little bell; CL:隻|只[zhi1] -铃鼓,líng gǔ,tambourine (musical instrument); bell and drum -钴,gǔ,cobalt (chemistry); Taiwan pr. [gu1] -钹,bó,cymbals -铍,pí,beryllium (chemistry) -钰,yù,treasure; hard metal -钸,bū,metal plate -钸,bù,plutonium (chemistry) (Tw) -铀,yóu,uranium (chemistry); Taiwan pr. [you4] -铀浓缩,yóu nóng suō,uranium enrichment -钿,diàn,"to inlay with gold, silver etc; ancient inlaid ornament shaped as a flower" -钿,tián,(dialect) coin; money -钾,jiǎ,potassium (chemistry) -钾盐,jiǎ yán,potassium chloride KCl -鉄,tiě,old variant of 鐵|铁[tie3] -鉄,zhì,old variant of 紩[zhi4] -钜,jù,hard iron; hook; variant of 巨[ju4]; variant of 詎|讵[ju4] -钜子,jù zǐ,tycoon; magnate -钜惠,jù huì,big discount -钜款,jù kuǎn,variant of 巨款[ju4 kuan3] -钜防,jù fáng,iron defense; defensive gate or wall (refers to the Great Wall) -钜额,jù é,variant of 巨額|巨额[ju4 e2] -铊,tā,thallium (chemistry) -铉,xuàn,"stick-like implement inserted into the handles of a tripod cauldron in ancient times in order to lift the cauldron; commonly used in Korean names, transcribed as ""hyun""" -铋,bì,bismuth (chemistry) -铂,bó,platinum (chemistry) -钷,pǒ,promethium (chemistry) -钳,qián,pincers; pliers; tongs; claw (of animal); to grasp with pincers; to pinch; to clamp; to restrain; to restrict; to gag -钳住,qián zhù,to clamp down; to suppress -钳制,qián zhì,to suppress; to muzzle; to gag -钳嘴鹳,qián zuǐ guàn,(bird species of China) Asian openbill (Anastomus oscitans) -钳子,qián zi,pliers; pincers; tongs; forceps; vise; clamp; claw (of a crab etc); CL:把[ba3]; (dialect) earring -钳工,qián gōng,fitter; benchwork -钳马衔枚,qián mǎ xián méi,with horses and soldiers gagged (idiom); (of a marching army) in utter silence -铆,mǎo,to fasten with rivets; (coll.) to exert one's strength -铆上,mǎo shàng,to go all out; to rise to -铆劲儿,mǎo jìn er,to apply all one's strength in a burst of effort -铆工,mǎo gōng,riveter; worker with rivets -铆接,mǎo jiē,to join with rivets; to rivet; riveted joint -铆起来,mǎo qǐ lai,to get enthusiastic; to put in all one's energy -铆足劲儿,mǎo zú jìn er,to exert all one's strength -铆钉,mǎo dīng,rivet -铆钉枪,mǎo dīng qiāng,rivet gun -铅,qiān,lead (chemistry) -铅垂线,qiān chuí xiàn,plumbline -铅字,qiān zì,(printing) type; movable letters -铅山,yán shān,"Yanshan county in Shangrao 上饒|上饶[Shang4 rao2], Jiangxi" -铅山县,yán shān xiàn,"Yanshan County in Shangrao 上饒|上饶[Shang4 rao2], Jiangxi" -铅带,qiān dài,weight belt -铅条,qiān tiáo,strip of lead -铅球,qiān qiú,shot put (athletics event) -铅矿,qiān kuàng,lead ore -铅笔,qiān bǐ,"(lead) pencil; CL:支[zhi1],枝[zhi1],桿|杆[gan3]" -铅笔刀,qiān bǐ dāo,pencil sharpener; CL:把[ba3] -铅笔盒,qiān bǐ hé,pencil case -铅箔,qiān bó,lead foil; CL:張|张[zhang1] -铅管工,qiān guǎn gōng,plumber -铅酸蓄电池,qiān suān xù diàn chí,lead-acid accumulator; battery (e.g. in car) -铅锤,qiān chuí,bob of a plumbline -钺,yuè,battle-ax -钵,bō,variant of 缽|钵[bo1] -钩,gōu,to hook; to sew; to crochet; hook; check mark or tick; window catch -钩住,gōu zhù,to hook onto; to hitch onto; to catch onto -钩儿,gōu er,erhua variant of 鉤|钩[gou1] -钩吻,gōu wěn,heartbreak grass (Gelsemium elegans) -钩嘴圆尾鹱,gōu zuǐ yuán wěi hù,(bird species of China) Tahiti petrel (Pterodroma rostrata) -钩子,gōu zi,hook -钩心斗角,gōu xīn dòu jiǎo,variant of 勾心鬥角|勾心斗角[gou1 xin1 dou4 jiao3] -钩扣,gōu kòu,hook -钩环,gōu huán,shackle (U-shaped link) -钩破,gōu pò,(of sth sharp) to snag (one's stockings etc) -钩稽,gōu jī,"to explore; to investigate; to audit (accounts, books etc)" -钩端螺旋体病,gōu duān luó xuán tǐ bìng,leptospirosis -钩编,gōu biān,to crochet -钩花,gōu huā,to crochet -钩针,gōu zhēn,crochet hook; crochet needle -钩头篙,gōu tóu gāo,boathook -钲,zhēng,gong used to halt troops -钼,mù,molybdenum (chemistry) -钽,tǎn,tantalum (chemistry) -铰,jiǎo,scissors; to cut (with scissors) -铰刀,jiǎo dāo,reamer; scissors -铰链,jiǎo liàn,hinge -铒,ěr,erbium (chemistry) -铬,gè,chromium (chemistry) -鉾,móu,spear -铪,hā,hafnium (chemistry) -银,yín,silver; silver-colored; relating to money or currency -银丹,yín dān,"lunar caustic (fused silver nitrate, shaped into a stick and used as a cauterizing agent)" -银亮,yín liàng,shiny bright as silver -银保,yín bǎo,bank insurance; bancassurance -银元,yín yuán,flat silver (former coinage); also written 銀圓|银圆; silver dollar -银光,yín guāng,silvery light; bright white light; shining white light -银两,yín liǎng,silver (as currency) -银匠,yín jiàng,silversmith -银喉长尾山雀,yín hóu cháng wěi shān què,(bird species of China) silver-throated bushtit (Aegithalos glaucogularis) -银器,yín qì,silverware -银圆,yín yuán,flat silver (former coinage); also written 銀元|银元; silver dollar -银坛,yín tán,moviedom; the world of movies; film circles -银婚,yín hūn,silver wedding (25th wedding anniversary) -银子,yín zi,money; silver -银屏,yín píng,television; TV screen; the silver screen -银屑,yín xiè,silver chloride AgCL -银屑病,yín xiè bìng,psoriasis -银川,yín chuān,"Yinchuan city, capital of Ningxia Hui Autonomous Region 寧夏回族自治區|宁夏回族自治区[Ning2 xia4 Hui2 zu2 Zi4 zhi4 qu1]" -银川市,yín chuān shì,"Yinchuan city, capital of Ningxia Hui Autonomous Region 寧夏回族自治區|宁夏回族自治区[Ning2 xia4 Hui2 zu2 Zi4 zhi4 qu1]" -银州,yín zhōu,"Yinzhou district of Tieling city 鐵嶺市|铁岭市[Tie3 ling3 shi4], Liaoning" -银州区,yín zhōu qū,"Yinzhou district of Tieling city 鐵嶺市|铁岭市[Tie3 ling3 shi4], Liaoning" -银幕,yín mù,movie screen -银币,yín bì,silver coin -银座,yín zuò,Ginza (district in Tokyo) -银晃晃,yín huǎng huǎng,silver glitter -银本位,yín běn wèi,Silver Standard (monetary standard) -银本位制,yín běn wèi zhì,Silver Standard (monetary standard) -银杏,yín xìng,ginkgo -银杯,yín bēi,silver cup (trophy) -银柳,yín liǔ,pussy willow -银根,yín gēn,(finance) money supply -银条,yín tiáo,silver bar -银枞,yín cōng,silver fir (Abies alba) -银楼,yín lóu,silverware store; jewelry center -银样镴枪头,yín yàng là qiāng tóu,silvery spear point actually made of pewter (idiom); fig. worthless despite an attractive exterior -银河,yín hé,Milky Way -银河星云,yín hé xīng yún,a galactic nebula -银河系,yín hé xì,Milky Way Galaxy; the galaxy (our galaxy) -银洋,yín yáng,flat silver (former coinage); also written 銀元|银元 -银海,yín hǎi,"Yinhai district of Beihai city 北海市[Bei3 hai3 shi4], Guangxi" -银海,yín hǎi,moviedom; the world of movies; film circles -银海区,yín hǎi qū,"Yinhai district of Beihai city 北海市[Bei3 hai3 shi4], Guangxi" -银汉,yín hàn,Milky Way; also called 銀河|银河[Yin2 he2] -银熊奖,yín xióng jiǎng,"Silver Bear, award at the Berlin International Film Festival" -银燕,yín yàn,silver swallow; airplane (affectionate) -银牌,yín pái,silver medal; CL:枚[mei2] -银狐,yín hú,silver or black fox (Vulpes alopex argentatus); also written 玄狐 -银狮奖,yín shī jiǎng,"Silver Lion, award at the Venice Film Festival" -银奖,yín jiǎng,silver medal -银瓶,yín píng,silver bottle -银白,yín bái,silver white -银白杨,yín bái yáng,silver birch; white poplar -银监会,yín jiān huì,"China Banking Regulatory Commission (CBRC), abbr. for 中國銀行業監督管理委員會|中国银行业监督管理委员会[Zhong1 guo2 Yin2 hang2 ye4 Jian1 du1 Guan3 li3 Wei3 yuan2 hui4]" -银盘,yín pán,silver plate; galactic disc -银票,yín piào,(in former times) banknote with a value in silver -银箔,yín bó,silver foil -银红,yín hóng,pink; silvery red; pale rose color -银丝卷,yín sī juǎn,"yin si juan, steamed bun from Shandong province with hand-drawn dough threads folded over" -银丝族,yín sī zú,the older generation (respectful term); old folk; silver-haired generation -银耳,yín ěr,white fungus (Tremella fuciformis); silver tree-ear fungus -银耳噪鹛,yín ěr zào méi,(bird species of China) silver-eared laughingthrush (Trochalopteron melanostigma) -银耳相思鸟,yín ěr xiāng sī niǎo,(bird species of China) silver-eared mesia (Leiothrix argentauris) -银联,yín lián,UnionPay; CUP -银胸阔嘴鸟,yín xiōng kuò zuǐ niǎo,(bird species of China) silver-breasted broadbill (Serilophus lunatus) -银胶菊,yín jiāo jú,guayule (Parthenium argentatum); congress weed (Parthenium hysterophorus) -银脸长尾山雀,yín liǎn cháng wěi shān què,(bird species of China) sooty bushtit (Aegithalos fuliginosus) -银色,yín sè,silver (color) -银苔,yín tái,moss silver; silver in the form of fibers or branches -银叶,yín yè,silver leaf -银莲花,yín lián huā,anemone -银行,yín háng,"bank; CL:家[jia1],個|个[ge4]" -银行卡,yín háng kǎ,bank card; ATM card -银行家,yín háng jiā,banker -银行对账单,yín háng duì zhàng dān,bank statement -银行业,yín háng yè,banking -银行业务,yín háng yè wù,banking -银制,yín zhì,made of silver -银质,yín zhì,made of silver -银质奖,yín zhì jiǎng,silver medal -银辉,yín huī,radiance; silver white sheen -银针,yín zhēn,silver needle (fine needle used in acupuncture) -银锭,yín dìng,silver ingot -银钱,yín qián,silver money (in former times) -银阁寺,yín gé sì,"Ginkaku-ji or Silver Pavilion in Kyoto 京都[Jing1 du1], Japan, officially called Jishōji 慈照寺[Ci2 zhao4 si4]" -银发,yín fà,silver hair; gray hair -银鱼,yín yú,oriental whitebait; slender silvery-white fish e.g. Galaxias maculatus and Salangichthys microdon -银鲳,yín chāng,silvery pomfret; dollarfish; harvestfish -银鸥,yín ōu,(bird species of China) European herring gull (Larus argentatus) -银点,yín diǎn,the silver point; the melting point of silver 962°C used as a calibration point in some temperature scales -铳,chòng,ancient firearm; gun -铜,tóng,copper (chemistry); see also 紅銅|红铜[hong2 tong2]; CL:塊|块[kuai4] -铜仁,tóng rén,"Tongren, a prefecture-level city in eastern Guizhou" -铜仁市,tóng rén shì,"Tongren, a prefecture-level city in eastern Guizhou" -铜像,tóng xiàng,bronze statue; CL:座[zuo4] -铜匠,tóng jiang,coppersmith -铜器,tóng qì,copper ware; bronze ware -铜官,tóng guān,"Tongguan, a district of Tongling City 銅陵市|铜陵市[Tong2ling2 Shi4], Anhui" -铜官区,tóng guān qū,"Tongguan, a district of Tongling City 銅陵市|铜陵市[Tong2ling2 Shi4], Anhui" -铜山,tóng shān,"Tongshan county in Xuzhou 徐州[Xu2 zhou1], Jiangsu" -铜山县,tóng shān xiàn,"Tongshan county in Xuzhou 徐州[Xu2 zhou1], Jiangsu" -铜川,tóng chuān,"Tongchuan, prefecture-level city in Shaanxi" -铜川市,tóng chuān shì,"Tongchuan, prefecture-level city in Shaanxi" -铜板,tóng bǎn,copper coin; copper plate (e.g. for printing) -铜梁,tóng liáng,"Tongliang, a district of Chongqing 重慶|重庆[Chong2qing4]" -铜梁区,tóng liáng qū,"Tongliang, a district of Chongqing 重慶|重庆[Chong2qing4]" -铜水,tóng shuǐ,molten copper; molten bronze -铜墙铁壁,tóng qiáng tiě bì,"copper wall, iron bastion (idiom); impenetrable defense" -铜牌,tóng pái,bronze medal; bronze plaque bearing a business name or logo etc; CL:枚[mei2] -铜环,tóng huán,brass ring; door knocker -铜矿,tóng kuàng,copper mine; copper ore -铜管,tóng guǎn,brass instrument (music) -铜管乐器,tóng guǎn yuè qì,brass instruments -铜丝,tóng sī,copper wire -铜绿,tóng lǜ,verdigris -铜绿层,tóng lǜ céng,patina -铜翅水雉,tóng chì shuǐ zhì,(bird species of China) bronze-winged jacana (Metopidius indicus) -铜臭味,tóng xiù wèi,profit-before-all-else mindset; money-grubbing -铜铃,tóng líng,bell made of copper or bronze -铜锤,tóng chuí,"mace (weapon); (Chinese opera) ""tongchui"" (painted face role) (abbr. for 銅錘花臉|铜锤花脸[tong2 chui2 hua1 lian3])" -铜锤花脸,tóng chuí huā liǎn,"(Chinese opera) tongchui hualian, a military character holding a bronze mace, classified as a jing 淨|净[jing4] role" -铜钱,tóng qián,"copper coin (round with a square hole in the middle, used in former times in China)" -铜锈,tóng xiù,verdigris -铜锈层,tóng xiù céng,patina -铜锣,tóng luó,"Tongluo or Tunglo township in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -铜锣,tóng luó,gong -铜锣湾,tóng luó wān,Causeway Bay -铜锣烧,tóng luó shāo,dorayaki (a Japanese confection) -铜锣乡,tóng luó xiāng,"Tongluo or Tunglo township in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -铜陵市,tóng líng shì,"Tongling, prefecture-level city in Anhui" -铜鼓,tóng gǔ,"Tonggu county in Yichun 宜春, Jiangxi" -铜鼓,tóng gǔ,bronze drum; (Western-style) drum -铜鼓县,tóng gǔ xiàn,"Tonggu county in Yichun 宜春, Jiangxi" -銎,qiōng,eye of an axe -铣,xǐ,to mill (machining); Taiwan pr. [xian3] -铣,xiǎn,shining metal; (old) the 16th of the month (abbreviation used in telegrams) -铣工,xǐ gōng,milling (machining); milling machine operator -铣床,xǐ chuáng,milling machine -铣铁,xiǎn tiě,cast iron -铨,quán,to estimate; to select -铨叙部,quán xù bù,"Ministry of Civil Service, Taiwan" -铨衡,quán héng,to measure and select talents -铢,zhū,twenty-fourth part of a tael (2 or 3 grams) -铭,míng,to engrave; inscribed motto -铭刻,míng kè,a carved inscription -铭心刻骨,míng xīn kè gǔ,lit. etched into one's heart and bones (idiom); fig. etched in one's memory; remembered with gratitude as long as one lives -铭心镂骨,míng xīn lòu gǔ,engraved in one's heart and carved in one's bones (idiom); to remember a benefactor as long as one lives; undying gratitude -铭文,míng wén,inscription -铭牌,míng pái,nameplate; data plate (on a machine) -铭瑄,míng xuān,"MaxSun, PRC company specializing in video and computer display" -铭言,míng yán,motto; slogan -铭记,míng jì,to engrave in one's memory -铭谢,míng xiè,to express gratitude (esp. in public); vote of thanks; also written 鳴謝|鸣谢 -铫,yáo,surname Yao -铫,diào,pan with a long handle -铫,yáo,weeding tool -衔,xián,bit (of a bridle); to hold in the mouth; to harbor (feelings); to link; to accept; rank; title -衔接,xián jiē,to link up; to connect; to join -铑,lǎo,rhodium (chemistry) -铷,rú,rubidium (chemistry) -铱,yī,iridium (chemistry) -铟,yīn,indium (chemistry) -铵,ǎn,ammonium -铥,diū,thulium (chemistry) -铕,yǒu,europium (chemistry) -铯,sè,cesium (chemistry) -铐,kào,shackles; fetters; manacle -铞,diào,see 釕銱兒|钌铞儿[liao4 diao4 r5] -焊,hàn,variant of 焊[han4] -锐,ruì,acute -锐不可当,ruì bù kě dāng,unstoppable; hard to hold back -锐利,ruì lì,sharp; keen; acute; incisive; penetrating; perceptive -锐化,ruì huà,to sharpen -锐志,ruì zhì,firm determination -锐意,ruì yì,acute determination; dauntless -锐敏,ruì mǐn,acute; astute; perceptive -锐步,ruì bù,Reebok (sportswear manufacturer) -锐气,ruì qì,acute spirit; dash; drive -锐减,ruì jiǎn,steep decline -锐角,ruì jiǎo,acute angle -锐评,ruì píng,(neologism) incisive commentary (abbr. for 銳利評論|锐利评论[rui4 li4 ping2 lun4]) -锐进,ruì jìn,to advance; to rush forward -销,xiāo,to melt (metal); to cancel; to annul; to sell; to expend; to spend; pin; bolt; to fasten with a pin or bolt -销假,xiāo jià,to report back after a period of absence -销势,xiāo shì,sale -销售,xiāo shòu,"to sell; to market; sales (representative, agreement etc)" -销售时点,xiāo shòu shí diǎn,point of sale -销售时点情报系统,xiāo shòu shí diǎn qíng bào xì tǒng,point of sale system -销售额,xiāo shòu é,sales figure; total income from sales; turnover -销售点,xiāo shòu diǎn,point of sale (POS); checkout; retail outlet -销子,xiāo zi,a peg; a pin; dowel -销帐,xiāo zhàng,to write off; to cancel an account; to draw a line under -销户,xiāo hù,to close an account; to cancel sb's household registration -销案,xiāo àn,to close a case; to bring a case to a close (law) -销毁,xiāo huǐ,to destroy (by melting or burning); to obliterate -销声匿迹,xiāo shēng nì jì,to vanish without trace (idiom); to lie low -销号,xiāo hào,to close an account; to cancel a (phone) number -销蚀,xiāo shí,to corrode; to erode; to wear away (lit. and fig.) -销行,xiāo xíng,to sell; to be on sale; to be sold -销货帐,xiāo huò zhàng,sales ledger (accountancy) -销账,xiāo zhàng,to write off; to cancel an item from accounts -销赃,xiāo zāng,to dispose of stolen goods -销路,xiāo lù,sale; market; state of the market; sales event -销量,xiāo liàng,sales volume -销金窟,xiāo jīn kū,"money squandering establishment (e.g. gambling den, brothel etc)" -销铄,xiāo shuò,to melt; to eliminate -销魂,xiāo hún,ecstasy; rapture; to feel overwhelming joy or sorrow -锈,xiù,variant of 鏽|锈[xiu4] -锈蚀,xiù shí,corrosion; rust -锑,tī,antimony (chemistry) -锉,cuò,file (tool used for smoothing); rasp; to file -锉刀,cuò dāo,file (metalworking and woodworking tool) -汞,gǒng,variant of 汞[gong3] -銾,hòng,sound of a bell -铝,lǚ,aluminum (chemistry) -铝合金,lǚ hé jīn,aluminum alloy -铝土,lǚ tǔ,bauxite; aluminum ore -铝矾土,lǚ fán tǔ,bauxite; aluminum ore -铝箔,lǚ bó,aluminum foil -铝箔纸,lǚ bó zhǐ,aluminum foil -锒,láng,chain; ornament -锒铛,láng dāng,iron chains; shackles; (onom.) clank -锒铛入狱,láng dāng rù yù,lit. to get shackled and thrown in jail (idiom); fig. to be put behind bars; to get jailed -锌,xīn,zinc (chemistry) -钡,bèi,barium (chemistry) -鋈,wù,-plated; to plate -铤,dìng,ingot -铤,tǐng,big arrow; walk fast -铤而走险,tǐng ér zǒu xiǎn,to take a risk out of desperation (idiom) -铗,jiá,pincers for use at a fire; sword -铗子,jiá zi,tongs -锋,fēng,point of a spear; edge of a tool; vanguard; forward (in sports team) -锋利,fēng lì,sharp (e.g. knife blade); incisive; to the point -锋芒,fēng máng,"tip (of pencil, spear etc); sharp point; cutting edge; spearhead; vanguard" -锋芒内敛,fēng máng nèi liǎn,to be talented yet self-effacing (idiom) -锋芒毕露,fēng máng bì lù,to show off one's ability -锋铓,fēng máng,variant of 鋒芒|锋芒[feng1 mang2] -锋钢,fēng gāng,high speed steel -锋面,fēng miàn,front (meteorology) -锊,lüè,(ancient unit of weight) -锓,qín,to carve -铘,yé,used in 鏌鋣|镆铘[Mo4ye2] -锄,chú,a hoe; to hoe or dig; to weed; to get rid of -锄地,chú dì,to hoe; to weed the soil -锄奸,chú jiān,to weed out the traitors -锄强扶弱,chú qiáng fú ruò,to root out the strong and support the weak (idiom); to rob the rich and give to the poor -锄犁,chú lí,plow -锄草,chú cǎo,to hoe; to weed -锄头,chú tou,hoe; CL:把[ba3] -锃,zèng,polished; shiny -锃亮,zèng liàng,shiny -锃光,zèng guāng,shiny -锔,jū,to mend by stapling or cramping broken pieces together -锔,jú,curium (chemistry) -锔子,jū zi,clamp for mending pottery -锇,é,osmium (chemistry) -铓,máng,sharp point; point of sword -铺,pū,to spread; to display; to set up; (old) holder for door-knocker -铺,pù,plank bed; place to sleep; shop; store; (old) relay station -铺位,pù wèi,bunk; berth -铺保,pù bǎo,shop's guarantee -铺垫,pū diàn,to spread out bedding; bedcover -铺天盖地,pū tiān gài dì,lit. hiding the sky and covering the earth (idiom); fig. earth-shattering; omnipresent; of universal importance -铺子,pù zi,store; shop -铺家,pù jiā,store; shop -铺展,pū zhǎn,to spread out -铺平,pū píng,"to spread out (material); to pave (the way, a road etc)" -铺床,pū chuáng,to make a bed; to lay bedding -铺底,pù dǐ,shop fittings -铺张,pū zhāng,ostentation; extravagance -铺张浪费,pū zhāng làng fèi,extravagance and waste (idiom) -铺户,pù hù,store; shop -铺捐,pù juān,tax on stores -铺排,pū pái,to arrange -铺摆,pū bǎi,to display (goods); to dispose of -铺摊,pū tan,to spread out; to display; to lay out a vendor's stall -铺放,pū fàng,to display -铺叙,pū xù,to explain all the details; complete narrative -铺板,pù bǎn,bedboard -铺梗,pū gěng,(Tw) to set the scene; to lay the groundwork; to pique the interest of one's audience -铺炕,pū kàng,to make a bed; to lay bedding -铺砌,pū qì,to pave -铺盖,pū gài,to spread evenly over -铺盖,pū gai,bedding; bedclothes -铺盖卷儿,pū gài juǎn er,bedroll -铺衍,pù yǎn,to spread out widely; to disseminate -铺衬,pū chèn,to serve as a contrasting element -铺衬,pū chen,patch of cloth -铺设,pū shè,"to lay (railroad tracks, carpet, pipeline); to install (wiring, cable); to construct (road, concrete slab)" -铺路,pū lù,to pave (with paving stones); to lay a road; (fig.) to lay the groundwork (for sth); to give a present to sb to ensure success -铺轨,pū guǐ,to lay railway track -铺陈,pū chén,to arrange; to spread out; to narrate in detail; to describe at great length; to elaborate -铺面,pū miàn,paving; pavement -铺面,pù miàn,front window; store front -铺面房,pù miàn fáng,store; front room of house serving as shop -铺首,pū shǒu,holder for door knocker -铖,chéng,(used in people's names) -锆,gào,zirconium (chemistry) -锆合金,gào hé jīn,zircaloy -锆石,gào shí,zircon (colored crystal of zirconium silicate ZrSiO4) -锆英砂,gào yīng shā,zircon sand (zirconium ore) -锂,lǐ,lithium (chemistry) -锂离子电池,lǐ lí zǐ diàn chí,lithium ion battery -锂电池,lǐ diàn chí,lithium battery -铽,tè,terbium (chemistry) -锯,jū,variant of 鋦|锔[ju1] -锯,jù,a saw (CL:把[ba3]); to saw -锯子,jù zi,a saw; CL:把[ba3] -锯工,jù gōng,a sawyer -锯掉,jù diào,to saw off (a branch etc); to amputate (a limb) -锯木,jù mù,to saw timber -锯木厂,jù mù chǎng,saw mill; timber mill -锯木架,jù mù jià,a sawhorse -锯末,jù mò,sawdust -锯架,jù jià,a sawframe -锯条,jù tiáo,a sawblade -锯棕榈,jù zōng lǘ,"saw palmetto (Serenoa repens, a small palm, an extract of whose fruit is used medicinally)" -锯片,jù piàn,saw blade -锯开,jù kāi,to saw -锯齿,jù chǐ,sawtooth -锯齿形,jù chǐ xíng,sawtooth shape; zigzag -鉴,jiàn,variant of 鑑|鉴[jian4] -钢,gāng,steel -钢刀,gāng dāo,steel knife; sword -钢化玻璃,gāng huà bō li,reinforced glass -钢叉,gāng chā,pitchfork; garden fork; restraining pole (used by police); military fork (of ancient times) -钢圈,gāng quān,wheel rim; underwire (in a bra) -钢坯,gāng pī,billet (steel industry) -钢厂,gāng chǎng,a steelworks -钢弹,gāng dàn,"Gundam, Japanese animation franchise" -钢曲尺,gāng qū chǐ,steel set square (tool to measure right angles) -钢材,gāng cái,"steel (as raw material); steel sheets, bars, tubes, ingots, wire etc" -钢板,gāng bǎn,steel plate -钢柱,gāng zhù,iron pillar; iron rod -钢梁,gāng liáng,steel beam; girder -钢条,gāng tiáo,steel bar -钢枪,gāng qiāng,rifle -钢片琴,gāng piàn qín,celesta -钢珠,gāng zhū,steel ball; bearing ball -钢琴,gāng qín,"piano; CL:架[jia4],臺|台[tai2]" -钢琴家,gāng qín jiā,pianist -钢琴师,gāng qín shī,pianist -钢琴演奏,gāng qín yǎn zòu,piano performance -钢盔,gāng kuī,metal helmet; (military) helmet -钢窗,gāng chuāng,metal window -钢笔,gāng bǐ,fountain pen; CL:支[zhi1] -钢筋,gāng jīn,steel reinforcing bar -钢筋水泥,gāng jīn shuǐ ní,reinforced concrete -钢筋混凝土,gāng jīn hùn níng tǔ,reinforced concrete -钢管,gāng guǎn,steel pipe; pole (in pole dancing) -钢管舞,gāng guǎn wǔ,pole dancing -钢箭,gāng jiàn,iron arrow -钢丝,gāng sī,steel wire; tightrope -钢丝球,gāng sī qiú,stainless steel scourer -钢丝绳,gāng sī shéng,hawser; steel rope -钢丝锯,gāng sī jù,jigsaw (saw with steel wire blade) -钢缆,gāng lǎn,steel cable; wire cable; steel hawser -钢花,gāng huā,the fiery spray of molten steel -钢制,gāng zhì,"made of steel; steel (bar, screw, product etc)" -钢轨,gāng guǐ,steel rail -钢钎,gāng qiān,(mining) drill rod; drill steel -钢锯,gāng jù,hacksaw -钢镚,gāng bèng,small coin; dime -钢铁,gāng tiě,steel -钢铁侠,gāng tiě xiá,"Iron Man, comic book superhero" -钢铁学院,gāng tiě xué yuàn,"Beijing Steel and Iron Institute (the former name of 北京科技大學|北京科技大学[Bei3 jing1 Ke1 ji4 Da4 xue2], University of Science and Technology Beijing)" -钢铁工业,gāng tiě gōng yè,steel industry -钢铁厂,gāng tiě chǎng,iron and steel works; steelworks -钢鞭,gāng biān,mace (weapon) -钢骨水泥,gāng gǔ shuǐ ní,reinforced concrete -锞,kè,grease-pot for cart; ingot -录,lù,surname Lu -录,lù,diary; record; to hit; to copy -录供,lù gòng,to take down a confession -录像,lù xiàng,to videotape; to videorecord; video recording; CL:盤|盘[pan2] -录像带,lù xiàng dài,video cassette; CL:盤|盘[pan2] -录像机,lù xiàng jī,video recorder; VCR -录入,lù rù,to input (computer); to type -录共,lù gòng,to take down a confession -录取,lù qǔ,"to accept an applicant (prospective student, employee etc) who passes an entrance exam; to admit (a student); to hire (a job candidate)" -录取率,lù qǔ lǜ,acceptance rate; admission rate -录取线,lù qǔ xiàn,minimum passing score for admission -录取通知书,lù qǔ tōng zhī shū,admission notice (issued by a university) -录屏,lù píng,(computing) to make a screen capture video; a screen video -录影,lù yǐng,to videotape; to videorecord -录影带,lù yǐng dài,videotape (Tw); CL:盤|盘[pan2] -录影机,lù yǐng jī,camcorder; video recorder; videocassette recorder (Tw); CL:臺|台[tai2] -录放,lù fàng,"to record and play (audio, video)" -录用,lù yòng,to hire (an employee); to accept (a manuscript) for publication -录相,lù xiàng,variant of 錄像|录像[lu4 xiang4] -录制,lù zhì,to record (video or audio) -录象,lù xiàng,variant of 錄像|录像[lu4 xiang4] -录音,lù yīn,to record (sound); sound recording; CL:個|个[ge4] -录音带,lù yīn dài,"audio tape; CL:盤|盘[pan2],盒[he2]" -录音机,lù yīn jī,(tape) recording machine; tape recorder; CL:臺|台[tai2] -锖,qiāng,the color of a mineral -锫,péi,berkelium (chemistry) -锩,juàn,to bend iron -锥,zhuī,cone; awl; to bore -锥台,zhuī tái,(math.) frustum -锥套,zhuī tào,taper bushing -锥子,zhuī zi,awl; CL:把[ba3] -锥尖,zhuī jiān,point of an awl; sharp point -锥形,zhuī xíng,conical -锥形瓶,zhuī xíng píng,Erlenmeyer flask -锥虫病,zhuī chóng bìng,trypanosomiasis -锥面,zhuī miàn,cone -锥齿轮,zhuī chǐ lún,pinion gear -锕,ā,actinium (chemistry) -锕系元素,ā xì yuán sù,"actinoids (rare earth series), namely: actinium Ac89 錒|锕[a1], thorium Th90 釷|钍[tu3], protoactinium Pa91 鏷|镤[pu2], uranium U92 鈾|铀[you2], neptunium Ne93 鎿|镎[na2], plutonium Pu94 鈈|钚[bu4], americium Am95 鎇|镅[mei2], curium Cm96 鋦|锔[ju2], berkelium Bk97 錇|锫[pei2], californium Cf98 鐦|锎[kai1], einsteinium Es99 鎄|锿[ai1], fermium Fm100 鐨|镄[fei4], mendelevium Md101 鍆|钔[men2], nobelium No102 鍩|锘[nuo4], lawrencium Lr103 鐒|铹[lao2]" -锟,kūn,steel sword -锤,chuí,hammer; to hammer into shape; weight (e.g. of a steelyard or balance); to strike with a hammer -锤子,chuí zi,hammer; CL:把[ba3] -锤头鲨,chuí tóu shā,a hammerhead shark -锤骨,chuí gǔ,malleus or hammer bone of middle ear -锤骨柄,chuí gǔ bǐng,"manubrium of malleus (handle of hammer bone), connecting ossicles 聽小骨|听小骨 to tympanum 鼓膜" -锱,zī,ancient weight; one-eighth of a tael -锱铢必较,zī zhū bì jiào,to haggle over every cent (idiom) -铮,zhēng,clang of metals; small gong -铮亮,zhēng liàng,shiny; gleaming -铮铮铁汉,zhēng zhēng tiě hàn,a strong and determined man (idiom) -铮铮铁骨,zhēng zhēng tiě gǔ,see 鐵骨錚錚|铁骨铮铮[tie3gu3-zheng1zheng1] -锛,bēn,adz; adze -锬,tán,long spear -锭,dìng,"(weaving) spindle; ingot; pressed cake of medicine etc; classifier for: gold and silver ingots, ink sticks" -钱,qián,surname Qian -钱,qián,"coin; money; CL:筆|笔[bi3]; unit of weight, one tenth of a tael 兩|两[liang3]" -钱三强,qián sān qiáng,Qian Sanqiang -钱串,qián chuàn,string of cash -钱串儿,qián chuàn er,erhua variant of 錢串|钱串[qian2 chuan4] -钱串子,qián chuàn zi,string of copper coins (in ancient China); (fig.) an overly money-oriented person; (zoology) centipede -钱其琛,qián qí chēn,"Qian Qichen (1928-2017), former Chinese vice premier" -钱包,qián bāo,purse; wallet -钱可通神,qián kě tōng shén,"with money, you can do anything (idiom); money talks" -钱塘,qián táng,Qiantang River that loops around Hangzhou 杭州[Hang2 zhou1] in Zhejiang Province 浙江省[Zhe4 jiang1 Sheng3] -钱塘江,qián táng jiāng,Qiantang River that loops around Hangzhou 杭州[Hang2 zhou1] in Zhejiang Province 浙江省[Zhe4 jiang1 Sheng3] -钱塘潮,qián táng cháo,tidal bore of Qiantang river -钱多事少离家近,qián duō shì shǎo lí jiā jìn,"lots of money, less work, and close to home; ideal job" -钱夹,qián jiā,wallet; Taiwan pr. [qian2 jia2] -钱学森,qián xué sēn,"Qian Xuesen (1911-2009), Chinese scientist and aeronautical engineer" -钱币,qián bì,money -钱树,qián shù,money tree; prostitute; hen that lays golden eggs -钱永健,qián yǒng jiàn,"Roger Yonchien Tsien (1952-), US Chinese chemist and 2008 Nobel laureate" -钱物,qián wù,money and things of value -钱皮,qián pí,"Carlo Azeglio Ciampi (1920-2016), president of Italy 1999-2006" -钱粮,qián liáng,land tax; money and grain (given as tax or tribute) -钱能通神,qián néng tōng shén,money is all-powerful; money can move God -钱庄,qián zhuāng,"old-style money shop (a type of private bank that first appeared in the Ming dynasty, flourished in the Qing, and was phased out after 1949); (in recent times) informal financial company, often operating at the edges of what is legal" -钱袋,qián dài,purse; wallet -钱财,qián cái,wealth; money -钱起,qián qǐ,"Qian Qi (c. 710-780), Tang Dynasty poet" -钱钞,qián chāo,money -钱钟书,qián zhōng shū,"Qian Zhongshu (1910-1998), Chinese scholar and writer, author of the 1947 novel Fortress Beseiged 圍城|围城[Wei2cheng2]" -锦,jǐn,brocade; embroidered work; bright -锦上添花,jǐn shàng tiān huā,lit. add flowers to brocade (idiom); fig. to give sth additional splendor; to provide the crowning touch; (derog.) to benefit sb who is already well off -锦囊,jǐn náng,"silk brocade bag, used in ancient times to hold poetry manuscripts and other precious items; (fig.) tip (a piece of practical advice)" -锦囊妙计,jǐn náng miào jì,"brocade sack of miracle plans (idiom); bag of tricks; fiendishly cunning masterplan (written out by strategic genius of fiction, and given to the local commander in a brocade bag)" -锦屏,jǐn píng,"Jinping county in Qiandongnan Miao and Dong autonomous prefecture 黔東南州|黔东南州[Qian2 dong1 nan2 zhou1], Guizhou" -锦屏县,jǐn píng xiàn,"Jinping county in Qiandongnan Miao and Dong autonomous prefecture 黔東南州|黔东南州[Qian2 dong1 nan2 zhou1], Guizhou" -锦州,jǐn zhōu,Jinzhou prefecture-level city in Liaoning province 遼寧省|辽宁省[Liao2 ning2 Sheng3] in northeast China -锦州市,jǐn zhōu shì,Jinzhou prefecture-level city in Liaoning province 遼寧省|辽宁省[Liao2 ning2 Sheng3] in northeast China -锦心绣口,jǐn xīn xiù kǒu,(of writing) elegant and ornate -锦旗,jǐn qí,silk banner (as an award or gift) -锦标,jǐn biāo,prize; trophy; title -锦标赛,jǐn biāo sài,championship contest; championships -锦江,jǐn jiāng,"Jinjiang district of Chengdu city 成都市[Cheng2 du1 shi4], Sichuan" -锦江区,jǐn jiāng qū,"Jinjiang district of Chengdu city 成都市[Cheng2 du1 shi4], Sichuan" -锦缎,jǐn duàn,brocade -锦县,jǐn xiàn,Jin county in Liaoning -锦绣,jǐn xiù,beautiful -锦绣前程,jǐn xiù qián chéng,bright future; bright prospects -锦葵,jǐn kuí,"common mallow (Malva sinensis), used in TCM" -锦衣玉食,jǐn yī yù shí,"brocade garments, jade meals (idiom); a life of luxury; extravagance" -锦衣卫,jǐn yī wèi,"Brocade Uniform Guard, imperial bodyguard and secret police force of the Ming emperors" -锦西,jǐn xī,"Jinxi town, now part of Nanpiao district 南票[Nan2 piao4] of Huludao city 葫蘆島市|葫芦岛市[Hu2 lu2 dao3 shi4], Liaoning" -锦西县,jǐn xī xiàn,"former Jinxi county, now part of Nanpiao district 南票[Nan2 piao4] of Huludao city 葫蘆島市|葫芦岛市[Hu2 lu2 dao3 shi4], Liaoning" -锦鸡,jǐn jī,golden pheasant -锦鲤,jǐn lǐ,koi (Cyprinus carpio haematopterus) -锚,máo,anchor -锚链,máo liàn,anchor chain -锚链孔,máo liàn kǒng,hawsehole (small hole for anchor cable or hawser in the side of ship) -锚点,máo diǎn,anchor point -锡,xī,tin (chemistry); to bestow; to confer; to grant; Taiwan pr. [xi2] -锡伯,xī bó,Xibo ethnic group of northeast China -锡伯族,xī bó zú,Xibo ethnic group of northeast China -锡克,xī kè,Sikh -锡克教,xī kè jiào,Sikhism -锡剧,xī jù,Wuxi opera (which developed in the area around Wuxi 無錫|无锡[Wu2xi1]) -锡嘴雀,xī zuǐ què,(bird species of China) hawfinch (Coccothraustes coccothraustes) -锡婚,xī hūn,tin anniversary; aluminum anniversary (10th wedding anniversary) -锡安,xī ān,Zion -锡安山,xī ān shān,Mount Zion -锡山,xī shān,"Xishan district of Wuxi city 無錫市|无锡市[Wu2 xi1 shi4], Jiangsu" -锡山区,xī shān qū,"Xishan district of Wuxi city 無錫市|无锡市[Wu2 xi1 shi4], Jiangsu" -锡拉库萨,xī lā kù sà,"Syracuse, Sicily" -锡杖,xī zhàng,monk's staff (Buddhism) -锡林浩特,xī lín hào tè,"Xilinhot City in Xilingol League 錫林郭勒盟|锡林郭勒盟[Xi1 lin2 guo1 le4 Meng2], Inner Mongolia" -锡林浩特市,xī lín hào tè shì,"Xilinhot City in Xilingol League 錫林郭勒盟|锡林郭勒盟[Xi1 lin2 guo1 le4 Meng2], Inner Mongolia" -锡林郭勒,xī lín guō lè,"Xilingol League, a prefecture-level subdivision of Inner Mongolia" -锡林郭勒盟,xī lín guō lè méng,"Xilingol League, a prefecture-level subdivision of Inner Mongolia" -锡尔河,xī ěr hé,"Syr Darya, Central Asian river, flowing from Kyrgiz Republic through Kazakhstan to the Aral sea" -锡瓦,xī wǎ,"Siwa, Egypt" -锡当河,xī dāng hé,"Sittang River of central Myanmar (Burma), between Irrawaddy and Salween rivers" -锡石,xī shí,tin oxide SnO2; cassiterite; tinstone -锡矿,xī kuàng,tin ore -锡箔,xī bó,tinfoil -锡箔纸,xī bó zhǐ,aluminum foil; CL:張|张[zhang1] -锡纸,xī zhǐ,tinfoil -锡兰,xī lán,Ceylon (former name of Sri Lanka) -锡蜡,xī là,"pewter (alloy of tin 錫|锡, lead 鉛|铅 and other metals)" -锡金,xī jīn,"Sikkim, Indian state bordering Tibet" -锡铅,xī qiān,pewter (tin alloy) -锡锭,xī dìng,tin ingot -锡镴,xī là,"pewter (alloy of tin 錫|锡, lead 鉛|铅 and other metals)" -锡霍特,xī huò tè,Sichote-Alin mountain range in Russian far east opposite Sakhalin Island -锡霍特山脉,xī huò tè shān mài,Sichote-Alin mountain range in Russian far east opposite Sakhalin Island -锢,gù,obstinate disease; to restrain; to stop -锢囚锋,gù qiú fēng,occluded front (meteorology) -锢漏锅,gù lòu guō,tinker; artisan who fixes leaky pots -错,cuò,surname Cuo -错,cuò,mistake; wrong; bad; interlocking; complex; to grind; to polish; to alternate; to stagger; to miss; to let slip; to evade; to inlay with gold or silver -错乱,cuò luàn,in disorder; deranged (mentally) -错位,cuò wèi,to be wrongly positioned; to be dislocated; to be misplaced; (medicine) to be in malposition; (fig.) erroneous; eccentric -错别字,cuò bié zì,incorrectly written or mispronounced characters -错动,cuò dòng,to move relative to one another -错失,cuò shī,fault; mistake; to miss (a chance) -错字,cuò zì,incorrect character; typo (in Chinese text) -错层,cuò céng,split-level (home) -错峰,cuò fēng,to stagger usage to ameliorate peak load -错怪,cuò guài,to blame sb wrongly -错愕,cuò è,astonished; startled -错爱,cuò ài,misplaced kindness; humble term: I do not deserve your many kindnesses. -错时,cuò shí,"to stagger (holidays, working hours etc)" -错案,cuò àn,a misjudged legal case; a miscarriage (of justice) -错漏,cuò lòu,error and negligence -错用,cuò yòng,to misuse; to misapply -错票,cuò piào,error note (i.e. misprinted banknote) -错综,cuò zōng,intricate; complicated; tangled; involved; to synthesize -错综复杂,cuò zōng fù zá,tangled and complicated (idiom) -错义突变,cuò yì tū biàn,missense mutation -错落,cuò luò,strewn at random; disorderly; untidy; irregular; uneven -错落不齐,cuò luò bù qí,disorderly and uneven (idiom); irregular and disorderly -错落有致,cuò luò yǒu zhì,in picturesque disorder (idiom); irregular arrangement with charming effect -错处,cuò chu,fault -错视,cuò shì,optical illusion; trick of the eye; parablepsia -错觉,cuò jué,misconception; illusion; misperception -错觉结合,cuò jué jié hé,illusory conjunction -错角,cuò jiǎo,(math.) alternate angles -错解,cuò jiě,misinterpretation; mistaken explanation -错语,cuò yǔ,(TCM) paraphasia -错误,cuò wù,mistaken; false; wrong; error; mistake; CL:個|个[ge4] -错读,cuò dú,to mispronounce -错车,cuò chē,to give right of way to another vehicle; the wrong bus -错过,cuò guò,"to miss (train, opportunity etc)" -错那,cuò nà,"Cona county, Tibetan: Mtsho sna rdzong, in Lhokha prefecture 山南地區|山南地区[Shan1 nan2 di4 qu1], Tibet" -错那县,cuò nà xiàn,"Cona county, Tibetan: Mtsho sna rdzong, in Lhokha prefecture 山南地區|山南地区[Shan1 nan2 di4 qu1], Tibet" -错开,cuò kāi,to stagger (times) -错杂,cuò zá,mixed; jumbled -録,lù,Japanese variant of 錄|录[lu4] -锰,měng,manganese (chemistry) -锰矿,měng kuàng,manganese ore -锰结核,měng jié hé,manganese nodule -表,biǎo,watch (timepiece); meter; gauge -表冠,biǎo guān,watch crown; winding crown -表带,biǎo dài,watchband; watch strap -表盘,biǎo pán,variant of 表盤|表盘[biao3 pan2]; watch face -表蒙子,biǎo méng zi,watch glass; crystal -表针,biǎo zhēn,hand of a clock -铼,lái,rhenium (chemistry) -锝,dé,technetium (chemistry) -锨,xiān,shovel -锪,huō,(metalwork) to ream; to countersink; to counterbore; Taiwan pr. [huo4] -锪孔,huō kǒng,"an enlargement at the outer end of a drilled hole, either funnel-shaped (a countersink) or cylindrical (a counterbore)" -钔,mén,mendelevium (chemistry) -锴,kǎi,high quality iron -炼,liàn,"variant of 鏈|链[lian4], chain; variant of 煉|炼[lian4]" -锅,guō,"pot; pan; wok; cauldron; pot-shaped thing; CL:口[kou3],隻|只[zhi1]" -锅台,guō tái,top of a kitchen range -锅垫,guō diàn,trivet; pot-holder -锅子,guō zi,pot; pan; wok; cauldron; pot-shaped thing; hotpot -锅巴,guō bā,guoba (scorched rice at the bottom of the pan) -锅底,guō dǐ,the bottom of a pot or pan; hotpot broth -锅灶,guō zào,stove; cooking burner -锅炉,guō lú,boiler -锅盔,guō kuī,large round baked wheat pancake -锅碗瓢盆,guō wǎn piáo pén,kitchen utensils (literary) -锅盖,guō gài,saucepan lid; (satellite) dish -锅盖头,guō gài tóu,bowl cut (hairstyle) -锅贴,guō tiē,fried dumpling; potsticker -锅铲,guō chǎn,wok spatula -锅驼机,guō tuó jī,portable steam engine -镀,dù,"to plate (with gold, silver etc); (prefix) -plated" -镀上,dù shàng,"to plate (with gold, silver etc)" -镀层,dù céng,the coating of sth that has been chrome-plated or copper-plated etc -镀金,dù jīn,to gold-plate; to gild; (fig.) to make sth quite ordinary seem special -镀银,dù yín,silver-plated -镀锌,dù xīn,galvanized; zinc-coated -锷,è,blade edge; sharp -铡,zhá,lever-style guillotine; to chop using this type of guillotine -铡刀,zhá dāo,lever-style guillotine (for chopping fodder etc) -锻,duàn,to forge; to discipline; wrought -锻造,duàn zào,to forge (metal); forging -锻炼,duàn liàn,to toughen; to temper; to engage in physical exercise; to work out; (fig.) to develop one's skills; to train oneself -锻铁,duàn tiě,wrought iron -锸,chā,spade; shovel -锲,qiè,to cut; to carve; to engrave; to chisel; fig. to chisel away at -锲而不舍,qiè ér bù shě,to chip away at a task and not abandon it (idiom); to chisel away at sth; to persevere; unflagging efforts -锘,nuò,nobelium (chemistry) -鍪,móu,iron pot; metal cap -锹,qiāo,variant of 鍬|锹[qiao1] -锹,qiāo,shovel; spade -锹形虫,qiāo xíng chóng,stag beetle (generic term for the beetles in the family of lucanidae) -锾,huán,ancient unit of weight; money -鉴,jiàn,old variant of 鑒|鉴[jian4] -键,jiàn,key (on a piano or computer keyboard); button (on a mouse or other device); chemical bond; linchpin -键入,jiàn rù,to key in; to input -键帽,jiàn mào,keycap -键槽,jiàn cáo,(engineering) keyway; key slot -键盘,jiàn pán,keyboard -键盘侠,jiàn pán xiá,keyboard warrior -键盘乐器,jiàn pán yuè qì,"keyboard instrument (piano, organ etc)" -键程,jiàn chéng,key travel (of a keyboard) -键词,jiàn cí,keyword -锶,sī,strontium (chemistry) -锗,zhě,germanium (chemistry) -针,zhēn,"variant of 針|针[zhen1], needle" -钟,zhōng,surname Zhong -钟,zhōng,handleless cup; goblet; (bound form) to concentrate (one's affection etc); variant of 鐘|钟[zhong1] -钟情,zhōng qíng,"to fall in love; to love sb or sth dearly (lover, or art)" -钟爱,zhōng ài,to treasure; to be very fond of -钟楚红,zhōng chǔ hóng,"Cherie Chung (1960-), Hong Kong actress" -钟祥,zhōng xiáng,"Zhongxiang, county-level city in Jingmen 荊門|荆门[Jing1 men2], Hubei" -钟祥市,zhōng xiáng shì,"Zhongxiang, county-level city in Jingmen 荊門|荆门[Jing1 men2], Hubei" -钟祥县,zhōng xiáng xiàn,Zhongxiang county in Hubei -钟繇,zhōng yáo,"Zhong Yao (151-230), minister of Cao Wei 曹魏[Cao2 Wei4] and noted calligrapher, said to have developed the regular script 楷書|楷书[kai3 shu1]" -钟万学,zhōng wàn xué,"Basuki Tjahaja Purnama (1966-), Indonesian politician, governor of Jakarta (2014-)" -钟灵毓秀,zhōng líng yù xiù,(of a place) endowed with a natural beauty that nurtures people of talent (idiom) -钟馗,zhōng kuí,"Zhong Kui (mythological figure, supposed to drive away evil spirits); (fig.) a person with the courage to fight against evil" -镁,měi,magnesium (chemistry) -镁棒,měi bàng,ferrocerium rod; fire steel -镁砂,měi shā,magnesium oxide (refractory material) -镁砖,měi zhuān,magnesium brick (refractory material) -镁粉,měi fěn,"magnesium powder (used in pyrotechnics etc); (sports) gym chalk (magnesium carbonate), used as a drying agent on the hands of gymnasts, weight lifters etc" -镁盐,měi yán,magnesium salt -锿,āi,einsteinium (chemistry) -镅,méi,americium (chemistry) -镑,bàng,pound (sterling) (loanword) -镰,lián,variant of 鐮|镰[lian2] -鎏,liú,variant of 鎦|镏[liu2] -鎏金,liú jīn,variant of 鎦金|镏金[liu2 jin1] -镕,róng,to smelt; to fuse; variant of 熔[rong2] -镕炉,róng lú,"variant of 熔爐|熔炉, smelting furnace; forge" -锁,suǒ,to lock; to lock up; a lock (CL:把[ba3]) -锁上,suǒ shàng,to lock; to lock up -锁匙,suǒ chí,(dialect) key; Taiwan pr. [suo3 shi5] -锁匠,suǒ jiang,locksmith -锁区,suǒ qū,region lock (gaming etc) -锁呐,suǒ nà,"suona, Chinese shawm; see 嗩吶|唢呐" -锁喉,suǒ hóu,to apply a chokehold -锁国,suǒ guó,"to close a country; to exclude foreign contact; closed country (Qing China, North Korea etc)" -锁孔,suǒ kǒng,keyhole -锁存器,suǒ cún qì,latch (electronic) -锁定,suǒ dìng,"to lock (a door); to close with a latch; to lock into place; a lock; a latch; to lock a computer file (to prevent it being overwritten); to lock (denying access to a computer system or device or files, e.g. by password-protection); to focus attention on; to target" -锁屏,suǒ píng,lock screen -锁掉,suǒ diào,lock up; lock out; to lock -锁掣,suǒ chè,catch (of a lock) -锁眼,suǒ yǎn,keyhole -锁管,suǒ guǎn,general term for squids (Tw) -锁链,suǒ liàn,chains; shackles -锁钥,suǒ yuè,key and lock; (fig.) strategic place -锁门,suǒ mén,to lock the door -锁闩,suǒ shuān,latch; bolt (to lock a door or window) -锁骨,suǒ gǔ,collarbone; clavicle -枪,qiāng,variant of 槍|枪[qiang1]; rifle; spear -镉,gé,cadmium (chemistry) -锤,chuí,variant of 錘|锤[chui2] -镈,bó,ancient musical intrument shaped as a bell; hoe; spade -钨,wū,tungsten (chemistry) -蓥,yíng,polish -镏,liú,lutetium (chemistry) (Tw) -镏子,liù zi,a (finger) ring -镏金,liú jīn,gold-plating; gilded; gold-plated -镏银器,liú yín qì,gilded silverware; CL:件[jian4] -铠,kǎi,armor -铠甲,kǎi jiǎ,armor -铩,shā,spear; to cripple (literary) -铩羽而归,shā yǔ ér guī,to return in low spirits following a defeat or failure to achieve one's ambitions (idiom) -锼,sōu,to engrave (metal of wood) -镐,gǎo,a pick -镐,hào,bright; place name; stove -镐京,hào jīng,"Haojing (in modern Shaanxi, northwest of Chang'an county), capital of Western Zhou from c. 1050 BC" -镐把,gǎo bǎ,pickaxe handle -镐头,gǎo tou,pickaxe -镇,zhèn,to press down; to calm; to subdue; to suppress; to guard; garrison; small town; to cool or chill (food or drinks) -镇住,zhèn zhù,to dominate; to control; to subdue; to crush -镇区,zhèn qū,township -镇原,zhèn yuán,"Zhenyuan county in Qingyang 慶陽|庆阳[Qing4 yang2], Gansu" -镇原县,zhèn yuán xiàn,"Zhenyuan county in Qingyang 慶陽|庆阳[Qing4 yang2], Gansu" -镇反运动,zhèn fǎn yùn dòng,"Campaign to Suppress Counterrevolutionaries (PRC political campaign from 1950-1952), abbr. for 鎮壓反革命運動|镇压反革命运动[Zhen4 ya1 Fan3 ge2 ming4 Yun4 dong4]" -镇台,zhèn tái,garrison commander (old) -镇咳,zhèn ké,cough suppressant -镇坪,zhèn píng,"Zhenping County in Ankang 安康[An1 kang1], Shaanxi" -镇坪县,zhèn píng xiàn,"Zhenping County in Ankang 安康[An1 kang1], Shaanxi" -镇压,zhèn yā,suppression; repression; to suppress; to put down; to quell -镇压反革命运动,zhèn yā fǎn gé mìng yùn dòng,"Campaign to Suppress Counterrevolutionaries (PRC political campaign from 1950-1952), abbr. to 鎮反運動|镇反运动[Zhen4 fan3 Yun4 dong4]" -镇妖,zhèn yāo,to drive away evil spirits -镇子,zhèn zi,town; village -镇守,zhèn shǒu,(of troops stationed in a strategic area) to defend; (fig.) to stand guard; to protect -镇安,zhèn ān,"Zhen'an County in Shangluo 商洛[Shang1 luo4], Shaanxi" -镇安县,zhèn ān xiàn,"Zhen'an County in Shangluo 商洛[Shang1 luo4], Shaanxi" -镇定,zhèn dìng,calm; unperturbed; cool -镇定剂,zhèn dìng jì,tranquilizer; depressant; sedative -镇定药,zhèn dìng yào,sedative drug -镇宁布依族苗族自治县,zhèn níng bù yī zú miáo zú zì zhì xiàn,"Zhenning Buyei and Hmong autonomous county in Anshun 安順|安顺[An1 shun4], Guizhou" -镇宁县,zhèn níng xiàn,"Zhenning Buyei and Hmong autonomous county in Anshun 安順|安顺[An1 shun4], Guizhou" -镇山,zhèn shān,main mountain of a region -镇巴,zhèn bā,"Zhenba County in Hanzhong 漢中|汉中[Han4 zhong1], Shaanxi" -镇巴县,zhèn bā xiàn,"Zhenba County in Hanzhong 漢中|汉中[Han4 zhong1], Shaanxi" -镇平,zhèn píng,"Zhenping county in Nanyang 南陽|南阳[Nan2 yang2], Henan" -镇平县,zhèn píng xiàn,"Zhenping county in Nanyang 南陽|南阳[Nan2 yang2], Henan" -镇康,zhèn kāng,"Zhenkang county in Lincang 臨滄|临沧[Lin2 cang1], Yunnan" -镇康县,zhèn kāng xiàn,"Zhenkang county in Lincang 臨滄|临沧[Lin2 cang1], Yunnan" -镇得住,zhèn de zhù,to manage to suppress; to keep under control -镇日,zhèn rì,all day -镇暴,zhèn bào,to suppress a riot; riot control -镇江,zhèn jiāng,"Zhenjiang, prefecture-level city in Jiangsu" -镇江市,zhèn jiāng shì,"Zhenjiang, prefecture-level city in Jiangsu" -镇沅彝族哈尼族拉祜族自治县,zhèn yuán yí zú hā ní zú lā hù zú zì zhì xiàn,"Zhenyuan Yi, Hani and Lahu autonomous county in Pu'er 普洱[Pu3 er3], Yunnan" -镇沅县,zhèn yuán xiàn,"Zhenyuan Yi, Hani and Lahu autonomous county in Pu'er 普洱[Pu3 er3], Yunnan" -镇流器,zhèn liú qì,electrical ballast -镇海,zhèn hǎi,"Zhenhai district of Ningbo city 寧波市|宁波市[Ning2 bo1 shi4], Zhejiang" -镇海区,zhèn hǎi qū,"Zhenhai district of Ningbo city 寧波市|宁波市[Ning2 bo1 shi4], Zhejiang" -镇源县,zhèn yuán xiàn,Zhenyuan county in Yunnan -镇痉剂,zhèn jìng jì,antispasmodic (pharmacology) -镇痛,zhèn tòng,to suppress pain -镇痛剂,zhèn tòng jì,painkiller; analgesic; anodyne -镇痛药,zhèn tòng yào,analgesic -镇纸,zhèn zhǐ,paperweight -镇赉,zhèn lài,"Zhenlai county in Baicheng 白城, Jilin" -镇赉县,zhèn lài xiàn,"Zhenlai county in Baicheng 白城, Jilin" -镇远,zhèn yuǎn,"Zhenyuan county in Qiandongnan Miao and Dong autonomous prefecture 黔東南州|黔东南州[Qian2 dong1 nan2 zhou1], Guizhou" -镇远县,zhèn yuǎn xiàn,"Zhenyuan county in Qiandongnan Miao and Dong autonomous prefecture 黔東南州|黔东南州[Qian2 dong1 nan2 zhou1], Guizhou" -镇长,zhèn zhǎng,town headman; mayor (of small town or village); bailiff -镇雄,zhèn xióng,"Zhenxiong county in Zhaotong 昭通[Zhao1 tong1], Yunnan" -镇雄县,zhèn xióng xiàn,"Zhenxiong county in Zhaotong 昭通[Zhao1 tong1], Yunnan" -镇静,zhèn jìng,calm; cool -镇静剂,zhèn jìng jì,tranquilizer -镇静药,zhèn jìng yào,sedative -镒,yì,ancient unit of weight equal to 20 or 24 liang 兩|两[liang3] -镍,niè,nickel (chemistry) -镍箔,niè bó,nickel sheet; CL:張|张[zhang1] -镓,jiā,gallium (chemistry) -锁,suǒ,old variant of 鎖|锁[suo3] -镎,ná,neptunium (chemistry) -镞,zú,arrowhead; sharp -镟,xuàn,to shape on a lathe; to peel with a knife; to turn in (a screw) -旋子,xuàn zi,large metal plate for making bean curd; metal pot for warming wine -旋工,xuàn gōng,lathe operator; spinning wheel worker -旋床,xuàn chuáng,lathe -旋木,xuàn mù,wood turning; woodwork lathe -链,liàn,"chain; cable (unit of length: 100 fathoms, about 185 m); chain (unit of length: 66 feet, about 20 m); to chain; to enchain" -链子,liàn zi,chain -链式反应,liàn shì fǎn yìng,chain reaction -链式裂变反应,liàn shì liè biàn fǎn yìng,chain reaction of nuclear fission -链接,liàn jiē,link (on a web page) -链条,liàn tiáo,"chain; CL:根[gen1],條|条[tiao2]" -链烃,liàn tīng,chain hydrocarbon -链球,liàn qiú,(athletics) hammer; hammer throw -链球菌,liàn qiú jūn,streptococcus (genus of bacteria) -链环,liàn huán,chain link -链结,liàn jié,link -链表,liàn biǎo,linked list -链路,liàn lù,link -链路层,liàn lù céng,link layer -链轨,liàn guǐ,caterpillar track (propulsion system used on bulldozers etc) -链轮,liàn lún,sprocket -链锯,liàn jù,chain saw -鏊,ào,griddle; tava -鏊子,ào zi,griddle -镆,mò,used in 鏌鋣|镆铘[Mo4 ye2]; (chemistry) moscovium -镆铘,mò yé,"Moye, the name of a legendary double-edged sword" -镝,dī,dysprosium (chemistry) -镝,dí,arrow or arrowhead (old) -鏖,áo,violent fighting -鏖战,áo zhàn,bitter fighting; a violent battle -铿,kēng,(onom.) clang; jingling of metals; to strike -铿然,kēng rán,(literary) resonant -铿锵,kēng qiāng,sonorous; resounding; fig. resounding words -锵,qiāng,tinkling of small bells -镗,tāng,noise of drums -镘,màn,side of coin without words; trowel -镛,yōng,large bell -铲,chǎn,to shovel; to remove; spade; shovel -铲土机,chǎn tǔ jī,earth-moving machine; mechanical digger -铲子,chǎn zi,shovel; spade; trowel; spatula (kitchen utensil); CL:把[ba3] -铲屎官,chǎn shǐ guān,"(neologism) (coll.) pet owner (lit. ""official in charge of cleaning up poop"")" -铲平,chǎn píng,to flatten; to level; to raze to the ground -铲球,chǎn qiú,sliding tackle (soccer) -铲蹚,chǎn tāng,to hoe; to weed; to scarify -铲车,chǎn chē,front loader (vehicle); CL:臺|台[tai2] -铲运机,chǎn yùn jī,earth-moving machine; mechanical digger -铲运车,chǎn yùn chē,front loader (vehicle) -铲雪车,chǎn xuě chē,snowplow -镜,jìng,mirror; lens -镜像,jìng xiàng,mirror image -镜像站点,jìng xiàng zhàn diǎn,mirror (computing) -镜子,jìng zi,"mirror; CL:面[mian4],個|个[ge4]" -镜架,jìng jià,eyeglasses frame; CL:副[fu4]; mirror support -镜框,jìng kuàng,picture frame; spectacle frame -镜框舞台,jìng kuàng wǔ tái,theatrical set -镜湖,jìng hú,"Jinghu, a district of Wuhu City 蕪湖市|芜湖市[Wu2hu2 Shi4], Anhui" -镜湖区,jìng hú qū,"Jinghu, a district of Wuhu City 蕪湖市|芜湖市[Wu2hu2 Shi4], Anhui" -镜片,jìng piàn,lens -镜花,jìng huā,decorative mirror -镜花水月,jìng huā shuǐ yuè,lit. flowers in a mirror and the moon reflected in the lake (idiom); fig. an unrealistic rosy view; viewing things through rose-tinted spectacles; also written 水月鏡花|水月镜花 -镜花缘,jìng huā yuán,"Jinghua Yuan or Flowers in the Mirror, Qing novel of fantasy and erudition (early 19th century) by Li Ruzhen 李汝珍[Li3 Ru3 zhen1]" -镜头,jìng tóu,camera lens; camera shot (in a movie etc); scene -镜鸾,jìng luán,to lose one's spouse -镖,biāo,dart-like throwing weapon; goods sent under the protection of an armed escort -镖客,biāo kè,armed escort (of travelers or merchants' caravans) -镖局,biāo jú,(old) escort agency that provides protection of goods and valuables during transport -镖枪,biāo qiāng,variant of 標槍|标枪[biao1 qiang1] -镂,lòu,to engrave; to carve; hard steel -镂刻,lòu kè,to carve; to engrave -镂空,lòu kōng,openwork; fretwork -錾,zàn,to engrave -錾子,zàn zi,chisel -镚,bèng,small coin; dime -铧,huá,plowshare; spade -镤,pú,protactinium (chemistry) -镪,qiāng,sulfuric acid -镪,qiǎng,money; string of coins -镪水,qiāng shuǐ,(coll.) strong acid -锈,xiù,to rust -锈斑,xiù bān,rust spot; blemish (on plants) -锈红腹旋木雀,xiù hóng fù xuán mù què,(bird species of China) rusty-flanked treecreeper (Certhia nipalensis) -锈腹短翅鸫,xiù fù duǎn chì dōng,(bird species of China) rusty-bellied shortwing (Brachypteryx hyperythra) -锈脸钩嘴鹛,xiù liǎn gōu zuǐ méi,(bird species of China) rusty-cheeked scimitar babbler (Pomatorhinus erythrogenys) -锈迹,xiù jì,rust stain -锈铁,xiù tiě,rusty iron -锈额斑翅鹛,xiù é bān chì méi,(bird species of China) rusty-fronted barwing (Actinodura egertoni) -铙,náo,big cymbals -镣,liào,fetters; leg-irons; shackles -镣铐,liào kào,manacles and leg-irons; fetters and handcuffs -镣锁,liào suǒ,fetter lock (to restrain horse); handcuff lock -铹,láo,lawrencium (chemistry) -镦,dūn,upsetting (forged pieces) -镡,tán,surname Tan -镡,xín,guard (on a sword handle); pommel (on a sword handle); dagger; Taiwan pr. [tan2] -钟,zhōng,"a (large) bell (CL:架[jia4]); clock (CL:座[zuo4]); amount of time; o'clock (CL:點|点[dian3],分[fen1],秒[miao3]) (as in 三點鐘|三点钟[san1dian3zhong1] ""three o'clock"" or ""three hours"" or 五分鐘|五分钟[wu3fen1zhong1] ""five minutes"" etc)" -钟乳,zhōng rǔ,stalactite -钟乳石,zhōng rǔ shí,stalactite -钟室,zhōng shì,bell chamber (at the top of a bell tower) -钟山,zhōng shān,"Zhongshan district of Liupanshui city 六盤水市|六盘水市[Liu4 pan2 shui3 shi4], Guizhou; Zhongshan county in Hezhou 賀州|贺州[He4 zhou1], Guangxi" -钟山区,zhōng shān qū,"Zhongshan district of Liupanshui city 六盤水市|六盘水市[Liu4 pan2 shui3 shi4], Guizhou" -钟山县,zhōng shān xiàn,"Zhongshan county in Hezhou 賀州|贺州[He4 zhou1], Guangxi" -钟摆,zhōng bǎi,pendulum -钟乐,zhōng yuè,bells -钟楼,zhōng lóu,"Zhonglou district of Changzhou city 常州市[Chang2 zhou1 shi4], Jiangsu" -钟楼,zhōng lóu,"bell tower; campanile; clock tower; Bell Tower, historic attraction in Xian, Beijing etc" -钟楼区,zhōng lóu qū,"Zhonglou district of Changzhou city 常州市[Chang2 zhou1 shi4], Jiangsu" -钟楼怪人,zhōng lóu guài rén,The Hunchback of Notre-Dame by Victor Hugo 維克多·雨果|维克多·雨果[Wei2 ke4 duo1 · Yu3 guo3] -钟罩,zhōng zhào,bell jar; dome (used to enclose or protect sth) -钟表盘,zhōng biǎo pán,clockface -钟表,zhōng biǎo,clock -钟面,zhōng miàn,clock face -钟头,zhōng tóu,hour; CL:個|个[ge4] -钟鸣漏尽,zhōng míng lòu jìn,past one's prime; in one's declining years -钟鸣鼎食,zhōng míng dǐng shí,extravagant lifestyle -钟点,zhōng diǎn,hour; specified time -钟点工,zhōng diǎn gōng,hourly worker; hourly job -钟点房,zhōng diǎn fáng,hotel room rented at an hourly rate -钟鼎文,zhōng dǐng wén,bell-cauldron script; the 籀文 form of Chinese character used in metal inscriptions -镫,dèng,stirrup -镫骨,dèng gǔ,"stapes or stirrup bone of middle ear, passing sound vibration to the inner ear" -镢,jué,variant of 钁|䦆[jue2] -镨,pǔ,praseodymium (chemistry) -锎,kāi,californium (chemistry) -锏,jiǎn,ancient weapon like a long solid metal truncheon -镄,fèi,fermium (chemistry) -镌,juān,to engrave (on wood or stone); to inscribe -镌刻,juān kè,to engrave -镌心铭骨,juān xīn míng gǔ,etched in one's bones and heart (idiom); ever-present memory (esp. resentment) -镌镂,juān lòu,to engrave -镌骨铭心,juān gǔ míng xīn,etched in one's bones and heart (idiom); ever-present memory (esp. resentment) -镌黜,juān chù,to dismiss an official -镰,lián,(bound form) sickle -镰仓,lián cāng,"Kamakura city in Kanagawa prefecture 神奈川縣|神奈川县[Shen2 nai4 chuan1 xian4], Japan" -镰仓幕府,lián cāng mù fǔ,Kamakura shogunate 1192-1333 -镰刀,lián dāo,sickle -镰刀斧头,lián dāo fǔ tóu,"the hammer and sickle (flag of USSR, symbolizing rural and proletarian labor)" -镰刀细胞贫血,lián dāo xì bāo pín xuè,sickle cell anemia -镰状红血球贫血症,lián zhuàng hóng xuè qiú pín xuè zhèng,sickle-cell anemia -镰状细胞血症,lián zhuàng xì bāo xuè zhèng,sickle cell anemia -镰翅鸡,lián chì jī,(bird species of China) Siberian grouse (Falcipennis falcipennis) -镯,zhuó,bracelet -镯子,zhuó zi,bracelet; CL:隻|只[zhi1] -镭,léi,radium (chemistry) -镭射,léi shè,laser (loanword); Taiwanese term for 激光[ji1 guang1] -镭射印表机,léi shè yìn biǎo jī,laser printer -铁,tiě,surname Tie -铁,tiě,iron (metal); arms; weapons; hard; strong; violent; unshakeable; determined; close; tight (slang) -铁三,tiě sān,triathlon -铁了心,tiě le xīn,determined; unshakable -铁人,tiě rén,Ironman -铁人三项,tiě rén sān xiàng,triathlon -铁公鸡,tiě gōng jī,cheapskate; stingy person -铁力,tiě lì,"Tieli city in Yichun 伊春市[Yi1 chun1 shi4], Heilongjiang" -铁力市,tiě lì shì,"Tieli city in Yichun 伊春市[Yi1 chun1 shi4], Heilongjiang" -铁力木,tiě lì mù,ironwood (Mesua ferrea) -铁匠,tiě jiang,blacksmith; ironworker -铁哥们,tiě gē men,(coll.) very close male friends -铁哥们儿,tiě gē men er,erhua variant of 鐵哥們|铁哥们[tie3 ge1 men5] -铁嘴沙鸻,tiě zuǐ shā héng,(bird species of China) greater sand plover (Charadrius leschenaultii) -铁器,tiě qì,hardware; ironware -铁塔,tiě tǎ,iron tower -铁子,tiě zi,(slang) very close friend; bro -铁定,tiě dìng,unalterable; certainly; definitely -铁将军把门,tiě jiāng jūn bǎ mén,lit. General Iron is guarding the door (idiom); fig. the door is padlocked — nobody inside -铁山,tiě shān,"Tieshan district of Huangshi city 黃石市|黄石市[Huang2 shi2 shi4], Hubei" -铁山区,tiě shān qū,"Tieshan district of Huangshi city 黃石市|黄石市[Huang2 shi2 shi4], Hubei" -铁山港区,tiě shān gǎng qū,"Tieshangang district of Beihai city 北海市[Bei3 hai3 shi4], Guangxi" -铁峰,tiě fēng,"Tiefeng district of Qiqihar city 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -铁峰区,tiě fēng qū,"Tiefeng district of Qiqihar city 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -铁岭,tiě lǐng,"Tieling, prefecture-level city in Liaoning province 遼寧省|辽宁省[Liao2 ning2 Sheng3] in northeast China; also Tieling county" -铁岭市,tiě lǐng shì,"Tieling, prefecture-level city in Liaoning province 遼寧省|辽宁省[Liao2 ning2 Sheng3] in northeast China" -铁岭县,tiě lǐng xiàn,"Tieling county in Tieling 鐵嶺|铁岭[Tie3 ling3], Liaoning" -铁幕,tiě mù,"Iron Curtain (1945-1991) (In Taiwan, the word was used to refer to both the Iron Curtain and the Bamboo Curtain.)" -铁律,tiě lǜ,an iron law; a cast-iron rule -铁打,tiě dǎ,made of iron; strong as iron -铁托,tiě tuō,"Marshal Josip Broz Tito (1892-1980), Yugoslav military and communist political leader, president of Yugoslavia 1945-1980" -铁拐李,tiě guǎi lǐ,see 李鐵拐|李铁拐[Li3 Tie3 guai3] -铁拳,tiě quán,Tekken (video game) -铁拳,tiě quán,iron fist -铁木真,tiě mù zhēn,"Temujin, birth name of Genghis Khan 成吉思汗[Cheng2 ji2 si1 han2]" -铁杉,tiě shān,Tsuga chinensis -铁杖,tiě zhàng,steel staff; steel stick -铁东,tiě dōng,"Tiedong district of Siping city 四平市, Jilin" -铁东区,tiě dōng qū,"Tiedong district of Siping city 四平市, Jilin; Tiedong district of Anshan city 鞍山市[An1 shan1 shi4], Liaoning" -铁杵成针,tiě chǔ chéng zhēn,see 磨杵成針|磨杵成针[mo2 chu3 cheng2 zhen1] -铁板,tiě bǎn,iron panel; hot iron plate for fast grilling (Japanese: teppan) -铁板烧,tiě bǎn shāo,teppanyaki -铁板牛柳,tiě bǎn niú liǔ,fillet beef served sizzling on a hot iron plate -铁板牛肉,tiě bǎn niú ròu,beef grilled on a hot iron plate -铁板茄子,tiě bǎn qié zi,eggplant served sizzling on a hot iron plate -铁格子,tiě gé zi,iron lattice; metal grid -铁杆,tiě gān,iron (golf club) -铁杆,tiě gǎn,iron rod; zealous; die-hard -铁杆粉丝,tiě gǎn fěn sī,die-hard fan -铁棒,tiě bàng,iron club; steel rod -铁树,tiě shù,sago palm (Cycas revoluta) -铁树开花,tiě shù kāi huā,lit. the iron tree blooms (idiom); a highly improbable or extremely rare occurrence -铁栏,tiě lán,metal grille; railing; bars -铁氟龙,tiě fú lóng,Teflon (Tw) -铁水,tiě shuǐ,molten iron -铁法,tiě fǎ,"Tiefa city and former county, now Tieling, county-level city 鐵嶺市|铁岭市[Tie3 ling3 shi4], Liaoning" -铁法市,tiě fǎ shì,"Tiefa city, now Tieling, county-level city 鐵嶺市|铁岭市[Tie3 ling3 shi4], Liaoning" -铁尔梅兹,tiě ěr méi zī,Termez city in southeast Uzbekistan -铁球,tiě qiú,kung fu balls -铁琴,tiě qín,metallophone -铁环,tiě huán,an iron ring -铁甲,tiě jiǎ,mail plating; armor; armor plating -铁甲船,tiě jiǎ chuán,armored ship -铁甲舰,tiě jiǎ jiàn,ironclad; an armor-plated battleship -铁甲车,tiě jiǎ chē,armored car -铁皮,tiě pí,galvanized iron sheet (for building construction) -铁石,tiě shí,iron and stone -铁石心肠,tiě shí xīn cháng,to have a heart of stone; hard-hearted; unfeeling -铁砂,tiě shā,shot (in shotgun); pellets -铁砧,tiě zhēn,anvil -铁矿,tiě kuàng,iron ore; iron ore mine -铁矿石,tiě kuàng shí,iron ore -铁票,tiě piào,(Tw) a guaranteed vote; a vote from sb who consistently votes for a particular party or candidate in elections -铁票仓,tiě piào cāng,see 鐵票區|铁票区[tie3piao4qu1] -铁票区,tiě piào qū,(Tw) safe seat (in an election); stronghold (for a political party or candidate); a district in which a majority of voters consistently votes for a particular party or candidate -铁窗,tiě chuāng,window with an iron grating (apartment etc); barred window of a prison cell -铁窗生活,tiě chuāng shēng huó,time served in prison; prison life -铁箍,tiě gū,iron hoop -铁箱,tiě xiāng,metal trunk; metal box; a safe -铁粉,tiě fěn,(slang) hardcore fan (abbr. for 鐵桿粉絲|铁杆粉丝[tie3 gan3 fen3 si1]) -铁丝,tiě sī,iron wire; CL:根[gen1]; subway enthusiast (abbr. for 地鐵粉絲|地铁粉丝[di4 tie3 fen3 si1]); railway enthusiast (abbr. for 鐵路粉絲|铁路粉丝[tie3 lu4 fen3 si1]) -铁丝网,tiě sī wǎng,wire netting; CL:道[dao4] -铁罐,tiě guàn,metal pot -铁腕,tiě wàn,iron fist (of the state) -铁菱,tiě líng,(military) caltrop (spiky metal device laid on the ground to create a hazard for enemy horses or troops in ancient times) -铁菱角,tiě líng jiǎo,see 鐵菱|铁菱[tie3 ling2] -铁蒺藜,tiě jí li,(military) caltrop -铁蛋,tiě dàn,"iron egg, a Taiwanese snack made by stewing eggs in soy sauce and air-drying them each day for a week" -铁蛋子,tiě dàn zi,see 鐵球|铁球[tie3 qiu2] -铁血,tiě xuè,iron and blood; (fig.) weapons and war; bloody conflict; (of a person) iron-willed and ready to die -铁血宰相,tiě xuè zǎi xiàng,"Iron Chancellor, refers to Otto von Bismarck (1815-1898), Prussian politician, minister-president of Prussia 1862-1873, Chancellor of Germany 1871-1890" -铁西,tiě xī,"Tiexi district of Siping city 四平市, Jilin; Tiexi district of Shenyang city 瀋陽市|沈阳市, Liaoning" -铁西区,tiě xī qū,"Tiexi district of Siping city 四平市, Jilin; Tiexi district of Shenyang city 瀋陽市|沈阳市, Liaoning" -铁观音,tiě guān yīn,Tieguanyin tea (a variety of oolong tea) -铁证,tiě zhèng,ironclad evidence; conclusive proof -铁证如山,tiě zhèng rú shān,irrefutable evidence -铁路,tiě lù,railroad; railway; CL:條|条[tiao2] -铁路线,tiě lù xiàn,railway line -铁蹄,tiě tí,iron hoof (of the oppressor) -铁轨,tiě guǐ,rail; railroad track; CL:根[gen1] -铁军,tiě jūn,invincible army -铁通,tiě tōng,"China Mobile Tietong, state-owned telecommunications operator (abbr. for 中移鐵通|中移铁通[Zhong1 yi2 Tie3 tong1])" -铁通,tiě tōng,(Cantonese) iron pipe (weapon) -铁道,tiě dào,railway line; rail track -铁道部,tiě dào bù,"Ministry of Railways (MOR), disbanded in 2013 with its regulatory functions taken over by the Ministry of Transport 交通運輸部|交通运输部[Jiao1 tong1 Yun4 shu1 bu4]" -铁达尼号,tiě dá ní hào,"RMS Titanic, British passenger liner that sank in 1912 (Tw); PRC equivalent: 泰坦尼克號|泰坦尼克号[Tai4 tan3 ni2 ke4 Hao4]" -铁钩,tiě gōu,iron hook -铁钩儿,tiě gōu er,erhua variant of 鐵鈎|铁钩[tie3 gou1] -铁铝土,tiě lǚ tǔ,ferralsol (soil taxonomy) -铁锨,tiě xiān,iron shovel; spade; CL:把[ba3] -铁锅,tiě guō,iron cooking pot -铁锹,tiě qiāo,spade; shovel -铁镁质,tiě měi zhì,"mafic rock (containing magnesium and iron, so comparatively heavy, making oceanic plates)" -铁链,tiě liàn,iron chain -铁锈,tiě xiù,rust -铁青,tiě qīng,ashen -铁面,tiě miàn,iron mask (as defensive armor); fig. upright and selfless person -铁面无私,tiě miàn wú sī,strictly impartial and incorruptible (idiom) -铁饭碗,tiě fàn wǎn,secure employment (lit. iron rice bowl) -铁饼,tiě bǐng,(athletics) discus; discus throw -铁马,tiě mǎ,armored horse; cavalry; metal chimes hanging from eaves; steel barricade; (Tw) bike -铁骑,tiě qí,armored horses; crack horsemen -铁骨铮铮,tiě gǔ zhēng zhēng,(idiom) (of character) staunch; unyielding -铁齿,tiě chǐ,"(Tw) obstinate; argumentative; opinionated; skeptical of superstitions (from Taiwanese, Tai-lo pr. [thih-khí])" -铁齿铜牙,tiě chǐ tóng yá,clever and eloquent speaker (idiom) -铎,duó,surname Duo -铎,duó,large ancient bell -铛,chēng,frying pan; griddle -铛,dāng,clank; clang; sound of metal -铛铛,dāng dāng,(onom.) clang; clank of metal; sound of striking a gong -铛铛车,dāng dāng chē,"(coll.) tram, especially Beijing trams during period of operation 1924-1956; also written 噹噹車|当当车[dang1 dang1 che1]" -鐾,bèi,to sharpen (a knife) on a stone or a strop -镱,yì,ytterbium (chemistry) -铸,zhù,to cast or found metals -铸件,zhù jiàn,a casting (i.e. sth cast in a mold) -铸就,zhù jiù,to cast; to forge; to form; to create -铸工,zhù gōng,foundry work; foundry worker -铸工车间,zhù gōng chē jiān,foundry (workshop or factory) -铸币,zhù bì,coin; to mint (coins) -铸成,zhù chéng,to cast in metal; (fig.) to forge; to fashion -铸成大错,zhù chéng dà cuò,to make a serious mistake (idiom) -铸造,zhù zào,to cast (pour metal into a mold) -铸铜,zhù tóng,bronze casting -铸铁,zhù tiě,pig iron; foundry iron -镬,huò,wok (dialect); cauldron (old) -镔,bīn,fine steel -鉴,jiàn,bronze mirror (used in ancient times); to reflect; to mirror; sth that serves as a warning or a lesson; to examine; to scrutinize -鉴价,jiàn jià,to appraise; appraisal; valuation -鉴别,jiàn bié,to differentiate; to distinguish -鉴定,jiàn dìng,to appraise; to identify; to evaluate -鉴证,jiàn zhèng,appraisal; verification; authentication; forensic investigation -鉴识,jiàn shí,to identify; to detect -鉴赏,jiàn shǎng,to appreciate (as a connoisseur) -鉴黄,jiàn huáng,to inspect videos and other media for pornographic content -鉴黄师,jiàn huáng shī,content moderator specializing in pornographic material (both online and offline) -鉴,jiàn,variant of 鑑|鉴[jian4] -鉴定委员会,jiàn dìng wěi yuán huì,evaluation committee; review board -鉴往知来,jiàn wǎng zhī lái,"to observe the past to foresee the future (idiom, taken loosely from Book of Songs); studying ancient wisdom gives insight into what is to come" -鉴戒,jiàn jiè,lesson from events of the past; warning -鉴于,jiàn yú,in view of; seeing that; considering; whereas -鉴此,jiàn cǐ,in light of this -鉴真,jiàn zhēn,"Jianzhen or Ganjin (688-763), Tang dynastic Buddhist monk, who crossed to Japan after several unsuccessful attempts, influential in Japanese Buddhism" -鉴真和尚,jiàn zhēn hé shang,"Jianzhen or Ganjin (688-763), Tang Buddhist monk, who crossed to Japan after several unsuccessful attempts, influential in Japanese Buddhism" -鉴赏家,jiàn shǎng jiā,connoisseur; appreciative person; fan -镲,chǎ,small cymbals -钻,zuàn,variant of 鑽|钻[zuan4] -矿,kuàng,variant of 礦|矿[kuang4] -镴,là,solder; tin -镴箔,là bó,thin foil to make paper money for the dead -铄,shuò,bright; to melt; to fuse -鑢,lǜ,surname Lü -鑢,lǜ,polishing tool -镳,biāo,bit (of a bridle); variant of 鏢|镖[biao1] -刨,bào,variant of 刨[bao4] -镥,lǔ,lutetium (chemistry) -炉,lú,variant of 爐|炉[lu2] -鑫,xīn,"(used in names of people and shops, symbolizing prosperity)" -镧,lán,lanthanum (chemistry) -镧系元素,lán xì yuán sù,"lanthanoid (rare earth series), namely: lanthanum La57 鑭|镧[lan2], cerium Ce58 鈰|铈[shi4], praseodymium Pr59 鐠|镨[pu3], neodymium Nd60 釹|钕[nu:3], promethium Pm61 鉕|钷[po3], samarium Sm62 釤|钐[shan1], europium Eu63 銪|铕[you3], gadolinium Gd64 釓|钆[ga2], terbium Tb65 鋱|铽[te4], dysprosium Dy66 鏑|镝[di1], holmium Ho67 鈥|钬[huo3], erbium Er68 鉺|铒[er3], thulium Tm69 銩|铥[diu1], ytterbium Yb70 鐿|镱[yi4], lutetium Lu71 鑥|镥[lu3]" -钥,yuè,key; also pr. [yao4] -钥匙,yào shi,key; CL:把[ba3] -钥匙卡,yào shi kǎ,keycard -钥匙洞孔,yào shi dòng kǒng,keyhole -钥匙链,yào shi liàn,keychain -镶,xiāng,to inlay; to embed; ridge; border -镶嵌,xiāng qiàn,to inlay; to embed; to set (e.g. a jewel in a ring); tiling; tesselation -镶牙,xiāng yá,to have a false tooth set in; denture -镶边,xiāng biān,"edge; border; to edge (with lace, embroidery etc)" -镶金,xiāng jīn,gilded; inlaid with gold -镶黄旗,xiāng huáng qí,"Bordered Yellow banner or Hövööt Shar khoshuu in Xilingol League 錫林郭勒盟|锡林郭勒盟[Xi1 lin2 guo1 le4 Meng2], Inner Mongolia" -罐,guàn,variant of 罐[guan4] -镊,niè,tweezers; forceps; nippers; pliers; to nip; to pick up with tweezers; to pluck out -镊子,niè zi,tweezers; nippers; pliers -镩,cuān,ice spud (aka ice chisel) with a pointy tip; to break a hole in ice (for ice fishing etc) using an ice spud -镩子,cuān zi,ice spud (aka ice chisel) with a pointy tip -锣,luó,gong; CL:面[mian4] -锣声,luó shēng,sound of gong -锣鼓,luó gǔ,gongs and drums; Chinese percussion instruments -锣鼓点,luó gǔ diǎn,Chinese percussion fixed pattern; percussion rhythm -锣齐鼓不齐,luó qí gǔ bù qí,(idiom) not well coordinated -钻,zuān,to drill; to bore; to get into; to make one's way into; to enter (a hole); to thread one's way through; to study intensively; to dig into; to curry favor for personal gain -钻,zuàn,an auger; diamond -钻井,zuān jǐng,to drill (e.g. for oil); a borehole -钻井平台,zuān jǐng píng tái,(oil) drilling platform -钻劲,zuān jìn,application to the task -钻卡,zuàn qiǎ,drill chuck -钻圈,zuān quān,jumping through hoops (as acrobatic show) -钻坚仰高,zuān jiān yǎng gāo,"lit. looking up to it, it gets higher; boring into it, it gets harder (idiom) (from Analects); fig. to delve deeply into one's studies; meticulous and diligent study" -钻压,zuàn yā,pressure on a drill bit -钻孔,zuān kǒng,to bore a hole; to drill; drilled hole -钻心,zuān xīn,"to sneak in; to infiltrate; to be piercingly painful; to be unbearable (of pain, itch etc)" -钻心虫,zuān xīn chóng,"boring insect; snout moth's larva (Aphomia gullaris or Plodia interpuncuella or Heliothus armigera etc), major agricultural pest" -钻戒,zuàn jiè,diamond ring; CL:隻|只[zhi1] -钻探,zuān tàn,to conduct exploratory drilling -钻探机,zuān tàn jī,drilling machine -钻故纸堆,zuān gù zhǐ duī,to dig into piles of outdated writings (idiom); to study old books and papers -钻木取火,zuān mù qǔ huǒ,to drill wood to make fire -钻桌子,zuān zhuō zi,to crawl under a table (e.g. as a penalty for losing in a card game) -钻机,zuàn jī,drilling machine -钻洞,zuān dòng,to bore; to burrow; to crawl through a tunnel -钻营,zuān yíng,toadying for personal gain; to curry favor; to study in great depth -钻版,zuān bǎn,to cut a woodblock (e.g. for printing) -钻牛角,zuān niú jiǎo,lit. honing a bull's horn; fig. to waste time on an insoluble or insignificant problem; to bash one's head against a brick wall; a wild goose chase; a blind alley; to split hairs; same as idiom 鑽牛角尖|钻牛角尖 -钻牛角尖,zuān niú jiǎo jiān,lit. to penetrate into a bull's horn (idiom); fig. to waste time on an insoluble or insignificant problem; to bash one's head against a brick wall; a wild goose chase; a blind alley; to split hairs -钻眼,zuān yǎn,to drill a hole; drilling -钻石,zuàn shí,diamond; CL:顆|颗[ke1] -钻石王老五,zuàn shí wáng lǎo wǔ,highly eligible bachelor; desirable male partner -钻研,zuān yán,to study meticulously; to delve into -钻空子,zuān kòng zi,to take advantage of a loophole; to exploit an advantage; to seize the opportunity (esp. to do sth bad) -钻粉,zuān fěn,residue from drilling; slag hill -钻谋,zuān móu,to use influence to get what one wants; to find a way through (esp. corrupt); to succeed by means fair or foul -钻进,zuān jìn,"to get into; to dig into (studies, job etc); to squeeze into" -钻头,zuàn tóu,drill bit -銮,luán,imperial -銮驾,luán jià,imperial chariot -凿,záo,(bound form) chisel; to bore a hole; to chisel; to dig; (literary) certain; authentic; irrefutable; also pr. [zuo4] -凿井,záo jǐng,to dig a well -凿壁偷光,záo bì tōu guāng,lit. to pierce the wall to steal a light (idiom); fig. to study diligently in the face of hardship -凿子,záo zi,chisel -凿岩,záo yán,(rock) drilling -凿岩机,záo yán jī,rock drill -凿枘,záo ruì,to fit like mortise and tenon -凿沉,záo chén,to scuttle (a ship) -凿石场,záo shí chǎng,rock quarry -凿空,záo kōng,to open an aperture; (extended meaning) to cut a way through; to open up a road -锺,zhōng,nonstandard simplified variant of 鍾|钟[zhong1] -长,cháng,length; long; forever; always; constantly -长,zhǎng,chief; head; elder; to grow; to develop; to increase; to enhance -长三,cháng sān,(old) high-class prostitute -长三角,cháng sān jiǎo,Yangtze River Delta (abbr. for 長江三角洲|长江三角洲[Chang2 jiang1 San1 jiao3 zhou1]) -长三角经济区,cháng sān jiǎo jīng jì qū,"Yangtze River Delta Economic Zone (economic region including Shanghai, Zhejiang and Jiangsu)" -长久,cháng jiǔ,(for a) long time -长仓,cháng cāng,long position (finance) -长假,cháng jià,long vacation -长兄,zhǎng xiōng,eldest brother -长凳,cháng dèng,pew; bench; CL:張|张[zhang1] -长出,zhǎng chū,"to sprout (leaves, buds, a beard etc)" -长势,zhǎng shì,how well a crop (or plant) is growing; growth -长印鱼,cháng yìn yú,shark sucker (Echeneis naucrates) -长吁短叹,cháng xū duǎn tàn,long moan and short gasp (idiom); continually moaning and groaning in pain -长命富贵,cháng mìng fù guì,"We wish you long life and riches! (idiom, conventional greeting)" -长叹,cháng tàn,long sigh; deep sigh -长嘴剑鸻,cháng zuǐ jiàn héng,(bird species of China) long-billed plover (Charadrius placidus) -长嘴地鸫,cháng zuǐ dì dōng,(bird species of China) dark-sided thrush (Zoothera marginata) -长嘴捕蛛鸟,cháng zuǐ bǔ zhū niǎo,(bird species of China) little spiderhunter (Arachnothera longirostra) -长嘴百灵,cháng zuǐ bǎi líng,(bird species of China) Tibetan lark (Melanocorypha maxima) -长嘴钩嘴鹛,cháng zuǐ gōu zuǐ méi,(bird species of China) large scimitar babbler (Pomatorhinus hypoleucos) -长嘴鹩鹛,cháng zuǐ liáo méi,(bird species of China) long-billed wren-babbler (Rimator malacoptilus) -长嘴鹬,cháng zuǐ yù,(bird species of China) long-billed dowitcher (Limnodromus scolopaceus) -长坂坡七进七出,cháng bǎn pō qī jìn qī chū,famous scene in Romance of the Three Kingdoms in which Zhao Yun 趙雲|赵云 charges seven times through the ranks of Cao Cao's armies -长垣,cháng yuán,"Changyuan county in Xinxiang 新鄉|新乡[Xin1 xiang1], Henan" -长垣县,cháng yuán xiàn,"Changyuan county in Xinxiang 新鄉|新乡[Xin1 xiang1], Henan" -长城,cháng chéng,the Great Wall -长城饭店,cháng chéng fàn diàn,Great Wall Hotel (Beijing Sheraton 喜來登|喜来登) -长寿,cháng shòu,"Changshou, a district of Chongqing 重慶|重庆[Chong2qing4]" -长寿,cháng shòu,longevity; long-lived -长寿区,cháng shòu qū,"Changshou, a district of Chongqing 重慶|重庆[Chong2qing4]" -长多,cháng duō,good prospects in the long term (finance) -长夜,cháng yè,long dark night; fig. long period of misery and oppression -长夜漫漫,cháng yè màn màn,endless night (idiom); fig. long suffering -长夜难明,cháng yè nán míng,lit. many nights under a harsh moon; long years of oppression (idiom) -长大,zhǎng dà,to grow up -长女,zhǎng nǚ,eldest daughter -长姊,zhǎng zǐ,older sister -长子,zhǎng zǐ,Zhangzi county in Shanxi 山西[Shan1 xi1] -长子,zhǎng zǐ,eldest son -长子县,cháng zǐ xiàn,"Changzhi county in Changzhi 長治|长治[Chang2 zhi4], Shanxi" -长存,cháng cún,to last for a long time; to endure; to exist forever -长孙,zhǎng sūn,two-character surname Zhangsun -长孙,zhǎng sūn,eldest grandson; the eldest son of one's eldest son -长孙无忌,zhǎng sūn wú jì,"Zhangsun Wuji (c. 594-659), politician and historian of early Tang" -长安,cháng ān,"Chang'an (ancient name of Xi'an 西安[Xi1 an1]) capital of China during Tang Dynasty 唐朝[Tang2 chao2]; now 長安區|长安区[Chang2 an1 Qu1], a district of Xi'an" -长安区,cháng ān qū,"Chang'an District of Xi’an 西安市[Xi1 an1 Shi4], Shaanxi; Chang'an District of Shijiazhuang City 石家莊市|石家庄市[Shi2 jia1 zhuang1 Shi4], Hebei" -长安大学,cháng ān dà xué,Chang'an University -长官,zhǎng guān,senior official; senior officer; commanding officer; CL:位[wei4]; sir (term of address for senior officer) -长宁,cháng níng,"Changning County in Yibin 宜賓|宜宾[Yi2 bin1], Sichuan; Changning District in Shanghai" -长宁区,cháng níng qū,"Changning district, central Shanghai" -长宁县,cháng níng xiàn,"Changning county in Yibin 宜賓|宜宾[Yi2 bin1], Sichuan" -长尾,cháng wěi,long tail -长尾地鸫,cháng wěi dì dōng,(bird species of China) long-tailed thrush (Zoothera dixoni) -长尾夜鹰,cháng wěi yè yīng,(bird species of China) large-tailed nightjar (Caprimulgus macrurus) -长尾奇鹛,cháng wěi qí méi,(bird species of China) long-tailed sibia (Heterophasia picaoides) -长尾山椒鸟,cháng wěi shān jiāo niǎo,(bird species of China) long-tailed minivet (Pericrocotus ethologus) -长尾朱雀,cháng wěi zhū què,(bird species of China) long-tailed rosefinch (Carpodacus sibiricus) -长尾林鸮,cháng wěi lín xiāo,(bird species of China) Ural owl (Strix uralensis) -长尾缝叶莺,cháng wěi féng yè yīng,(bird species of China) common tailorbird (Orthotomus sutorius) -长尾贼鸥,cháng wěi zéi ōu,(bird species of China) long-tailed jaeger (Stercorarius longicaudus) -长尾阔嘴鸟,cháng wěi kuò zuǐ niǎo,(bird species of China) long-tailed broadbill (Psarisomus dalhousiae) -长尾鸭,cháng wěi yā,(bird species of China) long-tailed duck (Clangula hyemalis) -长尾鹩鹛,cháng wěi liáo méi,(bird species of China) grey-bellied wren-babbler (Spelaeornis reptatus) -长尾鹦鹉,cháng wěi yīng wǔ,(bird species of China) long-tailed parakeet (Psittacula longicauda) -长山山脉,cháng shān shān mài,"Annamite Range, aka Annamese Cordillera, mountain range forming the border between Vietnam and Laos" -长岛,cháng dǎo,"Changdao county in Yantai 煙台|烟台[Yan1 tai2], Shandong" -长岛冰茶,cháng dǎo bīng chá,Long Island Iced Tea -长岛县,cháng dǎo xiàn,"Changdao county in Yantai 煙台|烟台, Shandong" -长崎,cháng qí,"Nagasaki, Japan" -长岭,cháng lǐng,"Changling County in Songyuan 松原[Song1 yuan2], Jilin" -长岭县,cháng lǐng xiàn,"Changling County in Songyuan 松原[Song1 yuan2], Jilin" -长平,cháng píng,"Changping, place name in Gaoping County 高平縣|高平县, southern Shanxi, the scene of the great battle of 262-260 BC between Qin and Zhao" -长平之战,cháng píng zhī zhàn,"Battle of Changping of 260 BC, at which the Qin army 秦軍|秦军[Qin2 jun1] encircled and annihilated a Zhao army of 400,000" -长年,cháng nián,all the year round -长年累月,cháng nián lěi yuè,"year in, year out (idiom); (over) many years" -长幼,zhǎng yòu,older and younger; seniority -长庚,cháng gēng,Classical Chinese name for planet Venus in the west after dusk -长度,cháng dù,length -长度单位,cháng dù dān wèi,unit of length -长度指示符,cháng dù zhǐ shì fú,length indicator -长廊,cháng láng,"promenade; long hallway; Long Corridor in the Summer Palace, Beijing 北京頤和園|北京颐和园[Bei3 jing1 Yi2 he2 yuan2]" -长弓,cháng gōng,longbow -长征,cháng zhēng,Long March (retreat of the Red Army 1934-1935) -长征,cháng zhēng,expedition; long journey -长得,zhǎng de,"to look (pretty, the same etc)" -长德,cháng dé,Chotoku -长情,cháng qíng,to have an enduring and faithful love for sb or sth -长成,zhǎng chéng,to grow up -长技,cháng jì,special skill -长拳,cháng quán,Changquan - Northern Shaolin (北少林) - Longfist - Martial Art -长按,cháng àn,to long press (a button) -长掌义县龙,cháng zhǎng yì xiàn lóng,"Yixianosaurus longimanus, theropod dinosaur from Yi county 義縣|义县, Jinzhou 錦州|锦州, west Liaoning" -长揖,cháng yī,"to bow deeply, starting upright with arms straight out in front, one hand cupped in the other, then moving the hands down to one's knees as one bows, keeping the arms straight (a form of greeting)" -长效,cháng xiào,to be effective over an extended period -长新冠,cháng xīn guān,long COVID -长方形,cháng fāng xíng,rectangle -长方体,cháng fāng tǐ,cuboid -长于,cháng yú,to be adept in; to excel at -长明灯,cháng míng dēng,altar lamp burning day and night -长春,cháng chūn,"Changchun, sub-provincial city, the capital of Jilin Province 吉林省[Ji2lin2 Sheng3] in northeast China" -长春市,cháng chūn shì,"Changchun, sub-provincial city, the capital of Jilin Province 吉林省[Ji2lin2 Sheng3]" -长期,cháng qī,long term; long time; long range (of a forecast) -长期以来,cháng qī yǐ lái,for a long time -长期共存,cháng qī gòng cún,long-term coexistence -长期性,cháng qī xìng,long-term -长期饭票,cháng qī fàn piào,(fig.) guarantee of financial support for the rest of one's life -长柄,cháng bǐng,long handle; stem -长柄勺子,cháng bǐng sháo zi,ladle -长柄大镰刀,cháng bǐng dà lián dāo,scythe -长柄镰刀,cháng bǐng lián dāo,scythe -长条,cháng tiáo,strip -长棍,cháng gùn,baguette -长椅,cháng yǐ,bench -长荣,cháng róng,"Evergreen (Group), Taiwan-based shipping and transportation conglomerate" -长荣海运,cháng róng hǎi yùn,Evergreen Marine Corp. (Taiwan shipping line) -长荣航空,cháng róng háng kōng,"EVA Air, Taiwanese international airline" -长枪,cháng qiāng,pike; CL:支[zhi1] -长枪短炮,cháng qiāng duǎn pào,camera (jocular) -长乐,cháng lè,"Changle, a district of Fuzhou City 福州市[Fu2zhou1 Shi4], Fujian; Princess Changle of Western Wei of the Northern Dynasties 西魏[Xi1 Wei4], given in marriage c. 545 to Bumin Khan 土門|土门[Tu3men2]" -长乐公主,cháng lè gōng zhǔ,"Princess Changle of Western Wei of the Northern dynasties 西魏[Xi1 Wei4], given in marriage c. 545 to Bumin Khan 土門|土门[Tu3 men2]" -长乐市,cháng lè shì,"Changle, a district of Fuzhou City 福州市[Fu2zhou1 Shi4], Fujian" -长乐未央,cháng lè wèi yāng,endless happiness (idiom) -长机,zhǎng jī,(military) lead aircraft -长武,cháng wǔ,"Changwu County in Xianyang 咸陽|咸阳[Xian2 yang2], Shaanxi" -长武县,cháng wǔ xiàn,"Changwu County in Xianyang 咸陽|咸阳[Xian2 yang2], Shaanxi" -长毛,cháng máo,(derog.) the Longhairs (Taiping rebels of the 19th century) -长毛,cháng máo,long-wool (sheep etc); long-haired (dog etc) -长毛,zhǎng máo,to grow hair; to become mildewed -长毛绒,cháng máo róng,(textiles) plush -长毛象,cháng máo xiàng,woolly mammoth -长汀,cháng tīng,"Changting, county-level city in Longyan 龍岩|龙岩, Fujian" -长汀县,cháng tīng xiàn,"Changting county in Longyan 龍岩|龙岩, Fujian" -长江,cháng jiāng,"Yangtze River, or Chang Jiang" -长江三峡,cháng jiāng sān xiá,"Three Gorges or Yangtze Gorges, namely: Qutang Gorge 瞿塘峽|瞿塘峡[Qu2 tang2 Xia2], Wuxia Gorge 巫峽|巫峡[Wu1 Xia2] and Xiling Gorge 西陵峽|西陵峡[Xi1 ling2 Xia2]" -长江三角洲,cháng jiāng sān jiǎo zhōu,Yangtze River Delta -长江三角洲经济区,cháng jiāng sān jiǎo zhōu jīng jì qū,"Yangtze River Delta Economic Zone (economic region including Shanghai, Zhejiang and Jiangsu)" -长江后浪催前浪,cháng jiāng hòu làng cuī qián làng,see 長江後浪推前浪|长江后浪推前浪[Chang2 Jiang1 hou4 lang4 tui1 qian2 lang4] -长江后浪推前浪,cháng jiāng hòu làng tuī qián làng,lit. the rear waves of the Yangtze River drive on those before (idiom); fig. the new is constantly replacing the old; each new generation excels the previous; (of things) to be constantly evolving -长江流域,cháng jiāng liú yù,Changjiang or Yangtze river basin -长江经济带,cháng jiāng jīng jì dài,Yangtze River Economic Belt -长沙,cháng shā,Changsha prefecture-level city and capital of Hunan province in south central China -长沙市,cháng shā shì,Changsha prefecture-level city and capital of Hunan province in south central China -长沙湾,cháng shā wān,Cheung Sha Wan (poultry market in Hong Kong) -长沙县,cháng shā xiàn,"Changsha county in Changsha 長沙|长沙[Chang2 sha1], Hunan" -长治,cháng zhì,"Changzhi prefecture-level city in Shanxi 山西[Shan1 xi1]; Changchih township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -长治久安,cháng zhì jiǔ ān,long-term peace and stability (of governments) -长治市,cháng zhì shì,Changzhi prefecture-level city in Shanxi 山西 -长治县,cháng zhì xiàn,"Changzhi county in Changzhi 長治|长治[Chang2 zhi4], Shanxi" -长治乡,cháng zhì xiāng,"Changzhi township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -长波,cháng bō,longwave (radio) -长泰,cháng tài,"Changtai county in Zhangzhou 漳州[Zhang1 zhou1], Fujian" -长泰县,cháng tài xiàn,"Changtai county in Zhangzhou 漳州[Zhang1 zhou1], Fujian" -长洲区,cháng zhōu qū,"Changzhou district of Wuzhou city 梧州市[Wu2 zhou1 shi4], Guangxi" -长海,cháng hǎi,"Changhai county in Dalian 大連|大连[Da4 lian2], Liaoning" -长海县,cháng hǎi xiàn,"Changhai county in Dalian 大連|大连[Da4 lian2], Liaoning" -长清,cháng qīng,"Changqing district of Jinan city 濟南市|济南市[Ji3 nan2 shi4], Shandong" -长清区,cháng qīng qū,"Changqing district of Jinan city 濟南市|济南市[Ji3 nan2 shi4], Shandong" -长满,zhǎng mǎn,to grow all over -长漂,cháng piāo,rafting on the Yangtze River (abbr. for 長江漂流|长江漂流[Chang2 Jiang1 piao1 liu2]) -长滨,cháng bīn,"Changbin or Changpin township in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan" -长滨乡,cháng bīn xiāng,"Changbin or Changpin township in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan" -长烟,cháng yān,endless mist -长照,cháng zhào,(Tw) (social welfare) long-term care (abbr. for 長期照顧|长期照顾[chang2qi1 zhao4gu5]) -长片,cháng piàn,feature-length film -长牙,cháng yá,tusk -长牙,zhǎng yá,to grow teeth; to teethe; growing teeth -长物,cháng wù,(literary) things other than the bare necessities of life; item of some value; Taiwan pr. [zhang4 wu4] -长班,cháng bān,(old) footman; servant -长生,cháng shēng,long life -长生不死,cháng shēng bù sǐ,immortality -长生不老,cháng shēng bù lǎo,immortality -长生久视,cháng shēng jiǔ shì,to grow old with unfailing eyes and ears (idiom) -长生果,cháng shēng guǒ,(dialect) peanut -长生禄位,cháng shēng lù wèi,tablet and altar honoring a great benefactor (idiom) -长男,zhǎng nán,eldest son -长痛不如短痛,cháng tòng bù rú duǎn tòng,"better to just get the pain over with, rather than prolong the agony" -长白,cháng bái,"Changbai Korean autonomous county in Baishan 白山, Jilin" -长白山,cháng bái shān,"Changbai or Baekdu mountains 白頭山|白头山, volcanic mountain range between Jilin province and North Korea, prominent in Manchu and Korean mythology" -长白山天池,cháng bái shān tiān chí,"Changbaishan Tianchi, volcanic crater lake on the border between China and North Korea" -长白朝鲜族自治县,cháng bái cháo xiǎn zú zì zhì xiàn,"Changbai Korean autonomous county in Baishan 白山[Bai2 shan1], Jilin" -长白县,cháng bái xiàn,"Changbai Korean autonomous county in Baishan 白山, Jilin" -长白镇,cháng bái zhèn,"Changbai township, capital of Changbai Korean autonomous county in Baishan 白山, Jilin" -长相,zhǎng xiàng,appearance; looks; profile; countenance -长相思,cháng xiāng sī,Sauvignon blanc (grape type) -长眠,cháng mián,eternal rest (i.e. death) -长眼,zhǎng yǎn,to have eyes; (fig.) to look where one is going; to watch one's step; to be cautious -长矛,cháng máo,"pike; lance; CL:把[ba3],柄[bing3]" -长知识,zhǎng zhī shi,to acquire knowledge -长短,cháng duǎn,length; accident; mishap; right and wrong; good and bad; merits and demerits -长石,cháng shí,stone beam; horizontal slab of stone; feldspar or felspar (geology) -长空,cháng kōng,(literary) the vast sky; (finance) eventual downturn; poor prospects in the long term -长笛,cháng dí,(Western) concert flute -长筒袜,cháng tǒng wà,stockings; thigh-highs; CL:雙|双[shuang1] -长筒靴,cháng tǒng xuē,tall boots -长篇,cháng piān,lengthy (report or speech) -长篇小说,cháng piān xiǎo shuō,novel -长篇累牍,cháng piān lěi dú,(of a text) very lengthy (idiom) -长籼,cháng xiān,"long-grained rice (Indian rice, as opposed to round-grained rice)" -长统袜,cháng tǒng wà,stockings -长统靴,cháng tǒng xuē,variant of 長筒靴|长筒靴[chang2 tong3 xue1] -长线,cháng xiàn,long term -长老,zhǎng lǎo,elder; term of respect for a Buddhist monk -长老会,zhǎng lǎo huì,Presbyterianism -长者,zhǎng zhě,senior; older person -长耳鸮,cháng ěr xiāo,(bird species of China) long-eared owl (Asio otus) -长肉,zhǎng ròu,to put on weight -长脚秧鸡,cháng jiǎo yāng jī,(bird species of China) corn crake (Crex crex) -长臂猿,cháng bì yuán,gibbon; Hylobatidae (gibbon and lesser ape family) -长至,cháng zhì,the summer solstice -长兴,cháng xīng,"Changxing county in Huzhou 湖州[Hu2 zhou1], Zhejiang" -长兴县,cháng xīng xiàn,"Changxing county in Huzhou 湖州[Hu2 zhou1], Zhejiang" -长舌,cháng shé,loquacious; to have a loose tongue -长舌妇,cháng shé fù,female gossip; busybody -长草区,cháng cǎo qū,the rough (golf) -长葛,cháng gě,"Changge, county-level city in Shangqiu 商丘[Shang1 qiu1], Henan" -长葛市,cháng gě shì,"Changge, county-level city in Shangqiu 商丘[Shang1 qiu1], Henan" -长处,cháng chù,good aspects; strong points -长号,cháng hào,trombone -长虹,cháng hóng,Changhong (brand) -长蛇座,cháng shé zuò,Hydra (constellation) -长蛇阵,cháng shé zhèn,single-line formation (army); fig. long line -长虫,cháng chong,(coll.) snake -长衫,cháng shān,long gown; cheongsam; traditional Asian dress for men or (in Hong Kong) women's qipao -长袍,cháng páo,chang pao (traditional Chinese men's robe); gown; robe; CL:件[jian4] -长袖,cháng xiù,long sleeves; long-sleeved shirt -长袖善舞,cháng xiù shàn wǔ,long sleeves help one dance beautifully (idiom); money and power will help you in any occupation -长裙,cháng qún,cheong sam (long skirt) -长裤,cháng kù,trousers -长袜,cháng wà,hose; stocking -长见识,zhǎng jiàn shi,to gain knowledge and experience -长角羊,cháng jiǎo yáng,Tibetan long horned antelope -长记性,zhǎng jì xing,(coll.) to learn one's lesson; to have enough brains to learn from one's mistakes -长诗,cháng shī,long poem -长话短说,cháng huà duǎn shuō,to make a long story short (idiom) -长谈,cháng tán,a long talk -长谷川,cháng gǔ chuān,Hasegawa (Japanese surname) -长丰,cháng fēng,"Changfeng, a county in Hefei 合肥[He2fei2], Anhui" -长丰县,cháng fēng xiàn,"Changfeng, a county in Hefei 合肥[He2fei2], Anhui" -长赘疣,zhǎng zhuì yóu,to vegetate -长足,cháng zú,"remarkable (progress, improvement, expansion etc)" -长足进步,cháng zú jìn bù,rapid progress -长趾滨鹬,cháng zhǐ bīn yù,(bird species of China) long-toed stint (Calidris subminuta) -长跑,cháng pǎo,long-distance running -长跑运动员,cháng pǎo yùn dòng yuán,long distance runner -长距离,cháng jù lí,long distance -长距离比赛,cháng jù lí bǐ sài,marathon (sports) -长跪,cháng guì,to kneel as in prayer (without sitting back on the heels) -长辈,zhǎng bèi,one's elders; older generation -长辈图,zhǎng bèi tú,(Internet slang) boomer meme (Tw) -长辔远驭,cháng pèi yuǎn yù,to control from a distance (idiom) -长途,cháng tú,long distance -长途汽车,cháng tú qì chē,long-distance coach -长途网路,cháng tú wǎng lù,long distance network -长途话费,cháng tú huà fèi,long distance call charge -长途跋涉,cháng tú bá shè,long and difficult trek -长途车,cháng tú chē,long-distance bus; coach -长途电话,cháng tú diàn huà,long-distance call -长逝,cháng shì,to depart this life; to be no more -长进,zhǎng jìn,to make progress; progress -长达,cháng dá,to extend as long as; to lengthen out to -长远,cháng yuǎn,long-term; long-range -长野,cháng yě,Nagano (name); Nagano city and prefecture in central Japan -长野县,cháng yě xiàn,"Nagano prefecture, Japan" -长钉,cháng dìng,spike -长阳土家族自治县,cháng yáng tǔ jiā zú zì zhì xiàn,Changyang Tujia Autonomous County in Hubei -长阳县,cháng yáng xiàn,Changyang Tujia Autonomous County in Hubei (abbr. for 長陽土家族自治縣|长阳土家族自治县[Chang2 yang2 Tu3 jia1 zu2 Zi4 zhi4 xian4]) -长队,cháng duì,line (i.e. of people waiting); queue -长靴,cháng xuē,boot -长顺,cháng shùn,"Changshun county in Qiannan Buyei and Miao autonomous prefecture 黔南州[Qian2 nan2 zhou1], Guizhou" -长顺县,cháng shùn xiàn,"Changshun county in Qiannan Buyei and Miao autonomous prefecture 黔南州[Qian2 nan2 zhou1], Guizhou" -长颈瓶,cháng jǐng píng,flask -长颈鹿,cháng jǐng lù,giraffe; CL:隻|只[zhi1] -长颈龙,cháng jǐng lóng,"tanystropheus, long-necked reptile from Triassic" -长风破浪,cháng fēng pò làng,lit. to ride the wind and crest the waves; to be ambitious and unafraid (idiom) -长驱直入,cháng qū zhí rù,to march straight in unchallenged (military) (idiom); (fig.) to push deep into the heart of sth; to flood in -长发,cháng fà,long hair -长点心眼,zhǎng diǎn xīn yǎn,to watch out; to keep one's wits about one -长鼻猴,cháng bí hóu,"proboscis monkey (Nasalis larvatus), aka long-nosed monkey" -长鼻目,cháng bí mù,order Proboscidea (elephants and mammoths) -长龙,cháng lóng,"long queue; long line (of cars, people etc)" -镸,cháng,"""long"" or ""to grow"" radical in Chinese characters (Kangxi radical 168)" -门,mén,surname Men -门,mén,"gate; door; CL:扇[shan4]; gateway; doorway; CL:個|个[ge4]; opening; valve; switch; way to do something; knack; family; house; (religious) sect; school (of thought); class; category; phylum or division (taxonomy); classifier for large guns; classifier for lessons, subjects, branches of technology; (suffix) -gate (i.e. scandal; derived from Watergate)" -门人,mén rén,disciple; follower; hanger-on (at an aristocrat's home) -门冬,mén dōng,"abbr. for 天門冬|天门冬[tian1 men2 dong1], asparagus" -门到门,mén dào mén,door to door -门前,mén qián,in front of the door -门卡,mén kǎ,keycard -门口,mén kǒu,doorway; gate; CL:個|个[ge4] -门可罗雀,mén kě luó què,you can net sparrows at the door (idiom); completely deserted -门吸,mén xī,doorstop -门地,mén dì,see 門第|门第[men2 di4] -门坎,mén kǎn,variant of 門檻|门槛[men2 kan3] -门坎儿,mén kǎn er,erhua variant of 門坎|门坎[men2 kan3] -门垫,mén diàn,doormat -门墩,mén dūn,wooden or stone block supporting the axle of a door -门外,mén wài,outside the door -门外汉,mén wài hàn,layman -门子,mén zi,"door; doorman (old); hanger-on of an aristocrat; social influence; pull; classifier for relatives, marriages etc" -门客,mén kè,hanger-on; visitor (in a nobleman's house) -门将,mén jiàng,"official gatekeeper; goalkeeper (soccer, hockey etc)" -门对,mén duì,couplet (hung on each side of the door frame) -门岗,mén gǎng,gate -门巴族,mén bā zú,Menba ethnic group -门市,mén shì,retail sales; retail outlet; store -门市部,mén shì bù,retail department; section of a retail store -门店,mén diàn,(retail) store -门庭如市,mén tíng rú shì,see 門庭若市|门庭若市[men2 ting2 ruo4 shi4] -门庭若市,mén tíng ruò shì,front yard as busy as a marketplace (idiom); a place with many visitors -门廊,mén láng,stoop; parvis; portico; patio; veranda -门厅,mén tīng,entrance hall; vestibule -门径,mén jìng,access -门徒,mén tú,disciple -门户,mén hù,door; strategic gateway; portal; faction; sect; family status; family; web portal; (old) brothel -门户之见,mén hù zhī jiàn,sectarian bias; parochialism -门户网站,mén hù wǎng zhàn,web portal -门户开放,mén hù kāi fàng,open door policy; Egyptian President Sadat's infitah policy towards investment and relations with Israel -门房,mén fáng,gatehouse; lodge; gatekeeper; porter -门扇,mén shàn,door; the opening panel of a door -门把,mén bǎ,door knob; door handle; also pr. [men2 ba4] -门捷列夫,mén jié liè fū,"Dmitri Ivanovich Mendeleev (1834-1907), Russian chemist who introduced the periodic table" -门挡,mén dǎng,doorstop -门望,mén wàng,family prestige -门柱,mén zhù,doorpost -门栓,mén shuān,variant of 門閂|门闩[men2 shuan1] -门框,mén kuàng,door frame -门楣,mén méi,lintel (of a door); fig. family's social status -门槛,mén kǎn,doorstep; sill; threshold; fig. knack or trick (esp. scheme to get sth cheaper) -门洞,mén dòng,passageway; archway -门派,mén pài,sect; school (group of followers of a particular doctrine) -门源,mén yuán,"Menyuan Hui Autonomous County in Haibei Tibetan Autonomous Prefecture 海北藏族自治州[Hai3 bei3 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -门源回族自治县,mén yuán huí zú zì zhì xiàn,"Menyuan Hui Autonomous County in Haibei Tibetan Autonomous Prefecture 海北藏族自治州[Hai3 bei3 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -门源县,mén yuán xiàn,"Menyuan Hui Autonomous County in Haibei Tibetan Autonomous Prefecture 海北藏族自治州[Hai3 bei3 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -门牌,mén pái,door plate; house number -门牙,mén yá,incisor -门球,mén qiú,croquet; goal ball (served by the goal keeper) -门环,mén huán,door knocker (in the shape of a ring) -门生,mén shēng,disciple; student (of a famous master) -门当户对,mén dāng hù duì,the families are well-matched in terms of social status (idiom); (of a prospective marriage partner) an appropriate match -门碰,mén pèng,doorstop -门神,mén shén,door god -门票,mén piào,"ticket (for theater, cinema etc)" -门禁,mén jìn,restrictions on entry and exiting; control over access -门童,mén tóng,doorman; bell boy -门第,mén dì,family status -门罗,mén luó,"Monroe (name); James Monroe (1758-1831), fifth US president" -门罗主义,mén luó zhǔ yì,Monroe Doctrine -门联,mén lián,couplet (hung on each side of the door frame) -门脸,mén liǎn,shop front; facade -门兴格拉德巴赫,mén xīng gé lā dé bā hè,Mönchengladbach (city in Germany) -门萨,mén sà,Mensa (loanword) -门卫,mén wèi,guard at gate; sentry -门诊,mén zhěn,outpatient service -门诊室,mén zhěn shì,clinic; outpatient department (or consulting room) -门路,mén lù,way of doing sth; the right social connection -门道,mén dào,doorway; gateway -门道,mén dao,the way to do sth; knack -门边框,mén biān kuàng,door frame; door pillars -门扣,mén kòu,door latch -门铃,mén líng,doorbell -门铰,mén jiǎo,door hinge -门锁,mén suǒ,door lock -门闩,mén shuān,horizontal bar to hold a door closed (made of wood or metal); door bolt -门阀,mén fá,rich and powerful family -门限,mén xiàn,doorsill -门阶,mén jiē,doorstep; threshold -门面,mén mian,shop front; facade; CL:間|间[jian1]; prestige -门头沟,mén tóu gōu,"Mentougou, a district of Beijing" -门头沟区,mén tóu gōu qū,"Mentougou, a district of Beijing" -门额,mén é,area above the lintel of a doorway -门类,mén lèi,category; kind; class -门风,mén fēng,family tradition; family principles -门首,mén shǒu,doorway; gate; entrance -门齿,mén chǐ,incisor -闩,shuān,bolt; latch; to bolt; to latch -闪,shǎn,surname Shan -闪,shǎn,"to dodge; to duck out of the way; to beat it; shaken (by a fall); to sprain; to pull a muscle; lightning; spark; a flash; to flash (across one's mind); to leave behind; (Internet slang) (of a display of affection) ""dazzlingly"" saccharine" -闪亮,shǎn liàng,brilliant; shiny; a flare; to glisten; to twinkle -闪亮儿,shǎn liàng er,erhua variant of 閃亮|闪亮[shan3 liang4] -闪人,shǎn rén,(coll.) to beat it; to take French leave -闪光,shǎn guāng,flash -闪光灯,shǎn guāng dēng,flash bulb (photography) -闪光胶,shǎn guāng jiāo,glitter glue -闪光点,shǎn guāng diǎn,lit. flash point; crucial point; essential point -闪出,shǎn chū,to flash; to sparkle; to appear suddenly -闪动,shǎn dòng,to flicker or flash -闪卡,shǎn kǎ,flashcard -闪含语系,shǎn hán yǔ xì,"Hamito-Semitic family of languages (incl. Arabic, Aramaic, Hebrew etc)" -闪回,shǎn huí,flashback; to flash back -闪失,shǎn shī,mishap; accident; accidental loss -闪婚,shǎn hūn,to get married soon after meeting (abbr. for 閃電結婚|闪电结婚[shan3 dian4 jie2 hun1]) (neologism c. 2005) -闪存,shǎn cún,(computing) flash memory -闪存盘,shǎn cún pán,USB flash drive; thumb drive -闪射,shǎn shè,to radiate; to shine; glitter of light; a glint -闪念,shǎn niàn,sudden idea; flash of thought -闪击,shǎn jī,lightning attack; Blitzkrieg -闪击战,shǎn jī zhàn,lightning war; Blitzkrieg -闪族,shǎn zú,the Semites -闪映,shǎn yìng,to flash before one's eyes; to flicker -闪灼,shǎn zhuó,to glitter -闪熠,shǎn yì,to flare; to flash -闪烁,shǎn shuò,flickering; twinkling; evasive; vague (of speech) -闪烁其词,shǎn shuò qí cí,to speak evasively (idiom); beating about the bush -闪烁体,shǎn shuò tǐ,(physics) scintillator -闪现,shǎn xiàn,to flash -闪痛,shǎn tòng,stabbing pain; intermittent flash of pain -闪眼,shǎn yǎn,to dazzle; to blink at; to open one's eyes wide -闪石,shǎn shí,amphibole (silicate rock-forming mineral) -闪米特,shǎn mǐ tè,Semitic -闪耀,shǎn yào,to glint; to glitter; to sparkle; to radiate -闪语,shǎn yǔ,Semitic language -闪让,shǎn ràng,to jump out of the way -闪身,shǎn shēn,to dodge -闪躲,shǎn duǒ,to dodge; to evade -闪辉,shǎn huī,scintillation -闪转腾挪,shǎn zhuǎn téng nuó,"to move nimbly about, dodging and weaving (martial arts)" -闪退,shǎn tuì,(of a mobile app) to crash on startup; to crash -闪过,shǎn guò,to flash through (one's mind); to dodge (away from pursuers) -闪避,shǎn bì,to dodge; to sidestep -闪铄,shǎn shuò,variant of 閃爍|闪烁[shan3 shuo4] -闪闪,shǎn shǎn,flickering; sparkling; glistening; glittering -闪开,shǎn kāi,to get out of the way -闪离,shǎn lí,to get divorced shortly after marriage; to resign shortly after getting employed -闪电,shǎn diàn,lightning; CL:道[dao4] -闪电战,shǎn diàn zhàn,blitzkrieg; blitz -闪电结婚,shǎn diàn jié hūn,to get married soon after meeting -闪露,shǎn lù,to reveal momentarily -闪灵,shǎn líng,The Shining (1980 Stanley Kubrick film from Stephen King's 1977 novel); ChthoniC (Taiwanese metal band) -闪点,shǎn diǎn,flash point (chemistry) -闫,yán,surname Yan -闭,bì,to close; to stop up; to shut; to obstruct -闭上,bì shang,to close; to shut up -闭上嘴巴,bì shang zuǐ bā,Shut up! -闭元音,bì yuán yīn,close vowel -闭包,bì bāo,closure (math.) -闭区间,bì qū jiān,closed interval (in calculus) -闭卷考试,bì juàn kǎo shì,closed-book examination -闭口不言,bì kǒu bù yán,to keep silent (idiom) -闭口不谈,bì kǒu bù tán,to refuse to say anything about (idiom); to remain tight-lipped; to avoid mentioning -闭合,bì hé,"to close by coming together (like the lips of a wound, the doors of an elevator, the walls of a channel); to close by connecting in a loop (like a circuit); closed-loop" -闭嘴,bì zuǐ,Shut up!; same as 閉上嘴巴|闭上嘴巴 -闭图象定理,bì tú xiàng dìng lǐ,closed graph theorem (math.) -闭域,bì yù,"closed domain; algebraically closed field (math.), e.g. complex number field 複數域|复数域[fu4 shu4 yu4]" -闭塞,bì sè,to stop up; to close up; hard to get to; out of the way; inaccessible; unenlightened; blocking -闭塞眼睛捉麻雀,bì sè yǎn jīng zhuō má què,lit. to catch sparrows blindfolded (idiom); fig. to act blindly -闭子集,bì zǐ jí,closed subset (math.) -闭幕,bì mù,the curtain falls; lower the curtain; to come to an end (of a meeting) -闭幕式,bì mù shì,closing ceremony -闭会,bì huì,close a meeting -闭会祈祷,bì huì qí dǎo,benediction -闭月羞花,bì yuè xiū huā,"lit. hiding the moon, shaming the flowers (idiom); fig. female beauty exceeding even that of the natural world" -闭壳肌,bì ké jī,adductor muscle (of a bivalve mollusk) -闭源,bì yuán,(computing) closed-source -闭环,bì huán,closed loop -闭目塞听,bì mù sè tīng,to shut one's eyes and stop one's ears; out of touch with reality; to bury one's head in the sand -闭目养神,bì mù yǎng shén,to relax with one's eyes closed -闭经,bì jīng,amenorrhoea -闭着,bì zhe,closed -闭起,bì qǐ,to shut -闭路电视,bì lù diàn shì,closed-circuit television -闭锁,bì suǒ,to lock -闭锁期,bì suǒ qī,lock-up period (on stock options) -闭门,bì mén,to close a door -闭门塞窦,bì mén sè dòu,to close doors and block openings (idiom); mounting a strict defense -闭门思过,bì mén sī guò,shut oneself up and ponder over one's mistakes -闭门会议,bì mén huì yì,closed-door meeting -闭门羹,bì mén gēng,see 吃閉門羹|吃闭门羹[chi1 bi4 men2 geng1] -闭门觅句,bì mén mì jù,lit. lock the door and search for the right word (idiom); fig. the serious hard work of writing -闭门造车,bì mén zào chē,"lit. to shut oneself away and build a cart (idiom); fig. to work on a project in isolation, without caring for outside realities" -闭关,bì guān,"to close the passes; to seal off the country; seclusion (monastic practice, e.g. of Chan Buddhists)" -闭关政策,bì guān zhèng cè,closed-door policy -闭关自守,bì guān zì shǒu,close the country to international intercourse -闭关锁国,bì guān suǒ guó,to close the passes and seal off the country; to close a country to exclude foreign contact -闭集,bì jí,closed set (math.) -闭音节,bì yīn jié,closed syllable -闭馆,bì guǎn,"(of libraries, museums etc) to be closed" -开,kāi,"to open (transitive or intransitive); (of ships, vehicles, troops etc) to start; to turn on; to put in operation; to operate; to run; to boil; to write out (a prescription, check, invoice etc); (directional complement) away; off; carat (gold); abbr. for Kelvin, 開爾文|开尔文[Kai1 er3 wen2]; abbr. for 開本|开本[kai1 ben3], book format" -开三次方,kāi sān cì fāng,(math.) to extract a cube root -开交,kāi jiāo,(used with negative) to conclude; (impossible) to end; (can't) finish -开仗,kāi zhàng,to start a war; to open hostilities -开伙,kāi huǒ,to start providing food; to open today's service in a canteen -开伯尔,kāi bó ěr,Khyber province of Pakistan; Northwest Frontier province -开伯尔山口,kāi bó ěr shān kǒu,Khyber pass (between Pakistand and Afghanistan) -开例,kāi lì,to create a precedent -开倒车,kāi dào chē,to drive in reverse; fig. to take a backward step; retrogressive; trying to turn the clock back -开价,kāi jià,to quote a price; seller's first offer -开元,kāi yuán,"Tang emperor Xuanzong's 唐玄宗[Tang2 Xuan2 zong1] reign name used during the Kaiyuan era (713-741), a peak of Tang prosperity" -开先,kāi xiān,at first -开光,kāi guāng,eye-opening ceremony for a religious idol (Buddhism); to consecrate; to bless; transparent; translucent; haircut; shaving the head or face (humorous); a method of decoration; first light (astronomy) -开具,kāi jù,to draw up (a document) -开冻,kāi dòng,to thaw; to melt -开刀,kāi dāo,(of a surgeon) to perform an operation; (of a patient) to have an operation; to decapitate; to behead; to single out as a point of attack -开刃,kāi rèn,"to edge a knife, scissor, sword etc" -开列,kāi liè,to make (a list); to list -开初,kāi chū,at the outset; at first; early -开创,kāi chuàng,to initiate; to start; to found -开创性,kāi chuàng xìng,innovative -开动,kāi dòng,to start; to set in motion; to move; to march; to dig in (eating); to tuck in (eating) -开化,kāi huà,to become civilized; to be open-minded; (of ice) to thaw -开化县,kāi huà xiàn,"Kaihua county in Quzhou 衢州[Qu2 zhou1], Zhejiang" -开区间,kāi qū jiān,open interval (in calculus) -开印,kāi yìn,to start a print run -开卷,kāi juàn,to open a book; open-book (exam) -开卷有益,kāi juàn yǒu yì,lit. opening a book is profitable (idiom); the benefits of education -开原,kāi yuán,"Kaiyuan, county-level city in Tieling 鐵嶺|铁岭[Tie3 ling3], Liaoning" -开原市,kāi yuán shì,"Kaiyuan, county-level city in Tieling 鐵嶺|铁岭[Tie3 ling3], Liaoning" -开原县,kāi yuán xiàn,"Kaiyuan county in Tieling 鐵嶺|铁岭[Tie3 ling3], Liaoning" -开口,kāi kǒu,to open one's mouth; to start to talk -开口子,kāi kǒu zi,a dike breaks; fig. to provide facilities (for evil deeds); to open the floodgates -开口成脏,kāi kǒu chéng zāng,(Internet slang) to use foul language (pun on 出口成章[chu1 kou3 cheng2 zhang1]) -开司米,kāi sī mǐ,cashmere (loanword) -开吃,kāi chī,to start eating -开合,kāi hé,to open and close -开味,kāi wèi,whet the appetite -开启,kāi qǐ,to open; to start; (computing) to enable -开单,kāi dān,to bill; to open a tab -开国,kāi guó,to found a state; to open a closed country -开国元勋,kāi guó yuán xūn,"variant of 開國元勳|开国元勋, founding figure (of country or dynasty); founding father; fig. also used of company, school etc" -开国元勋,kāi guó yuán xūn,founding figure (of a country or dynasty); founding father; fig. also used of company or school etc -开国功臣,kāi guó gōng chén,outstanding founding minister (title given to reward loyal general or vassal of new dynasty or state) -开地,kāi dì,to clear land (for cultivation); to open up land -开城,kāi chéng,"Kaesong or Gaeseong city in southwest North Korea, close to the border with South Korea and a special economic zone for South Korean companies" -开城市,kāi chéng shì,"Kaesong or Gaeseong city in southwest North Korea, close to the border with South Korea and a special economic zone for South Korean companies" -开埠,kāi bù,to open up a port for trade; to open treaty ports -开堂,kāi táng,to open a law court; to set up a mourning hall -开场,kāi chǎng,to begin; to open; to start; beginning of an event -开场白,kāi chǎng bái,"prologue of play; opening remarks; preamble (of speeches, articles etc)" -开垦,kāi kěn,to clear a wild area for cultivation; to put under the plow -开士米,kāi shì mǐ,cashmere (loanword) -开壶,kāi hú,pot of boiling water -开外,kāi wài,over and above (some amount); beyond (budget) -开外挂,kāi wài guà,see 開掛|开挂[kai1 gua4] -开夜车,kāi yè chē,to burn the midnight oil; to work late into the night -开大油门,kāi dà yóu mén,to open the throttle; to accelerate; to let her rip -开天窗,kāi tiān chuāng,to leave a blank to mark censored area -开天辟地,kāi tiān pì dì,to split heaven and earth apart (idiom); refers to the Pangu 盤古|盘古[Pan2 gu3] creation myth -开始,kāi shǐ,to begin; beginning; to start; initial; CL:個|个[ge4] -开始以前,kāi shǐ yǐ qián,before the beginning (of sth) -开始比赛,kāi shǐ bǐ sài,to start a match; to kick off -开学,kāi xué,(of a student) to start school; (of a semester) to begin; (old) to found a school; the start of a new term -开宗明义,kāi zōng míng yì,to declare at the outset (idiom) -开封,kāi fēng,"Kaifeng prefecture-level city in Henan, old capital of Northern Song, former provincial capital of Henan; old name Bianliang 汴梁[Bian4 liang2]" -开封,kāi fēng,to open (sth that has been sealed) -开封市,kāi fēng shì,"Kaifeng prefecture-level city in Henan, old capital of Northern Song, former provincial capital of Henan; old name Bianliang 汴梁[Bian4 liang2]" -开封府,kāi fēng fǔ,Kaifeng as the capital of Northern Song dynasty -开封县,kāi fēng xiàn,"Kaifeng county in Kaifeng, Henan" -开导,kāi dǎo,to talk sb round; to straighten sth out; to enlighten -开小差,kāi xiǎo chāi,to be absent-minded; to desert; to abscond from the army; absent without leave (AWOL) -开小会,kāi xiǎo huì,to whisper and chat (instead of listening during a meeting or lecture) -开小灶,kāi xiǎo zào,to give preferential treatment; to give special attention -开局,kāi jú,"opening (chess etc); early stage of game, match, work, activity etc" -开屏,kāi píng,(a peacock) spreads its tail -开展,kāi zhǎn,to launch; to develop; to unfold; (of an exhibition etc) to open -开山,kāi shān,to cut into a mountain (to open a mine); to open a monastery -开山刀,kāi shān dāo,machete -开山祖师,kāi shān zǔ shī,founding master of a monastery; founder; originator -开山鼻祖,kāi shān bí zǔ,founder -开州,kāi zhōu,"Kaizhou, a district of Chongqing 重慶|重庆[Chong2qing4]" -开州区,kāi zhōu qū,"Kaizhou, a district of Chongqing 重慶|重庆[Chong2qing4]" -开工,kāi gōng,to begin work (of a factory or engineering operation); to start a construction job -开市,kāi shì,"(of a store, stock market etc) to open for trading; to make the first transaction of the day" -开幕,kāi mù,to open (a conference); to inaugurate -开幕典礼,kāi mù diǎn lǐ,opening ceremony -开幕式,kāi mù shì,opening ceremony -开幕词,kāi mù cí,opening speech (at a conference) -开平,kāi píng,"Kaiping, county-level city in Jiangmen 江門|江门, Guangdong; Kaiping district of Tangshan city 唐山市[Tang2 shan1 shi4], Hebei" -开平区,kāi píng qū,"Kaiping district of Tangshan city 唐山市[Tang2 shan1 shi4], Hebei" -开平市,kāi píng shì,"Kaiping, county-level city in Jiangmen 江門|江门, Guangdong" -开店,kāi diàn,to open shop -开庭,kāi tíng,to begin a (judicial) court session -开弓不放箭,kāi gōng bù fàng jiàn,lit. to draw the bow without shooting the arrow (idiom); fig. to bluff; to be all talk and no action; false bravado -开弓没有回头箭,kāi gōng méi yǒu huí tóu jiàn,"lit. once you've shot the arrow, there's no getting it back (idiom); fig. once you started sth, there's no turning back; to have to finish what one started; to be determined to reach one's goals in spite of setbacks" -开吊,kāi diào,to hold memorial service; to hold a funeral -开张,kāi zhāng,to open a business; first transaction of a business day -开往,kāi wǎng,"(of a bus, train etc) to leave for; heading for" -开后门,kāi hòu mén,to open the back door; fig. under the counter; to do a secret or dishonest deal; to let sth in by the back door -开征,kāi zhēng,to start collecting taxes -开心,kāi xīn,to feel happy; to rejoice; to have a great time; to make fun of sb -开心果,kāi xīn guǒ,pistachio nuts; fig. amusing person -开心颜,kāi xīn yán,to rejoice; smiling -开快车,kāi kuài chē,to drive at high speed; (fig.) rush through one's work -开恩,kāi ēn,to give a favor (used of Christian God) -开悟,kāi wù,to become enlightened (Buddhism) -开怀,kāi huái,to one's heart's content; without restraint -开戒,kāi jiè,to end abstinence; to resume (drinking) after a break; to break (a taboo) -开战,kāi zhàn,to start a war; to make war; to battle against -开戏,kāi xì,to start an opera -开户,kāi hù,to open an account (bank etc) -开房,kāi fáng,see 開房間|开房间[kai1 fang2 jian1] -开房间,kāi fáng jiān,to rent a room in a hotel; (of two people who are not married to each other) to rent a room for sex -开打,kāi dǎ,(of a sports competition or match) to commence; (of a war or battle) to break out; to perform acrobatic or choreographed fighting (in Chinese opera); to brawl; to come to blows -开拍,kāi pāi,"to begin shooting (a movie, a scene of a movie etc); to start the bidding (auction); to start a trading session (stock market)" -开拓,kāi tuò,to break new ground (for agriculture); to open up (a new seam); to develop (border regions); fig. to open up (new horizons) -开拓性,kāi tuò xìng,pioneering; groundbreaking -开拓者,kāi tuò zhě,pioneer -开拔,kāi bá,to set out (of troops); departure; start date (of military expedition) -开挖,kāi wā,to dig out; to excavate; to scoop out; to start digging -开掘,kāi jué,to dig; to excavate; (fig.) to explore (archival materials) and unearth findings -开挂,kāi guà,to cheat in an online game (abbr. for 開外掛|开外挂[kai1 wai4 gua4]); (coll.) unbelievably good -开采,kāi cǎi,to extract (ore or other resource from a mine); to exploit; to mine -开播,kāi bō,(agriculture) to begin sowing; (of a radio or TV station) to start broadcasting; (of a radio or TV station) to start to air (a program) -开支,kāi zhī,"expenditures; expenses (CL:筆|笔[bi3], 項|项[xiang4]); to spend money; (coll.) to pay wages" -开放,kāi fàng,to bloom; to open; to be open (to the public); to open up (to the outside); to be open-minded; unrestrained by convention; unconstrained in one's sexuality -开放式系统,kāi fàng shì xì tǒng,open system(s) -开放式网络,kāi fàng shì wǎng luò,open network -开放性,kāi fàng xìng,openness -开放源代码,kāi fàng yuán dài mǎ,see 開放源碼|开放源码[kai1fang4 yuan2ma3] -开放源码,kāi fàng yuán mǎ,(computing) open-source -开放源码软件,kāi fàng yuán mǎ ruǎn jiàn,open-source software (OSS) -开放系统,kāi fàng xì tǒng,open system -开放系统互连,kāi fàng xì tǒng hù lián,open systems interconnection; OSI -开败,kāi bài,to wither and fall -开敞,kāi chǎng,wide open -开方,kāi fāng,(medicine) to write out a prescription; (math.) to extract a root from a given quantity -开明,kāi míng,enlightened; open-minded; enlightenment -开明君主,kāi míng jūn zhǔ,enlightened sovereign -开映,kāi yìng,to start showing a movie -开春,kāi chūn,beginning of spring; the lunar New Year -开普勒,kāi pǔ lè,"Johannes Kepler (1571-1630), German astronomer and formulator of Kepler's laws of planetary motion" -开普敦,kāi pǔ dūn,Cape Town (city in South Africa) -开晴,kāi qíng,to brighten up -开畅,kāi chàng,happy and carefree -开旷,kāi kuàng,open and vast -开曼群岛,kāi màn qún dǎo,Cayman Islands -开会,kāi huì,to hold a meeting; to attend a meeting -开服,kāi fú,"to start the servers (for an online game, typically after the system has been shut down for maintenance, upgrade etc)" -开朗,kāi lǎng,spacious and well-lit; open and clear; (of character) optimistic; cheerful; carefree -开本,kāi běn,"book format, similar to in-4°, in-8° etc (a 16-kai format 16開|16开[shi2liu4-kai1] is roughly A4) (abbr. to 開|开[kai1])" -开架,kāi jià,open shelves (in self-service store or user access library) -开杆,kāi gǎn,to tee off (golf); to break (snooker) -开业,kāi yè,to open a business; to open a practice; open (for business) -开业大吉,kāi yè dà jí,celebration on opening a business -开枪,kāi qiāng,to open fire; to shoot a gun -开机,kāi jī,to start an engine; to boot up (a computer); to press Ctrl-Alt-Delete; to begin shooting a film or TV show -开步,kāi bù,to step forward; to walk -开水,kāi shuǐ,boiled water; boiling water -开水壶,kāi shuǐ hú,kettle -开江,kāi jiāng,"Kaijiang county in Dazhou 達州|达州[Da2 zhou1], Sichuan" -开江县,kāi jiāng xiàn,"Kaijiang county in Dazhou 達州|达州[Da2 zhou1], Sichuan" -开河,kāi hé,to open a river; to dig a canal; to thaw (of river) -开河期,kāi hé qī,thawing and opening up of frozen river in spring -开消,kāi xiāo,variant of 開銷|开销[kai1 xiao1] -开涮,kāi shuàn,(coll.) to make fun of (sb); to play tricks on -开源,kāi yuán,to establish additional sources of revenue; (computing) open-source (abbr. for 開放源碼|开放源码[kai1fang4 yuan2ma3]) -开源节流,kāi yuán jié liú,lit. to open a water source and reduce outflow (idiom); to increase income and save on spending; to broaden the sources of income and economize on expenditure -开源软件,kāi yuán ruǎn jiàn,open-source software -开溜,kāi liū,to leave in stealth; to slip away -开满,kāi mǎn,to bloom abundantly -开演,kāi yǎn,"(of a play, movie etc) to begin" -开漳圣王,kāi zhāng shèng wáng,"Sacred King, founder of Zhangzhou, posthumous title of Tang dynasty general Chen Yuanguang (657-711) 陳元光|陈元光[Chen2 Yuan2 guang1]" -开火,kāi huǒ,to open fire -开灯,kāi dēng,to turn on the light -开炉,kāi lú,to open a furnace; to start up a furnace -开尔文,kāi ěr wén,"Lord Kelvin 1824-1907, British physicist (William Thomson); Kelvin (temperature scale)" -开犁,kāi lí,to start plowing; to plow the first furrow -开奖,kāi jiǎng,to announce the winners in a lottery -开玩笑,kāi wán xiào,to play a joke; to make fun of; to joke -开球,kāi qiú,open ball (math.); to start a ball game; to kick off (soccer); to tee off (golf) -开瓶器,kāi píng qì,bottle opener -开瓶费,kāi píng fèi,corkage fee -开疆,kāi jiāng,to pioneer a frontier area; to open up new territory -开疆拓土,kāi jiāng tuò tǔ,(idiom) to expand one's territory; to conquer new lands; (fig.) to expand one's business into new markets -开发,kāi fā,to exploit (a resource); to open up (for development); to develop -开发人员,kāi fā rén yuán,developer -开发区,kāi fā qū,development zone -开发周期,kāi fā zhōu qī,development cycle; development period; also written 開發週期|开发周期 -开发商,kāi fā shāng,"developer (of real estate, a commercial product etc)" -开发环境,kāi fā huán jìng,development environment (computer) -开发者,kāi fā zhě,developer -开发周期,kāi fā zhōu qī,development cycle; development period -开发过程,kāi fā guò chéng,development process -开发银行,kāi fā yín háng,development bank -开盘,kāi pán,to commence trading (stock market) -开盘汇率,kāi pán huì lǜ,opening exchange rate -开眼,kāi yǎn,to open one's eyes; to widen one's horizons -开眼界,kāi yǎn jiè,"broaden, expand one's horizons" -开炮,kāi pào,to open fire -开矿,kāi kuàng,to mine; to open a seam -开示,kāi shì,to instruct (novices); to preach; to teach; to reveal -开票,kāi piào,to open ballot boxes; to count votes; to make out a voucher or invoice etc; to write out a receipt -开禁,kāi jìn,to lift a ban; to lift a curfew -开福,kāi fú,"Kaifu district of Changsha city 長沙市|长沙市[Chang2 sha1 shi4], Hunan" -开福区,kāi fú qū,"Kaifu district of Changsha city 長沙市|长沙市[Chang2 sha1 shi4], Hunan" -开窍,kāi qiào,to get it straight; to start to understand things properly; enlightenment dawns -开立,kāi lì,"to found; to establish; to set up; to open (an account, a branch store etc); to draw up (a certificate, receipt, prescription etc)" -开站,kāi zhàn,to put a new bus or railway station into operation -开端,kāi duān,start; beginning -开笔,kāi bǐ,"to start learning as a poet; to write one's first (poem, essay etc)" -开筵,kāi yán,to host a banquet -开箱,kāi xiāng,unboxing; to unbox -开篇,kāi piān,start of literary work; opening song of ballad in Tanci style 彈詞|弹词[tan2 ci2] -开红盘,kāi hóng pán,(of a store) to open for business for the first time in the New Year; (of a business) to be profitable; (of a stock market) to rise; (sport) to win one's first match of a competition -开绿灯,kāi lǜ dēng,to give the green light; to give the go-ahead -开绽,kāi zhàn,to come unsewn -开线,kāi xiàn,to come unsewn; to split at the seam -开县,kāi xiàn,"Kai county in Wanzhou suburbs of north Chongqing municipality, formerly in Sichuan" -开罪,kāi zuì,to offend sb; to give offense; to displease -开罚单,kāi fá dān,to issue an infringement notice -开罗,kāi luó,"Cairo, capital of Egypt" -开罗大学,kāi luó dà xué,Cairo University -开胃,kāi wèi,to whet the appetite; appetizing; to amuse oneself at sb's expense; to tease -开胃菜,kāi wèi cài,starter; appetizer -开胃酒,kāi wèi jiǔ,aperitif wine -开脱,kāi tuō,to exculpate; to absolve; to exonerate -开脱罪责,kāi tuō zuì zé,to absolve sb from guilt; to exonerate; to exculpate -开腔,kāi qiāng,to speak out; to start speaking -开脑洞,kāi nǎo dòng,"to blow people's minds with highly imaginative, bizarre ideas" -开膛手杰克,kāi táng shǒu jié kè,Jack the Ripper -开胶,kāi jiāo,to come unglued; to come apart -开脸,kāi liǎn,(of a bride-to-be) to remove facial hair and trim hairline (old); to carve a face -开台,kāi tái,start of play; opening of theatrical performance -开台锣鼓,kāi tái luó gǔ,opening gong; gong strokes announcing start of opera performance -开船,kāi chuán,to set sail -开花,kāi huā,to bloom; to blossom; to flower; (fig.) to burst; to split open; (fig.) to burst with joy; (fig.) to spring up everywhere; to flourish -开花儿,kāi huā er,erhua variant of 開花|开花[kai1 hua1] -开花衣,kāi huā yī,to open a bale of cotton -开苞,kāi bāo,to deflower -开荒,kāi huāng,to open up land (for agriculture) -开荤,kāi hūn,to eat meat after having maintained a vegetarian diet; (fig.) to do sth as a novel experience -开蒙,kāi méng,(old) (of a child) to begin schooling -开药,kāi yào,to prescribe medicine -开行,kāi xíng,"(of a bus, a train, a boat) to start off" -开衩,kāi chà,slit (in clothing) -开裂,kāi liè,"to split open; to dehisce (of fruit or cotton bolls, to split open)" -开襟,kāi jīn,buttoned Chinese tunic; unbuttoned (to cool down) -开襟衫,kāi jīn shān,cardigan -开裆裤,kāi dāng kù,open-crotch pants (for toddlers) -开解,kāi jiě,to straighten out; to explain; to ease sb's anxiety -开言,kāi yán,to start to speak -开设,kāi shè,to offer (goods or services); to open (for business etc) -开许,kāi xǔ,(literary) to allow; to permit -开诚布公,kāi chéng bù gōng,variant of 開誠布公|开诚布公[kai1 cheng2 bu4 gong1] -开诚布公,kāi chéng bù gōng,lit. deal sincerely and fairly (idiom); frank and open-minded; plain speaking; Let's talk frankly and openly between ourselves.; to put one's cards on the table -开诚相见,kāi chéng xiāng jiàn,candid and open (idiom) -开课,kāi kè,school begins; give a course; teach a subject -开讲,kāi jiǎng,to begin a lecture; to start on a story -开议,kāi yì,to hold a (business) meeting; to start negotiations -开账,kāi zhàng,to make out a bill -开赛,kāi sài,to start a match; the kick-off -开走,kāi zǒu,"to go (of car, train etc); to drive off" -开赴,kāi fù,(of troops) to depart for; to head for -开足马力,kāi zú mǎ lì,to accelerate at full power (idiom); at full speed; fig. to work as hard as possible -开路,kāi lù,to open up a path; to make one's way through; to construct a road; (electricity) open circuit -开路先锋,kāi lù xiān fēng,pioneer; trailblazer -开车,kāi chē,to drive a car -开车人,kāi chē rén,driver; person driving a vehicle -开车族,kāi chē zú,motorists -开办,kāi bàn,to open; to start (a business etc); to set up -开通,kāi tōng,to open (a new road or railway line); to set up (a hotline); to launch (a service); to subscribe to (a members-only service) -开通,kāi tong,open-minded -开运竹,kāi yùn zhú,lucky bamboo (Dracaena sanderiana) -开道,kāi dào,to clear the way -开远,kāi yuǎn,"Kaiyuan, county-level city in Honghe Hani and Yi autonomous prefecture, Yunnan" -开远市,kāi yuǎn shì,"Kaiyuan, county-level city in Honghe Hani and Yi autonomous prefecture, Yunnan" -开都河,kāi dū hé,"Kaidu River, Xinjiang" -开酒费,kāi jiǔ fèi,corkage fee -开释,kāi shì,to release (a prisoner) -开金,kāi jīn,carated gold (alloy containing stated proportion of gold) -开销,kāi xiāo,to pay (expenses); expenses; (old) to dismiss (an employee) -开锅,kāi guō,to season a wok; to take the lid off a pot; (of the contents of a pot) to start to boil; (fig.) to become rowdy -开锁,kāi suǒ,to unlock -开镰,kāi lián,to start the harvest -开锣,kāi luó,to beat the gong to open a performance -开锣喝道,kāi luó hè dào,to clear a street by banging gongs and shouting loudly (idiom) -开钻,kāi zuān,to start drilling -开凿,kāi záo,"to cut (a canal, tunnel, well etc)" -开门,kāi mén,to open a door (lit. and fig.); to open for business -开门揖盗,kāi mén yī dào,leaving the door open invites the thief (idiom); to invite disaster by giving evildoers a free hand -开门炮,kāi mén pào,firecrackers set off at the stroke of midnight on New Year's Day (a Chinese tradition) -开门红,kāi mén hóng,a good beginning -开门见山,kāi mén jiàn shān,lit. to open the door and see the mountain; fig. to get right to the point (idiom) -开闭幕式,kāi bì mù shì,opening and closing ceremonies -开间,kāi jiān,"unit for the width of a room, equal to the standard width of a room in an old-style house – about 10 chi 尺[chi3]; width of a room; (architecture) bay" -开阔,kāi kuò,wide; open (spaces); to open up -开关,kāi guān,power switch; gas valve; to open the city (or frontier) gate; to open and close; to switch on and off -开辟,kāi pì,to open up; to set up; to establish -开辟者,kāi pì zhě,pioneer; groundbreaker -开除,kāi chú,to expel (a member of an organization); to fire (an employee) -开除学籍,kāi chú xué jí,to expel from school -开除党籍,kāi chú dǎng jí,to expel from the Party -开阳,kāi yáng,"zeta Ursae Majoris in the Big Dipper; Kaiyang county in Guiyang 貴陽|贵阳[Gui4 yang2], Guizhou" -开阳县,kāi yáng xiàn,"Kaiyang county in Guiyang 貴陽|贵阳[Gui4 yang2], Guizhou" -开集,kāi jí,open set (math.) -开霁,kāi jì,to clear up (of weather) -开革,kāi gé,to fire; to discharge -开头,kāi tóu,beginning; to start -开颜,kāi yán,to smile; to beam -开饭,kāi fàn,to serve a meal -开首,kāi shǒu,beginning; start; opening; in the beginning; to start; to open -开高叉,kāi gāo chā,slit dress -开鲁,kāi lǔ,"Kailu county in Tongliao 通遼|通辽[Tong1 liao2], Inner Mongolia" -开鲁县,kāi lǔ xiàn,"Kailu county in Tongliao 通遼|通辽[Tong1 liao2], Inner Mongolia" -开麦拉,kāi mài lā,camera (loanword) -开黑店,kāi hēi diàn,lit. to open an inn that kills and robs guests (esp. in traditional fiction); fig. to carry out a scam; to run a protection racket; daylight robbery -开斋,kāi zhāi,to stop following a vegetarian diet; to break a fast -开斋节,kāi zhāi jié,"(Islam) Eid al-Fitr, festival that marks the end of Ramadan" -闶,kāng,used in 閌閬|闶阆[kang1 lang2]; Taiwan pr. [kang4] -闶阆,kāng láng,(dialect) open space within a structure -闳,hóng,surname Hong -闳,hóng,big; gate -闰,rùn,intercalary; an extra day or month inserted into the lunar or solar calendar (such as February 29) -闰年,rùn nián,leap year; (lunar calendar) year with a thirteen intercalary month -闰月,rùn yuè,intercalary month in the lunar calendar; leap month -闲,xián,enclosure; (variant of 閒|闲[xian2]) idle; unoccupied; leisure -闲人,xián rén,variant of 閒人|闲人[xian2ren2] -闲冗,xián rǒng,officials with light duties; supernumeraries -闲在,xián zai,at leisure -闲坐,xián zuò,to sit around; to sit idly -闲居,xián jū,to lead a quiet and peaceful life in retirement; to stay home with nothing to do; to lead a solitary life -闲心,xián xīn,leisurely mood; relaxed frame of mind -闲暇,xián xiá,leisure; free time; unoccupied; not in use -闲章,xián zhāng,"recreative seal, bearing not the owner's name but a well-known verse or such, and used for artistic purposes on paintings etc" -闲聊天,xián liáo tiān,to chat; idle gossip -闲职,xián zhí,sinecure; position with practically no obligations -闲花,xián huā,wild flower -闲言碎语,xián yán suì yǔ,idle gossip; irrelevant nonsense; slanderous rumor -闲话家常,xián huà jiā cháng,to chat about domestic trivia (idiom) -闲谈,xián tán,variant of 閒談|闲谈[xian2 tan2] -闲逛,xián guàng,to stroll -闲逸,xián yì,comfort and leisure -闲雅,xián yǎ,elegant; graceful -闲杂,xián zá,(employee) having no fixed duties -闲静,xián jìng,calm; tranquil -閒,jiān,variant of 間|间[jian1] -閒,jiàn,variant of 間|间[jian4] -闲,xián,idle; unoccupied; leisure -闲事,xián shì,other people's business -闲人,xián rén,idle person; idler; person who has no legitimate reason to be in a certain place -闲侃,xián kǎn,to chat idly -闲来无事,xián lái wú shì,at leisure; idle; to have nothing to do -闲口,xián kǒu,idle talk -闲情,xián qíng,leisurely frame of mind -闲情逸致,xián qíng yì zhì,leisurely and carefree mood -闲扯,xián chě,to chat; idle talk -闲散,xián sǎn,"laid back; leisurely; (of resources: workers, funds etc) unused; idle" -闲晃,xián huàng,to hang around; to hang out -闲暇,xián xiá,leisure -闲书,xián shū,light reading -闲混,xián hùn,to loiter -闲空,xián kòng,idle; free time; leisure -闲置,xián zhì,to leave sth unused; to lie idle -闲聊,xián liáo,to chat; casual conversation -闲言闲语,xián yán xián yǔ,idle gossip -闲话,xián huà,casual conversation; chat; gossip; to talk about (whatever comes to mind) -闲谈,xián tán,to chat -闲适,xián shì,leisurely and comfortable; relaxed -闲钱,xián qián,spare money -闲余,xián yú,(of one's time) idle; unoccupied -间,jiān,between; among; within a definite time or space; room; section of a room or lateral space between two pairs of pillars; classifier for rooms -间,jiàn,gap; to separate; to thin out (seedlings); to sow discontent -间不容发,jiān bù róng fà,(to escape danger etc) by a hair's breadth (idiom); in a critical state; on the brink of crisis; very close (to happening); Taiwan pr. [jian4 bu4 rong2 fa3] -间作,jiàn zuò,interplanting -间使,jiàn shǐ,secret envoy; acupuncture point Pc-5 -间充,jiān chōng,"mesenchymal (tissue, in cell biology)" -间充质,jiān chōng zhì,mesenchyme (loosely organized embryonic connective tissue) -间充质干细胞,jiān chōng zhì gàn xì bāo,mesenchymal stem cell MSC (in cell biology) -间壁,jiàn bì,next door; partition wall -间奏,jiān zòu,interlude (music) -间或,jiàn huò,occasionally; now and then -间接,jiàn jiē,indirect -间接税,jiàn jiē shuì,indirect tax -间接证据,jiàn jiē zhèng jù,indirect testimony; circumstantial evidence -间接宾语,jiàn jiē bīn yǔ,indirect object (grammar) -间接选举,jiàn jiē xuǎn jǔ,indirect election -间断,jiàn duàn,disconnected; interrupted; suspended; a gap; a break -间歇,jiàn xiē,to stop in the middle of sth; intermittent; intermittence -间歇训练,jiàn xiē xùn liàn,interval training -间皮瘤,jiān pí liú,mesothelioma (medicine) -间脑,jiān nǎo,diencephalon -间苗,jiàn miáo,thinning out seedlings -间谍,jiàn dié,spy -间谍活动,jiàn dié huó dòng,espionage; spying -间谍网,jiàn dié wǎng,spy network -间谍罪,jiàn dié zuì,crime of spying -间谍软件,jiàn dié ruǎn jiàn,spyware -间质,jiān zhì,mesenchyme (physiology) -间距,jiān jù,gap; spacing; distance between objects; interval between events -间隔,jiàn gé,"gap; interval; compartment; to divide; to separate; to leave a gap of (two weeks, three meters etc)" -间隔摄影,jiàn gé shè yǐng,time-lapse photography -间隔号,jiàn gé hào,Chinese centered dot mark · (punct. used to separate Western names or words) -间隔重复,jiàn gé chóng fù,spaced repetition -间隙,jiàn xì,interval; gap; clearance -闵,mǐn,surname Min -闵,mǐn,old variant of 憫|悯[min3] -闵凶,mǐn xiōng,suffering; affliction -闵科夫斯基,mǐn kē fū sī jī,"Minkowski (name); Hermann Minkowski (1864-1909), German mathematician" -闵行区,mǐn háng qū,Minhang District of Shanghai -闸,zhá,sluice; sluice gate; to dam up water; (coll.) brake; (coll.) electric switch -闸北区,zhá běi qū,"Zhabei district, central Shanghai" -闸口,zhá kǒu,area in the Shangcheng district of Hangzhou -闸口,zhá kǒu,open sluice gate; (toll) station; boarding gate (airport etc); (fig.) gateway (access point) -闸机,zhá jī,turnstile -闸盒,zhá hé,electric fusebox; switch box -闸道,zhá dào,(computing) gateway (Tw) -闸门,zhá mén,sluice gate -闸阀,zhá fá,gate valve; sluice valve -闹,nào,variant of 鬧|闹[nao4] -阂,hé,obstruct -阁,gé,pavilion (usu. two-storied); cabinet (politics); boudoir; woman's chamber; rack; shelf -阁下,gé xià,your distinguished self; your majesty; sire -阁僚,gé liáo,cabinet member -阁揆,gé kuí,premier; prime minister -阁楼,gé lóu,garret; loft; attic -阁议,gé yì,cabinet meeting -合,hé,variant of 合[he2] -阀,fá,"powerful individual, family or group; clique; (loanword) valve" -阀芯,fá xīn,valve stem -阀门,fá mén,valve (mechanical) -閦,chù,"crowd; transliteration of Sanskrit 'kso', e.g. Aksobhya Buddha 阿閦佛" -哄,hòng,variant of 鬨|哄[hong4] -闺,guī,small arched door; boudoir; lady's chamber; (fig.) women -闺女,guī nü,maiden; unmarried woman; (coll.) daughter -闺情,guī qíng,women's love; passion (felt by lady) -闺房,guī fáng,lady's chamber; boudoir; harem -闺秀,guī xiù,well-bred young lady -闺窗,guī chuāng,a lady's chamber; boudoir -闺范,guī fàn,lady's demeanor; norms expected of women (in former times) -闺蜜,guī mì,"(coll.) (a woman's) close female friend; bestie; (originally written 閨密|闺密, an abbr. for 閨中密友|闺中密友)" -闺门旦,guī mén dàn,young unmarried lady role in Chinese opera -闺阁,guī gé,lady's chamber -闺阃,guī kǔn,women's quarters -闽,mǐn,short name for Fujian province 福建[Fu2 jian4]; also pr. [Min2] -闽侯,mǐn hòu,"Minhou, a county in Fuzhou City 福州市[Fu2zhou1 Shi4], Fujian" -闽侯县,mǐn hòu xiàn,"Minhou, a county in Fuzhou City 福州市[Fu2zhou1 Shi4], Fujian" -闽南,mǐn nán,Minnan (southern Fujian) -闽南话,mǐn nán huà,"Southern Min, a family of Sinitic languages spoken in southern Fujian and surrounding areas; Hokkien, major variety of Southern Min" -闽南语,mǐn nán yǔ,"Southern Min, a Sinitic language spoken in southern Fujian and surrounding areas" -闽江,mǐn jiāng,"Min River, Fujian" -闽清,mǐn qīng,"Minqing, a county in Fuzhou City 福州市[Fu2zhou1 Shi4], Fujian" -闽清县,mǐn qīng xiàn,"Minqing, a county in Fuzhou City 福州市[Fu2zhou1 Shi4], Fujian" -闽粤,mǐn yuè,Fujian and Guangdong -闽菜,mǐn cài,Fujian cuisine -闽语,mǐn yǔ,"Min dialects, spoken in Fujian Province, Taiwan etc" -阃,kǔn,threshold; inner appartments; woman; wife (honorific) -阃奥,kǔn ào,innermost room; (fig.) heart -阃寄,kǔn jì,military command -阃范,kǔn fàn,model of feminine virtues -阆,láng,used in 閌閬|闶阆[kang1 lang2] -阆,làng,(literary) vast; spacious; (literary) lofty; (literary) tall door; (literary) dry moat outside a city wall -阆中,làng zhōng,"Langzhong, county-level city in Nanchong 南充[Nan2 chong1], Sichuan" -阆中市,làng zhōng shì,"Langzhong, county-level city in Nanchong 南充[Nan2 chong1], Sichuan" -阆苑,làng yuàn,"Langyuan paradise, home of the immortals in verse and legends" -阆风,láng fēng,"Langfeng Mountain; same as Langyuan 閬苑|阆苑[Lang4 yuan4] paradise, home of the immortals in verse and legends" -阆风巅,láng fēng diān,"Langfeng Mountain; same as Langyuan 閬苑|阆苑[Lang4 yuan4] paradise, home of the immortals in verse and legends" -阆凤山,láng fèng shān,"Langfeng Mountain; same as Langyuan 閬苑|阆苑[Lang4 yuan4] paradise, home of the immortals in verse and legends" -闾,lǘ,gate of a village; village -闾尾,lǘ wěi,coccyx -阅,yuè,to inspect; to review; to read; to peruse; to go through; to experience -阅世,yuè shì,to see the world -阅兵,yuè bīng,to review troops; military parade -阅兵式,yuè bīng shì,military parade -阅卷,yuè juàn,to grade exam papers -阅女无数,yuè nǚ wú shù,(idiom) to have had relationships with many women -阅微草堂笔记,yuè wēi cǎo táng bǐ jì,"Notes on a Minutely Observed Thatched Hut by Ji Yun 紀昀|纪昀[Ji4 Yun2], novel of the supernatural; The Thatched Study of Close Scrutiny" -阅历,yuè lì,to experience; experience -阅男无数,yuè nán wú shù,(idiom) to have had relationships with many men -阅听人,yuè tīng rén,(Tw) audience -阅览,yuè lǎn,to read -阅览室,yuè lǎn shì,reading room; CL:間|间[jian1] -阅读,yuè dú,to read; reading -阅读器,yuè dú qì,reader (software) -阅读广度,yuè dú guǎng dù,reading span -阅读时间,yuè dú shí jiān,viewing time -阅读理解,yuè dú lǐ jiě,reading comprehension -阅读装置,yuè dú zhuāng zhì,"electronic reader (e.g. for barcodes, RFID tags etc)" -阅读障碍,yuè dú zhàng ài,dyslexia -阊,chāng,gate of heaven; gate of palace -阉,yān,to castrate; a castrate; neuter -阉人,yān rén,a castrate -阉割,yān gē,to castrate; fig. to emasculate -阉然,yān rán,covertly; secretly -阉竖,yān shù,eunuch (contemptuous appellation) -阎,yán,surname Yan (sometimes written 閆|闫[Yan2] in recent years) -阎,yán,(literary) the gate of a lane -阎君,yán jūn,"(Buddhism) Yama, the King of Hell" -阎王,yán wang,"(Buddhism) Yama, the King of Hell; (fig.) cruel and tyrannical person" -阎王爷,yán wáng yé,"(Buddhism) Yama, the King of Hell" -阎罗,yán luó,"(Buddhism) Yama, the King of Hell" -阎罗王,yán luó wáng,"(Buddhism) Yama, the King of Hell" -阎老,yán lǎo,"(Buddhism) Yama, the King of Hell" -阎良,yán liáng,"Yanliang District of Xi'an 西安市[Xi1 an1 Shi4], Shaanxi" -阎良区,yán liáng qū,"Yanliang District of Xi’an 西安市[Xi1 an1 Shi4], Shaanxi" -阎锡山,yán xī shān,"Yan Xishan (1883-1960), warlord in Shanxi" -阎魔,yán mó,"(Buddhism) Yama, the King of Hell" -阏,è,to block; to restrain; to control -阏,yān,see 閼氏|阏氏[yan1 zhi1] -阏氏,yān zhī,formal wife of a Xiongnu chief during the Han Dynasty (206 BC-220 AD) -阍,hūn,doorkeeper -阈,yù,threshold -阈值,yù zhí,threshold -阈限,yù xiàn,(psychology) threshold; liminal -阌,wén,"wen xiang, Henan province" -阒,qù,quiet; to live alone -阒寂,qù jì,still; quiet -阒然,qù rán,quiet; still and silent -板,bǎn,"see 老闆|老板, boss" -板,pàn,to catch sight of in a doorway (old) -暗,àn,(literary) to close (a door); to eclipse; confused; ignorant (variant of 暗[an4]); dark (variant of 暗[an4]) -闱,wéi,door to women's room; gate to palace -阔,kuò,rich; wide; broad -阔人,kuò rén,rich person; the rich -阔佬,kuò lǎo,wealthy person; millionaire -阔别,kuò bié,separated for a long time -阔嘴鹬,kuò zuǐ yù,(bird species of China) broad-billed sandpiper (Limicola falcinellus) -阔度,kuò dù,breadth -阔步,kuò bù,to stride forward -阔气,kuò qi,lavish; generous; bounteous; prodigal -阔绰,kuò chuò,extravagant; liberal with money -阔老,kuò lǎo,variant of 闊佬|阔佬[kuo4 lao3] -阔叶,kuò yè,broad-leaved (tree) -阔蹑,kuò niè,to stride (formal writing) -阕,què,(literary) to end; to stop; one of the stanzas (usually two) of a ci poem 詞|词[ci2]; classifier for songs or ci poems -阑,lán,railing; balustrade; door-screen; exhausted; late -阑入,lán rù,to trespass; to mix; to mingle -阑出,lán chū,to leave impulsively; to send out (merchandise) without authorization -阑尾,lán wěi,appendix; vermiform appendix (anatomy) -阑尾切除术,lán wěi qiē chú shù,appendectomy (medicine) -阑尾炎,lán wěi yán,appendicitis (medicine) -阑干,lán gān,(literary) crisscross; uneven; disorderly; rim of the eye; variant of 欄杆|栏杆[lan2 gan1] -阑槛,lán jiàn,railing; fence; banisters -阑槛,lán kǎn,see 闌檻|阑槛[lan2 jian4] -阑殚,lán dān,tired and exhausted -阑珊,lán shān,coming to an end; waning -阑遗,lán yí,unclaimed articles -阑头,lán tóu,lintel; architrave -阑风,lán fēng,continuous blowing of the wind -阇,dū,defensive platform over gate; barbican -阇,shé,(used in transliteration from Sanskrit) -阇梨,shé lí,Buddhist monk (Sanskrit: jala) -阇黎,shé lí,Buddhist teacher (Sanskrit transliteration); also written 闍梨|阇梨[she2 li2] -阗,tián,fill up; rumbling sound -阖,hé,door; to close; whole -阖家,hé jiā,variant of 合家[he2 jia1] -阖庐,hé lú,"King Helu of Wu (-496 BC, reigned 514-496 BC); also called 闔閭|阖闾" -阖第光临,hé dì guāng lín,the whole family is invited (idiom) -阖闾,hé lǘ,"King Helu of Wu (-496 BC, reigned 514-496 BC); also called 闔廬|阖庐" -阖闾城,hé lǘ chéng,"capital city of King Helu of Wu from 6th century BC, at modern Wuxi, Jiangsu" -阖闾城遗址,hé lǘ chéng yí zhǐ,"ruins of capital city of King Helu of Wu, from 6th century BC, at modern Wuxi, Jiangsu" -阙,quē,surname Que -阙,quē,used in place of 缺 (old); mistake -阙,què,Imperial city watchtower (old); fault; deficiency -阙特勤,quē tè qín,"Kul Tigin or Kultegin (685-c. 731), general of the Second Turkic Kaganate" -闯,chuǎng,to rush; to charge; to dash; to break through; to temper oneself (through battling hardships) -闯入,chuǎng rù,to intrude; to charge in; to gate-crash -闯出名堂,chuǎng chū míng tang,to make a name for oneself -闯王,chuǎng wáng,"Chuangwang or Roaming King, adopted name of late Ming peasant rebel leader Li Zicheng 李自成 (1605-1645)" -闯王陵,chuǎng wáng líng,"mausoleum to the late-Ming peasant rebel leader Li Zicheng 李自成[Li3 Ze4 cheng2], nicknamed Dashing King 闖王|闯王[Chuang3 Wang2]" -闯祸,chuǎng huò,to cause an accident; to make trouble; to get into trouble -闯空门,chuǎng kōng mén,to break into a house when nobody is home -闯红灯,chuǎng hóng dēng,to run a red light; failing to stop at a red traffic light; (slang) to have sex with a girl while she is menstruating -闯荡,chuǎng dàng,to leave home to make one's way in the world; to leave the life one knows to seek success -闯荡江湖,chuǎng dàng jiāng hú,to travel around the country -闯进,chuǎng jìn,to burst in -闯过,chuǎng guò,to crash one's way through -闯关,chuǎng guān,to crash through a barrier -闯关者,chuǎng guān zhě,person who crashes through a barrier; gate-crasher -窥,kuī,variant of 窺|窥[kui1] -关,guān,surname Guan -关,guān,"mountain pass; to close; to shut; to turn off; to confine; to lock (sb) up; to shut (sb in a room, a bird in a cage etc); to concern; to involve" -关上,guān shàng,"to close (a door); to turn off (light, electrical equipment etc)" -关中,guān zhōng,Guanzhong Plain in Shaanxi -关中地区,guān zhōng dì qū,Guanzhong Plain in Shaanxi -关中平原,guān zhōng píng yuán,Guanzhong Plain in Shaanxi -关之琳,guān zhī lín,"Rosamund Kwan (1962-), Hong Kong actress" -关乎,guān hū,to relate to; concerning; about -关云长,guān yún cháng,courtesy name of 關羽|关羽[Guan1 Yu3] -关你屁事,guān nǐ pì shì,(coll.) None of your goddamn business!; Mind your own business! -关系,guān xi,relation; relationship; to concern; to affect; to have to do with; guanxi; CL:個|个[ge4] -关系代名词,guān xi dài míng cí,relative pronoun -关系到,guān xì dào,relates to; bears upon -关系式,guān xì shì,equation expressing a relation (math.) -关系户,guān xi hù,"a connection (sb with whom one has dealings on the basis of ""scratch my back and I'll scratch yours"")" -关系网,guān xi wǎng,"network of people with whom one has dealings on the basis of ""scratch my back and I'll scratch yours""" -关停,guān tíng,"(of a power plant, refinery etc) to shut down" -关公,guān gōng,Lord Guan (i.e. 關羽|关羽[Guan1 Yu3]) -关公面前耍大刀,guān gōng miàn qián shuǎ dà dāo,lit. to wield the broadsword in the presence of Lord Guan (idiom); fig. to make a fool of oneself by showing off in front of an expert -关切,guān qiè,to be deeply concerned; to be troubled (by) -关卡,guān qiǎ,"checkpoint (for taxation, security etc); barrier; hurdle; red tape; CL:個|个[ge4],道[dao4]" -关口,guān kǒu,pass; gateway; (fig.) juncture -关严,guān yán,to close (a window) completely; to shut (a door) properly; to turn off (a faucet) tightly -关城,guān chéng,defensive fort over border post -关塔纳摩,guān tǎ nà mó,"Guantanamo, Cuba" -关塔那摩,guān tǎ nà mó,Guantanamo -关塔那摩湾,guān tǎ nà mó wān,Guantanamo Bay (in Cuba) -关塞,guān sài,"border fort, esp. defending narrow valley" -关境,guān jìng,customs border -关外,guān wài,"beyond the pass, i.e. the region north and east of Shanhai Pass 山海關|山海关[Shan1 hai3 guan1] or the region west of Jiayu Pass 嘉峪關|嘉峪关[Jia1 yu4 guan1] or both" -关子,guān zi,climax (in a story) -关山,guān shān,"Guanshan or Kuanshan town in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan" -关山,guān shān,fortresses and mountains (along the Great Wall); one's hometown -关山镇,guān shān zhèn,"Guanshan or Kuanshan town in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan" -关岛,guān dǎo,Guam -关岛大学,guān dǎo dà xué,University of Guam -关岭布依族苗族自治县,guān lǐng bù yī zú miáo zú zì zhì xiàn,"Guanling Buyei and Hmong autonomous county in Anshun 安順|安顺[An1 shun4], Guizhou" -关岭县,guān lǐng xiàn,"Guanling Buyei and Hmong autonomous county in Anshun 安順|安顺[An1 shun4], Guizhou" -关店歇业,guān diàn xiē yè,to close up shop and cease business temporarily; closed for business -关庙,guān miào,"Guanmiao, a district in Tainan 台南|台南[Tai2 nan2], Taiwan" -关厂,guān chǎng,to shut down (a factory); to close a facility; a lockout -关张,guān zhāng,(of a shop) to close down; to go out of business -关征,guān zhēng,customs levy; customs post charging import duties -关心,guān xīn,to be concerned about; to care about -关爱,guān ài,to show concern and care for -关怀,guān huái,care; solicitude; to show care for; concerned about; attentive to -关怀备至,guān huái bèi zhì,the utmost care (idiom); to look after sb in every possible way -关押,guān yā,to imprison; to lock up (in jail) -关掉,guān diào,to switch off; to shut off -关文,guān wén,official document sent to an agency (or an official) of equal rank (in imperial times) -关断,guān duàn,to shut off -关于,guān yú,pertaining to; concerning; with regard to; about; a matter of -关东,guān dōng,Northeast China; Manchuria; lit. east of Shanhai Pass 山海關|山海关[Shan1 hai3 guan1]; Kantō region of Japan -关东地震,guān dōng dì zhèn,"Kantō earthquake of 1923, magnitude 8.2, that killed 200,000 people in the Tokyo area" -关东煮,guān dōng zhǔ,"oden, Japanese dish made with boiled eggs, processed fish cakes, daikon radish, tofu etc in a kelp-based broth" -关东军,guān dōng jūn,"Japanese Kwantung army (or Kantō army), notorious for numerous atrocities in China during WWII" -关格,guān gé,"blocked or painful urination, constipation and vomiting (Chinese medicine)" -关栈,guān zhàn,bonded warehouse -关栈费,guān zhàn fèi,bonding fee -关机,guān jī,to turn off (a machine or device); to finish shooting a film -关注,guān zhù,to pay attention to; to follow sth closely; to follow (on social media); concern; interest; attention -关涉,guān shè,to relate (to); to concern; to involve; connection; relationship -关汉卿,guān hàn qīng,"Guan Hanqing (c. 1235-c. 1300), Yuan dynasty dramatist in the 雜劇|杂剧 tradition of musical comedy, one of the Four Great Yuan dramatists 元曲四大家" -关照,guān zhào,to take care; to keep an eye on; to look after; to tell; to remind -关白,guān bái,to inform; to notify -关禁闭,guān jìn bì,"to put in detention (a soldier, a pupil)" -关税,guān shuì,customs duty; tariff -关税同盟,guān shuì tóng méng,customs union -关税国境,guān shuì guó jìng,customs border -关税壁垒,guān shuì bì lěi,tariff wall -关税与贸易总协定,guān shuì yǔ mào yì zǒng xié dìng,"GATT, the 1995 General Agreement on Tariffs and Trade" -关颖珊,guān yǐng shān,"Michelle Kwan (1980-), former American figure skater, Olympic medalist" -关节,guān jié,joint (physiology); key point; critical phase -关节囊,guān jié náng,articular capsule (of joint such as knee in anatomy) -关节炎,guān jié yán,arthritis -关节腔,guān jié qiāng,articular cavity; joint cavity -关节面,guān jié miàn,articular facet (anatomy); surface in joint -关系,guān xi,variant of 關係|关系[guan1 xi5] -关紧,guān jǐn,to close firmly; to fasten securely; to make fast; to lock -关羽,guān yǔ,"Guan Yu (-219), general of Shu and blood-brother of Liu Bei in Romance of the Three Kingdoms, fearsome fighter famous for virtue and loyalty; posthumously worshipped and identified with the guardian Bodhisattva Sangharama" -关联,guān lián,to be related; to be connected; relationship; connection -关联公司,guān lián gōng sī,related company; affiliate -关联词,guān lián cí,(grammar) a connective; a conjunction -关西,guān xī,"Kansai region, Japan; Guanxi or Kuanhsi town in Hsinchu County 新竹縣|新竹县[Xin1 zhu2 Xian4], northwest Taiwan" -关西镇,guān xī zhèn,"Guanxi or Kuanhsi town in Hsinchu County 新竹縣|新竹县[Xin1 zhu2 Xian4], northwest Taiwan" -关说,guān shuō,to speak on sb's behalf; to intercede for sb; to lobby illegally -关贸总协定,guān mào zǒng xié dìng,"GATT, the 1995 General Agreement on Tariffs and Trade" -关连,guān lián,variant of 關聯|关联[guan1 lian2] -关金,guān jīn,see 關金圓|关金圆[guan1 jin1 yuan2] -关金圆,guān jīn yuán,"Chinese customs gold unit, currency used in China between 1930 and 1948" -关键,guān jiàn,crucial point; crux; CL:個|个[ge4]; key; crucial; pivotal -关键字,guān jiàn zì,keyword -关键绩效指标,guān jiàn jì xiào zhǐ biāo,key performance indicator (KPI) -关键词,guān jiàn cí,keyword -关门,guān mén,"to close a door; to lock a door; (of a shop etc) to close (for the night, or permanently)" -关门大吉,guān mén dà jí,to close down a business for good and put the best face on it (idiom) -关门弟子,guān mén dì zǐ,last disciple of a master -关门打狗,guān mén dǎ gǒu,"lit. shut the door and beat the dog (idiom); fig. seal off the enemy's avenue of retreat, then strike hard" -关门捉贼,guān mén zhuō zéi,to catch a thief by closing his escape route (idiom) -关闭,guān bì,"to close; to shut (a window etc); (of a shop, school etc) to shut down" -关防,guān fáng,security measures (esp. border security); official seal (esp. military seal during Qing and Ming times) -关隘,guān ài,mountain pass -关头,guān tóu,juncture; moment -关饷,guān xiǎng,to receive one's salary; to pay sb's wages -阚,kàn,surname Kan -阚,kàn,to glance; to peep -阐,chǎn,to express; to disclose; to enlighten; to open -阐扬,chǎn yáng,to expound; to propagate -阐明,chǎn míng,to elucidate; to explain clearly; to expound -阐发,chǎn fā,to elucidate; to expound; to study and explain -阐示,chǎn shì,to demonstrate -阐述,chǎn shù,to expound (a position); to elaborate (on a topic); to treat (a subject) -阐释,chǎn shì,to explain; to expound; to interpret; elucidation -辟,pì,to open (a door); to open up (for development); to dispel; to refute; to repudiate; (bound form) penetrating; incisive -辟室,pì shì,lit. to open a room; fig. to settle in a quiet room; behind closed doors -辟室密谈,pì shì mì tán,to discuss behind closed doors -辟建,pì jiàn,(Tw) to construct (on undeveloped land) -辟谣,pì yáo,to refute a rumor; to deny -闼,tà,door of an inner room -阜,fù,abundant; mound -阜南,fù nán,"Funan, a county in Fuyang 阜陽|阜阳[Fu4yang2], Anhui" -阜南县,fù nán xiàn,"Funan, a county in Fuyang 阜陽|阜阳[Fu4yang2], Anhui" -阜城,fù chéng,"Fucheng county in Hengshui 衡水[Heng2 shui3], Hebei" -阜城县,fù chéng xiàn,"Fucheng county in Hengshui 衡水[Heng2 shui3], Hebei" -阜宁,fù níng,"Funing county in Yancheng 鹽城|盐城[Yan2 cheng2], Jiangsu" -阜宁县,fù níng xiàn,"Funing county in Yancheng 鹽城|盐城[Yan2 cheng2], Jiangsu" -阜平,fù píng,see 阜平縣|阜平县[Fu4 ping2 xian4] -阜平县,fù píng xiàn,"Fuping county, Baoding, Hebei" -阜康,fù kāng,"Fukang, county-level city in Changji Hui autonomous prefecture 昌吉回族自治州[Chang1 ji2 Hui2 zu2 zi4 zhi4 zhou1], Xinjiang" -阜康市,fù kāng shì,"Fukang, county-level city in Changji Hui autonomous prefecture 昌吉回族自治州[Chang1 ji2 Hui2 zu2 zi4 zhi4 zhou1], Xinjiang" -阜成门,fù chéng mén,Fuchengmen neighborhood of Beijing -阜新,fù xīn,Fuxin prefecture-level city in Liaoning province 遼寧省|辽宁省[Liao2 ning2 Sheng3] in northeast China -阜新市,fù xīn shì,Fuxin prefecture-level city in Liaoning province 遼寧省|辽宁省[Liao2 ning2 Sheng3] in northeast China -阜新蒙古族自治县,fù xīn měng gǔ zú zì zhì xiàn,"Fuxin Mongol autonomous county in Fuxin 阜新, Liaoning" -阜阳,fù yáng,Fuyang prefecture-level city in Anhui -阜阳市,fù yáng shì,Fuyang prefecture-level city in Anhui -阞,lè,layer; vein -阡,qiān,road leading north and south -阢,wù,used in 阢隉|阢陧[wu4nie4] -阢陧,wù niè,variant of 杌隉|杌陧[wu4nie4] -阪,bǎn,slope; hillside -坑,kēng,variant of 坑[keng1] -阮,ruǎn,surname Ruan; small state during the Shang Dynasty (1600-1046 BC) located in the southeast of present-day Gansu Province -阮,ruǎn,"ruan, a four-stringed Chinese lute" -阮元,ruǎn yuán,scholar-official in the Qing dynasty (1764-1849) -阮咸,ruǎn xián,see 阮[ruan3] -阮安,ruǎn ān,"Nguyen An (1381-1453), aka Ruan An, Vietnamese architect and engineer, principal designer of the Forbidden City" -阮崇武,ruǎn chóng wǔ,"Ruan Chongwu (1933-), third governor of Hainan" -阮晋勇,ruǎn jìn yǒng,"Nguyễn Tấn Dũng (1949-), prime minister of Vietnam 2006-2016" -阮琴,ruǎn qín,see 阮[ruan3] -址,zhǐ,foundation of a building (variant of 址[zhi3]); islet (variant of 沚[zhi3]) -阱,jǐng,pitfall; trap -防,fáng,to protect; to defend; to guard against; to prevent -防不胜防,fáng bù shèng fáng,virtually impossible to prevent -防备,fáng bèi,to guard against -防冻,fáng dòng,antifreeze -防冻剂,fáng dòng jì,antifreeze agent -防制,fáng zhì,"(Tw) to combat (bullying, money laundering etc); to counter" -防务,fáng wù,(pertaining to) defense -防化救援,fáng huà jiù yuán,antichemical rescue -防喘振,fáng chuǎn zhèn,anti-surge device (of compressors etc) -防喷罩,fáng pēn zhào,pop filter (audio engineering) -防城,fáng chéng,"Fangcheng district of Fangchenggang city 防城港市[Fang2 cheng2 gang3 shi4], Guangxi" -防城区,fáng chéng qū,"Fangcheng district of Fangchenggang city 防城港市[Fang2 cheng2 gang3 shi4], Guangxi" -防城各族自治县,fáng chéng gè zú zì zhì xiàn,Fangcheng Various Nationalities Autonomous County in Guangxi (temporary name during 1950s for Fangcheng district 防城區|防城区[Fang2 cheng2 qu1] of Fangchenggang city) -防城港,fáng chéng gǎng,Fangchenggang prefecture-level city in Guangxi -防城港市,fáng chéng gǎng shì,Fangchenggang prefecture-level city in Guangxi -防城县,fáng chéng xiàn,"former Fangcheng county, now Fangcheng district 防城區|防城区[Fang2 cheng2 qu1] of Fangchenggang city" -防堵,fáng dǔ,to prevent; to combat; to counter -防夹,fáng jiā,antipinch (e.g. preventing catching fingers in automatic car windows) -防守,fáng shǒu,to defend; to protect (against) -防守者,fáng shǒu zhě,defender -防寒服,fáng hán fú,overcoat; down jacket; winter wear -防弊,fáng bì,anti-fraud; anti-cheating; preventing wrongdoing -防弹,fáng dàn,bulletproof -防弹衣,fáng dàn yī,bulletproof vest -防微杜渐,fáng wēi dù jiàn,to nip in the bud (idiom) -防患,fáng huàn,to take preventative measures; to guard against accident or disaster -防患于未然,fáng huàn yú wèi rán,see 防患未然[fang2 huan4 wei4 ran2] -防患未然,fáng huàn wèi rán,to prevent troubles before the event (idiom); to forestall; to nip sth in the bud -防患未萌,fáng huàn wèi méng,to prevent a disaster before the event (idiom); to nip sth in the bud -防控,fáng kòng,to prevent and control (e.g. the spread of a communicable disease) -防损,fáng sǔn,loss prevention -防暑降温,fáng shǔ jiàng wēn,to prevent heatstroke and reduce temperature -防暴,fáng bào,to suppress a riot; riot control -防暴盾,fáng bào dùn,riot shield -防暴警察,fáng bào jǐng chá,riot police; riot squad -防晒,fáng shài,sunburn protection -防晒油,fáng shài yóu,sunscreen; sunblock -防晒霜,fáng shài shuāng,suntan lotion; sunscreen cream -防杜,fáng dù,to prevent -防核,fáng hé,nuclear defense; anti-nuclear (installation) -防止,fáng zhǐ,to prevent; to guard against; to take precautions -防毒,fáng dú,"to protect against poisonous substances, narcotics or computer viruses" -防毒围裙,fáng dú wéi qún,protective apron -防毒手套,fáng dú shǒu tào,protective gloves -防毒斗篷,fáng dú dǒu péng,protective cape -防毒软件,fáng dú ruǎn jiàn,anti-virus software -防毒通道,fáng dú tōng dào,protective passageway -防毒面具,fáng dú miàn jù,gas mask -防毒面罩,fáng dú miàn zhào,gas mask -防毒靴套,fáng dú xuē tào,gas-protection boots; protective boots -防水,fáng shuǐ,waterproof -防汛,fáng xùn,flood control; anti-flood (precautions) -防油溅网,fáng yóu jiàn wǎng,splatter screen -防治,fáng zhì,to prevent and cure; prevention and cure -防波堤,fáng bō dī,breakwater; seawall; fig. defensive buffer zone -防洪,fáng hóng,flood control; flood prevention -防滑,fáng huá,antiskid; slip resistant -防滑链,fáng huá liàn,snow chain (for a vehicle tire) -防潮,fáng cháo,damp proof; moisture proof; protection against tides -防潮堤,fáng cháo dī,tide embankment -防潮垫,fáng cháo diàn,groundsheet (for camping etc) -防火,fáng huǒ,to protect against fire -防火梯,fáng huǒ tī,fire escape -防火墙,fáng huǒ qiáng,firewall; CL:堵[du3] -防火道,fáng huǒ dào,firebreak -防火长城,fáng huǒ cháng chéng,Great Firewall of China (system for restricting access to foreign websites) -防灾,fáng zāi,disaster prevention; to protect against natural disasters -防焊油墨,fáng hàn yóu mò,solder mask (applied to a circuit board) -防特,fáng tè,to thwart espionage; counterespionage -防狼喷雾,fáng láng pēn wù,pepper spray -防疫,fáng yì,to prevent epidemics -防盗,fáng dào,to guard against theft; anti-theft -防盗门,fáng dào mén,security door -防磁,fáng cí,antimagnetic -防御,fáng yù,defense; to defend -防御工事,fáng yù gōng shì,fortification; defensive structure -防御性,fáng yù xìng,defensive (weapons) -防御率,fáng yù lǜ,earned run average (baseball) -防御术,fáng yù shù,defensive art -防空,fáng kōng,anti-aircraft defense -防空洞,fáng kōng dòng,air-raid shelter -防范,fáng fàn,to be on guard; wariness; to guard against; preventive -防线,fáng xiàn,defensive line or perimeter; CL:道[dao4] -防腐,fáng fǔ,rotproof; antiseptic; anti-corrosion -防腐剂,fáng fǔ jì,preservative; antiseptic -防艾,fáng ài,protecting against AIDS -防蚊液,fáng wén yè,mosquito repellent -防血凝,fáng xuè níng,anti-coagulant -防卫,fáng wèi,to defend; defensive; defense -防卫大臣,fáng wèi dà chén,minister of defense (esp. in Japan) -防卫武器,fáng wèi wǔ qì,defensive weapon -防卫过当,fáng wèi guò dàng,excessive self-defense (self-defense with excessive force) -防护,fáng hù,to defend; to protect -防护服,fáng hù fú,protective clothing; hazmat suit -防护眼镜,fáng hù yǎn jìng,safety goggles -防身,fáng shēn,self-protection; to defend oneself -防避,fáng bì,protection -防锈,fáng xiù,rust prevention; anti-corrosion -防长,fáng zhǎng,"abbr. for 國防部長|国防部长[guo2 fang2 bu4 zhang3], Minister of Defense" -防门,fáng mén,defensive gate -防闲,fáng xián,to guard -防震,fáng zhèn,shockproof; to guard against earthquakes -防霉,fáng méi,to inhibit mold; mold-proof; mildew-proof -防风,fáng fēng,"to protect from wind; fangfeng (Saposhnikovia divaricata), its root used in TCM" -防风固沙,fáng fēng gù shā,sand break (in desert environment) -防骇,fáng hài,anti-hacker -防龋,fáng qǔ,to prevent tooth decay; anti-caries -阻,zǔ,to hinder; to block; to obstruct -阻值,zǔ zhí,numerical value of electrical impedance -阻力,zǔ lì,resistance; drag -阻塞,zǔ sè,to block; to clog -阻尼,zǔ ní,damping -阻差办公,zǔ chāi bàn gōng,(law) obstructing government administration (Hong Kong) -阻截,zǔ jié,to stop; to obstruct; to bar the way -阻抑,zǔ yì,to impede; to check; to inhibit; to neutralize -阻抗,zǔ kàng,(electrical) impedance -阻抗匹配,zǔ kàng pǐ pèi,impedance matching -阻抗变换器,zǔ kàng biàn huàn qì,impedance converter -阻援,zǔ yuán,to block reinforcements -阻挠,zǔ náo,to thwart; to obstruct (sth) -阻击,zǔ jī,to check; to stop -阻挡,zǔ dǎng,to stop; to resist; to obstruct -阻扰,zǔ rǎo,to obstruct; to impede -阻拦,zǔ lán,to stop; to obstruct -阻攻,zǔ gōng,to block a shot (basketball) (Tw) -阻断,zǔ duàn,to block; to obstruct; to intercept; to interdict -阻桡,zǔ ráo,thwart; obstruct -阻止,zǔ zhǐ,to prevent; to block -阻滞,zǔ zhì,to clog up; silted up -阻燃,zǔ rán,fire resistant -阻留,zǔ liú,to intercept; interception -阻碍,zǔ ài,to obstruct; to hinder; to block; obstruction; hindrance -阻绝,zǔ jué,to block; to obstruct; to clog -阻遏,zǔ è,to impede; to hold sb back -阻隔,zǔ gé,to separate; to cut off -阻难,zǔ nàn,to thwart; to impede -阻雨,zǔ yǔ,immobilized by rain -阼,zuò,steps leading to the eastern door -阽,diàn,dangerous; also pr. [yan2] -阿,ā,abbr. for Afghanistan 阿富汗[A1 fu4 han4] -阿,ā,"prefix used before monosyllabic names, kinship terms etc to indicate familiarity; used in transliteration; also pr. [a4]" -阿,ē,(literary) to flatter; to curry favor with -阿三,ā sān,(derog.) an Indian -阿丹,ā dān,"Adam (name); Aden, capital of Yemen" -阿亚图拉,ā yà tú lā,ayatollah (religious leader in Shia Islam) -阿亨,ā hēng,"Aachen, city in Nordrhein-Westfalen, Germany; Aix-la-Chapelle; also written 亞琛|亚琛[Ya4 chen1]" -阿亨工业大学,ā hēng gōng yè dà xué,RWTH Aachen University -阿亨科技大学,ā hēng kē jì dà xué,RWTH Aachen University -阿什哈巴德,ā shén hā bā dé,"Ashgabat, capital of Turkmenistan" -阿什哈巴特,ā shí hā bā tè,"Ashgabat, capital of Turkmenistan (Tw)" -阿什拉维,ā shén lā wéi,"surname Ashrawi; Hanan Daoud Khalil Ashrawi (1946-), Palestinian scholar and political activist" -阿仙药,ā xiān yào,"gambier extract (from Uncaria gambir), used in TCM" -阿伊努,ā yī nǔ,Ainu (ethnic group of Japan's north and Russia's east) -阿伊莎,ā yī shā,"Ayshe, Aise or Ayesha (name); Aishah bint Abi Bakr (c. 614-678), youngest wife of prophet Mohamed 穆罕默德[Mu4 han3 mo4 de2]" -阿伏伽德罗,ā fú jiā dé luó,"Amedeo Avogadro (1776-1856), Italian scientist" -阿伏伽德罗常数,ā fú jiā dé luó cháng shù,Avogadro's number (chemistry) -阿伯丁,ā bó dīng,Aberdeen (city on east coast of Scotland) -阿佛洛狄忒,ā fú luò dí tè,"Aphrodite, Greek goddess of love; Venus" -阿佤,ā wǎ,"Wa, Kawa or Va ethnic group of Myanmar, south China and southeast Asia" -阿来,ā lái,"Alai (1959-), ethnic Tibetan Chinese writer, awarded Mao Dun Literature Prize in 2000 for his novel 塵埃落定|尘埃落定[Chen2 ai1 luo4 ding4] ""Red Poppies""" -阿依莎,ā yī shā,"Ayshe, Aise or Ayesha (name); Aishah bint Abi Bakr (c. 614-678), youngest wife of prophet Mohamed 穆罕默德[Mu4 han3 mo4 de2]; also written 阿伊莎" -阿修罗,ā xiū luó,"Asura, malevolent spirits in Indian mythology" -阿们,ā men,amen (loanword) -阿伦,ā lún,"Aalen, town in Germany" -阿伦达尔,ā lún dá ěr,"Arendal (city in Agder, Norway)" -阿兄,ā xiōng,elder brother -阿克伦,ā kè lún,"Acheron River in Epirus, northwest Greece" -阿克伦河,ā kè lún hé,"Acheron River in Epirus, northwest Greece" -阿克塞哈萨克族自治县,ā kè sài hā sà kè zú zì zhì xiàn,"Aksai Kazakh autonomous county in Jiuquan 酒泉, Gansu" -阿克塞县,ā kè sài xiàn,"Aksai Kazakh autonomous county in Jiuquan 酒泉, Gansu" -阿克拉,ā kè lā,"Accra, capital of Ghana" -阿克苏,ā kè sū,Aqsu wilayiti or Aksu prefecture in Xinjiang; Aqsu shehiri or Aksu city -阿克苏地区,ā kè sū dì qū,Aqsu Wilayiti or Aksu prefecture in Xinjiang -阿克苏市,ā kè sū shì,"Aqsu shehiri or Aksu city in Aksu prefecture, Xinjiang" -阿克苏河,ā kè sū hé,Aksu River in Xinjiang -阿克赛钦,ā kè sài qīn,"Aksai Chin, a disputed region in the Tibetan plateau" -阿克陶,ā kè táo,Aketedu county in Xinjiang (on the border with Kyrgyzstan) -阿克陶县,ā kè táo xiàn,Aketedu county in Xinjiang (on the border with Kyrgyzstan) -阿公,ā gōng,"(old) grandfather; polite address for an elderly man, or a woman's father-in-law; (Taiwanese) grandfather" -阿兵哥,ā bīng gē,(coll.) soldier boy -阿其所好,ē qí suǒ hào,to pander to sb's whims -阿凡提,ā fán tí,"the Effendi (Nasreddin), the hero of folk tales of the Muslim world, known for his wisdom and humor" -阿凡达,ā fán dá,Avatar (movie) -阿列克西斯,ā liè kè xī sī,Alexis (name) -阿列夫,ā liè fū,aleph (first letter א of Hebrew alphabet) -阿初佛,ā chū fó,"erroneous variant of 阿閦佛, Aksobhya, the imperturbable ruler of Eastern Paradise, Abhirati" -阿利坎特,ā lì kǎn tè,Alicante -阿利藤,ā lì téng,Alyxia root and herb (used in TCM) -阿加维,ā jiā wéi,see 阿爾加維|阿尔加维[A1 er3 jia1 wei2] -阿加迪尔,ā jiā dí ěr,"Agadir, city in southwest Morocco" -阿勒泰,ā lè tài,Altay prefecture-level city in Xinjiang -阿勒泰地区,ā lè tài dì qū,Altay prefecture in Xinjiang -阿勒泰市,ā lè tài shì,Altay prefecture-level city in Xinjiang -阿卜杜拉,ā bǔ dù lā,Abdullah (name) -阿卡,ā kǎ,"Acre, city in Israel, also known as Akko" -阿卡提,ā kǎ dī,Arcadia (Greek prefecture on the Peloponnese) -阿卡普尔科,ā kǎ pǔ ěr kē,"Acapulco, city in Mexico" -阿卡贝拉,ā kǎ bèi lā,a cappella (loanword) -阿卡迪亚,ā kǎ dí yà,Arcadia (loanword) -阿卡迪亚大学,ā kǎ dí yà dà xué,Acadia University (Canada) -阿史那骨咄禄,ā shǐ nà gǔ duō lù,"Ashina Qutlugh, personal name of 頡跌利施可汗|颉跌利施可汗[Jie2 die1 li4 shi1 Ke4 han2]" -阿司匹林,ā sī pǐ lín,aspirin (loanword) -阿合奇,ā hé qí,"Aqchi Nahiyisi or Aheqi County in Kizilsu Kirghiz Autonomous Prefecture 克孜勒蘇柯爾克孜自治州|克孜勒苏柯尔克孜自治州[Ke4 zi1 le4 su1 Ke1 er3 ke4 zi1 Zi4 zhi4 zhou1], Xinjiang" -阿合奇县,ā hé qí xiàn,"Aqchi Nahiyisi or Aheqi County in Kizilsu Kirghiz Autonomous Prefecture 克孜勒蘇柯爾克孜自治州|克孜勒苏柯尔克孜自治州[Ke4 zi1 le4 su1 Ke1 er3 ke4 zi1 Zi4 zhi4 zhou1], Xinjiang" -阿哥,ā gē,(familiar) elder brother -阿喀琉斯,ā kā liú sī,"Achilles (or Akhilleus or Achilleus), son of Thetis and Peleus, Greek hero central to the Iliad" -阿嚏,ā tì,(onom.) a-choo (sound of a sneeze) -阿囡,ā nān,honey (endearment in addressing a little girl) -阿图什,ā tú shí,Atush or Artux city and county in Qizilsu Kyrgyz Autonomous Prefecture in Xinjiang 克孜勒蘇柯爾克孜自治州|克孜勒苏柯尔克孜自治州[Ke4 zi1 le4 su1 Ke1 er3 ke4 zi1 Zi4 zhi4 zhou1]; Atushi city near Kashgar in Xinjiang -阿图什市,ā tú shí shì,Atush or Artux city in Qizilsu Kyrgyz Autonomous Prefecture in Xinjiang 克孜勒蘇柯爾克孜自治州|克孜勒苏柯尔克孜自治州[Ke4 zi1 le4 su1 Ke1 er3 ke4 zi1 Zi4 zhi4 zhou1]; Atushi city near Kashgar in Xinjiang -阿图什县,ā tú shí xiàn,Atush or Artux County in Qizilsu Kyrgyz Autonomous Prefecture in Xinjiang 克孜勒蘇柯爾克孜自治州|克孜勒苏柯尔克孜自治州[Ke4 zi1 le4 su1 Ke1 er3 ke4 zi1 Zi4 zhi4 zhou1] -阿土,ā tǔ,country bumpkin; redneck (derog) -阿城,ā chéng,Acheng district of Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1] in Heilongjiang -阿城区,ā chéng qū,Acheng district of Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1] in Heilongjiang -阿基米德,ā jī mǐ dé,Archimedes (c. 287-212 BC) -阿堵,ē dǔ,(literary) (colloquial term of the Six Dynasties period 六朝[Liu4 Chao2]) this; (abbr. for 阿堵物[e1 du3 wu4]) money -阿堵物,ē dǔ wù,"(literary) (euphemism) money (literally, ""this thing"")" -阿塞拜疆,ā sài bài jiāng,Azerbaijan -阿塞拜疆人,ā sài bài jiāng rén,Azerbaijan (person) -阿坝,ā bà,"Ngawa Tibetan and Qiang Autonomous Prefecture (Tibetan: rnga ba bod rigs cha'ng rigs rang skyong khul, formerly in Kham province of Tibet), northwest Sichuan, capital Barkam 馬爾康鎮|马尔康镇[Ma3 er3 kang1 zhen4]; also Ngawa county" -阿坝州,ā bà zhōu,"Ngawa Tibetan and Qiang autonomous prefecture (Tibetan: rnga ba bod rigs cha'ng rigs rang skyong khul, formerly in Kham province of Tibet), northwest Sichuan, capital Barkam 馬爾康鎮|马尔康镇[Ma3 er3 kang1 zhen4]" -阿坝县,ā bà xiàn,"Ngawa County in Ngawa Tibetan and Qiang Autonomous Prefecture 阿壩藏族羌族自治州|阿坝藏族羌族自治州[A1ba4 Zang4zu2 Qiang1zu2 Zi4zhi4zhou1], northwest Sichuan" -阿坝藏族羌族自治州,ā bà zàng zú qiāng zú zì zhì zhōu,"Ngawa Tibetan and Qiang Autonomous Prefecture (Tibetan: rnga ba bod rigs cha'ng rigs rang skyong khul, formerly in Kham province of Tibet), northwest Sichuan, capital Barkam 馬爾康鎮|马尔康镇[Ma3 er3 kang1 zhen4]" -阿多尼斯,ā duō ní sī,"Adonis, figure in Greek mythology" -阿多诺,ā duō nuò,"surname Adorno; Theodor Ludwig Wiesengrund Adorno 狄奧多·阿多諾|狄奥多·阿多诺[Di2 ao4 duo1 · A1 duo1 nuo4] (1903-1969), German sociologist, philosopher, musicologist, and composer" -阿奇里斯,ā qí lǐ sī,"Achilles (or Akhilleus or Achilleus), son of Thetis and Peleus, Greek hero central to the Iliad" -阿奇霉素,ā qí méi sù,azithromycin (macrolide antibiotic); Zithromax -阿奎纳,ā kuí nà,surname Aquinas; Thomas Aquinas 托馬斯·阿奎納|托马斯·阿奎纳[Tuo1 ma3 si1 · A1 kui2 na4] (1225-1274) -阿奶,ā nǎi,granny -阿妹,ā mèi,younger sister -阿姆哈拉,ā mǔ hā lā,"Amhara (province, language and ethnic group of Ethiopia); Amharic; Ethiopian" -阿姆斯特丹,ā mǔ sī tè dān,"Amsterdam, capital of Netherlands" -阿姆斯特朗,ā mǔ sī tè lǎng,surname Armstrong -阿姆河,ā mǔ hé,"Amu Darya, the biggest river of Central Asia, from Pamir to Aral sea, forming the boundary between Afghanistan and Tajikistan then flowing through Turkmenistan and Uzbekistan; formerly called Oxus by Greek and Western writers, and Gihon by medieval Islamic writers" -阿姨,ā yí,maternal aunt; step-mother; childcare worker; nursemaid; woman of similar age to one's parents (term of address used by child); CL:個|个[ge4] -阿婆,ā pó,granny; mother-in-law -阿妈,ā mā,grandma (paternal) (Tw); (dialect) mother; nurse; amah; (Manchu) father -阿嬷,ā mā,"(Tw) grandma (also used to refer to or address an elderly woman) (from Taiwanese 阿媽, Tai-lo pr. [a-má])" -阿家,ā gū,husband's mother -阿富汗,ā fù hàn,Afghanistan -阿富汗语,ā fù hàn yǔ,Afghan (language); Pashto language -阿尼林,ā ní lín,(chemistry) aniline (loanword) -阿巴,ā bā,"Aba, southeast Nigerian city; Aba, the Lisu 傈僳 word for grandfather" -阿巴嘎旗,ā bā gā qí,"Abag banner or Avga khoshuu in Xilingol League 錫林郭勒盟|锡林郭勒盟[Xi1 lin2 guo1 le4 Meng2], Inner Mongolia" -阿巴拉契亚,ā bā lā qì yà,Appalachian Mountains in North America -阿巴斯,ā bā sī,"Abbas (name); Mahmoud Abbas (1935-), also called Abu Mazen, Palestinian leader, Chairman of the Palestinian National Authority (PNA) from 2005" -阿布叔醇,ā bù shū chún,"albuterol, chemical used in treating asthma" -阿布哈兹,ā bù hā zī,"Abkhazia, region in Georgia" -阿布扎比,ā bù zhā bǐ,"Abu Dhabi, capital of United Arab Emirates (UAE)" -阿布沙耶夫,ā bù shā yē fū,"Abu Sayyaf, militant Islamist separatist group also known as al-Harakat al-Islamiyya" -阿布贾,ā bù jiǎ,"Abuja, capital of Nigeria" -阿布达比,ā bù dá bǐ,"Abu Dhabi, capital of United Arab Emirates (Tw)" -阿希姆,ā xī mǔ,"Askim (city in Østfold, Norway)" -阿弗洛狄忒,ā fú luò dí tè,see 阿佛洛狄忒[A1 fu2 luo4 di2 te4] -阿弟,ā dì,younger brother -阿弥陀佛,ē mí tuó fó,Amitabha Buddha; the Buddha of the Western paradise; may the lord Buddha preserve us!; merciful Buddha! -阿弥陀如来,ē mí tuó rú lái,"Amitabha, Buddha of infinite light" -阿彼雅,ā bǐ yǎ,Abijah (biblical name) -阿得拉,ā dé lā,Adderall (stimulant drug) -阿得拉尔,ā dé lā ěr,Adderall (stimulant drug) -阿得莱德,ā dé lái dé,"Adelaide, capital of South Australia" -阿德莱德,ā dé lái dé,"Adelaide, capital of South Australia" -阿德雷德,ā dé léi dé,"Adelaide, capital of South Australia; also written 阿德萊德|阿德莱德" -阿房宫,ē páng gōng,"Epang Palace, palace complex in western Xi'an built by Qin Shihuang 秦始皇[Qin2 Shi3 huang2]; also pr. [E1 fang2 Gong1]" -阿扁,ā biǎn,"A-bian, nickname of Chen Shui-bian 陳水扁|陈水扁[Chen2 Shui3 bian3]" -阿托品,ā tuō pǐn,"atropine C17H23NO3, alkaloid drug derived from deadly nightshade (Atropa belladonna)" -阿拉,ā lā,Allah (Arabic name of God) -阿拉,ā lā,(Wu dialect) I; me; my; we; us; our -阿拉丁,ā lā dīng,"Aladdin, character in one of the tales in the The Book of One Thousand and One Nights" -阿拉伯,ā lā bó,Arabian; Arabic; Arab -阿拉伯人,ā lā bó rén,Arab; Arabian; Arabian people -阿拉伯共同市场,ā lā bó gòng tóng shì chǎng,Arab Common Market -阿拉伯半岛,ā lā bó bàn dǎo,Arabian Peninsula -阿拉伯国家联盟,ā lā bó guó jiā lián méng,"Arab League, regional organization of Arab states in Southwest Asia, and North and Northeast Africa, officially called the League of Arab States" -阿拉伯数字,ā lā bó shù zì,"Arabic numerals 0, 1, 2, 3, 4, 5, 6, 7, 8, 9" -阿拉伯文,ā lā bó wén,Arabic (language & writing) -阿拉伯海,ā lā bó hǎi,Arabian Sea -阿拉伯糖,ā lā bó táng,arabinose (type of sugar) -阿拉伯联合大公国,ā lā bó lián hé dà gōng guó,United Arab Emirates (Tw) -阿拉伯联合酋长国,ā lā bó lián hé qiú zhǎng guó,United Arab Emirates (UAE) -阿拉伯胶,ā lā bó jiāo,gum arabic; acacia gum -阿拉伯茴香,ā lā bó huí xiāng,"see 孜然[zi1 ran2], cumin" -阿拉伯语,ā lā bó yǔ,Arabic (language) -阿拉伯电信联盟,ā lā bó diàn xìn lián méng,Arab Telecommunication Union -阿拉善,ā lā shàn,"Alxa league, a prefecture-level subdivision of Inner Mongolia" -阿拉善右旗,ā lā shàn yòu qí,"Alxa Right Banner, Mongolian Alshaa Baruun khoshuu, in Alxa League 阿拉善盟[A1 la1 shan4 Meng2], Inner Mongolia (formerly in Gansu 1969-1979)" -阿拉善左旗,ā lā shàn zuǒ qí,"Alxa Left Banner, Mongolian Alshaa Züün khoshuu, in Alxa League 阿拉善盟[A1 la1 shan4 Meng2], Inner Mongolia (formerly in Gansu 1969-1979)" -阿拉善盟,ā lā shàn méng,"Alxa League, a prefecture-level subdivision of Inner Mongolia" -阿拉塔斯,ā lā tǎ sī,"surname Alatas; Ali Alatas (1932-2008), Indonesian foreign minister (1988-1999)" -阿拉巴马,ā lā bā mǎ,"Alabama, US state" -阿拉巴马州,ā lā bā mǎ zhōu,"Alabama, US state" -阿拉干山脉,ā lā gān shān mài,"Arakan Mountains (aka Rakhine Mountains), mountain range in western Myanmar" -阿拉弗拉海,ā lā fú lā hǎi,Arafura Sea -阿拉摩,ā lā mó,"Alamo, city in United States" -阿拉斯,ā lā sī,"Arras, town in northern France" -阿拉斯加,ā lā sī jiā,"Alaska, US state" -阿拉斯加大学,ā lā sī jiā dà xué,University of Alaska -阿拉斯加州,ā lā sī jiā zhōu,"Alaska, US state" -阿拉斯加雪橇犬,ā lā sī jiā xuě qiāo quǎn,Alaskan malamute -阿拉木图,ā lā mù tú,"Almaty, previous capital of Kazakhstan" -阿拉法特,ā lā fǎ tè,"Mohammed Abdel Rahman Abdel Raouf Arafat al-Qudwa al-Husseini (1929-2004), Palestinian leader, popularly known as Yasser Arafat 亞西爾·阿拉法特|亚西尔·阿拉法特[Ya4 xi1 er3 · A1 la1 fa3 te4]" -阿拉尔,ā lā ěr,Aral shehiri (Aral city) or Ālā'ěr subprefecture level city in west Xinjiang -阿拉尔市,ā lā ěr shì,Aral shehiri (Aral city) or Ālā'ěr subprefecture level city in west Xinjiang -阿拉瓦,ā lā wǎ,Araba or Álava -阿拉米语,ā lā mǐ yǔ,Aramaic (language) -阿拔斯王朝,ā bá sī wáng cháo,"Abbasid Empire (750-1258), successor of the Umayyad caliphate" -阿拖品化,ā tuō pǐn huà,atropinization -阿提拉,ā tí lā,"Attila (406-453), Hun emperor, known as the scourge of God" -阿摩司书,ā mó sī shū,"Book of Amos, one of the books of the Nevi'im and of the Christian Old Testament" -阿摩尼亚,ā mó ní yà,ammonia (loanword) -阿摩尼亚水,ā mó ní yà shuǐ,ammonia solution -阿斗,ā dǒu,"A-dou, nickname of Liu Shan 劉禪|刘禅[Liu2 Shan4] (207-271), son of Liu Bei, reigned as Shu Han emperor 233-263; (fig.) weak and inept person" -阿斯伯格,ā sī bó gé,see 阿斯佩爾格爾|阿斯佩尔格尔[A1 si1 pei4 er3 ge2 er3] -阿斯佩尔格尔,ā sī pèi ěr gé ěr,"Hans Asperger (1906-1980), Austrian pediatrician" -阿斯利康,ā sī lì kāng,AstraZeneca (British-Swedish pharmaceutical company) -阿斯匹林,ā sī pǐ lín,aspirin (loanword) (variant of 阿司匹林[a1 si1 pi3 lin2]) -阿斯匹灵,ā sī pí líng,aspirin (loanword) (Tw) -阿斯图里亚斯,ā sī tú lǐ yà sī,"Asturias, northwest Spanish autonomous principality on the bay of Biscay; ancient Spanish kingdom from which the reconquista was based" -阿斯塔纳,ā sī tǎ nà,"Astana, capital of Kazakhstan" -阿斯巴特,ā sī bā tè,aspartame C14H18N2O (artificial sweetener) -阿斯巴甜,ā sī bā tián,aspartame (loanword) -阿斯旺,ā sī wàng,Aswan (town in south Egypt) -阿斯旺高坝,ā sī wàng gāo bà,the Aswan dam in south Egypt -阿斯兰,ā sī lán,Aslan (from the Narnia chronicles) -阿斯马拉,ā sī mǎ lā,"Asmara, capital of Eritrea" -阿旺曲培,ā wàng qū péi,"Ngawang Choephel (1966-), Tibetan musicologist and dissident, Fullbright scholar (1993-1994), jailed 1995-2002 then released to US" -阿旺曲沛,ā wàng qǔ pèi,"Ngawang Choepel (Tibetan, Fulbright scholar)" -阿昌,ā chāng,Achang also called Ngac'ang or Maingtha (ethnic group) -阿明,ā míng,Al-Amin -阿昔洛韦,ā xī luò wéi,"aciclovir (also spelled acyclovir), antiviral drug" -阿是穴,ā shì xué,(TCM) ashi point: a tender spot that is not a standard acupuncture point -阿普吐龙,ā pǔ tǔ lóng,apatosaurus; former name: brontosaurus; also called 雷龍|雷龙[lei2 long2] -阿普尔顿,ā pǔ ěr dùn,"Appleton (name); Sir Edward Appleton (1892-1965), British physicist, Nobel laureate who discovered the ionosphere" -阿曼,ā màn,Oman -阿曼湾,ā màn wān,Gulf of Oman -阿月浑子,ā yuè hún zi,pistachio -阿月浑子实,ā yuè hún zǐ shí,pistachio nut -阿月浑子树,ā yuè hún zǐ shù,pistachio tree -阿木林,ā mù lín,dullard; stupid person -阿松森岛,ā sōng sēn dǎo,Ascension Island -阿根廷,ā gēn tíng,Argentina -阿格尼迪,ā gé ní dí,Agnus Dei (section of Catholic mass) -阿梵达,ā fàn dá,avatar (loanword) -阿森,ā sēn,"Assen, city in the Netherlands" -阿森斯,ā sēn sī,"Athens, Ohio" -阿森松岛,ā sēn sōng dǎo,Ascension Island -阿森纳,ā sēn nà,Arsenal Football Club -阿荣旗,ā róng qí,"Arun banner or Arongqi county in Hulunbuir 呼倫貝爾|呼伦贝尔[Hu1 lun2 bei4 er3], Inner Mongolia" -阿比,ā bǐ,"Abby or Abi (name, sometimes short for Abigail)" -阿比西尼亚,ā bǐ xī ní yà,"Abyssinia, historical name of Ethiopia" -阿比西尼亚人,ā bǐ xī ní yà rén,Abyssinian (person) -阿比西尼亚官话,ā bǐ xī ní yà guān huà,Amharic (language) -阿比让,ā bǐ ràng,Abidjan (city in Ivory Coast) -阿沙力,ā shā lì,variant of 阿莎力[a1 sha1 li4] -阿法尔,ā fǎ ěr,Afar region of northeast Ethiopia; Afar people -阿法尔沙漠,ā fǎ ěr shā mò,"Afar Desert, Southern Ethiopia" -阿法罗密欧,ā fǎ luó mì ōu,Alfa Romeo -阿波罗,ā bō luó,Apollo (loanword) -阿波罗计划,ā bō luó jì huà,"the Apollo project (1961-1975), the NASA moon landing project" -阿洛菲,ā luò fēi,"Alofi, capital of Niue" -阿混,ā hùn,(dialect) idler; loafer -阿爸,ā bà,Abba (Aramaic word father); by ext. God the Father in Christian gospel -阿爸,ā bà,(dialect) father -阿爸父,ā bà fù,Abba (Aramaic word father); by ext. God the Father in Christian gospel -阿爹,ā diē,dad; father; (paternal) grandfather; old man -阿尔伯塔,ā ěr bó tǎ,"Alberta province of Canada, capital Edmonton 埃德蒙頓|埃德蒙顿[Ai1 de2 meng2 dun4]" -阿尔伯特,ā ěr bó tè,Albert (name) -阿尔加维,ā ěr jiā wéi,the Algarve (southern region of Portugal) -阿尔卑斯,ā ěr bēi sī,alps (mountain range) -阿尔卡特,ā ěr kǎ tè,"Alcatel, old company name" -阿尔及利亚,ā ěr jí lì yà,Algeria -阿尔及利亚人,ā ěr jí lì yà rén,Algerian -阿尔及尔,ā ěr jí ěr,"Algiers, capital of Algeria" -阿尔坎塔拉,ā ěr kǎn tǎ lā,"Alcántara, municipality in the province of Cáceres, Extremadura, Spain; Alcantara, Brazil space launch site" -阿尔山,ā ěr shān,"Arxan, county-level city, Mongolian Rashaant xot, in Hinggan league 興安盟|兴安盟[Xing1 an1 meng2], east Inner Mongolia" -阿尔山市,ā ěr shān shì,"Arxan, county-level city, Mongolian Rashaant xot, in Hinggan league 興安盟|兴安盟[Xing1 an1 meng2], east Inner Mongolia" -阿尔巴尼亚,ā ěr bā ní yà,Albania -阿尔巴尼亚人,ā ěr bā ní yà rén,Albanian (person) -阿尔斯通公司,ā ěr sī tōng gōng sī,Alstom (company name) -阿尔梅里亚,ā ěr méi lǐ yà,Almería -阿尔法,ā ěr fǎ,alpha (Greek letter Αα) -阿尔法粒子,ā ěr fǎ lì zǐ,alpha particle (helium nucleus) -阿尔泰,ā ěr tài,"Altai republic in Russian central Asia, capital Gorno-Altaysk" -阿尔泰山,ā ěr tài shān,Altai mountain range in Xinjiang and Siberia -阿尔泰山脉,ā ěr tài shān mài,Altai mountain chain on the border of Russia and Mongolia -阿尔泰紫菀,ā ěr tài zǐ wǎn,(botany) Aster altaicus -阿尔泰语,ā ěr tài yǔ,Altaic language -阿尔泰雪鸡,ā ěr tài xuě jī,(bird species of China) Altai snowcock (Tetraogallus altaicus) -阿尔汉格尔斯克州,ā ěr hàn gé ěr sī kè zhōu,"Arkhangelsk Oblast, Russia" -阿尔瓦塞特,ā ěr wǎ sè tè,"Albacete, Spain" -阿尔茨海默,ā ěr cí hǎi mò,"Alois Alzheimer (1864-1915), German psychiatrist and neuropathologist" -阿尔茨海默氏病,ā ěr cí hǎi mò shì bìng,Alzheimer's disease; senile dementia -阿尔茨海默氏症,ā ěr cí hǎi mò shì zhèng,Alzheimer's disease; senile dementia -阿尔茨海默病,ā ěr cí hǎi mò bìng,Alzheimer's disease; senile dementia -阿尔茨海默症,ā ěr cí hǎi mò zhèng,Alzheimer's disease; senile dementia -阿尔盖达,ā ěr gài dá,al-Qaeda -阿尔萨斯,ā ěr sà sī,"Alsace, French department" -阿尔衮琴,ā ěr gǔn qín,Algonquin (North American people) -阿尔都塞,ā ěr dōu sāi,"surname Althusser; Louis Pierre Althusser 路易·皮埃爾·阿爾都塞|路易·皮埃尔·阿尔都塞[Lu4 yi4 · Pi2 ai1 er3 · A1 er3 dou1 sai1] (1918-1990), Marxist philosopher" -阿片,ā piàn,opium (loanword) -阿物儿,ā wù er,thing; (you) useless thing -阿特拉斯,ā tè lā sī,Atlas (Titan in Greek mythology); Atlas mountains of north Africa -阿特兰蒂斯,ā tè lán dì sī,Atlantis -阿特金斯,ā tè jīn sī,Atkins (name) -阿狄森氏病,ā dí sēn shì bìng,Addison's disease -阿瑞斯,ā ruì sī,"Ares, Greek god of war; Mars" -阿瑟,ā sè,Arthur (name) -阿瑟县,ā sè xiàn,"Arthur County, Nebraska" -阿瑟镇,ā sè zhèn,"Arthur's Town, Cat Island, The Bahamas" -阿玛尼,ā mǎ ní,Armani (fashion designer) -阿瓦提,ā wǎ tí,"Avat nahiyisi (Awat county) in Aksu 阿克蘇地區|阿克苏地区[A1 ke4 su1 di4 qu1], west Xinjiang" -阿瓦提县,ā wǎ tí xiàn,"Avat nahiyisi (Awat county) in Aksu 阿克蘇地區|阿克苏地区[A1 ke4 su1 di4 qu1], west Xinjiang" -阿瓦里德,ā wǎ lǐ dé,Prince Alwaleed Bin Talal al-Saud of Saudi Arabia -阿瓦鲁阿,ā wǎ lǔ ā,"Avarua, capital of the Cook Islands" -阿甘正传,ā gān zhèng zhuàn,Forrest Gump -阿留申群岛,ā liú shēn qún dǎo,Aleutian Islands (trailing 2250 km southwest of Alaska almost down to Kamtchatka) -阿的平,ā dì píng,"atabrine or quinacrine, used as antimalarial drug and antibiotic against intestinal parasite giardiasis" -阿皮亚,ā pí yà,"Apia, capital of the Independent State of Samoa" -阿盟,ā méng,"Alxa League, a prefecture-level subdivision of Inner Mongolia (abbr. for 阿拉善盟[A1 la1 shan4 Meng2])" -阿卢巴,ā lú bā,"Aruba, variant of 阿魯巴|阿鲁巴[A1 lu3 ba1]" -阿穆尔州,ā mù ěr zhōu,"Amur Oblast, in far eastern Russia" -阿穆尔河,ā mù ěr hé,Amur River (the border between northeast China and Russia); same as 黑龍江|黑龙江[Hei1 long2 jiang1] -阿空加瓜,ā kōng jiā guā,"Cerro Aconcagua, mountain in the Americas" -阿空加瓜山,ā kōng jiā guā shān,"Mount Aconcagua, Argentina, the highest point in the Western Hemisphere" -阿米巴,ā mǐ bā,amoeba (loanword) -阿米巴原虫,ā mǐ bā yuán chóng,amoeba; ameba -阿米巴病,ā mǐ bā bìng,amebiasis; amebic dysentery -阿米巴痢疾,ā mǐ bā lì ji,amebic dysentery -阿米纳达布,ā mǐ nà dá bù,Amminadab (name) -阿维拉,ā wéi lā,"Avila, Spain" -阿罗汉,ā luó hàn,arhat (Sanskrit); a holy man who has left behind all earthly desires and concerns and attained nirvana (Buddhism) -阿罗约,ā luó yuē,surname Arroyo -阿美尼亚,ā měi ní yà,"variant of 亞美尼亞|亚美尼亚[Ya4 mei3 ni2 ya4], Armenia" -阿美恩斯,ā měi ēn sī,Amiens (French town) -阿美族,ā měi zú,"Amis or Pangcah, one of the indigenous peoples of Taiwan" -阿耳忒弥斯,ā ěr tè mí sī,Artemis (Greek goddess of the moon) -阿耳戈斯,ā ěr gē sī,"Argus; in Greek mythology, a monster with 100 eyes, transformed into peacock's tail" -阿耳茨海默氏病,ā ěr cí hǎi mò shì bìng,Alzheimer's disease -阿联酋,ā lián qiú,United Arab Emirates (abbr. for 阿拉伯聯合酋長國|阿拉伯联合酋长国[A1 la1 bo2 Lian2 he2 Qiu2 zhang3 guo2]) -阿联酋航空,ā lián qiú háng kōng,Emirates (airline) -阿联酋长国,ā lián qiú zhǎng guó,United Arab Emirates (abbr. for 阿拉伯聯合酋長國|阿拉伯联合酋长国[A1 la1 bo2 Lian2 he2 Qiu2 zhang3 guo2]) -阿肯色,ā kěn sè,"Arkansas, US state" -阿肯色大学,ā kěn sè dà xué,University of Arkansas -阿肯色州,ā kěn sè zhōu,"Arkansas, US state" -阿育吠陀,ā yù fèi tuó,Ayurveda (ancient Indian system and health care philosophy) -阿育王,ā yù wáng,"Ashoka (304-232 BC), Indian emperor of the Maurya Dynasty 孔雀王朝[Kong3 que4 Wang2 chao2], ruled 273-232 BC" -阿育魏实,ā yù wèi shí,seed of ajwain; Semen Trachyspermi coptici -阿胶,ē jiāo,donkey-hide gelatin (used in TCM); Taiwan pr. [a1 jiao1] -阿芒拿,ā máng ná,(chemistry) ammonal (loanword) -阿芙乐尔号,ā fú lè ěr hào,"Russian cruiser Aurora, firing the shot signaling the 1917 revolution, a favorite of communist iconography" -阿芙罗狄忒,ā fú luó dí tè,see 阿佛洛狄忒[A1 fu2 luo4 di2 te4] -阿芙蓉,ā fú róng,opium -阿芝特克人,ā zhī tè kè rén,Aztec (person) -阿芝特克语,ā zhī tè kè yǔ,Aztec language (Nahuatl) -阿茨海默症,ā cí hǎi mò zhèng,Alzheimer's disease -阿兹海默症,ā zī hǎi mò zhèng,Alzheimer's disease (Tw) -阿兹特克,ā zī tè kè,Aztec -阿莎力,ā shā lì,"(coll.) straightforward; unreserved; openhearted (Tw) (loanword from Japanese ""assari"")" -阿莫西林,ā mò xī lín,amoxicillin (loanword) -阿华田,ā huá tián,Ovaltine (brand) -阿莱奇冰川,ā lái qí bīng chuān,"Aletsch glacier, Switzerland" -阿莱曼,ā lái màn,"El Alamein, town in Egypt" -阿蒙,ā méng,"Amun, deity in Egyptian mythology, also spelled Amon, Amoun, Amen, and rarely Imen" -阿盖达,ā gài dá,al-Qaeda -阿莲,ā lián,"Alian District, a rural district in Kaohsiung, Taiwan" -阿莲区,ā lián qū,"Alian District, a rural district in Kaohsiung, Taiwan" -阿萨姆,ā sà mǔ,"Assam, India" -阿萨德,ā sà dé,Assad (Arabic name) -阿苏山,ā sū shān,"Mount Aso, active volcano in Kyushu, Japan" -阿兰,ā lán,"Alan, Allen, Allan, Alain etc (name); A-lan (Chinese female name)" -阿兰文,ā lán wén,Aramaic -阿兰若,ā lán rě,"Buddhist temple (transliteration of Sanskrit ""Aranyakah"")" -阿衣奴,ā yī nú,see 阿伊努[A1 yi1 nu3] -阿西吧,ā xī ba,"aw, fuck! (loanword from Korean 아! 씨발!)" -阿西莫夫,ā xī mò fū,"Isaac Asimov (1920-1992), American author and biochemist" -阿訇,ā hōng,(loanword from Persian) imam; ahung -阿谁,ā shuí,who -阿谀,ē yú,to flatter; to toady -阿谀奉承,ē yú fèng chéng,flattering and fawning (idiom); sweet-talking -阿诺,ā nuò,Arnold (name); refers to Arnold Schwarzenegger 阿諾·施瓦辛格|阿诺·施瓦辛格[A1 nuo4 · Shi1 wa3 xin1 ge2] -阿猫阿狗,ā māo ā gǒu,"(coll.) any Tom, Dick or Harry; just about anyone (used dismissively)" -阿贝尔,ā bèi ěr,"Niels Henrik Abel (1802-1829), Norwegian mathematician; (math.) abelian" -阿赫蒂萨里,ā hè dì sà lǐ,"Martti Ahtisaari (1937-), Finnish diplomat and politician, veteran peace negotiator and 2008 Nobel peace laureate" -阿迪斯阿贝巴,ā dí sī ā bèi bā,"Addis Ababa, capital of Ethiopia (Tw)" -阿迪达斯,ā dí dá sī,Adidas (sportswear company) -阿达比尔,ā dá bǐ ěr,Ardabil in Azerbaijan region of Iran -阿乡,ā xiāng,(coll.) country folk; rustic; see also 鄉下人|乡下人[xiang1 xia4 ren2] -阿里,ā lǐ,"Ali (name); Ali (c. 600-661), the fourth caliph of Islam; Ngari prefecture in Tibet" -阿里地区,ā lǐ dì qū,"Ngari prefecture in Tibet, Tibetan: Mnga' ris sa khul" -阿里山,ā lǐ shān,Alishan mountain range in the central-southern region of Taiwan -阿里山乡,ā lǐ shān xiāng,"Alishan Township in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], within the Alishan Range, south-central Taiwan" -阿里巴巴,ā lǐ bā bā,"Ali Baba, character from The Arabian Nights" -阿里巴巴,ā lǐ bā bā,"Alibaba, PRC e-commerce company" -阿里斯托芬,ā lǐ sī tuō fēn,"Aristophanes (c. 448-380 BC), Greek comic playwright" -阿里郎,ā lǐ láng,"Arirang, famous Korean song of love and tragic separation, based on folk tale from Georyo dynasty; Arirang, series of Korean earth observation space satellites" -阿金库尔,ā jīn kù ěr,"Agincourt (near Arras in north France, scene of a battle in 1415)" -阿门,ā mén,amen (loanword) -阿閦佛,ā chù fó,"Aksobhya, the imperturbable ruler of Eastern Paradise, Abhirati" -阿阇梨,ā shé lí,Buddhist teacher (Sanskrit transliteration); also written 阿闍黎|阿阇黎[a1 she2 li2] -阿阇黎,ā shé lí,Buddhist teacher (Sanskrit transliteration); also written 阿闍梨|阿阇梨[a1 she2 li2] -阿附,ē fù,to fawn (as flatterer) -阿难,ē nán,"Prince Ananda, cousin of the Buddha and his closest disciple" -阿难陀,ē nán tuó,"Prince Ananda, cousin of the Buddha and his closest disciple" -阿灵顿国家公墓,ā líng dùn guó jiā gōng mù,"Arlington National Cemetery in Washington DC, USA" -阿非利加,ā fēi lì jiā,Africa -阿非利加洲,ā fēi lì jiā zhōu,Africa (abbr. to 非洲[Fei1 zhou1]) -阿飘,ā piāo,(coll.) ghost (Tw) -阿飞,ā fēi,hoodlum; hooligan; young rowdy -阿马逊,ā mǎ xùn,Amazon; also written 亞馬遜|亚马逊[Ya4 ma3 xun4] -阿魏,ā wèi,Ferula resin (used in TCM); Resina Ferulae -阿鲁巴,ā lǔ bā,"Aruba, island in the Caribbean, a self-governing part of the Netherlands" -阿鲁巴,ā lǔ bā,"(Tw) (slang) a prank, prevalent in Chinese schools and known as ""happy corner"" in Hong Kong, in which several people carry a victim with his legs spread open, bringing his groin up against a pole or tree trunk" -阿鲁科尔沁,ā lǔ kē ěr qìn,"Ar Horqin banner or Aru Khorchin khoshuu in Chifeng 赤峰[Chi4 feng1], Inner Mongolia" -阿鲁科尔沁旗,ā lǔ kē ěr qìn qí,"Ar Horqin banner or Aru Khorchin khoshuu in Chifeng 赤峰[Chi4 feng1], Inner Mongolia" -阿鲁纳恰尔邦,ā lǔ nà qià ěr bāng,"Arunachal Pradesh, a state of India in the northeast of the country, occupying an area claimed by China in an ongoing sovereignty dispute" -阿丽亚娜,ā lì yà nà,Ariane (name); Ariane European space launch vehicle -阿黑门尼德王朝,ā hēi mén ní dé wáng cháo,Achaemenid Empire of Persian (559-330 BC) -阿鼻,ā bí,"Ceaseless pain (Sanskrit: Avici), one of the Buddhist hells; fig. hell; hell on earth" -阿鼻地狱,ā bí dì yù,"(Buddhism) the Avici Hell, the last and most painful of the eight hot hells" -陀,tuó,(phonetic); declivity; steep bank -陀思妥也夫斯基,tuó sī tuǒ yě fū sī jī,"Fyodor Mikhailovich Dostoevsky (1821-1881), great Russian novelist, author of Crime and Punishment 罪與罰|罪与罚[Zui4 yu3 Fa2]; also written 陀思妥耶夫斯基[Tuo2 si1 tuo3 ye1 fu1 si1 ji1]" -陀思妥耶夫斯基,tuó sī tuǒ yē fū sī jī,"Fyodor Mikhailovich Dostoevsky (1821-1881), great Russian novelist, author of Crime and Punishment 罪與罰|罪与罚[Zui4 yu3 Fa2]" -陀罗尼,tuó luó ní,incantation (Sanskrit: dharani); religious chant (promoting virtue and obstructing evil) -陀螺,tuó luó,spinning top; gyroscope -陀螺仪,tuó luó yí,gyroscope -陂,bēi,pool; pond; bank of a pond; mountain slope; Taiwan pr. [pi2] -陂,pō,rugged; uneven -陂塘,bēi táng,pool; pond -陂陀,pō tuó,sloping and uneven -附,fù,to add; to attach; to be close to; to be attached -附上,fù shàng,attached; included herewith -附中,fù zhōng,attached (or affiliated) secondary (or middle) school; abbr. for 附屬中學|附属中学[fu4 shu3 zhong1 xue2] -附件,fù jiàn,"appendix (in a document); enclosure (accompanying a document); (email) attachment; accessory (for a car, computer etc); (anatomy) adnexa" -附则,fù zé,supplementary provision; bylaw; additional article (law) -附加,fù jiā,additional; annex -附加值,fù jiā zhí,added-value (accountancy) -附加元件,fù jiā yuán jiàn,additional element; (computing) add-on; plug-in -附加物,fù jiā wù,complement -附加费,fù jiā fèi,surcharge -附加赛,fù jiā sài,additional competition; play-off; decider -附和,fù hè,to agree; to go along with; to echo (what sb says) -附子,fù zǐ,monkshood (Aconitum carmichaelii) -附寄,fù jì,to enclose -附小,fù xiǎo,affiliated elementary school (abbr. for 附屬小學|附属小学[fu4 shu3 xiao3 xue2]) -附属,fù shǔ,subsidiary; auxiliary; attached; affiliated; subordinate; subordinating -附属品,fù shǔ pǐn,accessory; affiliated material; adjunct -附属物,fù shǔ wù,attachment; appendage -附属腺,fù shǔ xiàn,subordinate gland -附带,fù dài,supplementary; incidentally; in parentheses; by chance; in passing; additionally; secondary; subsidiary; to attach -附带损害,fù dài sǔn hài,"collateral damage (both as a legal term, and as a military euphemism)" -附庸,fù yōng,vassal; dependent; subordinate; subservient; appendage -附庸风雅,fù yōng fēng yǎ,(of an uneducated person) to mingle with the cognoscenti; to pose as a culture lover; to be a culture snob; having pretensions to culture -附会,fù huì,to add parallels and interpretations (to a story etc); to develop and embellish; to interpret (often in a strained manner) -附栏,fù lán,"box (featured material enclosed in a rectangle, separate from the main text)" -附笔,fù bǐ,postscript -附签,fù qiān,price tag -附耳,fù ěr,to approach sb's ear (to whisper) -附肢,fù zhī,appendage -附着,fù zhuó,to adhere; attachment -附着物,fù zhuó wù,fixture (law); attachment -附设,fù shè,annexed to; attached to; associated -附注,fù zhù,note; annotation -附议,fù yì,to second a motion -附赘悬疣,fù zhuì xuán yóu,superfluous or useless appendages; superfluities -附身,fù shēn,to enter a body; to possess -附近,fù jìn,nearby; neighboring; (in the) vicinity (of); neighborhood -附送,fù sòng,"to include (as a free gift, when buying sth); to come with" -附录,fù lù,appendix -附面层,fù miàn céng,boundary layer -附体,fù tǐ,(of a spirit or deity) to possess sb -附点,fù diǎn,dot (music notation) -陋,lòu,low; humble; plain; ugly; mean; vulgar -陋俗,lòu sú,undesirable customs -陋居,lòu jū,The Burrow (Harry Potter) -陋屋,lòu wū,humble dwelling -陋习,lòu xí,corrupt practice; bad habits; malpractice -陋规,lòu guī,objectionable practices -陌,mò,raised path; street -陌生,mò shēng,strange; unfamiliar -陌生人,mò shēng rén,stranger -陌路,mò lù,(literary) stranger -陌路人,mò lù rén,stranger -陌陌,mò mò,"Momo, GPS-based app for messaging, and potentially meeting up with, other Momo users (typically, strangers) in one's vicinity, launched in 2011" -降,jiàng,to drop; to fall; to come down; to descend -降,xiáng,to surrender; to capitulate; to subdue; to tame -降下,jiàng xià,to fall; to drop -降世,jiàng shì,lit. to descend to earth (of an immortal); to be born -降伏,xiáng fú,to subdue; to vanquish; to tame -降低,jiàng dī,to reduce; to lower; to bring down -降低利率,jiàng dī lì lǜ,to reduce interest rates -降价,jiàng jià,to cut the price; to drive down the price; to get cheaper -降噪,jiàng zào,noise reduction -降尘,jiàng chén,"dust fall; fallout (volcanic, nuclear etc); particulate matter" -降压,jiàng yā,to reduce the pressure (of a fluid); to lower one's blood pressure; to lower (or step down) the voltage -降妖,xiáng yāo,to subdue monsters -降将,xiáng jiàng,surrendered enemy general -降幅,jiàng fú,"degree of reduction (in prices, numbers etc); decline; drop" -降序,jiàng xù,descending order -降息,jiàng xī,to lower interest rates -降旗,jiàng qí,to lower a flag; to strike the colors -降旨,jiàng zhǐ,to issue an imperial edict -降服,xiáng fú,to yield; to surrender -降格,jiàng gé,to downgrade; to lower the standard; degrading; humiliating -降水,jiàng shuǐ,rain and snow; precipitation (meteorology) -降水量,jiàng shuǐ liàng,precipitation (meteorology); measured quantity of rain -降温,jiàng wēn,"to become cooler; to lower the temperature; cooling; (of interest, activity etc) to decline" -降温费,jiàng wēn fèi,extra pay for hot weather -降火,jiàng huǒ,to decrease internal heat (Chinese medicine) -降生,jiàng shēng,to be born; arrival of newborn; birth (of a savior or religious leader) -降祉,jiàng zhǐ,to send down blessings from heaven -降福,jiàng fú,blessings from heaven -降级,jiàng jí,to demote; to relegate; to degrade -降结肠,jiàng jié cháng,descending colon (anatomy); third section of large intestine -降职,jiàng zhí,to demote (to a lower rank) -降肾上腺素,jiàng shèn shàng xiàn sù,noradrenalin -降临,jiàng lín,to descend; to arrive; to come -降临节,jiàng lín jié,Advent (Christian period of 4 weeks before Christmas) -降落,jiàng luò,to descend; to land -降落伞,jiàng luò sǎn,parachute -降落地点,jiàng luò dì diǎn,landing site -降落跑道,jiàng luò pǎo dào,runway (at airport) -降号,jiàng hào,(music) flat (♭) -降血压药,jiàng xuè yā yào,antihypertensive drug -降血钙素,jiàng xuè gài sù,calcitonin -降解,jiàng jiě,(chemistry) degradation; to degrade -降调,jiàng diào,falling intonation (linguistics); to lower the key of a tune; to demote -降雨,jiàng yǔ,precipitation; rainfall -降雨量,jiàng yǔ liàng,precipitation; quantity of rainfall -降雪,jiàng xuě,to snow; snowfall -降龙伏虎,xiáng lóng fú hǔ,to vanquish dragons and tigers (idiom) -陏,suí,old variant of 隨|随[Sui2] -限,xiàn,to limit; to restrict; (bound form) limit; bound -限价,xiàn jià,limit on price -限免,xiàn miǎn,"(of a product, service etc) free for a limited time (abbr. for 限時免費|限时免费[xian4shi2 mian3fei4])" -限制,xiàn zhì,to restrict; to limit; to confine; restriction; limit; CL:個|个[ge4] -限制级,xiàn zhì jí,R-rated -限制酶,xiàn zhì méi,restriction enzyme -限制酶图谱,xiàn zhì méi tú pǔ,restriction mapping (in genomics); restriction pattern -限定,xiàn dìng,to restrict to; to limit -限定词,xiàn dìng cí,"determiner (in grammar, i.e. article, demonstrative, possessive pronoun, noun genitive etc)" -限度,xiàn dù,limitation; limit -限于,xiàn yú,to be limited to; to be confined to -限时,xiàn shí,to set a time limit; for a limited time; time-limited; limited period of time -限时信,xiàn shí xìn,mail to be delivered by a specified time -限期,xiàn qī,to set a time limit; time limit; deadline -限流,xiàn liú,"to limit the flow of passengers, customers or vehicles; to limit the spread of sensitive content; (electricity) current limiting; (computer networking) rate limiting" -限界线,xiàn jiè xiàn,boundary; dividing line -限行,xiàn xíng,to restrict the use of motor vehicles (in a particular area) -限购,xiàn gòu,to limit the amount a customer can buy -限速,xiàn sù,speed limit -限额,xiàn é,quota; limit (upper or lower); to set a quota; to set a limit -限高架,xiàn gāo jià,height restriction barrier -陔,gāi,step; terrace -峭,qiào,variant of 峭[qiao4] -陉,xíng,border the stove; defile; pass -陛,bì,the steps to the throne -陛下,bì xià,Your Majesty; His or Her Majesty -陜,xiá,variant of 狹|狭[xia2]; variant of 峽|峡[xia2] -陕,shǎn,abbr. for Shaanxi 陝西|陕西 province -陕北,shǎn běi,"Shanbei, northern Shaanxi province, including Yulin 榆林 and Yan'an 延安, a Holy Land of Mao's revolution 革命聖地|革命圣地" -陕南,shǎn nán,"Shannan, southern Shaanxi province" -陕甘,shǎn gān,Shaanxi and Gansu provinces -陕甘宁,shǎn gān níng,"Shaanxi, Gansu and Ningxia provinces" -陕县,shǎn xiàn,"Shan county in Sanmenxia 三門峽|三门峡[San1 men2 xia2], Henan" -陕西,shǎn xī,"Shaanxi province (Shensi) in northwest China, abbr. 陝|陕[Shan3] or 秦[Qin2], capital Xi'an 西安[Xi1 an1]" -陕西大地震,shǎn xī dà dì zhèn,"the great Shaanxi earthquake of 2nd February 1556 that killed 830,000 people" -陕西师范大学,shǎn xī shī fàn dà xué,Shaanxi Normal University -陕西省,shǎn xī shěng,"Shaanxi Province (Shensi) in northwest China, abbr. 陝|陕[Shan3] or 秦[Qin2], capital Xi'an 西安[Xi1 an1]" -陕西科技大学,shǎn xī kē jì dà xué,Shaanxi University of Science and Technology -陕飞集团,shǎn fēi jí tuán,Shaanxi Aircraft Corporation (state-owned enterprise) -升,shēng,variant of 升[sheng1] -陟,zhì,to advance; to ascend; to promote -陡,dǒu,steep; precipitous; abrubtly; suddenly; unexpectedly -陡削,dǒu xiāo,precipitous -陡坡,dǒu pō,steep incline; water chute; sluice -陡壁,dǒu bì,steep cliff; precipice; vertical slope -陡峭,dǒu qiào,precipitous -陡峻,dǒu jùn,precipitous; high and steep -陡崖,dǒu yá,steep cliff; precipice -陡度,dǒu dù,gradient -陡然,dǒu rán,suddenly; unexpectedly; abruptly; precipitously; stumbling -陡变,dǒu biàn,to change precipitously -陡跌,dǒu diē,precipitous drop (in price) -院,yuàn,courtyard; institution; CL:個|个[ge4] -院坝,yuàn bà,(dialect) courtyard -院士,yuàn shì,scholar; academician; fellow (of an academy) -院子,yuàn zi,courtyard; garden; yard; patio; CL:個|个[ge4]; (old) servant -院感,yuàn gǎn,hospital-acquired infection; nosocomial infection (abbr. for 醫院感染|医院感染[yi1 yuan4 gan3 ran3]) -院本,yuàn běn,script for opera (esp. in Yuan times) -院校,yuàn xiào,college; academy; educational institution -院牧,yuàn mù,abbot (Christian) -院线,yuàn xiàn,theater chain (abbr. for 電影院線|电影院线) -院落,yuàn luò,courtyard -院试,yuàn shì,the last of the three entry-level exams in the imperial examination system of Ming and Qing dynasties -院长,yuàn zhǎng,the head of an institution whose name ends in 院[yuan4]; chair of a board; president of a university; department head; dean; premier of the Republic of China; CL:個|个[ge4] -阵,zhèn,disposition of troops; wave; spate; burst; spell; short period of time; classifier for events or states of short duration -阵亡,zhèn wáng,to die in battle -阵亡战士纪念日,zhèn wáng zhàn shì jì niàn rì,Memorial Day (American holiday) -阵亡者,zhèn wáng zhě,people killed in battle -阵列,zhèn liè,"(computing) array (data structure); (hardware) array (photovoltaic cells, radio telescopes etc)" -阵势,zhèn shì,battle array; disposition of forces; situation; circumstance -阵地,zhèn dì,(military) position; front -阵型,zhèn xíng,"formation (of a sports team, troops etc)" -阵子,zhèn zi,period of time -阵容,zhèn róng,troop arrangement; battle formation; lineup (of a sports team etc) -阵营,zhèn yíng,group of people; camp; faction; sides in a dispute -阵痛,zhèn tòng,labor pains; (fig.) distress caused by a disruptive change -阵痛期,zhèn tòng qī,trying times; painful phase -阵线,zhèn xiàn,a front (militant group); line of battle; alignment (towards a political party etc) -阵雨,zhèn yǔ,shower (rain) -阵风,zhèn fēng,gust -除,chú,to get rid of; to remove; to exclude; to eliminate; to wipe out; to divide; except; not including -除不尽,chú bù jìn,indivisible (math) -除了,chú le,besides; apart from (... also...); in addition to; except (for) -除以,chú yǐ,(math.) divided by -除冰,chú bīng,to defrost; to get rid of ice -除去,chú qù,to eliminate; to remove; except for; apart from -除另有约定,chú lìng yǒu yuē dìng,unless otherwise agreed -除名,chú míng,to strike off (the rolls); to remove from a list; to expunge; to expel -除垢剂,chú gòu jì,detergent -除尘,chú chén,to eliminate dust (i.e. filter out suspended particles) -除尘机,chú chén jī,dusting machine; dust filter -除夕,chú xī,lunar New Year's Eve -除外,chú wài,to exclude; not including sth (when counting or listing); except for -除子,chú zǐ,divisor (math.) -除恶务尽,chú è wù jìn,to eradicate evil completely (idiom); thorough in rooting out wickedness -除掉,chú diào,to eliminate -除数,chú shù,divisor (math.) -除暴,chú bào,to eliminate outlaws -除暴安良,chú bào ān liáng,to root out the strong and give people peace (idiom); to rob the rich and give to the poor -除根,chú gēn,to root out; to eliminate the roots; to cure once and for all -除此之外,chú cǐ zhī wài,apart from this; in addition to this -除沾染,chú zhān rǎn,decontamination -除法,chú fǎ,division (math.) -除净,chú jìng,to remove completely; to eliminate; to cleanse from -除湿器,chú shī qì,dehumidifier -除湿机,chú shī jī,dehumidifier -除祟,chú suì,to drive out devils and spirits exorcism -除罪,chú zuì,to pardon -除罪化,chú zuì huà,to decriminalize -除臭,chú chòu,to deodorize -除臭剂,chú chòu jì,deodorant -除旧布新,chú jiù bù xīn,to get rid of the old to bring in the new (idiom); to innovate -除旧更新,chú jiù gēng xīn,to replace the old with new (idiom) -除草,chú cǎo,to weed -除草剂,chú cǎo jì,weed killer; herbicide -除号,chú hào,division sign (math.) -除过,chú guò,(dialect) except; besides -除邪,chú xié,to guard against evil; to exorcise -除开,chú kāi,besides; except; to get rid of (sb); (math.) to divide -除霜,chú shuāng,to defrost; defrosting -除灵,chú líng,to expel spirits; (old) to end the period of mourning -除非,chú fēi,"only if (..., or otherwise, ...); only when; only in the case that; unless" -除颤,chú chàn,to defibrillate; defibrillation -陪,péi,to accompany; to keep sb company; to assist; old variant of 賠|赔[pei2] -陪伴,péi bàn,to accompany -陪侍,péi shì,to wait upon (older people); to accompany; attendant -陪同,péi tóng,to accompany -陪唱女,péi chàng nǚ,KTV hostess -陪唱小姐,péi chàng xiǎo jie,KTV hostess -陪奁,péi lián,dowry -陪嫁,péi jià,dowry -陪审员,péi shěn yuán,juror -陪审团,péi shěn tuán,jury -陪床,péi chuáng,to look after a hospitalized loved one -陪产,péi chǎn,to be present during childbirth -陪产假,péi chǎn jià,paternity leave -陪睡,péi shuì,"to trade sex for favorable treatment (career advancement, higher grades, rent-free accommodation etc); to sleep in the same bed as one's child" -陪练,péi liàn,training partner; sparring partner -陪罪,péi zuì,to apologize; apology -陪聊,péi liáo,to keep sb company for a chat; (esp.) to be a paid escort -陪葬,péi zàng,"to be buried with or next to dead person (of deceased's partner, or of funerary objects)" -陪葬品,péi zàng pǐn,funerary objects (items buried together with the dead) -陪衬,péi chèn,to serve as a foil; to set off; a foil; a contrast -陪护,péi hù,"to attend to the needs of (an invalid, disabled person etc); caregiver" -陪读,péi dú,"to accompany one's child or spouse who is studying overseas; to help a child with their study, reading or practicing together" -陪送,péi sòng,dowry; to give as a dowry; to accompany sb -陪都,péi dū,provisional capital of a country (e.g. in time of war); secondary capital; alternative capital -陪酒,péi jiǔ,to drink along (with sb) -陬,zōu,corner; foot of mountain -阴,yīn,surname Yin -阴,yīn,overcast (weather); cloudy; shady; Yin (the negative principle of Yin and Yang); negative (electric.); feminine; moon; implicit; hidden; genitalia -阴干,yīn gān,to dry in the shade -阴兵,yīn bīng,underworld soldier; ghost soldier -阴冷,yīn lěng,gloomy and cold -阴功,yīn gōng,hidden merits -阴司,yīn sī,hell; nether world -阴唇,yīn chún,(anatomy) labia (of the vulva) -阴囊,yīn náng,scrotum -阴天,yīn tiān,cloudy day; overcast sky -阴婚,yīn hūn,ghost marriage (in which one or both parties are dead) -阴宅,yīn zhái,(feng shui term) tomb -阴屁,yīn pì,queef -阴山,yīn shān,Yin mountains in Inner Mongolia -阴差阳错,yīn chā yáng cuò,(idiom) due to an unexpected turn of events -阴平,yīn píng,"high and level tone, the first tone of putonghua" -阴平声,yīn píng shēng,"high and level tone, the first tone of putonghua" -阴影,yīn yǐng,(lit. and fig.) shadow -阴径,yīn jìng,penis; variant of 陰莖|阴茎 -阴德,yīn dé,secret virtue -阴德必有阳报,yīn dé bì yǒu yáng bào,hidden merits will have visible rewards (idiom) -阴性,yīn xìng,negative; feminine -阴户,yīn hù,vulva -阴招,yīn zhāo,dirty trick -阴晦,yīn huì,overcast; gloomy -阴暗,yīn àn,dim; dark; overcast; darkness; shadow; (fig.) dismal; gloomy; somber; murky; shadowy (side) -阴暗面,yīn àn miàn,the dark side (of society etc) -阴历,yīn lì,lunar calendar -阴曹,yīn cáo,hell; the inferno -阴曹地府,yīn cáo dì fǔ,netherworld; Kingdom of the Underworld; Hades -阴柔,yīn róu,gentle and reserved; soft; feminine -阴核,yīn hé,clitoris -阴桫,yīn suō,a hard wood -阴森,yīn sēn,gloomy; sinister; eerie -阴极,yīn jí,cathode; negative electrode (i.e. emitting electrons) -阴极射线管,yīn jí shè xiàn guǎn,cathode ray tube -阴毒,yīn dú,sinister; insidious -阴毛,yīn máo,pubic hair -阴沉,yīn chén,gloomy -阴沉沉,yīn chén chén,"dark (weather, mood)" -阴凉,yīn liáng,shady -阴凉处,yīn liáng chù,shady place -阴沟里翻船,yīn gōu lǐ fān chuán,to meet with unexpected failure (idiom); to fail miserably (where failure was not expected) -阴湿,yīn shī,dark and moist -阴燃,yīn rán,to burn without flame; to smolder -阴私,yīn sī,shameful secret -阴穴,yīn xué,cave; (coll.) vagina -阴笑,yīn xiào,to laugh evilly -阴精,yīn jīng,sex fluids -阴茎,yīn jīng,penis -阴茎套,yīn jīng tào,condom; CL:隻|只[zhi1] -阴蒂,yīn dì,clitoris -阴虚,yīn xū,deficiency of yin 陰|阴[yin1] (TCM) -阴虚火旺,yīn xū huǒ wàng,an excess of heat caused by a deficiency in Yin energy (idiom) -阴虱,yīn shī,crab louse; pubic louse -阴谋,yīn móu,to conspire; to plot; a conspiracy; a plot -阴谋家,yīn móu jiā,schemer; conspirator -阴谋诡计,yīn móu guǐ jì,crafty plots and machinations (idiom) -阴谋论,yīn móu lùn,conspiracy theory -阴谋颠覆政府罪,yīn móu diān fù zhèng fǔ zuì,the crime of conspiracy to overthrow the government -阴道,yīn dào,vagina -阴道口,yīn dào kǒu,female external genitalia (anatomy); vulva -阴道炎,yīn dào yán,vaginal infection; inflammation of the vulva or vagina; colpitis -阴部,yīn bù,genitalia -阴错阳差,yīn cuò yáng chā,(idiom) due to an unexpected turn of events -阴门,yīn mén,vulva; pudenda -阴间,yīn jiān,the nether world; Hades; (neologism) (slang) disturbing; unsettling; awful; detestable -阴阜,yīn fù,mons veneris -阴阳,yīn yáng,yin and yang -阴阳合同,yīn yáng hé tóng,"a deal where the parties collude to sign an under-the-table ""yin contract"" 陰合同|阴合同 as well as an ostensibly genuine ""yang contract"" 陽合同|阳合同 in order to deceive authorities" -阴阳家,yīn yáng jiā,School of Yin-Yang of the Warring States Period (475-221 BC) founded by Zou Yan 鄒衍|邹衍[Zou1 Yan3] -阴阳怪气,yīn yáng guài qì,eccentric; peculiar; mystifying -阴险,yīn xiǎn,treacherous; sinister -阴险毒辣,yīn xiǎn dú là,treacherous and murderous -阴离子,yīn lí zǐ,negative ion; anion (physics) -阴离子部位,yīn lí zǐ bù wèi,anionic site -阴雨,yīn yǔ,overcast and rainy -阴云,yīn yún,dark cloud -阴电,yīn diàn,negative electric charge -阴霾,yīn mái,haze -阴面,yīn miàn,shady side; dark side -阴风,yīn fēng,chill wind; (fig.) evil wind -阴骘,yīn zhì,charitable acts performed in secret; hidden good deeds -阴郁,yīn yù,gloomy -阴魂,yīn hún,ghost; spirit -阴魂不散,yīn hún bù sàn,lit. the soul of a deceased has not yet dispersed (idiom); fig. the influence still lingers on; the spirit (of some doctrine) is still alive -阴鸷,yīn zhì,malicious; treacherous -陲,chuí,frontier -陈,chén,"surname Chen; Chen (c. 1045 - 479 BC), a Zhou dynasty state; Chen (557-589), one of the Southern Dynasties 南朝[Nan2 Chao2]" -陈,chén,to lay out; to exhibit; to display; to narrate; to state; to explain; to tell; old; stale -陈仁锡,chén rén xī,"Chen Renxi (1581-1636), late Ming scholar and prolific author" -陈仲琳,chén zhòng lín,"Chen Zhonglin, aka Xu Zhonglin 許仲琳|许仲琳[Xu3 Zhong4lin2] (c. 1567-c. 1620), Ming novelist, to whom the fantasy novel Investiture of the Gods 封神演義|封神演义[Feng1shen2 Yan3yi4] is attributed, together with Lu Xixing 陸西星|陆西星[Lu4 Xi1xing1]" -陈伯达,chén bó dá,"Chen Boda (1904-1989), communist party theorist, interpreter of Maoism" -陈仓,chén cāng,"ancient name of Baoji City 寶雞市|宝鸡市[Bao3 ji1 Shi4], Shaanxi; Chencang district of Baoji City" -陈仓区,chén cāng qū,"Chencang District of Baoji City 寶雞市|宝鸡市[Bao3 ji1 Shi4], Shaanxi" -陈元光,chén yuán guāng,"Chen Yuanguang (657-711), Tang dynasty general with posthumous title 開漳聖王|开漳圣王[Kai1 zhang1 sheng4 wang2], i.e. Sacred King, founder of Zhangzhou 漳州[Zhang1 zhou1], Fujian" -陈兵,chén bīng,to deploy troops; to mass troops -陈其迈,chén qí mài,"Chen Chi-mai (1964-), Taiwanese DPP politician, vice premier of the Republic of China (2019-)" -陈再道,chén zài dào,"Chen Zaidao (1909-1993), general in the People's Liberation Army" -陈冠希,chén guān xī,"Edison Chen (1980-), Hong Kong singer and actor" -陈凯歌,chén kǎi gē,"Chen Kaige (1952-), Chinese movie director" -陈列,chén liè,to display; to exhibit -陈列室,chén liè shì,display room -陈列台,chén liè tái,stall -陈胜,chén shèng,"Chen Sheng (died 208 BC), Qin dynasty rebel, leader of the Chen Sheng Wu Guang Uprising 陳勝吳廣起義|陈胜吴广起义[Chen2 Sheng4 Wu2 Guang3 Qi3 yi4]" -陈胜吴广起义,chén shèng wú guǎng qǐ yì,"Chen Sheng Wu Guang Uprising (209 BC), near the end of the Qin dynasty" -陈化,chén huà,"to age; to mature (wine, timber etc)" -陈厚,chén hòu,"Peter Chen Ho (1931-1970), Chinese actor" -陈可雄,chén kě xióng,"Chen Kexiong (1950-), novelist" -陈寿,chén shòu,"Chen Shou (233-297), Western Jin dynasty 西晉|西晋[Xi1 Jin4] historian, author of History of the Three Kingdoms 三國志|三国志[San1 guo2 zhi4]" -陈天华,chén tiān huà,"Chen Tianhua (1875-1905), anti-Qing revolutionary from Hunan, drowned himself in Japan in 1905" -陈奏,chén zòu,to present a memorial (to the Emperor) -陈奕迅,chén yì xùn,"Eason Chan (1974-), Hong Kong pop singer and actor" -陈套,chén tào,set pattern; old habit -陈娇,chén jiāo,"Chen Jiao, first wife of emperor 漢武帝|汉武帝[Han4 Wu3 di4], died c. 110 BC" -陈子昂,chén zǐ áng,"Chen Zi'ang (c. 661-702), Tang dynasty poet" -陈尸,chén shī,to lay out the corpse -陈巴尔虎旗,chén bā ěr hǔ qí,"Old Barag banner in Hulunbuir 呼倫貝爾|呼伦贝尔[Hu1 lun2 bei4 er3], Inner Mongolia" -陈希同,chén xī tóng,"Chen Xitong (1930-), mayor of Beijing at the time of 4th Jun 1989 Tiananmen incident" -陈年,chén nián,(of wine) aged; (of debts etc) old; longstanding -陈建仁,chén jiàn rén,"Chen Chien-jen (1951-), Taiwanese politician, vice president of the Republic of China 2016-2020" -陈德良,chén dé liáng,"Tran Duc Luong (1937-), former president of Vietnam" -陈忱,chén chén,"Chen Chen (1613-1670), novelist and poet at the Ming-Qing transition, author of Water Margin sequel 水滸後傳|水浒后传" -陈恭尹,chén gōng yǐn,"Chen Gongyin (1631-1700), early Qing dynasty poet" -陈情,chén qíng,to give a full account -陈庆炎,chén qìng yán,"Tony Tan (1940-), president of Singapore 2011-2017" -陈抟,chén tuán,"Chen Tuan (871-989), a legendary Daoist sage" -陈放,chén fàng,to display -陈方安生,chén fāng ān shēng,"Anson Chan (1940-), chief secretary for administration, Hong Kong (1997-2001)" -陈景润,chén jǐng rùn,Chen Jingrun (1933-1996) Chinese number theorist -陈书,chén shū,"History of Chen of the Southern Dynasties, ninth of the 24 dynastic histories 二十四史[Er4 shi2 si4 Shi3], compiled by Yao Silian 姚思廉[Yao2 Si1 lian2] in 636 during Tang dynasty, 36 scrolls" -陈木胜,chén mù shèng,Benny Chan (Hong Kong film director) -陈桥兵变,chén qiáo bīng biàn,the military revolt of 960 that led Zhao Kuangyin 趙匡胤|赵匡胤 to found the Song dynasty -陈毅,chén yì,"Chen Yi (1901-1972), communist general and politician, Marshal of PLA from 1955, Mayor of Shanghai in 1950s, PRC foreign minister 1958-1972" -陈水扁,chén shuǐ biǎn,"Chen Shui-Bian (1950-), Taiwanese DPP 民進黨|民进党 politician, president of the Republic of China 2000-2008" -陈冲,chén chōng,"Joan Chen (1961-), Chinese born American actress" -陈炯明,chén jiǒng míng,"Chen Jiongming (1878-1933), a leading warlord of Guangdong faction, defeated in 1925 and fled to Hong Kong" -陈独秀,chén dú xiù,"Chen Duxiu (1879-1942), co-founder of the Chinese Communist Party in 1921" -陈皮,chén pí,orange peel; tangerine peel; dried orange peel used in Chinese medicine -陈省身,chén xǐng shēn,"Shiing-Shen Chern (1911-2004), Chinese-American mathematician" -陈米,chén mǐ,old rice; rice kept for many years -陈纳德,chén nà dé,"(Claire) Chennault, commander of Flying Tigers during World War II" -陈绍,chén shào,old Shaoxing wine -陈美,chén měi,"Vanessa-Mae (1978-), Singaporean-born British violinist and skier" -陈腐,chén fǔ,trite; clichéd; empty and trite; banality; platitude -陈旧,chén jiù,old-fashioned -陈规,chén guī,outmoded conventions; old-fashioned ways -陈规旧习,chén guī jiù xí,old rules and customs -陈规陋习,chén guī lòu xí,outmoded conventions; old-fashioned ways -陈设,chén shè,to display; to set out; furnishings -陈诉,chén sù,to state; to assert -陈词,chén cí,to state one's views; speech; statement; plea -陈词滥调,chén cí làn diào,cliché; commonplace; truism; stereotype -陈说,chén shuō,to state; to assert -陈谷子烂芝麻,chén gǔ zi làn zhī ma,"lit. stale grain, overcooked sesame (idiom); fig. the same boring old gossip" -陈货,chén huò,shop-worn goods; remnants -陈账,chén zhàng,old debt -陈迹,chén jì,past events; relics from a former age; ruins -陈述,chén shù,an assertion; to declare; to state -陈述句,chén shù jù,declarative sentence -陈述书,chén shù shū,representation letter (law); a brief; written statement; declaration -陈酒,chén jiǔ,old wine -陈醋,chén cù,mature vinegar -陈陈相因,chén chén xiāng yīn,to follow a set routine -陈云,chén yún,"Chen Yun (1905-1995), communist leader and economist" -陈云林,chén yún lín,"Chen Yunlin (1941-), chairman of PRC Association for Relations Across the Taiwan Straits (ARATS) 海峽兩岸關係協會|海峡两岸关系协会[Hai3 xia2 Liang3 an4 Guan1 xi5 Xie2 hui4] (2008-2013)" -陈露,chén lù,"Lu Chen (1976-), PRC figure skater, 1995 world champion" -陈香梅,chén xiāng méi,"Chen Xiangmei (1925-2018), a.k.a. Anna Chennault, born in Beijing, US Republican Party politician, wife of Claire Lee Chennault 陳納德|陈纳德[Chen2 na4 de2]" -陴,pí,parapet -陴县,pí xiàn,Pi county in Sichuan -陵,líng,mound; tomb; hill; mountain -陵园,líng yuán,cemetery; mausoleum park -陵墓,líng mù,tomb; mausoleum -陵夷,líng yí,to deteriorate; to decline; to slump; also written 凌夷 -陵寝,líng qǐn,tomb (of king or emperor) -陵川,líng chuān,"Lingcuan county in Jincheng 晉城|晋城[Jin4 cheng2], Shanxi" -陵川县,líng chuān xiàn,"Lingcuan county in Jincheng 晉城|晋城[Jin4 cheng2], Shanxi" -陵水,líng shuǐ,"Lingshui Lizu Autonomous County, Hainan; abbr. for 陵水黎族自治縣|陵水黎族自治县[Ling2 shui3 Li2 zu2 Zi4 zhi4 xian4]" -陵水县,líng shuǐ xiàn,"Lingshui Lizu Autonomous County, Hainan; abbr. for 陵水黎族自治縣|陵水黎族自治县[Ling2 shui3 Li2 zu2 Zi4 zhi4 xian4]" -陵水黎族自治县,líng shuǐ lí zú zì zhì xiàn,"Lingshui Lizu Autonomous County, Hainan" -陵县,líng xiàn,"Ling county in Dezhou 德州[De2 zhou1], Shandong" -陶,táo,surname Tao -陶,táo,pottery; pleased -陶俑,táo yǒng,a pottery figurine buried with the dead -陶冶,táo yě,lit. to fire pots and smelt metal; fig. to educate -陶冶情操,táo yě qíng cāo,to cultivate one's mind; to build character -陶匠,táo jiàng,potter -陶哲轩,táo zhé xuān,"Terence Tao, Chinese-Australian mathematician, Fields medalist in 2006" -陶喆,táo zhé,"David Tao (1969-), Taiwanese singer-songwriter" -陶器,táo qì,pottery -陶土,táo tǔ,potter's clay; kaolin -陶宗仪,táo zōng yí,"Tao Zongyi (c. 1329-1410), Yuan dynasty scholar" -陶工,táo gōng,pottery; potter -陶乐,táo lè,"former Taole county, now in Pingluo county 平羅縣|平罗县[Ping2 luo2 xian4], Shizuishan 石嘴山[Shi2 zui3 shan1], Ningxia" -陶乐县,táo lè xiàn,"former Taole county, now in Pingluo county 平羅縣|平罗县[Ping2 luo2 xian4], Shizuishan 石嘴山[Shi2 zui3 shan1], Ningxia" -陶渊明,táo yuān míng,"Tao Yuanming (c. 365-427), Jin dynasty writer and poet" -陶潜,táo qián,"Tao Qian or Tao Yuanming 陶淵明|陶渊明 (c. 365-427), Jin dynasty writer and poet" -陶瓷,táo cí,pottery and porcelain; ceramics -陶瓷器,táo cí qì,pottery; chinaware -陶甄,táo zhēn,to mold and educate people -陶盅,táo zhōng,pottery bowl -陶砚,táo yàn,ink stone made of pottery -陶笛,táo dí,ocarina (musical instrument) -陶艺,táo yì,ceramic art -陶行知,táo xíng zhī,"Tao Xingzhi (1891-1946), Chinese educator and reformer" -陶醉,táo zuì,to be infatuated with; to be drunk with; to be enchanted with; to revel in -陷,xiàn,pitfall; trap; to get stuck; to sink; to cave in; to frame (false charge); to capture (a city in battle); to fall (to the enemy); defect -陷入,xiàn rù,to sink into; to get caught up in; to land in (a predicament) -陷入牢笼,xiàn rù láo lóng,to fall into a trap; ensnared -陷坑,xiàn kēng,pitfall; pit as animal trap -陷害,xiàn hài,to entrap; to set up; to frame (up); to make false charges against -陷于,xiàn yú,caught in (a bad situation); to fall into (trap etc) -陷于瘫痪,xiàn yú tān huàn,to be paralyzed; to come to a standstill -陷落,xiàn luò,to surrender (of a fortress); to fall (to the enemy); subsidence (of land) -陷落带,xiàn luò dài,area of subsidence -陷阱,xiàn jǐng,pitfall; snare; trap -陆,lù,surname Lu -陆,liù,six (banker's anti-fraud numeral) -陆,lù,(bound form) land (as opposed to the sea) -陆上,lù shàng,land-based; on land -陆上风电,lù shàng fēng diàn,onshore wind power -陆克文,lù kè wén,"Chinese name adopted by Kevin Rudd (1957-), Australian politician proficient in Mandarin, prime minister 2007-2010 and 2013" -陆劳,lù láo,laborer from mainland China (Tw) -陆地,lù dì,dry land (as opposed to the sea) -陆均松,lù jūn sōng,podocarp tree (Dacrydium pierrei) -陆坡,lù pō,continental slope (boundary of continental shelf) -陆域风电,lù yù fēng diàn,(Tw) onshore wind power -陆基,lù jī,land-based -陆基导弹,lù jī dǎo dàn,land-based missile -陆委会,lù wěi huì,"Mainland Affairs Council (Taiwan), abbr. for 大陸委員會|大陆委员会" -陆客,lù kè,(Tw) (neologism c. 2008) mainland Chinese tourist -陆川,lù chuān,"Luchuan county in Yulin 玉林[Yu4 lin2], Guangxi" -陆川县,lù chuān xiàn,"Luchuan county in Yulin 玉林[Yu4 lin2], Guangxi" -陆征祥,lù zhēng xiáng,"Lu Zhengxiang (1871-1949), Chinese diplomat and Catholic monk" -陆战棋,lù zhàn qí,see 軍棋|军棋[jun1 qi2] -陆探微,lù tàn wēi,"Lu Tanwei (active c. 450-490), one of the Four Great Painters of the Six Dynasties 六朝四大家" -陆架,lù jià,continental shelf -陆栖,lù qī,(of an animal) terrestrial; land-based -陆荣廷,lù róng tíng,"Lu Rongting (1858-1928), provincial governor of Guangxi under the Qing, subsequently leader of old Guangxi warlord faction" -陆机,lù jī,"Lu Ji (261-303), Chinese writer and literary critic" -陆河,lù hé,"Luhe county in Shanwei 汕尾, Guangdong" -陆河县,lù hé xiàn,"Luhe county in Shanwei 汕尾, Guangdong" -陆海空三军,lù hǎi kōng sān jūn,"army, navy, air force" -陆海空军,lù hǎi kōng jūn,"army, navy and air force" -陆港,lù gǎng,mainland China and Hong Kong -陆港矛盾,lù gǎng máo dùn,tensions between mainland China and Hong Kong (since 1997) -陆游,lù yóu,"Lu You (1125-1210), widely regarded as the greatest of the Southern Song poets" -陆生,lù shēng,"terrestrial (animal, species)" -陆续,lù xù,in turn; successively; one after the other; bit by bit -陆羽,lù yǔ,"Lu Yu (733-804), Chinese writer from Tang dynasty, known for his obsession with tea" -陆良,lù liáng,"Luliang county in Qujing 曲靖[Qu3 jing4], Yunnan" -陆良县,lù liáng xiàn,"Luliang county in Qujing 曲靖[Qu3 jing4], Yunnan" -陆西星,lù xī xīng,"Lu Xixing (1520-c. 1601), Ming Daoist author, to whom the fantasy novel Investiture of the Gods 封神演義|封神演义[Feng1 shen2 Yan3 yi4] is attributed, together with Xu Zhonglin 許仲琳|许仲琳[Xu3 Zhong4 lin2]" -陆丰,lù fēng,"Lufeng, county-level city in Shanwei, Guangdong 汕尾" -陆丰市,lù fēng shì,"Lufeng, county-level city in Shanwei 汕尾, Guangdong" -陆贝,lù bèi,land snail -陆路,lù lù,land route; overland route -陆军,lù jūn,army; ground forces -陆军上校,lù jūn shàng xiào,colonel -陆军中尉,lù jūn zhōng wèi,lieutenant -陆军棋,lù jūn qí,see 軍棋|军棋[jun1 qi2] -陆运,lù yùn,land transport -陆配,lù pèi,(Tw) spouse from mainland China -陆陆续续,lù lù xù xù,in succession; one after another; continuously -陆龟,lù guī,tortoise -堙,yīn,variant of 堙[yin1]; to block -阳,yáng,"positive (electric.); sun; male principle (Taoism); Yang, opposite: 陰|阴[yin1]" -阳世,yáng shì,world of the living -阳世间,yáng shì jiān,the world of the living -阳信,yáng xìn,"Yangxin county in Binzhou 濱州|滨州[Bin1 zhou1], Shandong" -阳信县,yáng xìn xiàn,"Yangxin county in Binzhou 濱州|滨州[Bin1 zhou1], Shandong" -阳伞,yáng sǎn,parasol -阳光,yáng guāng,sunshine; (of personality) upbeat; energetic; transparent (open to public scrutiny) -阳光房,yáng guāng fáng,sunroom -阳光明媚,yáng guāng míng mèi,the sun shines brightly (idiom) -阳光普照,yáng guāng pǔ zhào,(idiom) sunlight shines over all things; drenched in sunlight -阳光浴,yáng guāng yù,sunbathing -阳具,yáng jù,penis -阳刚,yáng gāng,manly; masculine -阳原,yáng yuán,"Yangyuan county in Zhangjiakou 張家口|张家口[Zhang1 jia1 kou3], Hebei" -阳原县,yáng yuán xiàn,"Yangyuan county in Zhangjiakou 張家口|张家口[Zhang1 jia1 kou3], Hebei" -阳台,yáng tái,variant of 陽臺|阳台[yang2 tai2] -阳城,yáng chéng,"Yangcheng county in Jincheng 晉城|晋城[Jin4 cheng2], Shanxi" -阳城县,yáng chéng xiàn,"Yangcheng county in Jincheng 晉城|晋城[Jin4 cheng2], Shanxi" -阳寿,yáng shòu,predestined lifespan -阳奉阴违,yáng fèng yīn wéi,"outward devotion but inner opposition (idiom); to pay lip service; to agree overtly, but oppose in secret" -阳宗,yáng zōng,sun -阳山,yáng shān,"Yangshan county in Qingyuan 清遠|清远[Qing1 yuan3], Guangdong" -阳山县,yáng shān xiàn,"Yangshan county in Qingyuan 清遠|清远[Qing1 yuan3], Guangdong" -阳平,yáng píng,"evenly rising tone, the second tone of putonghua" -阳平声,yáng píng shēng,"evenly rising tone, the second tone of putonghua" -阳性,yáng xìng,positive; masculine -阳文,yáng wén,characters cut in relief -阳新,yáng xīn,"Yangxin county in Huangshi 黃石|黄石[Huang2 shi2], Hubei" -阳新县,yáng xīn xiàn,"Yangxin county in Huangshi 黃石|黄石[Huang2 shi2], Hubei" -阳明,yáng míng,"Yangming district of Mudanjiang city 牡丹江市, Heilongjiang" -阳明区,yáng míng qū,"Yangming district of Mudanjiang city 牡丹江市, Heilongjiang" -阳明山,yáng míng shān,"Mt Yangming in Hunan; Mt Yangming in north Taiwan, near Taibei" -阳春,yáng chūn,"Yangchun, county-level city in Yangjiang 陽江|阳江[Yang2 jiang1], Guangdong" -阳春型,yáng chūn xíng,"entry-level (car, device etc) (Tw)" -阳春市,yáng chūn shì,"Yangchun, county-level city in Yangjiang 陽江|阳江[Yang2 jiang1], Guangdong" -阳春白雪,yáng chūn bái xuě,melodies of the elite in the state of Chu 楚國|楚国[Chu3 guo2]; highbrow art and literature -阳春面,yáng chūn miàn,plain noodles in broth -阳历,yáng lì,solar calendar; Western (Gregorian) calendar -阳曲,yáng qǔ,"Yangqu county in Taiyuan 太原[Tai4 yuan2], Shanxi" -阳曲县,yáng qǔ xiàn,"Yangqu county in Taiyuan 太原[Tai4 yuan2], Shanxi" -阳朔,yáng shuò,"Yangshuo county in Guilin 桂林[Gui4 lin2], Guangxi" -阳朔县,yáng shuò xiàn,"Yangshuo county in Guilin 桂林[Gui4 lin2], Guangxi" -阳东,yáng dōng,"Yangdong county in Yangjiang 陽江|阳江[Yang2 jiang1], Guangdong" -阳东县,yáng dōng xiàn,"Yangdong county in Yangjiang 陽江|阳江[Yang2 jiang1], Guangdong" -阳极,yáng jí,anode; positive electrode; positive pole -阳江,yáng jiāng,"Yangjiang, prefecture-level city in Guangdong" -阳江市,yáng jiāng shì,"Yangjiang, prefecture-level city in Guangdong" -阳泉,yáng quán,"Yangquan, prefecture-level city in Shanxi 山西" -阳泉市,yáng quán shì,"Yangquan, prefecture-level city in Shanxi 山西" -阳炎,yáng yán,dazzling sunlight; glare of sunlight -阳物,yáng wù,penis -阳痿,yáng wěi,(med.) impotence -阳盛,yáng shèng,excess of yang 陽|阳[yang2] in TCM -阳台,yáng tái,balcony; porch -阳萎,yáng wěi,impotence (variant of 陽痿|阳痿[yang2 wei3]) -阳虚,yáng xū,deficiency of yang 陽|阳[yang2] (TCM) -阳西,yáng xī,"Yangxi county in Yangjiang 陽江|阳江[Yang2 jiang1], Guangdong" -阳西县,yáng xī xiàn,"Yangxi county in Yangjiang 陽江|阳江[Yang2 jiang1], Guangdong" -阳谋,yáng móu,to conspire openly; overt plot -阳谷,yáng gǔ,"Yangu county in Liaocheng 聊城[Liao2 cheng2], Shandong" -阳谷县,yáng gǔ xiàn,"Yangu county in Liaocheng 聊城[Liao2 cheng2], Shandong" -阳道,yáng dào,penis -阳间,yáng jiān,the world of the living -阳关,yáng guān,"Yangguan or Southern Pass on the south Silk Road in Gansu, 70 km south of Dunhuang 敦煌" -阳关大道,yáng guān dà dào,(lit.) the road through Yangguan 陽關|阳关[Yang2 guan1]; (fig.) wide open road; bright future -阳关道,yáng guān dào,same as 陽關大道|阳关大道[Yang2 guan1 Da4 dao4] -阳离子,yáng lí zǐ,positive ion; cation (physics) -阳电,yáng diàn,positive electric charge -阳电子,yáng diàn zǐ,positron; also called 正電子|正电子[zheng4 dian4 zi3] -阳电极,yáng diàn jí,anode; positive electrode (i.e. attracting electrons) -阳电荷,yáng diàn hè,positive electric charge -阳高,yáng gāo,"Yanggao county in Datong 大同[Da4 tong2], Shanxi" -阳高县,yáng gāo xiàn,"Yanggao county in Datong 大同[Da4 tong2], Shanxi" -狭,xiá,old variant of 狹|狭[xia2] -阴,yīn,variant of 陰|阴[yin1] -堤,dī,variant of 堤[di1] -隅,yú,corner -隆,lóng,"surname Long; short for 吉隆坡[Ji2long2po1], Kuala Lumpur" -隆,lōng,sound of drums -隆,lóng,grand; intense; prosperous; to swell; to bulge -隆中,lóng zhōng,"scenic area near Xiangyang 襄陽|襄阳[Xiang1 yang2] in Hubei, known as the secluded mountainous location where Zhuge Liang 諸葛亮|诸葛亮[Zhu1 ge3 Liang4] lived as a young man" -隆乳,lóng rǔ,breast enlargement -隆乳手术,lóng rǔ shǒu shù,breast enlargement operation; boob job -隆冬,lóng dōng,midwinter; the depth of winter -隆化,lóng huà,"Longhua county in Chengde 承德[Cheng2 de2], Hebei" -隆化县,lóng huà xiàn,"Longhua county in Chengde 承德[Cheng2 de2], Hebei" -隆回,lóng huí,"Longhui county in Shaoyang 邵陽|邵阳[Shao4 yang2], Hunan" -隆回县,lóng huí xiàn,"Longhui county in Shaoyang 邵陽|邵阳[Shao4 yang2], Hunan" -隆尧,lóng yáo,"Longyao county in Xingtai 邢台[Xing2 tai2], Hebei" -隆尧县,lóng yáo xiàn,"Longyao county in Xingtai 邢台[Xing2 tai2], Hebei" -隆子,lóng zǐ,"Lhünzê county, Tibetan: Lhun rtse rdzong, in Lhokha prefecture 山南地區|山南地区[Shan1 nan2 di4 qu1], Tibet" -隆子县,lóng zǐ xiàn,"Lhünzê county, Tibetan: Lhun rtse rdzong, in Lhokha prefecture 山南地區|山南地区[Shan1 nan2 di4 qu1], Tibet" -隆安,lóng ān,"Long'an county in Nanning 南寧|南宁[Nan2 ning2], Guangxi" -隆安县,lóng ān xiàn,"Long'an county in Nanning 南寧|南宁[Nan2 ning2], Guangxi" -隆德,lóng dé,"Longde county in Guyuan 固原[Gu4 yuan2], Ningxia" -隆德县,lóng dé xiàn,"Longde county in Guyuan 固原[Gu4 yuan2], Ningxia" -隆情,lóng qíng,profound love -隆情厚谊,lóng qíng hòu yì,"profound love, generous friendship (idiom)" -隆昌,lóng chāng,"Longchang county in Neijiang 內江|内江[Nei4 jiang1], Sichuan" -隆昌县,lóng chāng xiàn,"Longchang county in Neijiang 內江|内江[Nei4 jiang1], Sichuan" -隆林各族自治县,lóng lín gè zú zì zhì xiàn,"Longlin Various Nationalities Autonomous County in Baise 百色[Bai3 se4], Guangxi" -隆林县,lóng lín xiàn,"Longlin various ethnic groups autonomous county in Baise 百色[Bai3 se4], Guangxi" -隆格尔,lóng gé ěr,"former Lunggar county 1983-1999 occupying parts of Zhongba county 仲巴縣|仲巴县[Zhong4 ba1 xian4], Ngari prefecture, Tibet" -隆格尔县,lóng gé ěr xiàn,"former Lunggar county 1983-1999 occupying parts of Zhongba county 仲巴縣|仲巴县[Zhong4 ba1 xian4], Ngari prefecture, Tibet" -隆河,lóng hé,"Rhone, river of Switzerland and France; also written 羅納河|罗纳河[Luo2 na4 He2]" -隆胸,lóng xiōng,to enlarge the breasts; breast enlargement -隆起,lóng qǐ,to swell; to bulge -隆重,lóng zhòng,grand; prosperous; ceremonious; solemn -隆阳,lóng yáng,"Longyang district of Baoshan city 保山市[Bao3 shan1 shi4], Yunnan" -隆阳区,lóng yáng qū,"Longyang district of Baoshan city 保山市[Bao3 shan1 shi4], Yunnan" -隆隆,lóng lóng,rumble -隆隆声,lóng lóng shēng,rumble (sound of thunder or gunfire) -隈,wēi,bay; cove -陧,niè,dangerous -队,duì,squadron; team; group; CL:個|个[ge4] -队伍,duì wǔ,"ranks; troops; queue; line; procession; CL:個|个[ge4],支[zhi1],條|条[tiao2]" -队列,duì liè,formation (of troops); alignment; (computing) queue; cohort (in a study) -队友,duì yǒu,teammate; fellow team member -队员,duì yuán,team member -队尾,duì wěi,back of the line; last one in line -队形,duì xíng,formation -队旗,duì qí,team pennant -队服,duì fú,team uniform -队部,duì bù,office; headquarters -队长,duì zhǎng,captain; team leader; CL:個|个[ge4] -隋,suí,the Sui dynasty (581-617 AD); surname Sui -隋代,suí dài,Sui dynasty (581-617) -隋唐,suí táng,Sui (581-617) and Tang dynasties (618-907) -隋唐演义,suí táng yǎn yì,"Dramatized History of Sui and Tang, novel by Qing dynasty author Chu Renhuo 褚人獲|褚人获[Chu3 Ren2 huo4]" -隋文帝,suí wén dì,"Wendi (541-604), posthumous name of the first Sui emperor, reigned 581-604" -隋书,suí shū,"History of the Sui Dynasty, thirteenth of the 24 dynastic histories 二十四史[Er4 shi2 si4 Shi3], compiled under Wei Zheng 魏徵|魏征[Wei4 Zheng1] in 636 during Tang Dynasty, 85 scrolls" -隋朝,suí cháo,Sui dynasty (581-617) -隋末,suí mò,last years of the Sui dynasty; early 7th century AD -隋炀帝,suí yáng dì,"Emperor Yang of Sui (569-618), said to have murdered his father and brother to seize the throne, reigned 604-618" -隍,huáng,dry moat; god of city -阶,jiē,rank or step; stairs -阶乘,jiē chéng,"the factorial of a number, e.g. 5! = 5.4.3.2.1 = 120" -阶位,jiē wèi,order; rank; level -阶地,jiē dì,terrace (geography) -阶层,jiē céng,social class -阶梯,jiē tī,flight of steps; (fig.) stepping stone; way to reach the goal of -阶梯教室,jiē tī jiào shì,lecture theater -阶梯计价,jiē tī jì jià,volumetric pricing; tiered pricing; differential pricing -阶段,jiē duàn,stage; section; phase; period; CL:個|个[ge4] -阶段性,jiē duàn xìng,specific to a particular stage (of a project etc); interim (policy etc); occurring in stages; phased -阶级,jiē jí,(social) class; CL:個|个[ge4] -阶级式,jiē jí shì,hierarchical -阶级成分,jiē jí chéng fèn,"social composition; social status (in Marxist theory, esp. using during the Cultural Revolution)" -阶级斗争,jiē jí dòu zhēng,class struggle -隔,gé,to separate; to partition; to stand or lie between; at a distance from; after or at an interval of -隔三岔五,gé sān chà wǔ,see 隔三差五|隔三差五[ge2 san1 cha4 wu3] -隔三差五,gé sān chà wǔ,every few days (idiom) -隔世,gé shì,separated by a generation; a lifetime ago -隔壁,gé bì,next door; neighbor -隔壁有耳,gé bì yǒu ěr,walls have ears -隔壁老王,gé bì lǎo wáng,Mr Wang from next door (term used jocularly to refer to a neighbor who is supposedly sleeping with one's wife) -隔壁邻居,gé bì lín jū,next-door neighbor -隔夜,gé yè,overnight; of the previous day -隔天,gé tiān,the next day; on alternate days -隔山,gé shān,half-sibling relationship; brothers with different mother; step- -隔岸观火,gé àn guān huǒ,to watch the fires burning across the river; to delay entering the fray until all others have been exhausted by fighting amongst themselves (idiom) -隔年皇历,gé nián huáng lì,lit. almanac from years back (idiom); obsolete practice; old-fashioned principle -隔扇,gé shan,partition; partition board -隔断,gé duàn,partition; to stand between; wall or fence serving as partition -隔断板,gé duàn bǎn,partition board -隔日,gé rì,see 隔天[ge2 tian1] -隔板,gé bǎn,divider; partition -隔油池,gé yóu chí,grease trap -隔热,gé rè,"to insulate thermally; insulating (material, effect etc)" -隔热材料,gé rè cái liào,insulation -隔墙有耳,gé qiáng yǒu ěr,the walls have ears (idiom) -隔空,gé kōng,"from a distance; through the air; remotely (esp. by means of telekinesis, magic, technology etc)" -隔空喊话,gé kōng hǎn huà,"to converse with sb by shouting from some distance away; (fig.) to say sth intended for the ears of sb who is not in one's presence (often, by making a public statement or by posting online)" -隔绝,gé jué,to cut off; to isolate; isolated (from the world) -隔膜,gé mó,diaphragm (anatomy); distant (socially aloof); divided by lack of mutual comprehension; nonexpert -隔行,gé háng,to interlace; to interleave (computing) -隔行如隔山,gé háng rú gé shān,"different trades, worlds apart (idiom); to sb outside the profession, it is a closed book" -隔行扫描,gé háng sǎo miáo,interlaced scanning -隔都,gé dōu,ghetto (loanword) -隔开,gé kāi,to separate -隔间,gé jiān,compartment; booth; cubicle; partitioned-off area -隔阂,gé hé,misunderstanding; estrangement; (language etc) barrier -隔离,gé lí,to separate; to isolate -隔离霜,gé lí shuāng,pre-makeup cream; makeup base; foundation primer -隔靴搔痒,gé xuē sāo yǎng,lit. to scratch the outside of the boot (idiom); fig. beside the point; ineffectual -隔音,gé yīn,soundproofing -隔音符号,gé yīn fú hào,"apostrophe, as used in pinyin orthography (i.e. to mark a boundary between two syllables, as in ""dàng'àn"" 檔案|档案[dang4 an4])" -陨,yǔn,(bound form) to fall from the sky; (literary) to perish (variant of 殞|殒[yun3]) -陨命,yǔn mìng,variant of 殞命|殒命[yun3 ming4]; to die; to perish -陨坑,yǔn kēng,meteorite crater -陨星,yǔn xīng,meteorite; falling star -陨石,yǔn shí,"meteorite; aerolite; CL:塊|块[kuai4],顆|颗[ke1]" -陨石坑,yǔn shí kēng,meteorite impact crater -陨石雨,yǔn shí yǔ,meteorite shower -陨落,yǔn luò,to fall down; to decay; to fall from the sky; to die -陨首,yǔn shǒu,to offer one's life in sacrifice -坞,wù,variant of 塢|坞[wu4] -隗,kuí,surname Kui; Zhou Dynasty vassal state -隗,wěi,surname Wei -隗,wěi,eminent; lofty -隘,ài,(bound form) narrow; (bound form) a defile; a narrow pass -隘口,ài kǒu,mountain pass -隘谷,ài gǔ,ravine -隘路,ài lù,defile; narrow passage -隙,xì,crack; crevice; gap or interval; loophole; discord; rift -隙缝,xì fèng,aperture -际,jì,border; edge; boundary; interval; between; inter-; to meet; time; occasion; to meet with (circumstances) -际会,jì huì,opportunity; chance -际遇,jì yù,circumstance(s) encountered in one's life (favorable or otherwise); stroke of luck; opportunity -障,zhàng,to block; to hinder; to obstruct -障壁,zhàng bì,barrier -障眼,zhàng yǎn,to hinder the eyesight; (fig.) to trick into not noticing -障眼法,zhàng yǎn fǎ,diversionary tactic; smokescreen -障碍,zhàng ài,barrier; obstruction; hindrance; impediment; obstacle -障碍性贫血,zhàng ài xìng pín xuè,aplastic anemia (med.) -障碍滑雪,zhàng ài huá xuě,(snow skiing) slalom -障碍物,zhàng ài wù,obstacle; hindrance -障碍跑,zhàng ài pǎo,steeplechase (athletics) -障蔽,zhàng bì,to obstruct -邻,lín,variant of 鄰|邻[lin2] -隧,suì,tunnel; underground passage -隧洞,suì dòng,tunnel -隧道,suì dào,tunnel -随,suí,surname Sui -随,suí,to follow; to comply with; varying according to...; to allow; subsequently -随之,suí zhī,thereupon; subsequently; accordingly -随之而后,suí zhī ér hòu,from that; following from that; after that -随伴,suí bàn,to accompany -随你,suí nǐ,as you wish -随便,suí biàn,as one wishes; as one pleases; at random; negligent; casual; wanton -随俗,suí sú,according to custom; to do as local custom requires; do as the Romans do -随信,suí xìn,attached with the letter -随信附上,suí xìn fù shàng,enclosed with (this) letter -随即,suí jí,immediately; presently; following which -随口,suí kǒu,(speak) without thinking the matter through -随口胡诌,suí kǒu hú zhōu,to talk random nonsense (idiom); to say whatever comes into one's head -随叫随到,suí jiào suí dào,to be available at any time; to be on call -随同,suí tóng,accompanying -随和,suí hé,amiable; easygoing -随员,suí yuán,attendant -随喜,suí xǐ,(Buddhism) to be moved at the sight of good deeds; to join in charitable deeds; to tour temples -随地,suí dì,according to the location; everywhere; any place; from any location; from wherever you like -随堂测验,suí táng cè yàn,quiz (student assessment) -随大流,suí dà liú,to follow the crowd; going with the tide -随大溜,suí dà liù,to follow the crowd; going with the tide -随州,suí zhōu,"Suizhou, prefecture-level city in Hubei" -随州市,suí zhōu shì,"Suizhou, prefecture-level city in Hubei" -随带,suí dài,to carry along; portable -随后,suí hòu,soon after -随从,suí cóng,to accompany; to follow; to attend; entourage; attendant -随心,suí xīn,to fulfill one's desire; to find sth satisfactory -随心所欲,suí xīn suǒ yù,to follow one's heart's desires; to do as one pleases (idiom) -随性,suí xìng,casual; laid-back; doing as one pleases -随想,suí xiǎng,random thoughts; (in book titles etc) impressions; jottings -随想曲,suí xiǎng qǔ,(music) capriccio -随意,suí yì,as one wishes; according to one's wishes; at will; voluntary; conscious -随感,suí gǎn,random thoughts; impressions -随手,suí shǒu,conveniently; without extra trouble; while doing it; in passing -随插即用,suí chā jí yòng,plug and play (computing) -随时,suí shí,at any time; at all times; at the right time; whenever necessary -随时待命,suí shí dài mìng,on call; always available; ready at all times -随时随地,suí shí suí dì,anytime and anywhere -随机,suí jī,according to the situation; pragmatic; random -随机存取,suí jī cún qǔ,random access (memory) -随机存取存储器,suí jī cún qǔ cún chǔ qì,random access memory (RAM) -随机存取记忆体,suí jī cún qǔ jì yì tǐ,random access memory (RAM) -随机性,suí jī xìng,randomness; stochasticity -随机应变,suí jī yìng biàn,to change according to the situation (idiom); pragmatic -随机效应,suí jī xiào yìng,stochastic effect -随机数,suí jī shù,random number -随机时间,suí jī shí jiān,random period of time; random interval -随机变数,suí jī biàn shù,(math.) random variable -随波,suí bō,to drift with the waves -随波逐流,suí bō zhú liú,to drift with the waves and go with the flow (idiom); to follow the crowd blindly -随波逊流,suí bō xùn liú,to drift with the waves and yield to the flow (idiom); to follow the crowd blindly -随笔,suí bǐ,essay -随县,suí xiàn,"Sui county in Suizhou 隨州|随州[Sui2 zhou1], Hubei" -随声附和,suí shēng fù hè,to parrot other people's words (idiom); to chime in with others -随着,suí zhe,along with; in the wake of; following -随葬品,suí zàng pǐn,burial goods; burial gifts -随处,suí chù,everywhere; anywhere -随处可见,suí chù kě jiàn,can be seen everywhere -随行,suí xíng,to accompany -随行人员,suí xíng rén yuán,entourage; retinue -随行就市,suí háng jiù shì,(of a price) to fluctuate according to the market; to sell at the market price -随访,suí fǎng,"to accompany; (of a doctor etc) to do a follow-up (on a patient, client etc)" -随身,suí shēn,to (carry) on one's person; to (take) with one -随身碟,suí shēn dié,(Tw) USB flash drive; thumb drive -随身听,suí shēn tīng,Walkman (trademark); portable stereo -随身道具,suí shēn dào jù,"(theater) personal prop (spectacles, fan etc)" -随遇而安,suí yù ér ān,at home wherever one is (idiom); ready to adapt; flexible; to accept circumstances with good will -随顺,suí shùn,to follow; to go along with -随风,suí fēng,wind-borne; tossed about by the wind -随风倒,suí fēng dǎo,to bend with the wind -随风倒柳,suí fēng dǎo liǔ,lit. a willow that bends with the wind; one with no fixed principles (idiom) -随风倒舵,suí fēng dǎo duò,to trim one's sails with the wind; to adopt different attitude depending on the circumstances (idiom) -险,xiǎn,danger; dangerous; rugged -险些,xiǎn xiē,narrowly; almost; nearly -险兆,xiǎn zhào,evil omen -险胜,xiǎn shèng,to win by a narrow margin; to barely win; narrow victory -险固,xiǎn gù,"(of terrain) rugged, providing a natural barrier to invasion" -险境,xiǎn jìng,critical circumstances; risky conditions; danger zone -险峰,xiǎn fēng,perilous peak; the lofty heights -险峻,xiǎn jùn,(of terrain) mountainous; rugged; (of a situation) precarious; daunting -险情,xiǎn qíng,peril; dangerous circumstance -险恶,xiǎn è,dangerous; sinister; vicious -险滩,xiǎn tān,shoals; rapids; treacherous section of a river -险球,xiǎn qiú,"dangerous ball (in soccer, volleyball etc)" -险症,xiǎn zhèng,critical illness -险种,xiǎn zhǒng,insurance type -险要,xiǎn yào,strategically situated and easy to defend; strategic location -险诈,xiǎn zhà,sinister and deceitful -险象环生,xiǎn xiàng huán shēng,dangers spring up all around (idiom); surrounded by perils -险阻,xiǎn zǔ,dangerous and difficult (path) -隰,xí,surname Xi -隰,xí,low; marshy land -隰县,xí xiàn,"Xi county in Linfen 臨汾|临汾[Lin2 fen2], Shanxi" -隐,yǐn,(bound form) secret; hidden; concealed; crypto- -隐,yìn,to lean upon -隐事,yǐn shì,a secret -隐伏,yǐn fú,to hide; to lie low -隐位,yǐn wèi,"cryptic epitope (immunology, a protein component that becomes effective when activated by antigen)" -隐修,yǐn xiū,monasticism -隐修士,yǐn xiū shì,monk (Christian) -隐修院,yǐn xiū yuàn,monastery (Christian); abbey -隐函数,yǐn hán shù,implicit function -隐匿,yǐn nì,to cover up; to hide; to conceal -隐去,yǐn qù,to disappear; to hide -隐名埋姓,yǐn míng mái xìng,to conceal one's identity; living incognito -隐君子,yǐn jūn zi,"recluse; hermit; used for homophone 癮君子|瘾君子, opium addict" -隐含,yǐn hán,to contain in a concealed form; to keep covered up; implicit -隐喻,yǐn yù,metaphor -隐土,yǐn tǔ,legendary land of hermits; secret land; the back of beyond -隐士,yǐn shì,hermit -隐姓埋名,yǐn xìng mái míng,to conceal one's identity; living incognito -隐婚,yǐn hūn,"to be married but keep it secret from family, colleagues or the general public" -隐密,yǐn mì,secret; hidden -隐写术,yǐn xiě shù,steganography -隐射,yǐn shè,(to fire) innuendo; to insinuate -隐居,yǐn jū,to live in seclusion -隐形,yǐn xíng,invisible -隐形眼镜,yǐn xíng yǎn jìng,"contact lens; CL:隻|只[zhi1],副[fu4]" -隐忍,yǐn rěn,to bear patiently; to endure silently; to forbear -隐忍不发,yǐn rěn bù fā,to keep one's emotions inside oneself; to restrain one's emotions -隐忍不言,yǐn rěn bù yán,to keep one's emotions inside oneself; to restrain one's emotions -隐性,yǐn xìng,hidden; crypto-; recessive (gene) -隐性基因,yǐn xìng jī yīn,recessive gene -隐患,yǐn huàn,a danger concealed within sth; hidden damage; misfortune not visible from the surface -隐情,yǐn qíng,sth one wishes to keep secret; ulterior motive; a subject best avoided -隐情不报,yǐn qíng bù bào,not to report sth; to keep sth secret -隐恶扬善,yǐn è yáng shàn,(idiom) to highlight sb's good points but omit to mention their faults -隐意,yǐn yì,implied meaning -隐忧,yǐn yōu,secret concern; private worry -隐映,yǐn yìng,to set off one another -隐晦,yǐn huì,vague; ambiguous; veiled; obscure -隐栖动物学,yǐn qī dòng wù xué,cryptozoology -隐没,yǐn mò,to vanish gradually; to disappear; to fade out -隐灭,yǐn miè,to fade away; to vanish; to disappear -隐潭,yǐn tán,hidden pond or pool -隐然,yǐn rán,a feint; a hidden way of doing sth -隐燃,yǐn rán,burning with no flame; fire beneath the surface; hidden combustion -隐现,yǐn xiàn,glimpse (of something hidden) -隐生宙,yǐn shēng zhòu,"Cryptozoic; geological eon before the appearance of abundant fossils; hidden life, as opposed to Phanerozoic" -隐疾,yǐn jí,an unmentionable illness (e.g. venereal disease) -隐病不报,yǐn bìng bù bào,not to tell others of one's illness -隐痛,yǐn tòng,hidden anguish; secret suffering; (medicine) dull pain -隐睾,yǐn gāo,cryptorchidism; undescended testis -隐瞒,yǐn mán,to conceal; to hide (a taboo subject); to cover up the truth -隐瞒不报,yǐn mán bù bào,to cover up (a matter that should be reported to the authorities) -隐私,yǐn sī,secrets; private business; privacy -隐私权,yǐn sī quán,privacy right -隐秘,yǐn mì,secret; hidden -隐秘难言,yǐn mì nán yán,too embarrassing to mention -隐约,yǐn yuē,vague; faint; indistinct -隐约其辞,yǐn yuē qí cí,equivocal speech; to use vague or ambiguous language -隐翅虫,yǐn chì chóng,rove beetle -隐色,yǐn sè,protective coloration (esp. of insects); camouflage -隐花植物,yǐn huā zhí wù,"Cryptogamae; cryptogamous plant (botany); plants such as algae 藻類|藻类[zao3 lei4], moss 苔蘚|苔藓[tai2 xian3] and fern 蕨類|蕨类[jue2 lei4] that reproduce by spores 孢子[bao1 zi3] in place of flowers" -隐蔽,yǐn bì,to conceal; to hide; covert; under cover -隐蔽强迫下载,yǐn bì qiǎng pò xià zǎi,drive-by download (a form of malware booby-trap); silent drive-by download -隐藏,yǐn cáng,to hide; to conceal; to mask; to shelter; to harbor (i.e. keep sth hidden); to hide oneself; to lie low; to nestle; hidden; implicit; private; covert; recessed (lighting) -隐藏处,yǐn cáng chù,shelter; hiding place -隐血,yǐn xuè,"occult blood (in medicine, fecal blood from internal bleeding)" -隐衷,yǐn zhōng,a secret; sth best not told to anyone; confidential information -隐袭,yǐn xí,insidious -隐语,yǐn yǔ,secret language; codeword -隐讳,yǐn huì,to hold back from saying precisely what is on one's mind -隐讳号,yǐn huì hào,"cross symbol (×), used to replace a character one does not wish to display" -隐迹,yǐn jì,hidden tracks -隐迹埋名,yǐn jì mái míng,to live incognito -隐身,yǐn shēn,to hide oneself; invisible (person or online status) -隐身草,yǐn shēn cǎo,legendary grass conferring invisibility; fig. to conceal oneself or one's plans -隐身草儿,yǐn shēn cǎo er,erhua variant of 隱身草|隐身草[yin3 shen1 cao3] -隐退,yǐn tuì,"to retire (from society, esp. from politics); to vanish" -隐逸,yǐn yì,to live in seclusion; reclusive; hermit; recluse -隐遁,yǐn dùn,to disappear from view; to live in seclusion -隐避,yǐn bì,to hide; to conceal and avoid (contact); to keep sth concealed -隐隐,yǐn yǐn,faint; indistinct -隐隐作痛,yǐn yǐn zuò tòng,to ache dully -隐隐约约,yǐn yǐn yuē yuē,faint; distant; barely audible -隐隐绰绰,yǐn yǐn chuò chuò,faint; indistinct -隐显,yǐn xiǎn,appearing and disappearing; dimly visible; intermittent; implicit (but not clearly present) -隐显目标,yǐn xiǎn mù biāo,intermittent target -隐颧,yǐn quán,a skull with sunken cheek bone; cryptozygous -隐饰,yǐn shì,a cover-up -隐龟,yǐn guī,Mary River turtle (Elusor macrurus) -隳,huī,destroy; overthrow -陇,lǒng,short name for Gansu province 甘肅省|甘肃省[Gan1 su4 Sheng3] -陇南,lǒng nán,Longnan prefecture-level city in south Gansu -陇南市,lǒng nán shì,Longnan prefecture-level city in south Gansu -陇川,lǒng chuān,"Longchuan county in Dehong Dai and Jingpo autonomous prefecture 德宏傣族景頗族自治州|德宏傣族景颇族自治州[De2 hong2 Dai3 zu2 Jing3 po1 zu2 zi4 zhi4 zhou1], Yunnan" -陇川县,lǒng chuān xiàn,"Longchuan county in Dehong Dai and Jingpo autonomous prefecture 德宏傣族景頗族自治州|德宏傣族景颇族自治州[De2 hong2 Dai3 zu2 Jing3 po1 zu2 zi4 zhi4 zhou1], Yunnan" -陇海,lǒng hǎi,Jiangsu-Gansu railway; abbr. for 隴海鐵路|陇海铁路[Long3 Hai3 tie3 lu4] -陇海铁路,lǒng hǎi tiě lù,Jiangsu-Gansu railway -陇县,lǒng xiàn,"Long County in Baoji 寶雞|宝鸡[Bao3 ji1], Shaanxi" -陇西,lǒng xī,"Longxi county in Dingxi 定西[Ding4 xi1], Gansu" -陇西县,lǒng xī xiàn,"Longxi county in Dingxi 定西[Ding4 xi1], Gansu" -隶,lì,variant of 隸|隶[li4] -隶,lì,(bound form) a person in servitude; low-ranking subordinate; (bound form) to be subordinate to; (bound form) clerical script (the style of characters intermediate between ancient seal and modern regular characters) -隶圉,lì yǔ,servants; underlings -隶属,lì shǔ,to be subordinate to; to be under the jurisdiction of -隶书,lì shū,clerical script; official script (Chinese calligraphic style) -隶体,lì tǐ,see 隸書|隶书[li4 shu1] -隹,zhuī,short-tailed bird -只,zhī,"classifier for birds and certain animals, one of a pair, some utensils, vessels etc" -只字不提,zhī zì bù tí,(idiom) to say not a single word about it -只眼独具,zhī yǎn dú jù,see 獨具隻眼|独具只眼[du2 ju4 zhi1 yan3] -只身,zhī shēn,alone; by oneself -只鸡斗酒,zhī jī dǒu jiǔ,"lit. a chicken and a bottle of wine (idiom); fig. ready to make an offering to the deceased, or to entertain guests" -隼,sǔn,falcon; Taiwan pr. [zhun3] -雀,qiāo,a freckle; lentigo -雀,què,(bound form) small bird; sparrow; also pr. [qiao3] -雀儿喜,què ér xǐ,Chelsea -雀儿山,què ér shān,Chola Mountains in Sichuan -雀噪,què zào,to be a noise in the world; to acquire notoriety -雀子,qiāo zi,a freckle; lentigo -雀巢,què cháo,Nestlé -雀形目,què xíng mù,order Passeriformes (perching birds) -雀斑,què bān,freckles -雀盲,què máng,night blindness -雀盲眼,qiǎo mang yǎn,night blindness (dialect) -雀跃,què yuè,excited; in high spirits -雀类,què lèi,finch (family Fringillidae) -雀鸟,què niǎo,bird -雀鹰,què yīng,(bird species of China) Eurasian sparrowhawk (Accipiter nisus) -雁,yàn,wild goose -雁塔,yàn tǎ,"Yanta District of Xi’an 西安市[Xi1 an1 Shi4], Shaanxi" -雁塔区,yàn tǎ qū,"Yanta District of Xi’an 西安市[Xi1 an1 Shi4], Shaanxi" -雁山,yàn shān,"Yanshan district of Guilin city 桂林市[Gui4 lin2 shi4], Guangxi" -雁山区,yàn shān qū,"Yanshan district of Guilin city 桂林市[Gui4 lin2 shi4], Guangxi" -雁峰,yàn fēng,"Yanfeng district of Hengyang city 衡陽市|衡阳市[Heng2 yang2 shi4], Hunan" -雁峰区,yàn fēng qū,"Yanfeng district of Hengyang city 衡陽市|衡阳市[Heng2 yang2 shi4], Hunan" -雁杳鱼沉,yàn yǎo yú chén,without news from sb (idiom) -雁江,yàn jiāng,"Yanjiang district of Ziyang city 資陽市|资阳市[Zi1 yang2 shi4], Sichuan" -雁江区,yàn jiāng qū,"Yanjiang district of Ziyang city 資陽市|资阳市[Zi1 yang2 shi4], Sichuan" -雁荡,yàn dàng,"Yandang mountains, famous scenic area in southeast Zhejiang" -雁荡山,yàn dàng shān,"Yandang mountains, famous scenic area in southeast Zhejiang" -雁过拔毛,yàn guò bá máo,lit. to grab feathers from a flying goose; fig. to seize any opportunity; pragmatic -雄,xióng,male; staminate; grand; imposing; powerful; mighty; person or state having great power and influence -雄伟,xióng wěi,grand; imposing; magnificent; majestic -雄健,xióng jiàn,vigorous; robust; powerful -雄厚,xióng hòu,substantial; robust; ample; abundant -雄图,xióng tú,grandiose plan; great ambition -雄壮,xióng zhuàng,majestic; awesome; full of power and grandeur -雄安,xióng ān,"Xiong'an New Area, a state-level new area in the Baoding area of Hebei, established in 2017" -雄安新区,xióng ān xīn qū,"Xiong'an New Area, a state-level new area in the Baoding area of Hebei, established in 2017" -雄峙,xióng zhì,to stand imposingly -雄心,xióng xīn,great ambition; lofty aspiration -雄心勃勃,xióng xīn bó bó,aggressive and grand (idiom); ambitious; pushy -雄性,xióng xìng,male -雄性激素,xióng xìng jī sù,male hormone; testosterone -雄才大略,xióng cái dà lüè,great skill and strategy -雄浑,xióng hún,vigorous; firm; forceful -雄激素,xióng jī sù,male hormone; testosterone -雄狮,xióng shī,male lion -雄兽,xióng shòu,male animal -雄县,xióng xiàn,"Xiong county in Baoding 保定[Bao3 ding4], Hebei" -雄蕊,xióng ruǐ,stamen (male part of flower) -雄蜂,xióng fēng,drone (bee) -雄猫,xióng māo,F-14 Tomcat -雄猫,xióng māo,"male cat, usually 公貓|公猫[gong1 mao1]" -雄赳赳,xióng jiū jiū,valiantly; gallantly -雄起,xióng qǐ,(cry of encouragement); to arise; to stand up; to gain the ascendancy; Come on! -雄踞,xióng jù,to be perched high; to be located prominently; to be preeminent -雄辩,xióng biàn,eloquent; oratory; rhetoric -雄辩家,xióng biàn jiā,orator -雄配子,xióng pèi zǐ,male gamete; sperm cell -雄酯酮,xióng zhǐ tóng,male hormone; testosterone -雄长,xióng zhǎng,fierce and ambitious character; formidable person -雄鸡,xióng jī,rooster -雄风,xióng fēng,vigor; virility; dynamism; (literary) powerful wind -雄马,xióng mǎ,male horse; stallion -雄体,xióng tǐ,male of a species -雄鹰,xióng yīng,male eagle; tercel -雄鹿,xióng lù,Milwaukee Bucks (NBA team) -雄鹿,xióng lù,buck; stag -雄黄,xióng huáng,realgar; red orpiment -雄黄酒,xióng huáng jiǔ,realgar wine (traditionally drunk during the Dragon Boat Festival 端午節|端午节[Duan1 wu3 jie2]) -雅,yǎ,elegant -雅丹,yǎ dān,(geology) yardang (loanword) -雅事,yǎ shì,"refined activities of the intellectuals (regarding literature, paintings etc)" -雅人,yǎ rén,poetic individual; person of refined temperament -雅人深致,yǎ rén shēn zhì,refined pleasure of poetic minds -雅什,yǎ shí,fine verse -雅俗共赏,yǎ sú gòng shǎng,can be enjoyed by scholars and lay-people alike (idiom) -雅克,yǎ kè,Jacques (name) -雅典,yǎ diǎn,"Athens, capital of Greece" -雅典娜,yǎ diǎn nà,Athena -雅典的泰门,yǎ diǎn de tài mén,"Timon of Athens, 1607 tragedy by William Shakespeare 莎士比亞|莎士比亚[Sha1 shi4 bi3 ya4]" -雅典卫城,yǎ diǎn wèi chéng,the Acropolis (Athens) -雅利安,yǎ lì ān,Aryan -雅加达,yǎ jiā dá,"Jakarta, capital of Indonesia" -雅司,yǎ sī,yaws (infectious tropical disease) -雅司病,yǎ sī bìng,yaws (infectious tropical disease) -雅各,yǎ gè,Jacob (name); James (name) -雅各伯,yǎ gè bó,Jacob (name); Saint James -雅各书,yǎ gè shū,Epistle of St James (in New Testament) -雅各宾派,yǎ gè bīn pài,"Jacobin club, French revolutionary party that played a leading role in the reign of terror 1791-1794" -雅士,yǎ shì,elegant scholar -雅威,yǎ wēi,Yahweh -雅安,yǎ ān,"Ya'an, prefecture-level city in Sichuan" -雅安市,yǎ ān shì,"Ya'an, prefecture-level city in Sichuan" -雅座,yǎ zuò,(restaurant etc) private room; booth; comfortable seating -雅思,yǎ sī,IELTS (International English Language Testing System) -雅恩德,yǎ ēn dé,"Yaounde, capital of Cameroon" -雅意,yǎ yì,your kind offer; your valued advice; delicate interest and charm -雅爱,yǎ ài,(hon.) your great kindness -雅怀,yǎ huái,refined feelings; distinguished emotions -雅房,yǎ fáng,(Tw) apartment (with shared bathroom and kitchen); bedsit -雅拉神山,yǎ lā shén shān,"Mt Yarla Shampo, in Dawu County 道孚縣|道孚县[Dao4 fu2 xian4], Garze Tibetan autonomous prefecture, Sichuan" -雅拉雪山,yǎ lā xuě shān,"Mt Yarla Shampo, in Dawu County 道孚縣|道孚县[Dao4 fu2 xian4], Garze Tibetan autonomous prefecture, Sichuan" -雅拉香波神山,yǎ lā xiāng bō shén shān,"Mt Yarla Shampo, in Dawu County 道孚縣|道孚县[Dao4 fu2 xian4], Garze Tibetan autonomous prefecture, Sichuan" -雅拉香波雪山,yǎ lā xiāng bō xuě shān,"Mt Yarla Shampo, in Dawu County 道孚縣|道孚县[Dao4 fu2 xian4], Garze Tibetan autonomous prefecture, Sichuan" -雅故,yǎ gù,old friend; correct interpretation -雅教,yǎ jiào,(hon.) your distinguished thoughts; Thank you (for your esteemed contribution to our discussion). -雅望,yǎ wàng,(literary) spotless reputation -雅乐,yǎ yuè,formal ceremonial music of each succeeding Chinese dynasty starting with the Zhou; Korean a'ak; Japanese gagaku -雅歌,yǎ gē,part of the Book of Songs 詩經|诗经; a song; a poem set to elegant music; a refined chant; the biblical Song of Solomon -雅正,yǎ zhèng,correct (literary); upright; (hon.) Please point out my shortcomings.; I await your esteemed corrections. -雅气,yǎ qì,elegance -雅江,yǎ jiāng,"Yajiang county (Tibetan: nyag chu rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州, Sichuan (formerly in Kham province of Tibet)" -雅江县,yǎ jiāng xiàn,"Yajiang county (Tibetan: nyag chu rdzong) in Garze Tibetan autonomous prefecture 甘孜藏族自治州[Gan1 zi1 Zang4 zu2 zi4 zhi4 zhou1], Sichuan (formerly in Kham province of Tibet)" -雅法,yǎ fǎ,Jaffa (Israeli port) -雅法港,yǎ fǎ gǎng,Jaffa (Israel) -雅淡,yǎ dàn,simple and elegant -雅温得,yǎ wēn dé,"Yaoundé, capital city of Cameroon" -雅洁,yǎ jié,elegant and pure -雅尔塔,yǎ ěr tǎ,Yalta -雅片,yā piàn,variant of 鴉片|鸦片[ya1 pian4] -雅玩,yǎ wán,elegant pastime; refined plaything -雅痞,yǎ pǐ,yuppie (loanword) (Tw) -雅皮,yǎ pí,yuppie (loanword) -雅皮士,yǎ pí shì,"yuppie (loanword); young urban professional, 1980s slang" -雅相,yǎ xiàng,elegant appearance; dignity -雅砻江,yǎ lóng jiāng,Yalong river of Tibet and Sichuan -雅礼协会,yǎ lǐ xié huì,"Yale-China Association, independent organization founded in 1901" -雅称,yǎ chēng,elegant name; honorific -雅穆索戈,yǎ mù suǒ gē,"Yamoussoukro, capital of Ivory Coast (Tw)" -雅罗鱼,yǎ luó yú,dace -雅美族,yǎ měi zú,"Tao or Yami, one of the indigenous peoples of Taiwan" -雅致,yǎ zhì,elegant; refined; in good taste -雅兴,yǎ xìng,refined and elegant attitude of mind -雅芳,yǎ fāng,Avon (cosmetics company) -雅虎,yǎ hǔ,"Yahoo, Internet portal" -雅号,yǎ hào,refined appelation; (humor) sb's elegant monicker; (hon.) your esteemed name -雅观,yǎ guān,elegant and tasteful -雅言,yǎ yán,valued advice -雅诺什,yǎ nuò shí,János (Hungarian name) -雅趣,yǎ qù,elegant; refined; delicate and charming -雅郑,yǎ zhèng,"court music and vulgar music (i.e. 雅樂|雅乐[ya3 yue4], music of the court, and 鄭聲|郑声[Zheng4 sheng1], music of the state of Zheng, which was regarded as lewd)" -雅量,yǎ liàng,magnanimity; tolerance; high capacity for drinking -雅间,yǎ jiān,"private room (in a restaurant, bath house, etc)" -雅阁,yǎ gé,Accord (Honda brand Japanese car model) -雅集,yǎ jí,distinguished assembly (of scholars) -雅静,yǎ jìng,elegant and calm; gentle; quiet -雅饬,yǎ chì,elegant orderliness; poise -雅马哈,yǎ mǎ hā,Yamaha -雅驯,yǎ xùn,refined (of writing) -雅鲁藏布大峡谷,yǎ lǔ zàng bù dà xiá gǔ,"Great Canyon of Yarlung Tsangpo-Brahmaputra (through the southeast Himalayas, from Tibet to Assam and Bangladesh)" -雅鲁藏布江,yǎ lǔ zàng bù jiāng,"Yarlung Tsangpo River, Tibet" -雅丽,yǎ lì,elegant; refined beauty -集,jí,to gather; to collect; collected works; classifier for sections of a TV series etc: episode -集中,jí zhōng,to concentrate; to centralize; to focus; centralized; concentrated; to put together -集中器,jí zhōng qì,concentrator -集中托运,jí zhōng tuō yùn,consolidated cargo (transportation) -集中营,jí zhōng yíng,concentration camp -集刊,jí kān,collection of papers (published as one volume) -集合,jí hé,to gather; to assemble; (math.) set -集合名词,jí hé míng cí,collective noun (linguistics) -集合论,jí hé lùn,set theory (math.) -集合体,jí hé tǐ,aggregate; ensemble; bundle -集团,jí tuán,group; bloc; corporation; conglomerate -集团军,jí tuán jūn,army grouping; collective army -集子,jí zi,anthology; selected writing -集安,jí ān,"Ji'an, county-level city in Tonghua 通化, Jilin" -集安市,jí ān shì,"Ji'an, county-level city in Tonghua 通化, Jilin" -集宁,jí níng,"Jining district or Zhining raion of Ulaanchab city 烏蘭察布市|乌兰察布市[Wu1 lan2 cha2 bu4 shi4], Inner Mongolia" -集宁区,jí níng qū,"Jining district or Zhining raion of Ulaanchab city 烏蘭察布市|乌兰察布市[Wu1 lan2 cha2 bu4 shi4], Inner Mongolia" -集居,jí jū,community; living together -集市,jí shì,market; bazaar; fair -集市贸易,jí shì mào yì,market trade -集思广益,jí sī guǎng yì,collecting opinions is of wide benefit (idiom); to pool wisdom for mutual benefit; to profit from widespread suggestions -集恩广益,jí ēn guǎng yì,to pool knowledge and ideas to produce a better outcome -集成,jí chéng,integrated (as in integrated circuit) -集成电路,jí chéng diàn lù,integrated circuit; IC -集成显卡,jí chéng xiǎn kǎ,integrated GPU (abbr. to 集顯|集显[ji2 xian3]) -集采,jí cǎi,centralized procurement (abbr. for 集中採購|集中采购[ji2 zhong1 cai3 gou4]) -集拢,jí lǒng,to gather; to assemble -集散,jí sàn,"to assemble (goods, passengers etc from various locations) and dispatch (them)" -集散地,jí sàn dì,distribution center -集料,jí liào,aggregate; material gathered together; conglomerate (rocks) -集会,jí huì,"to gather; assembly; meeting; CL:個|个[ge4],次[ci4]" -集材,jí cái,(forestry) to log; to skid; to yard -集束,jí shù,to cluster -集束炸弹,jí shù zhà dàn,cluster bomb -集权,jí quán,"centralized power (history), e.g. under an Emperor or party" -集油箱,jí yóu xiāng,oil sump -集注,jí zhù,to focus; to concentrate on -集管,jí guǎn,header (of piping system) -集约,jí yuē,intensive -集纳,jí nà,to collect; to gather together -集结,jí jié,to assemble; to concentrate; to mass; to build up; to marshal -集线器,jí xiàn qì,hub (network) -集美,jí měi,"Jimei, a district of Xiamen City 廈門市|厦门市[Xia4men2 Shi4], Fujian" -集美区,jí měi qū,"Jimei, a district of Xiamen City 廈門市|厦门市[Xia4men2 Shi4], Fujian" -集群,jí qún,clan; to clan together; to flock together -集聚,jí jù,to assemble; to gather -集腋成裘,jí yè chéng qiú,many hairs make a fur coat (idiom); many small contributions add up to sth big; many a mickle makes a muckle -集萃,jí cuì,treasury -集装箱,jí zhuāng xiāng,container (for shipping) -集装箱船,jí zhuāng xiāng chuán,container ship -集训,jí xùn,to train together; to practice as a group -集贸,jí mào,market; trade -集资,jí zī,to raise money; to accumulate funds -集资额,jí zī é,sum of money raised (in a share subscription) -集贤,jí xián,"Jixian county in Shuangyashan 雙鴨山|双鸭山[Shuang1 ya1 shan1], Heilongjiang" -集贤县,jí xián xiàn,"Jixian county in Shuangyashan 雙鴨山|双鸭山[Shuang1 ya1 shan1], Heilongjiang" -集运,jí yùn,cooperative transport; concentrated freight -集部,jí bù,non-canonical text; Chinese literary work not included in official classics; apocryphal -集邮,jí yóu,stamp collecting; philately -集邮册,jí yóu cè,stamp album; CL:本[ben3] -集邮簿,jí yóu bù,"stamp album; CL:本[ben3],冊|册[ce4],部[bu4]" -集录,jí lù,to compile (various texts) into book form; a compilation -集锦,jí jǐn,"a collection of choice items (poems, photos etc)" -集镇,jí zhèn,town -集集,jí jí,"Jiji or Chichi Town in Nantou County 南投縣|南投县[Nan2 tou2 Xian4], central Taiwan" -集集镇,jí jí zhèn,"Jiji or Chichi Town in Nantou County 南投縣|南投县[Nan2 tou2 Xian4], central Taiwan" -集电弓,jí diàn gōng,pantograph (transportation) -集电杆,jí diàn gǎn,electric trolley pole -集韵,jí yùn,"Jiyun, Chinese rime dictionary with 53,525 single-character entries, published in 11th century" -集显,jí xiǎn,integrated GPU (abbr. for 集成顯卡|集成显卡[ji2 cheng2 xian3 ka3]) -集餐,jí cān,communal dining where one takes one's food from dishes served to everyone at the table (contrasted with 分餐[fen1 can1]) -集体,jí tǐ,collective (decision); joint (effort); a group; a team; en masse; as a group -集体主义,jí tǐ zhǔ yì,collectivism -集体化,jí tǐ huà,collectivization; to collectivize -集体坟墓,jí tǐ fén mù,mass grave -集体安全条约组织,jí tǐ ān quán tiáo yuē zǔ zhī,Collective Security Treaty Organization (CSTO) -集体强奸,jí tǐ qiáng jiān,gang rape -集体户,jí tǐ hù,collective; joint household -集体经济,jí tǐ jīng jì,collective economy -集体行走,jí tǐ xíng zǒu,pedestrian group (e.g. of tourists etc) -集体诉讼,jí tǐ sù sòng,(law) class action -集体防护,jí tǐ fáng hù,collective protection -集齐,jí qí,to collect the complete set of -雇,gù,to employ; to hire; to rent -雇主,gù zhǔ,employer -雇佣,gù yōng,to employ; to hire -雇佣兵,gù yōng bīng,mercenary; hired gun -雇员,gù yuán,employee -雈,huán,type of owl -雉,zhì,ringed pheasant -雉鸡,zhì jī,(bird species of China) common pheasant (Phasianus colchicus) -雉鹑,zhì chún,(bird species of China) chestnut-throated monal-partridge (Tetraophasis obscurus) -隽,juàn,surname Juan -隽,juàn,meaningful; significant -隽,jùn,variant of 俊[jun4] -隽品,juàn pǐn,outstanding work -隽妙,juàn miào,extremely elegant -隽拔,juàn bá,handsome (of people); graceful (of calligraphy) -隽敏,juàn mǐn,refined and smart -隽材,juàn cái,talent -隽楚,juàn chǔ,outstanding; extraordinary; preeminent -隽永,juàn yǒng,meaningful; thought-provoking; significant -隽茂,juàn mào,outstanding talent -隽语,juàn yǔ,epigram; meaningful or significant speech -隽誉,jùn yù,high fame -雌,cí,female; Taiwan pr. [ci1] -雌三醇,cí sān chún,estriol -雌性,cí xìng,female -雌性接口,cí xìng jiē kǒu,female connector -雌性激素,cí xìng jī sù,estrogen -雌激素,cí jī sù,estrogen -雌狮,cí shī,lioness -雌蕊,cí ruǐ,pistil -雌雄,cí xióng,male and female -雌雄同体,cí xióng tóng tǐ,hermaphrodite -雌雄同体人,cí xióng tóng tǐ rén,a hermaphrodite -雌雄同体性,cí xióng tóng tǐ xìng,hermaphroditism -雌雄异色,cí xióng yì sè,sexual coloration -雌体,cí tǐ,female of a species -雌鹿,cí lù,doe -雌黄,cí huáng,orpiment; arsenic trisulfide As2S3; make changes in writing; malign; criticize without grounds -雍,yōng,surname Yong -雍,yōng,harmony -雍和,yōng hé,harmony -雍和宫,yōng hé gōng,Yonghe Temple; Lama Temple (Beijing) -雍容,yōng róng,natural; graceful; and poised -雍容大度,yōng róng dà dù,generous -雍正,yōng zhèng,"Yongzheng, reign name of Qing emperor (1722-1735)" -雍睦,yōng mù,harmonious; friendly -雍穆,yōng mù,variant of 雍睦[yong1 mu4] -雍重,yōng zhòng,cumbersome -雍阏,yōng è,to intercept; to prevent the arrival of sth -雍雍,yōng yōng,harmonious; peaceful -雎,jū,osprey; fish hawk -雒,luò,black horse with white mane; fearful -雕,diāo,to carve; to engrave; shrewd; bird of prey -雕像,diāo xiàng,sculpture; (carved) statue; CL:尊[zun1] -雕刻,diāo kè,to carve; to engrave; carving -雕刻品,diāo kè pǐn,sculpture -雕刻家,diāo kè jiā,sculptor -雕塑,diāo sù,a statue; a Buddhist image; sculpture; to carve -雕弊,diāo bì,variant of 凋敝[diao1 bi4] -雕敝,diāo bì,variant of 凋敝[diao1 bi4] -雕梁画栋,diāo liáng huà dòng,richly ornamented (building) -雕楹碧槛,diāo yíng bì kǎn,"carved pillar, jade doorsill (idiom); heavily decorated environment" -雕漆,diāo qī,carved lacquerware -雕版,diāo bǎn,a carved printing block -雕琢,diāo zhuó,to sculpt; to carve (jade); ornate artwork; overly elaborate prose -雕花,diāo huā,carving; decorative carved pattern; arabesque -雕落,diāo luò,variant of 凋落[diao1 luo4] -雕虫小技,diāo chóng xiǎo jì,insignificant talent; skill of no high order; minor accomplishment -雕虫篆刻,diāo chóng zhuàn kè,literary trifles; minor skill -雕谢,diāo xiè,variant of 凋謝|凋谢[diao1 xie4] -雕镌,diāo juān,to engrave (wood or stone); to carve -雕阑,diāo lán,carved railings -雕零,diāo líng,variant of 凋零[diao1 ling2] -雕饰,diāo shì,to carve; to decorate; carved; decorated -虽,suī,although; even though -虽则,suī zé,nevertheless; although -虽败犹荣,suī bài yóu róng,honorable even in defeat (idiom) -虽是,suī shì,although; even though; even if -虽死犹荣,suī sǐ yóu róng,"lit. although dead, also honored; died a glorious death" -虽死犹生,suī sǐ yóu shēng,"lit. although dead, as if still alive (idiom); still with us in spirit" -虽然,suī rán,although; even though (often used correlatively with 可是[ke3 shi4] or 但是[dan4 shi4] etc) -虽说,suī shuō,though; although -双,shuāng,surname Shuang -双,shuāng,two; double; pair; both; even (number) -双一流,shuāng yī liú,"Double First-Class University Plan, Chinese government project to develop both a group of Chinese universities and a group of subject disciplines to be world-class by 2050, implemented from 2017" -双下巴,shuāng xià ba,double chin -双主修,shuāng zhǔ xiū,(education) double major -双乳,shuāng rǔ,breasts -双人,shuāng rén,two-person; double; pair; tandem -双人包夹,shuāng rén bāo jiā,double team (sports) -双人床,shuāng rén chuáng,double bed -双人房,shuāng rén fáng,double room -双人滑,shuāng rén huá,pair skating -双人舞,shuāng rén wǔ,dance for two; pas de deux -双人间,shuāng rén jiān,double room (hotel) -双休日,shuāng xiū rì,two-day weekend -双倍,shuāng bèi,twofold; double -双倍体,shuāng bèi tǐ,diploid (doubled chromosomes) -双侧,shuāng cè,two-sided; bilateral -双元音,shuāng yuán yīn,diphthong -双光气,shuāng guāng qì,diphosgene -双凸面,shuāng tū miàn,convex on both sides (of lens); biconvex -双刃,shuāng rèn,double-edged blade -双刃剑,shuāng rèn jiàn,double-edged sword (lit. and fig.) -双北,shuāng běi,abbr. for Taipei City 臺北市|台北市[Tai2 bei3 Shi4] and New Taipei City 新北市[Xin1 bei3 Shi4] (Tw) -双十一,shuāng shí yī,see 光棍節|光棍节[Guang1 gun4 jie2] -双十节,shuāng shí jié,"Double Tenth, the anniversary of the Wuchang Uprising 武昌起義|武昌起义[Wu3 chang1 Qi3 yi4] of October 10th, 1911; (Tw) National Day" -双名法,shuāng míng fǎ,binomial nomenclature (taxonomy) -双后前兵开局,shuāng hòu qián bīng kāi jú,Double Queen Pawn Opening; Closed Game (chess); same as 封閉性開局|封闭性开局 -双向,shuāng xiàng,bidirectional; two-way; interactive -双唇音,shuāng chún yīn,"bilabial consonant (b, p, or m)" -双唑泰栓,shuāng zuò tài shuān,"metronidazole, clotrimazole and chlorhexidine acetate (as suppository)" -双喜,shuāng xǐ,"double happiness; the combined symmetric character 囍 (similar to 喜喜) as symbol of good luck, esp. marriage" -双喜临门,shuāng xǐ lín mén,two simultaneous happy events in the family -双城,shuāng chéng,"Suangcheng, county-level city in Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1], Heilongjiang" -双城子,shuāng chéng zi,"Shuangchengzi, former name of Ussuriisk city in Russian Pacific Primorsky region" -双城市,shuāng chéng shì,"Suangcheng, county-level city in Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1], Heilongjiang" -双城记,shuāng chéng jì,A Tale of Two Cities by Charles Dickens 查爾斯·狄更斯|查尔斯·狄更斯[Cha2 er3 si1 · Di2 geng1 si1] -双塔,shuāng tǎ,"Shuangta district of Chaoyang city 朝陽市|朝阳市, Liaoning" -双塔区,shuāng tǎ qū,"Shuangta district of Chaoyang city 朝陽市|朝阳市, Liaoning" -双套,shuāng tào,double set; diploid -双子,shuāng zǐ,Gemini (star sign) -双子座,shuāng zǐ zuò,Gemini (constellation and sign of the zodiac) -双子叶,shuāng zǐ yè,"dicotyledon (plant family distinguished by two embryonic leaves, includes daisies, broadleaved trees, herbaceous plants)" -双学位,shuāng xué wèi,dual degree (academic) -双宿双飞,shuāng sù shuāng fēi,lit. to rest and fly together (idiom); fig. to live in each other's pockets; to be inseparable -双射,shuāng shè,(math.) bijection -双层,shuāng céng,double tier; double decker -双层公共汽车,shuāng céng gōng gòng qì chē,double-decker bus -双层巴士,shuāng céng bā shì,double-decker bus -双层床,shuāng céng chuáng,bunk beds -双峰,shuāng fēng,"Shuangfeng county in Loudi 婁底|娄底[Lou2 di3], Hunan; (Tw) Twin Peaks, US television drama series 1990-1991" -双峰,shuāng fēng,boobies -双峰县,shuāng fēng xiàn,"Twin peaks county; Shuangfeng county in Loudi 婁底|娄底[Lou2 di3], Hunan" -双峰镇,shuāng fēng zhèn,"Twin Peaks, US television drama series 1990-1991" -双床房,shuāng chuáng fáng,twin room -双引号,shuāng yǐn hào,double quotes -双复磷,shuāng fù lín,obidoxime chloride; toxogonin -双性恋,shuāng xìng liàn,bisexual; bisexuality -双截棍,shuāng jié gùn,variant of 雙節棍|双节棍[shuang1 jie2 gun4] -双手,shuāng shǒu,both hands -双打,shuāng dǎ,doubles (in sports); CL:場|场[chang3] -双抽,shuāng chōu,black soy sauce -双拐,shuāng guǎi,crutches -双拼,shuāng pīn,"(computing) double pinyin (input method where the user types no more than two keystrokes per character, one for the initial and one for the final)" -双击,shuāng jī,double-click -双摆,shuāng bǎi,double pendulum (math.) -双数,shuāng shù,even number -双斑绿柳莺,shuāng bān lǜ liǔ yīng,(bird species of China) two-barred warbler (Phylloscopus plumbeitarsus) -双方,shuāng fāng,bilateral; both sides; both parties involved -双方同意,shuāng fāng tóng yì,bilateral agreement -双旦,shuāng dàn,Christmas and New Year's Day -双星,shuāng xīng,double star -双曲,shuāng qū,hyperbola; hyperbolic (function) -双曲几何,shuāng qū jǐ hé,hyperbolic geometry -双曲抛物面,shuāng qū pāo wù miàn,(geometry) hyperbolic paraboloid -双曲拱桥,shuāng qū gǒng qiáo,double arched bridge -双曲正弦,shuāng qū zhèng xián,hyperbolic sine or sinh (math.) -双曲线,shuāng qū xiàn,hyperbola -双曲线正弦,shuāng qū xiàn zhèng xián,hyperbolic sine or sinh (math.) -双曲面,shuāng qū miàn,(math.) hyperboloid -双曲余割,shuāng qū yú gē,"hyperbolic cosecant, i.e. function cosech(x)" -双曲余弦,shuāng qū yú xián,hyperbolic cosine or cosh (math.) -双月刊,shuāng yuè kān,bimonthly publication -双柏,shuāng bǎi,"Shuangbai County in Chuxiong Yi Autonomous Prefecture 楚雄彞族自治州|楚雄彝族自治州[Chu3 xiong2 Yi2 zu2 Zi4 zhi4 zhou1], Yunnan" -双柏县,shuāng bǎi xiàn,"Shuangbai County in Chuxiong Yi Autonomous Prefecture 楚雄彞族自治州|楚雄彝族自治州[Chu3 xiong2 Yi2 zu2 Zi4 zhi4 zhou1], Yunnan" -双核,shuāng hé,dual core (computing) -双栖双宿,shuāng qī shuāng sù,see 雙宿雙飛|双宿双飞[shuang1 su4 shuang1 fei1] -双极,shuāng jí,bipolar -双杠,shuāng gàng,parallel bars (gymnastics event) -双标,shuāng biāo,double standard (abbr. for 雙重標準|双重标准[shuang1 chong2 biao1 zhun3]) -双桥,shuāng qiáo,"Shuangqia suburban district of Chongqing municipality, formerly in Sichuan" -双桥区,shuāng qiáo qū,"Shuangqia suburban district of Chongqing municipality, formerly in Sichuan; Shuangqia district of Chengde city 承德市[Cheng2 de2 shi4], Hebei" -双壳类,shuāng ké lèi,(zoology) bivalve -双氧水,shuāng yǎng shuǐ,hydrogen peroxide (H2O2) solution -双氢睾酮,shuāng qīng gāo tóng,dihydrotestosterone -双氯灭痛,shuāng lǜ miè tòng,diclofenac painkiller; also called 扶他林 -双氯芬酸钠,shuāng lǜ fēn suān nà,"diclofenac sodium, a non-steroidal anti-inflammatory drug used to reduce swelling and as painkiller; also called voltaren 扶他林" -双氯醇胺,shuāng lǜ chún àn,clenbuterol -双江拉祜族佤族布朗族傣族自治县,shuāng jiāng lā hù zú wǎ zú bù lǎng zú dǎi zú zì zhì xiàn,"Shuangjiang Lahu, Va, Blang and Dai Autonomous County in Lincang 臨滄|临沧[Lin2cang1], Yunnan" -双江县,shuāng jiāng xiàn,"Shuangjiang Lahu, Va, Blang and Dai autonomous county in Lincang 臨滄|临沧[Lin2 cang1], Yunnan" -双流,shuāng liú,"Shuangliu county in Chengdu 成都[Cheng2 du1], Sichuan; Chengdu's main airport" -双流县,shuāng liú xiàn,"Shuangliu county in Chengdu 成都[Cheng2 du1], Sichuan" -双清,shuāng qīng,"Shuangqing district of Shaoyang city 邵陽市|邵阳市[Shao4 yang2 shi4], Hunan" -双清区,shuāng qīng qū,"Shuangqing district of Shaoyang city 邵陽市|邵阳市[Shao4 yang2 shi4], Hunan" -双减,shuāng jiǎn,"(PRC) Double Reduction Policy, announced in 2021, aiming to ease pressure on K-12 students by reducing homework and banning for-profit after-school academic classes" -双湖,shuāng hú,"two lakes; Shuanghu special district, Tibetan: Mtsho gnyis don gcod khru'u, in Nagchu prefecture 那曲地區|那曲地区[Na4 qu3 di4 qu1], central Tibet" -双湖特别区,shuāng hú tè bié qū,"Shuanghu special district, Tibetan: Mtsho gnyis don gcod khru'u, in Nagchu prefecture 那曲地區|那曲地区[Na4 qu3 di4 qu1], central Tibet" -双溪,shuāng xī,"Shuangxi or Shuanghsi township in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -双溪乡,shuāng xī xiāng,"Shuangxi or Shuanghsi township in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -双滦,shuāng luán,"Shuangluan district of Chengde city 承德市[Cheng2 de2 shi4], Hebei" -双滦区,shuāng luán qū,"Shuangluan district of Chengde city 承德市[Cheng2 de2 shi4], Hebei" -双牌,shuāng pái,"Shuangpai county in Yongzhou 永州[Yong3 zhou1], Hunan" -双牌县,shuāng pái xiàn,"Shuangpai county in Yongzhou 永州[Yong3 zhou1], Hunan" -双独,shuāng dú,double and single; allowed dispensation to have second child -双独夫妇,shuāng dú fū fù,a married couple allowed dispensation to have second child -双球菌,shuāng qiú jūn,diplococcus -双生,shuāng shēng,twin (attributive); twins -双生兄弟,shuāng shēng xiōng dì,twin brothers -双百方针,shuāng bǎi fāng zhēn,refers to 百花運動|百花运动[Bai3 hua1 Yun4 dong4] with its slogan 百花齊放,百家爭鳴|百花齐放,百家争鸣 -双盲,shuāng máng,double-blind (scientific experiment) -双眸,shuāng móu,one's pair of eyes -双眼,shuāng yǎn,the two eyes -双眼皮,shuāng yǎn pí,double eyelid -双眼视觉,shuāng yǎn shì jué,binocular vision -双瞳剪水,shuāng tóng jiǎn shuǐ,"clear, bright eyes (idiom)" -双碳,shuāng tàn,"""double carbon"", i.e. peak carbon 碳達峰|碳达峰[tan4 da2 feng1] and carbon neutrality 碳中和[tan4 zhong1 he2]; China's double carbon policy, announced in 2020, which aims to reach peak carbon use by 2030 and achieve carbon neutrality by 2060" -双程,shuāng chéng,return-trip; two-way; bidirectional; double-pass -双稳,shuāng wěn,bistable -双立人,shuāng lì rén,J. A. Henckels (brand) -双筒望远镜,shuāng tǒng wàng yuǎn jìng,binoculars -双管,shuāng guǎn,double-barreled -双管齐下,shuāng guǎn qí xià,lit. to paint holding two brushes (idiom); fig. to work on two tasks at the same time; to attack one problem from two angles at the same time -双节,shuāng jié,"combined Mid-Autumn Festival and National Day (occurring when the Mid-Autumn Festival 中秋節|中秋节[Zhong1 qiu1 jie2] falls on October 1st, as in 1982, 2001 and 2020); binodal; two-section" -双节棍,shuāng jié gùn,nunchaku -双节棍道,shuāng jié gùn dào,nunchaku martial arts -双簧,shuāng huáng,"a form of theatrical double act in which one performer speaks or sings while the other, in front, pretends to be doing the speaking or singing; double reed (as in an oboe or bassoon)" -双簧管,shuāng huáng guǎn,double reed wind instrument (such as oboe or bassoon) -双糖,shuāng táng,disaccharide -双绞线,shuāng jiǎo xiàn,twisted pair (cabling) -双翅目,shuāng chì mù,Diptera (insect order including flies) -双翼飞机,shuāng yì fēi jī,biplane -双职工,shuāng zhí gōng,working couple (husband and wife both employed) -双肩包,shuāng jiān bāo,backpack -双胞胎,shuāng bāo tāi,twin; CL:對|对[dui4] -双脚,shuāng jiǎo,two legs; both feet -双脚架,shuāng jiǎo jià,bipod (supporting a machine gun etc) -双腿,shuāng tuǐ,legs; both legs; two legs -双膝,shuāng xī,both knees -双臂,shuāng bì,arms; both arms; two arms -双臂抱胸,shuāng bì bào xiōng,with arms crossed -双台子,shuāng tái zi,"Shuangtai district of Panjin city 盤錦市|盘锦市, Liaoning" -双台子区,shuāng tái zi qū,"Shuangtai district of Panjin city 盤錦市|盘锦市, Liaoning" -双蕊兰,shuāng ruǐ lán,"double-stamen orchid (Diplandrorchis sinica S.C. Chen), an endangered species" -双号,shuāng hào,"even number (on a ticket, house etc)" -双规,shuāng guī,"shuanggui, an extralegal system within the CCP for detaining and interrogating cadres who fall from grace" -双亲,shuāng qīn,parents -双角犀,shuāng jiǎo xī,two-horned rhinoceros; Dicerorhinini -双角犀鸟,shuāng jiǎo xī niǎo,(bird species of China) great hornbill (Buceros bicornis) -双语,shuāng yǔ,bilingual -双误,shuāng wù,double fault (in tennis) -双赢,shuāng yíng,profitable to both sides; a win-win situation -双足,shuāng zú,both feet; two-legged -双轨,shuāng guǐ,double-track; parallel tracks; dual-track (system) -双输,shuāng shū,lose-lose (situation); (of the two sides involved) to both be disadvantaged -双辫八色鸫,shuāng biàn bā sè dōng,(bird species of China) eared pitta (Hydrornis phayrei) -双连接站,shuāng lián jiē zhàn,dual attachment station -双周期性,shuāng zhōu qī xìng,(math.) double periodicity -双进双出,shuāng jìn shuāng chū,to be together constantly (idiom) -双辽,shuāng liáo,"Shuangliao, county-level city in Siping 四平, Jilin" -双辽市,shuāng liáo shì,"Shuangliao, county-level city in Siping 四平, Jilin" -双边,shuāng biān,bilateral -双边贸易,shuāng biān mào yì,bilateral trade -双重,shuāng chóng,double -双重国籍,shuāng chóng guó jí,dual citizenship -双重标准,shuāng chóng biāo zhǔn,double standard -双键,shuāng jiàn,double bond (chemistry) -双链,shuāng liàn,double stranded -双链核酸,shuāng liàn hé suān,double-stranded nucleic acid -双开,shuāng kāi,to strip sb of their Party membership and government job (開除黨籍,開除公職|开除党籍,开除公职) -双关,shuāng guān,pun; play on words -双关语,shuāng guān yǔ,pun; play on words; a phrase with a double meaning -双陆棋,shuāng lù qí,backgammon -双阳,shuāng yáng,"Shuangyang district of Changchun city 長春市|长春市, Jilin" -双阳区,shuāng yáng qū,"Shuangyang district of Changchun city 長春市|长春市, Jilin" -双非,shuāng fēi,a couple where both spouses are not Hong Kong citizens -双面,shuāng miàn,double-sided; two-faced; double-edged; reversible -双音节,shuāng yīn jié,bisyllable -双飞,shuāng fēi,flying in pairs; close union as husband and wife; round-trip flight; (slang) threesome -双马尾,shuāng mǎ wěi,(hairstyle) unplaited pigtails; twin ponytails; bunches -双体船,shuāng tǐ chuán,catamaran -双髻鲨,shuāng jì shā,hammerhead shark -双鱼,shuāng yú,Pisces (star sign) -双鱼座,shuāng yú zuò,Pisces (constellation and sign of the zodiac) -双鸭山,shuāng yā shān,"Shuangyashan, prefecture-level city in Heilongjiang province 黑龍江|黑龙江[Hei1 long2 jiang1] in northeast China" -双鸭山市,shuāng yā shān shì,"Shuangyashan, prefecture-level city in Heilongjiang province 黑龍江|黑龙江[Hei1 long2 jiang1] in northeast China" -双龙大裂谷,shuāng lóng dà liè gǔ,"Shuanglong Rift Valley in Mt Xiong'er National Geological Park 熊耳山[Xiong2er3 Shan1], Zaozhuang 棗莊|枣庄[Zao3zhuang1], Shandong" -双龙镇,shuāng lóng zhèn,"Shuanglong town in Xixia county 西峽縣|西峡县[Xi1 xia2 xian4], Nanyang, Henan" -雚,guàn,(archaic) stork; heron -雚,huán,variant of 萑[huan2] -雚菌,huán jūn,"a type of poisonous fungus that grows on reeds, used in Chinese medicine to help cure patients suffering from ascaris (parasitic worms)" -雏,chú,(bound form) chick; young bird -雏儿,chú ér,newly hatched bird; fig. inexperienced person; fig. chick (slighting term for young woman); bimbo -雏型,chú xíng,model -雏妓,chú jì,underage prostitute -雏形,chú xíng,embryonic form; miniature model -雏形土,chú xíng tǔ,cambisol (soil taxonomy) -雏形产品,chú xíng chǎn pǐn,prototype -雏燕,chú yàn,swallow chick -雏菊,chú jú,daisy -雏菊花环,chú jú huā huán,daisy chain; chain sinnet -雏鸡,chú jī,chick; newly hatched chicken -雏凤,chú fèng,lit. phoenix in embryo; fig. young talent; budding genius -雏鸽,chú gē,squab; nestling pigeon -杂,zá,mixed; miscellaneous; various; to mix -杂七杂八,zá qī zá bā,an assortment; a bit of everything; lots of different (skills) -杂乱,zá luàn,in a mess; in a jumble; chaotic -杂乱无章,zá luàn wú zhāng,disordered and in a mess (idiom); all mixed up and chaotic -杂事,zá shì,miscellaneous tasks; various chores -杂交,zá jiāo,to hybridize; to crossbreed; promiscuity -杂交植物,zá jiāo zhí wù,hybrid plant -杂交派对,zá jiāo pài duì,sex party; orgy -杂件,zá jiàn,miscellaneous goods -杂件儿,zá jiàn er,miscellaneous goods -杂剧,zá jù,a Yuan dynasty form of musical comedy -杂剧四大家,zá jù sì dà jiā,"Four Great Yuan Dramatists, namely: Guan Hanqing 關漢卿|关汉卿[Guan1 Han4 qing1], Zheng Guangzu 鄭光祖|郑光祖[Zheng4 Guang1 zu3], Ma Zhiyuan 馬致遠|马致远[Ma3 Zhi4 yuan3] and Bai Pu 白樸|白朴[Bai2 Pu3]" -杂务,zá wù,odd jobs; miscellaneous tasks -杂和面,zá huo miàn,corn flour mixed with a little soybean flour -杂和面儿,zá huo miàn er,erhua variant of 雜和麵|杂和面[za2 huo5 mian4] -杂噪,zá zào,a clamor; a din -杂多,zá duō,"Zadoi County (Tibetan: rdza stod rdzong) in Yushu Tibetan Autonomous Prefecture 玉樹藏族自治州|玉树藏族自治州[Yu4 shu4 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -杂多县,zá duō xiàn,"Zadoi County (Tibetan: rdza stod rdzong) in Yushu Tibetan Autonomous Prefecture 玉樹藏族自治州|玉树藏族自治州[Yu4 shu4 Zang4 zu2 Zi4 zhi4 zhou1], Qinghai" -杂婚,zá hūn,mixed marriage -杂家,zá jiā,Miscellaneous School of the Warring States Period (475-221 BC) whose leading advocate was Lü Buwei 呂不韋|吕不韦[Lu:3 Bu4 wei2] -杂居,zá jū,cohabitation (of different populations or races); to coexist -杂居地区,zá jū dì qū,area of mixed habitation -杂工,zá gōng,unskilled worker -杂店,zá diàn,convenience store; variety store -杂役,zá yì,odd jobs; part-time worker -杂念,zá niàn,distracting thoughts -杂感,zá gǎn,random thoughts (a literary genre) -杂戏,zá xì,acrobatics; entertainment at folk festival -杂技,zá jì,acrobatics; CL:場|场[chang3] -杂技演员,zá jì yǎn yuán,acrobat -杂拌,zá bàn,assortment of preserved fruits; (fig.) hodgepodge -杂拌儿,zá bàn er,erhua variant of 雜拌|杂拌[za2 ban4] -杂文,zá wén,essay -杂沓,zá tà,small craftsman (contemptuous); clatter (e.g. of footsteps); jumbled mass; press of bodies; tumult -杂活,zá huó,odd jobs -杂流,zá liú,small craftsman (contemptuous) -杂凑,zá còu,to put together various bits; to knock sth together; hash (computing); see also 散列[san3 lie4] -杂烩,zá huì,a stew; (fig.) a disparate collection -杂牌,zá pái,inferior brand; little-known brand -杂牌儿,zá pái er,erhua variant of 雜牌|杂牌[za2 pai2] -杂牌军,zá pái jūn,miscellaneous troops; irregular troops; troops of varied allegiances; uncertified staff -杂物,zá wù,junk; items of no value; various bits and bobs -杂环,zá huán,heterocyclic (chemistry) -杂碎,zá sui,offal; cooked minced offal; chop suey (American Chinese dish); incoherent (information); (derog.) asshat; jerk -杂税,zá shuì,miscellaneous duties; various taxes -杂种,zá zhǒng,hybrid; mixed breed; bastard; son of a bitch -杂糅,zá róu,a blend; a mix -杂粮,zá liáng,grain crops other than rice and wheat -杂耍,zá shuǎ,a sideshow; vaudeville; juggling -杂色,zá sè,varicolored; motley -杂色噪鹛,zá sè zào méi,(bird species of China) variegated laughingthrush (Trochalopteron variegatum) -杂色山雀,zá sè shān què,(bird species of China) varied tit (Sittiparus varius) -杂草,zá cǎo,weeds -杂处,zá chǔ,(of disparate elements) to mix in with one another; (of diverse groups of people) to live in the same area; to coexist -杂记,zá jì,various notes or records; a miscellany; scattered jottings -杂志,zá zhì,"magazine; CL:本[ben3],份[fen4],期[qi1]" -杂志社,zá zhì shè,magazine publisher -杂说,zá shuō,scattered essays; various opinions; different manners of speaking -杂谈,zá tán,discussion of various topics -杂谷脑,zá gǔ nǎo,"Zagunao River in Sichuan, tributary of the Min River 岷江[Min2 Jiang1]" -杂谷脑镇,zá gǔ nǎo zhèn,"Zagunao town in Li county 理縣|理县, Sichuan" -杂货,zá huò,groceries; miscellaneous goods -杂货商,zá huò shāng,grocer -杂货店,zá huò diàn,grocery store; emporium -杂货摊,zá huò tān,stall selling various goods -杂费,zá fèi,incidental costs; sundries; extras -杂质,zá zhì,impurity -杂配,zá pèi,to mix; to hybridize -杂录,zá lù,literary miscellany; varia -杂集,zá jí,a miscellany; a potpourri -杂音,zá yīn,noise -杂项,zá xiàng,miscellaneous -杂食,zá shí,omnivorous (zoology); snacks; a varied diet -杂食动物,zá shí dòng wù,omnivore -杂盐,zá yán,carnallite (hydrated potassium magnesium chloride mineral) -雍,yōng,old variant of 雍[yong1] -鸡,jī,fowl; chicken; CL:隻|只[zhi1]; (slang) prostitute -鸡丁,jī dīng,diced chicken meat -鸡儿,jī ér,chick; baby chicken; (vulgar) penis -鸡内金,jī nèi jīn,chicken gizzard lining -鸡冠,jī guān,"Jiguan district of Jixi city 雞西|鸡西[Ji1 xi1], Heilongjiang" -鸡冠,jī guān,crest; cockscomb -鸡冠区,jī guān qū,"Jiguan district of Jixi city 雞西|鸡西[Ji1 xi1], Heilongjiang" -鸡冠花,jī guān huā,cockscomb flower; Celosia cristata -鸡冻,jī dòng,chicken jelly; (Internet slang) exciting (pun on 激動|激动[ji1 dong4]) -鸡同鸭讲,jī tóng yā jiǎng,lit. chicken speaking with duck; fig. talking without communicating; people not understanding each other -鸡块,jī kuài,chicken nugget; chicken piece -鸡奸,jī jiān,sodomy; anal intercourse; buggery -鸡娃,jī wá,chick; (neologism c. 2020) to arrange a daily regimen of activities for one's child; a child whose life is regimented this way -鸡婆,jī pó,"(dialect) hen; prostitute; (Tw) (adjective) interfering; nosy; (noun) busybody (from Taiwanese 家婆, Tai-lo pr. [ke-pô])" -鸡子儿,jī zǐ er,(coll.) hen's egg -鸡尾酒,jī wěi jiǔ,cocktail (loanword) -鸡尾锯,jī wěi jù,keyhole saw; pad saw -鸡巴,jī ba,dick; penis (vulgar) -鸡年,jī nián,Year of the Cock (e.g. 2005) -鸡心领,jī xīn lǐng,(of clothing) V-neck -鸡扒,jī pá,see 雞排|鸡排[ji1 pai2] -鸡排,jī pái,chicken breast; chicken cutlet -鸡掰,jī bāi,"(Tw) (vulgar) cunt (from Taiwanese 膣屄, Tai-lo pr. [tsi-bai]); (slang) to fuck around with; (used as an intensifier) fucking; fucked up" -鸡东,jī dōng,"Jidong county in Jixi 雞西|鸡西[Ji1 xi1], Heilongjiang" -鸡东县,jī dōng xiàn,"Jidong county in Jixi 雞西|鸡西[Ji1 xi1], Heilongjiang" -鸡枞,jī zōng,"macrolepiota, mushroom native to Yunnan Province" -鸡毛,jī máo,chicken feather; CL:根[gen1]; trivial -鸡毛店,jī máo diàn,a simple inn with only chicken feathers to sleep on -鸡毛蒜皮,jī máo suàn pí,lit. chicken feathers and garlic skins (idiom); fig. trivial (matter) -鸡汤,jī tāng,chicken stock; chicken soup; (fig.) chicken soup for the soul – i.e. feel-good motivational stories (often used disparagingly because the stories don't really effect change in people's lives) -鸡泽,jī zé,"Jize county in Handan 邯鄲|邯郸[Han2 dan1], Hebei" -鸡泽县,jī zé xiàn,"Jize county in Handan 邯鄲|邯郸[Han2 dan1], Hebei" -鸡犬不宁,jī quǎn bù níng,lit. not even the chickens and dogs are left undisturbed (idiom); fig. great commotion; pandemonium -鸡犬不留,jī quǎn bù liú,lit. not even chickens and dogs are spared (idiom); fig. mass slaughter -鸡犬升天,jī quǎn shēng tiān,"lit. (when a person attains enlightenment and immortality), even his chickens and dogs will ascend to heaven with him (idiom); fig. (when somebody attains a position of power and influence), their relatives and friends also benefit; (2nd half of the saying 一人得道,雞犬升天|一人得道,鸡犬升天[yi1ren2-de2dao4, ji1quan3-sheng1tian1])" -鸡珍,jī zhēn,chicken gizzard (cuisine) -鸡皮疙瘩,jī pí gē da,goose pimples; goose bumps -鸡眼,jī yǎn,corn (callus on the foot) -鸡窝,jī wō,chicken coop -鸡米花,jī mǐ huā,chicken nuggets; popcorn chicken -鸡精,jī jīng,"chicken bouillon powder (PRC); essence of chicken, concentrated chicken stock sold as a tonic (Tw)" -鸡翅木,jī chì mù,wenge or wengue (type of wood) -鸡肉,jī ròu,chicken meat -鸡肋,jī lèi,chicken ribs; sth of little value or interest; sth of dubious worth that one is reluctant to give up; to be physically weak -鸡脚,jī jiǎo,chicken feet -鸡腿,jī tuǐ,chicken leg; drumstick; CL:根[gen1] -鸡腿菇,jī tuǐ gū,shaggy ink cap (edible mushroom); Coprinus comatus -鸡菇,jī gū,see 雞腿菇|鸡腿菇[ji1 tui3 gu1] -鸡蛋,jī dàn,"(chicken) egg; hen's egg; CL:個|个[ge4],打[da2]" -鸡蛋果,jī dàn guǒ,passion or egg fruit (Passiflora edulis) -鸡蛋壳儿,jī dàn ké er,eggshell -鸡蛋清,jī dàn qīng,egg white -鸡蛋炒饭,jī dàn chǎo fàn,egg fried rice -鸡蛋碰石头,jī dàn pèng shí tou,lit. an egg colliding with a rock (idiom); fig. to attack sb stronger than oneself; to overrate one's abilities -鸡蛋里挑骨头,jī dàn li tiāo gǔ tou,to look for bones in an egg; to find fault; to nitpick (idiom) -鸡血石,jī xuè shí,bloodstone; red-fleck chalcedony; heliotrope (mineralogy) -鸡西,jī xī,Jixi prefecture-level city in Heilongjiang province 黑龍江|黑龙江[Hei1 long2 jiang1] in northeast China -鸡西市,jī xī shì,Jixi prefecture-level city in Heilongjiang province 黑龍江|黑龙江[Hei1 long2 jiang1] in northeast China -鸡贼,jī zéi,(dialect) stingy; miserly; crafty; cunning -鸡鸡,jī jī,penis (childish) -鸡零狗碎,jī líng gǒu suì,in pieces -鸡霍乱,jī huò luàn,fowl cholera -鸡头米,jī tóu mǐ,Gorgon fruit; Semen euryales (botany); see also 芡實|芡实[qian4 shi2] -鸡飞狗跳,jī fēi gǒu tiào,lit. chickens flying and dogs jumping (idiom); fig. in chaos; in disarray -鸡飞蛋打,jī fēi dàn dǎ,the chicken has flown the coop and the eggs are broken; a dead loss (idiom) -鸡鸣狗盗,jī míng gǒu dào,crowing like a cock and stealing like a dog (idiom); bag of tricks; useful talents -鸡鹜,jī wù,petty or mean persons -离,lí,surname Li -离,lí,"to leave; to part from; to be away from; (in giving distances) from; without (sth); independent of; one of the Eight Trigrams 八卦[ba1 gua4], symbolizing fire; ☲" -离不开,lí bu kāi,inseparable; inevitably linked to -离世,lí shì,(archaic) to live in seclusion; to pass away -离乳,lí rǔ,to be weaned; weaning -离乱,lí luàn,social upheaval caused by war or famine etc -离任,lí rèn,to leave office; to leave one's post -离休,lí xiū,to retire; to leave work and rest (euphemism for compulsory retirement of old cadres) -离别,lí bié,to leave (on a long journey); to part from sb -离去,lí qù,to leave; to exit -离合,lí hé,clutch (in car gearbox); separation and reunion -离合器,lí hé qì,clutch (mechanics) -离合板,lí hé bǎn,clutch pedal -离合词,lí hé cí,separable word (in Chinese grammar) -离境,lí jìng,to leave a country (or place) -离奇,lí qí,odd; bizarre -离奇有趣,lí qí yǒu qù,quaint -离婚,lí hūn,to divorce -离子,lí zǐ,ion -离子交换,lí zǐ jiāo huàn,ion exchange -离子键,lí zǐ jiàn,ionic bond (chemistry) -离宫,lí gōng,detached palace; imperial villa -离家出走,lí jiā chū zǒu,to leave home (to live somewhere else) -离家别井,lí jiā bié jǐng,to leave home; to abandon one's family -离岸,lí àn,offshore -离岸价,lí àn jià,free on board (FOB) (transportation) -离峰,lí fēng,(Tw) off-peak -离岛,lí dǎo,outlying islands -离岛区,lí dǎo qū,"Islands District of the New Territories, Hong Kong" -离心,lí xīn,to be at odds with; centrifugal (force) -离心分离机,lí xīn fēn lí jī,centrifuge -离心力,lí xīn lì,centrifugal force -离心机,lí xīn jī,centrifuge -离情别绪,lí qíng bié xù,sad feeling at separation (idiom) -离愁,lí chóu,parting sorrow; pain of separation -离散,lí sàn,(of family members) separated from one another; scattered about; dispersed; (math.) discrete -离散性,lí sàn xìng,discreteness -离散数学,lí sàn shù xué,discrete mathematics -离弃,lí qì,to abandon -离歌,lí gē,(sad) farewell song -离港,lí gǎng,to leave harbor; departure (at airport) -离港大厅,lí gǎng dà tīng,departure lounge -离独,lí dú,to be divorced -离异,lí yì,to divorce -离石,lí shí,"Lishi district of Lüliang city 呂梁市|吕梁市[Lu:3 liang2 shi4], Shanxi 山西" -离石区,lí shí qū,"Lishi district of Lüliang city 呂梁市|吕梁市[Lu:3 liang2 shi4], Shanxi 山西" -离索,lí suǒ,(literary) desolate and lonely -离经叛道,lí jīng pàn dào,to rebel against orthodoxy; to depart from established practices -离线,lí xiàn,offline (computing) -离职,lí zhí,to leave one's job temporarily (e.g. for study); to leave one's job; to resign -离苦得乐,lí kǔ dé lè,to abandon suffering and obtain happiness (Buddhism) -离谱,lí pǔ,inappropriate; improper; out of place -离谱儿,lí pǔ er,erhua variant of 離譜|离谱[li2 pu3] -离贰,lí èr,to defect; to be disloyal -离乡背井,lí xiāng bèi jǐng,"to leave one's homeplace (to find work, flee disaster etc)" -离开,lí kāi,to depart; to leave -离开人世,lí kāi rén shì,to die; to leave this world -离间,lí jiàn,"to drive a wedge between (allies, partners etc)" -离队,lí duì,to leave one's post -离离光光,lí lí guāng guāng,lackluster (look) -离题,lí tí,to digress; to stray from the subject -离骚,lí sāo,"On Encountering Sorrow, poem by Qu Yuan 屈原[Qu1 Yuan2] in Songs of Chu 楚辭|楚辞[Chu3 ci2]" -难,nán,difficult (to...); problem; difficulty; difficult; not good -难,nàn,disaster; distress; to scold -难上加难,nán shàng jiā nán,extremely difficult; even more difficult -难上难,nán shàng nán,extremely difficult; even more difficult -难不倒,nán bù dǎo,not to pose a problem for sb; cannot stump sb -难不成,nán bù chéng,Is it possible that ... ? -难以,nán yǐ,"hard to (predict, imagine etc)" -难以启齿,nán yǐ qǐ chǐ,to be too embarrassed to mention sth (idiom); to find it hard to speak about sth -难以实现,nán yǐ shí xiàn,hard to accomplish; difficult to achieve -难以忍受,nán yǐ rěn shòu,hard to endure; unbearable -难以应付,nán yǐ yìng fù,hard to deal with; hard to handle -难以捉摸,nán yǐ zhuō mō,elusive; hard to pin down; enigmatic -难以撼动,nán yǐ hàn dòng,unsusceptible to change; deeply entrenched -难以理解,nán yǐ lǐ jiě,hard to understand; incomprehensible -难以置信,nán yǐ zhì xìn,hard to believe; incredible -难以自已,nán yǐ zì yǐ,cannot control oneself (idiom); to be beside oneself -难伺候,nán cì hou,(coll.) hard to please; high-maintenance -难住,nán zhù,to baffle; to stump -难保,nán bǎo,hard to say; can't guarantee; difficult to protect; difficult to preserve -难倒,nán dǎo,to baffle; to confound; to stump -难兄难弟,nán xiōng nán dì,lit. hard to differentiate between elder and younger brother (idiom); fig. one is just as bad as the other -难兄难弟,nàn xiōng nàn dì,brothers in hardship (idiom); fellow sufferers; in the same boat -难免,nán miǎn,hard to avoid; difficult to escape from; will inevitably -难分难舍,nán fēn nán shě,loath to part (idiom); emotionally close and unwilling to separate -难分难解,nán fēn nán jiě,to become caught up in an irresolvable situation (idiom) -难受,nán shòu,to feel unwell; to suffer pain; to be difficult to bear -难吃,nán chī,unpalatable -难喝,nán hē,unpleasant to drink -难堪,nán kān,hard to take; embarrassed -难度,nán dù,degree of difficulty -难弹,nán tán,hard to play (of music for stringed instrument) -难得,nán dé,seldom; rare; hard to come by -难得一见,nán dé yī jiàn,rarely seen -难忘,nán wàng,unforgettable -难怪,nán guài,(it's) no wonder (that...); (it's) not surprising (that) -难懂,nán dǒng,difficult to understand -难舍难分,nán shě nán fēn,loath to part (idiom); emotionally close and unwilling to separate -难舍难离,nán shě nán lí,loath to part (idiom); emotionally close and unwilling to separate -难捱,nán ái,trying; difficult -难搞,nán gǎo,hard to deal with; hard to get along with -难于接近,nán yú jiē jìn,(of people) difficult to approach; inaccessible -难于登天,nán yú dēng tiān,harder than climbing to heaven (idiom) -难易,nán yì,difficulty; degree of difficulty or ease -难民,nàn mín,refugee -难民营,nàn mín yíng,refugee camp -难测,nán cè,hard to fathom -难为,nán wei,"to bother; to press sb, usu. to do sth; it's a tough job; sorry to bother you (polite, used to thank sb for a favor)" -难为情,nán wéi qíng,embarrassed -难熬,nán áo,(of pain or hardship) hard to bear -难产,nán chǎn,difficult birth; (fig.) difficult to achieve -难当,nán dāng,"hard to endure (hot weather, itchiness etc)" -难看,nán kàn,ugly; unsightly -难经,nàn jīng,"Classic on Medical Problems, c. 1st century AD; abbr. for 黃帝八十一難經|黄帝八十一难经[Huang2 di4 Ba1 shi2 yi1 Nan4 jing1]" -难缠,nán chán,(usu. of people) difficult; demanding; troublesome; unreasonable; hard to deal with -难闻,nán wén,unpleasant smell; stink -难听,nán tīng,unpleasant to hear; coarse; vulgar; offensive; shameful -难能可贵,nán néng kě guì,rare and precious; valuable; remarkable -难处,nán chu,trouble; difficulty; problem -难行,nán xíng,hard to pass -难解,nán jiě,hard to solve; hard to dispel; hard to understand; hard to undo -难解难分,nán jiě nán fēn,"hard to untie, hard to separate (idiom); inextricably involved; locked in battle" -难言之隐,nán yán zhī yǐn,a hidden trouble hard to mention (idiom); sth too embarrassing to mention; an embarrassing illness -难记,nán jì,hard to remember -难说,nán shuō,hard to tell (i.e. hard to judge or hard to predict); cannot bring oneself to say it -难走,nán zǒu,hard to get to; difficult to travel (i.e. the road is bad) -难辞其咎,nán cí qí jiù,cannot escape censure (idiom); has to bear the blame -难逃法网,nán táo fǎ wǎng,It is hard to escape the dragnet of the law; the long arm of the law -难过,nán guò,to feel sad; to feel unwell; (of life) to be difficult -难道,nán dào,don't tell me ...; could it be that...? -难关,nán guān,difficulty; crisis -难题,nán tí,difficult problem -难点,nán diǎn,difficulty -雨,yǔ,"rain; CL:陣|阵[zhen4],場|场[chang2]" -雨,yù,"(literary) to rain; (of rain, snow etc) to fall; to precipitate; to wet" -雨人,yǔ rén,Rain Man -雨伞,yǔ sǎn,umbrella; CL:把[ba3] -雨具,yǔ jù,rainwear -雨凇,yǔ sōng,glaze ice; verglas; silver frost -雨刮,yǔ guā,windshield wiper -雨刷,yǔ shuā,windshield wiper -雨城,yǔ chéng,"Yucheng district of Ya'an city 雅安市[Ya3 an1 shi4], Sichuan" -雨城区,yǔ chéng qū,"Yucheng district of Ya'an city 雅安市[Ya3 an1 shi4], Sichuan" -雨天,yǔ tiān,rainy day; rainy weather -雨夹雪,yǔ jiā xuě,sleet; mixture of snow and rain -雨女无瓜,yǔ nǚ wú guā,(neologism) (slang) it's none of your business (imitation of an accented pronunciation of 與你無關|与你无关[yu3 ni3 wu2 guan1]) -雨季,yǔ jì,rainy season -雨层云,yǔ céng yún,nimbostratus; stratus rain cloud -雨山,yǔ shān,"Yushan, a district of Ma'anshan City 馬鞍山市|马鞍山市[Ma3an1shan1 Shi4], Anhui" -雨山区,yǔ shān qū,"Yushan, a district of Ma'anshan City 馬鞍山市|马鞍山市[Ma3an1shan1 Shi4], Anhui" -雨布,yǔ bù,rain tarp -雨幕,yǔ mù,curtain of rain; downpour -雨后春笋,yǔ hòu chūn sǔn,"lit. after rain, the spring bamboo (idiom); fig. rapid new growth; many new things emerge in rapid succession" -雨披,yǔ pī,rain poncho; rain cape -雨搭,yǔ dā,awning -雨林,yǔ lín,rainforest -雨果,yǔ guǒ,"Hugo (name); Victor Hugo (1802-1885), French writer" -雨棚,yǔ péng,awning -雨水,yǔ shuǐ,"Yushui or Rain Water, 2nd of the 24 solar terms 二十四節氣|二十四节气 19th February-5th March" -雨水,yǔ shuǐ,rainwater; rainfall; rain -雨湖,yǔ hú,"Yuhu district of Xiangtan city 湘潭市[Xiang1 tan2 shi4], Hunan" -雨湖区,yǔ hú qū,"Yuhu district of Xiangtan city 湘潭市[Xiang1 tan2 shi4], Hunan" -雨滴,yǔ dī,raindrop -雨漏,yǔ lòu,gargoyle (architecture) -雨泽下注,yǔ zé xià zhù,rainfall -雨燕,yǔ yàn,swift; Apodidae (the swift family) -雨丝,yǔ sī,drizzle; fine rain -雨花,yǔ huā,"Yuhua district of Changsha city 長沙市|长沙市[Chang2 sha1 shi4], Hunan" -雨花区,yǔ huā qū,"Yuhua district of Changsha city 長沙市|长沙市[Chang2 sha1 shi4], Hunan" -雨花台,yǔ huā tái,Yuhuatai district of Nanjing City 南京市 in Jiangsu 江蘇|江苏 -雨花台区,yǔ huā tái qū,Yuhuatai district of Nanjing City 南京市 in Jiangsu 江蘇|江苏 -雨蛙,yǔ wā,rain frog -雨蚀,yǔ shí,rain erosion -雨衣,yǔ yī,raincoat; CL:件[jian4] -雨过天晴,yǔ guò tiān qíng,sky clears after rain; new hopes after a disastrous period (idiom); every cloud has a silver lining (idiom); see also 雨過天青|雨过天青[yu3 guo4 tian1 qing1] -雨过天青,yǔ guò tiān qīng,sky clears after rain; new hopes after a disastrous period (idiom); every cloud has a silver lining (idiom); see also 雨過天晴|雨过天晴[yu3 guo4 tian1 qing2] -雨量,yǔ liàng,rainfall -雨露,yǔ lù,rain and dew; (fig.) favor; grace -雨靴,yǔ xuē,rain boots; rubber boots; CL:雙|双[shuang1] -雨鞋,yǔ xié,waterproof footwear (rubber boots etc) -雨点,yǔ diǎn,raindrop -雩,yú,summer sacrifice for rain -雪,xuě,surname Xue -雪,xuě,snow; CL:場|场[chang2]; (literary) to wipe away (a humiliation etc) -雪上加霜,xuě shàng jiā shuāng,(idiom) to make matters even worse; to add insult to injury -雪中送炭,xuě zhōng sòng tàn,lit. to send charcoal in snowy weather (idiom); fig. to provide help in sb's hour of need -雪亮,xuě liàng,lit. bright as snow; shiny; dazzling; sharp (of eyes) -雪人,xuě rén,snowman; yeti -雪仗,xuě zhàng,snow fight; snowball fight -雪佛莱,xuě fó lái,"Chevrolet, US car make" -雪佛兰,xuě fó lán,Chevrolet -雪佛龙,xuě fó lóng,Chevron (oil company) -雪佛龙公司,xuě fó lóng gōng sī,Chevron Corporation -雪佛龙石油公司,xuě fó lóng shí yóu gōng sī,Chevron Corporation -雪克,xuě kè,(milk)shake (loanword) -雪利酒,xuě lì jiǔ,sherry (loanword) -雪地车,xuě dì chē,snowmobile -雪地靴,xuě dì xuē,ugg boots -雪城,xuě chéng,"Syracuse, New York" -雪套,xuě tào,gaiters -雪山,xuě shān,snow-capped mountain -雪山太子,xuě shān tài zǐ,"Meili Snow Mountains in Diqing Tibetan Autonomous Prefecture 迪慶藏族自治州|迪庆藏族自治州[Di2 qing4 Zang4 zu2 Zi4 zhi4 zhou1], Yunnan; also written 梅里雪山[Mei2 li3 Xue3 shan1]" -雪山狮子,xuě shān shī zi,"Snow lion, mythological animal, a banned symbol of Tibet and Tibetan Buddhism" -雪山狮子旗,xuě shān shī zi qí,"Snow lion banner, banned flag of Tibetan independence movement, featuring mythological Snow Leopard" -雪峰,xuě fēng,snowy peak -雪崩,xuě bēng,avalanche -雪岳山,xuě yuè shān,"Seoraksan, mountain near Sokcho, South Korea" -雪耻,xuě chǐ,to take revenge for a past insult; to expunge a disgrace or humiliation -雪景,xuě jǐng,snowscape -雪暴,xuě bào,blizzard; snowstorm -雪松,xuě sōng,cedar tree; cedarwood -雪板,xuě bǎn,snowboard; to snowboard -雪条,xuě tiáo,ice lolly; popsicle -雪梨,xuě lí,"Sydney, capital of New South Wales, Australia (Tw)" -雪梨,xuě lí,snow pear (pyrus nivalis) -雪橇,xuě qiāo,sled; sledge; sleigh; bobsled -雪柜,xuě guì,icebox; refrigerator (Hong Kong usage) -雪泥,xuě ní,dirty snow; slush; abbr. for 雪泥鴻爪|雪泥鸿爪[xue3 ni2 hong2 zhao3] -雪泥鸿爪,xuě ní hóng zhǎo,a goose's footprint in the snow; vestiges of the past (idiom); the fleeting nature of human life (idiom) -雪片,xuě piàn,snowflake -雪球,xuě qiú,snowball -雪白,xuě bái,snow white -雪碧,xuě bì,Sprite (soft drink) -雪种,xuě zhǒng,refrigerant -雪糕,xuě gāo,ice cream bar; ice cream popsicle -雪糕筒,xuě gāo tǒng,(Cantonese-influenced Mandarin) (coll.) traffic cone -雪纺,xuě fǎng,chiffon (loanword) -雪线,xuě xiàn,snow line -雪耳,xuě ěr,snow fungus (Tremella fuciformis); white fungus -雪花,xuě huā,snowflake -雪花膏,xuě huā gāo,vanishing cream; cold cream (makeup) -雪茄,xuě jiā,cigar (loanword) -雪茄烟,xuě jiā yān,cigar -雪茄头,xuě jiā tóu,cigarette lighter plug (inserted in a car's cigarette lighter socket to draw power) -雪菜,xuě cài,see 雪裡蕻|雪里蕻[xue3 li3 hong2] -雪菲尔德,xuě fēi ěr dé,Sheffield (City in England) -雪莱,xuě lái,Shelley; abbr. for 珀西·比希·雪萊|珀西·比希·雪莱[Po4 xi1 · Bi3 xi1 · Xue3 lai2] -雪葩,xuě pā,sorbet (loanword) -雪莲,xuě lián,snow lotus herb; Saussurea involucrata -雪藏,xuě cáng,to keep sth in cold storage; (fig.) to suspend a performer or sports player (as punishment); to keep sb or sth out of sight until the right moment (e.g. a key player on a sports team) -雪兰莪,xuě lán é,Selangor (Malaysia) -雪蟹,xuě xiè,snow crab (Chionoecetes opilio) -雪里红,xuě lǐ hóng,potherb mustard; Brassica juncea var. crispifolia -雪里蕻,xuě lǐ hóng,potherb mustard (Brassica juncea var. crispifolia) -雪豹,xuě bào,snow leopard -雪貂,xuě diāo,ferret -雪酪,xuě lào,sherbet; sorbet -雪铁龙,xuě tiě lóng,Citroën (French car manufacturer) -雪雁,xuě yàn,(bird species of China) snow goose (Anser caerulescens) -雪青,xuě qīng,lilac (color) -雪鞋,xuě xié,snowshoes; CL:雙|双[shuang1] -雪顿,xuě dùn,"Lhasa Shoton festival or yogurt banquet, from first of July of Tibetan calendar" -雪顿节,xuě dùn jié,"Lhasa Shoton festival or yogurt banquet, from first of July of Tibetan calendar" -雪鸮,xuě xiāo,(bird species of China) snowy owl (Bubo scandiacus) -雪鸽,xuě gē,(bird species of China) snow pigeon (Columba leuconota) -雪鹑,xuě chún,(bird species of China) snow partridge (Lerwa lerwa) -雯,wén,multicolored clouds -云,yún,surname Yun; abbr. for Yunnan Province 雲南省|云南省[Yun2nan2 Sheng3] -云,yún,cloud; CL:朵[duo3] -云南,yún nán,"Yunnan province in southwest China, bordering on Vietnam, Laos and Myanmar, abbr. 滇[dian1] or 雲|云, capital Kunming 昆明" -云南柳莺,yún nán liǔ yīng,(bird species of China) Chinese leaf warbler (Phylloscopus yunnanensis) -云南白斑尾柳莺,yún nán bái bān wěi liǔ yīng,(bird species of China) Davison's leaf warbler (Phylloscopus davisoni) -云南省,yún nán shěng,"Yunnan Province in southwest China, bordering on Vietnam, Laos and Myanmar, abbr. 滇[Dian1] or 雲|云[Yun2], capital Kunming 昆明[Kun1 ming2]" -云吞,yún tūn,wonton -云和,yún hé,"Yunhe county in Lishui 麗水|丽水[Li2 shui3], Zhejiang" -云和县,yún hé xiàn,"Yunhe county in Lishui 麗水|丽水[Li2 shui3], Zhejiang" -云梦,yún mèng,"Yunmeng county in Xiaogan 孝感[Xiao4 gan3], Hubei" -云梦县,yún mèng xiàn,"Yunmeng county in Xiaogan 孝感[Xiao4 gan3], Hubei" -云安,yún ān,"Yun'an county in Yunfu 雲浮|云浮[Yun2 fu2], Guangdong" -云安县,yún ān xiàn,"Yun'an county in Yunfu 雲浮|云浮[Yun2 fu2], Guangdong" -云室,yún shì,cloud chamber (physics) -云层,yún céng,the clouds; cloud layer; cloud bank -云冈石窟,yún gāng shí kū,"Yungang Caves at Datong 大同, Shanxi 山西" -云岩,yún yán,"Yunyan District of Guiyang City 貴陽市|贵阳市[Gui4 yang2 Shi4], Guizhou" -云岩区,yún yán qū,"Yunyan District of Guiyang City 貴陽市|贵阳市[Gui4 yang2 Shi4], Guizhou" -云彩,yún cai,(coll.) cloud; CL:朵[duo3] -云散风流,yún sàn fēng liú,"lit. clouds scatter, wind flows (idiom); the crisis settles down; people disperse home; things return to normal" -云朵,yún duǒ,a cloud -云杉,yún shān,spruce -云林,yún lín,Yunlin county in Taiwan -云林县,yún lín xiàn,Yunlin county in Taiwan -云梯,yún tī,(military) ladder used for scaling the walls of a fortified place (i.e. for escalading) in ancient times; firefighters' extension ladder; stone steps on a mountain -云母,yún mǔ,mica -云气,yún qì,mist -云沙,yún shā,"muscovite, mica (used in TCM)" -云泥之别,yún ní zhī bié,(fig.) a world of difference -云浮,yún fú,Yunfu prefecture-level city in Guangdong Province 廣東省|广东省[Guang3 dong1 Sheng3] in south China -云浮市,yún fú shì,Yunfu prefecture-level city in Guangdong Province 廣東省|广东省[Guang3 dong1 Sheng3] in south China -云消雾散,yún xiāo wù sàn,the clouds melt and the mists disperse (idiom); to clear up; to vanish into thin air -云液,yún yè,"muscovite, mica (used in TCM)" -云涌,yún yǒng,in large numbers; in force; lit. clouds bubbling up -云溪,yún xī,"Yunxi district of Yueyang city 岳陽|岳阳[Yue4 yang2], Hunan" -云溪区,yún xī qū,"Yunxi district of Yueyang city 岳陽|岳阳[Yue4 yang2], Hunan" -云烟,yún yān,mist; smoke; cloud -云片糕,yún piàn gāo,a kind of cake -云珠,yún zhū,"muscovite, mica (used in TCM)" -云盘,yún pán,cloud storage service -云石,yún shí,marble -云石斑鸭,yún shí bān yā,(bird species of China) marbled teal (Marmaronetta angustirostris) -云窗雾槛,yún chuāng wù kǎn,"cloud around the window, mist on the threshold (idiom); tall building with the windows in the clouds" -云端,yún duān,high in the clouds; (computing) the cloud -云县,yún xiàn,"Yun county in Lincang 臨滄|临沧[Lin2 cang1], Yunnan" -云芝,yún zhī,turkey tail mushroom (Trametes versicolor) -云英,yún yīng,"muscovite, mica (used in TCM)" -云华,yún huá,"muscovite, mica (used in TCM)" -云里雾里,yún lǐ wù lǐ,amidst the clouds and mist; (fig.) mystified; puzzled -云计算,yún jì suàn,cloud computing -云豆,yún dòu,variant of 芸豆[yun2 dou4] -云豹,yún bào,clouded leopard (Neofelis nebulosa) -云贵川,yún guì chuān,"Yunnan, Guizhou and Sichuan" -云贵高原,yún guì gāo yuán,"Yunnan and Guizhou plateau in southwest China, covering east Yunnan, whole of Guizhou, west of Guangxi and southern margins of Sichuan, Hubei and Hunan" -云游,yún yóu,to wander (typically of an errant priest) -云阳,yún yáng,"Yunyang, a county in Chongqing 重慶|重庆[Chong2qing4]" -云阳县,yún yáng xiàn,"Yunyang, a county in Chongqing 重慶|重庆[Chong2qing4]" -云隙光,yún xì guāng,crepuscular rays; sunbeams -云雀,yún què,(bird species of China) Eurasian skylark (Alauda arvensis) -云集,yún jí,to gather (in a crowd); to converge; to swarm -云雨,yún yǔ,lit. cloud and rain; fig. sexual intercourse -云霄,yún xiāo,"Yunxiao county in Zhangzhou 漳州[Zhang1 zhou1], Fujian" -云霄,yún xiāo,(the) skies -云霄县,yún xiāo xiàn,"Yunxiao county in Zhangzhou 漳州[Zhang1 zhou1], Fujian" -云霄飞车,yún xiāo fēi chē,roller coaster -云雾,yún wù,clouds and mist -云雾径迹,yún wù jìng jì,cloud track (trace of ionizing particle in cloud chamber) -云霭,yún ǎi,floating clouds -云头,yún tóu,cloud -云鬓,yún bìn,"a woman's beautiful, thick hair" -云龙,yún lóng,"Yunlong district of Xuzhou city 徐州市[Xu2 zhou1 shi4], Jiangsu; Yunlong county in Dali Bai autonomous prefecture 大理白族自治州[Da4 li3 Bai2 zu2 zi4 zhi4 zhou1], Yunnan" -云龙区,yún lóng qū,"Yunlong district of Xuzhou city 徐州市[Xu2 zhou1 shi4], Jiangsu" -云龙县,yún lóng xiàn,"Yunlong county in Dali Bai autonomous prefecture 大理白族自治州[Da4 li3 Bai2 zu2 zi4 zhi4 zhou1], Yunnan" -零,líng,zero; nought; zero sign; fractional; fragmentary; odd (of numbers); (placed between two numbers to indicate a smaller quantity followed by a larger one); fraction; (in mathematics) remainder (after division); extra; to wither and fall; to wither -零丁,líng dīng,variant of 伶仃[ling2 ding1] -零下,líng xià,below zero -零乱,líng luàn,in disorder; a complete mess -零件,líng jiàn,part; component -零备件,líng bèi jiàn,spare part; component -零八宪章,líng bā xiàn zhāng,"Charter 08, PRC pro-democracy petition of December 2008" -零功率堆,líng gōng lǜ duī,zero power reactor -零吃,líng chī,(coll.) snack food -零和,líng hé,"zero-sum (game, in economics etc)" -零和博弈,líng hé bó yì,zero-sum game (economics) -零售,líng shòu,to retail; to sell individually or in small quantities -零售商,líng shòu shāng,retailer; shopkeeper; retail merchant -零售店,líng shòu diàn,shop; retail store -零嘴,líng zuǐ,nibbles; snacks between meals -零基础,líng jī chǔ,no prior study (in an area of learning) -零容忍,líng róng rěn,zero tolerance -零工,líng gōng,temporary job; odd job -零工经济,líng gōng jīng jì,gig economy -零度,líng dù,zero degree -零废弃,líng fèi qì,zero waste -零打碎敲,líng dǎ suì qiāo,to do things in bits and pieces (idiom); piecemeal work -零担,líng dān,less-than-truck-load freight (LTL) (transportation) -零散,líng sǎn,scattered -零敲碎打,líng qiāo suì dǎ,to do things in bits and pieces (idiom); piecemeal work -零数,líng shù,the part of a number which is discarded when rounding down -零族,líng zú,lit. zero group; another word for the inert or noble gases 惰性氣體|惰性气体 -零日,líng rì,"zero-day (attack, vulnerability etc) (computing)" -零日漏洞,líng rì lòu dòng,zero-day vulnerability (computing) -零星,líng xīng,fragmentary; piecemeal; in bits and pieces; sporadic; scattered -零时,líng shí,midnight; zero hour -零曲率,líng qū lǜ,zero curvature; flat -零用,líng yòng,incidental expenses; sundries; pocket money -零用金,líng yòng jīn,petty cash -零用钱,líng yòng qián,pocket money; allowance; spending money -零的,líng de,small change -零碎,líng suì,scattered and fragmentary; scraps; odds and ends -零等待状态,líng děng dài zhuàng tài,zero wait state (computing) -零缺点,líng quē diǎn,zero defect; faultless; impeccable -零声母,líng shēng mǔ,(Chinese linguistics) zero initial (the initial of a syllable that does not begin with a consonant) -零花钱,líng huā qián,pocket money; allowance -零落,líng luò,withered and fallen; scattered; sporadic -零号,líng hào,(slang) bottom (in a homosexual relationship) -零号病人,líng hào bìng rén,(epidemiology) patient zero -零买,líng mǎi,to buy detail; to buy one at a time -零起点,líng qǐ diǎn,from zero; from scratch; beginners' (course); for beginners -零距离,líng jù lí,zero distance; face-to-face -零部件,líng bù jiàn,spare part; component -零钱,líng qián,change (of money); small change; pocket money -零陵,líng líng,"Lingling district of Yongzhou city 永州市[Yong3 zhou1 shi4], Hunan" -零陵区,líng líng qū,"Lingling district of Yongzhou city 永州市[Yong3 zhou1 shi4], Hunan" -零杂,líng zá,bit and pieces; small odds and ends -零杂儿,líng zá er,erhua variant of 零雜|零杂[ling2 za2] -零零星星,líng líng xīng xīng,odd; piecemeal; fragmentary -零头,líng tóu,odd; scrap; remainder -零食,líng shí,between-meal nibbles; snacks -零点,líng diǎn,midnight; to order à la carte; (math.) zero of a function -零点五,líng diǎn wǔ,"zero point five, 0.5; one half" -零点定理,líng diǎn dìng lǐ,Hilbert's zeros theorem (math.); Nullstellensatz -零点能,líng diǎn néng,zero-point energy (quantum mechanical vacuum effect) -雷,léi,surname Lei -雷,léi,"thunder; (bound form) (military) mine, as in 地雷[di4 lei2] land mine; (coll.) to shock; to stun; to astound; (Tw) (coll.) spoiler; (Tw) (coll.) to reveal plot details to (sb)" -雷亚尔,léi yà ěr,real (Brazilian currency) (loanword) -雷人,léi rén,(Internet slang) shocking; appalling; terrifying; terrific -雷克斯,léi kè sī,Rex (name) -雷克斯暴龙,léi kè sī bào lóng,Tyrannosaurus rex -雷克萨斯,léi kè sà sī,Lexus; see also 凌志[Ling2 zhi4] -雷克雅未克,léi kè yǎ wèi kè,"Reykjavik, capital of Iceland" -雷克雅维克,léi kè yǎ wéi kè,"Reykjavik, capital of Iceland (Tw)" -雷公,léi gōng,"Lei Gong or Duke of Thunder, the God of Thunder in Chinese mythology" -雷公打豆腐,léi gōng dǎ dòu fu,the God of Thunder strikes bean curd; fig. to bully the weakest person; to pick on an easy target -雷区,léi qū,minefield (lit. and fig.) -雷厉风行,léi lì fēng xíng,pass like thunder and move like the wind (idiom); swift and decisive reaction -雷司令,léi sī lìng,Riesling (grape type) -雷同,léi tóng,mirroring others; identical -雷大雨小,léi dà yǔ xiǎo,lit. much thunder but little rain; fig. a lot of talk but little action; his bark is worse than his bite -雷姆斯汀,léi mǔ sī tīng,"variant of 德國戰車|德国战车, Rammstein (German metal band)" -雷子,léi zi,(slang) cop -雷射,léi shè,laser (loanword used in Taiwan); also written 鐳射|镭射 -雷射笔,léi shè bǐ,laser pointer (Tw) -雷山,léi shān,"Leishan county in Qiandongnan Miao and Dong autonomous prefecture 黔東南州|黔东南州[Qian2 dong1 nan2 zhou1], Guizhou" -雷山县,léi shān xiàn,"Leishan county in Qiandongnan Miao and Dong autonomous prefecture 黔東南州|黔东南州[Qian2 dong1 nan2 zhou1], Guizhou" -雷峰塔,léi fēng tǎ,"Leifeng Pagoda, by West Lake until it was destroyed (also from Madam White Snake)" -雷州,léi zhōu,"Leizhou, county-level city in Zhanjiang 湛江[Zhan4 jiang1], Guangdong" -雷州半岛,léi zhōu bàn dǎo,Leizhou Peninsula -雷州市,léi zhōu shì,"Leizhou, county-level city in Zhanjiang 湛江[Zhan4 jiang1], Guangdong" -雷德,léi dé,"Clark T. Randt Jr. (1945-), US ambassador to Beijing 2001-2009" -雷恩,léi ēn,Rennes -雷扎耶湖,léi zhá yē hú,"Lake Urmia, northwest Iran, a major salt lake; formerly called lake Rezaiyeh" -雷打不动,léi dǎ bù dòng,not shaken by thunder (idiom); the arrangements are unalterable; to adhere rigidly to regulations; will go ahead whatever happens (of an arrangement or plan) -雷击,léi jī,lightning strike; thunderbolt -雷日纳,léi rì nà,"Regina (name); Regina, city in Brazil" -雷暴,léi bào,thunderstorm -雷曼,léi màn,Lehman or Leymann (name) -雷曼兄弟,léi màn xiōng dì,"Lehman Brothers, investment bank" -雷朗,léi lǎng,"Luilang, one of the indigenous peoples of Taiwan" -雷朗族,léi lǎng zú,"Luilang, one of the indigenous peoples of Taiwan" -雷根,léi gēn,Taiwan equivalent of 里根[Li3 gen1] -雷波,léi bō,"Leibo county in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -雷波县,léi bō xiàn,"Leibo county in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -雷神,léi shén,"god of thunder (Chinese Leigong 雷公[Lei2 gong1], Norse Thor 索爾|索尔[Suo3 er3], Greek Zeus 宙斯[Zhou4 si1] etc)" -雷神之锤,léi shén zhī chuí,Quake (video game series) -雷神公司,léi shén gōng sī,"Raytheon Company, US defense contractor" -雷管,léi guǎn,detonator; fuse -雷声,léi shēng,thunder -雷蒙德,léi méng dé,Raymond (name) -雷盖,léi gài,reggae (loanword); also written 雷鬼[lei2 gui3] -雷诺,léi nuò,"Reynolds (name); Renault (French car company); Reno, Nevada" -雷诺数,léi nuò shù,Reynolds number (ratio of inertial forces to viscous forces in fluid mechanics) -雷诺阿,léi nuò ā,"Renoir (name); Pierre-Auguste Renoir (1841-1919), French impressionist painter" -雷轰,léi hōng,sound of thunder -雷达,léi dá,radar (loanword) -雷达天线,léi dá tiān xiàn,radar antenna -雷锋,léi fēng,"Lei Feng (1940-1962), made into a model of altruism and dedication to the Party by propaganda from 1963 onwards" -雷阿尔城,léi ā ěr chéng,Ciudad Real -雷阵雨,léi zhèn yǔ,thundershower -雷雕,léi diāo,laser cutting (abbr. for 雷射雕刻[lei2 she4 diao1 ke4]) -雷雨,léi yǔ,thunderstorm -雷电,léi diàn,thunder and lightning -雷电计,léi diàn jì,brontometer; apparatus to measure thunder and lightning -雷霆,léi tíng,sound of thunder -雷鬼,léi guǐ,reggae (loanword) -雷鸟,léi niǎo,"capercaillie (Lagopus, several species); thunderbird (in native American mythology)" -雷鸣,léi míng,thunder rolls -雷龙,léi lóng,apatosaurus; former name: brontosaurus -雹,báo,hail -雹块,báo kuài,hailstone -雹子,báo zi,hail; hailstone -雹暴,báo bào,hailstorm -雹灾,báo zāi,disaster caused by hail -电,diàn,lightning; electricity; electric (bound form); to get (or give) an electric shock; phone call or telegram etc; to send via telephone or telegram etc -电位,diàn wèi,electric potential; voltage -电位器,diàn wèi qì,potentiometer -电位计,diàn wèi jì,potentiometer -电信,diàn xìn,telecommunications -电信局,diàn xìn jú,central office; telecommunications office -电信网路,diàn xìn wǎng lù,telecommunications network -电信号,diàn xìn hào,electrical signal -电信诈骗,diàn xìn zhà piàn,wire fraud -电传,diàn chuán,"to send information using electronic means (such as fax, telegram, telex etc); a message transmitted using electronic means; telex; teleprinter" -电价,diàn jià,price of electricity -电光,diàn guāng,electric light; lightning; electro-optical -电光朝露,diàn guāng zhāo lù,"flash of lightning, morning dew (idiom); fig. ephemeral; impermanent" -电冰柜,diàn bīng guì,freezer -电冰箱,diàn bīng xiāng,refrigerator; CL:個|个[ge4] -电刑,diàn xíng,to torture sb using electricity; electrocution (capital punishment) -电力,diàn lì,electrical power; electricity -电力机车,diàn lì jī chē,electric locomotive -电功率,diàn gōng lǜ,electric power (measured in watts) -电动,diàn dòng,electric-powered; (Tw) video game -电动势,diàn dòng shì,electromotive force -电动机,diàn dòng jī,electric motor -电动玩具,diàn dòng wán jù,battery-powered toy; (Tw) video game; computer game -电动葫芦,diàn dòng hú lu,electric chain pulley block -电动车,diàn dòng chē,"electric vehicle (scooter, bicycle, car etc)" -电动转盘,diàn dòng zhuàn pán,an electric turntable -电化学,diàn huà xué,electrochemistry -电化教育,diàn huà jiào yù,multimedia education; abbr. to 電教|电教 -电匠,diàn jiàng,electrician -电汇,diàn huì,telegraphic transfer (TT) -电吉他,diàn jí tā,electric guitar -电吹风,diàn chuī fēng,hair dryer -电告,diàn gào,"to inform by telegraph, telephone etc" -电唁,diàn yàn,a telegraph condolence; to send a message of condolence by telegram -电唱,diàn chàng,gramophone; record player -电唱机,diàn chàng jī,gramophone; record player -电唱盘,diàn chàng pán,gramophone; record player -电唱头,diàn chàng tóu,pickup (of a record player) -电商,diàn shāng,e-commerce (abbr. for 電子商務|电子商务[dian4 zi3 shang1 wu4]); (old) to negotiate by telegram or telephone -电器,diàn qì,(electrical) appliance; device -电圆锯,diàn yuán jù,circular saw -电报,diàn bào,"telegram; cable; telegraph; CL:封[feng1],份[fen4]" -电报局,diàn bào jú,telegraph office -电报机,diàn bào jī,telegraph -电报通知,diàn bào tōng zhī,"electronic communication (fax, email etc)" -电场,diàn chǎng,electric field -电塔,diàn tǎ,electricity pylon; transmission tower -电压,diàn yā,voltage -电压表,diàn yā biǎo,voltmeter -电压计,diàn yā jì,voltmeter -电子,diàn zǐ,electronic; electron (particle physics) -电子人,diàn zǐ rén,cyborg -电子伏,diàn zǐ fú,"electron volt (unit of energy used in particle physics, approximately 10⁻¹⁹ joules)" -电子伏特,diàn zǐ fú tè,electronvolt (eV) -电子信箱,diàn zǐ xìn xiāng,e-mail inbox -电子化营业,diàn zǐ huà yíng yè,e-commerce (computing) -电子商务,diàn zǐ shāng wù,e-commerce -电子器件,diàn zǐ qì jiàn,electric equipment -电子学,diàn zǐ xué,electronics -电子学系,diàn zǐ xué xì,department of electronics -电子层,diàn zǐ céng,electron shell (in the atom) -电子层数,diàn zǐ céng shù,electron shell number (chemistry) -电子工业,diàn zǐ gōng yè,electronics industry -电子工程,diàn zǐ gōng chéng,electronic engineering -电子手帐,diàn zǐ shǒu zhàng,electronic organizer; PDA -电子数据交换,diàn zǐ shù jù jiāo huàn,electronic exchange of data -电子文件,diàn zǐ wén jiàn,electronic document -电子书,diàn zǐ shū,electronic book; e-book; e-book reader -电子束,diàn zǐ shù,beam of electrons -电子业,diàn zǐ yè,electronics industry -电子烟,diàn zǐ yān,e-cigarette; vape -电子版,diàn zǐ bǎn,electronic edition; digital version -电子狗,diàn zǐ gǒu,radar detector (slang) -电子琴,diàn zǐ qín,electronic keyboard (music) -电子环保亭,diàn zǐ huán bǎo tíng,"""electrical junk center"", site for reprocessing of old electrical and electronic equipment" -电子盘,diàn zǐ pán,USB flash drive; thumb drive -电子眼,diàn zǐ yǎn,electronic eye -电子科技大学,diàn zǐ kē jì dà xué,University of Electronic Science and Technology of China -电子稳定程序,diàn zǐ wěn dìng chéng xù,(automotive) electronic stability program (ESP) -电子空间,diàn zǐ kōng jiān,cyberspace -电子竞技,diàn zǐ jìng jì,video gaming (as a sport); e-sports (abbr. to 電競|电竞[dian4 jing4]) -电子管,diàn zǐ guǎn,valve (electronics); vacuum tube -电子网络,diàn zǐ wǎng luò,electronic network -电子舞曲,diàn zǐ wǔ qǔ,electronic dance music -电子计算机,diàn zǐ jì suàn jī,electronic computer -电子词典,diàn zǐ cí diǎn,electronic dictionary -电子警察,diàn zǐ jǐng chá,traffic camera; speed camera; closed-circuit TV police surveillance -电子货币,diàn zǐ huò bì,electronic money -电子游戏,diàn zǐ yóu xì,computer and video games -电子邮件,diàn zǐ yóu jiàn,"email; CL:封[feng1],份[fen4]" -电子邮箱,diàn zǐ yóu xiāng,email inbox -电子云,diàn zǐ yún,electron cloud -电子显微镜,diàn zǐ xiǎn wēi jìng,electron microscope -电学,diàn xué,electrical engineering -电容,diàn róng,capacitance -电容器,diàn róng qì,capacitor -电导,diàn dǎo,electrical conductance -电导率,diàn dǎo lǜ,electrical conductivity -电导体,diàn dǎo tǐ,conductor of electricity -电工,diàn gōng,electrician; electrical engineering; electrical work (in a house) -电厂,diàn chǎng,electric power plant -电弧,diàn hú,electric arc -电弧焊,diàn hú hàn,electric arc welding -电影,diàn yǐng,"movie; film; CL:部[bu4],片[pian4],幕[mu4],場|场[chang3]" -电影剧本,diàn yǐng jù běn,screenplay -电影导演,diàn yǐng dǎo yǎn,film director -电影演员,diàn yǐng yǎn yuán,movie actor; movie actress -电影奖,diàn yǐng jiǎng,film award -电影界,diàn yǐng jiè,moviedom; the world of movies; film circles -电影票,diàn yǐng piào,cinema ticket -电影节,diàn yǐng jié,film festival; CL:屆|届[jie4] -电影制作,diàn yǐng zhì zuò,filmmaking -电影制片,diàn yǐng zhì piàn,filmmaking -电影院,diàn yǐng yuàn,"cinema; movie theater; CL:家[jia1],座[zuo4]" -电感,diàn gǎn,inductance -电扇,diàn shàn,electric fan -电扶梯,diàn fú tī,escalator -电抗,diàn kàng,reactance -电抗器,diàn kàng qì,inductor; reactor (in an electrical circuit) -电控,diàn kòng,electric control -电击,diàn jī,electric shock -电击棒,diàn jī bàng,stun baton -电教,diàn jiào,multimedia education (abbr. for 電化教育|电化教育) -电晶体,diàn jīng tǐ,(Tw) transistor -电晕,diàn yùn,corona discharge -电木,diàn mù,bakelite (early plastic); also written 膠木|胶木[jiao1 mu4] -电杆,diàn gān,electric pole; telephone pole -电杆,diàn gǎn,electric pole; telegraph pole -电梯,diàn tī,"elevator; escalator; CL:臺|台[tai2],部[bu4]" -电梯井,diàn tī jǐng,elevator shaft -电棒,diàn bàng,(coll.) flashlight; (Tw) stun baton; (Tw) hair iron; hair tongs -电椅,diàn yǐ,electric chair (used to execute criminals) -电极,diàn jí,electrode -电枪,diàn qiāng,stun gun; Taser -电机,diàn jī,electrical machinery -电机及电子学工程师联合会,diàn jī jí diàn zǐ xué gōng chéng shī lián hé huì,IEEE; Institute of Electrical and Electronic Engineers -电死,diàn sǐ,to electrocute; to die from an electric shock -电气,diàn qì,electricity; electric; electrical -电气化,diàn qì huà,electrification -电气工程,diàn qì gōng chéng,electrical engineering -电气石,diàn qì shí,tourmaline -电池,diàn chí,"battery; CL:節|节[jie2],組|组[zu3]" -电波,diàn bō,electric wave; alternating current -电泳,diàn yǒng,electrophoresis -电洞,diàn dòng,electron hole (physics) -电流,diàn liú,an electric current; (old) current intensity -电流强度,diàn liú qiáng dù,current intensity -电流表,diàn liú biǎo,ammeter -电源,diàn yuán,electric power source -电源供应器,diàn yuán gōng yìng qì,power supply (of an appliance etc) -电源插座,diàn yuán chā zuò,electric socket; power point -电源线,diàn yuán xiàn,power cable (of an appliance etc) -电浆,diàn jiāng,plasma (physics) -电灌站,diàn guàn zhàn,electric pumping station in irrigation system -电火花,diàn huǒ huā,electric spark -电烙铁,diàn lào tie,electric iron; electric soldering iron -电焊,diàn hàn,electric welding -电照明,diàn zhào míng,electric lighting -电热,diàn rè,electrical heating -电热壶,diàn rè hú,electric kettle -电热毯,diàn rè tǎn,electric blanket -电灯,diàn dēng,electric light; CL:盞|盏[zhan3] -电灯泡,diàn dēng pào,light bulb; (slang) unwanted third guest -电炉,diàn lú,electric stove; hot plate -电玩,diàn wán,video game -电珠,diàn zhū,light bulb -电瓶,diàn píng,accumulator; battery (for storing electricity) -电瓶车,diàn píng chē,battery-powered vehicle -电疗,diàn liáo,electrotherapy -电白,diàn bái,"Dianbai county in Maoming 茂名, Guangdong" -电白县,diàn bái xiàn,"Dianbai county in Maoming 茂名, Guangdong" -电眼,diàn yǎn,"beautiful, expressive eyes" -电磁,diàn cí,electromagnetic -电磁兼容性,diàn cí jiān róng xìng,electromagnetic compatibility -电磁力,diàn cí lì,electromagnetic force (physics) -电磁噪声,diàn cí zào shēng,electromagnetic noise -电磁场,diàn cí chǎng,electromagnetic fields -电磁学,diàn cí xué,electromagnetism -电磁干扰,diàn cí gān rǎo,electromagnetic interference -电磁感应,diàn cí gǎn yìng,electromagnetic induction -电磁振荡,diàn cí zhèn dàng,electromagnetic oscillation -电磁波,diàn cí bō,electromagnetic wave -电磁炉,diàn cí lú,induction cooktop -电磁理论,diàn cí lǐ lùn,electromagnetism; electromagnetic theory -电磁相互作用,diàn cí xiāng hù zuò yòng,electromagnetic interaction (between particles); electromagnetic force (physics) -电磁脉冲,diàn cí mài chōng,electromagnetic pulse (EMP) -电磁铁,diàn cí tiě,electromagnet -电磨,diàn mò,electric mill (for grinding wheat etc) -电站,diàn zhàn,a power station; an electricity generating plant -电竞,diàn jìng,video gaming (as a sport); e-sports (abbr. for 電子競技|电子竞技[dian4 zi3 jing4 ji4]) -电筒,diàn tǒng,flashlight -电箱,diàn xiāng,circuit box -电纸书,diàn zhǐ shū,electronic book reader -电网,diàn wǎng,electricity grid; power grid; electrified wire netting -电线,diàn xiàn,wire; power cord; CL:根[gen1] -电线杆,diàn xiàn gān,electric pole; telephone pole; lamppost; CL:根[gen1] -电线杆,diàn xiàn gǎn,electric pole; telephone pole; lamppost; CL:根[gen1] -电缆,diàn lǎn,(electric) cable -电缆塔,diàn lǎn tǎ,a pylon (for electric power line) -电缆接头,diàn lǎn jiē tóu,cable gland -电缆调制解调器,diàn lǎn tiáo zhì jiě tiáo qì,cable modem -电能,diàn néng,electrical energy -电脑,diàn nǎo,computer; CL:臺|台[tai2] -电脑断层扫描,diàn nǎo duàn céng sǎo miáo,CAT scan; CT scan -电脑病毒,diàn nǎo bìng dú,computer virus -电脑系统,diàn nǎo xì tǒng,computer system -电脑网,diàn nǎo wǎng,computer network; Internet -电脑网路,diàn nǎo wǎng lù,computer network -电脑绘图,diàn nǎo huì tú,computer graphics -电脑语言,diàn nǎo yǔ yán,programming language; computer language -电脑软件,diàn nǎo ruǎn jiàn,computer software -电脑辅助工程,diàn nǎo fǔ zhù gōng chéng,computer-aided engineering -电脑辅助设计,diàn nǎo fǔ zhù shè jì,computer-aided design -电脑辅助设计与绘图,diàn nǎo fǔ zhù shè jì yǔ huì tú,computer-aided design and drawing -电臀舞,diàn tún wǔ,"twerking, sexually provocative dance involving hip movements while in a low, squatting position" -电台,diàn tái,"transmitter-receiver; broadcasting station; radio station; CL:個|个[ge4],家[jia1]" -电荒,diàn huāng,shortage of electricity -电荷,diàn hè,electric charge -电荷耦合,diàn hè ǒu hé,electric charge coupling -电荷耦合器件,diàn hè ǒu hé qì jiàn,charge-coupled device (CCD) (electronics) -电荷量,diàn hè liàng,(electromagnetism) amount of charge -电蚊拍,diàn wén pāi,electric mosquito swatter -电表,diàn biǎo,power meter; ammeter; amperemeter; wattmeter; kilowatt-hour meter -电视,diàn shì,"television; TV; CL:臺|台[tai2],部[bu4]" -电视剧,diàn shì jù,TV series; TV drama; CL:部[bu4] -电视塔,diàn shì tǎ,TV tower -电视广播,diàn shì guǎng bō,television broadcast; telecast; videocast -电视棒,diàn shì bàng,TV streaming stick -电视机,diàn shì jī,television set; CL:臺|台[tai2] -电视秀,diàn shì xiù,TV show -电视节目,diàn shì jié mù,television program -电视台,diàn shì tái,television station; CL:個|个[ge4] -电解,diàn jiě,electrolysis; electrolytic -电解液,diàn jiě yè,electrolyte solution -电解质,diàn jiě zhì,electrolyte -电讯,diàn xùn,telecommunications; telecom -电访,diàn fǎng,"(Tw) to make a telephone call (generally as a representative of a company, school or agency etc, to an individual, often for the purpose of conducting a survey) (abbr. for 電話訪問|电话访问)" -电诈,diàn zhà,wire fraud (abbr. for 電信詐騙|电信诈骗[dian4 xin4 zha4 pian4]) -电话,diàn huà,telephone; CL:部[bu4]; phone call; CL:通[tong1]; phone number -电话亭,diàn huà tíng,telephone booth -电话信号,diàn huà xìn hào,telephone signal -电话区码,diàn huà qū mǎ,area code; telephone dialing code -电话卡,diàn huà kǎ,telephone card -电话会议,diàn huà huì yì,(telephone) conference call -电话服务,diàn huà fú wù,telephone service -电话本,diàn huà běn,telephone contact notebook; address book -电话机,diàn huà jī,telephone set -电话簿,diàn huà bù,telephone directory -电话网,diàn huà wǎng,telephone network -电话网路,diàn huà wǎng lù,telephone network -电话线,diàn huà xiàn,telephone line; telephone wire -电话线路,diàn huà xiàn lù,telephone line -电话铃声,diàn huà líng shēng,(telephone) ring; ringing -电话门,diàn huà mén,"""Phone Gate"", corruption scandal unearthed through telephone records" -电警棍,diàn jǐng gùn,stun baton -电贝斯,diàn bèi sī,electric bass (guitar) -电负性,diàn fù xìng,electronegativity -电路,diàn lù,electric circuit -电车,diàn chē,trolleybus; CL:輛|辆[liang4] -电转盘,diàn zhuàn pán,an electric turntable -电邮,diàn yóu,email; abbr. for 電子郵件|电子邮件[dian4 zi3 you2 jian4] -电邮位置,diàn yóu wèi zhi,email address -电邮地址,diàn yóu dì zhǐ,email address -电量,diàn liàng,quantity of electric charge -电量表,diàn liàng biǎo,charge gauge; battery indicator; power meter; coulometer -电钮,diàn niǔ,push button (electric switch) -电铃,diàn líng,electric bell -电锯,diàn jù,electric saw (esp. electric chain saw) -电锤,diàn chuí,rotary hammer; hammer drill -电锅,diàn guō,(Tw) electric rice cooker -电镀,diàn dù,to electroplate -电键,diàn jiàn,electric key; switch -电铲,diàn chǎn,power shovel -电钻,diàn zuàn,electric drill -电门,diàn mén,electric switch -电闪,diàn shǎn,lightning flashes -电闸,diàn zhá,electric switch; circuit breaker -电阻,diàn zǔ,(electrical) resistance -电阻器,diàn zǔ qì,resistor -电离,diàn lí,ion; ionized (e.g. gas) -电离室,diàn lí shì,ionization chamber -电离层,diàn lí céng,ionosphere -电离辐射,diàn lí fú shè,ionization radiation; nuclear radiation -电震,diàn zhèn,electric shock; electroshock -电音,diàn yīn,electronic music (genre) -电颤琴,diàn chàn qín,vibraphone (music) -电风扇,diàn fēng shàn,"electric fan; CL:架[jia4],臺|台[tai2]" -电饭煲,diàn fàn bāo,rice cooker -电饭锅,diàn fàn guō,electric rice cooker -电驿,diàn yì,relay (electronics) -电驴子,diàn lǘ zi,(dialect) motorcycle -电鳗,diàn mán,electric eel -需,xū,to require; to need; to want; necessity; need -需求,xū qiú,requirement; to require; (economics) demand -需求层次理论,xū qiú céng cì lǐ lùn,(Maslow's) hierarchy of needs (psychology) -需要,xū yào,to need; to want; to demand; to require; needs -需要是发明之母,xū yào shì fā míng zhī mǔ,Necessity is the mother of invention (European proverb). -霂,mù,used in 霢霂[mai4mu4] -霄,xiāo,firmament; heaven -霄壤之别,xiāo rǎng zhī bié,huge difference -霄汉,xiāo hàn,the sky; the heavens; (fig.) imperial court -霅,zhá,surname Zha -霅,zhá,rain -霆,tíng,clap of thunder -震,zhèn,"to shake; to vibrate; to jolt; to quake; excited; shocked; one of the Eight Trigrams 八卦[ba1 gua4], symbolizing thunder; ☳" -震中,zhèn zhōng,earthquake epicenter -震动,zhèn dòng,to shake; to vibrate; to strongly affect; shock; vibration -震动力,zhèn dòng lì,force of seismic wave -震区,zhèn qū,earthquake area -震古烁今,zhèn gǔ shuò jīn,lit. to astonish the ancients and dazzle contemporaries (idiom); fig. to be earthshaking -震天价响,zhèn tiān ga xiǎng,an earth-shaking noise (idiom) -震天动地,zhèn tiān dòng dì,to shake heaven and earth (idiom) -震央,zhèn yāng,earthquake epicenter (Tw) -震怒,zhèn nù,to be furious -震悚,zhèn sǒng,(literary) to tremble with fear; to shock -震情,zhèn qíng,circumstances of an earthquake -震惶,zhèn huáng,to terrify -震感,zhèn gǎn,tremors (from an earthquake) -震栗,zhèn lì,trembling; to shiver with fear -震慑,zhèn shè,to awe; to intimidate -震撼,zhèn hàn,to shake; to shock; to stun; shocking; stunning; shock -震撼弹,zhèn hàn dàn,stun grenade; (Tw) (fig.) sth that produces shockwaves; bombshell (revelation); blockbuster (product) -震撼性,zhèn hàn xìng,shocking; stunning; sensational -震旦,zhèn dàn,ancient Indian name for China -震旦纪,zhèn dàn jì,"Sinian (c. 800-542 million years ago), late phase of pre-Cambrian geological era" -震旦鸦雀,zhèn dàn yā què,(bird species of China) reed parrotbill (Paradoxornis heudei) -震昏,zhèn hūn,to knock out (of a jolt from an earthquake or crash) -震波,zhèn bō,seismic wave -震波图,zhèn bō tú,seismogram -震源,zhèn yuán,epicenter (of earthquake); hypocenter -震源机制,zhèn yuán jī zhì,(seismology) focal mechanism -震灾,zhèn zāi,disastrous earthquake -震荡,zhèn dàng,to shake up; to jolt; to vibrate; to oscillate; to fluctuate -震眩弹,zhèn xuàn dàn,stun grenade -震级,zhèn jí,degree of earthquake (on magnitude scale) -震耳,zhèn ěr,ear-splitting -震耳欲聋,zhèn ěr yù lóng,ear-splitting (idiom); deafening -震聋,zhèn lóng,to deafen -震荡,zhèn dàng,to vibrate; to shake; to shudder -震蛋,zhèn dàn,love egg (sex toy) -震觉,zhèn jué,perception of tremor -震音,zhèn yīn,tremolo -震响,zhèn xiǎng,trembling sound; vibration -震颤,zhèn chàn,to tremble; to quiver -震颤素,zhèn chàn sù,tremorine (drug inducing shivering) -震颤麻痹,zhèn chàn má bì,palsy; trembling paralysis; used for Parkinson's disease 帕金森病[Pa4 jin1 sen1 bing4] -震骇,zhèn hài,to astonish; to horrify -震惊,zhèn jīng,to shock; to astonish -震惊中外,zhèn jīng zhōng wài,to shock the whole world -霈,pèi,torrent of rain -霉,méi,mold; mildew; to become moldy -霉气,méi qì,a moldy smell; damp and rotten; fig. rotten bad luck -霉烂,méi làn,mold; rot -霉病,méi bìng,mildew; fungal growth -霉素,méi sù,(biochemistry) -mycin -霉菌,méi jūn,mold -霉菌毒素,méi jūn dú sù,mycotoxin -霉蠹,méi dù,to become mildewed and worm-eaten (of books); to mildew and rot -霉变,méi biàn,to become moldy -霉运,méi yùn,ill luck; misfortune -霉雨,méi yǔ,variant of 梅雨[mei2yu3] -霍,huò,surname Huo -霍,huò,(literary) suddenly -霍丘,huò qiū,"variant of 霍邱[Huo4 qiu1]; Huoqiu county in Lu'an 六安[Lu4 an1], Anhui; Huoqiu (place in Anhui)" -霍乱,huò luàn,cholera -霍乱弧菌,huò luàn hú jūn,cholera bacterium (Vibrio cholerae) -霍乱毒素,huò luàn dú sù,cholera toxin -霍乱菌苗,huò luàn jūn miáo,cholera vaccine -霍克松,huò kè sōng,"Hokksund (city in Buskerud, Norway)" -霍克海姆,huò kè hǎi mǔ,Horkheimer (philosopher) -霍地,huò dì,suddenly; abruptly -霍城,huò chéng,"Huocheng County or Qorghas nahiyisi in Ili Kazakh Autonomous Prefecture 伊犁哈薩克自治州|伊犁哈萨克自治州[Yi1 li2 Ha1 sa4 ke4 Zi4 zhi4 zhou1], Xinjiang" -霍城县,huò chéng xiàn,"Huocheng County or Qorghas nahiyisi in Ili Kazakh Autonomous Prefecture 伊犁哈薩克自治州|伊犁哈萨克自治州[Yi1 li2 Ha1 sa4 ke4 Zi4 zhi4 zhou1], Xinjiang" -霍夫曼,huò fū màn,"Hofmann or Hoffman (name); August Wilhelm von Hofmann (1818-1892), German chemist; Dustin Hoffman (1937-), US film actor" -霍尼亚拉,huò ní yà lā,"Honiara, capital of Solomon Islands" -霍山,huò shān,"Huoshan, a county in Lu'an 六安[Lu4 an1], Anhui" -霍山县,huò shān xiàn,"Huoshan, a county in Lu'an 六安[Lu4 an1], Anhui" -霍州,huò zhōu,"Huozhou, county-level city in Linfen 臨汾|临汾[Lin2 fen2], Shanxi" -霍州市,huò zhōu shì,"Huozhou, county-level city in Linfen 臨汾|临汾[Lin2 fen2], Shanxi" -霍巴特,huò bā tè,"Hobart, capital of Tasmania (Australia)" -霍布斯,huò bù sī,Hobbs (name) -霍德,huò dé,Ford (name) -霍普金斯大学,huò pǔ jīn sī dà xué,Johns Hopkins University -霍林郭勒,huò lín guō lè,"Huolin Gol, county-level city in Tongliao 通遼|通辽[Tong1 liao2], Inner Mongolia" -霍林郭勒市,huò lín guō lè shì,"Huolin Gol, county-level city in Tongliao 通遼|通辽[Tong1 liao2], Inner Mongolia" -霍格沃茨,huò gé wò cí,Hogwarts (Harry Potter) -霍比特人,huò bǐ tè rén,The Hobbit by J.R.R. Tolkien 托爾金|托尔金 -霍氏旋木雀,huò shì xuán mù què,(bird species of China) Hodgson's treecreeper (Certhia hodgsoni) -霍氏鹰鹃,huò shì yīng juān,(bird species of China) Hodgson's hawk-cuckoo (Hierococcyx nisicolor) -霍洛维茨,huò luò wéi cí,Horowitz (name) -霍然,huò rán,suddenly; quickly -霍然而愈,huò rán ér yù,to recover speedily (idiom); to get better quickly -霍尔,huò ěr,Hall (name) -霍尔姆斯,huò ěr mǔ sī,Holmes (name) -霍尔布鲁克,huò ěr bù lǔ kè,"Holbrook (name); Richard C.A. Holbrooke (1941-2010), US diplomat, influential in brokering 1995 Dayton Bosnian peace deal, US special envoy to Afghanistan and Pakistan from 2009" -霍尔木兹,huò ěr mù zī,"Hormuz, Iran, at the mouth of the Persian Gulf" -霍尔木兹岛,huò ěr mù zī dǎo,"Hormuz Island, Iran, at the mouth of the Persian Gulf" -霍尔木兹海峡,huò ěr mù zī hǎi xiá,Strait of Hormuz -霍尔滕,huò ěr téng,"Horten (city in Vestfold, Norway)" -霍英东,huò yīng dōng,"Henry Ying-tung Fok (1913-2006), Hong Kong tycoon with close PRC connections" -霍华得,huò huá dé,Howard (name) -霍华德,huò huá dé,Howard (name) -霍赛,huò sài,Jose (name) -霍邱,huò qiū,"Huoqiu, a county in Lu'an 六安[Lu4an1], Anhui" -霍邱县,huò qiū xiàn,"Huoqiu, a county in Lu'an 六安[Lu4an1], Anhui" -霍金,huò jīn,"Hawkins or Hawking; Stephen Hawking (1942-2018), English theoretical physicist" -霍金斯,huò jīn sī,Hawkins (name); also written 霍金 -霍霍,huò huò,(literary) (onom.) sound of sharpening a knife -霍顿,huò dùn,"Hotton, Holden, Wharton, Houghton etc (name)" -霎,shà,all of a sudden; drizzle -霎时,shà shí,in a split second -霎时间,shà shí jiān,in a split second -霎眼,shà yǎn,to blink; in an instant; in the twinkle of an eye -霎那,shà nà,see 剎那|刹那[cha4 na4] -霎霎,shà shà,(onom.) falling rain; chilly air; cold wind -霏,fēi,fall of snow -沾,zhān,variant of 沾[zhan1]; to moisten -沾益,zhān yì,"Zhanyi county in Qujing 曲靖[Qu3 jing4], Yunnan" -沾益县,zhān yì xiàn,"Zhanyi county in Qujing 曲靖[Qu3 jing4], Yunnan" -霓,ní,secondary rainbow -霓虹,ní hóng,rainbow; neon (loanword) -霓虹国,ní hóng guó,"(slang) Japan (loanword from the Japanese word for Japan, ""Nihon"")" -霓虹灯,ní hóng dēng,neon lamp (loanword) -霓裳,ní cháng,"Nichang, abbr. for the Tang Dynasty song ""Raiment of Rainbows and Feathers"" 霓裳羽衣曲[Ni2 chang2 yu3 yi1 qu1] or 霓裳羽衣舞[Ni2 chang2 yu3 yi1 wu3]" -霓裳,ní cháng,"nichang, rainbow colored clothes worn by the Eight Immortals 八仙[Ba1 xian1]" -霖,lín,continued rain -霜,shuāng,frost; white powder or cream spread over a surface; frosting; (skin) cream -霜冻,shuāng dòng,frost; frost damage (to crop) -霜天,shuāng tiān,freezing weather; frosty sky -霜害,shuāng hài,frostbite; frost damage (to crop) -霜晨,shuāng chén,frosty morning -霜条,shuāng tiáo,popsicle -霜淇淋,shuāng qí lín,soft ice-cream -霜灾,shuāng zāi,frost damage (to crop) -霜白,shuāng bái,frosty -霜花,shuāng huā,frost forming a pattern on a surface; rime -霜降,shuāng jiàng,"Shuangjiang or Frost Descends, 18th of the 24 solar terms 二十四節氣|二十四节气 23rd October-6th November" -霜雪,shuāng xuě,frost and snow; (fig.) snowy white (hair); adversity -霜露,shuāng lù,frost and dew; fig. difficult conditions -霝,líng,drops of rain; to fall in drops -霞,xiá,rose-tinted sky or clouds at sunrise or sunset -霞光,xiá guāng,multicolored sunlight of sunrise or sunset -霞多丽,xiá duō lì,Chardonnay (grape type) -霞山,xiá shān,"Xiashan District of Zhanjiang City 湛江市[Zhan4 jiang1 Shi4], Guangdong" -霞山区,xiá shān qū,"Xiashan District of Zhanjiang City 湛江市[Zhan4 jiang1 Shi4], Guangdong" -霞径,xiá jìng,a misty path; the path of the Daoist immortals -霞浦,xiá pǔ,"Xiapu county in Ningde 寧德|宁德[Ning2 de2], Fujian" -霞浦县,xiá pǔ xiàn,"Xiapu county in Ningde 寧德|宁德[Ning2 de2], Fujian" -霞飞,xiá fēi,"Joseph Joffre (1852-1931), leading French general at the start of World War One" -霡,mài,old variant of 霢[mai4] -霢,mài,used in 霢霂[mai4mu4]; Taiwan pr. [mo4] -霢霂,mài mù,(literary) light rain; drizzle -雾,wù,"fog; mist; CL:場|场[chang2],陣|阵[zhen4]" -雾件,wù jiàn,vaporware -雾凇,wù sōng,rime; hoarfrost -雾化,wù huà,to make into a fine spray; to atomize; (medicine) nebulizer treatment -雾化器,wù huà qì,nebulizer; atomizer -雾化机,wù huà jī,nebulizer; atomizer -雾台,wù tái,"Wutai township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -雾台乡,wù tái xiāng,"Wutai township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -雾峰,wù fēng,"Wufeng Township in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -雾峰乡,wù fēng xiāng,"Wufeng Township in Taichung County 臺中縣|台中县[Tai2 zhong1 Xian4], Taiwan" -雾幔,wù màn,fog; mist -雾气,wù qì,fog; mist; vapor -雾灯,wù dēng,fog lights (of a motor vehicle) -雾台乡,wù tái xiāng,"Wutai township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -雾茫茫,wù máng máng,foggy -雾蒙蒙,wù méng méng,foggy; misty; hazy -雾里看花,wù lǐ kàn huā,lit. to look at flowers in the fog (idiom); fig. blurred vision -雾锁,wù suǒ,fogbound; enshrouded in mist -雾霾,wù mái,haze; smog -雾霭,wù ǎi,mist -霪,yín,heavy rain -霪雨,yín yǔ,variant of 淫雨[yin2 yu3] -霰,xiàn,graupel; snow pellet; soft hail -霰弹枪,xiàn dàn qiāng,shotgun -霰粒肿,xiàn lì zhǒng,chalazion -露,lù,surname Lu -露,lòu,to show; to reveal; to betray; to expose -露,lù,dew; syrup; nectar; outdoors (not under cover); to show; to reveal; to betray; to expose -露一手,lòu yī shǒu,to show off one's abilities; to exhibit one's skills -露出,lù chū,to expose; to show; also pr. [lou4 chu1] -露出马脚,lù chū mǎ jiǎo,to reveal the cloven foot (idiom); to unmask one's true nature; to give the game away -露天,lù tiān,outdoors; al fresco; in the open -露天堆栈,lù tiān duī zhàn,open-air repository; open-air depot -露天大戏院,lù tiān dà xì yuàn,open-air amphitheater -露宿,lù sù,to sleep outdoors; to spend the night in the open -露富,lòu fù,to show one's wealth; to let one's wealth show -露底,lòu dǐ,to let out a secret -露怯,lòu qiè,to display one's ignorance; to make a fool of oneself by an ignorant blunder -露水,lù shuǐ,dew; fig. short-lasting; ephemeral -露水夫妻,lù shuǐ fū qī,"a couple in a short-lived, improper relationship" -露水姻缘,lù shuǐ yīn yuán,casual romance; short-lived relationship -露营,lù yíng,to camp out; camping -露珠,lù zhū,dewdrop -露白,lòu bái,to reveal one's valuables inadvertently; to betray one's silver (money) when traveling -露相,lòu xiàng,to show one's true colors -露肩,lòu jiān,(of a garment) off-the-shoulder; shoulder-baring -露背,lòu bèi,(of a garment) backless; halterneck -露脸,lòu liǎn,to show one's face; to make one's good name; to become successful and well known; to shine -露脐装,lòu qí zhuāng,crop top (clothing) -露台,lù tái,balcony; patio; flat roof; terrace; deck (unroofed platform); outdoor stage; ancient imperial celestial observation terrace -露苗,lòu miáo,(young sprouts) come out; same as 出苗[chu1 miao2] -露华浓,lù huá nóng,Revlon (American brand of cosmetics) -露袒,lù tǎn,exposed; uncovered; naked -露西,lù xī,Lucy -露丑,lòu chǒu,to make a fool of oneself -露阴癖,lù yīn pǐ,indecent exposure; flashing -露面,lòu miàn,to show one's face; to appear (in public) -露韩,lù hán,to expose; to reveal -露头,lòu tóu,to show one's head; to give a sign to show one's presence -露风,lòu fēng,to divulge a secret; to leak -露馅,lòu xiàn,to leak; to expose (sb's secret); to spill the beans; to let the cat out of the bag -露馅儿,lòu xiàn er,erhua variant of 露餡|露馅[lou4 xian4] -露马脚,lòu mǎ jiǎo,to reveal the cloven foot (idiom); to unmask one's true nature; to give the game away -露骨,lù gǔ,"blatant; unsubtle; frank; (of sex, violence etc) explicit" -露体,lù tǐ,naked -露点,lù diǎn,dew point; (coll.) (of a woman) to expose one of the three areas (nipples and genitals) -露齿,lù chǐ,to grin; also pr. [lou4 chi3] -露齿而笑,lù chǐ ér xiào,to grin -霸,bà,hegemon; tyrant; lord; feudal chief; to rule by force; to usurp; (in modern advertising) master -霸主,bà zhǔ,a powerful chief of the princes of the Spring and Autumn Period (770-476 BC); overlord; hegemon -霸占,bà zhàn,to occupy by force; to seize; to dominate -霸凌,bà líng,bullying (loanword) -霸妻,bà qī,to use one's power and influence to take another man's wife for oneself -霸州,bà zhōu,"Bazhou, county-level city in Langfang 廊坊[Lang2 fang2], Hebei" -霸州市,bà zhōu shì,"Bazhou, county-level city in Langfang 廊坊[Lang2 fang2], Hebei" -霸座,bà zuò,to willfully occupy sb else's seat -霸业,bà yè,the task of establishing and maintaining hegemony -霸机,bà jī,(of passengers) to stage a sit-in after the plane has landed (as a protest against bad service etc) (Tw) -霸权,bà quán,hegemony; supremacy -霸权主义,bà quán zhǔ yì,hegemonism -霸气,bà qì,imperious; aggressive; assertive; dictatorial manner; boldness (CL:股[gu3]) -霸王,bà wáng,hegemon; overlord; despot -霸王之道,bà wáng zhī dào,the Way of the Hegemon; despotic rule; abbr. to 霸道 -霸王别姬,bà wáng bié jī,The Conqueror Bids Farewell to His Favorite Concubine (tragic opera by Mei Lanfang 梅蘭芳|梅兰芳[Mei2 Lan2 fang1]); Farewell My Concubine (1993 film by Chen Kaige) -霸王条款,bà wáng tiáo kuǎn,(law) unfair clause; unequal clause -霸王树,bà wáng shù,Madagascar palm (Pachypodium lamerei) -霸王硬上弓,bà wáng yìng shàng gōng,to force oneself upon sb (idiom); to rape -霸王鞭,bà wáng biān,a rattle stick used in folk dancing; rattle stick dance -霸王龙,bà wáng lóng,Tyrannosaurus rex -霸县,bà xiàn,Ba county in Tianjin -霸总,bà zǒng,handsome high-powered businessman (abbr. for 霸道總裁|霸道总裁[ba4 dao4 zong3 cai2]) -霸道,bà dào,"the Way of the Hegemon; abbr. for 霸王之道; despotic rule; rule by might; evil as opposed to the Way of the King 王道; overbearing; tyranny; (of liquor, medicine etc) strong; potent" -霸道总裁,bà dào zǒng cái,handsome high-powered businessman (a type of character in an eponymous genre of romantic fiction who typically has a soft spot for a girl of lower social status) -霹,pī,clap of thunder -霹雷,pī léi,thunderbolt -霹雳,pī lì,Perak (state of Malaysia) -霹雳,pī lì,thunderclap; (slang) awesome; shocking; terrifying -霹雳啪啦,pī lì pā lā,see 噼裡啪啦|噼里啪啦[pi1 li5 pa1 la1] -霹雳舞,pī lì wǔ,to breakdance; breakdancing -霁,jì,sky clearing up -霾,mái,haze -雳,lì,clap of thunder -霭,ǎi,mist; haze; cloudy sky -霭滴,ǎi dī,mist droplet -霭霭,ǎi ǎi,luxuriant (growth); numerous; cloudy; misty; snowing heavily -灵,líng,quick; alert; efficacious; effective; to come true; spirit; departed soul; coffin -灵丘,líng qiū,"Lingqiu county in Datong 大同[Da4 tong2], Shanxi" -灵丘县,líng qiū xiàn,"Lingqiu county in Datong 大同[Da4 tong2], Shanxi" -灵丹妙药,líng dān miào yào,"effective cure, miracle medicine (idiom); fig. wonder-cure for all problems; panacea; elixir" -灵位,líng wèi,memorial tablet -灵便,líng biàn,quick; agile; nimble; easy to handle; handy -灵光,líng guāng,divine light (around the Buddha); a halo; a miraculous column of light; (slang) jolly good! -灵利,líng lì,clever; bright; quick-witted -灵动,líng dòng,to be quick-witted -灵台,líng tái,"Lingtai county in Pingliang 平涼|平凉[Ping2 liang2], Gansu" -灵台县,líng tái xiàn,"Lingtai county in Pingliang 平涼|平凉[Ping2 liang2], Gansu" -灵命,líng mìng,the will of Heaven; the will of God -灵堂,líng táng,mourning hall; funeral hall -灵塔,líng tǎ,memorial pagoda -灵寿,líng shòu,"Lingshou county in Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1], Hebei" -灵寿县,líng shòu xiàn,"Lingshou county in Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1], Hebei" -灵妙,líng miào,wonderful; ingenious; clever -灵媒,líng méi,spirit medium -灵宝,líng bǎo,"Lingbao, county-level city in Sanmenxia 三門峽|三门峡[San1 men2 xia2], Henan" -灵宝市,líng bǎo shì,"Lingbao, county-level city in Sanmenxia 三門峽|三门峡[San1 men2 xia2], Henan" -灵山,líng shān,"Lingshan county in Qinzhou 欽州|钦州[Qin1 zhou1], Guangxi" -灵山县,líng shān xiàn,"Lingshan county in Qinzhou 欽州|钦州[Qin1 zhou1], Guangxi" -灵川,líng chuān,"Lingchuan county in Guilin 桂林[Gui4 lin2], Guangxi" -灵川县,líng chuān xiàn,"Lingchuan county in Guilin 桂林[Gui4 lin2], Guangxi" -灵巧,líng qiǎo,deft; nimble; ingenious -灵床,líng chuáng,bier; bed kept as it was when the deceased was alive -灵快,líng kuài,agile; quick -灵性,líng xìng,spiritual nature; spirituality; intelligence (esp. in animals) -灵怪,líng guài,a goblin; a spirit -灵恩,líng ēn,Charismatic Christianity -灵恩派,líng ēn pài,Charismatic Movement -灵感,líng gǎn,inspiration; insight; a burst of creativity in scientific or artistic endeavor -灵感触发图,líng gǎn chù fā tú,mind map -灵敏,líng mǐn,smart; clever; sensitive; keen; quick; sharp -灵敏度,líng mǐn dù,(level of) sensitivity -灵柩,líng jiù,coffin containing a corpse -灵棺,líng guān,a bier; a catafalque (memorial platform); a coffin -灵枢经,líng shū jīng,"Lingshu Jing (Divine Pivot, or Spiritual Pivot), ancient Chinese medical text (c. 1st century BC)" -灵机,líng jī,sudden inspiration; bright idea; clever trick -灵机一动,líng jī yī dòng,a bright idea suddenly occurs (idiom); to hit upon an inspiration; to be struck by a brainwave -灵武,líng wǔ,"Lingwu, county-level city in Yinchuan 銀川|银川[Yin2 chuan1], Ningxia" -灵武市,líng wǔ shì,"Lingwu, county-level city in Yinchuan 銀川|银川[Yin2 chuan1], Ningxia" -灵气,líng qì,spiritual influence (of mountains etc); cleverness; ingeniousness -灵气疗法,líng qì liáo fǎ,Reiki (palm healing) -灵泛,líng fàn,nimble; agile -灵活,líng huó,flexible; nimble; agile -灵活性,líng huó xìng,flexibility -灵渠,líng qú,"Lingqu, canal in Xing'an county 興安|兴安[Xing1 an1], Guangxi, built in 214 BC to link the Yangtze 長江|长江[Chang2 Jiang1] to the Pearl River 珠江[Zhu1 jiang1]" -灵牌,líng pái,spirit tablet; memorial tablet -灵犀,líng xī,"rhinoceros horn, reputed to confer telepathic powers; fig. mutual sensitivity; tacit exchange of romantic feelings; a meeting of minds" -灵犀一点通,líng xī yī diǎn tōng,mental rapport; likeness of mind; spiritual link -灵犀相通,líng xī xiāng tōng,kindred spirits -灵璧,líng bì,"Lingbi, a county in Suzhou 宿州[Su4zhou1], Anhui" -灵璧县,líng bì xiàn,"Lingbi, a county in Suzhou 宿州[Su4zhou1], Anhui" -灵界,líng jiè,spiritual world -灵异,líng yì,deity; monster; strange; mysterious; supernatural -灵石,líng shí,"Lingshi county in Jinzhong 晉中|晋中[Jin4 zhong1], Shanxi" -灵石县,líng shí xiàn,"Lingshi county in Jinzhong 晉中|晋中[Jin4 zhong1], Shanxi" -灵符,líng fú,a Daoist talisman -灵芝,líng zhī,lingzhi or reishi mushroom (Ganoderma lucidum) -灵药,líng yào,legendary magic potion of immortals; panacea; fig. wonder solution to a problem -灵语,líng yǔ,tongues (spiritual gift) -灵谷寺,líng gǔ sì,Linggu temple (Nanjing) -灵猫,líng māo,civet (arboreal cat); viverrid (mammal group including mongoose and civet) -灵猫类,líng māo lèi,a civet (arboreal cat); viverrid (mammal group including mongoose and civet) -灵车,líng chē,hearse -灵通,líng tōng,fast and abundant (news); clever; effective -灵醒,líng xǐng,"(of senses, mind etc) alert; keen; clear-minded" -灵长,líng cháng,long life and prosperity -灵长,líng zhǎng,"primate (monkey, hominid etc)" -灵长目,líng zhǎng mù,"primate order (including monkeys, hominids etc)" -灵长类,líng zhǎng lèi,"primate (monkey, hominid etc)" -灵雀寺,líng qiǎo sì,"Nyitso Monastery in Dawu County 道孚縣|道孚县[Dao4 fu2 xian4], Garze Tibetan autonomous prefecture, Sichuan" -灵验,líng yàn,efficacious; effective; (of a prediction) accurate; correct -灵骨塔,líng gǔ tǎ,columbarium -灵体,líng tǐ,soul -灵魂,líng hún,soul; spirit -灵魂人物,líng hún rén wù,key figure; the linchpin of sth -灵魂出窍,líng hún chū qiào,out-of-body experience -灵魂深处,líng hún shēn chù,in the depth of one's soul -靑,qīng,variant of 青[qing1] -青,qīng,"abbr. for 青海[Qing1 hai3], Qinghai Province" -青,qīng,green; blue; black; youth; young (of people) -青光眼,qīng guāng yǎn,glaucoma -青出于蓝而胜于蓝,qīng chū yú lán ér shèng yú lán,lit. the color blue is made out of indigo but is more vivid than indigo (idiom); fig. the student surpasses the master -青原,qīng yuán,"Qingyuan district of Ji'an city 吉安市, Jiangxi" -青原区,qīng yuán qū,"Qingyuan district of Ji'an city 吉安市, Jiangxi" -青史,qīng shǐ,annal; historical record; CL:筆|笔[bi3] -青囊,qīng náng,medical practice (Chinese medicine) (old) -青囊经,qīng náng jīng,"Qingnang Jing, a book on medical practice written by 華佗|华佗[Hua4 Tuo2]" -青城山,qīng chéng shān,Mount Qingcheng -青堂瓦舍,qīng táng wǎ shè,brick house with a tiled roof -青壮年,qīng zhuàng nián,the prime of one's life -青天,qīng tiān,clear sky; blue sky; upright and honorable (official) -青天大老爷,qīng tiān dà lǎo ye,(coll.) just and incorruptible official -青天白日,qīng tiān bái rì,"(idiom) in broad daylight; in the middle of the day; KMT emblem, a white sun on a blue background" -青天霹雳,qīng tiān pī lì,lit. thunderclap from a clear sky (idiom); fig. a bolt from the blue -青字头,qīng zì tóu,"""top of 青 character"" component in Chinese characters (龶)" -青少年,qīng shào nián,adolescent; youth; teenager -青山,qīng shān,"Qingshan district of Wuhan city 武漢市|武汉市[Wu3 han4 shi4], Hubei; Qingshan district of Baotou city 包頭市|包头市[Bao1 tou2 shi4], Inner Mongolia" -青山,qīng shān,green hills; (the good) life -青山区,qīng shān qū,"Qingshan district of Wuhan city 武漢市|武汉市[Wu3 han4 shi4], Hubei; Qingshan district of Baotou city 包頭市|包头市[Bao1 tou2 shi4], Inner Mongolia" -青山州,qīng shān zhōu,Vermont (green mountain state) -青山湖,qīng shān hú,"Qingshanhu district of Nanchang city 南昌市, Jiangxi" -青山湖区,qīng shān hú qū,"Qingshanhu district of Nanchang city 南昌市, Jiangxi" -青山绿水,qīng shān lǜ shuǐ,lit. green hills and clear waters; pleasant country scene (idiom) -青冈,qīng gāng,"Qinggang county in Suihua 綏化|绥化, Heilongjiang" -青冈县,qīng gāng xiàn,"Qinggang county in Suihua 綏化|绥化, Heilongjiang" -青岛,qīng dǎo,"Qingdao, subprovincial city in Shandong" -青岛啤酒,qīng dǎo pí jiǔ,Tsingtao Beer -青岛市,qīng dǎo shì,"Qingdao, subprovincial city in Shandong" -青川,qīng chuān,"Qingchuan county in Guangyuan 廣元|广元[Guang3 yuan2], Sichuan" -青川县,qīng chuān xiàn,"Qingchuan county in Guangyuan 廣元|广元[Guang3 yuan2], Sichuan" -青州,qīng zhōu,"Qingzhou, county-level city in Weifang 濰坊|潍坊[Wei2 fang1], Shandong" -青州市,qīng zhōu shì,"Qingzhou, county-level city in Weifang 濰坊|潍坊[Wei2 fang1], Shandong" -青工,qīng gōng,young worker (esp of the CCP) -青年,qīng nián,youth; youthful years; young person; the young -青年人,qīng nián rén,young person; the young -青年团,qīng nián tuán,youth corps; youth wing of a political party -青年旅舍,qīng nián lǚ shè,youth hostel -青年会,qīng nián huì,"YMCA (international Christian youth movement, formed in 1844)" -青年期,qīng nián qī,adolescence -青年节,qīng nián jié,"Youth Day (May 4th), PRC national holiday for young people aged 14 to 28, who get half a day off" -青旅,qīng lǚ,youth hostel; abbr. for 青年旅舍[qing1 nian2 lu:3 she4] -青春,qīng chūn,youth; youthfulness -青春不再,qīng chūn bù zài,lit. one's youth will never return; to make the most of one's opportunities (idiom) -青春期,qīng chūn qī,puberty; adolescence -青春永驻,qīng chūn yǒng zhù,to stay young forever -青春痘,qīng chūn dòu,acne -青春豆,qīng chūn dòu,acne -青木,qīng mù,Aoki (Japanese surname) -青松,qīng sōng,pine tree -青梅竹马,qīng méi zhú mǎ,lit. green plums and hobby-horse (idiom); fig. innocent children's games; childhood sweethearts; a couple who grew up as childhood friends -青枣,qīng zǎo,blue or green jujube; Chinese green date -青森,qīng sēn,Aomori prefecture at the far north of Japan's main island Honshū 本州[Ben3 zhou1] -青森县,qīng sēn xiàn,Aomori prefecture at the far north of Japan's main island Honshū 本州[Ben3 zhou1] -青椒,qīng jiāo,Capsicum annuum; green pepper -青椒牛柳,qīng jiāo niú liǔ,beef with green peppers -青楼,qīng lóu,(literary) brothel; pleasure quarters -青檀,qīng tán,"blue sandalwood (Pteroceltis tatarinowii Maxim), the bark of which is used to manufacture 宣紙|宣纸" -青檀树,qīng tán shù,"blue sandalwood (Pteroceltis tatarinowii Maxim), the bark of which is used to manufacture 宣紙|宣纸" -青柠,qīng níng,lime (fruit) -青柠檬,qīng níng méng,lime (fruit) -青柠色,qīng níng sè,lime (color); greenish yellow -青江菜,qīng jiāng cài,bok choy; Shanghai pak choy; Chinese mustard (Brassica rapa Chinensis) -青河,qīng hé,"Qinggil county or Chinggil nahiyisi in Altay prefecture 阿勒泰地區|阿勒泰地区[A1 le4 tai4 di4 qu1], Xinjiang" -青河县,qīng hé xiàn,"Qinggil county or Chinggil nahiyisi in Altay prefecture 阿勒泰地區|阿勒泰地区[A1 le4 tai4 di4 qu1], Xinjiang" -青浦,qīng pǔ,Qingpu suburban district of Shanghai -青浦区,qīng pǔ qū,Qingpu suburban district of Shanghai -青海,qīng hǎi,"Qinghai province (Tsinghai) in west China, abbr. 青, capital Xining 西寧|西宁" -青海湖,qīng hǎi hú,Qinghai Lake (Tibetan: mtsho-sngon) -青海省,qīng hǎi shěng,"Qinghai province (Tsinghai) in west China, abbr. 青, capital Xining 西寧|西宁" -青涩,qīng sè,underripe; (fig.) young and inexperienced -青瓜,qīng guā,cucumber -青瓦台,qīng wǎ tái,"the Blue House (or Cheong Wa Dae), formerly the residence of the president of South Korea in Seoul (1948-2022), now a public park" -青瓷,qīng cí,celadon (pottery) -青田,qīng tián,"Qingtian county in Lishui 麗水|丽水[Li2 shui3], Zhejiang" -青田县,qīng tián xiàn,"Qingtian county in Lishui 麗水|丽水[Li2 shui3], Zhejiang" -青发,qīng fā,amobarbital (drug) (Tw) -青白,qīng bái,"Qingbaijiang district of Chengdu city 成都市[Cheng2 du1 shi4], Sichuan" -青白,qīng bái,pale; pallor -青白江,qīng bái jiāng,"Qingbaijiang district of Chengdu city 成都市[Cheng2 du1 shi4], Sichuan" -青眼,qīng yǎn,(to look) with a direct gaze; (fig.) respect; favor -青睐,qīng lài,(lit.) to fix one's gaze on; (fig.) to show interest in; (favorable) attention; favor -青石,qīng shí,bluestone; limestone (colloquial) -青神,qīng shén,"Qingshen County in Meishan 眉山市[Mei2 shan1 Shi4], Sichuan" -青神县,qīng shén xiàn,"Qingshen County in Meishan 眉山市[Mei2 shan1 Shi4], Sichuan" -青秀,qīng xiù,"Qingxiu District of Nanning City 南寧市|南宁市[Nan2 ning2 Shi4], Guangxi" -青秀区,qīng xiù qū,"Qingxiu District of Nanning City 南寧市|南宁市[Nan2 ning2 Shi4], Guangxi" -青稞,qīng kē,highland barley (grown in Tibet and Qinghai); qingke barley -青筋,qīng jīn,veins; blue veins -青红帮,qīng hóng bāng,"traditional secret society, Chinese equivalent of Freemasons" -青红皂白,qīng hóng zào bái,the rights and wrongs of a matter (idiom) -青紫,qīng zǐ,purple -青丝,qīng sī,"fine black hair; dried plum (sliced, as cake ingredient)" -青绿,qīng lǜ,lush green; dark green; turquoise -青绿山水,qīng lǜ shān shuǐ,"blue-and-green landscape (genre of landscape painting originating in the Tang dynasty, in which blues and greens predominate)" -青县,qīng xiàn,"Qing county in Cangzhou 滄州|沧州[Cang1 zhou1], Hebei" -青羊,qīng yáng,"Qingyang district of Chengdu city 成都市[Cheng2 du1 shi4], Sichuan" -青羊区,qīng yáng qū,"Qingyang district of Chengdu city 成都市[Cheng2 du1 shi4], Sichuan" -青翠,qīng cuì,fresh and green; verdant -青肿,qīng zhǒng,bruise -青脚滨鹬,qīng jiǎo bīn yù,(bird species of China) Temminck's stint (Calidris temminckii) -青脚鹬,qīng jiǎo yù,(bird species of China) common greenshank (Tringa nebularia) -青色,qīng sè,cyan; blue-green -青芥辣,qīng jiè là,horseradish; wasabi; green mustard -青花,qīng huā,blue and white (porcelain) -青花椰菜,qīng huā yē cài,broccoli -青花瓷,qīng huā cí,blue and white porcelain -青花菜,qīng huā cài,broccoli -青苔,qīng tái,moss; lichen -青荇,qīng xìng,waterlily; floating heart (Nymphoides peltatum) -青草,qīng cǎo,grass -青菜,qīng cài,green vegetables; Chinese cabbage -青葙,qīng xiāng,feather cockscomb (Celosia argentea) -青葙子,qīng xiāng zi,feather cockscomb (Celosia argentea) -青蒜,qīng suàn,garlic shoots and leaves -青蒿素,qīng hāo sù,Arteannuin (anti-malaria chemical); Artemisinin; Qinghaosu -青葱,qīng cōng,scallion; green onion; verdant; lush green -青藏,qīng zàng,Qinghai and Tibet -青藏公路,qīng zàng gōng lù,Qinghai-Tibet Highway -青藏线,qīng zàng xiàn,the Qinghai-Tibet route -青藏铁路,qīng zàng tiě lù,Qinghai-Tibet railway -青藏铁路线,qīng zàng tiě lù xiàn,Qinghai-Tibet Railway -青藏高原,qīng zàng gāo yuán,Qinghai-Tibetan plateau -青蛙,qīng wā,frog (CL:隻|只[zhi1]); (old) (slang) ugly guy -青虾,qīng xiā,"oriental river prawn (Macrobrachium nipponense), a species of freshwater shrimp" -青衣,qīng yī,"black clothes; servant (old); young woman role in Chinese opera, also called 正旦[zheng4 dan4]" -青豆,qīng dòu,green soybean; green peas -青贮,qīng zhù,silage; green fodder -青酱,qīng jiàng,pesto sauce -青釉,qīng yòu,"celadon, classic Chinese style of ceramic glaze" -青金石,qīng jīn shí,lapis lazuli (mineral of the square albite family) -青铜,qīng tóng,bronze (alloy of copper 銅|铜 and tin 錫|锡[xi1]) -青铜器,qīng tóng qì,"bronze implement; refers to ancient bronze artifacts, from c. 2,000 BC" -青铜器时代,qīng tóng qì shí dài,the Bronze Age; also written 青銅時代|青铜时代[Qing1 tong2 Shi2 dai4] -青铜峡,qīng tóng xiá,"Qingtong, county-level city in Wuzhong 吳忠|吴忠[Wu2 zhong1], Ningxia" -青铜峡市,qīng tóng xiá shì,"Qingtong, county-level city in Wuzhong 吳忠|吴忠[Wu2 zhong1], Ningxia" -青阳,qīng yáng,"Qingyang, a county in Chizhou 池州[Chi2zhou1], Anhui" -青阳县,qīng yáng xiàn,"Qingyang, a county in Chizhou 池州[Chi2zhou1], Anhui" -青云,qīng yún,clear sky; fig. high official position; noble -青云直上,qīng yún zhí shàng,rising straight up in a clear sky (idiom); rapid promotion to a high post; meteoric career -青云谱,qīng yún pǔ,"Qingyunpu district of Nanchang city 南昌市, Jiangxi" -青云谱区,qīng yún pǔ qū,"Qingyunpu district of Nanchang city 南昌市, Jiangxi" -青靛,qīng diàn,indigo -青面獠牙,qīng miàn liáo yá,ferocious-looking (idiom) -青头潜鸭,qīng tóu qián yā,(bird species of China) Baer's pochard (Aythya baeri) -青头鹦鹉,qīng tóu yīng wǔ,(bird species of China) slaty-headed parakeet (Psittacula himalayana) -青马大桥,qīng mǎ dà qiáo,Tsing Ma Bridge (to Hong Kong Airport) -青鱼,qīng yú,black carp (Mylopharyngodon piceus); herring; mackerel -青鲛,qīng jiāo,mackerel shark -青黄,qīng huáng,greenish yellow; sallow (of complexion) -青黄不接,qīng huáng bù jiē,lit. yellow does not reach green (idiom); the yellow autumn crop does not last until the green spring crop; temporary deficit in manpower or resources; unable to make ends meet -青黛,qīng dài,indigo (dye); Indigo naturalis extract (used in TCM) -青霉素,qīng méi sù,penicillin -青鼬,qīng yòu,weasel; Martes flavigula (zoology) -青龙,qīng lóng,"Azure Dragon, one of the four symbols of the Chinese constellations, also known as the Azure Dragon of the East 東方青龍|东方青龙[Dong1 fang1 Qing1 long2] or 東方蒼龍|东方苍龙[Dong1 fang1 Cang1 long2]; (slang) man without pubic hair" -青龙满族自治县,qīng lóng mǎn zú zì zhì xiàn,"Qinglong Manchu autonomous county in Qinhuangdao 秦皇島|秦皇岛[Qin2 huang2 dao3], Hebei" -青龙县,qīng lóng xiàn,"Qinglong Manchu autonomous county in Qinhuangdao 秦皇島|秦皇岛[Qin2 huang2 dao3], Hebei" -靖,jìng,surname Jing -靖,jìng,(bound form) peaceful; (bound form) to pacify; to suppress -靖乱,jìng luàn,to put down a rebellion -靖国神社,jìng guó shén shè,"Yasukuni Shrine, Shinto shrine in Tokyo to Japanese war dead, controversial as burial ground of several Class A war criminals" -靖宇,jìng yǔ,"Jingyu county in Baishan 白山, Jilin" -靖宇县,jìng yǔ xiàn,"Jingyu county in Baishan 白山, Jilin" -靖安,jìng ān,"Jing'an county in Yichun 宜春, Jiangxi" -靖安县,jìng ān xiàn,"Jing'an county in Yichun 宜春, Jiangxi" -靖州,jìng zhōu,"Jingzhou Miao and Dong autonomous county in Huaihua 懷化|怀化[Huai2 hua4], Hunan" -靖州县,jìng zhōu xiàn,"Jingzhou Miao and Dong autonomous county in Huaihua 懷化|怀化[Huai2 hua4], Hunan" -靖州苗族侗族自治县,jìng zhōu miáo zú dòng zú zì zhì xiàn,"Jingzhou Miao and Dong autonomous county in Huaihua 懷化|怀化[Huai2 hua4], Hunan" -靖江,jìng jiāng,"Jingjiang, county-level city in Taizhou 泰州[Tai4 zhou1], Jiangsu" -靖江市,jìng jiāng shì,"Jingjiang, county-level city in Taizhou 泰州[Tai4 zhou1], Jiangsu" -靖西,jìng xī,"Jingxi county in Baise 百色[Bai3 se4], Guangxi" -靖西县,jìng xī xiàn,"Jingxi county in Baise 百色[Bai3 se4], Guangxi" -靖远,jìng yuǎn,"Jingyuan county in Baiyin 白銀|白银[Bai2 yin2], Gansu" -靖远县,jìng yuǎn xiàn,"Jingyuan county in Baiyin 白銀|白银[Bai2 yin2], Gansu" -靖边,jìng biān,"Jingbian County in Yulin 榆林[Yu2 lin2], Shaanxi" -靖边县,jìng biān xiàn,"Jingbian County in Yulin 榆林[Yu2 lin2], Shaanxi" -靖难之役,jìng nán zhī yì,war of 1402 between successors of the first Ming Emperor -靓,jìng,to make up (one's face); to dress; (of one's dress) beautiful -靓,liàng,attractive; good-looking -靓仔,liàng zǎi,handsome young man -靓女,liàng nǚ,(dialect) pretty girl -靓妆,jìng zhuāng,(literary) beautiful adornment (of a woman) -靓妹,liàng mèi,pretty girl -靓号,liàng hào,"desirable number (for one's telephone, license plate etc) (i.e. one that includes memorable or auspicious combinations of digits)" -靓丽,liàng lì,beautiful; pretty; Taiwan pr. [jing4 li4] -靛,diàn,indigo pigment -靛冠噪鹛,diàn guān zào méi,(bird species of China) blue-crowned laughingthrush (Garrulax courtoisi) -靛油,diàn yóu,aniline oil -靛白,diàn bái,indigo white -靛色,diàn sè,indigo (color) -靛花,diàn huā,indigo -靛蓝,diàn lán,indigo (dye) -靛蓝色,diàn lán sè,indigo blue -靛青,diàn qīng,indigo -静,jìng,still; calm; quiet; not moving -静一静,jìng yī jìng,to put sth to rest; calm down a bit! -静修,jìng xiū,contemplation; meditation -静候,jìng hòu,to quietly wait -静力学,jìng lì xué,statics -静力平衡,jìng lì píng héng,static equilibrium -静区,jìng qū,silent zone; blind spot; dead space -静坐,jìng zuò,to sit quietly; to meditate; to stage a sit-in -静坐不动,jìng zuò bù dòng,to sit still and do nothing; to sit tight -静坐不能,jìng zuò bù néng,"akathisia (condition of restlessness, a side-effect of neuroleptic antipsychotic drug); unable to sit still; hyperactivity; restlessness" -静坐抗议,jìng zuò kàng yì,sit-in protest -静坐抗议示威,jìng zuò kàng yì shì wēi,sit-in protest demonstration -静坐罢工,jìng zuò bà gōng,sit-in strike -静好,jìng hǎo,peaceful and harmonious -静安区,jìng ān qū,"Jing'an district, central Shanghai" -静寂,jìng jì,quiet; silent -静宁,jìng níng,"Jingning county in Pingliang 平涼|平凉[Ping2 liang2], Gansu" -静宁县,jìng níng xiàn,"Jingning county in Pingliang 平涼|平凉[Ping2 liang2], Gansu" -静山,jìng shān,"Cheng San (precinct in Ang Mo Kio, Singapore); Cheng Shan GRC, formerly (until the 1997 elections) a group representation constituency (electoral division) in Singapore" -静冈县,jìng gāng xiàn,"Shizuoka prefecture southwest of Tokyo, Japan" -静心,jìng xīn,meditation -静恬,jìng tián,tranquil -静悄悄,jìng qiāo qiāo,extremely quiet -静态,jìng tài,static; sedate; quiet; passive; (physics) static; steady-state; (electronics) quiescent -静态存储器,jìng tài cún chǔ qì,static memory -静乐,jìng lè,"Jingle county in Xinzhou 忻州[Xin1 zhou1], Shanxi" -静乐县,jìng lè xiàn,"Jingle county in Xinzhou 忻州[Xin1 zhou1], Shanxi" -静止,jìng zhǐ,still; immobile; static; stationary -静止锋,jìng zhǐ fēng,stationary front (meteorology) -静海,jìng hǎi,Jinghai county in Tianjin 天津[Tian1 jin1]; Sea of Tranquillity (on the moon) -静海县,jìng hǎi xiàn,Jinghai county in Tianjin 天津[Tian1 jin1] -静物,jìng wù,(painting) still life -静脉,jìng mài,vein -静脉吸毒,jìng mài xī dú,intravenous drug; IV drug -静脉曲张,jìng mài qū zhāng,varicose veins -静脉注入,jìng mài zhù rù,intravenous (medicine) -静脉注射,jìng mài zhù shè,intravenous injection -静脉点滴,jìng mài diǎn dī,an intravenous drip -静谧,jìng mì,quiet; still; tranquil -静电,jìng diàn,static electricity -静音,jìng yīn,quiet; silent; mute -静养,jìng yǎng,to convalesce; to recuperate; to fully relax -静默,jìng mò,silent; still; quiet; to mourn in silence; to observe silence; (neologism c. 2022) to stay at home during a pandemic -静点,jìng diǎn,a hospital drip -非,fēi,"abbr. for 非洲[Fei1 zhou1], Africa" -非,fēi,to not be; not; wrong; incorrect; non-; un-; in-; de-; to reproach; to blame; (coll.) to insist on; simply must -非一日之功,fēi yī rì zhī gōng,lit. cannot be done in one day (idiom); fig. will take much time and effort to accomplish -非主流,fēi zhǔ liú,alternative; non-mainstream -非人,fēi rén,inhuman; (literary) not the right person -非人化,fēi rén huà,dehumanization -非份,fēi fèn,improper; presumptuous; assuming; overstepping one's bounds; also written 非分[fei1 fen4] -非但,fēi dàn,not only -非你莫属,fēi nǐ mò shǔ,it's yours exclusively (idiom); you are the one; only you deserve it; only you can do it -非公式,fēi gōng shì,unofficial; informal -非典,fēi diǎn,atypical pneumonia; Severe Acute Respiratory Syndrome; SARS -非典型肺炎,fēi diǎn xíng fèi yán,atypical pneumonia; Severe Acute Respiratory Syndrome; SARS -非凡,fēi fán,"out of the ordinary; unusually (good, talented etc)" -非分,fēi fèn,improper; presumptuous; assuming; overstepping one's bounds; also written 非份[fei1 fen4] -非分之念,fēi fèn zhī niàn,improper idea -非利士人,fēi lì shì rén,"the Philistines, who settled on the southern coast of Palestine in the 12th century BC" -非利士地,fēi lì shì dì,"Philistia, aka the Land of the Philistines" -非动物性,fēi dòng wù xìng,inanimacy -非动物性名词,fēi dòng wù xìng míng cí,inanimate noun -非同凡响,fēi tóng fán xiǎng,out of the ordinary -非同小可,fēi tóng xiǎo kě,extremely important; no small matter -非同步,fēi tóng bù,asynchronous -非同步传输模式,fēi tóng bù chuán shū mó shì,asynchronous transfer mode (ATM) -非同质化代币,fēi tóng zhì huà dài bì,non-fungible token (NFT) -非吸烟,fēi xī yān,nonsmoking -非命,fēi mìng,unnatural death; violent death -非国大,fēi guó dà,"African National Congress, ANC; abbr. for 非洲人國民大會|非洲人国民大会[Fei1 zhou1 ren2 guo2 min2 da4 hui4]" -非国家行为体,fēi guó jiā xíng wéi tǐ,non-state actor -非均质,fēi jūn zhì,inhomogeneous -非婚生,fēi hūn shēng,born out of wedlock; illegitimate -非婚生子女,fēi hūn shēng zǐ nǚ,an illegitimate child -非宗教,fēi zōng jiào,secular (society); non-religious (party) -非官方,fēi guān fāng,unofficial -非富则贵,fēi fù zé guì,see 非富即貴|非富即贵[fei1 fu4 ji2 gui4] -非富即贵,fēi fù jí guì,wealthy and respectable people -非写实,fēi xiě shí,nonrepresentational -非对称,fēi duì chèn,asymmetric -非对称式数据用户线,fēi duì chèn shì shù jù yòng hù xiàn,Asymmetrical Digital Subscriber Line; ADSL -非导体,fēi dǎo tǐ,"nonconductor (of electricity, heat etc)" -非小说,fēi xiǎo shuō,non-fiction -非层岩,fēi céng yán,unstratified rock -非层状,fēi céng zhuàng,unstratified -非峰值,fēi fēng zhí,off-peak -非常,fēi cháng,very; really; unusual; extraordinary -非常多,fēi cháng duō,much; very many -非常感谢,fēi cháng gǎn xiè,extremely grateful; very thankful -非常手段,fēi cháng shǒu duàn,an emergency measure -非平衡,fēi píng héng,non-equilibrium; disequilibrium; unbalance -非平衡态,fēi píng héng tài,unbalance; disequilibrium -非得,fēi děi,"(followed by a verb phrase, then – optionally – 不可, or 不行 etc) must" -非微扰,fēi wēi rǎo,non-perturbative (physics) -非必要,fēi bì yào,inessential; unnecessary -非必需,fēi bì xū,inessential -非拉丁字符,fēi lā dīng zì fú,non-Latin characters -非政府,fēi zhèng fǔ,non-governmental -非政府组织,fēi zhèng fǔ zǔ zhī,non-governmental organization (NGO) -非数字,fēi shù zì,non-numeric -非斯,fēi sī,Fes (third largest city of Morocco) -非暴力,fēi bào lì,nonviolent -非核,fēi hé,non-nuclear -非核化,fēi hé huà,denuclearization -非核国家,fēi hé guó jiā,non-nuclear country -非核地带,fēi hé dì dài,nuclear-free zone -非核武器国家,fēi hé wǔ qì guó jiā,non-nuclear weapon states (NNWS) -非条件反射,fēi tiáo jiàn fǎn shè,unconditioned reflex (physiology) -非杠杆化,fēi gàng gǎn huà,deleveraging (i.e. paying off part of a leverage loan) -非标准,fēi biāo zhǔn,nonstandard; unconventional -非模态,fēi mó tài,modeless (computing) -非机动车,fēi jī dòng chē,non-motorized vehicle -非欧几何,fēi ōu jǐ hé,non-Euclidean geometry -非欧几何学,fēi ōu jǐ hé xué,non-Euclidean geometry -非正常,fēi zhèng cháng,abnormal; irregular -非正式,fēi zhèng shì,unofficial; informal -非正数,fēi zhèng shù,a nonpositive number (i.e. negative or zero) -非此即彼,fēi cǐ jí bǐ,either this or that; one or the other -非死不可,fēi sǐ bù kě,"Facebook (Internet slang, pun reading ""you must die"")" -非法,fēi fǎ,illegal -非洲,fēi zhōu,Africa; abbr. for 阿非利加洲[A1 fei1 li4 jia1 Zhou1] -非洲之角,fēi zhōu zhī jiǎo,Horn of Africa -非洲人,fēi zhōu rén,African (person) -非洲人国民大会,fēi zhōu rén guó mín dà huì,"African National Congress, ANC" -非洲单源说,fēi zhōu dān yuán shuō,single origin out of Africa (current mainstream theory of human evolution) -非洲大裂谷,fēi zhōu dà liè gǔ,East African Rift Valley -非洲界,fēi zhōu jiè,Afrotropical realm -非洲统一组织,fēi zhōu tǒng yī zǔ zhī,Organization of African Unity -非洲联盟,fēi zhōu lián méng,African Union -非洲锥虫病,fēi zhōu zhuī chóng bìng,sleeping sickness; African trypanosomiasis -非洲开发银行,fēi zhōu kāi fā yín háng,African Development Bank -非营利,fēi yíng lì,nonprofit; not for profit -非营利组织,fēi yíng lì zǔ zhī,nonprofit organization -非物质文化遗产,fēi wù zhì wén huà yí chǎn,(UNESCO) Intangible Cultural Heritage -非特,fēi tè,not only -非独,fēi dú,not only; not merely -非独立,fēi dú lì,dependent -非异人任,fēi yì rén rèn,to bear one's own responsibilities and not pass them to others (idiom) -非盈利,fēi yíng lì,nonprofit -非盈利组织,fēi yíng lì zǔ zhī,nonprofit organization -非盟,fēi méng,"African Union (AU), abbr. for 非洲聯盟|非洲联盟" -非直接,fēi zhí jiē,indirect -非相对论性,fēi xiāng duì lùn xìng,non-relativistic (physics) -非礼,fēi lǐ,impolite; impropriety; to sexually harass -非空,fēi kōng,nonempty (set) -非线性,fēi xiàn xìng,nonlinear (math.) -非线性光学,fēi xiàn xìng guāng xué,nonlinear optics (physics) -非羁押性,fēi jī yā xìng,noncustodial (sentence) -非自然,fēi zì rán,unnatural; occult -非致命,fēi zhì mìng,(of a medical condition) not fatal; not life-threatening -非处,fēi chǔ,unmarried woman who is not a virgin -非处方药,fēi chǔ fāng yào,over-the-counter drug -非裔,fēi yì,of African descent -非要,fēi yào,to want absolutely; to insist on (doing sth) -非规整,fēi guī zhěng,irregular; disordered -非亲非故,fēi qīn fēi gù,lit. neither a relative nor a friend (idiom); fig. unrelated to one another in any way -非词重复测验,fēi cí chóng fù cè yàn,nonword repetition test -非诚勿扰,fēi chéng wù rǎo,serious inquiries only -非议,fēi yì,to criticize -非负数,fēi fù shù,a nonnegative number (i.e. positive or zero) -非赢利组织,fēi yíng lì zǔ zhī,not-for-profit organization -非军事区,fēi jūn shì qū,demilitarized zone -非递推,fēi dì tuī,nonrecursive -非遗传多型性,fēi yí chuán duō xíng xìng,polyphenism -非都会郡,fēi dū huì jùn,non-metropolitan county (England) -非金属,fēi jīn shǔ,nonmetal (chemistry) -非阿贝尔,fēi ā bèi ěr,(math.) non-abelian -非难,fēi nàn,reproof; blame -非零,fēi líng,nonzero -非音,fēi yīn,(ling) unstressed (syllable) -非预谋,fēi yù móu,unpremeditated -非驴非马,fēi lǘ fēi mǎ,neither fish nor fowl; resembling nothing on earth -非高峰,fēi gāo fēng,off-peak -非黑即白,fēi hēi jí bái,"black-or-white (e.g. good or bad, with no middle ground)" -非党,fēi dǎng,non-party -非党人士,fēi dǎng rén shì,non-party member -靠,kào,to lean against or on; to stand by the side of; to come near to; to depend on; to trust; to fuck (vulgar); traditional military costume drama where the performers wear armor (old) -靠不住,kào bu zhù,unreliable -靠北,kào běi,"(lit.) to cry over one's dad's death (from Taiwanese 哭爸, Tai-lo pr. [khàu-pē]); (slang) (Tw) to rattle on; to carp; stop whining!; shut the hell up!; fuck!; damn!" -靠垫,kào diàn,back cushion -靠夭,kào yāo,variant of 靠腰[kao4 yao1] -靠山,kào shān,patron; backer; close to a mountain -靠岸,kào àn,(of a boat) to reach the shore; to pull toward shore; close to shore; landfall -靠得住,kào de zhù,reliable; trustworthy -靠拢,kào lǒng,to draw close to -靠杯,kào bēi,see 靠北[kao4 bei3] -靠窗,kào chuāng,by the window (referring to seats on a plane etc) -靠窗座位,kào chuāng zuò wèi,window seat -靠背椅,kào bèi yǐ,high-back chair -靠腰,kào yāo,"(lit.) to cry from hunger (from Taiwanese 哭枵, Tai-lo pr. [khàu-iau]); (Tw) (slang) to whine; shut the hell up!; fuck!; damn!" -靠谱,kào pǔ,reliable; reasonable; probable -靠走廊,kào zǒu láng,next to the aisle; aisle (seat on aircraft) -靠走道,kào zǒu dào,on the aisle (referring to seats on a plane etc) -靠近,kào jìn,to be close to; to approach; to draw near -靠边,kào biān,to keep to the side; to pull over; move aside! -靡,mí,to waste (money) -靡,mǐ,extravagant; go with fashion; not -靡有孑遗,mǐ yǒu jié yí,all dead and no survivors -靡烂,mí làn,rotting; decaying -靡费,mí fèi,to waste; to squander -靡靡之音,mǐ mǐ zhī yīn,decadent music -面,miàn,"face; side; surface; aspect; top; classifier for objects with flat surfaces such as drums, mirrors, flags etc" -面不改色,miàn bù gǎi sè,(idiom) not bat an eyelid -面世,miàn shì,"to be published (of art, literary works etc); to come out; to take shape; to see the light of day" -面交,miàn jiāo,to deliver personally; to hand over face-to-face -面值,miàn zhí,face value; par value -面儿,miàn er,cover; outside -面具,miàn jù,mask -面前,miàn qián,in front of; facing; (in the) presence (of) -面友,miàn yǒu,to put on a friendly face -面向,miàn xiàng,to face; to turn towards; to incline to; geared towards; catering for; -oriented; facial feature; appearance; aspect; facet -面向对象语言,miàn xiàng duì xiàng yǔ yán,object oriented language -面向连接,miàn xiàng lián jiē,connection-oriented -面型,miàn xíng,shape of face -面壁,miàn bì,"to face the wall; to sit facing the wall in meditation (Buddhism); (fig.) to devote oneself to study, work etc" -面壁思过,miàn bì sī guò,to face the wall and ponder about one's misdeeds; to stand in the corner (punishment); (fig.) to examine one's conscience -面如土色,miàn rú tǔ sè,ashen-faced (idiom) -面如灰土,miàn rú huī tǔ,ashen-faced (idiom) -面子,miàn zi,outer surface; the outside of sth; social prestige; face -面孔,miàn kǒng,face -面容,miàn róng,appearance; facial features -面对,miàn duì,to face; to confront -面对面,miàn duì miàn,face to face -面巾,miàn jīn,face flannel or towel; shroud (over the face of a corpse) -面市,miàn shì,to hit the market (of a new product) -面带,miàn dài,to wear (on one's face) -面带愁容,miàn dài chóu róng,with a sad air; looking melancholy; with a worried look -面带病容,miàn dài bìng róng,to look unwell -面形,miàn xíng,shape of face -面影,miàn yǐng,face (esp. remembered); mental image of sb -面心立方最密堆积,miàn xīn lì fāng zuì mì duī jī,face-centered cubic (FCC) (math.) -面恶心善,miàn è xīn shàn,to have a mean-looking face but a heart of gold (idiom) -面态,miàn tài,facial appearance -面授,miàn shòu,to teach face to face; to instruct in person -面授机宜,miàn shòu jī yí,(idiom) to brief sb in person on the line of action to pursue; to advise face-to-face on how to deal with the present situation -面叙,miàn xù,to talk face-to-face -面料,miàn liào,material for making clothes; CL:塊|块[kuai4] -面斥,miàn chì,to reproach sb to his face -面晤,miàn wù,to interview; to meet -面有菜色,miàn yǒu cài sè,to look famished -面有难色,miàn yǒu nán sè,to show signs of reluctance or embarrassment -面朝黄土背朝天,miàn cháo huáng tǔ bèi cháo tiān,"face to the ground, back to the sky" -面板,miàn bǎn,panel; faceplate -面无人色,miàn wú rén sè,ashen-faced -面熟,miàn shú,to look familiar; familiar-looking -面瓜,miàn guā,(dialect) pumpkin; (fig.) oaf -面瘫,miàn tān,facial nerve paralysis -面皮,miàn pí,cheek; face; leather covering (for handbags etc) -面疱,miàn pào,acne -面目,miàn mù,appearance; facial features; look -面目一新,miàn mù yī xīn,complete change (idiom); facelift; We're in a wholly new situation. -面目全非,miàn mù quán fēi,nothing remains the same (idiom); change beyond recognition -面目可憎,miàn mù kě zēng,repulsive countenance; disgusting appearance -面相,miàn xiàng,facial features; appearence; physiognomy -面称,miàn chēng,term used to directly address a person (contrasted with 背稱|背称[bei4 cheng1]); to praise sb in their presence -面积,miàn jī,"area (of a floor, piece of land etc); surface area; tract of land" -面簿,miàn bù,(mainly Singapore) Facebook -面红耳赤,miàn hóng ěr chì,flushed with anger (or excitement) -面纱,miàn shā,veil -面纸,miàn zhǐ,facial tissue; kleenex -面罄,miàn qìng,to explain in detail personally -面罩,miàn zhào,"mask; visor; facepiece (e.g. diving suit, gas mask)" -面肥,miàn féi,topdressing (agriculture) -面膜,miàn mó,facial mask; cleanser; face pack; facial (treatment) -面临,miàn lín,to face sth; to be confronted with -面临困难,miàn lín kùn nán,to be faced with problems -面色,miàn sè,complexion -面色如土,miàn sè rú tǔ,ashen-faced (idiom) -面见,miàn jiàn,to meet face to face; to meet in person -面试,miàn shì,to be interviewed (as a candidate); interview -面试官,miàn shì guān,interviewer -面谈,miàn tán,face-to-face meeting; an interview -面谀,miàn yú,to praise sb to his face -面谕,miàn yù,to instruct sb personally -面谢,miàn xiè,to thank sb personally; to thank sb to his face -面议,miàn yì,to bargain face-to-face; to negotiate directly -面誉,miàn yù,to praise sb in his presence -面貌,miàn mào,face; features; appearance; look; CL:個|个[ge4] -面部,miàn bù,face (body part) -面部表情,miàn bù biǎo qíng,facial expression -面镜,miàn jìng,mask (diving) -面霜,miàn shuāng,facial cream (cosmetics) -面露,miàn lù,"to look (tired, pleased etc); to wear (a smile, a puzzled expression etc)" -面露不悦,miàn lù bù yuè,to show unhappiness or displeasure (idiom) -面露倦意,miàn lù juàn yì,to look tired -面面,miàn miàn,multiple viewpoints -面面俱到,miàn miàn jù dào,(idiom) take care of everything; handle everything -面面相觑,miàn miàn xiāng qù,to look at each other in dismay (idiom) -面面观,miàn miàn guān,(used in titles) comprehensive survey -面颊,miàn jiá,cheek -面额,miàn é,denomination (of currency or bond) -面颜,miàn yán,face -面首,miàn shǒu,handsome male companion; gigolo -面黄肌瘦,miàn huáng jī shòu,lit. face yellow and body emaciated (idiom); fig. malnourished and sickly in appearance -面庞,miàn páng,face -腼,miǎn,bashful -腼腆,miǎn tiǎn,shy; bashful -腼脸,tiǎn liǎn,shameless; brazen -靥,yè,dimple -革,gé,animal hide; leather; to reform; to remove; to expel (from office) -革出,gé chū,to expel; to kick out -革出山门,gé chū shān mén,to excommunicate (from a Buddhist monastery) -革出教门,gé chū jiào mén,to excommunicate (from a church) -革吉,gé jí,"Ge'gyai county in Ngari prefecture, Tibet, Tibetan: Dge rgyas rdzong" -革吉县,gé jí xiàn,"Ge'gyai county in Ngari prefecture, Tibet, Tibetan: Dge rgyas rdzong" -革命,gé mìng,to withdraw the mandate of heaven (and transition to a new dynasty) (original meaning); revolution; revolutionary; to revolt (against sb or sth); to revolutionize (sth); (separable verb sometimes used in the pattern 革noun的命); CL:次[ci4] -革命先烈,gé mìng xiān liè,martyr to the revolution -革命家,gé mìng jiā,a revolutionary -革命性,gé mìng xìng,revolutionary -革命烈士,gé mìng liè shì,martyr of the revolution -革囊,gé náng,leather purse; fig. human body -革履,gé lǚ,leather (shoes); fig. Western dress -革故鼎新,gé gù dǐng xīn,to discard the old and introduce the new (idiom); to innovate -革新,gé xīn,to innovate; innovation -革职,gé zhí,to sack; to remove from a position; to depose -革兰氏,gé lán shì,"Mr Gram; Dr. Hans Christian Jaochim Gram (1953-1938), Danish doctor and inventor of the Gram stain 革蘭氏染色法|革兰氏染色法" -革兰氏染色法,gé lán shì rǎn sè fǎ,Gram stain (used to distinguished two different kinds of bacteria) -革兰氏阴性,gé lán shì yīn xìng,"Gram negative (bacteria that do not retain Gram stain, often the more dangerous kind)" -革兰阳,gé lán yáng,Gram-positive (bacteria) -革兰阳性,gé lán yáng xìng,Gram-positive (bacteria) -革制品,gé zhì pǐn,leather goods -革退,gé tuì,to dismiss from a post -革除,gé chú,to eliminate; to expel; to abolish -革面洗心,gé miàn xǐ xīn,lit. to renew one's face and wash one's heart (idiom); to repent sincerely and mend one's mistaken ways; to turn over a new leaf -韧,rèn,variant of 韌|韧[ren4] -韧,rèn,old variant of 韌|韧[ren4] -靳,jìn,surname Jin -靳,jìn,martingale; stingy -靴,xuē,boots -靴子,xuē zi,boots -靴子落地,xuē zi luò dì,"lit. the boot hits the floor (idiom); fig. a much-anticipated, impactful development has finally occurred (an allusion to a joke from the 1950s in which a young man would take off a boot and throw it onto the floor, waking the old man sleeping downstairs, who could then not get back to sleep until he had heard the second boot hit the floor)" -靴掖子,xuē yē zi,double layer of padding in a boot -靴篱莺,xuē lí yīng,(bird species of China) booted warbler (Iduna caligata) -靴裤,xuē kù,boot cut (e.g. of jeans etc) -靴隼雕,xuē sǔn diāo,(bird species of China) booted eagle (Hieraaetus pennatus) -靶,bǎ,target; mark -靶场,bǎ chǎng,shooting range; range -靶子,bǎ zi,target -靶心,bǎ xīn,center of target; bull's eye -靶机,bǎ jī,target drone -靶纸,bǎ zhǐ,target sheet -靶船,bǎ chuán,target ship -靼,dá,(phonetic); dressed leather -鼗,táo,hand drum used by peddlers -鞅,yāng,martingale (part of a horse's harness); used in 鞅鞅[yang1 yang1] -鞅,yàng,wooden yoke for a draft ox -鞅掌,yāng zhǎng,(literary) busy (with work etc) -鞅牛,yàng niú,ox harnessed for plowing -鞅鞅,yāng yāng,dissatisfied; displeased; aggrieved -鞋,xié,"shoe; CL:雙|双[shuang1],隻|只[zhi1]" -鞋匠,xié jiang,shoemaker; cobbler -鞋垫,xié diàn,insole; shoe insert -鞋套,xié tào,overshoe; shoe cover -鞋子,xié zi,shoe -鞋履,xié lǚ,footwear -鞋带,xié dài,"shoelace; CL:根[gen1],雙|双[shuang1]" -鞋帮,xié bāng,uppers of a shoe -鞋底,xié dǐ,sole (of a shoe) -鞋拔,xié bá,shoehorn -鞋拔子,xié bá zi,shoehorn -鞋楦,xié xuàn,shoe tree -鞋油,xié yóu,shoe polish -鞋袜,xié wà,shoes and socks -鞋跟,xié gēn,heel (of a shoe) -鞍,ān,variant of 鞍[an1] -鞍,ān,(bound form) saddle -鞍前马后,ān qián mǎ hòu,to follow everywhere; to always be there for sb at their beck and call -鞍子,ān zi,saddle -鞍山,ān shān,Anshan prefecture-level city in Liaoning province 遼寧省|辽宁省[Liao2 ning2 Sheng3] in northeast China -鞍山市,ān shān shì,Anshan prefecture-level city in Liaoning province 遼寧省|辽宁省[Liao2 ning2 Sheng3] in northeast China -鞍马,ān mǎ,pommel horse (gymnastics) -鞍马劳顿,ān mǎ láo dùn,travel-worn -鞍点,ān diǎn,"saddle point (math.), a critical point of a function of several variables that is neither a maximum nor a minimum" -巩,gǒng,surname Gong -巩,gǒng,(bound form) to fix in place; to make firm and secure -巩俐,gǒng lì,"Gong Li (1965-), Chinese actress" -巩固,gǒng gù,to consolidate; to strengthen; firm; solid; stable -巩留,gǒng liú,"Gongliu County or Toqquztara nahiyisi in Ili Kazakh Autonomous Prefecture 伊犁哈薩克自治州|伊犁哈萨克自治州[Yi1 li2 Ha1 sa4 ke4 Zi4 zhi4 zhou1], Xinjiang" -巩留县,gǒng liú xiàn,"Gongliu County or Toqquztara nahiyisi in Ili Kazakh Autonomous Prefecture 伊犁哈薩克自治州|伊犁哈萨克自治州[Yi1 li2 Ha1 sa4 ke4 Zi4 zhi4 zhou1], Xinjiang" -巩县,gǒng xiàn,Gong county in Henan -巩义,gǒng yì,"Gongyi, county-level city in Zhengzhou 鄭州|郑州[Zheng4 zhou1], Henan" -巩义市,gǒng yì shì,"Gongyi, county-level city in Zhengzhou 鄭州|郑州[Zheng4 zhou1], Henan" -巩膜,gǒng mó,(anatomy) sclera -鞘,qiào,scabbard; sheath -鞘翅,qiào chì,"elytrum (hardened forewing of Coleoptera beetle, encasing the flight wing)" -鞘翅目,qiào chì mù,Coleoptera (insect order including beetles) -鞘脂,qiào zhī,sphingolipid -鞠,jū,surname Ju -鞠,jū,to incline (one's torso); to bow; leather ball used in ancient times; (literary) to bring up; to rear; Taiwan pr. [ju2] -鞠躬,jū gōng,to bow; (literary) to bend down -鞠躬尽力,jū gōng jìn lì,to bend to a task and spare no effort (idiom); striving to the utmost; same as 鞠躬盡瘁|鞠躬尽瘁[ju1 gong1 jin4 cui4] -鞠躬尽瘁,jū gōng jìn cuì,to bend to a task and spare no effort (idiom); striving to the utmost -鞣,róu,suede; chamois; tannin; to tan -鞣制,róu zhì,to tan (leather); tanning -鞣质,róu zhì,tannin -鞣酸,róu suān,tannin -秋,qiū,used in 鞦韆|秋千[qiu1qian1] -秋千,qiū qiān,swing (seat hung from a frame or branch) -鞫,jū,to interrogate; to question; Taiwan pr. [ju2] -鞭,biān,"whip or lash; to flog; to whip; conductor's baton; segmented iron weapon (old); penis (of animal, served as food)" -鞭子,biān zi,whip; CL:根[gen1] -鞭打,biān dǎ,to whip; to lash; to flog; to thrash -鞭挞,biān tà,to lash; (fig.) to castigate -鞭毛,biān máo,flagellum -鞭毛纲,biān máo gāng,flagellate -鞭炮,biān pào,firecrackers; string of small firecrackers; CL:枚[mei2] -鞭痕,biān hén,welt; whip scar; lash mark -鞭笞,biān chī,to flog; to lash; to whip; to urge or goad along -鞭策,biān cè,to spur on; to urge on; to encourage sb (e.g. to make progress) -鞭节,biān jié,flagellum -鞭虫,biān chóng,whipworm -鞭长莫及,biān cháng mò jí,lit. the whip cannot reach (idiom); beyond one's influence; too far to be able to help -鞭辟入里,biān pì rù lǐ,penetrated; trenchant; incisive -鞮,dī,surname Di -鞮,dī,leather shoes -鞲,gōu,variant of 韝[gou1] -鞲鞴,gōu bèi,"piston (loanword from German ""Kolben"")" -鞴,bèi,to saddle a horse -鞋,xié,variant of 鞋[xie2] -鞒,qiáo,the pommel and cantle of a saddle -靴,xuē,variant of 靴[xue1] -缰,jiāng,bridle; reins; halter -缰绳,jiāng shéng,reins -鞑,dá,Tartar; a tribe in China -鞑虏,dá lǔ,Tartar (derogatory); also used as an insulting term for Manchus around 1900 -鞑靼,dá dá,Tartar (various northern tribes in ancient China); Tatar (Turkic ethnic group in central Asia) -鞑靼人,dá dá rén,Tatar (person) -鞑靼海峡,dá dá hǎi xiá,Strait of Tartary between Sakhalin and Russian mainland -千,qiān,used in 鞦韆|秋千[qiu1qian1] -袜,wà,variant of 韤|袜[wa4] -鞯,jiān,saddle blanket -韦,wéi,surname Wei -韦,wéi,soft leather -韦伯,wéi bó,"Webb, Webber or Weber (name)" -韦伯,wéi bó,"weber (unit of magnetic flux, Wb)" -韦利,wéi lì,"Waley or Whaley (name); Arthur Waley (1889-1966), pioneer British sinologist" -韦德,wéi dé,"Wade (name); Sir Thomas Francis Wade (1818-1895), sinologist 威妥瑪|威妥玛[Wei1 Tuo3 ma3]" -韦慕庭,wéi mù tíng,"Clarence Martin Wilbur (1908-1997), US Sinologist and Professor of Columbia University" -韦应物,wéi yìng wù,"Wei Yingwu (c. 737 - c. 792), Tang dynasty poet" -韦斯卡,wéi sī kǎ,"Uesca or Huesca, Spain" -韦格纳,wéi gé nà,"Alfred Wegener (1880-1930), German meteorologist and geophysicist, the originator of the theory of continental drift; also written 魏格納|魏格纳" -韦氏拼法,wéi shì pīn fǎ,Wade-Giles system (romanization of Chinese) -韦尔弗雷兹,wéi ěr fú léi zī,(George) Wehrfritz (Beijing bureau chief of Newsweek) -韦尔瓦,wéi ěr wǎ,"Huelva, Spain" -韦瓦第,wéi wǎ dì,"Vivaldi (name); Antonio Vivaldi (1675-1741), Italian composer" -韦科,wéi kē,Waco -韦编三绝,wéi biān sān jué,lit. the leather binding (of the bamboo scroll) has broken three times; fig. to study diligently -韦达,wéi dá,"François Viète (1540-1603), French mathematician, father of modern algebraic notation" -韦驮菩萨,wéi tuó pú sà,"Skanda, the general or guardian Bodhisattva" -韧,rèn,annealed; pliable but strong; tough; tenacious -韧劲,rèn jìn,tenacity -韧带,rèn dài,ligament -韧性,rèn xìng,toughness -韧皮部,rèn pí bù,phloem -韧体,rèn tǐ,firmware -韩,hán,"Han, one of the Seven Hero States of the Warring States 戰國七雄|战国七雄; Korea from the fall of the Joseon dynasty in 1897; Korea, esp. South Korea 大韓民國|大韩民国; surname Han" -韩世昌,hán shì chāng,"Han Shichang (1897-1977), actor specializing in Kunqu opera 崑曲|昆曲[Kun1 qu3]" -韩亚,hán yà,Hanya; Hana -韩亚航空,hán yà háng kōng,"Asiana Airlines, South Korean airline" -韩亚龙,hán yà lóng,"H Mart, Korean supermarket chain in US and Canada" -韩信,hán xìn,"Han Xin (-196 BC), famous general of first Han emperor Liu Bang 劉邦|刘邦[Liu2 Bang1]" -韩元,hán yuán,Won (Korean currency) -韩半岛,hán bàn dǎo,Korean peninsula (esp. South Korean usage) -韩国,hán guó,"South Korea (Republic of Korea); Han, one of the Seven Hero States of the Warring States 戰國七雄|战国七雄[zhan4 guo2 qi1 xiong2]; Korea from the fall of the Joseon dynasty in 1897" -韩国人,hán guó rén,Korean (person) -韩国泡菜,hán guó pào cài,kimchi -韩国瑜,hán guó yú,"Daniel Han Kuo-yu (1957-), Taiwanese KMT politician, mayor of Kaohsiung since 2018" -韩国联合通讯社,hán guó lián hé tōng xùn shè,Yonghap (South Korean news agency) -韩国街,hán guó jiē,Koreatown -韩国语,hán guó yǔ,Korean language -韩国银行,hán guó yín háng,Bank of Korea -韩圆,hán yuán,Korean won (unit of currency) -韩城,hán chéng,Hancheng city and county in Shaanxi -韩城市,hán chéng shì,Hancheng city in Shaanxi -韩城县,hán chéng xiàn,Hancheng county in Shaanxi -韩媒,hán méi,South Korean media -韩寒,hán hán,"Han Han (1982-), PRC blogger, singer and professional rally driver" -韩山师范学院,hán shān shī fàn xué yuàn,"Hanshan Normal University, Shantou, Guangdong" -韩式,hán shì,Korean-style -韩式泡菜,hán shì pào cài,kimchi -韩彦直,hán yàn zhí,"Han Yanzhi (1131-?), Song dynasty botanist, author of classification of orange trees 橘錄|橘录[ju2 lu4]" -韩德尔,hán dé ěr,"(Tw) Handel (name); George Frideric Handel (1685-1759), German-born British composer" -韩愈,hán yù,"Han Yu (768-824), Tang dynasty essayist and poet, advocate of the classical writing 古文運動|古文运动[gu3 wen2 yun4 dong4] and neoclassical 復古|复古[fu4 gu3] movements" -韩爱晶,hán ài jīng,"Han Aijing (1945-), notorious red guard leader during Cultural Revolution, spent 15 years in prison for imprisoning and torturing political leaders" -韩战,hán zhàn,Korean War (1950-1953) -韩文,hán wén,"hangul, Korean phonetic alphabet; Korean written language" -韩文字母,hán wén zì mǔ,"hangul, Korean phonetic alphabet; Korean letters" -韩方,hán fāng,the Korean side -韩日,hán rì,Korea and Japan -韩昇洙,hán shēng zhū,"Han Seung-soo (1936-), South Korean diplomat and politician, prime minister 2008-2009" -韩服,hán fú,hanbok (traditional Korean dress) -韩朝,hán cháo,North and South Korea; bilateral Korean relations -韩棒子,hán bàng zi,Korean (derog.) -韩正,hán zhèng,"Han Zheng (1954-), senior vice premier of the PRC (2018-)" -韩江,hán jiāng,the Han river in Guangdong -韩流,hán liú,"Korean Wave, aka Hallyu (the increase in international interest in South Korea and its popular culture since the 1990s)" -韩澳,hán ào,South Korea and Australia -韩素音,hán sù yīn,"Han Suyin (1917-2012), Eurasian physician and author" -韩美,hán měi,South Korean-US -韩联社,hán lián shè,Yonhap (South Korean news agency) -韩语,hán yǔ,Korean language (esp. in context of South Korea) -韩邦庆,hán bāng qìng,"Han Bangqing (1856-1894), writer and publisher of experimental literary journal in Classical Chinese and Jiangsu vernacular, author of novel 海上花列傳|海上花列传" -韩非,hán fēi,"Han Fei, also known as Han Feizi 韓非子|韩非子[Han2 Fei1 zi3] (c. 280-233 BC), Legalist philosopher of the Warring States Period (475-220 BC)" -韩非子,hán fēi zǐ,"another name for Han Fei 韓非|韩非[Han2 Fei1], Legalist philosopher (c. 280-233 BC); Han Feizi, book of Legalist Philosophy authored by Han Fei 韓非|韩非[Han2 Fei1] during the Warring States Period (475-220 BC)" -韪,wěi,correct; right -韬,tāo,bow case or scabbard; to hide; military strategy -韬光养晦,tāo guāng yǎng huì,to conceal one's strengths and bide one's time (idiom); to hide one's light under a bushel -韬略,tāo lüè,military strategy; military tactics; originally refers to military classics Six Secret Teachings 六韜|六韬[Liu4 tao1] and Three Strategies 三略[San1 lu:e4] -韫,yùn,contain -袜,wà,variant of 襪|袜[wa4] -韭,jiǔ,leek -韭菜,jiǔ cài,"garlic chives (Allium tuberosum), aka Chinese chives; (fig.) retail investors who lose their money to more experienced operators (i.e. they are ""harvested"" like garlic chives)" -韭菜花,jiǔ cài huā,chives (Allium tuberosum) -韭,jiǔ,variant of 韭[jiu3] -韱,xiān,wild onions or leeks -音,yīn,sound; noise; note (of musical scale); tone; news; syllable; reading (phonetic value of a character) -音位,yīn wèi,phoneme -音信,yīn xìn,message -音值,yīn zhí,phonetic value -音像,yīn xiàng,audio and video; audiovisual -音叉,yīn chā,tuning fork -音名,yīn míng,"names of the notes of a musical scale (e.g. C, D, E or do, re, mi)" -音域,yīn yù,vocal range; register (music) -音容,yīn róng,voice and features; (sb's) appearance -音带,yīn dài,audio tape -音律,yīn lǜ,tuning; temperament; music -音意合译,yīn yì hé yì,"formation of a loanword using some characters (or words) chosen for their meaning and others for phonetic transcription (e.g. 冰淇淋[bing1 qi2 lin2], 朗姆酒[lang3 mu3 jiu3], 奶昔[nai3 xi1] and 米老鼠[Mi3 Lao3 shu3])" -音拴,yīn shuān,organ stop (button activating a row of pipes) -音效,yīn xiào,sound effect -音乐,yīn yuè,"music; CL:張|张[zhang1],曲[qu3],段[duan4]" -音乐之声,yīn yuè zhī shēng,"The Sound of Music, Broadway musical (1959) and Academy Award-winning movie (1965)" -音乐光碟,yīn yuè guāng dié,music CD -音乐剧,yīn yuè jù,"(theater, cinema) a musical" -音乐学,yīn yuè xué,musicology -音乐学院,yīn yuè xué yuàn,music academy; conservatory -音乐家,yīn yuè jiā,musician -音乐厅,yīn yuè tīng,concert hall; auditorium -音乐会,yīn yuè huì,concert; CL:場|场[chang3] -音乐节,yīn yuè jié,music festival -音乐院,yīn yuè yuàn,conservatory; music college -音乐电视,yīn yuè diàn shì,Music Television MTV -音标,yīn biāo,phonetic symbol -音步,yīn bù,foot (syllabic unit in verse); meter; scansion -音波,yīn bō,sound wave -音爆,yīn bào,sonic boom -音痴,yīn chī,tone deaf -音程,yīn chéng,interval (music) -音符,yīn fú,(music) note; phonetic component of a Chinese character; phonetic symbol; phonogram -音管,yīn guǎn,pipe (of an organ) -音箱,yīn xiāng,loudspeaker box; speaker (audio equipment); resonating chamber of a musical instrument; sound box -音节,yīn jié,syllable -音节体,yīn jié tǐ,syllabic script -音级,yīn jí,a note on a musical scale -音素,yīn sù,phoneme -音义,yīn yì,sound and meaning -音耗,yīn hào,message -音色,yīn sè,tone; timbre; sound color -音视,yīn shì,sound and video -音视频,yīn shì pín,sound and video -音讯,yīn xùn,letters; mail; news; messages; correspondence -音调,yīn diào,pitch of voice (high or low); pitch (of a musical note); tone -音译,yīn yì,"transliteration (rendering phonetic value, e.g. of English words in Chinese characters); characters giving phonetic value of Chinese word or name (when the correct characters may be unknown); transcription (linguistics); to transcribe phonetic symbols" -音读,yīn dú,"reading or phonetic value of a character; (Japanese linguistics) on-reading, a pronunciation of a kanji derived from its pronunciation in a Sinitic language at the time it was imported from China (Note: An on-reading of a character is distinguished from its kun-reading(s) 訓讀|训读[xun4 du2]. For example, 山 has an on-reading ""san"" and a kun-reading ""yama"".)" -音变,yīn biàn,phonetic change -音质,yīn zhì,tone; sound quality; timbre -音轨,yīn guǐ,sound track; track number (e.g. on a CD) -音速,yīn sù,speed of sound -音量,yīn liàng,loudness; volume -音长,yīn cháng,sound duration; length of a musical note -音阶,yīn jiē,musical scale -音集协,yīn jí xié,China Audio-Video Copyright Association (CAVCA) -音韵,yīn yùn,"music; rhyme and rhythm; initial, 音[yin1], and final and tone, 韻|韵[yun4], of a Chinese character; phoneme" -音韵学,yīn yùn xué,Chinese phonetics (concerned also with rhyme in poetry) -音响,yīn xiǎng,sound; acoustics; audio; hi-fi system; stereo sound system; abbr. for 組合音響|组合音响[zu3 he2 yin1 xiang3] -音响效果,yīn xiǎng xiào guǒ,sound effects -音响组合,yīn xiǎng zǔ hé,stereo system -音响设备,yīn xiǎng shè bèi,sound equipment; stereo -音频,yīn pín,audio; sound; audio frequency; sound frequency -音频文件,yīn pín wén jiàn,audio file (computer) -音频设备,yīn pín shè bèi,audio equipment -音高,yīn gāo,pitch (music); tone -韶,sháo,surname Shao -韶,sháo,(music); excellent; harmonious -韶山,sháo shān,"Shaoshan, county-level city in Xiangtan 湘潭[Xiang1 tan2], Hunan" -韶山市,sháo shān shì,"Shaoshan, county-level city in Xiangtan 湘潭[Xiang1 tan2], Hunan" -韶关,sháo guān,"Shaoguan, prefecture-level city in Guangdong" -韶关市,sháo guān shì,"Shaoguan, prefecture-level city in Guangdong province" -韵,yùn,the final (of a syllable) (Chinese phonology); rhyme; appeal; charm; (literary) pleasant sound -韵事,yùn shì,"poetic occasion; elegant situation; in literature, the cue for a poem" -韵人韵事,yùn rén yùn shì,a charming man enjoys charming pursuits (idiom) -韵味,yùn wèi,implicit charm in rhyme or sound; hinted appeal; interest -韵尾,yùn wěi,"(phonology) coda, the part of a syllable that follows its vocalic nucleus (e.g. ""u"" in kòu or ""n"" in běn)" -韵律,yùn lǜ,cadence; rhythm; rhyme scheme; meter (in verse); (linguistics) prosody -韵文,yùn wén,verse -韵书,yùn shū,rime dictionary (ancient type of Chinese dictionary that collates characters by tone and rhyme rather than by radical) -韵母,yùn mǔ,"the final of a Chinese syllable (the component of a syllable remaining after removal of the initial consonant, if any, and the tone, e.g. the final of ""niáng"" is ""iang"")" -韵白,yùn bái,form of rhymed baihua 白話|白话[bai2 hua4] in Beijing opera -韵目,yùn mù,rhyme entry; subdivision of a rhyming dictionary (containing all words with the given rhyme) -韵致,yùn zhì,grace; natural charm -韵脚,yùn jiǎo,rhyming word ending a line of verse; rhyme -韵腹,yùn fù,main vowel in diphthong -韵致,yùn zhì,grace; natural charm -韵诗,yùn shī,rhyming verse -韵语,yùn yǔ,rhymed language -韵调,yùn diào,rhyme and tone; intonation -韵头,yùn tóu,leading vowel of diphthong -响,xiǎng,echo; sound; noise; to make a sound; to sound; to ring; loud; classifier for noises -响亮,xiǎng liàng,loud and clear; resounding -响动,xiǎng dòng,sound coming from sth (typically sth not immediately visible); also pr. [xiang3 dong5] -响叮当,xiǎng dīng dāng,to tinkle; to jingle; to clank -响器,xiǎng qì,percussion instrument -响当当,xiǎng dāng dāng,resounding; loud; well known; famous -响尾蛇,xiǎng wěi shé,rattlesnake -响屁,xiǎng pì,loud fart -响度,xiǎng dù,loudness; volume -响彻,xiǎng chè,to resound; to resonate -响应,xiǎng yìng,to respond to; answer; CL:個|个[ge4] -响应时间,xiǎng yìng shí jiān,response time -响应号召,xiǎng yìng hào zhào,to answer a call to action -响板,xiǎng bǎn,castanets (music) -响水,xiǎng shuǐ,"Xiangshui county in Yancheng 鹽城|盐城[Yan2 cheng2], Jiangsu" -响水县,xiǎng shuǐ xiàn,"Xiangshui county in Yancheng 鹽城|盐城[Yan2 cheng2], Jiangsu" -响箭,xiǎng jiàn,whistling arrow (used in ancient times as a signal) -响声,xiǎng shēng,noise -响起,xiǎng qǐ,(of a sound) to come forth; (of a sound source) to ring out; to sound; to go off -响遍,xiǎng biàn,to resound (all over the place) -响雷,xiǎng léi,to be thundering; thunder clap; CL:個|个[ge4] -响音,xiǎng yīn,sonorant -响头,xiǎng tóu,to bump one's head; to kowtow with head-banging on the ground -页,xié,head -页,yè,page; leaf -页岩,yè yán,shale -页岩气,yè yán qì,shale gas -页底,yè dǐ,the bottom of the page -页心,yè xīn,type page -页框,yè kuàng,frame (computing) -页码,yè mǎ,page number -页签,yè qiān,(computing) tab (GUI element) -页蒿,yè hāo,caraway -页边,yè biān,(page) margin -页面,yè miàn,page; web page -页首,yè shǒu,the top of the page; (word processing) page header -顶,dǐng,"apex; crown of the head; top; roof; most; to carry on the head; to push to the top; to go against; to replace; to substitute; to be subjected to (an aerial bombing, hailstorm etc); (slang) to ""bump"" a forum thread to raise its profile; classifier for headwear, hats, veils etc" -顶上,dǐng shàng,on top of; at the summit -顶事,dǐng shì,useful; fitting -顶住,dǐng zhù,to withstand; to stand up to -顶冒,dǐng mào,abbr. for 頂名冒姓|顶名冒姓[ding3 ming2 mao4 xing4] -顶包,dǐng bāo,to serve as forced labor; to take the rap for sb -顶名冒姓,dǐng míng mào xìng,to pretend to be sb else -顶呱呱,dǐng guā guā,tip-top; excellent; first-rate -顶嘴,dǐng zuǐ,to talk back; to answer back -顶多,dǐng duō,at most; at best -顶天立地,dǐng tiān lì dì,lit. able to support both heaven and earth; of indomitable spirit (idiom) -顶夸克,dǐng kuā kè,top quark (particle physics) -顶客,dǐng kè,see 丁克[ding1 ke4] -顶尖,dǐng jiān,peak; apex; world best; number one; finest (competitors); top (figures in a certain field) -顶尖儿,dǐng jiān er,erhua variant of 頂尖|顶尖[ding3 jian1] -顶尖级,dǐng jiān jí,first class; top; world best -顶层,dǐng céng,top floor; the top of a building -顶峰,dǐng fēng,peak; summit; fig. high point; masterpiece -顶岗,dǐng gǎng,to replace sb on a workshift; to substitute for -顶戴,dǐng dài,cap badge (official sign of rank in Qing dynasty) -顶拜,dǐng bài,"to prostrate oneself; to kneel and bow the head (in submission, supplication, worship etc)" -顶撞,dǐng zhuàng,to contradict (elders or superiors) -顶挡,dǐng dǎng,to resist; to obstruct; to bear responsibility for -顶替,dǐng tì,to replace -顶板,dǐng bǎn,roof; roof plate; rock layer forming roof of a cave or mine; abacus -顶格,dǐng gé,(typesetting) to not indent; to set the text flush with the left (or top) margin -顶杆,dǐng gǎn,top bar; crown bar -顶梁柱,dǐng liáng zhù,pillar; backbone -顶棒,dǐng bàng,bucking bar (metal bar fixing the tail of a rivet as it is driven) -顶棚,dǐng péng,ceiling; awning (under ceiling) -顶楼,dǐng lóu,top floor; attic; loft; garret; penthouse; (flat) rooftop (often used as an outdoor living area etc) -顶灯,dǐng dēng,dome light (of a taxi etc); ceiling light (in a room); interior light (of a car); light on the top of a mast etc -顶牛儿,dǐng niú er,to push with the forehead; to lock horns; to be at loggerheads -顶班,dǐng bān,to take over sb else's job; to substitute for -顶用,dǐng yòng,to be of use -顶盘,dǐng pán,to buy a struggling business and keep it going; to take over a business -顶目,dǐng mù,item; event; project -顶礼膜拜,dǐng lǐ mó bài,to prostrate oneself in worship (idiom); (fig.) to worship; to bow down to -顶端,dǐng duān,summit; peak -顶级,dǐng jí,top-notch; first-rate -顶缸,dǐng gāng,to take the blame; to be a scapegoat; to carry the can -顶罪,dǐng zuì,to take the blame for sb else; to compensate for one's crime; to get charges dropped (by paying money etc) -顶芽,dǐng yá,terminal bud (growing at the tip of a plant) -顶叶,dǐng yè,parietal lobe -顶盖,dǐng gài,roof; lid -顶补,dǐng bǔ,to fill a vacancy; to substitute for -顶角,dǐng jiǎo,angle at apex; summit angle; cusp -顶谢,dǐng xiè,to bow in thanks -顶让,dǐng ràng,(Tw) to hand over (a business etc) for an agreed price -顶轮,dǐng lún,"sahasrāra or sahasrara, the crown or fontanel chakra 查克拉, residing at the top of the skull" -顶部,dǐng bù,"roof; topmost part; top (of tree, wall etc); apex" -顶配,dǐng pèi,highest level of specification (for a product) -顶针,dǐng zhēn,thimble -顶门壮户,dǐng mén zhuàng hù,to support the family business (idiom) -顶阀,dǐng fá,top valve; head valve -顶面,dǐng miàn,top; top side; top surface -顶头,dǐng tóu,to come directly towards one; top; immediate (superior) -顶头上司,dǐng tóu shàng si,one's immediate superior -顶风,dǐng fēng,to face into the wind; against the wind; fig. against the law -顶风停止,dǐng fēng tíng zhǐ,to lie to (facing the wind) -顶刮刮,dǐng guā guā,variant of 頂呱呱|顶呱呱[ding3 gua1 gua1] -顶骨,dǐng gǔ,parietal bone (top of the scull) -顶点,dǐng diǎn,summit; peak; (math.) vertex -顷,qīng,variant of 傾|倾[qing1] -顷,qǐng,unit of area equal to 100 畝|亩[mu3] or 6.67 hectares; a short while; a little while ago; circa. (for approximate dates) -顷久,qǐng jiǔ,an instant or an eternity -顷之,qǐng zhī,in a moment; shortly after -顷刻,qǐng kè,instantly; in no time -顷刻间,qǐng kè jiān,in an instant -顷者,qǐng zhě,just now; a short while ago -项,xiàng,surname Xiang -项,xiàng,"back of neck; item; thing; term (in a mathematical formula); sum (of money); classifier for principles, items, clauses, tasks, research projects etc" -项上人头,xiàng shàng rén tóu,"head; neck (as in ""to save one's neck"", i.e. one's life)" -项圈,xiàng quān,necklace -项城,xiàng chéng,"Xiangcheng, county-level city in Zhoukou 周口, Henan" -项城市,xiàng chéng shì,"Xiangcheng, county-level city in Zhoukou 周口, Henan" -项目,xiàng mù,item; project; (sports) event; CL:個|个[ge4] -项目管理,xiàng mù guǎn lǐ,project management -项羽,xiàng yǔ,"Xiang Yu the Conqueror (232-202 BC), warlord defeated by first Han emperor" -项英,xiàng yīng,"Xiang Ying (1898-1941), communist general involved in forming the New Fourth Army 新四軍|新四军[Xin1 si4 jun1], killed in 1941 during the New Fourth Army incident 皖南事變|皖南事变[Wan3 nan2 Shi4 bian4]" -项庄舞剑,xiàng zhuāng wǔ jiàn,"lit. Xiang Zhuang performs the sword dance, but his mind is set on Liu Bang 劉邦|刘邦[Liu2 Bang1] (idiom, refers to plot to kill Liu Bang during the Hongmen feast 鴻門宴|鸿门宴[Hong2 men2 yan4] in 206 BC); fig. an elaborate deception hiding malicious intent" -项链,xiàng liàn,necklace; CL:條|条[tiao2] -项颈,xiàng jǐng,back of neck -顺,shùn,to obey; to follow; to arrange; to make reasonable; along; favorable -顺位,shùn wèi,rank; place; position -顺便,shùn biàn,conveniently; in passing; without much extra effort -顺其自然,shùn qí zì rán,to let nature take its course (idiom) -顺利,shùn lì,smoothly; without a hitch -顺势,shùn shì,to take advantage; to seize an opportunity; in passing; without taking extra trouble; conveniently -顺势疗法,shùn shì liáo fǎ,homeopathy (alternative medicine) -顺化,shùn huà,"Hue, city in central Vietnam and capital of Thua Thien province" -顺口,shùn kǒu,to read smoothly (of text); to blurt out (without thinking); to suit one's taste (of food) -顺口溜,shùn kǒu liū,popular piece of doggerel; common phrase repeated as a jingle -顺和,shùn hé,gentle; affable -顺嘴,shùn zuǐ,to read smoothly (of text); to blurt out (without thinking); to suit one's taste (of food) -顺嘴儿,shùn zuǐ er,to read smoothly (of text); to blurt out (without thinking); to suit one's taste (of food) -顺坦,shùn tan,smoothly; as one expects -顺城,shùn chéng,"Shuncheng, a district of Fushun 撫順市|抚顺市[Fu3shun4 Shi4], Liaoning" -顺城区,shùn chéng qū,"Shuncheng, a district of Fushun 撫順市|抚顺市[Fu3shun4 Shi4], Liaoning" -顺境,shùn jìng,favorable circumstances -顺子,shùn zi,"a straight (poker, mahjong)" -顺导,shùn dǎo,to guide sth on its proper course; to guide towards profitable outcome -顺山倒,shùn shān dǎo,Timber! (lumberjack's warning call) -顺差,shùn chā,(trade or budget) surplus -顺带,shùn dài,(do sth) in passing; incidentally (while doing sth else) -顺带一提,shùn dài yī tí,by the way -顺平,shùn píng,"Shunping county in Baoding 保定[Bao3 ding4], Hebei" -顺平县,shùn píng xiàn,"Shunping county in Baoding 保定[Bao3 ding4], Hebei" -顺序,shùn xù,sequence; order -顺序数,shùn xù shù,ordinal number -顺延,shùn yán,to postpone; to procrastinate -顺式,shùn shì,cis- (isomer) (chemistry); see also 反式[fan3 shi4] -顺从,shùn cóng,obedient; to comply; to submit; to defer -顺德,shùn dé,"Shunde, a district of Foshan 佛山市[Fo2shan1 Shi4], Guangdong" -顺德区,shùn dé qū,"Shunde, a district of Foshan 佛山市[Fo2shan1 Shi4], Guangdong" -顺心,shùn xīn,happy; satisfactory -顺性别,shùn xìng bié,cisgender -顺意,shùn yì,pleasant; agreeable -顺庆,shùn qìng,"Shunqing district of Nanchong city 南充市[Nan2 chong1 shi4], Sichuan" -顺庆区,shùn qìng qū,"Shunqing district of Nanchong city 南充市[Nan2 chong1 shi4], Sichuan" -顺应,shùn yìng,to comply; to conform to; in tune with; adapting to; to adjust to -顺应不良,shùn yìng bù liáng,inability to adjust; unable to adapt -顺应天时,shùn yìng tiān shí,going with nature and the seasons (TCM) -顺我者昌逆我者亡,shùn wǒ zhě chāng nì wǒ zhě wáng,"submit to me and prosper, or oppose me and perish" -顺手,shùn shǒu,easily; without trouble; while one is at it; in passing; handy -顺手儿,shùn shǒu er,handy; convenient and easy to use; smoothly -顺手牵羊,shùn shǒu qiān yáng,lit. to lead away a goat while passing by (idiom); fig. to opportunistically pocket sb's possessions and walk off -顺叙,shùn xù,chronological narrative -顺斜,shùn xié,(geology) cataclinal -顺昌,shùn chāng,"Shunchang county in Nanping 南平[Nan2 ping2], Fujian" -顺昌县,shùn chāng xiàn,"Shunchang county in Nanping 南平[Nan2 ping2], Fujian" -顺时针,shùn shí zhēn,clockwise -顺畅,shùn chàng,smooth and unhindered; fluent -顺服,shùn fú,to submit to -顺次,shùn cì,in order; in proper sequence -顺民,shùn mín,docile subject (of new dynasty); toady -顺气,shùn qì,nice; pleasant -顺水,shùn shuǐ,with the current -顺水人情,shùn shuǐ rén qíng,to do sb a favor at little cost -顺水推舟,shùn shuǐ tuī zhōu,lit. to push the boat with the current; fig. to take advantage of the situation for one's own benefit -顺水推船,shùn shuǐ tuī chuán,lit. to push the boat with the current; fig. to take advantage of the situation for one's own benefit -顺河区,shùn hé qū,"Shunhe Hui district of Kaifeng city 開封市|开封市[Kai1 feng1 shi4], Henan" -顺河回族区,shùn hé huí zú qū,"Shunhe Hui district of Kaifeng city 開封市|开封市[Kai1 feng1 shi4], Henan" -顺治,shùn zhì,reign name of second Qing emperor (1644-1662) -顺治帝,shùn zhì dì,"Fulin Emperor Shunzhi (1638-1662), second Qing emperor, reigned 1644-1662" -顺溜,shùn liu,orderly; tidy; smooth -顺滑,shùn huá,smooth -顺潮,shùn cháo,favorable tide -顺理成章,shùn lǐ chéng zhāng,logical; only to be expected; rational and clearly structured (of text) -顺产,shùn chǎn,to give birth without complications; easy childbirth; safe delivery; natural birth (without surgical operation) -顺当,shùn dang,smoothly -顺眼,shùn yǎn,pleasing to the eye; nice to look at -顺磁,shùn cí,paramagnetic -顺稿,shùn gǎo,to edit a text for readability -顺义,shùn yì,"Shunyi, a district of Beijing" -顺义区,shùn yì qū,"Shunyi, a district of Beijing" -顺耳,shùn ěr,pleasing to the ear -顺着,shùn zhe,to follow; following; along -顺藤摸瓜,shùn téng mō guā,lit. to follow the vine to get to the melon; to track sth following clues -顺行,shùn xíng,circular motion in the same sense as the sun; clockwise -顺访,shùn fǎng,to visit in passing -顺路,shùn lù,by the way; while out doing sth else; conveniently -顺遂,shùn suì,everything is going smoothly; just as one wishes -顺道,shùn dào,on the way -顺适,shùn shì,agreeable; to conform -顺风,shùn fēng,lit. tail wind; Bon voyage! -顺风耳,shùn fēng ěr,sb with preternaturally good hearing (in fiction); fig. a well-informed person -顺风车,shùn fēng chē,vehicle that gives one a free ride; (fig.) (ride on sb's) coattails; (take advantage of) an opportunity -顺风转舵,shùn fēng zhuǎn duò,to act according to whatever is the current outlook; pragmatic; unprincipled -顸,hān,dawdling -须,xū,must; to have to; to wait -须丸,xū wán,hematite Fe2O3 -须弥,xū mí,"Mt Meru or Sumeru, sacred mountain in Buddhist and Jain tradition; Mt Xumi in Guyuan 固原[Gu4 yuan2], Ningxia, with many Buddhist cave statues" -须弥山,xū mí shān,"Mt Meru or Sumeru, sacred mountain in Buddhist and Jain tradition; Mt Xumi in Guyuan 固原[Gu4 yuan2], Ningxia, with many Buddhist cave statues" -须后,xū hòu,aftershave -须后水,xū hòu shuǐ,aftershave -须根,xū gēn,fibrous roots -须知,xū zhī,key information; instructions; it must be borne in mind -须臾,xū yú,in a flash; in a jiffy -须要,xū yào,must; have to -顼,xū,surname Xu; Taiwan pr. [Xu4] -顼,xū,used in 顓頊|颛顼[Zhuan1 xu1]; used in 頊頊|顼顼[xu1 xu1]; Taiwan pr. [xu4] -顼顼,xū xū,frustrated; disappointed -颂,sòng,ode; eulogy; to praise in writing; to wish (in letters) -颂扬,sòng yáng,to eulogize; to praise -颂歌,sòng gē,carol -颂声载道,sòng shēng zài dào,lit. praise fills the roads (idiom); praise everywhere; universal approbation -颂词,sòng cí,commendation speech; eulogy; ode -颂赞,sòng zàn,to praise -颂辞,sòng cí,variant of 頌詞|颂词[song4 ci2] -颀,qí,tall -颃,háng,fly down -预,yù,to advance; in advance; beforehand; to prepare -预付,yù fù,to pay in advance; prepaid -预估,yù gū,to estimate; to forecast; prediction; projection -预备,yù bèi,to prepare; to make ready; preparation; preparatory -预备役军人,yù bèi yì jūn rén,reserve troops -预备知识,yù bèi zhī shi,background knowledge; prerequisite -预兆,yù zhào,omen; sign (of sth yet to occur); prior indication; to foreshadow -预先,yù xiān,beforehand; in advance -预判,yù pàn,to predict; to anticipate -预卜,yù bǔ,to foretell; to predict -预印,yù yìn,to preprint -预印本,yù yìn běn,a preprint -预告,yù gào,to forecast; to predict; advance notice -预告片,yù gào piàn,trailer (for a movie) -预售,yù shòu,to sell in advance -预报,yù bào,forecast -预定,yù dìng,to schedule in advance -预定义,yù dìng yì,predefined -预审,yù shěn,preliminary hearing; interrogation (of a suspect); preliminary examination (of a project etc) -预后,yù hòu,prognosis -预想,yù xiǎng,to anticipate; to expect -预感,yù gǎn,to have a premonition; premonition -预应力,yù yìng lì,prestressed -预扣,yù kòu,to withhold -预提,yù tí,to withhold (tax); withholding -预提费用,yù tí fèi yòng,(accounting) accrued expense -预支,yù zhī,to pay in advance; to get payment in advance -预收费,yù shōu fèi,prepayment -预料,yù liào,to forecast; to anticipate; expectation -预会,yù huì,variant of 與會|与会[yu4 hui4] -预期,yù qī,to expect; to anticipate -预期推理,yù qī tuī lǐ,predictive inference -预期收入票据,yù qī shōu rù piào jù,"revenue anticipation note (RAN, financing)" -预期用途,yù qī yòng tú,intended use -预案,yù àn,contingency plan -预测,yù cè,to forecast; to predict -预演,yù yǎn,dummy run; to run through sth; to rehearse -预热,yù rè,to preheat; (fig.) to warm up; to prepare for -预产期,yù chǎn qī,expected date of childbirth; estimated due date (EDD) -预留,yù liú,to set aside; to reserve -预知,yù zhī,to anticipate; to foresee -预示,yù shì,to indicate; to foretell; to forebode; to betoken -预祝,yù zhù,"to wish sb (success, bon voyage etc)" -预科,yù kē,preparatory course (in college) -预算,yù suàn,budget -预约,yù yuē,booking; reservation; to book; to make an appointment -预习,yù xí,to prepare a lesson -预处理,yù chǔ lǐ,to preprocess -预装,yù zhuāng,prefabricated; preinstalled; bundled (software) -预制,yù zhì,prefabricated; precut; to prefabricate -预制菜,yù zhì cài,ready-made meal -预见,yù jiàn,to foresee; to predict; to forecast; to envision; foresight; intuition; vision -预览,yù lǎn,preview; to preview -预言,yù yán,to predict; prophecy -预言家,yù yán jiā,prophet -预订,yù dìng,to place an order; to book ahead -预计,yù jì,to forecast; to predict; to estimate -预托证券,yù tuō zhèng quàn,"depository receipt (DR, in share dealing)" -预设,yù shè,to presuppose; to predispose; to preset; presupposition; predisposition; default (value etc) -预试,yù shì,pretest -预谋,yù móu,premeditated; to plan sth in advance (esp. a crime) -预谋杀人,yù móu shā rén,premeditated murder -预警,yù jǐng,warning; early warning -预警机,yù jǐng jī,"early warning aircraft system, e.g. US AWACS" -预警系统,yù jǐng xì tǒng,early warning system -预购,yù gòu,advance purchase -预赛,yù sài,preliminary competition; to hold preliminary heats -预选,yù xuǎn,preselection; short-listing; primary election -预配,yù pèi,pre-allocated; prewired -预防,yù fáng,to prevent; to take precautions against; to protect; to guard against; precautionary; prophylactic -预防免疫,yù fáng miǎn yì,prophylactic inoculation -预防性,yù fáng xìng,prophylactic; preventative; protective -预防接种,yù fáng jiē zhòng,prophylactic inoculation -预防措施,yù fáng cuò shī,protective step; protective measure -预防法,yù fáng fǎ,prophylaxis; medical prevention -预防针,yù fáng zhēn,immunization injection; fig. forewarning; heads-up; preventive measure -顽,wán,mischievous; obstinate; to play; stupid; stubborn; naughty -顽劣,wán liè,stubborn and obstreperous; naughty and mischievous -顽匪,wán fěi,gangster; bandit -顽固,wán gù,stubborn; obstinate -顽强,wán qiáng,tenacious; hard to defeat -顽梗,wán gěng,obstinate; stubborn; pig-headed -顽民,wán mín,unruly people; rebellious subjects; disloyal citizens -顽疾,wán jí,ineradicable disease; fig. deep-seated problem; perennial problem -顽症,wán zhèng,stubborn illness; disease that is difficult to treat -顽皮,wán pí,naughty -顽童,wán tóng,urchin -顽钝,wán dùn,blunt (instrument); stupid; thick-headed -颁,bān,to promulgate; to send out; to issue; to grant or confer -颁布,bān bù,"to issue; to proclaim; to enact (laws, decrees etc)" -颁授,bān shòu,to confer (e.g. a diploma); to award -颁奖,bān jiǎng,to confer an award -颁发,bān fā,to issue; to promulgate; to award -颁白,bān bái,variant of 斑白[ban1 bai2] -颁示,bān shì,to make public; to display -颁给,bān gěi,to award; to confer on (sb) -颁行,bān xíng,issue for enforcement -颁赐,bān cì,to award (a medal etc) -颁赏,bān shǎng,to bestow a prize or reward; an award -顿,dùn,"to stop; to pause; to arrange; to lay out; to kowtow; to stamp (one's foot); at once; classifier for meals, beatings, scoldings etc: time, bout, spell, meal" -顿悟,dùn wù,a flash of realization; the truth in a flash; a moment of enlightenment (usually Buddhist) -顿挫,dùn cuò,"a transition (stop and change) in spoken sound, music or in brush strokes; a cadence; punctuated by a transition; with syncopated cadence (brush stroke in painting)" -顿挫抑扬,dùn cuò yì yáng,cadence; modulation -顿时,dùn shí,immediately; suddenly -顿河,dùn hé,Don River -顿涅斯克,dùn niè sī kè,Donetsk region of W. Ukraine -顿涅茨克,dùn niè cí kè,"Donetsk, city in Ukraine" -顿然,dùn rán,suddenly; abruptly -顿号,dùn hào,enumeration comma (、) (used to separate words or phrases in a list) -顿觉,dùn jué,to feel suddenly; to realize abruptly -顿足,dùn zú,stamp (one's feet) -顿首,dùn shǒu,kowtow -颇,pō,surname Po; Taiwan pr. [Po3] -颇,pō,rather; quite; considerably; oblique; inclined; slanting; Taiwan pr. [po3] -颇具,pō jù,rather; quite; to have much -颇多,pō duō,(quite) a lot; many -颇为,pō wéi,rather; quite -领,lǐng,"neck; collar; to lead; to receive; classifier for clothes, mats, screens etc" -领主,lǐng zhǔ,feudal lord; suzerain; overlord -领事,lǐng shì,consul -领事馆,lǐng shì guǎn,consulate -领便当,lǐng biàn dāng,see 領盒飯|领盒饭[ling3 he2 fan4] -领先,lǐng xiān,to lead; to be in front -领先地位,lǐng xiān dì wèi,lead(ing) position -领到,lǐng dào,to receive -领取,lǐng qǔ,to receive; to draw; to get -领受,lǐng shòu,to accept; to receive -领口,lǐng kǒu,collar; neckband; neckline; the place where the two ends of a collar meet -领命,lǐng mìng,to accept an order -领唱,lǐng chàng,to lead a chorus; choirmaster; leading singer -领土,lǐng tǔ,territory -领土完整,lǐng tǔ wán zhěng,territorial integrity -领地,lǐng dì,territory; domain; estate; (old) fief -领域,lǐng yù,domain; sphere; field; territory; area -领子,lǐng zi,shirt collar -领导,lǐng dǎo,"lead; leading; to lead; leadership; leader; CL:位[wei4],個|个[ge4]" -领导人,lǐng dǎo rén,leader -领导力,lǐng dǎo lì,leadership (capacity to lead) -领导小组,lǐng dǎo xiǎo zǔ,"leading small group (LSG), a CCP body that exercises general oversight on matters relating to a specific area (LSG for foreign affairs 外事工作, LSG for comprehensively deepening reforms 全面深化改革 etc); aka central leading group" -领导层,lǐng dǎo céng,ruling class; leaders (of society); oligarchy -领导权,lǐng dǎo quán,leadership authority -领导统御,lǐng dǎo tǒng yù,(Tw) leadership -领导者,lǐng dǎo zhě,leader -领导能力,lǐng dǎo néng lì,leadership (ability) -领导集体,lǐng dǎo jí tǐ,leadership group; collective of leaders -领岩鹨,lǐng yán liù,(bird species of China) alpine accentor (Prunella collaris) -领工,lǐng gōng,to work as a foreman; foreman; supervisor -领巾,lǐng jīn,neckcloth; neckerchief -领带,lǐng dài,necktie; CL:條|条[tiao2] -领悟,lǐng wù,to understand; to comprehend -领悟力,lǐng wù lì,comprehension; perception; feeling -领情,lǐng qíng,to feel grateful to sb; to appreciate the kindness -领收,lǐng shōu,to accept (a favor); to receive -领教,lǐng jiào,much obliged; thank you; to ask advice; (ironically or humorously) to experience; to taste -领料,lǐng liào,receiving materials -领料单,lǐng liào dān,material requisition form -领会,lǐng huì,to understand; to comprehend; to grasp -领有,lǐng yǒu,to possess; to own -领洗,lǐng xǐ,to be baptized -领海,lǐng hǎi,territorial waters -领燕鸻,lǐng yàn héng,(bird species of China) collared pratincole (Glareola pratincola) -领奖,lǐng jiǎng,to receive an award -领奖台,lǐng jiǎng tái,(winner's) podium -领班,lǐng bān,supervisor; foreman; head waiter or waitress -领略,lǐng lüè,to have a taste of; to realize; to appreciate -领盒饭,lǐng hé fàn,(coll.) (of an actor with a bit part) to receive a boxed meal when one's job is done (phrase used e.g. by movie viewers when a character dies) -领空,lǐng kōng,territorial air space -领章,lǐng zhāng,collar insignia -领结,lǐng jié,bow tie; loop of a necktie; lavaliere -领罪,lǐng zuì,to confess one's fault; to accept one's punishment -领航,lǐng háng,navigation; navigator; to navigate -领航员,lǐng háng yuán,navigator -领英,lǐng yīng,LinkedIn (professional networking website) -领袖,lǐng xiù,leader -领角鸮,lǐng jiǎo xiāo,(bird species of China) Japanese scops owl (Otus semitorques) -领诺,lǐng nuò,consent -领证,lǐng zhèng,to obtain a certificate or license etc; (esp.) to obtain a marriage certificate; to marry -领走,lǐng zǒu,"to lead (sb, or an animal) away; to collect (e.g. a child left in sb's care beforehand); to take away" -领跑,lǐng pǎo,to take the lead in a race; to set the pace -领路,lǐng lù,to lead the way -领军,lǐng jūn,to lead troups; (fig.) to lead; leading -领扣,lǐng kòu,collar button -领衔,lǐng xián,leading (role); heading list of signatories; leading actors (in a show); starring -领衔主演,lǐng xián zhǔ yǎn,leading actors (in a show); starring -领队,lǐng duì,to lead a group; leader of a group; captain (of sports squad) -领雀嘴鹎,lǐng què zuǐ bēi,(bird species of China) collared finchbill (Spizixos semitorques) -领头,lǐng tóu,to take the lead; to be first to start -领头羊,lǐng tóu yáng,bellwether -领养,lǐng yǎng,"to adopt (a child, pet etc)" -领馆,lǐng guǎn,consulate; consular official -领鸺鹠,lǐng xiū liú,(bird species of China) collared owlet (Glaucidium brodiei) -颌,hé,(bound form) jaw -额,é,variant of 額|额[e2] -颉,xié,surname Xie -颉,jié,to confiscate; legendary dog-like animal (old) -颉,xié,(of a bird) to fly upwards; (of the neck) stiff -颐,yí,(literary) chin; jaw; (literary) to foster; to nurture; to protect -颐和园,yí hé yuán,Summer Palace in Beijing -颐性养寿,yí xìng yǎng shòu,to take care of one's spirit and keep fit (idiom) -颐指,yí zhǐ,to order with the chin; to indicate what one wants by facial gesture -颐指气使,yí zhǐ qì shǐ,lit. to order people by pointing the chin (idiom); to signal orders by facial gesture; arrogant and bossy -颐指风使,yí zhǐ fēng shǐ,lit. to order people by pointing the chin (idiom); to signal orders by facial gesture; arrogant and bossy -颐养,yí yǎng,to nourish; to nurture; to strengthen -颐养天年,yí yǎng tiān nián,lit. to nurture one's years (idiom); fig. to enjoy one's later years -颏,kē,chin -颏,ké,(used in bird names) throat -头,tóu,head; hair style; the top; end; beginning or end; a stub; remnant; chief; boss; side; aspect; first; leading; classifier for pigs or livestock; CL:個|个[ge4] -头,tou,suffix for nouns -头一,tóu yī,the first -头一回,tóu yī huí,the first time; for the first time -头七,tóu qī,the 7th day after a person's death; the first 7-day period after a person's death -头上,tóu shàng,overhead; above -头份,tóu fèn,"Toufen town in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -头份镇,tóu fèn zhèn,"Toufen town in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -头伏,tóu fú,see 初伏[chu1 fu2] -头位,tóu wèi,(car racing) pole position; (obstetrics) cephalic presentation (i.e. head-first birth) -头信息,tóu xìn xī,header (computing) -头倒立,tóu dào lì,headstand -头像,tóu xiàng,portrait; bust; (computing) profile picture; avatar -头儿,tóu er,leader -头儿脑儿,tóu er nǎo er,leading figure; bigwig -头兜,tóu dōu,helmet; chain mail hung from head to protect neck -头冠,tóu guān,a crown; top of the head -头功,tóu gōng,first class merit -头午,tóu wǔ,(dialect) morning -头半天,tóu bàn tiān,morning; first half of the day -头半天儿,tóu bàn tiān er,erhua variant of 頭半天|头半天[tou2 ban4 tian1] -头名,tóu míng,first place; leader (of a race) -头向前,tóu xiàng qián,headlong -头回,tóu huí,for the first time; on the previous occasion; last time (something occurred) -头城,tóu chéng,"Toucheng Town in Yilan County 宜蘭縣|宜兰县[Yi2 lan2 Xian4], Taiwan" -头城镇,tóu chéng zhèn,"Toucheng Town in Yilan County 宜蘭縣|宜兰县[Yi2 lan2 Xian4], Taiwan" -头大,tóu dà,to have a big head; (fig.) to get a headache; one's head is swimming -头套,tóu tào,actor's headgear; wig; head covering -头子,tóu zi,boss; gang leader -头孢,tóu bāo,(pharm.) cephalosporin -头孢噻吩,tóu bāo sāi fēn,(pharm.) cefalotin (aka cephalothin) -头孢拉定,tóu bāo lā dìng,(pharm.) cefradine (aka cephradine) -头孢菌素,tóu bāo jūn sù,(pharm.) cephalosporin -头家,tóu jiā,organizer of a gambling party who takes a cut of the winnings; banker (gambling); preceding player (in a game); (dialect) boss; proprietor -头寸,tóu cùn,(finance) cash position; position -头对头,tóu duì tóu,(of clinical trial) head-to-head -头屋,tóu wū,"Touwu township in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -头屋乡,tóu wū xiāng,"Touwu township in Miaoli county 苗栗縣|苗栗县[Miao2 li4 xian4], northwest Taiwan" -头屯河,tóu tún hé,"Toutunhe District of Urumqi 烏魯木齊市|乌鲁木齐市[Wu1lu3mu4qi2 Shi4], Xinjiang" -头屯河区,tóu tún hé qū,"Toutunhe District of Urumqi 烏魯木齊市|乌鲁木齐市[Wu1lu3mu4qi2 Shi4], Xinjiang" -头巾,tóu jīn,cloth head covering worn by men in ancient times; headscarf (typically worn by women); kerchief; turban -头座,tóu zuò,"headstock; turning head of a screw, drill, lathe etc" -头彩,tóu cǎi,first prize in a lottery -头戴式耳机,tóu dài shì ěr jī,headphones -头挡,tóu dǎng,first gear -头文字,tóu wén zì,initial; first letter of word (in Latin script) -头昏,tóu hūn,dizzy; giddy; one's head spins -头昏目晕,tóu hūn mù yūn,see 頭昏目眩|头昏目眩[tou2 hun1 mu4 xuan4] -头昏目眩,tóu hūn mù xuàn,(idiom) dazed; dizzy -头昏眼晕,tóu hūn yǎn yūn,head spinning and blurred vision; giddy; in a faint -头昏眼暗,tóu hūn yǎn àn,head spinning and eyes dark (idiom); dizzy; fainting; vertigo -头昏眼花,tóu hūn yǎn huā,to faint with blurred vision (idiom); dizzy and eyes dimmed -头昏脑闷,tóu hūn nǎo mèn,fainting and giddy; one's head spins -头昏脑涨,tóu hūn nǎo zhàng,variant of 頭昏腦脹|头昏脑胀[tou2 hun1 nao3 zhang4] -头昏脑眩,tóu hūn nǎo xuàn,dizzying; it makes one's head spin -头昏脑胀,tóu hūn nǎo zhàng,giddy; one's head spins -头晚,tóu wǎn,previous night -头晕,tóu yūn,dizzy -头晕目眩,tóu yūn mù xuàn,to have a dizzy spell; dazzled -头晕眼花,tóu yūn yǎn huā,to faint with blurred vision (idiom); dizzy and eyes dimmed -头晕脑涨,tóu yūn nǎo zhàng,variant of 頭暈腦脹|头晕脑胀[tou2 yun1 nao3 zhang4] -头晕脑胀,tóu yūn nǎo zhàng,dizzy and light-headed -头朝下,tóu cháo xià,(falling or suspended) head downwards; headfirst; headlong -头期款,tóu qī kuǎn,down payment -头枕,tóu zhěn,headrest -头条,tóu tiáo,"Toutiao, personalized content recommendation app (abbr. for 今日頭條|今日头条[Jin1 ri4 Tou2 tiao2])" -头条,tóu tiáo,lead story (on the news) -头条新闻,tóu tiáo xīn wén,top news story -头梳,tóu shū,comb; hairbrush -头款,tóu kuǎn,down payment -头汤,tóu tāng,"first bouillon, a broth made with ingredients that may later be reboiled to make a second bouillon 二湯|二汤[er4 tang1]" -头灯,tóu dēng,headlight (of a vehicle); headlamp; head torch -头版,tóu bǎn,(newspaper's) front page -头牌,tóu pái,"tablet announcing the name of leading actor in a theatrical production; by extension, the lead role" -头奖,tóu jiǎng,first prize -头球,tóu qiú,(soccer) header -头疼,tóu téng,headache -头痛,tóu tòng,to have a headache -头痛欲裂,tóu tòng yù liè,to have a splitting headache (idiom) -头痛医头,tóu tòng yī tóu,to treat the symptoms; reactive (rather than proactive) -头癣,tóu xuǎn,favus of the scalp (skin disease) -头皮,tóu pí,scalp -头皮屑,tóu pí xiè,dandruff -头盔,tóu kuī,helmet -头目,tóu mù,ringleader; gang leader; chieftain -头破血流,tóu pò xuè liú,lit. head broken and blood flowing; fig. badly bruised -头等,tóu děng,first class; prime; main -头等舱,tóu děng cāng,1st class cabin -头箍,tóu gū,headband -头箍儿,tóu gū er,band used by Manchu women to gather up the hair -头纱,tóu shā,wedding veil; gauze headscarf or veil -头索类,tóu suǒ lèi,lancelet (Branchiostoma) -头绪,tóu xù,outline; main threads -头绳,tóu shéng,string to tie hair -头罩,tóu zhào,hairnet; hood; cowl -头羊,tóu yáng,bellwether -头胸部,tóu xiōng bù,cephalothorax -头胀,tóu zhàng,distention in the head (TCM) -头脑,tóu nǎo,brains; mind; skull; (fig.) gist (of a matter); leader; boss -头脑清楚,tóu nǎo qīng chu,lucid; clear-headed; sensible -头脑发胀,tóu nǎo fā zhàng,swelling of the head (physical condition); fig. swellheaded; conceited -头脑简单四肢发达,tóu nǎo jiǎn dān sì zhī fā dá,all brawn no brains -头脑风暴,tóu nǎo fēng bào,brainstorming -头脸,tóu liǎn,head and face -头脸儿,tóu liǎn er,erhua variant of 頭臉|头脸[tou2 lian3] -头盖,tóu gài,skull; cranium -头盖骨,tóu gài gǔ,skull; cranium -头号,tóu hào,first rate; top rank; number one -头号字,tóu hào zì,largest typeface; biggest letters -头虱,tóu shī,head lice -头角,tóu jiǎo,youngster's talent; brilliance of youth -头角峥嵘,tóu jiǎo zhēng róng,promise of brilliant young person (idiom); showing extraordinary gifts -头足纲,tóu zú gāng,"Cephalopoda, class of mollusks including nautilus and squid" -头路,tóu lù,clue; thread (of a story); mate; first class -头道,tóu dào,"first time; first (round, course, coat of paint etc)" -头部,tóu bù,head -头里,tóu lǐ,in front; in advance of the field -头重,tóu zhòng,disequilibrium; top-heavy; heaviness in the head (medical condition) -头重脚轻,tóu zhòng jiǎo qīng,top-heavy; fig. unbalance in organization or political structure -头衔,tóu xián,title; rank; appellation -头陀,tóu tuó,itinerant monk (loanword from Sanskrit) -头面,tóu miàn,head ornament (in former times); (literary) head; face; looks -头面人物,tóu miàn rén wù,leading figure; bigwig -头顶,tóu dǐng,top of the head -头领,tóu lǐng,head person; leader -头头,tóu tóu,head; chief -头头是道,tóu tóu shì dào,clear and logical -头颈,tóu jǐng,(dialect) neck -头显,tóu xiǎn,HMD; head-mounted display (abbr. for 頭戴式顯示器|头戴式显示器[tou2 dai4 shi4 xian3 shi4 qi4]) -头颅,tóu lú,head; skull -头风,tóu fēng,headache (Chinese medicine) -头饰,tóu shì,head ornament -头香,tóu xiāng,the first stick of incense placed in the censer (believed to bring good luck esp. during festivities); (slang) (Tw) the first reply to a blog post etc -头骨,tóu gǔ,skull -头发,tóu fa,hair (on the head) -头发胡子一把抓,tóu fa hú zi yī bǎ zhuā,lit. hair and beard all in one stroke; fig. to handle different things by the same method; one method to solve all problems; one size fits all -颊,jiá,cheeks -颊窝,jiá wō,dimple; heat-sensing facial pit of a snake -颔,hàn,chin; to nod (one's assent) -颔下,hàn xià,under one's chin -颔下腺,hàn xià xiàn,submaxillary glands (biology) -颔联,hàn lián,third and fourth lines (in an eight-line poem) which form a couplet -颔首,hàn shǒu,to nod one's head -颔首之交,hàn shǒu zhī jiāo,nodding acquaintance -颔首微笑,hàn shǒu wēi xiào,to nod and smile -颈,gěng,used in 脖頸兒|脖颈儿[bo2 geng3 r5] -颈,jǐng,neck -颈动脉,jǐng dòng mài,carotid artery (medicine) -颈圈,jǐng quān,collar (animal) -颈子,jǐng zi,neck -颈椎,jǐng zhuī,cervical vertebra; the seven cervical vertebrae in the neck of humans and most mammals -颈椎病,jǐng zhuī bìng,cervical spondylosis -颈背,jǐng bèi,nape -颈部,jǐng bù,neck -颈链,jǐng liàn,necklace -颈项,jǐng xiàng,neck -颓,tuí,to crumble; to collapse; to decline; to decay; decadent; dejected; dispirited; balding -颓势,tuí shì,decline (in fortune) -颓唐,tuí táng,dispirited; depressed -颓丧,tuí sàng,dejected; disheartened; listless -颓圮,tuí pǐ,to collapse; dilapidated -颓垣断壁,tuí yuán duàn bì,lit. walls reduced to rubble (idiom); fig. scene of devastation; ruins -颓塌,tuí tā,to collapse -颓坏,tuí huài,dilapidated; decrepit -颓废,tuí fèi,decadent; dispirited; depressed; dejected -颓废派,tuí fèi pài,decadents (of the Decadent movement of late 19th century Europe) -颓放,tuí fàng,decadent; dissolute; degenerate -颓败,tuí bài,to decay; to decline; to become corrupt -颓景,tuí jǐng,scene of dilapidation -颓朽,tuí xiǔ,decaying; rotten; decrepit -颓然,tuí rán,decrepit; ruined; disappointed -颓老,tuí lǎo,old and decrepit; senile -颓萎,tuí wěi,listless; dispirited -颓运,tuí yùn,crumbling fate; declining fortune -颓靡,tuí mǐ,(literary) devastated -颓风,tuí fēng,degenerate custom; decadent ways -频,pín,frequency; frequently; repetitious -频仍,pín réng,frequent -频宽,pín kuān,(Tw) bandwidth -频带,pín dài,frequency range; bandwidth -频度,pín dù,frequency -频数,pín shù,frequency -频数,pín shuò,(literary) frequent; repeated -频数分布,pín shù fēn bù,frequency distribution -频次,pín cì,frequency -频段,pín duàn,(radio) band; frequency band -频率,pín lǜ,frequency -频率合成,pín lǜ hé chéng,frequency synthesis -频率调制,pín lǜ tiáo zhì,frequency modulation -频发,pín fā,(usu. of bad things) to frequently happen; to occur often -频繁,pín fán,frequently; often -频谱,pín pǔ,frequency spectrum; spectrum; spectrogram -频道,pín dào,frequency; (television) channel -频频,pín pín,repeatedly; again and again; continuously; constantly -赖,lài,variant of 賴|赖[lai4] -颓,tuí,variant of 頹|颓[tui2] -颗,kē,"classifier for small spheres, pearls, corn grains, teeth, hearts, satellites etc" -颗粒,kē lì,"kernel; granule; granulated (sugar, chemical product)" -颗粒无收,kē lì wú shōu,not a single grain was reaped (as in a bad harvest year) -颗粒物,kē lì wù,particulate matter (PM) -悴,cuì,variant of 悴[cui4] -腮,sāi,variant of 腮[sai1] -题,tí,surname Ti -题,tí,"topic; problem for discussion; exam question; subject; to inscribe; to mention; CL:個|个[ge4],道[dao4]" -题名,tí míng,autograph; to sign one's name -题外话,tí wài huà,off-topic comment; digression -题字,tí zì,"to write an inscription (poem, remark, autograph etc); an inscription" -题写,tí xiě,"to create a work of calligraphy for display in a prominent place (typically, a sign)" -题序,tí xù,"to compose a preface (or introductory remarks, etc); question (or section) order (on an exam paper); question (or section) number" -题库,tí kù,"question bank (for examiners creating an exam, or students preparing for an exam)" -题意,tí yì,meaning of a title; implication; theme -题旨,tí zhǐ,subject of literary work -题材,tí cái,subject matter -题献,tí xiàn,"to dedicate (a book, film etc to sb)" -题目,tí mù,subject; title; topic (CL:個|个[ge4]); exercise or exam question (CL:道[dao4]) -题签,tí qiān,to write the title of a book on a label -题花,tí huā,title design -题解,tí jiě,notes; key (to exercises) -题记,tí jì,epigraph; inscription; graffito -题词,tí cí,inscription; dedication -题诗,tí shī,"to inscribe a poem (often, composed on the spot) on a painting, fan or ceramic bowl etc as a work of calligraphy; an inscribed poem" -题跋,tí bá,short comments; preface and postscript -额,é,forehead; horizontal tablet or inscribed board; specified number or amount -额吉,é jí,mother (Mongolian) -额外,é wài,extra; added; additional -额外性,é wài xìng,additionality (economics) -额外补贴,é wài bǔ tiē,"to give an extra subsidy, or bonus etc; bonus; perquisite" -额定,é dìng,"specified (capacity, output etc); rated (capacity, output etc)" -额定值,é dìng zhí,"rating (for power output, flame resistance etc)" -额度,é dù,quota; (credit) limit -额敏,é mǐn,"Emin county or Dörbiljin nahiyisi in Tacheng prefecture 塔城地區|塔城地区[Ta3 cheng2 di4 qu1], Xinjiang" -额敏县,é mǐn xiàn,"Emin county or Dörbiljin nahiyisi in Tacheng prefecture 塔城地區|塔城地区[Ta3 cheng2 di4 qu1], Xinjiang" -额比河,é bǐ hé,Ebinur River in Xinjiang -额济纳,é jì nà,"Ejin Banner in Alxa League 阿拉善盟[A1 la1 shan4 Meng2], Inner Mongolia (formerly in Gansu 1969-1979)" -额济纳地区,é jì nà dì qū,"Ejin Banner in Alxa League 阿拉善盟[A1 la1 shan4 Meng2], Inner Mongolia (formerly in Gansu 1969-1979)" -额济纳旗,é jì nà qí,"Ejin Banner in Alxa League 阿拉善盟[A1 la1 shan4 Meng2], Inner Mongolia (formerly in Gansu 1969-1979)" -额济纳河,é jì nà hé,"Ejin River in Alxa League 阿拉善盟[A1 la1 shan4 Meng2], Inner Mongolia" -额尔古纳,é ěr gǔ nà,"Ergun, county-level city, Mongolian Ergüne xot, in Hulunbuir 呼倫貝爾|呼伦贝尔[Hu1 lun2 bei4 er3], Inner Mongolia" -额尔古纳右旗,é ěr gǔ nà yòu qí,"former Ergun Right banner, now in Ergun, county-level city, Mongolian Ergüne xot, in Hulunbuir 呼倫貝爾|呼伦贝尔[Hu1 lun2 bei4 er3], Inner Mongolia" -额尔古纳左旗,é ěr gǔ nà zuǒ qí,"former Ergun Left banner, now in Ergun, county-level city, Mongolian Ergüne xot, in Hulunbuir 呼倫貝爾|呼伦贝尔[Hu1 lun2 bei4 er3], Inner Mongolia" -额尔古纳市,é ěr gǔ nà shì,"Ergun, county-level city, Mongolian Ergüne xot, in Hulunbuir 呼倫貝爾|呼伦贝尔[Hu1 lun2 bei4 er3], Inner Mongolia" -额尔古纳河,é ěr gǔ nà hé,"Argun River of Mongolia and Heilongjiang province, tributary of Heilongjiang River 黑龍江|黑龙江[Hei1 long2 jiang1]" -额尔金,é ěr jīn,"James Bruce, 8th Earl of Elgin (1811-1863), British High Commissioner to China who ordered the looting and destruction of the Old Winter Palace Yuanmingyuan 圓明園|圆明园 in 1860; Thomas Bruce, 7th Earl of Elgin (1766-1841), who stole the Parthenon Marbles in 1801-1810" -额尔齐斯河,é ěr qí sī hé,"Irtysh River, flowing from southwest Altai in Xinjiang through Kazakhstan and Siberia to the Arctic Ocean" -额窦,é dòu,frontal sinus -额菲尔士,é fēi ěr shì,"Everest (name); Colonel Sir George Everest (1790-1866), British Surveyor-General of India 1830-1843; (Mount) Everest" -额菲尔士峰,é fēi ěr shì fēng,Mount Everest -额叶,é yè,frontal lobe -额角,é jiǎo,forehead; temples -额头,é tóu,forehead -额骨,é gǔ,frontal bone (forehead) -颚,è,jaw; palate -颚裂,è liè,cleft palate (birth defect) -颚部,è bù,jaw -颚龈音,è yín yīn,prepalatal or palatal sound (linguistics); palato-alveolar consonant (linguistics) -颜,yán,surname Yan -颜,yán,color; face; countenance -颜值,yán zhí,attractiveness index (rating of how good-looking sb is) -颜值高,yán zhí gāo,good-looking -颜厚,yán hòu,brazen -颜厚有忸怩,yán hòu yǒu niǔ ní,even the most brazen person will sometimes feel shame (idiom) -颜回,yán huí,"Yan Hui (521-481 BC), disciple of Confucius, also known as Yan Yuan 顏淵|颜渊[Yan2 Yuan1]" -颜射,yán shè,to ejaculate onto sb's face -颜控,yán kòng,someone who attaches great importance to good looks (esp. in others) -颜文字,yán wén zì,"Japanese-style emoticon, e.g. (⇀‸↼‶)" -颜料,yán liào,paint; dye; pigment -颜渊,yán yuān,"Yan Yuan (521-481 BC), disciple of Confucius 孔夫子[Kong3 fu1 zi3], also known as 顏回|颜回[Yan2 Hui2]" -颜真卿,yán zhēn qīng,"Yan Zhenqing (709-785), a leading calligrapher of the Tang Dynasty" -颜色,yán sè,color; countenance; appearance; facial expression; pigment; dyestuff -颜面,yán miàn,face; prestige -颜面扫地,yán miàn sǎo dì,lit. for one's face to reach rock bottom; to be thoroughly discredited (idiom) -颜体,yán tǐ,Yan Style (in Chinese calligraphy) -颛,zhuān,surname Zhuan -颛,zhuān,good; simple -颛顼,zhuān xū,"Zhuanxu, one of the Five Legendary Emperors 五帝[wu3 di4], grandson of the Yellow Emperor 黃帝|黄帝[Huang2 di4], trad. reigned 2513-2435 BC" -颜,yán,Japanese variant of 顏|颜[yan2] -愿,yuàn,(bound form) wish; hope; desire; to be willing; to wish (that sth may happen); may ...; vow; pledge -愿心,yuàn xīn,a wish; a request (to a deity) -愿意,yuàn yì,to wish; to want; ready; willing (to do sth) -愿景,yuàn jǐng,vision (of the future) -愿望,yuàn wàng,desire; wish -愿闻其详,yuàn wén qí xiáng,I'd like to hear the details -愿赌服输,yuàn dǔ fú shū,"lit. if you agree to bet you must accept to lose; fig. you bet, you pay" -颡,sǎng,(literary) forehead -颠,diān,top (of the head); apex; to fall forwards; inverted; to jolt -颠三倒四,diān sān dǎo sì,confused; disorderly; incoherent -颠来倒去,diān lái dǎo qù,to harp on; over and over; merely ring changes on a few terms -颠倒,diān dǎo,to turn upside down; to reverse; back to front; confused; deranged; crazy -颠倒是非,diān dǎo shì fēi,to invert right and wrong -颠倒过来,diān dǎo guò lái,to invert -颠倒黑白,diān dǎo hēi bái,lit. to invert black and white (idiom); to distort the truth deliberately; to misrepresent the facts; to invert right and wrong -颠儿面,diān er miàn,to lose face -颠峰,diān fēng,variant of 巔峰|巅峰[dian1 feng1] -颠扑不破,diān pū bù pò,solid; unbreakable; (fig.) irrefutable; incontrovertible; indisputable -颠沛,diān pèi,to fall over; to stumble; (fig.) to suffer hardship; to be in desperate straits -颠沛流离,diān pèi liú lí,homeless and miserable (idiom); to wander about in a desperate plight; to drift -颠狂,diān kuáng,demented -颠簸,diān bǒ,"to be jolted around (car on a bumpy road, boat on a rough sea, aircraft experiencing turbulence); (fig.) to undergo a rough experience" -颠茄,diān qié,deadly nightshade (Atropa belladonna) -颠覆,diān fù,"to topple (i.e. knock over); to capsize; fig. to overturn (a regime, by plotting or subversion); to undermine; to subvert" -颠覆分子,diān fù fèn zǐ,wrecker; saboteur -颠覆国家罪,diān fù guó jiā zuì,crime of incitement to overthrow the state; abbr. for 煽動顛覆國家政權|煽动颠覆国家政权[shan1 dong4 dian1 fu4 guo2 jia1 zheng4 quan2] -颠覆政府罪,diān fù zhèng fǔ zuì,crime of incitement to overthrow the state; abbr. for 煽動顛覆國家政權|煽动颠覆国家政权[shan1 dong4 dian1 fu4 guo2 jia1 zheng4 quan2] -颠覆罪,diān fù zuì,crime of incitement to overthrow the state; abbr. for 煽動顛覆國家政權|煽动颠覆国家政权[shan1 dong4 dian1 fu4 guo2 jia1 zheng4 quan2] -颠踣,diān bó,to fall down; to fall forward -颠连,diān lián,illogical -颠颠,diān diān,glad and diligent -颠鸾倒凤,diān luán dǎo fèng,to have sexual intercourse -类,lèi,kind; type; class; category; similar; like; to resemble -类人猿,lèi rén yuán,hominid -类似,lèi sì,similar; analogous -类似点,lèi sì diǎn,resemblance -类别,lèi bié,classification; category -类器官,lèi qì guān,organoid (regenerative medicine) -类固醇,lèi gù chún,steroid -类地行星,lèi dì xíng xīng,terrestrial planet -类型,lèi xíng,type; kind; category; (computer programming) type -类属词典,lèi shǔ cí diǎn,thesaurus -类推,lèi tuī,to reason by analogy -类星体,lèi xīng tǐ,quasar -类书,lèi shū,"reference book consisting of material quoted from many sources, arranged by category (about 600 of which were compiled between the 3rd and 18th centuries in China)" -类木行星,lèi mù xíng xīng,Jovian planet -类毒素,lèi dú sù,toxoid -类比,lèi bǐ,analogy; (Tw) (electronics) analog -类比策略,lèi bǐ cè lüè,analogy strategies -类乌齐,lèi wū qí,"Riwoqê county, Tibetan: Ri bo che rdzong, in Chamdo prefecture 昌都地區|昌都地区[Chang1 du1 di4 qu1], Tibet" -类乌齐县,lèi wū qí xiàn,"Riwoqê county, Tibetan: Ri bo che rdzong, in Chamdo prefecture 昌都地區|昌都地区[Chang1 du1 di4 qu1], Tibet" -类球面,lèi qiú miàn,prolate spheroid (math.) -类目,lèi mù,category -类篇,lèi piān,"Leipian, Chinese character dictionary with 31,319 entries, compiled by Sima Guang 司馬光|司马光[Si1 ma3 Guang1] et al in 11th century" -类精神分裂型人格违常,lèi jīng shén fēn liè xíng rén gé wéi cháng,schizoid personality disorder (SPD) -类语辞典,lèi yǔ cí diǎn,thesaurus -类金属,lèi jīn shǔ,metalloid (chemistry) -类风湿因子,lèi fēng shī yīn zǐ,rheumatoid factor -类黄酮,lèi huáng tóng,flavonoid (biochemistry) -类鼻疽,lèi bí jū,melioidosis -颟,mān,dawdling -颢,hào,(literary) white and shining -憔,qiáo,variant of 憔[qiao2] -顾,gù,surname Gu -顾,gù,to look after; to take into consideration; to attend to -顾不上,gù bu shàng,cannot attend to or manage -顾不得,gù bu de,unable to change sth; unable to deal with -顾全,gù quán,to give careful consideration to; to display thoughtfulness towards -顾全大局,gù quán dà jú,to take the big picture into consideration (idiom); to work for the benefits of all -顾及,gù jí,to take into consideration; to attend to -顾名思义,gù míng sī yì,as the name implies -顾问,gù wèn,adviser; consultant -顾客,gù kè,customer; client; CL:位[wei4] -顾客至上,gù kè zhì shàng,the customer reigns supreme (idiom) -顾家,gù jiā,to take care of one's family -顾影自怜,gù yǐng zì lián,lit. looking at one's shadow and feeling sorry for oneself (idiom); fig. alone and dejected -顾忌,gù jì,to have misgivings; apprehension; worry; qualm; scruple -顾念,gù niàn,to care for; to worry about -顾惜,gù xī,to take loving care of; to value -顾恺之,gù kǎi zhī,"Gu Kaizhi or Ku K'aichih (346-407), famous painter of Eastern Jin dynasty, one of the Four Great Painters of the Six Dynasties 六朝四大家" -顾虑,gù lǜ,misgivings; apprehensions; to worry about; to be concerned about -顾此失彼,gù cǐ shī bǐ,lit. to attend to one thing and lose sight of another (idiom); fig. to be unable to manage two or more things at once; cannot pay attention to one thing without neglecting the other -顾炎武,gù yán wǔ,"Gu Yanwu (1613-1682), late Ming and early Qing Confucian philosopher, linguist and historian, played a founding role in phonology of early Chinese, author of Rizhilu or Record of daily study 日知錄|日知录" -顾盼,gù pàn,(literary) to look around; (literary) to care for -顾盼自雄,gù pàn zì xióng,to strut about feeling complacent (idiom) -顾眄,gù miǎn,to turn one's head and look around -顾野王,gù yě wáng,"Gu Yewang (519-581), historian and an interpreter of classical texts, editor of Yupian 玉篇[Yu4 pian1]" -颤,chàn,to tremble; to shiver; to shake; to vibrate; Taiwan pr. [zhan4] -颤动,chàn dòng,to vibrate; to quiver -颤巍,chàn wēi,see 顫巍巍|颤巍巍[chan4 wei1 wei1] -颤巍巍,chàn wēi wēi,trembling; swaying; flickering; tottering; faltering -颤栗,zhàn lì,variant of 戰慄|战栗[zhan4 li4] -颤抖,chàn dǒu,to shudder; to shiver; to shake; to tremble -颤抖不已,chàn dǒu bù yǐ,to shake like a leaf (idiom) -颤声,chàn shēng,trill (of voice); see also 顫聲|颤声[zhan4 sheng1] -颤声,zhàn shēng,trembling voice; see also 顫聲|颤声[chan4 sheng1] -颤音,chàn yīn,vibrato (of stringed instrument); trill (in phonetics) -颥,rú,"see 顳顬|颞颥, temple (the sides of human head)" -显,xiǎn,to make visible; to reveal; prominent; conspicuous; (prefix) phanero- -显像,xiǎn xiàng,to form a picture; to develop a photo; to visualize -显像管,xiǎn xiàng guǎn,CRT used in TV or computer monitor; picture tube; kinescope -显出,xiǎn chū,to express; to exhibit -显卡,xiǎn kǎ,video card; display card (computer) -显存,xiǎn cún,graphics memory; video random-access memory (VRAM) -显学,xiǎn xué,famous school; noted school of thought -显宦,xiǎn huàn,high official -显山露水,xiǎn shān lù shuǐ,to reveal one's talent (idiom) -显弄,xiǎn nòng,to flaunt; to show off -显形,xiǎn xíng,to show one's true nature (derog.); to betray oneself -显影,xiǎn yǐng,(photographic processing) to develop -显影剂,xiǎn yǐng jì,developer (photographic processing); contrast medium (medical imaging) -显得,xiǎn de,to seem; to look; to appear -显微,xiǎn wēi,micro-; microscopic; to make the minute visible -显微学,xiǎn wēi xué,microscopy -显微解剖学,xiǎn wēi jiě pōu xué,(medicine) histology; microscopic anatomy -显微镜,xiǎn wēi jìng,microscope; CL:臺|台[tai2] -显微镜座,xiǎn wēi jìng zuò,Microscopium (constellation) -显微镜载片,xiǎn wēi jìng zài piàn,microscopic slide -显性,xiǎn xìng,visible; conspicuous; phanero-; dominant (gene) -显性基因,xiǎn xìng jī yīn,dominant gene -显怀,xiǎn huái,to look pregnant; obviously pregnant -显扬,xiǎn yáng,to praise; to commend; to hallow -显摆,xiǎn bai,(coll.) to show off -显效,xiǎn xiào,to show an effect; to produce an effect; a conspicuous effect -显明,xiǎn míng,obvious; evident; conspicuous; prominent; distinct; apparent -显晦,xiǎn huì,light and shade -显晶,xiǎn jīng,phanerocrystalline; with crystal structure visible to the naked eye -显焓,xiǎn hán,sensible enthalpy (thermodynamics); energy required to go from one state to another -显然,xiǎn rán,clearly; evidently; obviously -显现,xiǎn xiàn,appearance; to appear -显生代,xiǎn shēng dài,"Phanerozoic, geological eon lasting since the Cambrian 寒武紀|寒武纪[Han2 wu3 ji4], c. 540m year ago" -显生宙,xiǎn shēng zhòu,"Phanerozoic, geological eon lasting since the Cambrian 寒武紀|寒武纪[Han2 wu3 ji4], c. 540m year ago" -显白,xiǎn bai,variant of 顯擺|显摆[xian3 bai5] -显目,xiǎn mù,outstanding; conspicuous -显眼,xiǎn yǎn,conspicuous; eye-catching; glamorous -显示,xiǎn shì,to show; to illustrate; to display; to demonstrate -显示卡,xiǎn shì kǎ,graphics card -显示器,xiǎn shì qì,monitor (computer) -显示屏,xiǎn shì píng,display screen -显示板,xiǎn shì bǎn,information screen -显祖,xiǎn zǔ,ancestors (old) -显耀,xiǎn yào,to show off -显老,xiǎn lǎo,to look old -显考,xiǎn kǎo,honorific term for one's deceased father; (arch.) great-great-grandfather -显而易见,xiǎn ér yì jiàn,clearly and easy to see (idiom); obviously; clearly; it goes without saying -显职,xiǎn zhí,prominent post -显花植物,xiǎn huā zhí wù,Phanerogamae (botany); flowering plants -显著,xiǎn zhù,outstanding; notable; remarkable; statistically significant -显要,xiǎn yào,prominent; eminent; important person; notable; dignitary -显见,xiǎn jiàn,obvious; clearly visible -显豁,xiǎn huò,evident; clear and bright -显贵,xiǎn guì,dignitary; distinguished person; royalty; nobleman; big shot -显赫,xiǎn hè,illustrious; celebrated -显赫人物,xiǎn hè rén wù,a famous person; a luminary -显达,xiǎn dá,illustrious; influential; prestigious -显镜,xiǎn jìng,microscope; same as 顯微鏡|显微镜 -显露,xiǎn lù,to become visible; to reveal -显露出,xiǎn lù chū,to reveal (a quality or feeling); to manifest; to evince -显灵,xiǎn líng,(of a supernatural or divine being) to appear; to make itself manifest -颦,pín,to scowl; to knit the brows -颦眉,pín méi,to knit one's brows; to frown -颅,lú,forehead; skull -颅底,lú dǐ,base of the skull -颅测量,lú cè liáng,craniometry -颅骨,lú gǔ,skull (of a dead body) -颞,niè,"bones of the temple (on the human head); see 顳顬|颞颥, temple" -颞叶,niè yè,temporal lobe -颞颥,niè rú,temple (the sides of human head) -颞骨,niè gǔ,temporal bone; os temporale -颧,quán,cheek bones -颧弓,quán gōng,cheek bone; zygomatic arch (anatomy) -颧骨,quán gǔ,zygomatic bone (cheek bone) -风,fēng,"wind; news; style; custom; manner; CL:陣|阵[zhen4],絲|丝[si1]" -风中之烛,fēng zhōng zhī zhú,lit. candle in the wind (idiom); fig. (of sb's life) feeble; hanging on a thread -风干,fēng gān,to air-dry; to season (timber etc); air-dried; air-drying -风俗,fēng sú,social custom; CL:個|个[ge4] -风信子,fēng xìn zǐ,hyacinth (flower) -风传,fēng chuán,it is rumored that -风光,fēng guāng,scene; view; sight; landscape; to be well-regarded; to be well-off; grand (dialect); impressive (dialect) -风冷,fēng lěng,to air-cool -风切变,fēng qiē biàn,wind shear (meteorology) -风力,fēng lì,wind force; wind power -风力水车,fēng lì shuǐ chē,wind-powered waterwheel -风力发电厂,fēng lì fā diàn chǎng,wind farm; wind park -风化,fēng huà,decency; public morals; to weather (rocks); wind erosion -风化作用,fēng huà zuò yòng,weathering (of rocks); erosion (by wind etc) -风化区,fēng huà qū,see 紅燈區|红灯区[hong2 deng1 qu1] -风口,fēng kǒu,air vent; drafty place; wind gap (geology); tuyere (furnace air nozzle); (fig.) hot trend; fad -风口浪尖,fēng kǒu làng jiān,where the wind and the waves are the fiercest; at the heart of the struggle -风向,fēng xiàng,wind direction; the way the wind is blowing; fig. trends (esp. unpredictable ones); how things are developing; course of events -风向标,fēng xiàng biāo,vane; propellor blade; weather vane; windsock -风吹日晒,fēng chuī rì shài,(idiom) to be exposed to the elements -风吹草动,fēng chuī cǎo dòng,lit. grass stirring in the wind (idiom); fig. the slightest whiff of trouble -风吹雨打,fēng chuī yǔ dǎ,lit. windswept and battered by rain; to undergo hardship (idiom) -风味,fēng wèi,distinctive flavor; distinctive style -风和日暄,fēng hé rì xuān,gentle wind and warm sunshine (idiom) -风和日暖,fēng hé rì nuǎn,gentle wind and warm sunshine (idiom) -风和日丽,fēng hé rì lì,"moderate wind, beautiful sun (idiom); fine sunny weather, esp. in springtime" -风喻,fēng yù,see 諷喻|讽喻[feng3 yu4] -风圈,fēng quān,ring around the moon; lunar halo; solar halo -风土,fēng tǔ,natural conditions and social customs of a place; local conditions -风土人情,fēng tǔ rén qíng,local conditions and customs (idiom) -风城,fēng chéng,"The Windy City, nickname for Chicago 芝加哥[Zhi1 jia1 ge1], Wellington, New Zealand 惠靈頓|惠灵顿[Hui4 ling2 dun4] and Hsinchu, Taiwan 新竹[Xin1 zhu2]" -风场,fēng chǎng,wind farm -风尘,fēng chén,windblown dust; hardships of travel; vicissitudes of life; prostitution -风尘仆仆,fēng chén pú pú,lit. covered in dust (idiom); fig. travel-worn -风姿,fēng zī,good looks; good figure; graceful bearing; charm -风姿绰约,fēng zī chuò yuē,graceful; lovely -风寒,fēng hán,wind chill; cold weather; common cold (medicine) -风尚,fēng shàng,current custom; current way of doing things -风帆,fēng fān,sail; sailing boat -风平浪静,fēng píng làng jìng,"lit. breeze is still, waves are quiet (idiom); tranquil environment; all is quiet; a dead calm (at sea)" -风度,fēng dù,elegance (for men); elegant demeanor; grace; poise -风恬浪静,fēng tián làng jìng,"lit. breeze is still, waves are quiet (idiom); tranquil environment; All is quiet.; a dead calm (at sea)" -风情,fēng qíng,"mien; bearing; grace; amorous feelings; flirtatious expressions; local conditions and customs; wind force, direction etc" -风情万种,fēng qíng wàn zhǒng,(idiom) captivating; charming -风成,fēng chéng,produced by wind; eolian -风扇,fēng shàn,electric fan -风投,fēng tóu,venture capital investment (abbr. for 風險投資|风险投资[feng1 xian3 tou2 zi1]) -风控,fēng kòng,risk control (abbr. for 風險控制|风险控制[feng1 xian3 kong4 zhi4]) -风挡,fēng dǎng,windshield -风景,fēng jǐng,scenery; landscape -风景线,fēng jǐng xiàn,"a strip of scenic beauty (coast, river, road etc); (fig.) an eye-catching feature" -风暴,fēng bào,"storm; violent commotion; fig. crisis (e.g. revolution, uprising, financial crisis etc)" -风暴潮,fēng bào cháo,storm surge -风月,fēng yuè,romance; beautiful scenery; small or petty (of talk etc) -风格,fēng gé,style -风标,fēng biāo,wind vane; anemometer; weathercock; fig. person who switches allegiance readily; turncoat -风机,fēng jī,fan; ventilator -风档玻璃,fēng dàng bō li,windscreen (car window) -风气,fēng qì,general mood; atmosphere; common practice -风水,fēng shuǐ,feng shui; geomancy -风水先生,fēng shuǐ xiān sheng,"feng shui master; geomancer; stock figure in folk tales, as a wise adviser or a charlatan" -风水轮流,fēng shuǐ lún liú,see 風水輪流轉|风水轮流转[feng1 shui3 lun2 liu2 zhuan4] -风水轮流转,fēng shuǐ lún liú zhuàn,fortunes rise and fall; times change -风沙,fēng shā,sand blown by wind; sandstorm -风油精,fēng yóu jīng,"essential balm containing menthol, eucalyptus oil etc, used as a mosquito repellant" -风波,fēng bō,disturbance; crisis; disputes; restlessness; CL:場|场[chang2] -风波不断,fēng bō bù duàn,constantly in turmoil; crisis after crisis -风洞,fēng dòng,wind tunnel -风流,fēng liú,distinguished and accomplished; outstanding; talented in letters and unconventional in lifestyle; romantic; dissolute; loose -风流佳话,fēng liú jiā huà,romance; romantic affair -风流倜傥,fēng liú tì tǎng,suave; debonair; dashing -风流债,fēng liú zhài,lit. love debt; fig. moral obligation in consequence of a love affair; karmic consequences of a love affair -风流蕴藉,fēng liú yùn jiè,temperate and refined -风流云散,fēng liú yún sàn,lit. dispersed by wind and scattered like clouds (idiom); fig. scattered far and wide (of friends and relatives) -风流韵事,fēng liú yùn shì,poetic and passionate (idiom); romance; love affair -风浪,fēng làng,wind and waves; rough waters; (fig.) hardship -风浪板,fēng làng bǎn,(Tw) windsurfing; sailboard -风凉话,fēng liáng huà,sneering; sarcasm; cynical remarks -风泼,fēng pō,crazy -风潮,fēng cháo,tempest; wave (of popular sentiment etc); craze or fad -风湿,fēng shī,rheumatism -风湿性关节炎,fēng shī xìng guān jié yán,rheumatoid arthritis -风湿热,fēng shī rè,rheumatic fever -风湿关节炎,fēng shī guān jié yán,rheumatoid arthritis -风火轮,fēng huǒ lún,"(martial arts) wind-and-fire wheel, weapon used in hand-to-hand fighting; (Daoism) a magical pair of wheels on which one can stand to ride at great speed, used by Nezha 哪吒[Ne2 zha5]; (fig.) never-ending treadmill" -风灾,fēng zāi,damaging storm; destructive typhoon -风烛残年,fēng zhú cán nián,one's late days; to have one foot in the grave -风物,fēng wù,scenery; sights -风琴,fēng qín,pipe organ (musical instrument) -风生水起,fēng shēng shuǐ qǐ,lit. a breeze springs up and creates waves on the water (idiom); fig. flourishing; thriving; prosperous -风疹,fēng zhěn,rubella; urticaria -风瘫,fēng tān,to be paralyzed -风穴,fēng xué,wind cave -风窗,fēng chuāng,air vent; louver; window -风笛,fēng dí,bagpipes -风筝,fēng zhēng,kite -风筝冲浪,fēng zhēng chōng làng,kitesurfing -风箱,fēng xiāng,bellows -风范,fēng fàn,air; manner; model; paragon; demeanor -风纪,fēng jì,standard of behavior; moral standards; discipline -风闻,fēng wén,to learn sth through hearsay; to get wind of sth -风声,fēng shēng,sound of the wind; rumor; talk; news; reputation -风声紧,fēng shēng jǐn,(fig.) the situation is tense -风声鹤唳,fēng shēng hè lì,lit. wind sighing and crane calling (idiom); fig. to panic at the slightest move; to be jittery -风能,fēng néng,wind power -风致,fēng zhì,natural charm; grace -风花雪月,fēng huā xuě yuè,"wind, flower, snow and moon, trite poetry subject (idiom); effete language without substance; love affair; romance is in the air; dissipated life" -风华,fēng huá,magnificent -风华正茂,fēng huá zhèng mào,in one's prime -风华绝代,fēng huá jué dài,magnificent style unmatched in his generation (idiom); peerless talent -风蚀,fēng shí,wind erosion -风行,fēng xíng,to become fashionable; to catch on; to be popular -风行一时,fēng xíng yī shí,to be popular for a while; to be all the rage for a time -风衣,fēng yī,windbreaker; wind cheater; wind jacket; CL:件[jian4] -风调,fēng diào,"character (of a person, verse, object etc); style" -风调雨顺,fēng tiáo yǔ shùn,favorable weather (idiom); good weather for crops -风谕,fēng yù,see 諷喻|讽喻[feng3 yu4] -风貌,fēng mào,style; manner; ethos -风起潮涌,fēng qǐ cháo yǒng,"lit. wind rises, tide bubbles up; turbulent times; violent development (idiom)" -风起云涌,fēng qǐ yún yǒng,to surge like a gathering storm (idiom); to grow by leaps and bounds -风趣,fēng qù,charm; humor; wit; humorous; witty -风趣横生,fēng qù héng shēng,(idiom) spiced with wit; very witty -风车,fēng chē,pinwheel; windmill -风速,fēng sù,wind speed -风速计,fēng sù jì,anemometer -风邪,fēng xié,pathogenic influence (TCM) -风采,fēng cǎi,svelte; elegant manner; graceful bearing -风铃,fēng líng,wind chimes -风镜,fēng jìng,goggles (esp. against wind and sandstorms) -风钻,fēng zuàn,pneumatic drill; jackhammer -风阻尼器,fēng zǔ ní qì,wind damper (engineering) -风险,fēng xiǎn,risk; hazard -风险估计,fēng xiǎn gū jì,risk assessment -风险投资,fēng xiǎn tóu zī,venture capital investment -风险管理,fēng xiǎn guǎn lǐ,risk management -风雅,fēng yǎ,cultured; sophisticated -风雨,fēng yǔ,wind and rain; the elements; (fig.) trials and hardships -风雨同舟,fēng yǔ tóng zhōu,lit. in the same boat under wind and rain (idiom); fig. to stick together in hard times -风雨如晦,fēng yǔ rú huì,lit. wind and rain darken the sky (idiom); fig. the situation looks grim -风雨晦冥,fēng yǔ huì míng,conditions of extreme adversity (idiom) -风雨欲来,fēng yǔ yù lái,lit. storm clouds approach; troubles lie ahead (idiom) -风雨凄凄,fēng yǔ qī qī,wretched wind and rain -风雨漂摇,fēng yǔ piāo yáo,tossed about by the wind and rain (idiom); (of a situation) unstable -风雨无阻,fēng yǔ wú zǔ,"regardless of weather conditions; rain, hail or shine" -风雨飘摇,fēng yǔ piāo yáo,tossed about by the wind and rain (idiom); (of a situation) unstable -风云,fēng yún,weather; unstable situation -风云人物,fēng yún rén wù,the man (or woman) of the moment (idiom); influential figure -风云变幻,fēng yún biàn huàn,changeable situation (idiom) -风电,fēng diàn,wind power -风电厂,fēng diàn chǎng,wind farm; wind park -风霜,fēng shuāng,wind and frost; fig. hardships -风靡,fēng mǐ,fashionable; popular -风靡一时,fēng mǐ yī shí,fashionable for a while (idiom); all the rage -风韵,fēng yùn,charm; grace; elegant bearing (usually feminine) -风韵犹存,fēng yùn yóu cún,(of an aging woman) still attractive -风头,fēng tóu,wind direction; the way the wind blows; fig. trend; direction of events; how things develop (esp. how they affect oneself); public opinion (concerning one's actions); publicity (usually derog.); limelight -风风火火,fēng fēng huǒ huǒ,bustling; energetic -风风雨雨,fēng fēng yǔ yǔ,trials and tribulations; ups and downs -风餐露宿,fēng cān lù sù,lit. to eat in the open air and sleep outdoors (idiom); fig. to rough it -风马旗,fēng mǎ qí,Tibetan prayer flag -风马牛不相及,fēng mǎ niú bù xiāng jí,to be completely unrelated to one another (idiom); irrelevant -风驰电掣,fēng chí diàn chè,fast as lightning -风骚,fēng sāo,literary excellence; flirtatious behavior -风骨,fēng gǔ,strength of character; vigorous style (of calligraphy) -风魔,fēng mó,variant of 瘋魔|疯魔[feng1 mo2] -飐,zhǎn,to sway in the wind -飐飐,zhǎn zhǎn,seems as if floating -飑,biāo,whirlwind -飒,sà,sound of wind; valiant; melancholy -飒然,sà rán,soughing (of the wind) -飒爽,sà shuǎng,heroic; valiant -飒飒,sà sà,"soughing; whistling or rushing sound (of the wind in trees, the sea etc)" -台,tái,typhoon -台风,tái fēng,typhoon -刮,guā,to blow (of the wind) -刮风,guā fēng,to be windy -飓,jù,hurricane -飓风,jù fēng,hurricane -飖,yáo,floating in the air -飕,sōu,to blow (as of wind); sound of wind; sough -飕飕,sōu sōu,sound of the wind blowing or rain falling -帆,fān,to gallop; Taiwan pr. [fan2]; variant of 帆[fan1] -飘,piāo,variant of 飄|飘[piao1] -飘,piāo,to float (in the air); to flutter; to waft; complacent; frivolous; weak; shaky; wobbly -飘动,piāo dòng,to float; to drift -飘卷,piāo juǎn,to flutter -飘尘,piāo chén,floating dust; atmospheric particles -飘带,piāo dài,streamer; pennant -飘忽,piāo hū,swiftly moving; fleet; to sway -飘忽不定,piāo hū bù dìng,to drift without a resting place (idiom); roving; errant; vagrant; erratic -飘拂,piāo fú,to drift lightly -飘扬,piāo yáng,to wave; to flutter; to fly -飘摇,piāo yáo,floating in the wind; swaying; tottering; unstable -飘散,piāo sàn,to waft (through the air); to drift -飘泊,piāo bó,variant of 漂泊[piao1 bo2] -飘洋,piāo yáng,see 漂洋[piao1 yang2] -飘流,piāo liú,variant of 漂流[piao1 liu2] -飘浮,piāo fú,to float; to hover; also written 漂浮 -飘海,piāo hǎi,to go abroad -飘渺,piāo miǎo,faintly discernible; indistinct; misty -飘洒,piāo sǎ,suave; graceful; fluent and elegant (calligraphy) -飘然,piāo rán,to float in the air; swiftly; nimbly; easy and relaxed -飘荡,piāo dàng,to drift; to wave; to float on the waves; to flutter in the wind -飘移,piāo yí,to drift -飘缈,piāo miǎo,variant of 飄渺|飘渺[piao1 miao3] -飘举,piāo jǔ,to dance; to float in the wind -飘舞,piāo wǔ,"to fly up; to dance in the air (of snowflakes, flower petals etc)" -飘落,piāo luò,"to float down; to fall gently (snowflakes, leaves etc)" -飘蓬,piāo péng,"to float in the wind; by ext., to lead a wandering life" -飘逸,piāo yì,graceful; elegant; to drift; to float -飘雪,piāo xuě,to snow -飘零,piāo líng,to fall and wither (like autumn leaves); (fig.) drifting and homeless -飘风,piāo fēng,whirlwind; stormy wind -飘飖,piāo yáo,variant of 飄搖|飘摇[piao1 yao2] -飘飘,piāo piāo,to float about; to flutter (in the breeze); (dialect) gay guy; (Tw) ghost -飘飘然,piāo piāo rán,elated; light and airy feeling (after a few drinks); smug and conceited; complacent -飘香,piāo xiāng,(of a fragrance) to waft about; (fig.) (of foods) to become popular in other places as well -飙,biāo,whirlwind; violent wind -飙升,biāo shēng,to rise rapidly; to soar -飙口水,biāo kǒu shuǐ,gossip; idle chat -飙汗,biāo hàn,to sweat profusely -飙涨,biāo zhǎng,soaring inflation; rocketing prices -飙车,biāo chē,street racing (motorbikes or cars) -飙风,biāo fēng,whirlwind -飚,biāo,variant of 飆|飙[biao1] -飞,fēi,to fly -飞也似的,fēi yě shì de,lit. as if flying; very fast -飞来横祸,fēi lái hèng huò,sudden and unexpected disaster (idiom) -飞来飞去,fēi lái fēi qù,to fly about; to fly hither and thither; to flit; to swarm; to spiral -飞出,fēi chū,to fly out -飞出个未来,fēi chū ge wèi lái,"Futurama (US TV animated series, 1999-)" -飞刀,fēi dāo,a throwing knife; fly cutter (machine tool) -飞利浦,fēi lì pǔ,Philips (company) -飞升,fēi shēng,to fly upwards; (fig.) to rise; to increase; (Daoism) to ascend to heaven; to achieve immortality -飞吻,fēi wěn,to blow a kiss -飞地,fēi dì,administrative enclave; land of one country enclosed within another; a salient -飞天,fēi tiān,flying Apsara (Buddhist art) -飞奔,fēi bēn,to dash (run fast); to rush; to dart -飞安,fēi ān,aviation safety (Tw) -飞将军,fēi jiāng jūn,nickname of Han dynasty general Li Guang 李廣|李广[Li3 Guang3] -飞弹,fēi dàn,missile -飞征,fēi zhēng,birds and beasts; the beasts of the field and the birds of the air; same as 飛禽走獸|飞禽走兽 -飞快,fēi kuài,very fast; at lightning speed; (coll.) razor-sharp -飞扬,fēi yáng,to rise; to fly upward -飞扬跋扈,fēi yáng bá hù,bossy and domineering; throwing one's weight about -飞挝,fēi wō,"ancient weapon with a tip like a grappling hook, thrown at enemy combatants in order to capture them" -飞散,fēi sàn,(of smoke) to disperse; to dissipate; (of birds) to fly away in all directions -飞机,fēi jī,airplane; CL:架[jia4] -飞机场,fēi jī chǎng,airport; (slang) flat chest; CL:處|处[chu4] -飞机失事,fēi jī shī shì,plane crash -飞机师,fēi jī shī,pilot; aviator -飞机杯,fēi jī bēi,male masturbator (sex toy); artificial vagina -飞机票,fēi jī piào,air ticket; CL:張|张[zhang1] -飞机舱门,fēi jī cāng mén,airplane cabin door -飞机云,fēi jī yún,contrail -飞机餐,fēi jī cān,in-flight meal -飞檐走壁,fēi yán zǒu bì,to leap onto roofs and vault over walls (usually associated with martial arts) -飞检,fēi jiǎn,unannounced inspection (abbr. for 飛行檢查|飞行检查[fei1 xing2 jian3 cha2]) -飞毛腿,fēi máo tuǐ,swift feet; fleet-footed runner -飞沫,fēi mò,airborne droplet -飞沫传染,fēi mò chuán rǎn,"droplet infection (disease transmission from sneezing, coughing etc)" -飞沫四溅,fēi mò sì jiàn,to spray in all directions -飞涨,fēi zhǎng,soaring inflation; rocketing prices -飞溅,fēi jiàn,to splash; to spatter -飞瀑,fēi pù,waterfall -飞盘,fēi pán,frisbee -飞短流长,fēi duǎn liú cháng,to spread malicious gossip -飞碟,fēi dié,flying saucer; frisbee -飞禽,fēi qín,birds -飞禽走兽,fēi qín zǒu shòu,birds and animals; the beasts of the field and the birds of the air -飞秒,fēi miǎo,"femtosecond, fs, 10^-15 s" -飞符,fēi fú,talisman in the form of a painting of symbols thought to have magical powers (also called 符籙|符箓[fu2 lu4]); to invoke the magical power of such a talisman; a tiger tally 虎符[hu3 fu2] sent with great urgency -飞红,fēi hóng,to blush -飞索,fēi suǒ,zip line -飞翔,fēi xiáng,to circle in the air; to soar -飞腿,fēi tuǐ,kick -飞膜,fēi mó,patagium -飞舞,fēi wǔ,to flutter; to dance in the breeze -飞舟,fēi zhōu,fast boat -飞船,fēi chuán,spaceship; spacecraft; dirigible; airship -飞艇,fēi tǐng,airship -飞叶子,fēi yè zi,(slang) to smoke pot -飞虎队,fēi hǔ duì,"Flying Tigers, US airmen in China during World War Two; Hong Kong nickname for police special duties unit" -飞蚊症,fēi wén zhèng,eye floaters (moving spots in the eye's vitreous humor) -飞蛾,fēi é,moth -飞蛾投火,fēi é tóu huǒ,lit. like a moth flying into the fire (idiom); fig. to choose a path to certain destruction -飞蛾扑火,fēi é pū huǒ,the moth flies into the flame; fatal attraction -飞蝗,fēi huáng,flying locusts -飞虫,fēi chóng,flying insect; winged insect -飞行,fēi xíng,(of planes etc) to fly; flying; flight; aviation -飞行员,fēi xíng yuán,pilot; aviator -飞行模式,fēi xíng mó shì,airplane mode (on an electronic device) -飞行检查,fēi xíng jiǎn chá,unannounced inspection; (sports) out-of-season drug testing; abbr. to 飛檢|飞检[fei1 jian3] -飞行甲板,fēi xíng jiǎ bǎn,flight deck -飞行记录,fēi xíng jì lù,flight record -飞行记录仪,fēi xíng jì lù yí,flight recorder; black box -飞行记录器,fēi xíng jì lù qì,flight recorder; black box -飞行云,fēi xíng yún,contrail -飞贼,fēi zéi,cat burglar; burglar who gains entrance by scaling walls; intruding enemy airman; air marauder -飞越,fēi yuè,to fly across; to fly over; to fly past; (literary) (of one's spirits) to soar -飞跑,fēi pǎo,to run like the wind; to rush; to gallop -飞跃,fēi yuè,to leap -飞跃道,fēi yuè dào,parkour (HK) -飞身,fēi shēn,to move quickly; to vault; flying tackle -飞身翻腾,fēi shēn fān téng,flying somersault -飞轮,fēi lún,flywheel; sprocket wheel -飞轮海,fēi lún hǎi,"Fahrenheit, Taiwan pop group, from 2005" -飞转,fēi zhuàn,to spin rapidly; to whirl around; (of time) to fly by -飞逝,fēi shì,(of time) to pass quickly; to be fleeting -飞速,fēi sù,swift; rapidly -飞过,fēi guò,to fly over; to fly past -飞针走线,fēi zhēn zǒu xiàn,flying needle and running seam (idiom); skillful needlework -飞镖,fēi biāo,darts (game); dart (weapon shaped like a spearhead) -飞雪,fēi xuě,"Flying Snow, a character in ""Hero""" -飞马,fēi mǎ,at the gallop -飞马座,fēi mǎ zuò,Pegasus (constellation) -飞驰,fēi chí,to speed; to rush -飞腾,fēi téng,to fly swiftly upward; to soar -飞鱼,fēi yú,Exocet (missile) -飞鱼,fēi yú,flying fish -飞鱼座,fēi yú zuò,Volans (constellation) -飞鱼族,fēi yú zú,"""flying fish family"", family who sacrifice everything to send their children abroad to study" -飞鸟,fēi niǎo,bird -飞鸟时代,fēi niǎo shí dài,Asuka Period in Japanese history (538-710 AD) -飞鸿踏雪,fēi hóng tà xuě,see 雪泥鴻爪|雪泥鸿爪[xue3 ni2 hong2 zhao3] -飞鸿雪爪,fēi hóng xuě zhǎo,see 雪泥鴻爪|雪泥鸿爪[xue3 ni2 hong2 zhao3] -飞鸽,fēi gē,"Flying Pigeon (famous bicycle brand, made in Tianjin since 1936)" -飞鹰,fēi yīng,eagle -飞鹰走马,fēi yīng zǒu mǎ,to ride out hawking (idiom); to hunt -飞黄腾达,fēi huáng téng dá,lit. the divine steed Feihuang gallops (idiom); fig. to achieve meteoric success in one's career -飞鼠,fēi shǔ,flying squirrel; (dialect) bat -飞龙,fēi lóng,wyvern (type of dragon) -翻,fān,variant of 翻[fan1] -食,shí,to eat; food; animal feed; eclipse -食,sì,to feed (a person or animal) -食不果腹,shí bù guǒ fù,lit. food not filling the stomach (idiom); fig. poverty-stricken -食不知味,shí bù zhī wèi,lit. to eat without tasting the food; worried or downhearted (idiom) -食人,shí rén,man-eating (beast); to eat people; fig. to oppress the people -食人俗,shí rén sú,cannibalism -食人魔,shí rén mó,ogre -食人鱼,shí rén yú,piranha -食人鲨,shí rén shā,"man-eating shark; same as 大白鯊|大白鲨[da4 bai2 sha1], great white shark (Carcharodon carcharias)" -食俸,shí fèng,salary of a public official; to be in government service -食具,shí jù,tableware -食古不化,shí gǔ bù huà,to swallow ancient learning without digesting it (idiom); to be pedantic without having a mastery of one's subject -食品,shí pǐn,foodstuff; food; provisions; CL:種|种[zhong3] -食品加工机,shí pǐn jiā gōng jī,food processor -食品摊,shí pǐn tān,food vendor's stand -食品药品监督局,shí pǐn yào pǐn jiān dū jú,state food and drug administration (SDA) -食品药品监督管理局,shí pǐn yào pǐn jiān dū guǎn lǐ jú,(China) Food and Drug Administration -食堂,shí táng,"dining hall; cafeteria; CL:個|个[ge4],間|间[jian1]" -食季,shí jì,eclipse season -食客,shí kè,diner (in a restaurant etc); hanger-on; sponger -食宿,shí sù,board and lodging; room and board -食尸鬼,shí shī guǐ,ghoul -食欲,shí yù,appetite -食指,shí zhǐ,index finger; (literary) mouths to feed -食指大动,shí zhǐ dà dòng,(idiom) to be excited to dig into the delicious food -食料,shí liào,foodstuff -食材,shí cái,(food) ingredient -食槽,shí cáo,manger -食油,shí yóu,cooking oil -食法,shí fǎ,cooking method -食火鸡,shí huǒ jī,"cassowary (genus Casuarius), large flightless bird native to northeastern Australia and New Guinea; CL:隻|只[zhi1]" -食物,shí wù,food; CL:種|种[zhong3] -食物中毒,shí wù zhòng dú,food poisoning -食物及药品管理局,shí wù jí yào pǐn guǎn lǐ jú,US Food and Drug Administration authority (FDA) -食物房,shí wù fáng,larder; pantry -食物柜,shí wù guì,larder; pantry -食物油,shí wù yóu,cooking oil; food oil -食物链,shí wù liàn,food chain -食玉炊桂,shí yù chuī guì,food is more precious than jade and firewood more expensive than cassia (idiom); the cost of living is very high -食玩,shí wán,small toy or figurine included with a food product; DIY candy kit -食用,shí yòng,to eat; to consume; edible -食疗,shí liáo,(TCM) food therapy; treatment via food -食禄,shí lù,to draw government pay; to be in public service; salary of an official -食管,shí guǎn,esophagus -食粮,shí liáng,food cereals -食肆,shí sì,restaurant; eatery -食肉,shí ròu,carnivorous -食肉动物,shí ròu dòng wù,carnivore -食肉寝皮,shí ròu qǐn pí,to eat sb's flesh and sleep on their hide (idiom); to swear revenge on sb; implacable hatred; to have sb's guts for garters -食肉目,shí ròu mù,"Carnivora, order of carnivores within Mammalia" -食肉类,shí ròu lèi,carnivorous species -食腐动物,shí fǔ dòng wù,scavenger -食色,shí sè,food and sex; appetite and lust -食色性也,shí sè xìng yě,Appetite and lust are only natural (Mencius 6A:4).; By nature we desire food and sex. -食草动物,shí cǎo dòng wù,herbivore -食荼卧棘,shí tú wò jí,to eat bitter fruit and lie on thorns (idiom); to share the hard life of the common people -食菌,shí jùn,edible mushroom -食虫植物,shí chóng zhí wù,insectivorous plant -食虫目,shí chóng mù,Insectivora -食蚁兽,shí yǐ shòu,ant-eater (several different species) -食衣住行,shí yī zhù xíng,see 衣食住行[yi1 shi2 zhu4 xing2] -食补,shí bǔ,tonic food (food considered to be particularly healthful); to eat such foods -食言,shí yán,to break one's promise -食言而肥,shí yán ér féi,lit. to grow fat eating one's words (idiom); fig. not to live up to one's promises -食谱,shí pǔ,"cookbook; recipe; diet; CL:份[fen4],個|个[ge4]" -食道,shí dào,esophagus; the proper way to eat; food transportation route -食道癌,shí dào ái,esophageal cancer -食醋,shí cù,table vinegar -食量,shí liàng,quantity of food one eats; food intake -食顷,shí qǐng,a short moment -食盐,shí yán,edible salt -饣,shí,"""to eat"" or ""food"" radical in Chinese characters (Kangxi radical 184)" -饥,jī,(bound form) hungry -饥不择食,jī bù zé shí,"when hungry, you can't pick what you eat (idiom); beggars can't be choosers; When matters are urgent, don't spend time choosing alternatives." -饥寒交迫,jī hán jiāo pò,beset by hunger and cold (idiom); starving and freezing; in desperate poverty -饥渴,jī kě,"hungry and thirsty; (fig.) to crave (knowledge, love etc)" -饥肠辘辘,jī cháng lù lù,stomach rumbling with hunger -饥饿,jī è,hunger; starvation; famine -饲,sì,old variant of 飼|饲[si4] -飧,sūn,(literary) supper -饨,tún,used in 餛飩|馄饨[hun2 tun5]; Taiwan pr. [dun4] -饪,rèn,cooked food; to cook (until ready) -饫,yù,full (as of eating) -饫甘餍肥,yù gān yàn féi,to live off the fat of the land (idiom); to have a luxurious lifestyle -飬,juàn,old variant of 餋[juan4] -飬,yǎng,old variant of 養|养[yang3] -饬,chì,(bound form) to put in order; to arrange properly; circumspect; well-behaved; to give (sb) an order -饭,fàn,cooked rice; CL:碗[wan3]; meal; CL:頓|顿[dun4]; (loanword) fan; devotee -饭勺,fàn sháo,rice paddle -饭匙,fàn chí,rice paddle -饭圈,fàn quān,fan community; fandom -饭堂,fàn táng,dining hall; canteen; cafeteria -饭局,fàn jú,dinner party; banquet -饭岛柳莺,fàn dǎo liǔ yīng,(bird species of China) Ijima's leaf warbler (Phylloscopus ijimae) -饭店,fàn diàn,"restaurant; hotel; CL:家[jia1],個|个[ge4]" -饭厅,fàn tīng,dining room; dining hall; mess hall -饭后服用,fàn hòu fú yòng,post cibum (pharm.); to take (medicine) after a meal -饭托,fàn tuō,person hired to lure customers to a restaurant -饭替,fàn tì,body double (in eating scenes) -饭桌,fàn zhuō,dining table -饭桶,fàn tǒng,rice tub (from which cooked rice or other food is served); (fig.) fathead; a good-for-nothing -饭气攻心,fàn qì gōng xīn,food coma; postprandial somnolence -饭盆,fàn pén,pet food bowl; dog bowl -饭盒,fàn hé,lunchbox; mess tin -饭碗,fàn wǎn,rice bowl; fig. livelihood; job; way of making a living -饭票,fàn piào,(lit. and fig.) meal ticket -饭糗茹草,fàn qiǔ rú cǎo,lit. to live on dry provisions and wild herbs (idiom); fig. to live in abject poverty -饭团,fàn tuán,rice ball (steamed rice formed into a ball and stuffed with various fillings); onigiri (Japanese-style rice ball) -饭庄,fàn zhuāng,big restaurant -饭菜,fàn cài,food -饭量,fàn liàng,amount of food one eats; portion size -饭类,fàn lèi,rice dishes (on menu) -饭食,fàn shí,food -饭馆,fàn guǎn,restaurant; CL:家[jia1] -饭馆儿,fàn guǎn er,erhua variant of 飯館|饭馆[fan4 guan3] -飧,sūn,variant of 飧[sun1] -饮,yǐn,to drink -饮,yìn,to give (animals) water to drink -饮品,yǐn pǐn,beverage -饮宴,yǐn yàn,banquet; dinner; drinking party; feast -饮恨,yǐn hèn,to nurse a grievance; to harbor a grudge -饮恨吞声,yǐn hèn tūn shēng,to harbor a grudge with deep-seated hatred (idiom) -饮料,yǐn liào,drink; beverage -饮水,yǐn shuǐ,drinking water -饮水器,yǐn shuǐ qì,water dispenser -饮水思源,yǐn shuǐ sī yuán,"lit. when you drink water, think of its source (idiom); gratitude for blessings and their well-spring; Don't forget where your happiness come from.; Be grateful for all your blessings!" -饮水机,yǐn shuǐ jī,water dispenser; water cooler; drinking fountain -饮泣,yǐn qì,(literary) to weep in silence -饮流怀源,yǐn liú huái yuán,"lit. when you drink water, think of its source (idiom); gratitude for blessings and their well-spring; Don't forget where your happiness come from.; Be grateful for all your blessings!" -饮用,yǐn yòng,drink; drinking or drinkable (water) -饮用水,yǐn yòng shuǐ,drinking water; potable water -饮茶,yǐn chá,to have tea and refreshments; to have dim sum lunch (Cantonese) -饮酒,yǐn jiǔ,to drink wine -饮酒作乐,yǐn jiǔ zuò lè,drinking party; to go on a binge; to paint the town red -饮酒驾车,yǐn jiǔ jià chē,drink and drive (moderately high blood alcohol concentration) -饮食,yǐn shí,eating and drinking; food and drink; diet -饮食疗养,yǐn shí liáo yǎng,diet -饮鸩止渴,yǐn zhèn zhǐ kě,lit. drinking poison in the hope of quenching one's thirst (idiom); fig. a supposed remedy that only makes matters worse -饴,yí,maltose syrup -饴糖,yí táng,malt sugar; maltose -饲,sì,to raise; to rear; to feed -饲料,sì liào,feed; fodder -饲槽,sì cáo,feeding trough -饲育,sì yù,to rear (an animal) -饲草,sì cǎo,forage grass -饲养,sì yǎng,to raise; to rear -饲养员,sì yǎng yuán,"zookeeper; stockman; breeder (of livestock, dogs or poultry etc)" -饲养场,sì yǎng chǎng,farm; feed lot; dry lot -饲养业,sì yǎng yè,stock farming; animal husbandry -饲养者,sì yǎng zhě,feeder -饱,bǎo,to eat till full; satisfied -饱人不知饿人饥,bǎo rén bù zhī è rén jī,The well-fed cannot know how the starving suffer (idiom). -饱以老拳,bǎo yǐ lǎo quán,to thump repeatedly with one's fist -饱受,bǎo shòu,to endure; to suffer; to be subjected to -饱含,bǎo hán,"to be full of (emotion); to brim with (love, tears etc)" -饱和,bǎo hé,saturated; filled to capacity -饱和脂肪,bǎo hé zhī fáng,saturated fat -饱和脂肪酸,bǎo hé zhī fáng suān,saturated fatty acid (SFA) -饱嗝儿,bǎo gé er,to belch (on a full stomach) -饱尝,bǎo cháng,to enjoy fully; to experience to the full over a long period -饱学,bǎo xué,learned; erudite; scholarly -饱满,bǎo mǎn,full; plump -饱汉不知饿汉饥,bǎo hàn bù zhī è hàn jī,The well-fed cannot know how the starving suffer (idiom). -饱眼福,bǎo yǎn fú,to feast one's eyes on (idiom) -饱私囊,bǎo sī náng,to stuff one's pockets; to enrich oneself dishonestly -饱经忧患,bǎo jīng yōu huàn,having experienced much suffering -饱经沧桑,bǎo jīng cāng sāng,having lived through many changes -饱经风霜,bǎo jīng fēng shuāng,weather-beaten; having experienced the hardships of life -饱绽,bǎo zhàn,to swell to bursting (after having eaten too much) -饱览,bǎo lǎn,to look intensively; to feast one's eyes on -饱读,bǎo dú,to read intensively -饱足,bǎo zú,to be full (after eating) -饱食终日,bǎo shí zhōng rì,to spend the whole day eating (i.e. not doing any work) -饱餐,bǎo cān,to eat one's fill -饱餐一顿,bǎo cān yī dùn,to eat one's fill; to be full -饱餐战饭,bǎo cān zhàn fàn,to fill one's belly before the battle (idiom) -饰,shì,decoration; ornament; to decorate; to adorn; to hide; to conceal (a fault); excuse (to hide a fault); to play a role (in opera); to impersonate -饰品,shì pǐn,ornament; item of jewelry; accessory -饰巾,shì jīn,kerchief as head ornament -饰带,shì dài,sash; streamer -饰演,shì yǎn,to act; to play a part -饰物,shì wù,decorations; jewelry -饰胸鹬,shì xiōng yù,(bird species of China) buff-breasted sandpiper (Tryngites subruficollis) -饰词,shì cí,excuse; pretext -饰边,shì biān,ornamental border -饰钉,shì dīng,"stud (for decorating clothing, shoes, belts etc)" -饰面,shì miàn,ornamental facing; veneer -饪,rèn,variant of 飪|饪[ren4] -饺,jiǎo,dumplings with meat filling -饺子,jiǎo zi,"dumpling; pot-sticker; CL:個|个[ge4],隻|只[zhi1]" -饺子馆,jiǎo zi guǎn,dumpling restaurant -饺饵,jiǎo ěr,dumpling; pot-sticker; same as 餃子|饺子 -饸,hé,used in 餄餎|饸饹[he2le5] -饸饹,hé le,"""hele"" noodles, a type of noodle made from buckwheat or sorghum flour" -饼,bǐng,round flat cake; cookie; cake; pastry; CL:張|张[zhang1] -饼干,bǐng gān,"biscuit; cracker; cookie; CL:片[pian4],塊|块[kuai4]" -饼图,bǐng tú,pie chart -饼型图,bǐng xíng tú,pie chart; pie diagram -饼子,bǐng zi,maize or millet pancake -饼屋,bǐng wū,bakery -饼状图,bǐng zhuàng tú,pie chart -饼肥,bǐng féi,cake fertilizer -饼铛,bǐng chēng,baking pan -饼饵,bǐng ěr,cakes; pastry -饷,xiǎng,soldier's pay -饷银,xiǎng yín,(old) pay; wages (esp. for soldiers) -养,yǎng,to raise (animals); to bring up (children); to keep (pets); to support; to give birth -养伤,yǎng shāng,to heal a wound; to recuperate (from an injury) -养儿防老,yǎng ér fáng lǎo,(of parents) to bring up children for the purpose of being looked after in old age -养兵,yǎng bīng,to train troops -养分,yǎng fèn,nutrient -养地,yǎng dì,to maintain the land (with rotation of crops or fertilizer) -养大,yǎng dà,to raise (a child or animal) -养女,yǎng nǚ,adopted daughter -养子,yǎng zǐ,adopted son; foster son -养家,yǎng jiā,to support a family; to raise a family -养家活口,yǎng jiā huó kǒu,to support one's family (idiom) -养家糊口,yǎng jiā hú kǒu,(idiom) to provide for one's family -养尊处优,yǎng zūn chǔ yōu,to live like a prince (idiom) -养廉,yǎng lián,to encourage honesty; to discourage corruption -养性,yǎng xìng,mental or spiritual cultivation -养成,yǎng chéng,to cultivate; to raise; to form (a habit); to acquire -养料,yǎng liào,nutriment; nourishment -养乐多,yǎng lè duō,Yakult (Japanese brand of fermented milk drink) -养殖,yǎng zhí,to cultivate; cultivation; to further; to encourage -养殖业,yǎng zhí yè,cultivation industry -养母,yǎng mǔ,foster mother; adoptive mother -养活,yǎng huo,"to provide for; to keep (animals, a family etc); to raise animals; to feed and clothe; support; the necessities of life; to give birth" -养汉,yǎng hàn,to commit adultery (of married woman) -养父,yǎng fù,foster father; adoptive father -养生,yǎng shēng,to maintain good health; to raise a child or animal; curing (of concrete etc) -养生之道,yǎng shēng zhī dào,the way of maintaining good health -养生法,yǎng shēng fǎ,regime (diet) -养生送死,yǎng shēng sòng sǐ,to be looked after in life and given a proper burial thereafter (idiom) -养病,yǎng bìng,to recuperate; to convalesce; to take care of one's health after illness -养痈贻患,yǎng yōng yí huàn,lit. to foster an ulcer and bequeath a calamity (idiom); tolerating budding evil can only lead to disaster; to cherish a viper in one's bosom -养痈遗患,yǎng yōng yí huàn,lit. to foster an ulcer and bequeath a calamity (idiom); tolerating budding evil can only lead to disaster; to cherish a viper in one's bosom -养眼,yǎng yǎn,visually attractive; eye candy; easy on the eyes; to protect the eyes -养神,yǎng shén,to rest; to recuperate; to regain composure -养精蓄锐,yǎng jīng xù ruì,to preserve and nurture one's spirit (idiom); honing one's strength for the big push -养羊,yǎng yáng,sheep husbandry -养老,yǎng lǎo,to provide for the elderly (family members); to enjoy a life in retirement -养老保险,yǎng lǎo bǎo xiǎn,old-age insurance -养老送终,yǎng lǎo sòng zhōng,to look after one's aged parents and arrange proper burial after they die -养老金,yǎng lǎo jīn,pension -养老金双轨制,yǎng lǎo jīn shuāng guǐ zhì,dual pension scheme (PRC) -养老院,yǎng lǎo yuàn,nursing home -养育,yǎng yù,to rear; to bring up; to nurture -养花,yǎng huā,growing flowers -养虎伤身,yǎng hǔ shāng shēn,"Rear a tiger and court disaster. (idiom); fig. if you're too lenient with sb, he will damage you later; to cherish a snake in one's bosom" -养虎为患,yǎng hǔ wéi huàn,lit. to nurture a tiger invites calamity; fig. to indulge one's enemy is asking for trouble (idiom) -养虎遗患,yǎng hǔ yí huàn,"Rear a tiger and court disaster. (idiom); fig. if you're too lenient with sb, he will damage you later; to cherish a snake in one's bosom" -养蜂,yǎng fēng,to raise bees -养蜂人,yǎng fēng rén,beekeeper; apiculturist -养蜂业,yǎng fēng yè,beekeeping; apiculture -养蚕,yǎng cán,to raise silkworms -养蚕业,yǎng cán yè,silk industry -养护,yǎng hù,to maintain; to conserve; curing (concrete etc) -养路费,yǎng lù fèi,road maintenance tax (China) -养鸡场,yǎng jī chǎng,chicken farm -养颜,yǎng yán,to nourish one's skin; to maintain a youthful appearance -养鱼池,yǎng yú chí,fishpond -养鱼缸,yǎng yú gāng,aquarium; fish tank -饵,ěr,pastry; food; to swallow; to lure; bait; lure -饵子,ěr zi,fish bait -饵敌,ěr dí,to lure the enemy; to trap -饵丝,ěr sī,a kind of rice-flour noodles from Yunnan province -饵线,ěr xiàn,tippet (in fly-fishing) -饵诱,ěr yòu,to lure; to entice -饵雷,ěr léi,baited trap; booby-trap -饹,gē,used in 餎餷|饹馇[ge1 zha5] -饹,le,used in 餄餎|饸饹[he2le5] -饹馇,gē zha,"a kind of flat cake made from bean flour, often cut up and fried" -餐,cān,meal; to eat; classifier for meals -餐具,cān jù,tableware; dinner service -餐刀,cān dāo,table knife; dinner knife -餐前酒,cān qián jiǔ,aperitif -餐室,cān shì,dining room -餐宴,cān yàn,banquet -餐巾,cān jīn,napkin; CL:張|张[zhang1] -餐巾纸,cān jīn zhǐ,paper napkin; serviette -餐厅,cān tīng,"dining hall; dining room; restaurant; CL:間|间[jian1],家[jia1]" -餐后酒,cān hòu jiǔ,digestif -餐会,cān huì,dinner party; luncheon -餐末甜酒,cān mò tián jiǔ,dessert wine -餐桌,cān zhuō,dining table; dinner table; CL:張|张[zhang1] -餐桌转盘,cān zhuō zhuàn pán,revolving tray on a dining table; lazy Susan -餐桌盐,cān zhuō yán,table salt -餐牌,cān pái,menu -餐车,cān chē,dining car; diner -餐食,cān shí,food; meal -餐饮,cān yǐn,food and beverage; catering; repast -餐饮店,cān yǐn diàn,dining room; restaurant -餐馆,cān guǎn,restaurant; CL:家[jia1] -餐点,cān diǎn,food; dish; meal -饽,bō,cake; biscuit -饽饽,bō bo,pastry; steamed bun; cake -馁,něi,(bound form) hungry; starving; (bound form) dispirited; (literary) (of fish) putrid -饿,è,hungry; to starve (sb) -饿死,è sǐ,to starve to death; to be very hungry -饿殍,è piǎo,starving people -饿殍载道,è piǎo zài dào,starved corpses fill the roads (idiom); state of famine -饿肚子,è dù zi,to go hungry; to starve -饿莩,è piǎo,starving people -饿莩载道,è piǎo zài dào,starved corpses fill the roads (idiom); state of famine -饿莩遍野,è piǎo biàn yě,starving people everywhere (idiom); a state of famine -饿虎扑食,è hǔ pū shí,like a hungry tiger pouncing on its prey -饿鬼,è guǐ,sb who is always hungry; glutton; (Buddhism) hungry ghost -哺,bū,to eat; evening meal -馂,jùn,remains of a sacrifice or a meal -馂馅,jùn xiàn,"stuffing; forcemeat; filling, e.g. in a bun 包子[bao3 zi5] or ravioli 餃子|饺子[jiao3 zi5]" -余,yú,extra; surplus; remaining; remainder after division; (following numerical value) or more; in excess of (some number); residue (math.); after; I; me -馀,yú,surname Yu -馀,yú,"variant of 餘|余[yu2], remainder" -余下,yú xià,remaining -余光,yú guāng,(out of) the corner of one's eyes; peripheral vision; residual light; light of the setting sun -余切,yú qiē,"cotangent (of angle), written cot θ or ctg θ" -余剩,yú shèng,surplus; remainder -余割,yú gē,"cosecant (of angle), written cosec θ or csc θ" -余力,yú lì,energy left over (to do sth else) -余勇可贾,yú yǒng kě gǔ,"lit. spare valor for sale (idiom); fig. after former successes, still ready for more work; not resting on one's laurels" -余味,yú wèi,aftertaste; lingering impression -余地,yú dì,margin; leeway -余姚,yú yáo,"Yuyao, county-level city in Ningbo 寧波|宁波[Ning2 bo1], Zhejiang" -余姚市,yú yáo shì,"Yuyao, county-level city in Ningbo 寧波|宁波[Ning2 bo1], Zhejiang" -余存,yú cún,remainder; balance -余孽,yú niè,remaining evil element; surviving members (of an evil former regime); dregs (of a colonial administration) -余干,yú gān,"Yugan county in Shangrao 上饒|上饶, Jiangxi" -余干县,yú gān xiàn,"Yugan county in Shangrao 上饒|上饶, Jiangxi" -余年,yú nián,one's remaining years -余弦,yú xián,(math.) cosine -余弧,yú hú,complementary arc -余怒,yú nù,residual anger -余怒未息,yú nù wèi xī,to be still angry -余悸,yú jì,lingering fear -余庆,yú qìng,"Yuqing county in Zunyi 遵義|遵义[Zun1 yi4], Guizhou" -余庆县,yú qìng xiàn,"Yuqing county in Zunyi 遵義|遵义[Zun1 yi4], Guizhou" -余数,yú shù,remainder (in division) -余数定理,yú shù dìng lǐ,the Remainder Theorem -余晖,yú huī,twilight; afterglow -余杭,yú háng,"Yuhang district of Hangzhou city 杭州市[Hang2 zhou1 shi4], Zhejiang" -余杭区,yú háng qū,"Yuhang district of Hangzhou city 杭州市[Hang2 zhou1 shi4], Zhejiang" -余江,yú jiāng,"Yujiang county in Yingtan 鷹潭|鹰潭, Jiangxi" -余江县,yú jiāng xiàn,"Yujiang county in Yingtan 鷹潭|鹰潭, Jiangxi" -余波,yú bō,aftermath; repercussions; fallout -余温,yú wēn,residual heat; remaining warmth; (fig.) lingering enthusiasm -余热,yú rè,residual heat; surplus heat; waste heat; (fig.) capacity of retirees to continue to work -余烬,yú jìn,ember -余甘子,yú gān zǐ,Indian gooseberry (Phyllanthus emblica) -余生,yú shēng,the remaining years of one's life; survival (after a disaster) -余留,yú liú,remainder; fractional part (after the decimal point); unfinished -余留事务,yú liú shì wù,unfinished business -余留无符号数,yú liú wú fú hào shù,unsigned remainder (i.e. the remainder after rounding to the nearest integer) -余皇,yú huáng,large warship; name of warship of Wu kingdom during Spring and Autumn period -余码,yú mǎ,excess code (i.e. the unused bits in binary-coded decimal) -余粮,yú liáng,surplus grain -余绪,yú xù,vestigial residue; a throwback (to a former age) -余缺,yú quē,surplus and shortfall -余者,yú zhě,the remaining people -余裕,yú yù,ample; surplus -余角,yú jiǎo,complementary angle (additional angle adding to 90 degrees) -余辉,yú huī,variant of 餘暉|余晖[yu2 hui1] -余量,yú liàng,remnant; leftover; tolerance (i.e. allowed error) -余钱,yú qián,surplus money -余集,yú jí,complement of a set S (math.); the set of all x not in set S -余震,yú zhèn,earthquake aftershock -余音,yú yīn,lingering sound -余音绕梁,yú yīn rào liáng,reverberates around the rafters (idiom); fig. sonorous and resounding (esp. of singing voice) -余韵,yú yùn,pleasant lingering effect; memorable stylishness; haunting tune; aftertaste (of a good wine etc) -余响绕梁,yú xiǎng rào liáng,reverberates around the rafters (idiom); fig. sonorous and resounding (esp. of singing voice) -余项,yú xiàng,remainder term (math.); remainder; residue -余额,yú é,"balance (of an account, bill etc); surplus; remainder" -余党,yú dǎng,remnants (of a defeated clique); rump -肴,yáo,variant of 肴[yao2] -馄,hún,used in 餛飩|馄饨[hun2 tun5] -馄炖,hún dùn,wonton; see also 餛飩|馄饨[hun2 tun5] -馄饨,hún tun,wonton; Chinese ravioli (served in soup); Taiwan pr. [hun2dun5] -饯,jiàn,farewell dinner; preserves -饯别,jiàn bié,to give a farewell dinner -饯行,jiàn xíng,to give a farewell dinner -馅,xiàn,stuffing; forcemeat; filling -馅儿,xiàn er,erhua variant of 餡|馅[xian4] -馅儿饼,xiàn er bǐng,erhua variant of 餡餅|馅饼[xian4 bing3] -馅饼,xiàn bǐng,meat pie; pie; pasty -喂,wèi,variant of 餵|喂[wei4] -馆,guǎn,building; shop; term for certain service establishments; embassy or consulate; schoolroom (old); CL:家[jia1] -馆地,guǎn dì,school (old) -馆子,guǎn zi,restaurant; theater (old) -馆藏,guǎn cáng,to collect in a museum or library; museum collection; library holdings -馆宾,guǎn bīn,private teacher; preceptor -馆陶,guǎn táo,"Guantao county in Handan 邯鄲|邯郸[Han2 dan1], Hebei" -馆陶县,guǎn táo xiàn,"Guantao county in Handan 邯鄲|邯郸[Han2 dan1], Hebei" -糊,hú,congee; (in 糊口[hu2 kou3]) to feed oneself -糊口,hú kǒu,variant of 糊口[hu2 kou3] -餮,tiè,(literary) greedy; gluttonous -糇,hóu,dry provisions -饧,xíng,"maltose syrup; molasses; heavy (eyelids); drowsy-eyed; listless; (of dough, candy etc) to soften; to become soft and sticky" -饧面,xíng miàn,to let the dough rest -喂,wèi,to feed -喂哺,wèi bǔ,to feed (a baby) -喂奶,wèi nǎi,to breast-feed -喂料,wèi liào,to feed (also fig.) -喂母乳,wèi mǔ rǔ,breastfeeding -喂食,wèi shí,to feed -喂养,wèi yǎng,"to feed (a child, domestic animal etc); to keep; to raise (an animal)" -馇,chā,to cook and stir (animal feed); (coll.) to simmer (porridge etc) -馇,zha,used in 餎餷|饹馇[ge1 zha5] -糖,táng,old variant of 糖[tang2] -糕,gāo,variant of 糕[gao1] -饩,xì,grain ration; sacrificial victim -馈,kuì,(literary) to make an offering to the gods; variant of 饋|馈[kui4] -馏,liú,to distill; to break a liquid substance up into components by boiling -馏,liù,to steam; to cook in a steamer; to reheat cold food by steaming it -馏分,liú fèn,fraction (of a distillate); key (one component part of a distillate) -馊,sōu,rancid; soured (as food) -馊主意,sōu zhǔ yi,rotten idea -馊臭,sōu chòu,reeking; putrid -馍,mó,small loaf of steamed bread -馍馍,mó mo,steamed bun -馒,mán,used in 饅頭|馒头[man2 tou5] -馒头,mán tou,steamed bun -馐,xiū,delicacies -馑,jǐn,time of famine or crop failure -馓,sǎn,used in 饊子|馓子[san3 zi5] -馓子,sǎn zi,deep-fried noodle cake -馈,kuì,(bound form) to present (a gift); (bound form) to send; to transmit -馈线,kuì xiàn,feeder line -馈赠,kuì zèng,to present (a gift) to (sb) -馈送,kuì sòng,"to present (a gift); offering; to feed (a signal to a device, paper to a printer etc)" -馔,zhuàn,food; delicacies -膳,shàn,variant of 膳[shan4] -饥,jī,variant of 飢|饥[ji1] -饥荒,jī huāng,crop failure; famine; debt; difficulty -饥馑荐臻,jī jǐn jiàn zhēn,"famine repeats unceasingly (idiom, from Book of Songs)" -饶,ráo,surname Rao -饶,ráo,rich; abundant; exuberant; to add for free; to throw in as bonus; to spare; to forgive; despite; although -饶了,ráo le,to spare; to forgive -饶命,ráo mìng,to spare sb's life -饶富,ráo fù,to be rich in (some quality or other) -饶平,ráo píng,"Raoping county in Chaozhou 潮州[Chao2 zhou1], Guangdong" -饶平县,ráo píng xiàn,"Raoping county in Chaozhou 潮州[Chao2 zhou1], Guangdong" -饶恕,ráo shù,to forgive; to pardon; to spare -饶有,ráo yǒu,"full of (interest, humor, sentiment etc)" -饶有兴趣,ráo yǒu xìng qù,engrossing -饶有风趣,ráo yǒu fēng qù,bubbling with humor (idiom); witty and interesting -饶沃,ráo wò,fertile; rich; plentiful -饶河,ráo hé,"Raohe county in Shuangyashan 雙鴨山|双鸭山[Shuang1 ya1 shan1], Heilongjiang" -饶河县,ráo hé xiàn,"Raohe county in Shuangyashan 雙鴨山|双鸭山[Shuang1 ya1 shan1], Heilongjiang" -饶舌,ráo shé,talkative; to blather; to shoot one's mouth off; rap (genre of music) -饶舌调唇,ráo shé tiáo chún,blabbing and showing off (idiom); loud-mouthed trouble maker -饶舌音乐,ráo shé yīn yuè,rap music -饶过,ráo guò,to pardon; to excuse; to forgive -饶阳,ráo yáng,"Raoyang county in Hengshui 衡水[Heng2 shui3], Hebei" -饶阳县,ráo yáng xiàn,"Raoyang county in Hengshui 衡水[Heng2 shui3], Hebei" -饔,yōng,(literary) cooked food; breakfast -饔飧,yōng sūn,(literary) lit. breakfast and supper; fig. cooked food -饔饩,yōng xì,to present slaughtered or live animals -饕,tāo,(literary) greedy; gluttonous -饕客,tāo kè,gourmand -饕餮,tāo tiè,"ferocious mythological animal, the fifth son of the dragon king; zoomorphic mask motif, found on Shang and Zhou ritual bronzes; gluttonous; sumptuous (banquet)" -饕餮之徒,tāo tiè zhī tú,"glutton; gourmand; by extension, person who is greedy for power, money, sex etc" -饕餮大餐,tāo tiè dà cān,great meal fit for dragon's son (idiom); sumptuous banquet -饕餮纹,tāo tiè wén,zoomorphic mask motif -飨,xiǎng,(literary) to offer food and drinks; to entertain -飨以闭门羹,xiǎng yǐ bì mén gēng,to close the door in one's face (idiom) -飨客,xiǎng kè,to entertain a guest -飨宴,xiǎng yàn,feast; banquet -飨饮,xiǎng yǐn,to enjoy offered food and drink -餍,yàn,to eat to the full -馍,mó,variant of 饃|馍[mo2] -馋,chán,gluttonous; greedy; to have a craving -馋人,chán rén,to make one's mouth water; appetizing; greedy person; glutton -馋嘴,chán zuǐ,gluttonous; glutton -馋嘴蛙,chán zuǐ wā,sautéed bullfrog with chili sauce -馋涎欲垂,chán xián yù chuí,see 饞涎欲滴|馋涎欲滴[chan2 xian2 yu4 di1] -馋涎欲滴,chán xián yù dī,lit. to drool with desire (idiom); fig. to hunger for; greedy -馋痨,chán láo,gluttony -馋鬼,chán guǐ,glutton; greedy pig -饷,xiǎng,variant of 餉|饷[xiang3] -馕,náng,a kind of a flat bread -馕,nǎng,to stuff one's face; to eat greedily -馕嗓,nǎng sǎng,to stuff one's throat with food -首,shǒu,"head; chief; first (occasion, thing etc); classifier for poems, songs etc" -首付,shǒu fù,down payment -首付款,shǒu fù kuǎn,down payment -首任,shǒu rèn,first person to be appointed to a post -首位,shǒu wèi,first place -首例,shǒu lì,first case; first instance -首倡,shǒu chàng,to initiate -首先,shǒu xiān,first (of all); in the first place -首创,shǒu chuàng,to originate; to pioneer; to invent -首创者,shǒu chuàng zhě,pioneer; trailblazer -首善之区,shǒu shàn zhī qū,the finest place in the nation (often used in reference to the capital city); also written 首善之地[shou3 shan4 zhi1 di4] -首字母,shǒu zì mǔ,initial letters -首字母拚音词,shǒu zì mǔ pīn yīn cí,acronym -首字母缩写,shǒu zì mǔ suō xiě,acronym -首季,shǒu jì,first season; first quarter -首家,shǒu jiā,"first (hotel of its type, store of its type etc)" -首富,shǒu fù,richest individual; top millionaire -首尾,shǒu wěi,head and tail -首尾相接,shǒu wěi xiāng jiē,to join head to tail; bumper-to-bumper (of traffic jam) -首尾音,shǒu wěi yīn,onset and rime -首届,shǒu jiè,first session (of a conference etc) -首屈一指,shǒu qū yī zhǐ,to count as number one (idiom); second to none; outstanding -首层,shǒu céng,first floor; ground floor -首席,shǒu xí,"chief (representative, correspondent etc)" -首席代表,shǒu xí dài biǎo,chief representative -首席信息官,shǒu xí xìn xī guān,chief information officer (CIO) -首席执行官,shǒu xí zhí xíng guān,chief executive officer (CEO) -首席大法官,shǒu xí dà fǎ guān,Chief Justice (of US Supreme Court) -首席技术官,shǒu xí jì shù guān,chief technology officer (CTO) -首席法官,shǒu xí fǎ guān,Chief Justice -首席营销官,shǒu xí yíng xiāo guān,chief marketing officer (CMO) -首席财务官,shǒu xí cái wù guān,chief financial officer (CFO) -首席运营官,shǒu xí yùn yíng guān,chief operating officer (COO) -首府,shǒu fǔ,capital city of an autonomous region -首度,shǒu dù,first time -首战告捷,shǒu zhàn gào jié,to win the first battle -首批,shǒu pī,first batch -首推,shǒu tuī,to regard as the foremost; to name as a prime example; to implement for the first time -首日封,shǒu rì fēng,first day cover (philately) -首映,shǒu yìng,to premiere (a movie or TV show); premiere (of a movie); first-run (movie); to greet (the eye) before anything else (e.g. when entering a room) -首映式,shǒu yìng shì,premiere of a movie -首次,shǒu cì,first; first time; for the first time -首次公开招股,shǒu cì gōng kāi zhāo gǔ,initial public offering (IPO) -首次注视时间,shǒu cì zhù shì shí jiān,first fixation duration -首款,shǒu kuǎn,"to confess one's crime; first model, version, kind etc (of gadgets, software, cars etc)" -首演,shǒu yǎn,maiden stage role; first performance; first public showing -首尔,shǒu ěr,"Seoul, capital of South Korea (Chinese name adopted in 2005 to replace 漢城|汉城[Han4 cheng2])" -首尔国立大学,shǒu ěr guó lì dà xué,"Seoul National University (SNU or Seoul National), Korea" -首尔特别市,shǒu ěr tè bié shì,"Seoul Special Metropolitan City, official name of the capital of South Korea" -首当其冲,shǒu dāng qí chōng,to bear the brunt -首发,shǒu fā,first issue; first public showing -首相,shǒu xiàng,prime minister (of Japan or UK etc) -首秀,shǒu xiù,debut -首级,shǒu jí,severed head -首县,shǒu xiàn,principal county magistrate in imperial China -首肯,shǒu kěn,to give a nod of approval -首脑,shǒu nǎo,head (of state); summit (meeting); leader -首脑会晤,shǒu nǎo huì wù,leadership meeting -首脑会谈,shǒu nǎo huì tán,summit talks; discussion between heads of state -首脑会议,shǒu nǎo huì yì,leadership conference; summit meeting -首要,shǒu yào,the most important; of chief importance -首轮,shǒu lún,first round (of a competition etc) -首办,shǒu bàn,first organized; to run sth for the first time -首选,shǒu xuǎn,first choice; premium; to come first in the imperial examinations -首邑,shǒu yì,local capital; regional capital -首都,shǒu dū,capital (city); CL:個|个[ge4] -首都剧场,shǒu dū jù chǎng,the Capital Theater (in Beijing) -首都国际机场,shǒu dū guó jì jī chǎng,Beijing Capital International Airport -首都机场,shǒu dū jī chǎng,Beijing Capital International Airport (PEK) -首都经济贸易大学,shǒu dū jīng jì mào yì dà xué,Capital University of Economics and Business (Beijing) -首都经贸大学,shǒu dū jīng mào dà xué,"Capital University of Business and Economics, Beijing" -首都领地,shǒu dū lǐng dì,capital territory; Australian Capital Territory (ACT) around Canberra 堪培拉 -首重,shǒu zhòng,to emphasize; to give the most weight to; to rank first -首长,shǒu zhǎng,senior official -首音,shǒu yīn,(linguistics) onset -首页,shǒu yè,home page (of a website); title page; front page; first page; fig. beginning; cover letter -首领,shǒu lǐng,head; boss; chief -首饰,shǒu shì,jewelry; head ornament -首鼠两端,shǒu shǔ liǎng duān,(idiom) to hesitate; to remain undecided -馗,kuí,cheekbone; crossroads; high -馘,guó,(literary) to cut off the left ear of a slain enemy; the severed ear of a slain enemy -馘首,guó shǒu,(of a headhunter) to sever a head -香,xiāng,fragrant; sweet smelling; aromatic; savory or appetizing; (to eat) with relish; (of sleep) sound; perfume or spice; joss or incense stick; CL:根[gen1] -香干,xiāng gān,smoked bean curd -香几,xiāng jī,a small table to accommodate an incense burner -香包,xiāng bāo,a small bag full of fragrance used on Dragon boat Festival -香口胶,xiāng kǒu jiāo,chewing gum -香吻,xiāng wěn,kiss -香味,xiāng wèi,fragrance; bouquet; sweet smell; CL:股[gu3] -香味扑鼻,xiāng wèi pū bí,exotic odors assail the nostrils (idiom) -香喷喷,xiāng pēn pēn,delicious; savory -香囊,xiāng náng,spice bag -香坊,xiāng fāng,Xiangfang district of Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1] in Heilongjiang -香坊区,xiāng fāng qū,Xiangfang district of Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1] in Heilongjiang -香奈儿,xiāng nài ér,Chanel (brand name) -香娇玉嫩,xiāng jiāo yù nèn,a beautiful woman -香子兰,xiāng zǐ lán,vanilla; Vanilla planifolia -香客,xiāng kè,Buddhist pilgrim; Buddhist worshipper -香山公园,xiāng shān gōng yuán,"Fragrant Hills Park, Beijing" -香山区,xiāng shān qū,"Hsiangshan, a district of Hsinchu 新竹市[Xin1zhu2 Shi4], Taiwan" -香巢,xiāng cháo,a love nest; a place of secret cohabitation (also derogatory) -香巴拉,xiāng bā lā,"Shambhala, mythical place (Buddhism, Hinduism)" -香料,xiāng liào,spice; flavoring; condiment; perfume -香会,xiāng huì,a company of pilgrims -香木,xiāng mù,incense wood -香根草,xiāng gēn cǎo,vetiver grass (Vetiveria zizanoides) -香格里拉,xiāng gé lǐ lā,"Shangri-La (mythical location); Shangri-La town and county in Dêqên or Diqing Tibetan Autonomous Prefecture 迪慶藏族自治州|迪庆藏族自治州[Di2 qing4 Zang4 zu2 Zi4 zhi4 zhou1], northwest Yunnan; formerly Gyeltang or Gyalthang, Chinese 中甸[Zhong1 dian4] in Tibetan province of Kham" -香格里拉县,xiāng gé lǐ lā xiàn,"Shangri-La County in Dêqên or Diqing Tibetan Autonomous Prefecture 迪慶藏族自治州|迪庆藏族自治州[Di2 qing4 Zang4 zu2 Zi4 zhi4 zhou1], northwest Yunnan; formerly Gyeltang or Gyalthang, Chinese 中甸[Zhong1 dian4] in Tibetan province of Kham" -香桂,xiāng guì,"see 桂皮[gui4 pi2], Chinese cinnamon" -香案,xiāng àn,incense burner table -香椿,xiāng chūn,"Chinese toon (Toona sinensis), deciduous tree whose young leaves are used as a vegetable" -香榭丽舍,xiāng xiè lì shè,Champs Élysées -香榭丽舍大街,xiāng xiè lì shè dà jiē,Avenue des Champs-Élysées -香橙,xiāng chéng,orange (tree and fruit) -香槟,xiāng bīn,champagne (loanword) -香槟酒,xiāng bīn jiǔ,"champagne (loanword); CL:瓶[ping2],杯[bei1]" -香橼,xiāng yuán,grapefruit -香氛,xiāng fēn,fragrance; perfume -香气,xiāng qì,fragrance; aroma; incense -香水,xiāng shuǐ,perfume; cologne -香河,xiāng hé,"Xianghe county in Langfang 廊坊[Lang2 fang2], Hebei" -香河县,xiāng hé xiàn,"Xianghe county in Langfang 廊坊[Lang2 fang2], Hebei" -香油,xiāng yóu,sesame oil; perfumed oil -香泡树,xiāng pāo shù,citron (Citrus medica); grapefruit -香波,xiāng bō,shampoo (loanword); see 洗髮皂|洗发皂[xi3 fa4 zao4] -香洲,xiāng zhōu,"Xiangzhou District of Zhuhai City 珠海市[Zhu1 hai3 Shi4], Guangdong" -香洲区,xiāng zhōu qū,"Xiangzhou District of Zhuhai City 珠海市[Zhu1 hai3 Shi4], Guangdong" -香液,xiāng yè,perfume; balsam -香港,xiāng gǎng,Hong Kong -香港中文大学,xiāng gǎng zhōng wén dà xué,Chinese University of Hong Kong -香港交易所,xiāng gǎng jiāo yì suǒ,Hong Kong Stock Exchange -香港人,xiāng gǎng rén,Hong Kong person or people -香港基本法,xiāng gǎng jī běn fǎ,Hong Kong Basic Law (in effect since the resumption of Chinese sovereignty in 1997) -香港大学,xiāng gǎng dà xué,The University of Hong Kong -香港岛,xiāng gǎng dǎo,Hong Kong Island -香港工会联合会,xiāng gǎng gōng huì lián hé huì,Hong Kong Federation of Trade Unions -香港文化中心,xiāng gǎng wén huà zhōng xīn,Hong Kong Cultural Center -香港湿地公园,xiāng gǎng shī dì gōng yuán,"Hong Kong Wetland Park, in Yuen Long, New Territories" -香港理工大学,xiāng gǎng lǐ gōng dà xué,Hong Kong Polytechnic University -香港众志,xiāng gǎng zhòng zhì,"Demosistō, a pro-democracy political party in Hong Kong, established in 2016" -香港科技大学,xiāng gǎng kē jì dà xué,Hong Kong University of Science and Technology -香港红十字会,xiāng gǎng hóng shí zì huì,Hong Kong Red Cross -香港脚,xiāng gǎng jiǎo,athlete's foot -香港警察,xiāng gǎng jǐng chá,Hong Kong Police Force (since 1997) -香港贸易发展局,xiāng gǎng mào yì fā zhǎn jú,Hong Kong Trade Development Council -香港足球总会,xiāng gǎng zú qiú zǒng huì,Hong Kong Football Association -香港金融管理局,xiāng gǎng jīn róng guǎn lǐ jú,Hong Kong Monetary Authority -香港银行公会,xiāng gǎng yín háng gōng huì,Hong Kong Association of Banks -香港电台,xiāng gǎng diàn tái,"Radio Television Hong Kong (RTHK), public broadcaster" -香汤沐浴,xiāng tāng mù yù,to bathe in a fragrant hot spring (idiom) -香滑,xiāng huá,creamy -香火,xiāng huǒ,incense burning in front of a temple; burning joss sticks -香火不绝,xiāng huǒ bù jué,an unending stream of pilgrims -香火钱,xiāng huǒ qián,donations to a temple -香火鼎盛,xiāng huǒ dǐng shèng,(of a temple) teeming with worshippers -香烟,xiāng yān,"cigarette; smoke from burning incense; CL:支[zhi1],條|条[tiao2]" -香烛,xiāng zhú,joss stick and candle -香熏,xiāng xūn,aroma -香熏疗法,xiāng xūn liáo fǎ,aromatherapy (alternative medicine) -香炉,xiāng lú,a censer (for burning incense); incense burner; thurible -香片,xiāng piàn,jasmine tea; scented tea -香獐子,xiāng zhāng zi,musk deer (Moschus moschiferus) -香瓜,xiāng guā,cantaloupe melon -香甜,xiāng tián,fragrant and sweet; sound (sleep) -香皂,xiāng zào,perfumed soap; toilet soap; CL:塊|块[kuai4] -香碗豆,xiāng wǎn dòu,sweet pea (Lathyrus odoratus) -香粉,xiāng fěn,face powder; talcum powder -香精,xiāng jīng,seasoning; condiment; flavoring; dressing; essences -香纯,xiāng chún,variant of 香醇[xiang1 chun2] -香肉,xiāng ròu,(dialect) dog meat -香胰子,xiāng yí zi,toilet soap -香脂,xiāng zhī,balsam; face cream -香肠,xiāng cháng,sausage; CL:根[gen1] -香腺,xiāng xiàn,perfume gland; musk gland -香艳,xiāng yàn,alluring; erotic; romantic -香花,xiāng huā,fragrant flower; fig. beneficial (of artworks etc) -香茅,xiāng máo,lemon grass (Cymbopogon flexuosus) -香茅醇,xiāng máo chún,citronellol (chemistry) -香草,xiāng cǎo,aromatic herb; vanilla; alternative name for Eupatorium fortunei; (fig.) loyal and dependable person (old) -香草精,xiāng cǎo jīng,vanilla; vanilla extract; methyl vanillin C8H8O3 -香草兰,xiāng cǎo lán,vanilla (Vanilla planifolia) -香荽,xiāng suī,coriander -香菇,xiāng gū,"shiitake (Lentinus edodes), an edible mushroom" -香菜,xiāng cài,coriander; cilantro; Coriandrum sativum -香菜叶,xiāng cài yè,coriander leaf -香菰,xiāng gū,variant of 香菇[xiang1 gu1] -香叶,xiāng yè,bay leaf; laurel leaf -香叶醇,xiāng yè chún,geraniol (chemistry) -香蒜酱,xiāng suàn jiàng,garlic sauce; pesto -香蒲,xiāng pú,Typha orientalis; broadleaf cumbungi; bulrush; cattail -香蕈,xiāng xùn,"shiitake (Lentinus edodes), an edible mushroom" -香蕉,xiāng jiāo,"banana; CL:枝[zhi1],根[gen1],個|个[ge4],把[ba3]" -香蕉人,xiāng jiāo rén,"banana person (yellow outside, white inside); mildly pejorative term used by Chinese for assimilated Asian Americans; Westernized person of Asian appearance" -香薄荷,xiāng bò he,savory (herb) -香薰,xiāng xūn,aromatherapy -香豌豆,xiāng wān dòu,sweet pea (Lathyrus odoratus) -香车宝马,xiāng chē bǎo mǎ,magnificent carriage and precious horses (idiom); rich family with extravagant lifestyle; ostentatious display of luxury -香轮宝骑,xiāng lún bǎo qí,magnificent carriage and precious horses (idiom); rich family with extravagant lifestyle; ostentatious display of luxury -香辣椒,xiāng là jiāo,all-spice (Pimenta dioica); Jamaican pepper -香酥,xiāng sū,crisp-fried -香醇,xiāng chún,rich and mellow (flavor or aroma) -香醋,xiāng cù,aromatic vinegar; balsamic vinegar -香闺,xiāng guī,a woman's rooms -香附,xiāng fù,red nut sedge (Cyperus rotundus) -香颂,xiāng sòng,chanson (loanword) -香饽饽,xiāng bō bo,delicious cakes; popular person; sth that is in high demand -香馥馥,xiāng fù fù,richly scented; strongly perfumed -香体剂,xiāng tǐ jì,deodorant -香鼬,xiāng yòu,mountain weasel; alpine weasel -馥,fù,fragrance; scent; aroma -馥郁,fù yù,strongly fragrant -馥馥,fù fù,(literary) highly fragrant -馨,xīn,fragrant -馨香,xīn xiāng,fragrance; fragrant (of incense) -马,mǎ,surname Ma; abbr. for Malaysia 馬來西亞|马来西亚[Ma3lai2xi1ya4] -马,mǎ,horse; CL:匹[pi3]; horse or cavalry piece in Chinese chess; knight in Western chess -马丁,mǎ dīng,Martin (name) -马丁尼,mǎ dīng ní,martini (loanword) -马丁炉,mǎ dīng lú,Martin furnace; open hearth furnace; open hearth -马三家,mǎ sān jiā,"Masanjia town in Yuhong District 于洪區|于洪区[Yu2 hong2 Qu1] in Liaoning, known for its re-education through labor camp" -马三立,mǎ sān lì,"Ma Sanli (1914-2003), Chinese comedian" -马上,mǎ shàng,at once; right away; immediately; on horseback (i.e. by military force) -马上比武,mǎ shàng bǐ wǔ,tournament (contest in Western chivalry); jousting -马上风,mǎ shàng fēng,death during sexual intercourse -马不停蹄,mǎ bù tíng tí,unrelenting; without stopping to rest -马丘比丘,mǎ qiū bǐ qiū,Machu Picchu -马中锡,mǎ zhōng xī,"Ma Zhongxi, Ming writer (1446-1512), author of the fable The Wolf of Zhongshan 中山狼傳|中山狼传[Zhong1 shan1 Lang2 Zhuan4]" -马仔,mǎ zǎi,henchman; gang member -马夫,mǎ fū,groom; stable lad; horsekeeper; pimp; procurer -马伯乐,mǎ bó lè,Maspero (name) -马但,mǎ dàn,"Matthan, son of Eleazar and father of Jakob in Matthew 1.15" -马来,mǎ lái,Malaya; Malaysia -马来亚,mǎ lái yà,Malaya -马来人,mǎ lái rén,Malay person or people -马来半岛,mǎ lái bàn dǎo,Malay Peninsula -马来文,mǎ lái wén,Malaysian language -马来西亚,mǎ lái xī yà,Malaysia -马来西亚人,mǎ lái xī yà rén,Malaysian person or people -马来西亚语,mǎ lái xī yà yǔ,Malaysian (language) -马来语,mǎ lái yǔ,Malaysian language -马来鸻,mǎ lái héng,(bird species of China) Malaysian plover (Anarhynchus peronii) -马俊仁,mǎ jùn rén,"Ma Junren (1944-), Chinese track coach" -马克,mǎ kè,Mark (name) -马克,mǎ kè,mark (monetary unit) -马克宏,mǎ kè hóng,"(Tw) Emmanuel Macron (1977-), president of France from 2017" -马克思,mǎ kè sī,"Marx (name); Karl Marx (1818-1883), German revolutionary, economist and historian" -马克思主义,mǎ kè sī zhǔ yì,Marxism -马克思列宁主义,mǎ kè sī liè níng zhǔ yì,Marxism-Leninism -马克斯威尔,mǎ kè sī wēi ěr,James Clerk Maxwell (1831-1879) -马克杯,mǎ kè bēi,mug (loanword) -马克沁,mǎ kè qìn,"Sir Hiram Maxim (1840-1916), American British inventor of the Maxim machine gun" -马克沁机枪,mǎ kè qìn jī qiāng,Maxim machine gun -马克笔,mǎ kè bǐ,marker (loanword); felt marker -马克西米连,mǎ kè xī mǐ lián,Maximilian or Maximilien (name) -马克龙,mǎ kè lóng,"Emmanuel Macron (1977-), president of France from 2017" -马兜铃科,mǎ dōu líng kē,"Aristolochiaceae (birthwort family of flowering plants, including ginger)" -马兜铃酸,mǎ dōu líng suān,aristolochic acid -马公,mǎ gōng,"Makung city in Penghu county 澎湖縣|澎湖县[Peng2 hu2 xian4] (Pescadores Islands), Taiwan" -马公市,mǎ gōng shì,"Makung city in Penghu county 澎湖縣|澎湖县[Peng2 hu2 xian4] (Pescadores Islands), Taiwan" -马六甲,mǎ liù jiǎ,"Malacca or Melaka (town and state in Malaysia), also strait between Malaysia and Sumatra" -马六甲海峡,mǎ liù jiǎ hǎi xiá,Strait of Malacca -马其顿,mǎ qí dùn,Macedonia -马其顿共和国,mǎ qí dùn gòng hé guó,Republic of Macedonia (former Yugoslav republic) -马具,mǎ jù,harness -马刀,mǎ dāo,saber; cavalry sword -马列,mǎ liè,Marx and Lenin -马列主义,mǎ liè zhǔ yì,Marxism-Leninism -马列毛,mǎ liè máo,"Marx, Lenin and Mao" -马利,mǎ lì,Mali (Tw) -马利亚,mǎ lì yà,"Maria (name); Mary, mother of Jesus Christ" -马利亚纳海沟,mǎ lì yà nà hǎi gōu,Mariana Trench (or Marianas Trench) -马利亚纳群岛,mǎ lì yà nà qún dǎo,Mariana Islands in the Pacific -马利基,mǎ lì jī,Maliki or Al-Maliki (name); Nouri Kamel al-Maliki (1950-) prime minister of Iraq 2006-2014 -马利筋,mǎ lì jīn,tropical milkweed (Asclepias curassavica) -马到成功,mǎ dào chéng gōng,to win instant success (idiom) -马刺,mǎ cì,spur (on riding boots) -马前卒,mǎ qián zú,lackey; errand boy; lit. runner before a carriage -马力,mǎ lì,horsepower -马勃菌,mǎ bó jùn,puffball (mushroom in the division Basidiomycota) -马勒,mǎ lè,"Mahler (name); Gustav Mahler (1860-1911), Austrian composer" -马勺,mǎ sháo,wooden ladle -马化腾,mǎ huà téng,"Ma Huateng aka Pony Ma (1971-), Chinese business magnate, CEO of Tencent" -马匹,mǎ pǐ,horse -马南邨,mǎ nán cūn,"Ma Nancun (1912-1966), pen name of Deng Tuo 鄧拓|邓拓" -马占,mǎ zhàn,(dialect) merchant (loanword) -马卡龙,mǎ kǎ lóng,"macaron, French pastry with a soft filling sandwiched between the meringue-based cookie shells (loanword)" -马友友,mǎ yǒu yǒu,"Yo-Yo Ma (1955-), French-Chinese-American cellist" -马口铁,mǎ kǒu tiě,tinplate; tin (tin-coated steel) -马可尼,mǎ kě ní,"Marconi, UK electronics company" -马可波罗,mǎ kě bō luó,"Marco Polo (1254-c. 1324), Venetian trader and explorer who traveled the Silk road to China, author of Il Milione (Travels of Marco Polo)" -马可福音,mǎ kě fú yīn,Gospel according to St Mark -马哈拉施特拉邦,mǎ hā lā shī tè lā bāng,Maharashtra (state in India) -马哈迪,mǎ hā dí,"Mahathir bin Mohamad (1925-), Malaysian politician, prime minister 1981-2003 and 2018-2020" -马噶尔尼,mǎ gá ěr ní,"Earl George Macartney (1737-1806), leader of British mission to Qing China in 1793; Paul McCartney, former Beatle" -马噶尔尼使团,mǎ gá ěr ní shǐ tuán,the Macartney mission to Qing China in 1793 -马圈,mǎ juàn,stable -马国,mǎ guó,Malaysia -马塞卢,mǎ sài lú,"Maseru, capital of Lesotho" -马大,mǎ dà,Martha (biblical name) -马大哈,mǎ dà hā,a careless person; scatterbrain; frivolous and forgetful; abbr. for 馬馬虎虎、大大咧咧、嘻嘻哈哈|马马虎虎、大大咧咧、嘻嘻哈哈 -马天尼,mǎ tiān ní,Martini -马太,mǎ tài,Matthew (name) -马太沟,mǎ tài gōu,"Mataigou town in Pingluo county 平羅縣|平罗县[Ping2 luo2 xian4], Shizuishan 石嘴山[Shi2 zui3 shan1], Ningxia" -马太沟镇,mǎ tài gōu zhèn,"Mataigou town in Pingluo county 平羅縣|平罗县[Ping2 luo2 xian4], Shizuishan 石嘴山[Shi2 zui3 shan1], Ningxia" -马太福音,mǎ tài fú yīn,Gospel according to St Matthew -马失前蹄,mǎ shī qián tí,lit. the horse loses its front hooves; fig. sudden failure through miscalculation or inattentiveness -马奶酒,mǎ nǎi jiǔ,kumis; horse milk wine -马子,mǎ zi,bandit; brigand; gambling chip; chamber pot; (slang) girl; chick; babe -马家军,mǎ jiā jūn,the Ma clique of warlords in Gansu and Ningxia during the 1930s and 1940s -马尼托巴,mǎ ní tuō bā,"Manitoba province, Canada" -马尼拉,mǎ ní lā,"Manila, capital of Philippines" -马尼拉大学,mǎ ní lā dà xué,University of Manila -马尾,mǎ wěi,"Mawei, a district of Fuzhou City 福州市[Fu2zhou1 Shi4], Fujian" -马尾,mǎ wěi,ponytail (hairstyle); horse's tail; slender fibers like horse's tail (applies to various plants) -马尾区,mǎ wěi qū,"Mawei, a district of Fuzhou City 福州市[Fu2zhou1 Shi4], Fujian" -马尾松,mǎ wěi sōng,"Masson pine (Pinus massoniana, Chinese red pine, horsetail pine)" -马尾水,mǎ wěi shuǐ,Mawei river through Fuzhou city -马尾水师学堂,mǎ wěi shuǐ shī xué táng,"Mawei River naval college, alternative name for Fuzhou naval college 福州船政學堂|福州船政学堂, set up in 1866 by the Qing dynasty" -马尾港,mǎ wěi gǎng,"Mawei harbor, the harbor of Fuzhou city" -马尾军港,mǎ wěi jūn gǎng,Mawei naval base at Fuzhou city (in Qing times) -马尾辫,mǎ wěi biàn,ponytail -马屁,mǎ pì,horse hindquarters; flattery; boot-licking -马屁精,mǎ pì jīng,toady; bootlicker -马山,mǎ shān,"Mashan county in Nanning 南寧|南宁[Nan2 ning2], Guangxi" -马山县,mǎ shān xiàn,"Mashan county in Nanning 南寧|南宁[Nan2 ning2], Guangxi" -马工枚速,mǎ gōng méi sù,Sima Xiangru is meticulous and Mei Gao is fast (idiom); to each his good points -马布多,mǎ bù duō,"Maputo, capital of Mozambique (Tw)" -马帮,mǎ bāng,caravan of horses carrying goods -马年,mǎ nián,Year of the Horse (e.g. 2002) -马店,mǎ diàn,inn that also provides facilities for visitors' horses -马库色,mǎ kù sè,Marcuse (philosopher) -马厩,mǎ jiù,stable -马后炮,mǎ hòu pào,lit. firing after the horse; fig. belated action; giving advice in hindsight -马后炮,mǎ hòu pào,lit. firing after the horse; fig. belated action; giving advice in hindsight -马德拉斯,mǎ dé lā sī,"Madras or Chennai 欽奈|钦奈[Qin1 nai4], capital of Tamil Nadu on East coast of India" -马德拉群岛,mǎ dé lā qún dǎo,Madeira; the Madeira Islands -马德望,mǎ dé wàng,Battambang -马德里,mǎ dé lǐ,"variant of 馬德里|马德里[Ma3 de2 li3], Madrid" -马德里,mǎ dé lǐ,"Madrid, capital of Spain" -马恩列斯,mǎ ēn liè sī,"abbr. for Marx 馬克思|马克思[Ma3 ke4 si1], Engels 恩格斯[En1 ge2 si1], Lenin 列寧|列宁[Lie4 ning2] and Stalin 斯大林[Si1 da4 lin2]" -马恩岛,mǎ ēn dǎo,"Isle of Man, British Isles; Isle of Mann" -马戛尔尼,mǎ jiá ěr ní,"Earl George Macartney (1737-1806), leader of British mission to Qing China in 1793; Paul McCartney, former Beatle" -马戛尔尼使团,mǎ jiá ěr ní shǐ tuán,the Macartney mission to Qing China in 1793 -马戏,mǎ xì,circus -马戏团,mǎ xì tuán,circus -马房,mǎ fáng,horse stable -马扎尔,mǎ zhā ěr,Magyar; Hungarian -马扎尔语,mǎ zhā ěr yǔ,Magyar (language); Hungarian -马拉,mǎ lā,"Marat (name); Jean-Paul Marat (1743-1793), Swiss scientist and physician" -马拉加,mǎ lā jiā,"Málaga, Spain; Malaga city in Iranian East Azerbaijan" -马拉博,mǎ lā bó,"Malabo, capital of Equatorial Guinea" -马拉喀什,mǎ lā kā shí,Marrakech (city in Morocco) -马拉地,mǎ lā dì,Marathi language of west India -马拉地语,mǎ lā dì yǔ,Marathi language of west India -马拉多纳,mǎ lā duō nà,"Diego Maradona (1960-), Argentine footballer" -马拉威,mǎ lā wēi,Malawi (Tw) -马拉松,mǎ lā sōng,marathon (loanword) -马拉松赛,mǎ lā sōng sài,marathon race -马拉盏,mǎ lā zhǎn,(loanword) belachan (South-East Asian condiment made from fermented shrimp paste) -马拉糕,mǎ lā gāo,Cantonese sponge cake also known as mara cake -马拉维,mǎ lā wéi,Malawi -马拉开波,mǎ lā kāi bō,"Maracaibo, Venezuela" -马拿瓜,mǎ ná guā,"Managua, capital of Nicaragua (Tw)" -马提尼克,mǎ tí ní kè,Martinique (French Caribbean island) -马斯克,mǎ sī kè,"Elon Musk (1971-), business magnate and co-founder of Tesla Motors" -马斯内,mǎ sī nèi,"Jules Massenet (1842-1912), French composer" -马斯喀特,mǎ sī kā tè,"Muscat, capital of Oman" -马斯垂克,mǎ sī chuí kè,Maastricht (Netherlands) -马斯河,mǎ sī hé,"Maas or Meuse River, Western Europe" -马斯洛,mǎ sī luò,"Maslow (surname); Abraham Maslow (1908-1970), US psychologist" -马斯特里赫特,mǎ sī tè lǐ hè tè,Maastricht -马普托,mǎ pǔ tuō,"Maputo, capital of Mozambique" -马服君,mǎ fú jūn,"Ma Fujun, famous general of Zhao 趙國|赵国" -马服子,mǎ fú zǐ,"Ma Fuzi (-260 BC), hapless general of Zhao 趙國|赵国[Zhao4 Guo2], who famously led an army of 400,000 to total annihilation at battle of Changping 長平之戰|长平之战[Chang2 ping2 zhi1 Zhan4] in 260 BC; also called Zhao Kuo 趙括|赵括[Zhao4 Kuo4]" -马朱罗,mǎ zhū luó,"Majuro, capital of Marshall Islands" -马村,mǎ cūn,"Macun district of Jiaozuo city 焦作市[Jiao1 zuo4 shi4], Henan" -马村区,mǎ cūn qū,"Macun district of Jiaozuo city 焦作市[Jiao1 zuo4 shi4], Henan" -马林巴,mǎ lín bā,marimba (loanword) -马格德堡,mǎ gé dé bǎo,Magdeburg (German city) -马桶,mǎ tǒng,chamber pot; wooden pan used as toilet; toilet bowl -马桶拔,mǎ tǒng bá,plunger for unblocking toilet -马荣,mǎ róng,Mayon (volcano in Philippines) -马枪,mǎ qiāng,carbine; lance -马槽,mǎ cáo,manger -马槟榔,mǎ bīng lang,caper -马歇尔,mǎ xiē ěr,"Marshall (name); George Catlett Marshall (1880-1959), US general in WWII and Secretary of State 1947-1949, author of the postwar Marshall plan for Europe and Nobel peace laureate" -马步,mǎ bù,"(martial arts) horse stance (with legs wide apart, as when riding a horse)" -马杀鸡,mǎ shā jī,massage (loanword) -马氏珍珠贝,mǎ shì zhēn zhū bèi,pearl oyster (genus Pinctada) -马氏管,mǎ shì guǎn,Malpighian tubule system (in the insect digestive tract etc) -马洛,mǎ luò,Marlow (name) -马海毛,mǎ hǎi máo,mohair (loanword) -马熊,mǎ xióng,brown bear -马灯,mǎ dēng,barn lantern; kerosene lamp -马尔他,mǎ ěr tā,Malta (Tw) -马尔他人,mǎ ěr tā rén,Maltese (person) -马尔他语,mǎ ěr tā yǔ,Maltese (language) -马尔代夫,mǎ ěr dài fū,the Maldives -马尔卡河,mǎ ěr kǎ hé,"Malka River, Russia, a.k.a. Balyksu River" -马尔可夫过程,mǎ ěr kě fū guò chéng,Markov process (math.) -马尔地夫,mǎ ěr dì fū,the Maldives (Tw) -马尔堡病毒,mǎ ěr bǎo bìng dú,Marburg virus -马尔库斯,mǎ ěr kù sī,Marcus (name) -马尔康,mǎ ěr kāng,"Barkam town (Tibetan: 'bar khams), capital of Ngawa Tibetan and Qiang Autonomous Prefecture 阿壩藏族羌族自治州|阿坝藏族羌族自治州[A1 ba4 Zang4 zu2 Qiang1 zu2 Zi4 zhi4 zhou1], northwest Sichuan" -马尔康县,mǎ ěr kāng xiàn,"Barkam County (Tibetan: 'bar khams rdzong) in Ngawa Tibetan and Qiang Autonomous Prefecture 阿壩藏族羌族自治州|阿坝藏族羌族自治州[A1 ba4 Zang4 zu2 Qiang1 zu2 Zi4 zhi4 zhou1], northwest Sichuan" -马尔康镇,mǎ ěr kāng zhèn,"Barkam town (Tibetan: 'bar khams), capital of Ngawa Tibetan and Qiang Autonomous Prefecture 阿壩藏族羌族自治州|阿坝藏族羌族自治州[A1 ba4 Zang4 zu2 Qiang1 zu2 Zi4 zhi4 zhou1], northwest Sichuan" -马尔扎赫,mǎ ěr zhā hè,"Marjah, town in Helmand province, Afghanistan" -马尔斯,mǎ ěr sī,Mars (Roman God of War) -马尔维纳斯群岛,mǎ ěr wéi nà sī qún dǎo,Malvinas Islands (also known as Falkland Islands) -马尔谷,mǎ ěr gǔ,Mark; St Mark the evangelist; less common variant of 馬克|马克[Ma3 ke4] preferred by the Catholic Church -马尔贝克,mǎ ěr bèi kè,Malbec (grape type) -马尔贾,mǎ ěr jiǎ,"Marja (also spelled Marjah or Marjeh), agricultural district in Nad Ali District, Helmand Province, Afghanistan" -马尔马拉海,mǎ ěr mǎ lā hǎi,Sea of Marmara -马尔默,mǎ ěr mò,"Malmo (Malmo city, of Sweden)" -马王堆,mǎ wáng duī,"Mawangdui in Changsha, Hunan, a recent Han dynasty archaeological site" -马球,mǎ qiú,polo -马瑙斯,mǎ nǎo sī,Manaus (city in Brazil) -马甲,mǎ jiǎ,corset; sockpuppet (Internet slang); vest (dialect) -马略卡,mǎ lüè kǎ,Majorca (island of Spain) -马祖,mǎ zǔ,"Matsu Islands off Fujian, administered by Taiwan" -马祖列岛,mǎ zǔ liè dǎo,Matsu Islands -马礼逊,mǎ lǐ xùn,"Robert Morrison (1782-1834), Presbyterian minister, translator, and the London Missionary Society's first missionary to China" -马科,mǎ kē,Equidae; horse family -马穆楚,mǎ mù chǔ,"Mamoudzou, capital of Mayotte" -马竿,mǎ gān,lasso pole; blind man's stick; white stick -马糊,mǎ hu,variant of 馬虎|马虎[ma3 hu5] -马粪纸,mǎ fèn zhǐ,strawboard -马约卡,mǎ yāo kǎ,Majorca (island of Spain) -马约特,mǎ yuē tè,"Mayotte, island between NW Madagascar and Mozambique" -马纳马,mǎ nà mǎ,"Manama, capital of Bahrain" -马扎,mǎ zhá,campstool; folding stool (with fabric stretched across the top to sit on) -马累,mǎ lèi,"Malé, capital of Maldives" -马绍尔群岛,mǎ shào ěr qún dǎo,Marshall Islands -马经,mǎ jīng,form (horse racing) -马缨丹,mǎ yīng dān,lantana (botany) -马缨花,mǎ yīng huā,Persian silk tree (Albizia julibrissin); tree rhododendron (Rhododendron delavayi) -马群,mǎ qún,herd of horses -马耳他,mǎ ěr tā,Malta -马耳东风,mǎ ěr dōng fēng,lit. the east wind blowing in a horse's ear (idiom); fig. words one pays no heed to -马背,mǎ bèi,horse's back; (traditional Chinese architecture) roof with a low-slung curved ridgelines and geometric shapes on the upper gable walls at the ends of the roof ridges -马脚,mǎ jiǎo,"sth one wishes to conceal; the cat (as in ""let the cat out of the bag"")" -马自达,mǎ zì dá,"Mazda, Japanese car make (derived from name Matsuda 松田); also known as 萬事得|万事得" -马致远,mǎ zhì yuǎn,"Ma Zhiyuan (c. 1250-1321), Yuan dynasty dramatist in the 雜劇|杂剧[za2 ju4] tradition of musical comedy, one of the Four Great Yuan Dramatists 元曲四大家[Yuan2 qu3 Si4 Da4 jia1]" -马航,mǎ háng,Malaysia Airlines -马良,mǎ liáng,Ma Liang (Three Kingdoms) -马芬,mǎ fēn,muffin (loanword); also written 瑪芬|玛芬[ma3 fen1] -马英九,mǎ yīng jiǔ,"Ma Ying-jeou (1950-), Taiwanese Kuomintang politician, Mayor of Taipei 1998-2006, president of Republic of China 2008-2016" -马草夼,mǎ cǎo kuǎng,"Macaokuang village in Tengjia township 滕家鎮|滕家镇, Rongcheng county 榮成|荣成, Weihai 威海, Shandong" -马草夼村,mǎ cǎo kuǎng cūn,"Macaokuang village in Tengjia township 滕家鎮|滕家镇, Rongcheng county 榮成|荣成, Weihai 威海, Shandong" -马莎,mǎ shā,"Marks and Spencers, UK retail chain; Martha (name)" -马萨诸塞,mǎ sà zhū sài,"Massachusetts, US state" -马萨诸塞州,mǎ sà zhū sài zhōu,"Massachusetts, US state" -马苏德,mǎ sū dé,"Massoud (name); Ahmed Shah Massoud (1953-2001), Tajik Afghan engineer, military man and anti-Taleban leader" -马苏里拉,mǎ sū lǐ lā,mozzarella (loanword) -马兰,mǎ lán,"Malan military base and atomic test site in Bayingolin Mongol Autonomous Prefecture 巴音郭楞蒙古自治州[Ba1 yin1 guo1 leng2 Meng3 gu3 Zi4 zhi4 zhou1], Xinjiang" -马兰基地,mǎ lán jī dì,"Malan military base and atomic test site in Bayingolin Mongol Autonomous Prefecture 巴音郭楞蒙古自治州[Ba1 yin1 guo1 leng2 Meng3 gu3 Zi4 zhi4 zhou1], Xinjiang" -马兰花,mǎ lán huā,iris; Iris tectorum -马虎,mǎ hu,careless; sloppy; negligent; skimpy -马蛔虫,mǎ huí chóng,horse roundworm; parascaris equorum -马蜂,mǎ fēng,hornet -马术,mǎ shù,equestrianism; horsemanship -马表,mǎ biǎo,stopwatch -马褂,mǎ guà,buttoned mandarin jacket of the Qing dynasty 清代[Qing1 dai4] (1644-1911) -马褡子,mǎ dā zi,saddle-bag -马托格罗索,mǎ tuō gé luó suǒ,"Mato Grosso, western province of Brazil" -马贼,mǎ zéi,horse thief; (old) group of horse-mounted bandits -马赛,mǎ sài,"Marseille, city in south France; Basay, one of the indigenous peoples of Taiwan" -马赛克,mǎ sài kè,mosaic (loanword); pixelation -马赛族,mǎ sài zú,"Basay, one of the indigenous peoples of Taiwan; Maasai people of Kenya" -马赛曲,mǎ sài qǔ,La Marseillaise -马赫,mǎ hè,"Mach (name); Ernst Mach (1838-1916), German physicist; Mach number (fluid mechanics)" -马赫数,mǎ hè shù,Mach number (fluid mechanics) -马超,mǎ chāo,"Ma Chao (176-222), general of Shu in Romance of the Three Kingdoms" -马趴,mǎ pā,face-plant -马路,mǎ lù,street; road; CL:條|条[tiao2] -马路口,mǎ lù kǒu,intersection (of roads) -马路沿儿,mǎ lù yán er,roadside; edge of the road -马路牙子,mǎ lù yá zi,curb -马蹄,mǎ tí,horse's hoof; horseshoe; Chinese water chestnut (Eleocharis dulcis or E. congesta) -马蹄形,mǎ tí xíng,horseshoe shape -马蹄星云,mǎ tí xīng yún,Omega or Horseshoe Nebula M17 -马蹄莲,mǎ tí lián,calla; calla lily -马蹄蟹,mǎ tí xiè,horseshoe crab (Tachypleus tridentatus) -马蹄铁,mǎ tí tiě,horseshoe -马蹬,mǎ dèng,stirrup -马车,mǎ chē,cart; chariot; carriage; buggy -马连良,mǎ lián liáng,"Ma Lianliang (1901-1966), Beijing opera star, one of the Four great beards 四大鬚生|四大须生" -马达,mǎ dá,motor (loanword) -马达加斯加,mǎ dá jiā sī jiā,Madagascar -马达加斯加岛,mǎ dá jiā sī jiā dǎo,Madagascar -马边,mǎ biān,Mabian Yizu autonomous county in Sichuan -马边彝族自治县,mǎ biān yí zú zì zhì xiàn,"Mabian Yizu Autonomous County in Leshan 樂山|乐山[Le4 shan1], Sichuan" -马边县,mǎ biān xiàn,"Mabian Yizu autonomous county in Leshan 樂山|乐山[Le4 shan1], Sichuan" -马那瓜,mǎ nà guā,"Managua, capital of Nicaragua" -马里,mǎ lǐ,Mali -马里亚纳海沟,mǎ lǐ yà nà hǎi gōu,Mariana Trench (or Marianas Trench) -马里亚纳群岛,mǎ lǐ yà nà qún dǎo,Mariana Islands in the Pacific -马里博尔,mǎ lǐ bó ěr,"Maribor, 2nd biggest city in Slovenia" -马里奥,mǎ lǐ ào,Mario (name) -马里兰,mǎ lǐ lán,"Maryland, US state" -马里兰州,mǎ lǐ lán zhōu,"Maryland, US state" -马铃薯,mǎ líng shǔ,potato -马铃薯泥,mǎ líng shǔ ní,mashed potato -马衔,mǎ xián,bit; mouthpiece -马镫,mǎ dèng,stirrup -马关,mǎ guān,"Maguan county in Wenshan Zhuang and Miao autonomous prefecture 文山壯族苗族自治州|文山壮族苗族自治州[Wen2 shan1 Zhuang4 zu2 Miao2 zu2 zi4 zhi4 zhou1], Yunnan" -马关条约,mǎ guān tiáo yuē,"Treaty of Shimonoseki (1895), concluding the First Sino-Japanese War 甲午戰爭|甲午战争[Jia3 wu3 Zhan4 zheng1]" -马关县,mǎ guān xiàn,"Maguan county in Wenshan Zhuang and Miao autonomous prefecture 文山壯族苗族自治州|文山壮族苗族自治州[Wen2 shan1 Zhuang4 zu2 Miao2 zu2 zi4 zhi4 zhou1], Yunnan" -马陆,mǎ lù,millipede -马队,mǎ duì,cavalry; caravan of horses carrying goods -马雅,mǎ yǎ,Maya (civilization of central America) -马雅可夫斯基,mǎ yǎ kě fū sī jī,"Vladimir Mayakovsky (1893-1930), Russian poet and dramatist" -马云,mǎ yún,"Ma Yun (1964-), aka Jack Ma, Chinese billionaire businessman, co-founder of Alibaba 阿里巴巴[A1 li3 ba1 ba1]" -马面,mǎ miàn,"Horse-Face, one of the two guardians of the underworld in Chinese mythology" -马革裹尸,mǎ gé guǒ shī,to be buried in a horse hide (idiom); to give one's life on the battlefield -马靴,mǎ xuē,riding boots -马鞍,mǎ ān,saddle -马鞍山,mǎ ān shān,Ma'anshan prefecture-level city in Anhui -马鞍山市,mǎ ān shān shì,Ma'anshan prefecture-level city in Anhui -马鞭,mǎ biān,horsewhip -马头,mǎ tóu,"horse's head; same as 碼頭|码头[ma3 tou2], pier" -马头星云,mǎ tóu xīng yún,Horsehead Nebula -马头琴,mǎ tóu qín,morin khuur (Mongolian bowed stringed instrument) -马首是瞻,mǎ shǒu shì zhān,to follow blindly (idiom); to take as one's only guide -马马虎虎,mǎ ma hū hū,careless; casual; vague; not so bad; so-so; tolerable; fair -马驹,mǎ jū,young horse (colt or filly) -马驹子,mǎ jū zi,see 馬駒|马驹[ma3 ju1] -马骝,mǎ liú,"monkey (dialect); little monkey (affectionate term for children, subordinates)" -马骡,mǎ luó,mule -马鲛,mǎ jiāo,Spanish mackerel -马鲛鱼,mǎ jiāo yú,Spanish mackerel -马鳖,mǎ biē,leech -马鹿,mǎ lù,"red deer; fool; idiot (from Japanese ""baka"")" -马鹿易形,mǎ lù yì xíng,to distinguish horse and deer easily; to know right from wrong -马麻,mǎ má,mommy -马黛茶,mǎ dài chá,(loanword) maté (drink) -马齿徒增,mǎ chǐ tú zēng,(self-deprecating) to have grown old without accomplishing anything (idiom) -马齿苋,mǎ chǐ xiàn,Portulaca oleracea (common purslane) -马龙,mǎ lóng,"Malong county in Qujing 曲靖[Qu3 jing4], Yunnan" -马龙县,mǎ lóng xiàn,"Malong county in Qujing 曲靖[Qu3 jing4], Yunnan" -驭,yù,variant of 御[yu4]; to drive; to manage; to control -驭手,yù shǒu,person in charge of pack animals; chariot driver -驭气,yù qì,to fly magically through the air -驭兽术,yù shòu shù,animal training; taming wild beast (e.g. lion-taming) -冯,féng,surname Feng -冯,píng,to gallop; to assist; to attack; to wade; great; old variant of 憑|凭[ping2] -冯内果,féng nèi guǒ,"Kurt Vonnegut, Jr. (1922-2007), US writer" -冯友兰,féng yǒu lán,"Feng Youlan (1895-1990), distinguished Chinese philosopher" -冯梦龙,féng mèng lóng,"Feng Menglong (1574-1646), late Ming dynasty novelist writing in colloquial (baihua), author of Stories Old and New 古今小說|古今小说[Gu3 jin1 Xiao3 shuo1]" -冯德英,féng dé yīng,"Feng Deying (1935-), socialist realist novelist, author of Bitter cauliflower 苦菜花[ku3 cai4 hua1] (1954)" -冯德莱恩,féng dé lái ēn,"Ursula von der Leyen (1958-), German politician, president of the European Commission from 2019" -冯武,féng wǔ,"Feng Doubo or Feng Wu (1672-), calligrapher of the Ming-Qing transition; also called 馮竇伯|冯窦伯[Feng2 Dou4 bo2]" -冯玉祥,féng yù xiáng,"Feng Yuxiang (1882-1948), warlord during Republic of China, strongly critical of Chiang Kai-shek" -冯窦伯,féng dòu bó,"Feng Doubo or Feng Wu (1672-), calligrapher of the Ming-Qing transition; also called 馮武|冯武[Feng2 Wu3]" -冯骥才,féng jì cái,"Feng Jicai (1942-), novelist from Tianjin, author of Extraordinary people in our ordinary world 俗世奇人" -驮,duò,load carried by a pack animal -驮,tuó,to carry on one's back -驮子,duò zi,pack animal's load -驮兽,tuó shòu,beast of burden -驮畜,tuó chù,pack animal -驮筐,tuó kuāng,pannier; double basket slung across pack animal -驮篓,tuó lǒu,pannier; double basket slung across pack animal -驮轿,tuó jiào,litter carried by pack animal -驮运,tuó yùn,to transport on pack animal; to carry (a load on one's back) -驮运路,tuó yùn lù,a bridle path -驮重,tuó zhòng,pack (animal) -驮马,tuó mǎ,pack horse -驰,chí,to run fast; to speed; to gallop; to disseminate; to spread -驰名,chí míng,famous -驰援,chí yuán,to rush to the rescue -驰誉,chí yù,famous; acclaimed -驰道,chí dào,(old) highway for the emperor; highway -驰骋,chí chěng,to gallop; to rush headlong -驰骛,chí wù,"to move swiftly; to speed; to run after (empty fame, power, money etc)" -驰鹜,chí wù,variant of 馳騖|驰骛[chi2 wu4] -驰龙科,chí lóng kē,Dromaeosauridae (dinosaur family including velociraptor) -驯,xùn,to attain gradually; to tame; Taiwan pr. [xun2] -驯化,xùn huà,to tame; to domesticate -驯善,xùn shàn,docile; tractable -驯从,xùn cóng,tame; obedient -驯悍记,xùn hàn jì,"Taming of the Shrew, play by William Shakespeare" -驯扰,xùn rǎo,to tame -驯服,xùn fú,to tame; tame; docile -驯良,xùn liáng,docile; tame -驯顺,xùn shùn,tame; docile -驯养,xùn yǎng,to domesticate; to raise and train -驯养繁殖,xùn yǎng fán zhí,domestication and breeding; captive breeding -驯养繁殖场,xùn yǎng fán zhí chǎng,captive breeding facility; breeding farm -驯马,xùn mǎ,to break in a horse; a trained saddle horse -驯马人,xùn mǎ rén,horse trainer -驯马场,xùn mǎ chǎng,horse training ground -驯驼,xùn tuó,trained pack camel -驯鹿,xùn lù,reindeer -驴,lǘ,variant of 驢|驴[lu:2] -驳,bó,variegated; heterogeneous; to refute; to contradict; to ship by barge; a barge; a lighter (ship) -驳倒,bó dǎo,"to refute; to demolish (an argument, theory etc)" -驳嘴,bó zuǐ,(dialect) to argue; to quarrel -驳回,bó huí,to reject; to turn down; to overrule -驳子,bó zi,to tow (a barge) -驳岸,bó àn,a low stone wall built along the water's edge to protect an embankment; revetment -驳复,bó fù,to refute -驳斥,bó chì,to refute; to debunk; to deny; to denounce -驳正,bó zhèng,to refute and correct -驳壳枪,bó ké qiāng,Mauser pistol -驳船,bó chuán,barge; lighter -驳落,bó luò,to peel off; mottled; to fail an exam; to be demoted -驳词,bó cí,to refute -驳议,bó yì,to correct (in writing) sb's errors or misconceptions -驳辞,bó cí,refutation; incoherent speech -驳运,bó yùn,transport by lighter; lighter -驳杂,bó zá,heterogeneous -驳面子,bó miàn zi,to hurt sb's feelings by rebuffing their request -驱,qū,old variant of 驅|驱[qu1] -驻,zhù,"to halt; to stay; to be stationed (of troops, diplomats etc)" -驻京,zhù jīng,(abbr.) stationed in Beijing -驻北京,zhù běi jīng,stationed in Beijing -驻地,zhù dì,station; encampment -驻大陆,zhù dà lù,stationed on the continent (i.e. PRC) -驻守,zhù shǒu,(man a post and) defend -驻波,zhù bō,standing wave -驻港,zhù gǎng,(abbr.) stationed in Hong Kong -驻留,zhù liú,to stay; to remain; to linger; (computing) to reside; resident (program etc) -驻节,zhù jié,(of a high official) to temporarily reside overseas (or in another part of the country) on an official posting -驻扎,zhù zhā,to station; to garrison (troops) -驻华,zhù huá,stationed in China; located in China -驻足,zhù zú,to stop (walking); to halt -驻车制动器,zhù chē zhì dòng qì,parking brake -驻军,zhù jūn,to station or garrison troops; garrison -驻颜,zhù yán,to maintain a youthful appearance -驻马店,zhù mǎ diàn,"Zhumadian, prefecture-level city in Henan" -驻马店市,zhù mǎ diàn shì,"Zhumadian, prefecture-level city in Henan" -驻点,zhù diǎn,stationary point -驽,nú,(literary) inferior horse -驽钝,nú dùn,(literary) dull; slow-witted -驽马,nú mǎ,(literary) inferior horse -驽马恋栈,nú mǎ liàn zhàn,lit. a worn-out horse is reluctant to leave the stable (idiom); fig. a mediocre worker clings to a good position -驽马恋栈豆,nú mǎ liàn zhàn dòu,see 駑馬戀棧|驽马恋栈[nu2 ma3 lian4 zhan4] -驹,jū,colt -驹子,jū zi,"young horse, ass or mule; foal; colt; filly" -驵,zǎng,powerful horse -驾,jià,surname Jia -驾,jià,to harness; to draw (a cart etc); to drive; to pilot; to sail; to ride; your good self; prefixed word denoting respect (polite 敬辭|敬辞[jing4 ci2]) -驾乘,jià chéng,to drive (a car); to fly (an aircraft); to pilot (a boat) -驾培,jià péi,driver training (abbr. for 駕駛培訓|驾驶培训[jia4 shi3 pei2 xun4]) -驾崩,jià bēng,(of an emperor) to pass away -驾帆船,jià fān chuán,sailing -驾御,jià yù,variant of 駕馭|驾驭[jia4 yu4] -驾校,jià xiào,driving school; abbr. for 駕駛學校|驾驶学校 -驾机,jià jī,to fly an airplane -驾照,jià zhào,driver's license -驾临,jià lín,to grace sb with one's presence; your arrival (honorific); your esteemed presence -驾艇,jià tǐng,to sail; to cruise; to pilot a ship -驾车,jià chē,to drive a vehicle -驾轻就熟,jià qīng jiù shú,lit. an easy drive on a familiar path (idiom); fig. experience makes progress easy; a task that is so familiar one can do it with one's hand tied behind one's back -驾辕,jià yuán,to pull a carriage (of draft animal) -驾云,jià yún,to ride the clouds; fig. self-satisfied; arrogant -驾驭,jià yù,to urge on (of horse); to drive; to steer; to handle; to manage; to master; to dominate -驾驶,jià shǐ,"to pilot (ship, airplane etc); to drive" -驾驶人,jià shǐ rén,"(car, van) driver" -驾驶员,jià shǐ yuán,pilot; driver -驾驶执照,jià shǐ zhí zhào,driver's license -驾驶室,jià shǐ shì,"cab (of a locomotive, truck etc); driver's compartment; wheelhouse" -驾驶席,jià shǐ xí,driver's seat; pilot's seat -驾驶舱,jià shǐ cāng,cockpit; control cabin -驾驶证,jià shǐ zhèng,driver's license -驾鹤成仙,jià hè chéng xiān,to fly on a crane and become immortal -驾鹤西去,jià hè xī qù,lit. to fly on a crane to the Western Paradise; fig. to pass away (idiom) -驾鹤西归,jià hè xī guī,see 駕鶴西去|驾鹤西去[jia4 he4 xi1 qu4] -驾鹤西游,jià hè xī yóu,see 駕鶴西去|驾鹤西去[jia4 he4 xi1 qu4] -驾龄,jià líng,length of experience as a driver -骀,tái,tired; worn out horse -驸,fù,prince consort -驸马,fù mǎ,emperor's son-in-law -驶,shǐ,"(of a vehicle, horse etc) to go fast; to speed; (of a vehicle) to run; to go; (of a boat) to sail" -驶入,shǐ rù,"(of a car, ship, train etc) to enter" -驶出,shǐ chū,to leave port; to put off -驶向,shǐ xiàng,"(of a train, boat, plane etc) to head in the direction of" -驶往,shǐ wǎng,"(of a vehicle, boat etc) to travel to; to head for" -驶流,shǐ liú,swiftly flowing; torrent -驶离,shǐ lí,to steer (the plane) away from; to drive away (from a place); to leave -驼,tuó,hump or hunchbacked; camel -驼子,tuó zi,hunchback -驼峰,tuó fēng,hump of a camel; hump (in a railroad hump yard) -驼峰命名法,tuó fēng mìng míng fǎ,(computing) CamelCase -驼背,tuó bèi,hunchbacked; stooping; hunchback -驼背鲸,tuó bèi jīng,humpback whale (Megaptera novaeangliae) -驼色,tuó sè,light tan (color); camel-hair color -驼鸡,tuó jī,ostrich (Struthio camelus); also written 鴕鳥|鸵鸟[tuo2 niao3]; fabulous bird like Sinbad's roc -驼鹿,tuó lù,elk; moose -驼,tuó,variant of 駝|驼[tuo2] -驷,sì,team of 4 horses -骂,mà,variant of 罵|骂[ma4] -骈,pián,surname Pian -骈,pián,(of a pair of horses) to pull side by side; to be side by side; to be fused together; parallel (literary style) -骈偶文风,pián ǒu wén fēng,early Tang literary style despised as shallow by the classicists -骈俪,pián lì,parallel (sentences); parallel prose -骈肩,pián jiān,shoulder to shoulder -骈胁,pián xié,fused ribs (physical deformity) -骈体,pián tǐ,parallel prose (ancient literary style) -骇,hài,"to astonish; to startle; to hack (computing, loanword)" -骇人,hài rén,terrifying; shocking; dreadful -骇人听闻,hài rén tīng wén,shocking; horrifying; atrocious; terrible -骇客,hài kè,hacker (computing) (loanword) -骇怕,hài pà,to be afraid; to be frightened -骇浪,hài làng,swelling or stormy seas -骇然,hài rán,"overwhelmed with shock, horror or amazement; dumbstruck; aghast" -驳,bó,variant of 駁|驳[bo2] -骆,luò,surname Luo -骆,luò,camel; white horse with a black mane (archaic) -骆宾王,luò bīn wáng,"Luo Binwang (640-684), one of Four Great Poets of the Early Tang 初唐四傑|初唐四杰[Chu1 Tang2 Si4 jie2]" -骆马,luò mǎ,llama -骆驼,luò tuo,camel; (coll.) blockhead; ninny; CL:峰[feng1] -骆驼祥子,luò tuo xiáng zi,"Camel Xiangzi, novel by Lao She 老舍[Lao3 She3]" -骏,jùn,spirited horse -骏马,jùn mǎ,fine horse; steed -骋,chěng,to hasten; to run; to open up; to gallop -骓,zhuī,surname Zhui -骓,zhuī,(literary) piebald horse -骒,kè,"(bound form) (of a horse, mule, camel etc) female" -骒马,kè mǎ,mare -骒驼,kè tuó,cow (female camel) -骒骡,kè luó,mare (female mule) -骑,jì,(Tw) saddle horse; mounted soldier -骑,qí,"to sit astride; to ride (a horse, bike etc); classifier for saddle horses" -骑兵,qí bīng,cavalry -骑坐,qí zuò,to sit astride; to ride -骑士,qí shì,"knight; cavalier; (Tw) bike rider (scooter, bicycle etc)" -骑士气概,qí shì qì gài,chivalry -骑士风格,qí shì fēng gé,knighthood -骑射,qí shè,equestrian archery; riding and shooting -骑师,qí shī,jockey; horse rider; horseman; equestrian -骑手,qí shǒu,horse rider; equestrian; jockey; bike rider -骑枪,qí qiāng,carbine; lance -骑楼,qí lóu,arcade (architecture) -骑墙,qí qiáng,to sit on the fence; to take both sides in a dispute -骑田岭,qí tián lǐng,Qitian mountain range between south Hunan and Guangdong -骑脖子拉屎,qí bó zi lā shǐ,lit. to take a dump while riding on sb's shoulders (idiom); fig. to treat sb like garbage -骑虎难下,qí hǔ nán xià,"if you ride a tiger, it's hard to get off (idiom); fig. impossible to stop halfway" -骑行,qí xíng,"to ride (a bicycle, horse, motorbike etc); cycling; horseback riding; motorbike riding" -骑术,qí shù,equestrianism; horsemanship -骑警,qí jǐng,mounted police (on horse or motorbike) -骑警队,qí jǐng duì,mounted police detachment (on horse or motorbike) -骑车,qí chē,to ride a bike (motorbike or bicycle) -骑马,qí mǎ,to ride a horse -骑马找马,qí mǎ zhǎo mǎ,(idiom) (coll.) to continue in an unsatisfactory job (or romantic relationship etc) while actively looking for a better one -骑马者,qí mǎ zhě,horseman; rider; mounted soldier -骑驴找马,qí lǘ zhǎo mǎ,(idiom) (coll.) to continue in an unsatisfactory job (or romantic relationship etc) while actively looking for a better one -骑驴找驴,qí lǘ zhǎo lǘ,lit. to search for the mule while riding on it (idiom); fig. to look for what one already has -骑驴觅驴,qí lǘ mì lǘ,see 騎驢找驢|骑驴找驴[qi2 lu:2 zhao3 lu:2] -骑鹤,qí hè,to ride a crane (as a Daoist adept) -骑鹤上扬州,qí hè shàng yáng zhōu,lit. to ride a crane to Yangzhou (idiom); to get an official position -骑鹤化,qí hè huà,(Daoism) to die -骐,qí,"piebald horse; used for 麒[qi2], mythical unicorn" -骐麟,qí lín,variant of 麒麟[qi2 lin2]; qilin (mythical Chinese animal); kylin; Chinese unicorn; commonly mistranslated as giraffe -验,yàn,variant of 驗|验[yan4] -骛,wù,(bound form) to rush about; to strive for -骗,piàn,to cheat; to swindle; to deceive; to get on (a horse etc) by swinging one leg over -骗人,piàn rén,to cheat sb; a scam -骗供,piàn gòng,to cheat sb into confessing; to induce a confession -骗保,piàn bǎo,to commit insurance fraud -骗取,piàn qǔ,to gain by cheating -骗子,piàn zi,swindler; a cheat -骗局,piàn jú,a swindle; a trap; a racket; a scam; CL:場|场[chang3] -骗徒,piàn tú,cheat; swindler -骗案,piàn àn,scam; fraud -骗色,piàn sè,to trick sb into having sex -骗术,piàn shù,trick; deceit -骗走,piàn zǒu,to cheat (sb out of sth); to swindle (sb out of sth) -鬃,zōng,variant of 鬃[zong1] -骞,qiān,(literary) to hold high -骘,zhì,a stallion; to rise; to arrange; to stabilize; to differentiate; to judge -骝,liú,bay horse with black mane -腾,téng,(bound form) to gallop; to prance; (bound form) to soar; to hover; to make room; to clear out; to vacate; (verb suffix indicating repeated action) -腾出,téng chū,to make (some time or space) available (for sb) -腾出手,téng chū shǒu,to get one's hands free (to do sth else) -腾挪,téng nuó,to move; to shift; to move out of the way; to divert (money etc) to a different purpose -腾格里沙漠,téng gé lǐ shā mò,Tengger Desert -腾冲,téng chōng,"Tengchong county in Baoshan 保山[Bao3 shan1], Yunnan" -腾冲县,téng chōng xiàn,"Tengchong county in Baoshan 保山[Bao3 shan1], Yunnan" -腾空,téng kōng,to soar; to rise high into the air -腾讯,téng xùn,see 騰訊控股有限公司|腾讯控股有限公司[Teng2 xun4 Kong4 gu3 You3 xian4 Gong1 si1] -腾讯控股有限公司,téng xùn kòng gǔ yǒu xiàn gōng sī,Tencent Holdings Limited (developers of the QQ instant messaging platform) -腾越,téng yuè,to jump over; to vault; to soar over -腾飞,téng fēi,lit. to fly upwards swiftly; fig. rapid advance; rapidly developing (situation) -腾腾,téng téng,steaming; scathing -腾骧,téng xiāng,(literary) to gallop; to charge forward -驺,zōu,surname Zou -驺,zōu,groom or chariot driver employed by a noble (old) -驺从,zōu cóng,mounted escort -驺虞,zōu yú,zouyu (mythical animal); official in charge of park animals; name of an archaic ceremonial tune -骚,sāo,(bound form) to disturb; to disrupt; flirty; coquettish; abbr. for 離騷|离骚[Li2 Sao1]; (literary) literary writings; poetry; foul-smelling (variant of 臊[sao1]); (dialect) (of certain domestic animals) male -骚乱,sāo luàn,disturbance; riot; to create a disturbance -骚乱者,sāo luàn zhě,a rioter -骚动,sāo dòng,disturbance; uproar; CL:陣|阵[zhen4]; to become restless -骚包,sāo bāo,(slang) alluring; showy; flashy and enticing person; painted Jezebel -骚味,sāo wèi,foul smell -骚客,sāo kè,(literary) poet; literati -骚情,sāo qíng,frivolous; flirtatious -骚扰,sāo rǎo,to disturb; to cause a commotion; to harass -骚扰客蚤,sāo rǎo kè zǎo,Xenopsylla vexabilis -骚搅,sāo jiǎo,to disturb; to pester -骚然,sāo rán,turbulent -骚瑞,sāo ruì,sorry (loanword) -骚话,sāo huà,obscenities; lewd talk -骚货,sāo huò,loose woman; slut -骚驴,sāo lǘ,jackass -骚体,sāo tǐ,poetry in the style of 離騷|离骚[Li2 Sao1] -骚闹,sāo nào,noisy; to make a racket -骟,shàn,to geld -骡,luó,"mule; CL:匹[pi3],頭|头[tou2]" -骡子,luó zi,"mule; CL:匹[pi3],頭|头[tou2]" -骡马,luó mǎ,pack animal; horse and mule -骡马大车,luó mǎ dà chē,mule and horse carts -蓦,mò,leap on or over; suddenly -蓦地,mò de,suddenly; unexpectedly -蓦地里,mò dì lǐ,suddenly; unexpectedly -蓦然,mò rán,suddenly; sudden -骜,ào,a noble steed (literary); (of a horse) untamed; (fig.) (of a person) headstrong; Taiwan pr. [ao2] -骖,cān,outside horses of a team of 4 -骠,piào,white horse -骢,cōng,buckskin horse -驱,qū,to expel; to urge on; to drive; to run quickly -驱使,qū shǐ,to urge; to prompt; to spur on; to order sb about -驱力,qū lì,(psychological) driving force; drive -驱动,qū dòng,to drive; to propel; drive (vehicle wheel); drive mechanism (tape or disk); device driver (computing software) -驱动力,qū dòng lì,driving force -驱动器,qū dòng qì,drive -驱动程序,qū dòng chéng xù,device driver (computing software) -驱动轮,qū dòng lún,drive wheel -驱寒,qū hán,to warm oneself; to expel the cold (TCM) -驱役,qū yì,to order (sb) about; (by extension) to put to use -驱散,qū sàn,to disperse (a crowd etc); (fig.) to dispel (misgivings etc) -驱病,qū bìng,wards off disease -驱瘟,qū wēn,to expel pestilences -驱策,qū cè,to urge (sb to do do sth); to drive (sb to take an action) -驱虫,qū chóng,to repel insects; to deworm -驱走,qū zǒu,to drive away -驱赶,qū gǎn,to drive (vehicle); to drive out; to chase away; to herd (people towards a gate) -驱车,qū chē,to go by car (as either driver or passenger) -驱逐,qū zhú,to expel; to deport; banishment -驱逐令,qū zhú lìng,banishment order; expulsion warrant -驱逐出境,qū zhú chū jìng,to deport; to expel -驱逐舰,qū zhú jiàn,destroyer (warship) -驱邪,qū xié,to drive out devils; exorcism -驱除,qū chú,to drive off; to dispel; to expel -驱除鞑虏,qū chú dá lǔ,"expel the Manchu, revolutionary slogan from around 1900" -驱离,qū lí,to drive away; to dispel -驱魔,qū mó,to drive out devils; to exorcise -驱魔赶鬼,qū mó gǎn guǐ,to exorcise; to drive out evil spirits -骅,huá,chestnut horse -骕,sù,used in 驌驦|骕骦[su4 shuang1] -骕骦,sù shuāng,(literary) good horse -骁,xiāo,good horse; valiant -骁勇善战,xiāo yǒng shàn zhàn,to be brave and good at fighting (idiom) -骁将,xiāo jiàng,valiant general -骣,chǎn,(literary) to ride a horse without a saddle -骣骑,chǎn qí,to ride bareback -骄,jiāo,proud; arrogant -骄人,jiāo rén,worthy of pride; impressive; enviable; to show contempt for others -骄傲,jiāo ào,pride; arrogance; conceited; proud of sth -骄兵必败,jiāo bīng bì bài,lit. an arrogant army is bound to lose (idiom); fig. pride goes before a fall -骄奢淫佚,jiāo shē yín yì,variant of 驕奢淫逸|骄奢淫逸[jiao1 she1 yin2 yi4] -骄奢淫逸,jiāo shē yín yì,extravagant and dissipated; decadent -骄横,jiāo hèng,arrogant; overbearing -骄气,jiāo qi,arrogance -骄矜,jiāo jīn,haughty; proud -骄纵,jiāo zòng,arrogant and willful -骄者必败,jiāo zhě bì bài,pride goes before a fall (idiom) -骄阳,jiāo yáng,blazing sun -骄阳似火,jiāo yáng sì huǒ,the sun shines fiercely -验,yàn,to examine; to test; to check -验伤,yàn shāng,to examine a wound or injury (typically for forensic purposes) -验光,yàn guāng,optometry; to examine the eyes -验光师,yàn guāng shī,optometrist -验光法,yàn guāng fǎ,optometry; eyesight testing -验光配镜业,yàn guāng pèi jìng yè,optometry; eyesight testing -验光配镜法,yàn guāng pèi jìng fǎ,optometry; eyesight testing -验孕棒,yàn yùn bàng,home pregnancy test kit -验定,yàn dìng,to come to a conclusion about sth after examining it; to assay -验尿,yàn niào,to do a urine test -验尸,yàn shī,autopsy; postmortem examination -验尸官,yàn shī guān,coroner -验收,yàn shōu,to inspect and accept; acceptance -验方,yàn fāng,a tried and tested medical prescription -验明,yàn míng,to ascertain; to identify; to verify (sb's identity etc) -验明正身,yàn míng zhèng shēn,to identify; to verify sb's identity; identification -验核,yàn hé,to check; to examine; to inspect -验票,yàn piào,to check tickets -验算,yàn suàn,to verify a calculation; a double-check -验血,yàn xiě,to do a blood test; to have one's blood tested -验证,yàn zhèng,to inspect and verify; experimental verification; to validate (a theory); to authenticate -验证码,yàn zhèng mǎ,"verification code; CAPTCHA, a type of challenge-response test (computing)" -验货,yàn huò,inspection of goods -验资,yàn zī,capital verification; certification of registered capital -验钞器,yàn chāo qì,money counter and counterfeit detection machine -验钞机,yàn chāo jī,a device used to check money and detect counterfeit bills -验关,yàn guān,customs inspection (at frontier) -验电器,yàn diàn qì,electroscope -骡,luó,variant of 騾|骡[luo2] -惊,jīng,to startle; to be frightened; to be scared; alarm -惊世骇俗,jīng shì hài sú,universally shocking; to offend the whole of society -惊人,jīng rén,astonishing -惊人之举,jīng rén zhī jǔ,to astonish people (with a miraculous feat) -惊动,jīng dòng,to alarm; to startle; to disturb -惊厥,jīng jué,to faint from fear; (medicine) convulsions -惊叫,jīng jiào,to cry out in fear -惊呆,jīng dāi,stupefied; stunned -惊呼,jīng hū,to cry out in alarm or surprise -惊喜,jīng xǐ,nice surprise; to be pleasantly surprised -惊喜若狂,jīng xǐ ruò kuáng,pleasantly surprised like mad (idiom); capering madly with joy; to express boundless pleasure -惊叹,jīng tàn,to exclaim in admiration; a gasp of surprise -惊叹不已,jīng tàn bù yǐ,to exclaim in astonishment -惊叹号,jīng tàn hào,exclamation mark ! (punct.) -惊吓,jīng xià,to frighten; to horrify; to terrify -惊梦,jīng mèng,to awaken from a dream -惊天动地,jīng tiān dòng dì,world-shaking (idiom) -惊奇,jīng qí,to be amazed; to be surprised; to wonder -惊师动众,jīng shī dòng zhòng,to alarm everyone; to scandalize the public -惊弓之鸟,jīng gōng zhī niǎo,"lit. a bird startled by the mere twang of a bow (idiom); fig. sb who frightens easily, due to past experiences" -惊心,jīng xīn,staggering; shocking; frightened -惊心动魄,jīng xīn dòng pò,(idiom) heart-stopping; hair-raising; breathtaking -惊心胆颤,jīng xīn dǎn chàn,frightening; frightened (idiom) -惊怕,jīng pà,alarmed; frightened -惊怖,jīng bù,to surprise -惊急,jīng jí,stunned and anxious -惊怪,jīng guài,to marvel -惊怯,jīng qiè,cowardly and panicking -惊恐,jīng kǒng,to be alarmed; to be frightened -惊恐翼龙,jīng kǒng yì lóng,Phobetor (genus of pterodactyloid pterosaur) -惊恐万状,jīng kǒng wàn zhuàng,convulsed with fear (idiom) -惊悉,jīng xī,to be shocked to learn -惊悚,jīng sǒng,horror (movie); thriller -惊悟,jīng wù,to come to oneself with a start; to realize at a jolt -惊悸,jīng jì,shaking in fear; one's heart palpitating with fear -惊惕,jīng tì,to be alarmed; to be alert -惊惶,jīng huáng,panic-stricken -惊惶失措,jīng huáng shī cuò,see 驚慌失措|惊慌失措[jing1 huang1 shi1 cuo4] -惊愕,jīng è,(literary) stunned; stupefied -惊栗,jīng lì,horror (genre); to tremble in fear -惊慌,jīng huāng,to panic; to be alarmed -惊慌失措,jīng huāng shī cuò,to lose one's head out of fear (idiom) -惊慌失色,jīng huāng shī sè,to go pale in panic (idiom) -惊惧,jīng jù,to be alarmed; to be terrified -惊扰,jīng rǎo,to alarm; to agitate -惊涛,jīng tāo,raging waves; stormy waves -惊涛骇浪,jīng tāo hài làng,perilous situation -惊爆,jīng bào,unexpected; staggering (news etc) -惊现,jīng xiàn,to appear unexpectedly -惊异,jīng yì,amazed -惊疑,jīng yí,bewildered -惊痫,jīng xián,epilepsy -惊群动众,jīng qún dòng zhòng,to alarm everyone; to scandalize the public -惊羡,jīng xiàn,to marvel at -惊艳,jīng yàn,stunning; breathtaking -惊蛰,jīng zhé,"Jingzhe or Insects Wake, 3rd of the 24 solar terms 二十四節氣|二十四节气 6th-20th March" -惊觉,jīng jué,to realize suddenly; to wake up with a start -惊讶,jīng yà,amazed; astonished; to surprise; amazing; astonishment; awe -惊诧,jīng chà,to be surprised; to be amazed; to be stunned -惊赏,jīng shǎng,surprised and admiring; to appreciate with surprise -惊起,jīng qǐ,to give a start; to startle (an animal etc) -惊跳,jīng tiào,to shy (away); to give a start -惊车,jīng chē,runaway carriage (caused by the harnessed animal bolting in fright) -惊逃,jīng táo,to stampede -惊遽,jīng jù,in a panic; stunned -惊醒,jīng xǐng,to rouse; to be woken by sth; to wake with a start; to sleep lightly -惊错,jīng cuò,puzzled; surprised and nonplussed -惊险,jīng xiǎn,perilous; touch-and-go; nerve-racking; suspenseful -惊险片,jīng xiǎn piàn,(cinema) thriller -惊雷,jīng léi,sudden clap of thunder; fig. surprising turn of events -惊颤,jīng chàn,to quake in fear -惊风,jīng fēng,"infantile convulsion (illness affecting children esp. under the age of five, marked by muscular spasms)" -惊飞,jīng fēi,to go off like a rocket; to rocket -惊马,jīng mǎ,startled horse -惊骇,jīng hài,to be shocked; to be appalled; to be terrified -惊魂,jīng hún,in a panicked state; frightened -惊魂甫定,jīng hún fǔ dìng,to have just recovered from a shock -惊鸟,jīng niǎo,to scare a bird into flight -惊鸿,jīng hóng,graceful (esp. of female posture); lithe -驿,yì,post horse; relay station -驿传,yì chuán,relay post-horse mail service (in former times) -驿城,yì chéng,"Yicheng district of Zhumadian city 駐馬店市|驻马店市[Zhu4 ma3 dian4 shi4], Henan" -驿城区,yì chéng qū,"Yicheng district of Zhumadian city 駐馬店市|驻马店市[Zhu4 ma3 dian4 shi4], Henan" -驿站,yì zhàn,relay station for post horses (old) -驿马,yì mǎ,post horse -骤,zhòu,sudden; unexpected; abrupt; suddenly; Taiwan pr. [zou4] -骤死,zhòu sǐ,sudden death (play-off in sporting competition) -骤死式,zhòu sǐ shì,sudden death style play-off (sporting competition) -骤减,zhòu jiǎn,to decrease rapidly; to plummet -骤然,zhòu rán,suddenly; abruptly -骤变,zhòu biàn,to change suddenly; to change abruptly -骤降,zhòu jiàng,to fall rapidly; to plummet -骤雨,zhòu yǔ,shower -驴,lǘ,donkey; CL:頭|头[tou2] -驴友,lǘ yǒu,backpacker; travel buddy -驴唇不对马嘴,lǘ chún bù duì mǎ zuǐ,lit. a donkey's lips do not match a horse's mouth (idiom); fig. wide of the mark; irrelevant; incongruous -驴子,lǘ zi,ass; donkey -驴年马月,lǘ nián mǎ yuè,see 猴年馬月|猴年马月[hou2 nian2 ma3 yue4] -驴肝肺,lǘ gān fèi,a donkey's liver and lungs; (fig.) ill intent -驴唇马嘴,lǘ chún mǎ zuǐ,see 驢唇不對馬嘴|驴唇不对马嘴[lu:2chun2 bu4 dui4 ma3zui3] -驴驹子,lǘ jū zi,donkey foal -驴骡,lǘ luó,hinny -骧,xiāng,(literary) to run friskily (of a horse); to raise; to hold high -骥,jì,thoroughbred horse; refined and virtuous -骥骜,jì ào,fine horse; thoroughbred -骦,shuāng,used in 驌驦|骕骦[su4 shuang1] -欢,huān,a breed of horse; variant of 歡|欢[huan1] -骊,lí,black horse; jet steed; good horse; legendary black dragon -骊姬之乱,lí jī zhī luàn,"Li Ji Rebellion in 657-651 BC, where concubine Li Ji tried to throne her son but was eventually defeated by Duke Wen of Jin 晉文公|晋文公[Jin4 Wen2 gong1]" -骊山,lí shān,Mt Li near Xi'an with the tomb of the First Emperor -骊黄牝牡,lí huáng pìn mǔ,a black stallion or possibly a yellow mare (idiom); don't judge by outward appearance -骨,gǔ,bone -骨刺,gǔ cì,spur; bony outgrowth -骨刻,gǔ kè,carving in bone -骨力,gǔ lì,(Chinese calligraphy) vigor of brushstrokes; fortitude; toughness; spine -骨化,gǔ huà,to ossify; ossification -骨器,gǔ qì,bone tool (archaeology) -骨子,gǔ zi,ribs; frame -骨子里,gǔ zi lǐ,beneath the surface; fundamentally; at the deepest level -骨干,gǔ gàn,diaphysis (long segment of a bone); fig. backbone -骨干网路,gǔ gàn wǎng lù,backbone network -骨感,gǔ gǎn,bony; skinny -骨折,gǔ zhé,to suffer a fracture; (of a bone) to break; fracture -骨料,gǔ liào,aggregate (sand or gravel used in concrete 混凝土) -骨朵,gǔ duǒ,club (ancient stick-like weapon with a melon-shaped enlargement at the tip); (flower) bud -骨架,gǔ jià,framework; skeleton -骨殖,gǔ shi,skeletal remains; Taiwan pr. [gu3 zhi2] -骨气,gǔ qì,unyielding character; courageous spirit; integrity; moral backbone -骨法,gǔ fǎ,bone structure and physiognomy; the strength observed in brushstrokes (Chinese calligraphy) -骨灰,gǔ huī,bone ash; cremation ashes; cremains -骨灰盒,gǔ huī hé,box for bone ashes; funerary casket -骨灰龛,gǔ huī kān,columbarium -骨炭,gǔ tàn,bone black; animal charcoal -骨烬,gǔ jìn,bones and ashes; remains (after Buddhist cremation) -骨片,gǔ piàn,spicule -骨牌,gǔ pái,dominoes -骨牌效应,gǔ pái xiào yìng,domino effect; ripple effect -骨瓷,gǔ cí,bone china (fine white porcelain made from a mixture of clay and bone ash) -骨病,gǔ bìng,osteopathy -骨痛热症,gǔ tòng rè zhèng,Dengue fever; breakbone fever -骨瘤,gǔ liú,osteoma (benign tumor composed of bone-like material) -骨瘦如柴,gǔ shòu rú chái,as thin as a match; emaciated (idiom) -骨瘦如豺,gǔ shòu rú chái,variant of 骨瘦如柴[gu3 shou4 ru2 chai2] -骨盆,gǔ pén,pelvis -骨盆底,gǔ pén dǐ,pelvic floor (anatomy) -骨盘,gǔ pán,pelvis (Tw) -骨碌,gū lu,to roll rapidly; to spin; Taiwan pr. [gu2 lu5] -骨碌碌,gū lù lù,(onom.) rolling around; spinning; also pr. [gu1 lu1 lu1]; Taiwan pr. [gu2 lu4 lu5] -骨科,gǔ kē,orthopedics; orthopedic surgery -骨立,gǔ lì,(literary) emaciated; bony -骨节,gǔ jié,joint (of the skeleton) -骨粉,gǔ fěn,bone meal -骨坛,gǔ tán,urn -骨肉,gǔ ròu,blood relation; kin; one's flesh and blood -骨肉相残,gǔ ròu xiāng cán,close kindred slaughter one another (idiom); internecine strife -骨肉相连,gǔ ròu xiāng lián,lit. interrelated as bones and flesh (idiom); inseparably related; closely intertwined -骨肥厚,gǔ féi hòu,hyperostosis (abnormal thickening of bone) -骨膜,gǔ mó,periosteum (membrane covering bone) -骨胶原,gǔ jiāo yuán,collagen (protein) -骨董,gǔ dǒng,variant of 古董[gu3 dong3] -骨血,gǔ xuè,flesh and blood; one's offspring -骨裂,gǔ liè,bone fracture; (of a bone) to fracture -骨质疏松,gǔ zhì shū sōng,osteoporosis -骨质疏松症,gǔ zhì shū sōng zhèng,osteoporosis -骨都都,gǔ dōu dōu,(onom.) for plopping sound -骨针,gǔ zhēn,spicule (in biology); bone needle (in archaeology) -骨关节炎,gǔ guān jié yán,osteoarthritis -骨顶鸡,gǔ dǐng jī,(bird species of China) Eurasian coot (Fulica atra) -骨头,gǔ tou,"bone; CL:根[gen1],塊|块[kuai4]; moral character; bitterness; Taiwan pr. [gu2 tou5]" -骨头架子,gǔ tou jià zi,skeleton; skinny person; a mere skeleton -骨头节儿,gǔ tou jié er,joint (of the skeleton) -骨骸,gǔ hái,bones; skeleton -骨骺,gǔ hóu,(anatomy) epiphysis -骨骼,gǔ gé,bones; skeleton -骨骼肌,gǔ gé jī,striated muscle -骨髓,gǔ suǐ,bone marrow -骨髓增生异常综合征,gǔ suǐ zēng shēng yì cháng zōng hé zhēng,myelodysplastic syndrome (MDS) -骨髓移植,gǔ suǐ yí zhí,(medicine) bone marrow transplant -骨髓腔,gǔ suǐ qiāng,marrow cavity (in long bones) -骨鲠,gǔ gěng,fish bone; bone stuck in the throat; sth one feels obliged to speak out about; candid speaker -骨鲠之臣,gǔ gěng zhī chén,lit. fish bone of a minister (idiom); fig. person one can rely on for candid criticism -骨鲠在喉,gǔ gěng zài hóu,fish bone stuck in one's throat (idiom); fig. to feel obliged to speak out candidly; sth on one's mind -肮,āng,dirty; filthy -肮脏,āng zāng,dirty; filthy -骰,tóu,dice -骰塔,tóu tǎ,dice tower -骰子,tóu zi,dice -骰盅,tóu zhōng,dice cup -骰钟,tóu zhōng,dice cup -骱,xiè,joint of bones -骶,dǐ,(bound form) sacrum -骶骨,dǐ gǔ,(anatomy) sacrum -骷,kū,used in 骷髏|骷髅[ku1lou2] -骷髅,kū lóu,human skeleton; human skull -骷髅头,kū lóu tóu,a death's-head; depiction of a dead person's skull -骸,hái,bones of the body -骸骨,hái gǔ,skeleton; skeletal remains -骺,hóu,(anatomy) epiphysis -骺软骨板,hóu ruǎn gǔ bǎn,epiphyseal plate; growth plate (bone) -骼,gé,skeleton -腿,tuǐ,hip bone; old variant of 腿[tui3] -鲠,gěng,to choke on a piece of food -髀,bì,buttocks; thigh -髁,kē,condyles -髂,qià,ilium; outermost bone of the pelvic girdle; Taiwan pr. [ka4] -髂窝,qià wō,iliac fossa (anatomy); pelvic basin internal to ilium -髂骨,qià gǔ,ilium (the large flat bone of the pelvic girdle) -膀,bǎng,old variant of 膀[bang3] -髅,lóu,used in 髑髏|髑髅[du2lou2]; used in 骷髏|骷髅[ku1lou2] -髑,dú,used in 髑髏|髑髅[du2lou2] -髑髅,dú lóu,(literary) skull (of a dead person) -脏,zāng,dirty; filthy; to get (sth) dirty -脏乱,zāng luàn,dirty and disordered; in a mess -脏乱差,zāng luàn chà,(coll.) squalid; squalor -脏兮兮,zāng xī xī,dirty; filthy -脏土,zāng tǔ,dirty soil; muck; trash -脏字,zāng zì,obscenity -脏弹,zāng dàn,dirty bomb -脏标,zāng biāo,Parental Advisory label (PRC) -脏水,zāng shuǐ,dirty water; sewage -脏污,zāng wū,to dirty; to sully; to stain -脏煤,zāng méi,dirty coal; muck (from a colliery) -脏病,zāng bìng,(coll.) venereal disease -脏话,zāng huà,profanity; obscene language; speaking rudely -脏辫,zāng biàn,dreadlocks -脏脏,zāng zāng,dirty -脏脏包,zāng zāng bāo,pastry bun filled with chocolate and covered with cocoa powder -髓,suǐ,(bound form) bone marrow; (fig.) innermost part; (botany) pith -髓结,suǐ jié,pith knot (in timber) -髓脑,suǐ nǎo,brains; gray matter -髓过氧化物酶,suǐ guò yǎng huà wù méi,myeloperoxidase (aka MPO) (molecular biology) -髓鞘,suǐ qiào,myelin sheath (membrane surrounding axon of nerve cell) -体,tǐ,body; form; style; system; substance; to experience; aspect (linguistics) -体位,tǐ wèi,posture -体例,tǐ lì,style (of literature); form -体侧,tǐ cè,side of the body -体内,tǐ nèi,within the body; in vivo (vs in vitro); internal to -体刑,tǐ xíng,corporal punishment -体制,tǐ zhì,system; organization -体力,tǐ lì,physical strength; physical power -体力劳动,tǐ lì láo dòng,physical labor -体势,tǐ shì,feature -体味,tǐ wèi,body odor; to appreciate a subtle taste -体团,tǐ tuán,community -体型,tǐ xíng,build; body type -体壁,tǐ bì,integument (biology) -体坛,tǐ tán,sporting circles; the world of sport -体外,tǐ wài,outside the body; in vitro -体外受精,tǐ wài shòu jīng,in vitro fertilization -体大思精,tǐ dà sī jīng,extensive and penetrating (idiom); expansive and profound (of writing) -体察,tǐ chá,to experience; to observe -体己,tī ji,intimate; private saving of family members -体己钱,tī ji qián,private saved money of close family members -体式,tǐ shì,"(of characters) form; style (cursive, printed etc); (of a literary work) form; style; genre" -体弱,tǐ ruò,debility -体弱多病,tǐ ruò duō bìng,prone to illness; sickly; in fragile health -体形,tǐ xíng,figure; bodily form -体彩,tǐ cǎi,"sports lottery (sports betting run by a government agency, China Sports Lottery) (abbr. for 體育彩票|体育彩票[ti3 yu4 cai3 piao4])" -体征,tǐ zhēng,(medical) sign; physical sign -体念,tǐ niàn,to consider sb else's position; to put oneself in sb else's shoes -体性,tǐ xìng,disposition -体恤,tǐ xù,to empathize with; to show solicitude for; (loanword) T-shirt -体恤入微,tǐ xù rù wēi,to emphasize down to last detail (idiom); to show every possible consideration; meticulous care -体恤衫,tǐ xù shān,T-shirt; CL:件[jian4] -体悟,tǐ wù,to experience; to realize; to comprehend -体惜,tǐ xī,to empathize; to understand and sympathize -体感,tǐ gǎn,physical sensation; somatosensory; motion sensing (gaming) -体感温度,tǐ gǎn wēn dù,apparent temperature (meteorology) -体态,tǐ tài,figure; physique; posture -体操,tǐ cāo,gymnastic; gymnastics -体操运动员,tǐ cāo yùn dòng yuán,gymnast -体操队,tǐ cāo duì,gymnastics team -体书,tǐ shū,calligraphic style -体会,tǐ huì,to know from experience; to learn through experience; to realize; understanding; experience -体校,tǐ xiào,sports college; school of physical training -体格,tǐ gé,bodily health; one's physical state; physique -体格检查,tǐ gé jiǎn chá,physical examination; clinical examination; health checkup -体模,tǐ mó,body model -体检,tǐ jiǎn,abbr. for 體格檢查|体格检查[ti3 ge2 jian3 cha2] -体毛,tǐ máo,body hair -体液,tǐ yè,bodily fluid -体测,tǐ cè,fitness test; to do a fitness test -体温,tǐ wēn,(body) temperature -体温检测仪,tǐ wēn jiǎn cè yí,infrared body thermometer; temperature gun -体温表,tǐ wēn biǎo,clinical thermometer -体温计,tǐ wēn jì,clinical thermometer -体温过低,tǐ wēn guò dī,hypothermia -体无完肤,tǐ wú wán fū,lit. cuts and bruises all over (idiom); fig. totally refuted -体现,tǐ xiàn,to embody; to reflect; to incarnate -体癣,tǐ xuǎn,ringworm; Tinea corporis -体积,tǐ jī,volume; bulk; CL:個|个[ge4] -体积单位,tǐ jī dān wèi,unit of volume -体积百分比,tǐ jī bǎi fēn bǐ,percentage by volume -体系,tǐ xì,system; setup; CL:個|个[ge4] -体细胞,tǐ xì bāo,somatic cell -体统,tǐ tǒng,decorum; propriety; arrangement or form (of piece of writing) -体罚,tǐ fá,corporal punishment; to inflict physical punishment on (sb) -体育,tǐ yù,sports; physical education -体育场,tǐ yù chǎng,"stadium; CL:個|个[ge4],座[zuo4]" -体育场馆,tǐ yù chǎng guǎn,gymnasium -体育比赛,tǐ yù bǐ sài,sporting competition -体育活动,tǐ yù huó dòng,sports; sporting activity -体育渣,tǐ yù zhā,unathletic person -体育界,tǐ yù jiè,sports circles; the sporting world -体育系,tǐ yù xì,Physical Education department -体育运动,tǐ yù yùn dòng,sports; physical culture -体育达标测验,tǐ yù dá biāo cè yàn,physical fitness test (for school students etc) -体育锻炼,tǐ yù duàn liàn,physical exercise -体育项目,tǐ yù xiàng mù,sporting event -体育馆,tǐ yù guǎn,gym; gymnasium; stadium; CL:個|个[ge4] -体能,tǐ néng,physical capability; stamina -体腔,tǐ qiāng,body cavity; coelom (biology) -体肤,tǐ fū,skin; flesh; body -体臭,tǐ chòu,(unpleasant) body odor -体虱,tǐ shī,body louse -体表,tǐ biǎo,surface of the body; periphery of the body; body thermometer; (literary) a person's appearance -体裁,tǐ cái,genre; style; form of writing -体认,tǐ rèn,to realize; realization -体谅,tǐ liàng,to empathize; to allow (for sth); to show understanding; to appreciate -体貌,tǐ mào,appearance -体贴,tǐ tiē,considerate (of other people's needs) -体贴入微,tǐ tiē rù wēi,to show every possible consideration (idiom); meticulous care -体质,tǐ zhì,"(a person's) constitution; underlying physical condition; physical makeup; (of an organization, society etc) structural soundness" -体重,tǐ zhòng,body weight -体重器,tǐ zhòng qì,scales (to measure body weight) -体重计,tǐ zhòng jì,weighing scale -体量,tǐ liàng,body weight; dimensions -体长,tǐ cháng,body length -体面,tǐ miàn,dignity; prestige; face; honorable; creditable; (of sb's appearance) presentable; respectable -体香剂,tǐ xiāng jì,(personal) deodorant -体验,tǐ yàn,to experience for oneself -体魄,tǐ pò,physique; build -体鸣乐器,tǐ míng yuè qì,idiophone -髌,bìn,kneecapping; to cut or smash the kneecaps as corporal punishment -髌骨,bìn gǔ,kneecap; patella -髋,kuān,pelvis; pelvic -髋关节,kuān guān jié,pelvis; hip joint -髋骨,kuān gǔ,hip bone -高,gāo,surname Gao -高,gāo,high; tall; above average; loud; your (honorific) -高下,gāo xià,"relative superiority (better or worse, stronger or weaker, above or below etc)" -高不可攀,gāo bù kě pān,too high to reach (idiom); eminent and unapproachable -高不成低不就,gāo bù chéng dī bù jiù,"can't reach the high or accept the low (idiom); not good enough for a high post, but too proud to take a low one" -高不凑低不就,gāo bù còu dī bù jiù,"can't reach the high or accept the low (idiom); not good enough for a high post, but too proud to take a low one" -高中,gāo zhōng,senior high school; abbr. for 高級中學|高级中学[gao1 ji2 zhong1 xue2] -高中,gāo zhòng,to pass brilliantly (used in congratulatory fashion) -高中学生,gāo zhōng xué shēng,student of a senior high school -高中生,gāo zhōng shēng,senior high school student -高亢,gāo kàng,"high-pitched and penetrating (musical instrument, voice etc); high-spirited; fever-pitched (atmosphere)" -高亮,gāo liàng,to highlight (computing); (of sound) loud and clear; penetrating -高人,gāo rén,very able person -高人一等,gāo rén yī děng,a cut above others; superior -高仙芝,gāo xiān zhī,"Gao Xianzhi or Go Seonji (c. 702-756), Tang dynasty general of Goguryeo 高句麗|高句丽[Gao1 gou1 li2] extraction, active in Central Asia" -高仿,gāo fǎng,imitation; quality fake -高企,gāo qǐ,(of prices etc) to stay high -高估,gāo gū,to overestimate; to overrate -高位,gāo wèi,"high position; eminent status; top job; raised position; upper (limbs); a high (i.e. local maximum); high point on scale, high grade, temperature, latitude etc" -高低,gāo dī,"height; level; (music) pitch; relative superiority; propriety; discretion (usu. in the negative, e.g. 不知高低[bu4zhi1 gao1di1]); no matter what; just; simply (will not ..., must ... etc); at long last" -高低不就,gāo dī bù jiù,"can't reach the high or accept the low (idiom); not good enough for a high post, but too proud to take a low one" -高低杠,gāo dī gàng,uneven bars (gymnastics) -高低潮,gāo dī cháo,the tide; high and low water -高保真,gāo bǎo zhēn,high fidelity; hi-fi -高个子,gāo gè zi,tall person; (of a person) tall -高傲,gāo ào,arrogant; haughty; proud -高僧,gāo sēng,a senior monk -高价,gāo jià,high price -高八度,gāo bā dù,an octave higher (music) -高冷,gāo lěng,reserved; aloof; (geography) (of a location) elevated and cold -高出,gāo chū,to be higher (than the stated amount) by ... -高分,gāo fēn,high marks; high score -高分低能,gāo fēn dī néng,high in score but low in ability (as a result of teaching to the test) -高分子,gāo fēn zǐ,macromolecule; polymer -高分子化学,gāo fēn zǐ huà xué,polymer chemistry -高分辨率,gāo fēn biàn lǜ,high resolution -高利,gāo lì,high interest rate; usurious -高利贷,gāo lì dài,loan shark; high-interest loan; usury -高加索,gāo jiā suǒ,Caucasus; Caucasian -高加索山脉,gāo jiā suǒ shān mài,Caucasus Mountains -高勾丽,gāo gōu lí,variant of 高句麗|高句丽[Gao1 gou1 li2] -高升,gāo shēng,to get a promotion -高卡车,gāo kǎ chē,go-kart (loanword) -高危,gāo wēi,high-risk -高原,gāo yuán,plateau; CL:片[pian4] -高原反应,gāo yuán fǎn yìng,altitude sickness; acute mountain sickness; abbr. to 高反[gao1 fan3] -高原山鹑,gāo yuán shān chún,(bird species of China) Tibetan partridge (Perdix hodgsoniae) -高原岩鹨,gāo yuán yán liù,(bird species of China) Altai accentor (Prunella himalayana) -高参,gāo cān,senior staff officer; staff officer of great talent -高叉泳装,gāo chā yǒng zhuāng,high leg swimsuit -高反,gāo fǎn,altitude sickness; abbr. for 高原反應|高原反应[gao1 yuan2 fan3 ying4] -高句丽,gāo gōu lí,"Goguryeo (37 BC-668 AD), one of the Korean Three Kingdoms" -高台,gāo tái,"Gaotai county in Zhangye 張掖|张掖[Zhang1 ye4], Gansu" -高台县,gāo tái xiàn,"Gaotai county in Zhangye 張掖|张掖[Zhang1 ye4], Gansu" -高名,gāo míng,renown; fame -高呼,gāo hū,to shout loudly -高唐,gāo táng,"Gaotang county in Liaocheng 聊城[Liao2 cheng2], Shandong" -高唐县,gāo táng xiàn,"Gaotang county in Liaocheng 聊城[Liao2 cheng2], Shandong" -高唱,gāo chàng,to sing loudly; fig. to mouth slogans -高唱入云,gāo chàng rù yún,loud songs reaches the clouds (idiom); fig. to praise to the skies -高喊,gāo hǎn,to shout loudly; to raise a cry; to yell -高地,gāo dì,highland; upland -高坪,gāo píng,"Gaoping district of Nanchong city 南充市[Nan2 chong1 shi4], Sichuan" -高坪区,gāo píng qū,"Gaoping district of Nanchong city 南充市[Nan2 chong1 shi4], Sichuan" -高城深池,gāo chéng shēn chí,high walls and deep moat (idiom); impenetrable defense -高堂,gāo táng,main hall; honorific for one's parents (old) -高塔,gāo tǎ,tower; CL:座[zuo4] -高压,gāo yā,high pressure; high-handed -高压手段,gāo yā shǒu duàn,high-handed (measures); with a heavy hand -高压氧,gāo yā yǎng,"hyperbaric oxygen; hyperbaric oxygenation; also abbr. for 高壓氧治療|高压氧治疗[gao1 ya1 yang3 zhi4 liao2], hyperbaric therapy" -高压氧治疗,gāo yā yǎng zhì liáo,hyperbaric medicine; hyperbaric oxygen therapy (HBOT); also 高壓氧療法|高压氧疗法[gao1 ya1 yang3 liao2 fa3] -高压氧疗法,gāo yā yǎng liáo fǎ,hyperbaric oxygen therapy (HBOT); also 高壓氧治療|高压氧治疗[gao1 ya1 yang3 zhi4 liao2] -高压清洗机,gāo yā qīng xǐ jī,high pressure washer -高压线,gāo yā xiàn,high tension power line -高压锅,gāo yā guō,pressure cooker -高压电,gāo yā diàn,high voltage -高寿,gāo shòu,longevity; venerable age; your venerable age? -高大,gāo dà,tall; lofty; towering -高大上,gāo dà shàng,"(slang) high-end, elegant, and classy; abbr. for 高端大氣上檔次|高端大气上档次" -高妙,gāo miào,"masterly; subtle and clever (or artwork, writing etc)" -高学历,gāo xué lì,higher education record; record including Master's or Doctoral degree -高安,gāo ān,"Gao'an, county-level city in Yichun 宜春, Jiangxi" -高安市,gāo ān shì,"Gao'an, county-level city in Yichun 宜春, Jiangxi" -高宗,gāo zōng,"Gaozong, the temple name of various emperors, notably 唐高宗[Tang2 Gao1 zong1], 宋高宗[Song4 Gao1 zong1] and 清高宗[Qing1 Gao1 zong1] (aka 李治[Li3 Zhi4], 趙構|赵构[Zhao4 Gou4] and 乾隆[Qian2 long2] respectively)" -高官,gāo guān,high official -高官厚禄,gāo guān hòu lù,high post and generous salary (idiom); promotion to a high official position -高官显爵,gāo guān xiǎn jué,high ranking -高密,gāo mì,"Gaomi, county-level city in Weifang 濰坊|潍坊[Wei2 fang1], Shandong" -高密,gāo mì,high density -高密市,gāo mì shì,"Gaomi, county-level city in Weifang 濰坊|潍坊[Wei2 fang1], Shandong" -高密度,gāo mì dù,high density -高富帅,gāo fù shuài,"""Mr Perfect"" (i.e. tall, rich and handsome) (Internet slang)" -高寒,gāo hán,high and cold (mountain area) -高射机枪,gāo shè jī qiāng,anti-aircraft machine gun; CL:架[jia4] -高射炮,gāo shè pào,anti-aircraft gun -高尚,gāo shàng,noble; lofty; refined; exquisite -高就,gāo jiù,to move to a better job -高居,gāo jū,to stand above; to occupy an important position; to rank (among the top few) -高层,gāo céng,high-rise; high level; high class -高层执行员,gāo céng zhí xíng yuán,senior executive -高层建筑,gāo céng jiàn zhù,high-rise building; skyscraper -高层旅馆,gāo céng lǚ guǎn,luxury hotel; high-class hotel -高层云,gāo céng yún,altostratus; high stratus cloud -高山,gāo shān,high mountain; alpine mountain -高山兀鹫,gāo shān wù jiù,(bird species of China) Himalayan vulture (Gyps himalayensis) -高山区,gāo shān qū,alpine district -高山岭雀,gāo shān lǐng què,(bird species of China) Brandt's mountain finch (Leucosticte brandti) -高山旋木雀,gāo shān xuán mù què,(bird species of China) bar-tailed treecreeper (Certhia himalayana) -高山族,gāo shān zú,"Gaoshan aborigines (Taiwan), ""mountain tribes"" (Tw); Taiwanese aborigines (PRC)" -高山病,gāo shān bìng,altitude sickness; acute mountain sickness -高山症,gāo shān zhèng,altitude sickness; acute mountain sickness -高山短翅莺,gāo shān duǎn chì yīng,(bird species of China) russet bush warbler (Locustella mandelli) -高山金翅雀,gāo shān jīn chì què,(bird species of China) yellow-breasted greenfinch (Chloris spinoides) -高山雀鹛,gāo shān què méi,(bird species of China) Chinese fulvetta (Fulvetta striaticollis) -高岸,gāo àn,in grand style; high bank -高岸深谷,gāo àn shēn gǔ,"high bank, deep valley (idiom); secluded location" -高峰,gāo fēng,peak; summit; height -高峰会,gāo fēng huì,summit meeting -高峰会议,gāo fēng huì yì,summit conference -高峰期,gāo fēng qī,peak period; rush hour -高峻,gāo jùn,high and steep -高岭土,gāo lǐng tǔ,kaolin (clay); china clay -高州,gāo zhōu,"Gaozhou, county-level city in Maoming 茂名, Guangdong" -高州市,gāo zhōu shì,"Gaozhou, county-level city in Maoming 茂名, Guangdong" -高工,gāo gōng,senior engineer (abbr. for 高級工程師|高级工程师[gao1 ji2 gong1 cheng2 shi1]); (Tw) industrial vocational high school (abbr. for 高級工業職業學校|高级工业职业学校[gao1 ji2 gong1 ye4 zhi2 ye4 xue2 xiao4]) -高帽子,gāo mào zi,tall conical paper hat worn as a public humiliation; dunce cap; (fig.) flattery -高帮,gāo bāng,high-top (shoes); ankle-high shoes -高平,gāo píng,"Gaoping, city in 山西[Shan1 xi1]; Cao Bang, Vietnam" -高平市,gāo píng shì,"Gaoping, county-level city in Jincheng 晉城|晋城[Jin4 cheng2], Shanxi" -高平县,gāo píng xiàn,Gaoping County in southern Shanxi -高年,gāo nián,old; aged -高年级生,gāo nián jí shēng,senior student -高干,gāo gàn,high cadre; top party member -高度,gāo dù,height; altitude; elevation; high degree; highly; CL:個|个[ge4] -高弓足,gāo gōng zú,high-arched feet -高强,gāo qiáng,excellent; outstanding -高徒,gāo tú,brilliant student -高德纳,gāo dé nà,"the Chinese name of American computer scientist Donald Knuth (1938-), adopted prior to his visit to China in 1977" -高性能,gāo xìng néng,high performance -高慢,gāo màn,proud; overbearing -高手,gāo shǒu,expert; past master; dab hand -高手如云,gāo shǒu rú yún,(idiom) teeming with experts -高才,gāo cái,great talent; rare capability; person of outstanding ability -高才生,gāo cái shēng,student of great ability; talented student -高技术,gāo jì shù,high technology; high tech -高抬,gāo tái,to speak highly of sb -高抬贵手,gāo tái guì shǒu,to be generous (idiom); to be magnanimous; Give me a break! -高招,gāo zhāo,wise move; masterstroke; bright ideas -高扬,gāo yáng,held high; elevated; uplift; soaring -高攀,gāo pān,social climbing; to claim connections with people in higher social class -高攀不上,gāo pān bù shàng,to be unworthy to associate with (sb of higher social status) -高效,gāo xiào,efficient; highly effective -高效率,gāo xiào lǜ,high efficiency -高效能,gāo xiào néng,highly efficient; effectivity -高教,gāo jiào,higher education (abbr. for 高等教育[gao1deng3 jiao4yu4]) -高敞,gāo chǎng,large and spacious -高数,gāo shù,"further math; advanced mathematics (school subject, abbr. for 高等數學|高等数学)" -高斯,gāo sī,"Carl Friedrich Gauss (1777-1855), German mathematician" -高斯,gāo sī,"gauss, unit of magnetic induction" -高新技术,gāo xīn jì shù,high tech; high technology -高于,gāo yú,greater than; to exceed -高昂,gāo áng,to hold (one's head) high; expensive; high (spirits etc) -高明,gāo míng,"Gaoming, a district of Foshan 佛山市[Fo2shan1 Shi4], Guangdong" -高明,gāo míng,brilliant; superior; wise -高明区,gāo míng qū,"Gaoming, a district of Foshan 佛山市[Fo2shan1 Shi4], Guangdong" -高旷,gāo kuàng,high and wide -高朋满座,gāo péng mǎn zuò,surrounded by distinguished friends (idiom); in company -高朗,gāo lǎng,loud and clear; bright and clear -高木,gāo mù,Takagi (Japanese surname) -高本汉,gāo běn hàn,"Bernhard Karlgren (1889-1978), distinguished Swedish linguist and sinologist" -高材,gāo cái,great talent; rare capability; person of outstanding ability -高材生,gāo cái shēng,student of great ability -高村正彦,gāo cūn zhèng yàn,"KOMURA Masahiko (1942-), Japanese politician, foreign minister from 1998, minister of defense from 2007" -高枕无忧,gāo zhěn wú yōu,to sleep peacefully (idiom); (fig.) to rest easy; to be free of worries -高果糖玉米糖浆,gāo guǒ táng yù mǐ táng jiāng,high-fructose corn syrup (HFCS) -高架,gāo jià,"overhead; elevated (walkway, highway etc); elevated road" -高架桥,gāo jià qiáo,high trestle bridge; viaduct; flyover -高架道路,gāo jià dào lù,elevated road -高校,gāo xiào,universities and colleges; abbr. for 高等學校|高等学校 -高梁,gāo liáng,"Takahashi (name); Takahashi city in Okayama prefecture, Japan; Highbridge (name)" -高梁川,gāo liáng chuān,"Takahashigawa, river in Okayama prefecture 岡山縣|冈山县[Gang1 shan1 xian4], Japan" -高梁市,gāo liáng shì,"Takahashi city in Okayama prefecture 岡山縣|冈山县[Gang1 shan1 xian4], Japan" -高棉,gāo mián,Cambodia; Kampuchea; Khmer -高楼,gāo lóu,high building; multistory building; skyscraper; CL:座[zuo4] -高楼大厦,gāo lóu dà shà,tall building -高树,gāo shù,"Kaoshu township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -高树乡,gāo shù xiāng,"Kaoshu township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -高桥,gāo qiáo,Takahashi (Japanese surname) -高桥留美子,gāo qiáo liú měi zǐ,"Takahashi Rumiko, Japanese manga artist" -高档,gāo dàng,superior quality; high grade; top grade -高档服装,gāo dàng fú zhuāng,haute couture; high fashion clothing -高栏,gāo lán,high hurdle -高次,gāo cì,higher degree (e.g. equation in math.) -高歌,gāo gē,to sing loudly; to lift one's voice in song -高歌猛进,gāo gē měng jìn,to advance singing loudly (idiom); triumphant progress -高段,gāo duàn,high-level (ability); advanced -高深,gāo shēn,profound -高深莫测,gāo shēn mò cè,profound mystery -高淳,gāo chún,"Gaochun county in Nanjing 南京, Jiangsu" -高淳县,gāo chún xiàn,"Gaochun county in Nanjing 南京, Jiangsu" -高清,gāo qīng,high definition (television etc); high fidelity (audio) -高清数字电视,gāo qīng shù zì diàn shì,high definition digital television -高清晰度,gāo qīng xī dù,high definition (instruments); high resolution -高清电视,gāo qīng diàn shì,high definition television HDTV -高港,gāo gǎng,"Gaogang district of Taizhou city 泰州市[Tai4 zhou1 shi4], Jiangsu" -高港区,gāo gǎng qū,"Gaogang district of Taizhou city 泰州市[Tai4 zhou1 shi4], Jiangsu" -高汤,gāo tāng,clear soup; soup stock -高温,gāo wēn,high temperature -高涨,gāo zhǎng,to surge up; to rise; (of tensions etc) to run high -高洁,gāo jié,noble and clean-living; lofty and unsullied -高潮,gāo cháo,"high tide; high water; upsurge; peak of activity; climax (of a story, a competition etc); to have an orgasm" -高潮迭起,gāo cháo dié qǐ,each new high point replaced by another; (of a movie etc) one climax after another -高浓缩铀,gāo nóng suō yóu,highly enriched uranium (HEU) -高热,gāo rè,a fever -高热病,gāo rè bìng,fever; high fever -高热量,gāo rè liàng,high calorie (foodstuff); high heat content -高烧,gāo shāo,fever; high temperature -高炉,gāo lú,blast furnace -高尔基,gāo ěr jī,"Gorkii (name); Maxim Gorkii (1868-1936), Russian proletarian writer and propagandist" -高尔基复合体,gāo ěr jī fù hé tǐ,Golgi complex (in cell biology) -高尔基体,gāo ěr jī tǐ,Golgi apparatus -高尔夫,gāo ěr fū,golf (loanword) -高尔夫球,gāo ěr fū qiú,golf; golf ball -高尔夫球场,gāo ěr fū qiú chǎng,golf course -高尔察克,gāo ěr chá kè,"Aleksandr Kolchak (1874-1920), Russian naval commander, head of anti-Bolshevik White forces" -高尔机体,gāo ěr jī tǐ,Golgi apparatus; also written 高爾基體|高尔基体[Gao1 er3 ji1 ti3] -高牌,gāo pái,high card (poker) -高球,gāo qiú,(sports) high ball; lob; golf (abbr. for 高爾夫球|高尔夫球[gao1er3fu1qiu2]) -高球场,gāo qiú chǎng,golf course; golf links -高球杯,gāo qiú bēi,highball -高产,gāo chǎn,high yielding -高田,gāo tián,Takada (Japanese surname) -高甲戏,gāo jiǎ xì,Gaojia opera of Fujian and Taiwan -高畑勋,gāo tián xūn,"Isao Takahata (1935-2018), co-founder of Studio Ghibli" -高发,gāo fā,"(of diseases, accidents) to occur with a high incidence; (old) to score highly in the imperial exams" -高发人群,gāo fā rén qún,(medicine) high-risk group -高盛,gāo shèng,Goldman Sachs -高卢,gāo lú,Gaul -高卢语,gāo lú yǔ,Gaulish or Gallic (language) -高看,gāo kàn,to attach importance to sth; to value -高瞻远瞩,gāo zhān yuǎn zhǔ,to stand tall and see far (idiom); taking the long and broad view; acute foresight -高矗,gāo chù,towering -高矮,gāo ǎi,height (i.e. whether short or tall) -高矮胖瘦,gāo ǎi pàng shòu,"one's physique (tall or short, thin or fat); stature" -高碑店,gāo bēi diàn,"Gaobeidian, county-level city in Baoding 保定[Bao3 ding4], Hebei" -高碑店市,gāo bēi diàn shì,"Gaobeidian, county-level city in Baoding 保定[Bao3 ding4], Hebei" -高祖母,gāo zǔ mǔ,great-great-grandmother -高祖父,gāo zǔ fù,great-great-grandfather -高科技,gāo kē jì,high tech; high technology -高程,gāo chéng,altitude (e.g. above street level); elevation -高积云,gāo jī yún,altocumulus; high cumulus cloud -高空,gāo kōng,high altitude -高空作业,gāo kōng zuò yè,to work high above the ground -高空俱乐部,gāo kōng jù lè bù,Mile High Club -高空弹跳,gāo kōng tán tiào,bungee jumping (Tw) -高空病,gāo kōng bìng,high altitude sickness -高端,gāo duān,high-end -高等,gāo děng,"high-level; higher (animals, education etc); advanced (math etc)" -高等代数,gāo děng dài shù,higher algebra -高等学校,gāo děng xué xiào,colleges and universities -高等教育,gāo děng jiào yù,higher education -高等法院,gāo děng fǎ yuàn,High Court -高筋面粉,gāo jīn miàn fěn,bread flour; hard flour -高筒靴,gāo tǒng xuē,tall boots -高管,gāo guǎn,executive; senior management; (contraction of 高級管理|高级管理) -高粱,gāo liáng,sorghum; common sorghum (Sorghum vulgare) -高精度,gāo jīng dù,high precision -高级,gāo jí,high level; high grade; advanced; high-ranking -高级中学,gāo jí zhōng xué,senior high school; abbr. to 高中[gao1 zhong1] -高级专员,gāo jí zhuān yuán,high commissioner -高级小学,gāo jí xiǎo xué,advanced class of primary school -高级职务,gāo jí zhí wù,high position; senior post -高级职员,gāo jí zhí yuán,high official; senior executive -高级语言,gāo jí yǔ yán,(computing) high-level language -高级军官,gāo jí jūn guān,senior military officers; top brass -高维,gāo wéi,(math.) higher dimensional -高维代数簇,gāo wéi dài shù cù,(math.) higher dimensional algebraic variety -高维空间,gāo wéi kōng jiān,(math.) higher dimensional space -高纬度,gāo wěi dù,high latitude (i.e. near the poles) -高县,gāo xiàn,"Gao county in Yibin 宜賓|宜宾[Yi2 bin1], Sichuan" -高纤维,gāo xiān wéi,high fiber -高罗佩,gāo luó pèi,"Gao Luopei or R.H. van Gulik (1910-1967), Dutch sinologist, diplomat and writer" -高翔,gāo xiáng,"Gao Xiang (1688-1753), Qing dynasty painter" -高考,gāo kǎo,college entrance exam (especially as abbr. for 普通高等學校招生全國統一考試|普通高等学校招生全国统一考试[Pu3 tong1 Gao1 deng3 Xue2 xiao4 Zhao1 sheng1 Quan2 guo2 Tong3 yi1 Kao3 shi4]); (Tw) entrance exam for senior government service posts (abbr. for 公務人員高等考試|公务人员高等考试) -高聚物,gāo jù wù,polymer -高声,gāo shēng,aloud; loud; loudly -高耸,gāo sǒng,erect; towering; to stand tall -高耸入云,gāo sǒng rù yún,"tall and erect, reaching through the clouds (idiom); used to describe tall mountain or skyscraper" -高职,gāo zhí,vocational higher education institution (abbr. for 高等職業技術學校|高等职业技术学校[gao1 deng3 zhi2 ye4 ji4 shu4 xue2 xiao4]); senior academic or professional title (abbr. for 高級職稱|高级职称[gao1 ji2 zhi2 cheng1]); high-ranking employee (abbr. for 高級職員|高级职员[gao1 ji2 zhi2 yuan2]); (Tw) vocational high school -高职院校,gāo zhí yuàn xiào,professional school; higher vocational school -高能,gāo néng,high energy -高能烈性炸药,gāo néng liè xìng zhà yào,high explosive -高能粒子,gāo néng lì zǐ,high energy particle -高能量,gāo néng liàng,high energy (physics) -高脂血症,gāo zhī xuè zhèng,high blood fat disease; hyperlipidemia; hypertriglyceridemia -高腔,gāo qiāng,"gaoqiang, high-pitched opera singing style" -高脚杯,gāo jiǎo bēi,goblet -高脚椅,gāo jiǎo yǐ,stool; high chair -高致病性,gāo zhì bìng xìng,highly pathenogenic -高兴,gāo xìng,happy; glad; willing (to do sth); in a cheerful mood -高举,gāo jǔ,to lift up; to hold high -高举远蹈,gāo jǔ yuǎn dǎo,to leave office for a high and distant place (idiom); to retire and place oneself above the fray -高良姜,gāo liáng jiāng,Thai ginger; lesser galangale (Kaempferia galanga) -高薪,gāo xīn,high salary -高薪厚禄,gāo xīn hòu lù,"high salary, generous remuneration" -高薪聘请,gāo xīn pìn qǐng,to hire at a high salary -高薪酬,gāo xīn chóu,high salary -高薪养廉,gāo xīn yǎng lián,policy of high pay to discourage corruption -高处,gāo chù,high place; elevation -高处不胜寒,gāo chù bù shèng hán,it's lonely at the top (idiom) -高血压,gāo xuè yā,high blood pressure; hypertension -高血糖,gāo xuè táng,hyperglycemia; abnormally high blood sugar level -高行健,gāo xíng jiàn,"Gao Xingjian (1940-), Chinese novelist and Nobel laureate, author of Soul Mountain 靈山|灵山" -高街,gāo jiē,high street (main street of a town or city) (loanword) -高要,gāo yào,"Gaoyao, county-level city in Zhaoqing 肇慶|肇庆[Zhao4 qing4], Guangdong" -高要市,gāo yào shì,"Gaoyao, county-level city in Zhaoqing 肇慶|肇庆[Zhao4 qing4], Guangdong" -高见,gāo jiàn,wise opinion; brilliant idea (honorific) -高视阔步,gāo shì kuò bù,to strut about -高调,gāo diào,high-sounding speech; bombast; high-profile -高谈阔论,gāo tán kuò lùn,to harangue; loud arrogant talk; to spout -高论,gāo lùn,enlightening remarks (honorific); brilliant views -高赀,gāo zī,high cost -高贵,gāo guì,grandeur; noble -高贵鸡,gāo guì jī,"(Tw) (slang) snobbish, pretentious gay person" -高质量,gāo zhì liàng,high quality -高起,gāo qǐ,to rise high; to spring up -高超,gāo chāo,excellent; superlative -高足,gāo zú,honorific: Your distinguished disciple; Your most brilliant pupil -高跟鞋,gāo gēn xié,high-heeled shoes -高蹈,gāo dǎo,to travel far -高跷,gāo qiāo,stilts; walking on stilts as component of folk dance -高跷鹬,gāo qiāo yù,(bird species of China) stilt sandpiper (Calidris himantopus) -高辛氏,gāo xīn shì,"one of the five legendary emperors, also called 嚳|喾[Ku4]" -高迪,gāo dí,"Antoni Gaudí (1852-1926), Catalan architect" -高通公司,gāo tōng gōng sī,Qualcomm -高速,gāo sù,high speed; expressway (abbr. for 高速公路[gao1 su4 gong1 lu4]) -高速公路,gāo sù gōng lù,expressway; highway; freeway -高速挡,gāo sù dǎng,top gear; high gear -高速率,gāo sù lǜ,high speed -高速网络,gāo sù wǎng luò,high speed network -高速缓存,gāo sù huǎn cún,(computing) cache -高速缓冲存储器,gāo sù huǎn chōng cún chǔ qì,(computing) cache -高速路,gāo sù lù,highway; expressway (abbr. for 高速公路[gao1 su4 gong1 lu4]) -高逼格,gāo bī gé,(slang) high-end; classy -高达,gāo dá,"Gundam, Japanese animation franchise; Jean-Luc Godard (1930-), French-Swiss film director" -高达,gāo dá,to attain; to reach up to -高远,gāo yuǎn,lofty -高迁,gāo qiān,promotion (honorific) -高迈,gāo mài,exuberant; outstanding; in advanced years -高邑,gāo yì,"Gaoyi county in Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1], Hebei" -高邑县,gāo yì xiàn,"Gaoyi county in Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1], Hebei" -高邮,gāo yóu,"Gaoyou, county-level city in Yangzhou 揚州|扬州[Yang2 zhou1], Jiangsu" -高邮市,gāo yóu shì,"Gaoyou, county-level city in Yangzhou 揚州|扬州[Yang2 zhou1], Jiangsu" -高邻,gāo lín,distinguished neighbor (honorific) -高锰酸钾,gāo měng suān jiǎ,potassium permanganate -高铁,gāo tiě,high speed rail -高铁血红蛋白,gāo tiě xuè hóng dàn bái,methemoglobin -高阁,gāo gé,tall building; high shelf -高院,gāo yuàn,high court -高陵,gāo líng,"Gaoling county in Xi'an 西安[Xi1 an1], Shaanxi" -高陵县,gāo líng xiàn,"Gaoling county in Xi'an 西安[Xi1 an1], Shaanxi" -高阳,gāo yáng,"Gao Yang (1926-1992), Taiwanese historical novelist" -高阳,gāo yáng,"Gaoyang county in Baoding 保定[Bao3 ding4], Hebei" -高阳县,gāo yáng xiàn,"Gaoyang county in Baoding 保定[Bao3 ding4], Hebei" -高阶,gāo jiē,high level -高阶语言,gāo jiē yǔ yán,"(computing) high-level language (Tw, HK, Macau)" -高雄,gāo xióng,"Kaohsiung, a special municipality in south Taiwan" -高雄市,gāo xióng shì,Kaohsiung or Gaoxiong city in south Taiwan -高雄县,gāo xióng xiàn,Kaohsiung or Gaoxiong county in southwest Taiwan -高雅,gāo yǎ,dainty; elegance; elegant -高难,gāo nán,extremely difficult; hard and dangerous; challenging -高云,gāo yún,Gao Yun (died 409) emperor of Northern or Later Yan dynasty -高露洁,gāo lù jié,Colgate (brand) -高青,gāo qīng,"Gaoqing county in Zibo 淄博[Zi1 bo2], Shandong" -高青县,gāo qīng xiàn,"Gaoqing county in Zibo 淄博[Zi1 bo2], Shandong" -高音,gāo yīn,high pitch; soprano; treble -高音喇叭,gāo yīn lǎ ba,tweeter -高音部,gāo yīn bù,upper register; soprano part -高头,gāo tou,higher authority; the bosses; on top of -高频,gāo pín,high frequency -高额,gāo é,high quota; large amount -高风亮节,gāo fēng liàng jié,of noble character and unquestionable integrity (idiom) -高风峻节,gāo fēng jùn jié,a high-class upright character (idiom) -高风险,gāo fēng xiǎn,high risk -高风险区,gāo fēng xiǎn qū,high risk area -高飞,gāo fēi,Goofy (friend of Mickey Mouse) -高飞,gāo fēi,to soar -高飞远走,gāo fēi yuǎn zǒu,to fly high and run far (idiom); to leave in a hurry for a distance place -高高低低,gāo gāo dī dī,high and low; uneven (in height); uneven (of ground) -高高在上,gāo gāo zài shàng,set up on high (idiom); not in touch with reality; aloof and remote -高高手,gāo gāo shǒu,Please do not be too severe on me! -高高手儿,gāo gāo shǒu er,Please do not be too severe on me! -高高兴兴,gāo gāo xìng xìng,cheerful and optimistic; in a good mood; gaily -高丽,gāo lí,"Korean Goryeo dynasty, 918-1392; Korea, esp. in context of art and culture" -高丽八万大藏经,gāo lí bā wàn dà zàng jīng,"Tripitaka Koreana, Buddhist scriptures carved on 81,340 wooden tablets and housed in the Haein Temple 海印寺[Hai3 yin4 si4] in South Gyeongsang province of South Korea" -高丽参,gāo lí shēn,Koryo ginseng -高丽大藏经,gāo lí dà zàng jīng,"Tripitaka Koreana, Buddhist scriptures carved on 81,340 wooden tablets and housed in the Haein Temple 海印寺[Hai3 yin4 si4] in South Gyeongsang province of South Korea" -高丽朝,gāo lí cháo,"Korean Goryeo dynasty, 918-1392" -高丽棒子,gāo lí bàng zi,Korean (derog.) -高丽王朝,gāo lí wáng cháo,"Korean Goryeo Dynasty, 918-1392" -高丽菜,gāo lí cài,"cabbage (CL:顆|颗[ke1],個|个[ge4]); Taiwan pr. [gao1li4cai4]" -高龄,gāo líng,elderly -髟,biāo,hair; shaggy -髡,kūn,scalping; to make the head bald (as corporal punishment) -髯,rán,old variant of 髯[ran2] -髦,máo,bang (hair); fashionable; mane -髫,tiáo,(literary) hair hanging down in front (children's hairstyle) -髭,zī,mustache -发,fà,hair; Taiwan pr. [fa3] -发乳,fà rǔ,hair cream -发冠卷尾,fà guān juǎn wěi,(bird species of China) hair-crested drongo (Dicrurus hottentottus) -发包,fà bāo,bun hair extension -发卡,fà qiǎ,hair grip; hair clip -发型,fà xíng,hairstyle; coiffure; hairdo -发型师,fà xíng shī,hair stylist -发型设计师,fà xíng shè jì shī,hairstylist -发夹,fà jiā,hair clip -发妻,fà qī,first wife -发小,fà xiǎo,(dialect) close childhood friend whom one grew up with; a couple who grew up as childhood friends -发小儿,fà xiǎo er,erhua variant of 髮小|发小[fa4 xiao3] -发尾,fà wěi,hair ends -发屋,fà wū,barbershop -发带,fà dài,headband -发廊,fà láng,"hair salon; hairdresser's shop; CL:家[jia1],間|间[jian1]" -发式,fà shì,hairstyle; coiffure; hairdo -发指眦裂,fà zhǐ zì liè,hair standing up and eyes wide in anger (idiom); enraged; in a towering rage -发卷,fà juǎn,hair roller; curl (of hair) -发旋,fà xuán,hair whorl -发梢,fà shāo,hair ends -发箍,fà gū,headband -发簪,fà zān,hairpin -发丝,fà sī,hair (on the head) -发网,fà wǎng,hairnet -发绺,fà liǔ,tresses; dreadlocks -发脚,fà jiǎo,a length of hair -发胶,fà jiāo,hair gel -发菜,fà cài,"long thread moss (Nostoc flagelliforme), an edible algae; also called faat choy or hair moss" -发蜡,fà là,pomade -发辫,fà biàn,braid -发钗,fà chāi,hair clip -发际线,fà jì xiàn,(one's) hairline -发髻,fà jì,hair worn in a bun or coil -髯,rán,beard; whiskers -髯口,rán kou,artificial beard worn by Chinese opera actors -髯须,rán xū,beard; whiskers -佛,fú,(female) head ornament; variant of 彿|佛[fu2] -髹,xiū,red lacquer; to lacquer -髻,jì,"hair rolled up in a bun, topknot" -剃,tì,variant of 剃[ti4] -鬃,zōng,bristles; horse's mane -鬃毛,zōng máo,mane -鬄,dí,wig; Taiwan pr. [ti4] -鬄,tì,old variant of 剃[ti4] -松,sōng,"loose; to loosen; to relax; floss (dry, fluffy food product made from shredded, seasoned meat or fish, used as a topping or filling)" -松一口气,sōng yī kǒu qì,to heave a sigh of relief -松动,sōng dòng,"loose; slack; (fig.) to soften (policies, tone of voice); to give some slack; (of a place) not crowded" -松口,sōng kǒu,to let go of sth held in one's mouth; (fig.) to relent; to yield -松嘴,sōng zuǐ,see 鬆口|松口[song1 kou3] -松土,sōng tǔ,to plow (loosen the soil) -松垮,sōng kuǎ,undisciplined; loose; slack -松弛,sōng chí,to relax; relaxed; limp; lax -松弛法,sōng chí fǎ,relaxation (alternative medicine) -松快,sōng kuai,less crowded; relieved; relaxed; to relax -松懈,sōng xiè,to relax; to relax efforts; to slack off; to take it easy; complacent; undisciplined -松手,sōng shǒu,to relinquish one's grip; to let go -松散,sōng san,to relax; loose; not consolidated; not rigorous -松散物料,sōng san wù liào,diffuse medium (liquid or gas) -松气,sōng qì,to relax one's efforts -松泛,sōng fàn,relaxed -松滋,sōng zī,"Songzi, county-level city in Jingzhou 荊州|荆州[Jing1 zhou1], Hubei" -松滋市,sōng zī shì,"Songzi, county-level city in Jingzhou 荊州|荆州[Jing1 zhou1], Hubei" -松狮犬,sōng shī quǎn,Chow Chow (dog breed) -松糕,sōng gāo,sponge cake -松糕鞋,sōng gāo xié,platform shoes -松绑,sōng bǎng,to untie; (fig.) to ease restrictions -松紧带,sōng jǐn dài,(a length of) elastic -松缓,sōng huǎn,to loosen -松脱,sōng tuō,loose; flaking -松软,sōng ruǎn,flexible; not rigid; spongy; soft or runny (not set hard); loose (soil) -松开,sōng kāi,to release; to let go; to loosen; to untie; to come loose -松饼,sōng bǐng,muffin; pancake; (Tw) waffle -鬈,quán,to curl; curled -鬃,zōng,disheveled hair; horse's mane -胡,hú,beard; mustache; whiskers -胡匪,hú fěi,bandit (old) -胡子,hú zi,"beard; mustache or whiskers; facial hair; CL:撮[zuo3],根[gen1]; (coll.) bandit" -胡渣,hú zhā,see 鬍碴|胡碴[hu2 cha1] -胡疵,hú cī,stubble; facial hair -胡碴,hú chā,beard stubble; Taiwan pr. [hu2 cha2] -胡茬,hú chá,beard stubble -胡髭,hú zī,beard and mustache -胡须,hú xū,"beard; CL:根[gen1],綹|绺[liu3]" -鬏,jiū,bun (of hair) -鬒,zhěn,bushy black hair -鬒发,zhěn fà,luxuriant black hair -须,xū,beard; mustache; feeler (of an insect etc); tassel -须子,xū zi,feelers (zoology); tassel (botany) -须毛,xū máo,whiskers; mustache -须浮鸥,xū fú ōu,(bird species of China) whiskered tern (Chlidonias hybrida) -须生,xū shēng,see 老生[lao3 sheng1] -须眉,xū méi,man or men (formal) -须发,xū fà,hair and beard -须鲸,xū jīng,baleen whale; Mysticeti -鬟,huán,a knot of hair on top of head -鬓,bìn,temples; hair on the temples -鬓毛,bìn máo,hair on the temples -鬓脚,bìn jiǎo,variant of 鬢角|鬓角[bin4 jiao3] -鬓角,bìn jiǎo,sideburns; temples; hair on the temples -鬓发,bìn fà,hair on the temples -鬣,liè,bristles; mane -鬣毛,liè máo,mane -鬣狗,liè gǒu,hyena -鬣蜥,liè xī,iguana -斗,dòu,to fight; to struggle; to condemn; to censure; to contend; to put together; coming together -斗口齿,dòu kǒu chǐ,to quarrel; to bicker; glib repartee -斗嘴,dòu zuǐ,to quarrel; to bicker; glib repartee -斗地主,dòu dì zhǔ,"dou dizhu (""fight the landlord"") (card game)" -斗士,dòu shì,warrior; activist -斗志,dòu zhì,will to fight; fighting spirit -斗志昂扬,dòu zhì áng yáng,having high fighting spirit -斗批改,dòu pī gǎi,"struggle, criticize, and transform (Cultural Revolution catchcry)" -斗拳,dòu quán,boxing -斗智,dòu zhì,battle of wits -斗殴,dòu ōu,to brawl; to scuffle -斗气,dòu qì,to have a grudge against -斗争,dòu zhēng,a struggle; fight; battle -斗争性,dòu zhēng xìng,assertiveness; combative nature -斗牛,dòu niú,bullfighting -斗牛士,dòu niú shì,matador; toreador; bullfighter -斗牛士之歌,dòu niú shì zhī gē,"Toreador Song (Votre toast, je peux vous le rendre), famous aria from opera Carmen 卡門|卡门 by Georges Bizet" -斗眼,dòu yǎn,see 鬥雞眼|斗鸡眼[dou4 ji1 yan3] -斗私批修,dòu sī pī xiū,fight self-interest and repudiate revisionism (Cultural Revolution slogan) -斗舰,dòu jiàn,fighting ship -斗趣儿,dòu qù er,variant of 逗趣兒|逗趣儿[dou4 qu4 r5] -斗鸡,dòu jī,cock fighting -斗鸡眼,dòu jī yǎn,cross-eye -斗鸡走马,dòu jī zǒu mǎ,cock-fighting and horse-racing (idiom); to gamble -斗,dòu,variant of 鬭|斗[dou4] -闹,nào,noisy; cacophonous; to make noise; to disturb; to vent (feelings); to fall ill; to have an attack (of sickness); to go in (for some activity); to joke -闹事,nào shì,to cause trouble; to create a disturbance -闹剧,nào jù,"farce; CL:場|场[chang3],齣|出[chu1],幕[mu4]" -闹区,nào qū,downtown -闹哄哄,nào hōng hōng,clamorous; noisy; sensational; very exciting -闹场,nào chǎng,gongs and drums overture to a Chinese opera; to create a disturbance -闹太套,nào tài tào,"(Internet slang) transcription of ""not at all"" – English words in a song promoting the 2008 Beijing Olympics sung by Huang Xiaoming 黃曉明|黄晓明[Huang2 Xiao3 ming2], who became a laughing stock in China because his pronunciation was perceived as embarrassingly bad; to be a laughing stock; to make a fool of oneself (i.e. equivalent to 鬧笑話|闹笑话[nao4 xiao4 hua5])" -闹市,nào shì,downtown area; city center -闹别扭,nào biè niu,to be difficult with sb; to provoke disagreement; at loggerheads; to fall out with -闹心,nào xīn,to be vexed or annoyed; to feel queasy -闹忙,nào máng,(dialect) bustling; lively -闹情绪,nào qíng xù,to be in a bad mood -闹房,nào fáng,see 鬧洞房|闹洞房[nao4 dong4 fang2] -闹新房,nào xīn fáng,see 鬧洞房|闹洞房[nao4 dong4 fang2] -闹洞房,nào dòng fáng,disturbing the privacy of bridal room (Chinese custom where guests banter with and play pranks on the newlyweds) -闹猛,nào měng,(dialect) bustling; lively -闹矛盾,nào máo dùn,to be at loggerheads; to have a falling out -闹笑话,nào xiào hua,to make a fool of oneself -闹糊糊,nào hú hu,to cause trouble -闹翻,nào fān,to have a falling out; to have a big argument -闹翻天,nào fān tiān,to create a big disturbance -闹肚子,nào dù zi,(coll.) to have diarrhea -闹脾气,nào pí qi,to get angry -闹着玩儿,nào zhe wán er,to play games; to joke around; to play a joke on sb -闹贼,nào zéi,(coll.) to be burglarized -闹轰轰,nào hōng hōng,variant of 鬧哄哄|闹哄哄[nao4 hong1 hong1] -闹铃,nào líng,alarm (clock) -闹铃时钟,nào líng shí zhōng,alarm clock -闹钟,nào zhōng,alarm clock -闹腾,nào teng,to disturb; to create confusion; to make a din -闹闹攘攘,nào nào rǎng rǎng,to create an uproar -闹鬼,nào guǐ,haunted -哄,hòng,tumult; uproar; commotion; disturbance -阋,xì,to argue; to quarrel -斗,dòu,variant of 鬥|斗[dou4] -斗,dòu,variant of 鬥|斗[dou4] -阄,jiū,lots (to be drawn); lot (in a game of chance) -鬯,chàng,a kind of sacrificial wine used in ancient times -郁,yù,old variant of 鬱|郁[yu4] -郁,yù,surname Yu -郁,yù,(bound form) (of vegetation) lush; luxuriant; (bound form) melancholy; depressed -郁卒,yù zú,"depressed and frustrated (from Taiwanese, Tai-lo pr. [ut-tsut])" -郁南,yù nán,"Yunan county in Yunfu 雲浮|云浮[Yun2 fu2], Guangdong" -郁南县,yù nán xiàn,"Yunan county in Yunfu 雲浮|云浮[Yun2 fu2], Guangdong" -郁塞,yù sè,constricted (feeling); pent-up; repressed -郁闷,yù mèn,gloomy; depressed -郁江,yù jiāng,Yu River -郁结,yù jié,to suffer from pent-up frustrations; mental knot; emotional issue -郁郁不得志,yù yù bù dé zhì,soured by the loss of one's hopes -郁郁不乐,yù yù bù lè,discontented (idiom) -郁郁寡欢,yù yù guǎ huān,(idiom) depressed; cheerless -郁郁葱葱,yù yù cōng cōng,verdant and lush (idiom) -鬲,gé,surname Ge -鬲,gé,earthen pot; iron cauldron -鬲,lì,ancient ceramic three-legged vessel used for cooking with cord markings on the outside and hollow legs -鬻,yù,"to sell, esp. in strained circumstances" -鬼,guǐ,disembodied spirit; ghost; devil; (suffix) person with a certain vice or addiction etc; sly; crafty; resourceful (variant of 詭|诡[gui3]); one of the 28 constellations of ancient Chinese astronomy -鬼佬,guǐ lǎo,foreigner (Cantonese); Westerner -鬼使神差,guǐ shǐ shén chāi,demons and gods at work (idiom); unexplained event crying out for a supernatural explanation; curious coincidence -鬼剃头,guǐ tì tóu,spot baldness (alopecia areata) -鬼叫,guǐ jiào,(coll.) to holler; to squawk -鬼名堂,guǐ míng tang,dirty trick; monkey business -鬼哭狼嗥,guǐ kū láng háo,variant of 鬼哭狼嚎[gui3 ku1 lang2 hao2] -鬼哭狼嚎,guǐ kū láng háo,to wail like ghosts and howl like wolves (idiom) -鬼城,guǐ chéng,ghost town -鬼压床,guǐ yā chuáng,(coll.) sleep paralysis -鬼压身,guǐ yā shēn,see 鬼壓床|鬼压床[gui3 ya1 chuang2] -鬼天气,guǐ tiān qì,awful weather -鬼婆,guǐ pó,Caucasian woman (Cantonese) -鬼子,guǐ zi,"devils; refers to 日本鬼子, wartime term insult for Japanese" -鬼屋,guǐ wū,haunted house -鬼怕恶人,guǐ pà è rén,lit. ghosts are afraid of evil too; an evil person fears someone even more evil (idiom) -鬼怪,guǐ guài,hobgoblin; bogey; phantom -鬼才,guǐ cái,creative genius -鬼才信,guǐ cái xìn,who would believe it!; what rubbish! -鬼扯,guǐ chě,nonsense; humbug; bunk; bullshit -鬼扯腿,guǐ chě tuǐ,unable to restrain oneself; pulling and tugging at each other -鬼把戏,guǐ bǎ xì,sinister plot; dirty trick; cheap trick -鬼摸脑壳,guǐ mō nǎo ké,(idiom) muddled; momentarily confused -鬼故事,guǐ gù shi,ghost story -鬼斧神工,guǐ fǔ shén gōng,supernaturally fine craft (idiom); the work of the Gods; uncanny workmanship; superlative craftsmanship -鬼楼,guǐ lóu,haunted house -鬼混,guǐ hùn,to hang around; to fool around; to live aimlessly -鬼火,guǐ huǒ,will-o'-the-wisp; jack-o'-lantern -鬼火绿,guǐ huǒ lǜ,(dialect) flaming mad; furious -鬼牌,guǐ pái,Joker (playing card) -鬼由心生,guǐ yóu xīn shēng,devils are born in the heart (idiom); fears originate in the mind -鬼画符,guǐ huà fú,undecipherable handwriting; scribblings; (fig.) hypocritical talk -鬼神,guǐ shén,supernatural beings -鬼祟,guǐ suì,evil spirit; sneaky; secretive -鬼胎,guǐ tāi,sinister design; ulterior motive -鬼脸,guǐ liǎn,wry face; to grimace; to pull a face; comic face; face mask; devil mask -鬼蜮,guǐ yù,treacherous person; evil spirit -鬼计多端,guǐ jì duō duān,full of devilish tricks and cunning stratagems (idiom); sly; crafty; malicious -鬼话,guǐ huà,lie; false words; nonsense; CL:篇[pian1] -鬼话连篇,guǐ huà lián piān,to tell one lie after another (idiom); to talk nonsense; bogus story -鬼迷心窍,guǐ mí xīn qiào,to be obsessed; to be possessed -鬼遮眼,guǐ zhē yǎn,"selective blindness caused by a ghost, whereby one fails to notice obvious dangers" -鬼门关,guǐ mén guān,the gates of hell -鬼头鬼脑,guǐ tóu guǐ nǎo,sneaky; furtive -鬼鬼祟祟,guǐ guǐ suì suì,sneaky; secretive; furtive -鬼魂,guǐ hún,ghost -鬼魅,guǐ mèi,demon; evil spirit -鬼魔,guǐ mó,demon -鬼鸮,guǐ xiāo,(bird species of China) boreal owl (Aegolius funereus) -魁,kuí,chief; head; outstanding; exceptional; stalwart -魁伟,kuí wěi,tall and big; stalwart -魁元,kuí yuán,brightest and best; chief; first among peers -魁北克,kuí běi kè,"Quebec province, Canada" -魁北克市,kuí běi kè shì,"Quebec city, capital of Quebec province of Canada" -魁星,kuí xīng,"stars of the Big Dipper that constitute the rectangular body of the dipper; Kuixing, Daoist God of fate" -魁星阁,kuí xīng gé,"temple to Kuixing, Daoist God of fate" -魁梧,kuí wú,tall and sturdy -魁蚶,kuí hān,arc clam (Arca inflata) -魁首,kuí shǒu,chief; first; brightest and best -魂,hún,soul; spirit; immortal soul (that can be detached from the body) -魂不守舍,hún bù shǒu shè,to be preoccupied (idiom); to be inattentive; to be frightened out of one's mind -魂不附体,hún bù fù tǐ,lit. body and soul separated (idiom); fig. scared out of one's wits; beside oneself -魂牵梦萦,hún qiān mèng yíng,to miss very much; to yearn for -魂牵梦绕,hún qiān mèng rào,to be captivated; to wonder; enchanting -魂灵,hún líng,soul; mind; idea -魂飞魄散,hún fēi pò sàn,lit. the soul flies away and scatters (idiom); fig. to be frightened stiff; spooked out of one's mind; terror-stricken -魂魄,hún pò,soul -魃,bá,drought demon -魄,pò,soul; mortal soul (i.e. attached to the body) -魄力,pò lì,courage; daring; boldness; resolution; drive -魅,mèi,demon; magic; to charm -魅力,mèi lì,charm; fascination; glamor; charisma -魅力四射,mèi lì sì shè,glamorous; charming; seductive -魅影,mèi yǐng,phantom (esp. of Western fantasy) -魅惑,mèi huò,to bewitch; to captivate -魆,xū,dim; dark; sudden; surreptitious; Taiwan pr. [xu4] -魆魆,xū xū,secretly; surreptitiously -魈,xiāo,used in 山魈[shan1 xiao1] -魍,wǎng,used in 魍魎|魍魉[wang3liang3] -魍魉,wǎng liǎng,sprites and goblins; monsters and demons -魍魉鬼怪,wǎng liǎng guǐ guài,malevolent spirits -魉,liǎng,used in 魍魎|魍魉[wang3liang3] -魏,wèi,"surname Wei; name of a vassal state of the Zhou dynasty from 661 BC in Shanxi, one of the Seven Hero Warring States; Wei state, founded by Cao Cao 曹操[Cao2 Cao1], one of the Three Kingdoms after the Han dynasty; the Wei dynasty 221-265; Wei Prefecture or Wei County at various times in history" -魏,wèi,tower over a palace gateway (old) -魏京生,wèi jīng shēng,"Wei Jingsheng (1950-), Beijing-based Chinese dissident, imprisoned 1978-1993 and 1995-1997, released to the US in 1997" -魏伯阳,wèi bó yáng,"Wei Boyang (c. 100-170), Chinese author and alchemist" -魏国,wèi guó,"Wei State (407-225 BC), one of the Seven Hero States of the Warring States 戰國七雄|战国七雄; Wei State or Cao Wei 曹魏 (220-265), the most powerful of the Three Kingdoms" -魏巍,wèi wēi,"Wei Wei (1920-2008), novelist and poet, author of award-winning novel The East 東方|东方 about the Korean war" -魏征,wèi zhēng,"Wei Zheng (580-643), Tang politician and historian, notorious as a critic, editor of History of the Sui Dynasty 隋書|隋书" -魏德迈,wèi dé mài,"Wedemeyer (name); Albert Coady Wedemeyer (1897-1989), US Army commander" -魏忠贤,wèi zhōng xián,"Wei Zhongxian (1568-1627), infamous eunuch politician of late Ming" -魏收,wèi shōu,"Wei Shou (506-572), writer and historian of Northern dynasty Qi 北齊|北齐[Bei3 Qi2], compiler of History of Wei of the Northern dynasties 魏書|魏书[Wei4 shu1]" -魏文帝,wèi wén dì,"Cao Pi 曹丕, emperor of Wei 220-226" -魏晋,wèi jìn,Wei (220-265) and Jin (265-420) dynasties -魏晋南北朝,wèi jìn nán běi cháo,"Wei, Jin and North-South dynasties; generic term for historic period 220-589 between Han and Sui" -魏书,wèi shū,"History of Wei of the Northern Dynasties, tenth of the 24 dynastic histories 二十四史[Er4 shi2 si4 Shi3], compiled by Wei Shou 魏收[Wei4 Shou1] in 554 during Northern Qi Dynasty 北齊|北齐[Bei3 Qi2], 114 scrolls" -魏格纳,wèi gé nà,"Alfred Wegener (1880-1930), German meteorologist and geophysicist, the originator of the theory of continental drift" -魏源,wèi yuán,"Wei Yuan (1794-1857), Qing dynasty thinker, historian and scholar" -魏玛,wèi mǎ,Weimar -魏县,wèi xiàn,"Wei county in Handan 邯鄲|邯郸[Han2 dan1], Hebei" -魏都,wèi dū,"Weidu district of Xuchang city 許昌市|许昌市[Xu3 chang1 shi4], Henan" -魏都区,wèi dū qū,"Weidu district of Xuchang city 許昌市|许昌市[Xu3 chang1 shi4], Henan" -魑,chī,used in 魑魅[chi1mei4] -魑魅,chī mèi,spirits and devils (usually harmful); demons -魑魅魍魉,chī mèi wǎng liǎng,(idiom) all kinds of malevolent or mischievous spirits -魔,mó,(bound form) evil spirit; devil; (prefix) supernatural; magical -魔像,mó xiàng,golem -魔力,mó lì,magic; magic power -魔咒,mó zhòu,(magical) spell; curse -魔女,mó nǚ,witch; sorceress; enchantress -魔宫,mó gōng,lit. devils' castle; place occupied by sinister forces -魔宫传奇,mó gōng chuán qí,"The Name of the Rose, 1986 movie based on the novel by Umberto Eco" -魔幻,mó huàn,magical; magic; illusion -魔影,mó yǐng,(fig.) specter -魔怔,mó zhēng,crazed; possessed; bewitched -魔性,mó xìng,(neologism c. 2014) irresistibly quirky; compelling in its wackiness -魔怪,mó guài,demons and ghosts; ghouls and bogies -魔戒,mó jiè,The Lord of the Rings by J.R.R. Tolkien 托爾金|托尔金[Tuo1 er3 jin1] -魔掌,mó zhǎng,the power of sb or sth evil; the clutches (of a bad person etc) -魔改,mó gǎi,(slang) to modify in a fantastical way; to modify heavily -魔方,mó fāng,Rubik's cube; magic cube -魔杖,mó zhàng,magic wand -魔棒,mó bàng,magic wand -魔法,mó fǎ,enchantment; magic -魔法师,mó fǎ shī,magician; wizard; sorcerer -魔爪,mó zhǎo,Monster (energy drink) -魔爪,mó zhǎo,evil clutches; claws -魔兽世界,mó shòu shì jiè,World of Warcraft (video game) -魔王,mó wáng,devil king; evil person -魔王撒旦,mó wáng sā dàn,"Satan, Devil king" -魔窟,mó kū,lit. nest of devils; place occupied by sinister forces -魔羯座,mó jié zuò,Capricorn (constellation and sign of the zodiac) -魔芋,mó yù,see 蒟蒻[ju3 ruo4] -魔术,mó shù,magic -魔术师,mó shù shī,magician -魔术方块,mó shù fāng kuài,Rubik's cube; magic cube -魔术棒,mó shù bàng,magic wand -魔术贴,mó shù tiē,velcro -魔都,mó dū,"Modu, nickname for Shanghai" -魔障,mó zhàng,Mara (the demon of temptation) -魔难,mó nàn,variant of 磨難|磨难[mo2 nan4] -魔头,mó tóu,monster; devil -魔鬼,mó guǐ,devil -魔鬼岛,mó guǐ dǎo,"Devil's Island in French Guiana, a former penal colony (1852-1953)" -魔鬼毡,mó guǐ zhān,(Tw) Velcro fastener; touch fastener -魔鬼粘,mó guǐ zhān,(Tw) Velcro fastener; touch fastener -魖,xū,used in 黑魖魖[hei1 xu1 xu1] -魇,yǎn,to have a nightmare -魇寐,yǎn mèi,to have a nightmare -鱼,yú,surname Yu -鱼,yú,"fish; CL:條|条[tiao2],尾[wei3]" -鱼丸,yú wán,fish ball -鱼干女,yú gān nǚ,see 乾物女|干物女[gan1 wu4 nu:3] -鱼具,yú jù,variant of 漁具|渔具[yu2 ju4] -鱼刺,yú cì,fishbone -鱼叉,yú chā,harpoon -鱼台,yú tái,"Yutai County in Jining 濟寧|济宁[Ji3 ning2], Shandong" -鱼台县,yú tái xiàn,"Yutai County in Jining 濟寧|济宁[Ji3 ning2], Shandong" -鱼嘴鞋,yú zuǐ xié,open-toed shoe; peep-toe -鱼塘,yú táng,fishpond -鱼夫,yú fū,fisher; fisherman -鱼子,yú zǐ,fish eggs; roe; caviar -鱼子酱,yú zǐ jiàng,caviar -鱼尾,yú wěi,fishtail -鱼尾板,yú wěi bǎn,fishplate (in railway engineering) -鱼尾纹,yú wěi wén,wrinkles of the skin; crow's feet -鱼峰,yú fēng,"Yufeng district of Liuzhou city 柳州市[Liu3 zhou1 shi4], Guangxi" -鱼峰区,yú fēng qū,"Yufeng district of Liuzhou city 柳州市[Liu3 zhou1 shi4], Guangxi" -鱼排,yú pái,fish steak -鱼死网破,yú sǐ wǎng pò,lit. either the fish dies or the net splits; a life and death struggle (idiom) -鱼水,yú shuǐ,fish and water (metaphor for an intimate relationship or inseparability) -鱼水之欢,yú shuǐ zhī huān,the pleasure of close intimacy in a couple (idiom); sexual intercourse -鱼水情,yú shuǐ qíng,close relationship as between fish and water -鱼汛,yú xùn,variant of 漁汛|渔汛[yu2 xun4] -鱼汛期,yú xùn qī,variant of 漁汛期|渔汛期[yu2 xun4 qi1] -鱼池,yú chí,"Yuchi or Yuchih Township in Nantou County 南投縣|南投县[Nan2 tou2 Xian4], central Taiwan" -鱼池,yú chí,fishpond -鱼池乡,yú chí xiāng,"Yuchi or Yuchih Township in Nantou County 南投縣|南投县[Nan2 tou2 Xian4], central Taiwan" -鱼沉雁杳,yú chén yàn yǎo,"lit. the fish swam away into the depths, the goose vanished in the distance (idiom); fig. to have had no news (of sb who went away); to have lost contact" -鱼津,yú jīn,bubbles (literary) -鱼漂,yú piāo,fishing float -鱼浆,yú jiāng,surimi -鱼片,yú piàn,fish fillet; slice of fish meat -鱼狗,yú gǒu,kingfisher -鱼生,yú shēng,sliced raw fish -鱼目混珠,yú mù hùn zhū,to pass off fish eyes for pearls; to pass off fake products as genuine (idiom) -鱼种,yú zhǒng,fingerling -鱼竿,yú gān,fishing rod -鱼米之乡,yú mǐ zhī xiāng,(lit.) land of fish and rice; (fig.) fertile region; land of milk and honey -鱼粉,yú fěn,fish meal -鱼糜,yú mí,surimi -鱼网,yú wǎng,variant of 漁網|渔网[yu2 wang3] -鱼缸,yú gāng,fish tank; fishbowl; aquarium -鱼群,yú qún,shoal of fish -鱼翅,yú chì,shark fin -鱼翅汤,yú chì tāng,shark fin soup -鱼翅瓜,yú chì guā,spaghetti squash (Cucurbita pepo) -鱼肉,yú ròu,flesh of fish; fish and meat; (fig.) victims of oppression; (fig.) to cruelly oppress (i.e. to treat like flesh to be carved up) -鱼肉百姓,yú ròu bǎi xìng,to prey on the people -鱼肚,yú dǔ,fish maw; a food dish made from the swim bladder of fish -鱼肚白,yú dù bái,fish-belly white (used to describe the dingy light of the dawn sky) -鱼肝油,yú gān yóu,cod liver oil -鱼腥草,yú xīng cǎo,chameleon plant; fish mint (Houttuynia cordata) -鱼腩,yú nǎn,meaty flesh from the underbelly of the carp -鱼与熊掌,yú yǔ xióng zhǎng,"lit. the fish and the bear's paw, you can't have both at the same time (idiom, from Mencius); fig. you must choose one or the other; you can't always get everything you want; you can't have your cake and eat it" -鱼与熊掌不可兼得,yú yǔ xióng zhǎng bù kě jiān dé,"lit. the fish and the bear's paw, you can't have both at the same time (idiom, from Mencius); fig. you must choose one or the other; you can't always get everything you want; you can't have your cake and eat it" -鱼船,yú chuán,fishing boat; same as 漁船|渔船 -鱼舱,yú cāng,the fish hold (of a fishing vessel) -鱼花,yú huā,fry; newly hatched fish -鱼苗,yú miáo,fry; newly hatched fish -鱼薯,yú shǔ,fish and chips (abbr. for 炸魚薯條|炸鱼薯条[zha2 yu2 shu3 tiao2]) -鱼蛋,yú dàn,fish ball -鱼虫,yú chóng,water flea (small crustacean of genus Daphnia) -鱼贩,yú fàn,fishmonger -鱼贯,yú guàn,one after the other; in single file -鱼贯而入,yú guàn ér rù,to walk in in a line -鱼贯而出,yú guàn ér chū,to file out; to walk out in a line -鱼钩,yú gōu,fishhook -鱼钩儿,yú gōu er,erhua variant of 魚鉤|鱼钩[yu2 gou1] -鱼雷,yú léi,torpedo -鱼雷艇,yú léi tǐng,torpedo boat -鱼露,yú lù,fish sauce -鱼头,yú tóu,fish head; fig. upright and unwilling to compromise -鱼类,yú lèi,fishes -鱼类学,yú lèi xué,ichthyology -鱼饼,yú bǐng,fishcake -鱼饵,yú ěr,fish bait -鱼香,yú xiāng,"yuxiang, a seasoning of Chinese cuisine that typically contains garlic, scallions, ginger, sugar, salt, chili peppers etc (Although ""yuxiang"" literally means ""fish fragrance"", it contains no seafood.)" -鱼香肉丝,yú xiāng ròu sī,pork strips stir-fried with yuxiang 魚香|鱼香[yu2 xiang1] -鱼骨,yú gǔ,fish bone -鱼松,yú sōng,fish floss; crisp and flaky shredded dried fish -鱼鳍,yú qí,fin -鱼鳔,yú biào,swim bladder -鱼鳞,yú lín,fish scales -鱼鹰,yú yīng,name used for many fishing birds; cormorant; osprey -鱼丽,yú lì,"""fish"" battle formation in ancient times: chariots in front, infantry behind; The Fish Enter the Trap (title of Ode 170 in the Shijing)" -鱼丽阵,yú lì zhèn,(archaic) formation of infantrymen led by chariots -鱼鼓,yú gǔ,percussion instrument in the form of a bamboo fish (traditionally used by Daoist priests) -鱼龙,yú lóng,ichthyosaur -鱼龙混杂,yú lóng hùn zá,lit. fish and dragons mixed in together (idiom); fig. crooks mixed in with the honest folk -魠,tuō,used in 土魠魚|土魠鱼[tu3 tuo1 yu2] -鲁,lǔ,"surname Lu; Lu, an ancient state of China 魯國|鲁国[Lu3guo2]; Lu, short name for Shandong 山東|山东[Shan1dong1]" -鲁,lǔ,"(bound form) crass; stupid; rude; (used to represent the sounds of ""ru"", ""lu"" etc in loanwords)" -鲁人,lǔ rén,person from Shandong; often refers to Confucius; stupid person -鲁佛尔宫,lǔ fú ěr gōng,the Louvre -鲁凯族,lǔ kǎi zú,"Rukai, one of the indigenous peoples of Taiwan" -鲁史,lǔ shǐ,History of Kingdom Lu; refers to the Spring and Autumn Annals 春秋 -鲁君,lǔ jūn,the lord of Lu (who declined to employ Confucius) -鲁国,lǔ guó,"Lu, vassal state at the time of the Zhou Dynasty 周朝|周朝[Zhou1 chao2], located in the southwest of present-day Shandong 山東|山东[Shan1 dong1], birthplace of Confucius" -鲁国人,lǔ guó rén,person from Shandong; often refers to Confucius -鲁子敬,lǔ zǐ jìng,"Lu Zijing or Lu Su 魯肅|鲁肃 (172-217), statesman, diplomat and strategist of Eastern Wu 東吳|东吴" -鲁山,lǔ shān,"Lushan county in Pingdingshan 平頂山|平顶山[Ping2 ding3 shan1], Henan" -鲁山县,lǔ shān xiàn,"Lushan county in Pingdingshan 平頂山|平顶山[Ping2 ding3 shan1], Henan" -鲁德维格,lǔ dé wéi gé,Ludwig (name); Ludovic (name) -鲁昂,lǔ áng,Rouen (France) -鲁棒,lǔ bàng,robust (loanword); solid -鲁棒性,lǔ bàng xìng,robustness -鲁汶,lǔ wèn,Leuven (a town in Belgium famous for its university) -鲁尔区,lǔ ěr qū,"the Ruhr, region in Germany" -鲁尔河,lǔ ěr hé,"Ruhr River, a tributary of the Rhine in Germany" -鲁特啤酒,lǔ tè pí jiǔ,root beer -鲁特琴,lǔ tè qín,lute (loanword) -鲁班,lǔ bān,"Lu Ban, legendary master craftsman, called the father of Chinese carpentry" -鲁甸,lǔ diàn,"Ludian county in Zhaotong 昭通[Zhao1 tong1], Yunnan" -鲁甸县,lǔ diàn xiàn,"Ludian county in Zhaotong 昭通[Zhao1 tong1], Yunnan" -鲁毕克方块,lǔ bì kè fāng kuài,Rubik's cube; magic cube -鲁米诺,lǔ mǐ nuò,luminol (chemistry) (loanword) -鲁肃,lǔ sù,"Lu Su or Lu Zijing 魯子敬|鲁子敬 (172-217), statesman, diplomat and strategist of Eastern Wu 東吳|东吴" -鲁莽,lǔ mǎng,hot-headed; impulsive; reckless -鲁菜,lǔ cài,Shandong cuisine -鲁蛇,lǔ shé,(slang) loser (loanword) (Tw) -鲁宾,lǔ bīn,"Rubin (name); Robert E. Rubin (1938-), US Treasury Secretary 1995-1999 under President Clinton" -鲁迅,lǔ xùn,"Lu Xun (1881-1936), one of the earliest and best-known modern Chinese writers" -鲁钝,lǔ dùn,stupid; slow on the uptake -鲂,fáng,bream; Zeus japanicus -鱿,yóu,cuttlefish -鱿鱼,yóu yú,squid -鲅,bà,(bound form) Spanish mackerel -鲅鱼,bà yú,Japanese Spanish mackerel (Scomberomorus niphonius) -鲅鱼圈,bà yú quān,"Bayuquan District of Yingkou City 營口市|营口市[Ying2 kou3 shi4], Liaoning" -鲅鱼圈区,bà yú quān qū,"Bayuquan district of Yingkou City 營口市|营口市, Liaoning" -鲆,píng,family of flatfish; sole -鲧,gǔn,variant of 鯀|鲧[Gun3] -鲇,nián,sheatfish (Parasilurus asotus); oriental catfish; see also 鯰|鲶[nian2] -鲐,tái,mackerel; Pacific mackerel (Pneumatophorus japonicus) -鲍,bào,surname Bao -鲍,bào,abalone -鲍威尔,bào wēi ěr,Powell (name) -鲍德里亚,bào dé lǐ yà,"Jean Baudrillard (1929-2007), French cultural theorist and philosopher" -鲍狄埃,bào dí āi,"Eugène Edine Pottier (1816-1887), French revolutionary socialist and poet" -鲍罗丁,bào luó dīng,"Borodin (name); Alexander Borodin (1833-1887), Russian chemist and composer" -鲍罗廷,bào luó tíng,"Borodin (name); Alexander Porfirevich Borodin (1833-1887), Russian chemist and composer" -鲍耶,bào yē,"János Bolyai (1802-1860), one of the discoverers of non-Euclidean geometry" -鲍鱼,bào yú,abalone -鲋,fù,silver carp -鲒,jié,oyster -鲕,ér,caviar; fish roe -鮨,qí,sushi; grouper (Portuguese: garoupa); Epinephelus septemfasciatus -鮨科,qí kē,the grouper family; Serranidae (fish family including Epinephelinae or grouper 石斑魚|石斑鱼) -鲔,wěi,little tuna; Euthynnus alletteratus -鲔鱼,wěi yú,(Tw) tuna -鲔鱼肚,wěi yú dù,(cuisine) tuna belly; (Tw) (fig.) (coll.) potbelly; paunch -鲛,jiāo,(bound form) shark -鲛人,jiāo rén,fish-like person in Chinese folklore whose tears turn into pearls -鲛鱼,jiāo yú,(archaic) shark -鲑,guī,trout; salmon -鲑鱼,guī yú,salmon; trout -鲜,xiān,fresh; bright (in color); delicious; tasty; delicacy; aquatic foods -鲜,xiǎn,few; rare -鲜亮,xiān liang,bright (color); vivid -鲜卑,xiān bēi,"Xianbei or Xianbi, group of northern nomadic peoples" -鲜卑族,xiān bēi zú,"Xianbei or Xianbi, historic ethnic group of northern nomads" -鲜味,xiān wèi,"umami, one of the five basic tastes (cookery)" -鲜啤酒,xiān pí jiǔ,draft beer; unpasteurized beer -鲜奶,xiān nǎi,fresh milk -鲜奶油,xiān nǎi yóu,cream; whipped cream -鲜少,xiǎn shǎo,very few; rarely -鲜明,xiān míng,(of colors) bright; fresh and clear; clear-cut; distinct -鲜明个性,xiān míng gè xìng,individuality; clear-cut personality -鲜橙多,xiān chéng duō,"Xianchengduo, Chinese brand of orange-flavored soft drink" -鲜活,xiān huó,vivid; lively; (of food ingredients) live or fresh -鲜活货物,xiān huó huò wù,live cargo -鲜为人知,xiǎn wéi rén zhī,rarely known to anyone (idiom); almost unknown; secret to all but a few -鲜烈,xiān liè,fresh and intense; vivid -鲜红,xiān hóng,scarlet; bright red -鲜美,xiān měi,delicious; tasty -鲜艳,xiān yàn,bright-colored; gaily-colored -鲜花,xiān huā,flower; fresh flowers; CL:朵[duo3] -鲜花插在牛粪上,xiān huā chā zài niú fèn shàng,lit. a bunch of flowers poked into a pile of manure; fig. a terrible shame (as when a lovely woman marries an odious man) -鲜菜,xiān cài,fresh vegetable -鲜血,xiān xuè,blood -鲜血淋漓,xiān xuè lín lí,to be drenched with blood; dripping blood -鲜货,xiān huò,produce; fresh fruits and vegetables; fresh aquatic food; fresh herbs -鲧,gǔn,"Gun, mythical father of Yu the Great 大禹[Da4 Yu3]" -鲠,gěng,to choke on a piece of food; (literary) a fish bone lodged in one's throat -鲠喉,gěng hóu,to choke on a piece of food etc -鲠直,gěng zhí,variant of 耿直[geng3 zhi2] -鲩,huàn,grass carp -鲤,lǐ,carp -鲤城,lǐ chéng,"Licheng, a district of Quanzhou City 泉州市[Quan2zhou1 Shi4], Fujian" -鲤城区,lǐ chéng qū,"Licheng, a district of Quanzhou City 泉州市[Quan2zhou1 Shi4], Fujian" -鲤鱼,lǐ yú,carp -鲤鱼旗,lǐ yú qí,"koinobori, a Japanese carp-shaped windsock flown to celebrate Children's Day" -鲤鱼跳龙门,lǐ yú tiào lóng mén,to make a significant advance in one's career (idiom); to get one's big break -鲨,shā,shark -鲨鱼,shā yú,shark -鲻,zī,mullet -鲻鱼,zī yú,flathead grey mullet (Mugil cephalus) -鲻鱼头,zī yú tóu,mullet (hairstyle) -鲯,qí,mahi-mahi (Coryphaena hippurus); dorado -鲯鳅,qí qiū,mahi-mahi (Coryphaena hippurus); dorado -鲭,qīng,mackerel -鲭,zhēng,(literary) boiled stew of fish and meat -鲭鱼,qīng yú,mackerel -鲞,xiǎng,dried fish -鲞鱼,xiǎng yú,dried fish -鲷,diāo,porgy; pagrus major -鲷鱼,diāo yú,porgy; sea bream (family Sparidae); (Tw) tilapia -鲷鱼烧,diāo yú shāo,"taiyaki, Japanese-style waffle made with a fish-shaped mold, typically filled with a sweet bean paste" -鲴,gù,"Xenocypris, genus of cyprinid fish found in eastern Asia" -鲱,fēi,Pacific herring -鲱鱼,fēi yú,herring -鲵,ní,Cryptobranchus japonicus; salamander -鲲,kūn,fry (newly hatched fish); legendary giant fish that could transform into a giant bird 鵬|鹏[Peng2] -鲲鹏,kūn péng,"kun 鯤|鲲[kun1] and peng 鵬|鹏[Peng2], mythological beasts; peng, a gigantic bird transformed from the kun" -鲲鹏展翅,kūn péng zhǎn chì,lit. the giant Peng bird spreads its wings and begins to fly; displaying awesome power and momentum at the outset; to have the world at one's feet -鲳,chāng,see 鯧魚|鲳鱼[chang1 yu2] -鲳鱼,chāng yú,silvery pomfret; butterfish -鲸,jīng,whale -鲸波,jīng bō,huge wave or breaker -鲸目,jīng mù,Cetacea (whale family) -鲸豚,jīng tún,cetacean -鲸头鹳,jīng tóu guàn,shoebill stork (Balaeniceps rex) -鲸鱼,jīng yú,whale; CL:條|条[tiao2] -鲸鱼座,jīng yú zuò,Cetus (constellation) -鲸鲨,jīng shā,whale shark -鲮,líng,mud carp (Cirrhina molitorella) -鲮鱼,líng yú,see 鯪|鲮[ling2] -鲮鲤,líng lǐ,pangolin (Manis pentadactylata); scaly ant-eater -鲮鲤甲,líng lǐ jiǎ,pangolin (Manis pentadactylata); scaly ant-eater -鲮鲤科,líng lǐ kē,the pangolin family -鲰,zōu,surname Zou -鲰,zōu,minnows; small fish -鲶,nián,sheatfish (Parasilurus asotus); oriental catfish; see also 鮎|鲇[nian2] -鲶鱼,nián yú,catfish -鳀,tí,anchovy -鳀鱼,tí yú,anchovy -鲫,jì,bastard carp; sand perch -鲫鱼,jì yú,crucian carp -鳊,biān,bream -鳊鱼,biān yú,white Amur bream (Parabramis pekinensis) -鲗,zéi,cuttlefish -鲗鱼涌,zéi yú chōng,Quarry Bay (area in Hong Kong) -鲽,dié,flatfish; flounder; sole -鲽片,dié piàn,filleted plaice -鲽鱼,dié yú,flounder; plaice -鲽鲛,dié jiāo,sturgeon -鲽鹣,dié jiān,harmonious and affectionate couple -鳇,huáng,sturgeon -鳅,qiū,loach -鳄,è,variant of 鱷|鳄[e4] -鳆,fù,Haliotis gigantea; sea ear -鳃,sāi,gills of fish -鳃弓,sāi gōng,visceral arch (gill-bearing arch or its vestigial crease on sides of neck of vertebrates) -鳃裂,sāi liè,gill slit (in fish) -鳑,páng,used in 鰟鮍|鳑鲏[pang2pi2] -鲥,shí,shad; Ilisha elongata -鲥鱼,shí yú,Reeves shad (Tenualosa reevesii) -鳏,guān,widower -鳏夫,guān fū,old wifeless man; bachelor; widower -鳏寡孤独,guān guǎ gū dú,"lit. widowers, widows, orphans and the childless; fig. people with no one left to rely on" -鳏居,guān jū,to live as a widower -鳎,tǎ,sole (fish) -鳐,yáo,skate (cartilaginous fish belonging to the family Rajidae); ray (fish) -鳍,qí,fin -鳍状肢,qí zhuàng zhī,flipper -鲢,lián,Hypophthalmichthys moritrix -鲢鱼,lián yú,silver carp -鳌,áo,mythological sea turtle -鳌抃,áo biàn,to clap and dance with joy -鳌背负山,áo bèi fù shān,debt as heavy as a mountain on a turtle's back -鳓,lè,Chinese herring (Ilisha elongata); white herring; slender shad -鳘,mǐn,cod -鲦,tiáo,"Korean sharpbelly (fish, Hemiculter leucisculus); chub" -鲣,jiān,bonito -鳗,mán,eel (Anguilla japonica) -鳗鱼,mán yú,eel -鳗鲡,mán lí,eel; Japanese freshwater eel (Anguilla japonica) -鳔,biào,swim bladder; air bladder of fish -鳔胶,biào jiāo,isinglass; fish glue -鱄,zhuān,surname Zhuan -鱄,zhuān,"fish (meaning variable: mackerel, anchovy, fresh-water fish)" -鳙,yōng,see 鱅魚|鳙鱼[yong1 yu2] -鳙鱼,yōng yú,bighead carp; Hypophthalmichthys nobilis -鳕,xuě,codfish; Gadus macrocephalus -鳕鱼,xuě yú,cod -鳖,biē,freshwater soft-shelled turtle -鳖甲,biē jiǎ,turtle shell -鳖裙,biē qún,calipash -鳟,zūn,trout; barbel; Taiwan pr. [zun4] -鳟鱼,zūn yú,trout -鳝,shàn,variant of 鱔|鳝[shan4] -鳝,shàn,Chinese yellow eel -鳝鱼,shàn yú,eel -鳜,guì,mandarin fish; Chinese perch (Siniperca chuatsi) -鳜鱼,guì yú,mandarin fish; Chinese perch (Siniperca chuatsi) -鳞,lín,scales (of fish) -鳞伤,lín shāng,cuts and bruises like fish scales; terribly cut up -鳞喉绿啄木鸟,lín hóu lǜ zhuó mù niǎo,(bird species of China) streak-throated woodpecker (Picus xanthopygaeus) -鳞次栉比,lín cì zhì bǐ,row upon row -鳞片,lín piàn,"scale (of fish, reptiles etc)" -鳞状,lín zhuàng,scaly; squamous -鳞状细胞癌,lín zhuàng xì bāo ái,squamous cell carcinoma -鳞甲,lín jiǎ,scale; plate of armor -鳞翅,lín chì,scaly wing; Lepidoptera (insect order including butterflies 蝶類|蝶类 and moths 蛾類|蛾类) -鳞翅目,lín chì mù,Lepidoptera (insect order including butterflies 蝶類|蝶类 and moths 蛾類|蛾类) -鳞胸鹪鹛,lín xiōng jiāo méi,(bird species of China) scaly-breasted wren-babbler (Pnoepyga albiventer) -鳞腹绿啄木鸟,lín fù lǜ zhuó mù niǎo,(bird species of China) scaly-bellied woodpecker (Picus squamatus) -鳞茎,lín jīng,bulb -鳞头树莺,lín tóu shù yīng,(bird species of China) Asian stubtail (Urosphena squameiceps) -鲟,xún,sturgeon; Acipenser sturio -鲟鱼,xún yú,sturgeon -鲼,fèn,any ray (fish) variety of Myliobatiformes order -鲎,hòu,horseshoe crab -鲎鱼,hòu yú,horseshoe crab (Tachypleus tridentatus) -鲙,kuài,used in 鱠魚|鲙鱼[kuai4 yu2]; minced or diced fish (variant of 膾|脍[kuai4]) -鲙鱼,kuài yú,Chinese herring (Ilisha elongata) -鳣,shàn,see 鱔|鳝[shan4] -鳣,zhān,sturgeon (old); Acipenser micadoi -鱥,guì,minnow -鳢,lǐ,snakefish; snakehead mullet -鳢鱼,lǐ yú,blotched snakehead (Channa maculata) -鲚,jì,Coilia nasus -鳄,è,(bound form) alligator; crocodile -鳄梨,è lí,avocado (Persea americana) -鳄蜥,è xī,Chinese crocodile lizard (Shinisaurus crocodilurus) -鳄鱼,è yú,alligator; crocodile (CL:條|条[tiao2]) -鳄鱼夹,è yú jiā,crocodile clip; spring clip -鳄鱼眼泪,è yú yǎn lèi,crocodile tears -鳄龙,è lóng,Champsosaurus -鲈,lú,common perch; bass -鲈鱼,lú yú,bass; perch -鲈鳗,lú mán,"(Tw) giant mottled eel (Anguilla marmorata), aka swamp eel or marbled eel; (coll.) (alternative for the nearly homonymous 流氓[liu2 mang2]) gangster" -鲡,lí,eel -鲜,xiān,fish; old variant of 鮮|鲜[xian1] -鲜,xiǎn,old variant of 鮮|鲜[xian3] -鸟,diǎo,variant of 屌[diao3]; penis -鸟,niǎo,"bird; CL:隻|只[zhi1],群[qun2]; ""bird"" radical in Chinese characters (Kangxi radical 196); (dialect) to pay attention to; (intensifier) damned; goddamn" -鸟不生蛋,niǎo bù shēng dàn,deserted (of a place) -鸟事,niǎo shì,damn thing; (not one's) goddamn business -鸟人,diǎo rén,(vulgar) damned wretch; fucker; also pr. [niao3 ren2] -鸟儿,niǎo er,bird -鸟叔,niǎo shū,nickname of Korean singer PSY -鸟嘌呤,niǎo piào lìng,"guanine nucleotide (G, pairs with cytosine C 胞嘧啶 in DNA and RNA)" -鸟嘴,niǎo zuǐ,beak -鸟尾蛤,niǎo wěi gé,cockle (mollusk of the family Cardiidae) -鸟居,niǎo jū,"torii (gateway of a Shinto shrine) (orthographic borrowing from Japanese 鳥居 ""torii"")" -鸟屋,niǎo wū,birdhouse -鸟巢,niǎo cháo,bird's nest; nickname for Beijing 2008 Olympic stadium -鸟击,niǎo jī,bird strike (aviation) -鸟松,niǎo sōng,"Niaosong or Niaosung township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -鸟松乡,niǎo sōng xiāng,"Niaosong or Niaosung township in Kaohsiung county 高雄縣|高雄县[Gao1 xiong2 xian4], southwest Taiwan" -鸟枪,niǎo qiāng,flintlock musket; fowling piece (shotgun); air gun -鸟枪换炮,niǎo qiāng huàn pào,bird shotgun replaced by cannon (idiom); equipment improved enormously -鸟机,niǎo jī,fowling piece (archaic gun) -鸟澡盆,niǎo zǎo pén,birdbath -鸟兽,niǎo shòu,birds and beasts; fauna -鸟兽散,niǎo shòu sàn,to scatter like birds and beasts -鸟疫,niǎo yì,ornithosis -鸟疫衣原体,niǎo yì yī yuán tǐ,Chlamydia ornithosis -鸟尽弓藏,niǎo jìn gōng cáng,"lit. the birds are over, the bow is put away (idiom); fig. to get rid of sb once he has served his purpose" -鸟眼,niǎo yǎn,bird's eye -鸟眼纹,niǎo yǎn wén,bird's eye (common company name) -鸟瞰,niǎo kàn,to get a bird's-eye view; bird's-eye view; broad overview -鸟瞰图,niǎo kàn tú,bird's-eye view; see also 俯瞰圖|俯瞰图[fu3 kan4 tu2] -鸟禽,niǎo qín,bird -鸟窝,niǎo wō,bird's nest -鸟篆,niǎo zhuàn,bird characters (a decorated form of the Great Seal) -鸟笼,niǎo lóng,birdcage -鸟粪,niǎo fèn,guano; bird excrement -鸟羽,niǎo yǔ,pinion -鸟胺酸,niǎo àn suān,ornithine -鸟脚下目,niǎo jiǎo xià mù,"Ornithopoda, suborder of herbivorous dinosaurs including iguanodon" -鸟脚亚目,niǎo jiǎo yà mù,Ornithopoda (suborder of herbivorous dinosaurs) -鸟苷酸二钠,niǎo gān suān èr nà,disodium guanylate (E627) -鸟蛤,niǎo gé,cockle (mollusk of the family Cardiidae) -鸟虫书,niǎo chóng shū,"bird writing, a calligraphic style based on seal script 篆書|篆书[zhuan4 shu1], but with characters decorated as birds and insects" -鸟语花香,niǎo yǔ huā xiāng,lit. birdsong and fragrant flowers (idiom); fig. the intoxication of a beautiful spring day -鸟道,niǎo dào,a road only a bird can manage; steep dangerous road -鸟铳,niǎo chòng,bird gun -鸟雀,niǎo què,bird -鸟类,niǎo lèi,birds -鸟类学,niǎo lèi xué,ornithology; study of birds -鸟鸣,niǎo míng,birdsong; warbling -凫,fú,mallard; Anas platyrhyncha -凫水,fú shuǐ,to swim -凫翁,fú wēng,watercock (Gallicrex cinerea) -凫茈,fú cí,see 荸薺|荸荠[bi2 qi2] -鸠,jiū,turtledove; (literary) to gather -鸠合,jiū hé,variant of 糾合|纠合[jiu1 he2] -鸠山,jiū shān,"Hatoyama, Japanese name and place name; Hatoyama Yukio (1947-), Japanese Democratic Party politician, prime minister 2009-2010" -鸠山由纪夫,jiū shān yóu jì fū,"Hatoyama Yukio (1947-), Japanese Democratic Party politician, prime minister 2009-2010" -鸠摩罗什,jiū mó luó shí,"Kumarajiva c. 334-413, Buddhist monk and translator of Zen texts" -鸠江,jiū jiāng,"Jiujiang, a district of Wuhu City 蕪湖市|芜湖市[Wu2hu2 Shi4], Anhui" -鸠江区,jiū jiāng qū,"Jiujiang, a district of Wuhu City 蕪湖市|芜湖市[Wu2hu2 Shi4], Anhui" -鸠集,jiū jí,variant of 糾集|纠集[jiu1 ji2] -鸠鸽,jiū gē,dove -凫,fú,old variant of 鳧|凫[fu2] -凤,fèng,surname Feng -凤,fèng,phoenix -凤仙花,fèng xiān huā,balsam; Balsaminaceae (a flower family including Impatiens balsamina); touch-me-not; busy Lizzie -凤凰,fèng huáng,Fenghuang County in Xiangxi Tujia and Miao Autonomous Prefecture 湘西土家族苗族自治州[Xiang1 xi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1] -凤凰,fèng huáng,phoenix -凤凰古城,fèng huáng gǔ chéng,"Fenghuang Ancient Town, in Fenghuang County, Xiangxi Prefecture, Hunan, added to the UNESCO World Heritage Tentative List in 2008 in the Cultural category" -凤凰城,fèng huáng chéng,"Phoenix, capital of Arizona; also 菲尼克斯[Fei1 ni2 ke4 si1]" -凤凰座,fèng huáng zuò,Phoenix (constellation) -凤凰男,fèng huáng nán,(Internet slang) guy who grew up in the countryside and gained a foothold in the city through hard work -凤凰县,fèng huáng xiàn,Fenghuang County in Xiangxi Tujia and Miao Autonomous Prefecture 湘西土家族苗族自治州[Xiang1 xi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1] -凤凰号,fèng huáng hào,"Phoenix, NASA Mars explorer" -凤台,fèng tái,"Fengtai, a county in Huainan 淮南[Huai2nan2], Anhui" -凤台县,fèng tái xiàn,"Fengtai, a county in Huainan 淮南[Huai2nan2], Anhui" -凤城,fèng chéng,Fengcheng Manzu autonomous county in Liaoning -凤城市,fèng chéng shì,"Fengcheng, county-level city in Dandong 丹東|丹东[Dan1 dong1], Liaoning" -凤尾竹,fèng wěi zhú,"fernleaf bamboo (Bambusa multiplex), species of bamboo native to China, suited to hedging and screening" -凤尾蕨,fèng wěi jué,brake (fern of genus Pteris); (esp.) spider fern (Pteris multifida) -凤尾鱼,fèng wěi yú,anchovy -凤山,fèng shān,"Fengshan county in Hezhou 賀州|贺州[He4 zhou1], Guangxi; Fengshan city in Taiwan" -凤山市,fèng shān shì,Fengshan city in Taiwan -凤山县,fèng shān xiàn,"Fengshan county in Hezhou 賀州|贺州[He4 zhou1], Guangxi" -凤冈,fèng gāng,"Fenggang county in Zunyi 遵義|遵义[Zun1 yi4], Guizhou" -凤冈县,fèng gāng xiàn,"Fenggang county in Zunyi 遵義|遵义[Zun1 yi4], Guizhou" -凤庆,fèng qìng,"Fengqing, a county in Lincang 臨滄|临沧[Lin2cang1], Yunnan" -凤庆县,fèng qìng xiàn,"Fengqing, a county in Lincang 臨滄|临沧[Lin2cang1], Yunnan" -凤林,fèng lín,"Fenglin town in Hualien County 花蓮縣|花莲县[Hua1 lian2 Xian4], east Taiwan" -凤林镇,fèng lín zhèn,"Fenglin town in Hualien County 花蓮縣|花莲县[Hua1 lian2 Xian4], east Taiwan" -凤梨,fèng lí,pineapple -凤梨可乐达,fèng lí kě lè dá,piña colada -凤梨园,fèng lí yuán,pineapple plantation; piña colada -凤梨酥,fèng lí sū,"pineapple cake, traditional Taiwanese sweet pastry" -凤梨释迦,fèng lí shì jiā,"atemoya, hybrid of the cherimoya (Annona cherimola) and the sugar apple (Annona squamosa): a tree grown in tropical regions of the Americas and in Taiwan for its edible fruit" -凤毛麟角,fèng máo lín jiǎo,lit. as rare as phoenix feathers and unicorn horns (idiom); fig. few and far between -凤泉,fèng quán,"Fangquan, a district of Xinxiang 新鄉市|新乡市[Xin1xiang1 Shi4], Henan" -凤泉区,fèng quán qū,"Fangquan, a district of Xinxiang 新鄉市|新乡市[Xin1xiang1 Shi4], Henan" -凤爪,fèng zhǎo,chicken feet (cuisine) -凤眼,fèng yǎn,"elegant, almond-shaped eyes with the inner canthus pointing down and the outer canthus up, like the eye of a phoenix" -凤眼兰,fèng yǎn lán,water hyacinth -凤县,fèng xiàn,"Feng County in Baoji 寶雞|宝鸡[Bao3 ji1], Shaanxi" -凤翔,fèng xiáng,"Fengxiang County in Baoji 寶雞|宝鸡[Bao3 ji1], Shaanxi" -凤翔县,fèng xiáng xiàn,"Fengxiang County in Baoji 寶雞|宝鸡[Bao3 ji1], Shaanxi" -凤蝶,fèng dié,swallowtail butterfly -凤蝶科,fèng dié kē,family Papilionidae (taxonomy) -凤阳,fèng yáng,"Fengyang, a county in Chuzhou 滁州[Chu2zhou1], Anhui" -凤阳县,fèng yáng xiàn,"Fengyang, a county in Chuzhou 滁州[Chu2zhou1], Anhui" -凤头树燕,fèng tóu shù yàn,(bird species of China) crested treeswift (Hemiprocne coronata) -凤头潜鸭,fèng tóu qián yā,(bird species of China) tufted duck (Aythya fuligula) -凤头百灵,fèng tóu bǎi líng,(bird species of China) crested lark (Galerida cristata) -凤头蜂鹰,fèng tóu fēng yīng,(bird species of China) crested honey buzzard (Pernis ptilorhynchus) -凤头雀嘴鹎,fèng tóu què zuǐ bēi,(bird species of China) crested finchbill (Spizixos canifrons) -凤头雀莺,fèng tóu què yīng,(bird species of China) crested tit-warbler (Leptopoecile elegans) -凤头鹰,fèng tóu yīng,(bird species of China) crested goshawk (Accipiter trivirgatus) -凤头鹰雕,fèng tóu yīng diāo,(bird species of China) crested hawk-eagle (Nisaetus cirrhatus) -凤头鹦鹉,fèng tóu yīng wǔ,cockatoo (zoology) -凤头麦鸡,fèng tóu mài jī,(bird species of China) northern lapwing (Vanellus vanellus) -凤体,fèng tǐ,(archaic) empress's body; empress's physical condition -鸣,míng,"to cry (of birds, animals and insects); to make a sound; to voice (one's gratitude, grievance etc)" -鸣不平,míng bù píng,to cry out against injustice; to protest unfairness -鸣冤叫屈,míng yuān jiào qū,to complain bitterly -鸣叫,míng jiào,"to emit a sound; (of birds, insects etc) to chirp, hoot etc; (of a siren, steam whistle etc) to sound" -鸣枪,míng qiāng,to fire warning shots -鸣禽,míng qín,songbird -鸣笛,míng dí,to hoot; to whistle -鸣号,míng hào,to sound the horn; to honk -鸣角鸮,míng jiǎo xiāo,"Screech-owl (genus Megascops, a.k.a. Otus)" -鸣谢,míng xiè,to express gratitude (esp. in public); vote of thanks -鸣金,míng jīn,to beat a gong; to sound the retreat -鸣金收兵,míng jīn shōu bīng,to beat the gong to recall troops (idiom); to order a retreat -鸣金收军,míng jīn shōu jūn,to beat the gong to recall troops (idiom); to order a retreat -鸣钟,míng zhōng,to toll a bell -鸣锣,míng luó,to beat a gong -鸣锣开道,míng luó kāi dào,to beat the gong to clear the way; (fig.) to pave the way for sth -鸣鸟,míng niǎo,songbird -鸣鸠,míng jiū,turtledove -鸢,yuān,kite (small hawk) -鸢尾,yuān wěi,"Iricdaceae, the iris family" -鸢尾花,yuān wěi huā,iris (family Iridaceae) -鴂,jué,"tailorbird (Orthotomus spp.); weaver bird (family Ploceidae); variant of 鴃[jue2], shrike; cuckoo" -鸩,zhèn,legendary bird whose feathers can be used as poison; poisonous; to poison sb -鸩羽,zhèn yǔ,the poisonous feathers of the legendary bird Zhen 鴆|鸩 -鸨,bǎo,Chinese bustard; procuress -鸨母,bǎo mǔ,female brothel keeper; a bawd -雁,yàn,variant of 雁[yan4] -鸦,yā,crow -鸦嘴卷尾,yā zuǐ juǎn wěi,(bird species of China) crow-billed drongo (Dicrurus annectans) -鸦片,yā piàn,opium (loanword) -鸦片战争,yā piàn zhàn zhēng,the Opium Wars of 1840-1842 and 1860-1861 -鸦片枪,yā piàn qiāng,opium pipe -鸦雀无声,yā què wú shēng,lit. crow and peacock make no sound; absolute silence (idiom); not a single voice can be heard; absolute silence -鸰,líng,used in 鶺鴒|鹡鸰[ji2ling2] -鴔,fú,see 鵖鴔[bi1 fu2] -鸵,tuó,ostrich -鸵鸟,tuó niǎo,ostrich -鸵鸟政策,tuó niǎo zhèng cè,"ostrich policy (sticking one's head in the sand, failing to acknowledge danger)" -鸳,yuān,mandarin duck -鸳绮,yuān qǐ,magnificent fabrics -鸳鸯,yuān yāng,(bird species of China) mandarin duck (Aix galericulata); (fig.) affectionate couple; happily married couple -鸳鸯戏水,yuān yāng xì shuǐ,lit. mandarin ducks playing in the water; fig. to make love -鸳鸯浴,yuān yāng yù,taking a bath together as a couple -鸳鸯蝴蝶,yuān yang hú dié,Mandarin ducks and butterfly (i.e. love birds); derogatory reference to populist and romantic writing around 1900 -鸳鸯蝴蝶派,yuān yang hú dié pài,"Mandarin ducks and butterfly (i.e. love birds) literary school around 1900, criticized as populist and romantic by socialist realists" -鸳鸯锅,yuān yang guō,"""mandarin ducks"" pot (hot pot with a divider, containing spicy soup on one side, mild soup on the other)" -鸲,qú,"(bound form, used in the names of various kinds of bird, esp. robins and redstarts)" -鸲岩鹨,qú yán liù,(bird species of China) robin accentor (Prunella rubeculoides) -鸲蝗莺,qú huáng yīng,(bird species of China) Savi's warbler (Locustella luscinioides) -鸲鹆,qú yù,see 八哥[ba1 ge1] -鸮,xiāo,owl (order Strigiformes) -鸮叫,xiāo jiào,(of owls) to hoot or screech -鸮鹦鹉,xiāo yīng wǔ,kakapo (Strigops habroptila); owl parrot -鸱,chī,scops owl -鸱枭,chī xiāo,variant of 鴟鴞|鸱鸮[chi1 xiao1] -鸱甍,chī méng,a kind of ornament on the roof ridge -鸱鸮,chī xiāo,owl -鸪,gū,partridge; Francolinus chinensis -鸯,yāng,mandarin duck -鸭,yā,duck (CL:隻|只[zhi1]); (slang) male prostitute -鸭仔蛋,yā zǐ dàn,"balut (boiled duck egg with a partly-developed embryo, which is eaten from the shell)" -鸭嘴兽,yā zuǐ shòu,platypus -鸭嘴龙,yā zuǐ lóng,hadrosaur (duck-billed dinosaur) -鸭子,yā zi,duck; male prostitute (slang) -鸭子儿,yā zǐ er,(coll.) duck's egg -鸭掌,yā zhǎng,duck feet (claws) -鸭梨,yā lí,Chinese white pear (Pyrus × bretschneideri) -鸭绿江,yā lù jiāng,"Yalu River, forming part of the China-Korea border" -鸭舌帽,yā shé mào,peaked cap -鸭蛋青,yā dàn qīng,pale blue -鸭霸,yā bà,(Tw) unreasonable; overbearing; with no regard for others -鸸,ér,used in 鴯鶓|鸸鹋[er2miao2] -鸸鹋,ér miáo,emu -鸹,guā,used in 老鴰|老鸹[lao3gua5] -鸻,héng,plover -鸻科,héng kē,Charadriidae (plover family) -鸿,hóng,eastern bean goose; great; large -鸿图,hóng tú,variant of 宏圖|宏图[hong2 tu2] -鸿图大计,hóng tú dà jì,important large scale project -鸿毛泰山,hóng máo tài shān,"lit. light as a goose feather, heavy as Mt Tai (idiom); fig. of no consequence to one person, a matter of life or death to another" -鸿毛泰岱,hóng máo tài dài,"light as a goose feather, heavy as Mt Tai (idiom); of no consequence to one person, a matter of life or death to another" -鸿海,hóng hǎi,"Hon Hai Precision Industry Company, Taiwan technology company, aka Foxconn" -鸿沟,hóng gōu,"(fig.) gulf; chasm; wide gap; (originally) the Hong Canal in Henan, which in ancient times formed the border between enemies Chu 楚[Chu3] and Han 漢|汉[Han4]" -鸿福,hóng fú,variant of 洪福[hong2 fu2] -鸿章,hóng zhāng,"Li Hung-chang or Li Hongzhang (1823-1901), Qing dynasty general, politician and diplomat" -鸿胪寺,hóng lú sì,(archaic) office in charge of ceremony and protocol -鸿蒙,hóng méng,(literary) primordial chaos (mythological void state preceding the creation of the universe) -鸿运,hóng yùn,variant of 紅運|红运[hong2 yun4] -鸿门宴,hóng mén yàn,Hongmen feast; (fig.) banquet set up with the aim of murdering a guest; refers to a famous episode in 206 BC when future Han emperor Liu Bang 劉邦|刘邦[Liu2 Bang1] escaped attempted murder by his rival Xiang Yu 項羽|项羽[Xiang4 Yu3] -鸿雁,hóng yàn,(bird species of China) swan goose (Anser cygnoides) -鸿鹄,hóng hú,swan; person with noble aspirations -鸽,gē,pigeon; dove -鸽子,gē zi,pigeon; dove; various birds of the family Columbidae -鸽房,gē fáng,dovecote; enclosure for carrier pigeons -鸽派,gē pài,"dove faction (opposite: 鷹派|鹰派[ying1 pai4], hawks); peace party; the faction seeking peace" -鸺,xiū,owl -鸺鹠,xiū liú,collared owlet (Glaucidium brodiei) -鹃,juān,cuckoo -鹃形目,juān xíng mù,"Cuculiformes, order of birds including cuckoo" -鹆,yù,mynah -鹁,bó,woodpidgeon -鹁鸠,bó jiū,turtle dove or similar bird; (esp.) oriental turtle dove (Streptopelia orientalis) -鹁鸪,bó gū,turtle dove or similar bird; oriental turtle dove (Streptopelia orientalis) -鹁鸽,bó gē,pigeon -鹈,tí,used in 鵜鶘|鹈鹕[ti2 hu2] -鹈鹕,tí hú,pelican -鹅,é,goose; CL:隻|只[zhi1] -鹅卵石,é luǎn shí,pebble; cobblestone -鹅喉羚,é hóu líng,goitered gazelle (Gazella subgutturosa) -鹅掌楸,é zhǎng qiū,Chinese tulip tree; Liriodendron chinense -鹅毛,é máo,goose feather -鹅毛大雪,é máo dà xuě,goose feather snow (idiom); big heavy snow fall -鹅毛笔,é máo bǐ,quill pen -鹅绒,é róng,goose down -鹅肝,é gān,foie gras -鹅膏蕈,é gāo xùn,Amanita (genus of deadly mushrooms) -鹅膏蕈素,é gāo xùn sù,amanitin -鹅莓,é méi,gooseberry -鹅銮鼻,é luán bí,"Cape Eluanpi or Eluanbi, southernmost point of Taiwan Island" -鹅,é,variant of 鵝|鹅[e2] -鹄,gǔ,center or bull's eye of an archery target (old); goal; target -鹄,hú,swan -鹄候,hú hòu,to respectfully await; to look forward to -鹄的,gǔ dì,bull's-eye; target; objective -鹉,wǔ,used in 鸚鵡|鹦鹉[ying1wu3] -鹌,ān,quail -鹌鹑,ān chún,quail -鹏,péng,"Peng, large fabulous bird; roc" -鹏抟,péng tuán,to strive for greatness -鹏程万里,péng chéng wàn lǐ,the fabled roc flies ten thousand miles (idiom); one's future prospects are brilliant -鹏鸟,péng niǎo,roc (mythical bird of prey); great talent -鹎,bēi,the Pycnonotidae or bulbul family of birds -雕,diāo,bird of prey -雕具座,diāo jù zuò,Caelum (constellation) -雕鸮,diāo xiāo,(bird species of China) Eurasian eagle-owl (Bubo bubo) -鹊,què,magpie -鹊巢鸠占,què cháo jiū zhàn,"the magpie made a nest, the turtledove dwells in it (idiom); to reap where one has not sown" -鹊桥,què qiáo,magpie bridge across the Milky Way between Altair and Vega where Cowherd and Weaving maid 牛郎織女|牛郎织女 are allowed an annual meeting -鹊色鹂,què sè lí,(bird species of China) silver oriole (Oriolus mellianus) -鹊鸲,què qú,(bird species of China) oriental magpie-robin (Copsychus saularis) -鹊鸭,què yā,(bird species of China) common goldeneye (Bucephala clangula) -鹊鹞,què yào,(bird species of China) pied harrier (Circus melanoleucos) -鸦,yā,variant of 鴉|鸦[ya1] -鹍,kūn,"large bird, possibly related to crane or swan (archaic); mythical monstrous bird, cf Sinbad's roc" -鹍弦,kūn xián,"pipa strings, made from sinews of large crane or swan 鵾雞|鹍鸡[kun1 ji1]" -鹍鸡,kūn jī,"large bird, possibly related to crane or swan (archaic); mythical monstrous bird, cf Sinbad's roc" -鹍鸡曲,kūn jī qǔ,long poem by 韓信|韩信[Han2 Xin4] (-196 BC) -鸫,dōng,thrush (bird of genus Turdus) -鹑,chún,quail -鹒,gēng,oriole -鹋,miáo,used in 鴯鶓|鸸鹋[er2miao2] -鹙,qiū,see 鶖鷺|鹙鹭[qiu1 lu4] -鹙鹭,qiū lù,oriole; black drongo (Dicrurus macrocercus) -鹕,hú,used in 鵜鶘|鹈鹕[ti2 hu2] -鹗,è,(bird species of China) western osprey (Pandion haliaetus) -鹛,méi,babbler (bird) -鹜,wù,duck -鹜舲,wù líng,small boat -鸧,cāng,oriole -鸧鹒,cāng gēng,variant of 倉庚|仓庚[cang1 geng1] -莺,yīng,oriole or various birds of the Sylvidae family including warblers -莺歌,yīng gē,"Yingge or Yingko town in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -莺歌燕舞,yīng gē yàn wǔ,the warbler sings and the swallow dances; prosperity abounds (idiom) -莺歌镇,yīng gē zhèn,"Yingge or Yingko town in New Taipei City 新北市[Xin1 bei3 shi4], Taiwan" -莺鸟,yīng niǎo,oriole; bird -鹤,hè,crane -鹤佬人,hè lǎo rén,"Hoklo people, southern Chinese people of Taiwan" -鹤俸,hè fèng,an official's emolument -鹤嘴锄,hè zuǐ chú,pickax -鹤城,hè chéng,"Hecheng district of Huaihua city 懷化市|怀化市[Huai2 hua4 shi4], Hunan" -鹤城区,hè chéng qū,"Hecheng district of Huaihua city 懷化市|怀化市[Huai2 hua4 shi4], Hunan" -鹤壁,hè bì,Hebi prefecture-level city in Henan -鹤壁市,hè bì shì,Hebi prefecture-level city in Henan -鹤山,hè shān,"Heshan district of Hebi city 鶴壁市|鹤壁市[He4 bi4 shi4], Henan; Heshan, county-level city in Jiangmen 江門|江门, Guangdong" -鹤山区,hè shān qū,"Heshan district of Hebi city 鶴壁市|鹤壁市[He4 bi4 shi4], Henan" -鹤山市,hè shān shì,"Heshan, county-level city in Jiangmen 江門|江门, Guangdong" -鹤峰,hè fēng,"Hefeng County in Enshi Tujia and Miao Autonomous Prefecture 恩施土家族苗族自治州[En1 shi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1], Hubei" -鹤峰县,hè fēng xiàn,"Hefeng County in Enshi Tujia and Miao Autonomous Prefecture 恩施土家族苗族自治州[En1 shi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1], Hubei" -鹤岗,hè gǎng,Hegang prefecture-level city in Heilongjiang province 黑龍江|黑龙江[Hei1 long2 jiang1] in northeast China -鹤岗市,hè gǎng shì,Hegang prefecture-level city in Heilongjiang province 黑龍江|黑龙江[Hei1 long2 jiang1] in northeast China -鹤庆,hè qìng,"Heqing county in Dali Bai autonomous prefecture 大理白族自治州[Da4 li3 Bai2 zu2 zi4 zhi4 zhou1], Yunnan" -鹤庆县,hè qìng xiàn,"Heqing county in Dali Bai autonomous prefecture 大理白族自治州[Da4 li3 Bai2 zu2 zi4 zhi4 zhou1], Yunnan" -鹤立鸡群,hè lì jī qún,a crane in a flock of chicken (idiom); way above the common; manifestly superior -鹤鹬,hè yù,(bird species of China) spotted redshank (Tringa erythropus) -鹠,liú,see 鵂鶹|鸺鹠[xiu1 liu2] -鹡,jí,used in 鶺鴒|鹡鸰[ji2ling2] -鹡鸰,jí líng,wagtail -鹘,hú,falcon; migratory bird -鹣,jiān,mythical bird with one eye and one wing; see also 鰈鶼|鲽鹣[die2 jian1] -鹣鲽,jiān dié,see 鰈鶼|鲽鹣[die2 jian1] -鹣鹣,jiān jiān,lit. a pair of mythical birds who depend on each other; fig. an inseparable couple -鹚,cí,used in 鸕鶿|鸬鹚[lu2 ci2] -鹚,cí,variant of 鶿|鹚[ci2] -鹞,yào,sparrow hawk; Accipiter nisus -鹞鲼,yào fèn,bonnet skate (zoology) -鷄,jī,variant of 雞|鸡[ji1] -鹧,zhè,partridge; Francolinus chinensis -鹧鸪,zhè gū,partridge -鸥,ōu,common gull -鸥嘴噪鸥,ōu zuǐ zào ōu,(bird species of China) gull-billed tern (Gelochelidon nilotica) -鸷,zhì,fierce; brutal; bird of prey -鹨,liù,pipit (genus Anthus) -鸶,sī,heron -鹪,jiāo,eastern wren -鹪鹩,jiāo liáo,(bird species of China) Eurasian wren (Troglodytes troglodytes) -鹔,sù,used in 鷫鸘|鹔鹴[su4 shuang1] -鹔鹴,sù shuāng,"green, long-necked mythical bird" -鹩,liáo,eastern wren -鹩哥,liáo gē,(bird species of China) hill myna (Gracula religiosa) -燕,yàn,variant of 燕[yan4] -鹫,jiù,vulture -鹫科,jiù kē,Aegyptiidae (the vulture family) -鹫鸟,jiù niǎo,vulture -鹇,xián,variant of 鷴|鹇[xian2] -鹇,xián,silver pheasant (Phasianus nycthemerus); silver pheasant badge worn by civil officials of the 5th grade -鹬,yù,common snipe; sandpiper -鹬蚌相争,yù bàng xiāng zhēng,"abbr. for 鷸蚌相爭,漁翁得利|鹬蚌相争,渔翁得利[yu4 bang4 xiang1 zheng1 , yu2 weng1 de2 li4]" -鹬鸵,yù tuó,kiwi (bird) -鹰,yīng,eagle; falcon; hawk -鹰嘴豆,yīng zuǐ dòu,chickpea (Cicer arietinum); garbanzo bean -鹰嘴豆泥,yīng zuǐ dòu ní,hummus -鹰嘴豆面粉,yīng zuǐ dòu miàn fěn,chickpea flour -鹰手营子矿,yīng shǒu yíng zi kuàng,"Yingshouyingzikuang district of Chengde city 承德市[Cheng2 de2 shi4], Hebei" -鹰手营子矿区,yīng shǒu yíng zi kuàng qū,"Yingshouyingzikuang district of Chengde city 承德市[Cheng2 de2 shi4], Hebei" -鹰击长空,yīng jī cháng kōng,the eagle soars in the sky (citation from Mao Zedong) -鹰星云,yīng xīng yún,Eagle or Star Queen Nebula M16 -鹰架,yīng jià,scaffolding -鹰架栈台,yīng jià zhàn tái,trestlework -鹰派,yīng pài,"hawk faction (opposite: 鴿派|鸽派[ge1 pai4], doves); fierce and combative party; war party; warmongers" -鹰潭,yīng tán,"Yingtan, prefecture-level city in Jiangxi" -鹰潭市,yīng tán shì,"Yingtan, prefecture-level city in Jiangxi" -鹰爪翻子拳,yīng zhuǎ fān zi quán,"Ying Zhua Fan Zi Quan - ""Eagle Claw"" - Martial Art" -鹰犬,yīng quǎn,hawks and hounds; (fig.) running dogs; hired thugs -鹰状星云,yīng zhuàng xīng yún,Eagle or Star Queen Nebula M16 -鹰钩鼻,yīng gōu bí,aquiline nose; Roman nose -鹰雕,yīng diāo,variant of 鷹鵰|鹰雕[ying1 diao1] -鹰头狮,yīng tóu shī,griffin -鹰鸮,yīng xiāo,(bird species of China) brown hawk-owl (Ninox scutulata) -鹰鹃,yīng juān,(bird species of China) large hawk-cuckoo (Hierococcyx sparverioides) -鹰雕,yīng diāo,"(bird species of China) mountain hawk-eagle (Nisaetus nipalensis), aka Hodgson's hawk-eagle" -鹭,lù,heron -鹭鸶,lù sī,egret -鹱,hù,"(bound form) bird of the Procellariidae family, which includes shearwaters, gadfly petrels etc" -莺,yīng,variant of 鶯|莺[ying1] -鸬,lú,used in 鸕鶿|鸬鹚[lu2 ci2] -鸬鹚,lú cí,cormorant -鹴,shuāng,used in 鷫鸘|鹔鹴[su4 shuang1] -鹦,yīng,used in 鸚鵡|鹦鹉[ying1wu3] -鹦鹉,yīng wǔ,parrot -鹦鹉学舌,yīng wǔ xué shé,to parrot; to repeat uncritically what sb says -鹦鹉热,yīng wǔ rè,psittacosis; ornithosis; parrot fever -鹦鹉螺,yīng wǔ luó,nautilus; ammonite (fossil spiral shell) -鹳,guàn,crane; stork -鹳嘴翡翠,guàn zuǐ fěi cuì,(bird species of China) stork-billed kingfisher (Pelargopsis capensis) -鹂,lí,Chinese oriole -鸾,luán,mythical bird related to phoenix -鸾翔凤翥,luán xiáng fèng zhù,(of calligraphy) full of power and grace -鸾翔凤集,luán xiáng fèng jí,lit. firebird and phoenix come together (idiom); fig. a gathering of eminent people -鸾飘凤泊,luán piāo fèng bó,"lit. firebird soars, phoenix alights (idiom); fig. bold, graceful calligraphy; married couple separated from each other; talented person not given the opportunity to fulfill his potential" -鸾凤,luán fèng,luan and phoenix; husband and wife; virtuous person; sovereign; belle -卤,lǔ,alkaline soil; salt; brine; halogen (chemistry); crass; stupid -卤代烃,lǔ dài tīng,"haloalkane (obtained from hydrocarbon by substituting halogen for hydrogen, e.g. chlorobenzene or the CFCs)" -卤化,lǔ huà,to halogenate; halogenation (chemistry) -卤化物,lǔ huà wù,"halide (i.e. fluoride, chloride, bromide etc)" -卤化银,lǔ huà yín,silver halide (usually chloride) used to fix photos -卤味,lǔ wèi,variant of 滷味|卤味[lu3 wei4] -卤属,lǔ shǔ,see 鹵素|卤素[lu3 su4] -卤族,lǔ zú,see 鹵素|卤素[lu3 su4] -卤水,lǔ shuǐ,brine; bittern; marinade -卤田,lǔ tián,a saltpan -卤素,lǔ sù,halogen (chemistry) -卤莽,lǔ mǎng,variant of 魯莽|鲁莽[lu3 mang3] -卤质,lǔ zhì,alkalinity -咸,xián,salted; salty; stingy; miserly -咸水,xián shuǐ,salt water; brine -咸水妹,xián shuǐ mèi,"(dialect) prostitute from Guangdong (esp. one in Shanghai before the Revolution) (loanword from ""handsome maid"")" -咸水湖,xián shuǐ hú,salt lake -咸津津,xián jīn jīn,nice and salty (taste) -咸津津儿,xián jīn jīn er,erhua variant of 鹹津津|咸津津[xian2 jin1 jin1] -咸海,xián hǎi,Aral Sea -咸淡,xián dàn,salty and unsalty (flavors); degree of saltiness; brackish (water) -咸涩,xián sè,salty and bitter; acerbic -咸湿,xián shī,(Tw) (coll.) obscene; pornographic -咸丝丝,xián sī sī,slightly salty -咸丝丝儿,xián sī sī er,erhua variant of 鹹絲絲|咸丝丝[xian2 si1 si1] -咸肉,xián ròu,bacon; salt-cured meat -咸菜,xián cài,salted vegetables; pickles -咸猪手,xián zhū shǒu,pervert (esp. one who gropes women in public) -咸酥鸡,xián sū jī,fried chicken pieces with salt and pepper; Taiwan-style fried chicken -咸鱼,xián yú,salted fish -咸鱼翻身,xián yú fān shēn,lit. the salted fish turns over (idiom); fig. to experience a reversal of fortune -咸鸭蛋,xián yā dàn,salted duck egg -咸盐,xián yán,salt (colloquial); table salt -鹾,cuó,brine; salt -碱,jiǎn,variant of 鹼|碱[jian3] -碱,jiǎn,(chemistry) base; alkali; soda -碱化,jiǎn huà,to make basic or alkaline; alkalization (chemistry) -碱土,jiǎn tǔ,alkaline soil -碱土金属,jiǎn tǔ jīn shǔ,"alkaline earth (i.e. beryllium Be 鈹|铍, magnesium Mg 鎂|镁, calcium Ca 鈣|钙, strontium Sr 鍶|锶, barium Ba 鋇|钡 and radium Ra 鐳|镭)" -碱基,jiǎn jī,chemical base; nucleobase -碱基互补配对,jiǎn jī hù bǔ pèi duì,complementary base pairing e.g. adenine A 腺嘌呤 pairs with thymine T 胸腺嘧啶 in DNA -碱基对,jiǎn jī duì,base pair (molecular biology) -碱基配对,jiǎn jī pèi duì,base pairing (e.g. adenine A 腺嘌呤 pairs with thymine T 胸腺嘧啶 in DNA); base pair -碱度,jiǎn dù,alkalinity -碱式盐,jiǎn shì yán,"alkali salt (soda, lye, calcium carbonate etc)" -碱性,jiǎn xìng,alkaline -碱性土,jiǎn xìng tǔ,alkaline soil -碱性尘雾,jiǎn xìng chén wù,alkali fumes -碱性蓝,jiǎn xìng lán,alkali blue -碱性金属,jiǎn xìng jīn shǔ,alkali metal -碱斑,jiǎn bān,alkali spot -碱水,jiǎn shuǐ,lye water; alkaline water (used in cooking) -碱法纸浆,jiǎn fǎ zhǐ jiāng,alkali pulp -碱腺,jiǎn xiàn,alkali gland -碱荒,jiǎn huāng,saline waste land -碱试法,jiǎn shì fǎ,alkali test -碱金属,jiǎn jīn shǔ,alkali metal -盐,yán,salt; CL:粒[li4] -盐井,yán jǐng,"Yanjing, common place name; former county 1983-1999, now part of Markam county 芒康縣|芒康县[Mang2 kang1 xian4] in Chamdo prefecture, Tibet" -盐井县,yán jǐng xiàn,"Yanjing former county (1917-1917), now part of Markam county 芒康縣|芒康县[Mang2 kang1 xian4] in Chamdo prefecture, Tibet" -盐井乡,yán jǐng xiāng,"Yanjing village, common place name" -盐亭,yán tíng,"Yanting county in Mianyang 綿陽|绵阳[Mian2 yang2], north Sichuan" -盐亭县,yán tíng xiàn,"Yanting county in Mianyang 綿陽|绵阳[Mian2 yang2], north Sichuan" -盐分,yán fèn,salt content -盐坨子,yán tuó zi,heap of salt (dialect) -盐城,yán chéng,"Yancheng, prefecture-level city in Jiangsu" -盐城市,yán chéng shì,"Yancheng, prefecture-level city in Jiangsu" -盐埔,yán pǔ,"Yanpu Township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -盐埔乡,yán pǔ xiāng,"Yanpu Township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -盐埕,yán chéng,"Yancheng district of Kaohsiung city 高雄市[Gao1 xiong2 shi4], south Taiwan" -盐埕区,yán chéng qū,"Yancheng district of Kaohsiung city 高雄市[Gao1 xiong2 shi4], south Taiwan" -盐场,yán chǎng,saltpan; saltbed -盐山,yán shān,"Yanshan county in Cangzhou 滄州|沧州[Cang1 zhou1], Hebei" -盐山县,yán shān xiàn,"Yanshan county in Cangzhou 滄州|沧州[Cang1 zhou1], Hebei" -盐巴,yán bā,table salt -盐度,yán dù,salinity -盐成土,yán chéng tǔ,halosol (soil taxonomy) -盐水,yán shuǐ,"Yanshui town in Tainan county 台南縣|台南县[Tai2 nan2 xian4], Taiwan" -盐水,yán shuǐ,salt water; brine -盐水镇,yán shuǐ zhèn,"Yanshui town in Tainan county 台南縣|台南县[Tai2 nan2 xian4], Taiwan" -盐池,yán chí,Yanchi county in Ningxia; a saltpan -盐池县,yán chí xiàn,"Yanchi county in Wuzhong 吳忠|吴忠[Wu2 zhong1], Ningxia" -盐津,yán jīn,"Yanjin county in Zhaotong 昭通[Zhao1 tong1], Yunnan" -盐津县,yán jīn xiàn,"Yanjin county in Zhaotong 昭通[Zhao1 tong1], Yunnan" -盐湖,yán hú,salt lake -盐湖区,yán hú qū,"Yanhu district (Salt Lake district) of Yuncheng city 運城市|运城市[Yun4 cheng2 shi4], Shanxi" -盐湖城,yán hú chéng,"Salt Lake City, capital of Utah" -盐源,yán yuán,"Yanyuan county in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -盐源县,yán yuán xiàn,"Yanyuan county in Liangshan Yi autonomous prefecture 涼山彞族自治州|凉山彝族自治州[Liang2 shan1 Yi2 zu2 zi4 zhi4 zhou1], south Sichuan" -盐滩,yán tān,salt flats; salt lake -盐田,yán tián,"Yantian district of Shenzhen City 深圳市, Guangdong" -盐田,yán tián,saltpan -盐田区,yán tián qū,"Yantian district of Shenzhen City 深圳市, Guangdong" -盐皮质类固醇,yán pí zhì lèi gù chún,mineralocorticoid (e.g. aldosterone) -盐肤木,yán fū mù,Chinese sumac (Rhus chinensis) -盐蛇,yán shé,(dialect) gecko -盐边,yán biān,"Yanbian county in Panzhihua 攀枝花[Pan1 zhi1 hua1], south Sichuan" -盐边县,yán biān xiàn,"Yanbian county in Panzhihua 攀枝花[Pan1 zhi1 hua1], south Sichuan" -盐都,yán dū,"Yandu district of Yancheng city 鹽城市|盐城市[Yan2 cheng2 shi4], Jiangsu" -盐都区,yán dū qū,"Yandu district of Yancheng city 鹽城市|盐城市[Yan2 cheng2 shi4], Jiangsu" -盐酸,yán suān,hydrochloric acid HCl -盐酸克仑特罗,yán suān kè lún tè luó,clenbuterol hydrochloride (diet pill that burns fat); e.g. Spiropent -盐酸盐,yán suān yán,chloride; hydrochloride (chemistry) -盐卤,yán lǔ,brine -盐碱,yán jiǎn,saline and alkaline (earth) -盐碱地,yán jiǎn dì,saline soil; (fig.) infertile woman -盐碱湿地,yán jiǎn shī dì,a saltmarsh -鹿,lù,deer -鹿儿岛,lù ér dǎo,"Kagoshima, Japanese island prefecture off the south coast of Kyushu" -鹿城,lù chéng,"Lucheng district of Wenzhou city 溫州市|温州市[Wen1 zhou1 shi4], Zhejiang" -鹿城区,lù chéng qū,"Lucheng district of Wenzhou city 溫州市|温州市[Wen1 zhou1 shi4], Zhejiang" -鹿寨,lù zhài,"Luzhai county in Liuzhou 柳州[Liu3 zhou1], Guangxi" -鹿寨县,lù zhài xiàn,"Luzhai county in Liuzhou 柳州[Liu3 zhou1], Guangxi" -鹿死谁手,lù sǐ shéi shǒu,lit. at whose hand will the deer die (idiom); fig. who will emerge victorious -鹿泉,lù quán,"Luquan, county-level city in Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1], Hebei" -鹿泉市,lù quán shì,"Luquan, county-level city in Shijiazhuang 石家莊|石家庄[Shi2 jia1 zhuang1], Hebei" -鹿港,lù gǎng,"Lugang or Lukang Town in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -鹿港镇,lù gǎng zhèn,"Lugang or Lukang Town in Changhua County 彰化縣|彰化县[Zhang1 hua4 Xian4], Taiwan" -鹿特丹,lù tè dān,"Rotterdam, port city in the Netherlands" -鹿皮靴,lù pí xuē,moccasins -鹿肉,lù ròu,venison -鹿苑寺,lù yuàn sì,"Rokuonji in northwest Kyōto 京都, Japan; the formal name of Kinkakuji or Golden pavilion 金閣寺|金阁寺[Jin1 ge2 si4] as Buddhist temple" -鹿茸,lù róng,young deer antler prior to ossification (used in TCM) -鹿草,lù cǎo,"Lucao or Lutsao Township in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -鹿草乡,lù cǎo xiāng,"Lucao or Lutsao Township in Chiayi County 嘉義縣|嘉义县[Jia1 yi4 Xian4], west Taiwan" -鹿角,lù jiǎo,antler; deer horn; abatis -鹿谷,lù gǔ,"Lugu or Luku Township in Nantou County 南投縣|南投县[Nan2 tou2 Xian4], central Taiwan" -鹿谷乡,lù gǔ xiāng,"Lugu or Luku Township in Nantou County 南投縣|南投县[Nan2 tou2 Xian4], central Taiwan" -鹿豹座,lù bào zuò,Camelopardalis (constellation) -鹿邑,lù yì,"Luxi county in Zhoukou 周口[Zhou1 kou3], Henan" -鹿邑县,lù yì xiàn,"Luxi county in Zhoukou 周口[Zhou1 kou3], Henan" -鹿野,lù yě,"Luye or Luyeh township in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan" -鹿野乡,lù yě xiāng,"Luye or Luyeh township in Taitung County 臺東縣|台东县[Tai2 dong1 Xian4], southeast Taiwan" -麂,jǐ,muntjac -麂皮,jǐ pí,suede; chamois leather -麃,biāo,to weed -麃,páo,(archaic) a type of deer -麇,jūn,hornless deer -麇,qún,(literary) in large numbers; thronging -麇集,qún jí,(literary) to flock; to swarm; to congregate en masse; to cluster together -麈,zhǔ,leader of herd; stag -麋,mí,surname Mi -麋,mí,moose; river bank -麋鹿,mí lù,"Père David's deer (Elaphurus davidianus), species of deer native to China that is critically endangered" -麟,lín,variant of 麟[lin2] -麒,qí,used in 麒麟[qi2 lin2] -麒麟,qí lín,qilin (mythical Chinese animal); kylin; Chinese unicorn; commonly mistranslated as giraffe -麒麟区,qí lín qū,"Qilin district, Qujing city, Yunnan" -麒麟座,qí lín zuò,Monoceros (constellation) -麒麟殿,qí lín diàn,see 麒麟閣|麒麟阁[Qi2 lin2 Ge2] -麒麟菜,qí lín cài,"eucheuma, a type of red algae (used in TCM)" -麒麟阁,qí lín gé,"Qilin Pavilion, located in the Weiyang Palace, a hall decorated with portraits of famous officials" -麓,lù,foot of a hill -麓湖公园,lù hú gōng yuán,Luhu Park in central Guangzhou -丽,lí,Korea -丽,lì,beautiful -丽佳娜,lì jiā nà,Regina (name) -丽实,lì shí,practical -丽日,lì rì,bright sun; beautiful day -丽星噪鹛,lì xīng zào méi,(bird species of China) Bhutan laughingthrush (Trochalopteron imbricatum) -丽星鹩鹛,lì xīng liáo méi,(bird species of China) spotted elachura (Elachura formosa) -丽水,lí shuǐ,"Lishui prefecture-level city in Zhejiang; Yeosu city in South Jeolla province, Korea, the site of World Expo 2012" -丽水市,lí shuǐ shì,"Lishui prefecture-level city in Zhejiang; Yeosu city in South Jeolla province, Korea, the site of World Expo 2012" -丽江,lì jiāng,Lijiang prefecture-level city in northwest Yunnan -丽江古城,lì jiāng gǔ chéng,Lijiang old town (in Yunnan) -丽江市,lì jiāng shì,Lijiang prefecture-level city in northwest Yunnan -丽江纳西族自治县,lì jiāng nà xī zú zì zhì xiàn,Lijiang Naxi Autonomous County in Yunnan -丽池卡登,lì chí kǎ dēng,Ritz-Carlton (hotel chain) -丽致,lì zhì,Ritz (hotel chain) -丽色噪鹛,lì sè zào méi,(bird species of China) red-winged laughingthrush (Trochalopteron formosum) -丽色奇鹛,lì sè qí méi,(bird species of China) beautiful sibia (Heterophasia pulchella) -丽词,lì cí,beautiful wordage; also written 麗辭|丽辞[li4 ci2] -丽语,lì yǔ,beautiful wordage -丽辞,lì cí,beautiful wordage; also written 麗詞|丽词[li4 ci2] -丽魄,lì pò,moon -丽丽,lì lì,Lili (name) -麝,shè,musk deer (Moschus moschiferus); also called 香獐子 -麝牛,shè niú,musk ox -麝猫,shè māo,civet (zoology) -麝香,shè xiāng,musk -麝香石竹,shè xiāng shí zhú,grenadine; carnation; clove pink; Dianthus caryophyllus (botany) -麝香草,shè xiāng cǎo,thyme -麝香猫,shè xiāng māo,civet (zoology) -獐,zhāng,variant of 獐[zhang1] -麟,lín,used in 麒麟[qi2 lin2] -麟洛,lín luò,"Linlo township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -麟洛乡,lín luò xiāng,"Linlo township in Pingtung County 屏東縣|屏东县[Ping2 dong1 Xian4], Taiwan" -麟经,lín jīng,another name for the Spring and Autumn Annals 春秋 -麟角凤觜,lín jiǎo fèng zuǐ,"lit. qilin's horn, phoenix's mouth (idiom); fig. rara avis; rarity" -麟游,lín yóu,"Linyou County in Baoji 寶雞|宝鸡[Bao3 ji1], Shaanxi" -麟游县,lín yóu xiàn,"Linyou County in Baoji 寶雞|宝鸡[Bao3 ji1], Shaanxi" -粗,cū,remote; distant; variant of 粗[cu1] -麦,mài,surname Mai -麦,mài,wheat; barley; oats; mic (abbr. for 麥克風|麦克风[mai4ke4feng1]) -麦乳精,mài rǔ jīng,malt milk extract -麦克,mài kè,Mike (name) -麦克,mài kè,microphone (loanword) -麦克德莫特,mài kè dé mò tè,McDermott (name) -麦克斯韦,mài kè sī wéi,"Maxwell (name); James Clerk Maxwell (1831-1879), Scottish physicist and mathematician, the originator of Maxwell's laws of electromagnetism and electromagnetic waves" -麦克白,mài kè bái,"Macbeth (name); Macbeth, 1606 tragedy by William Shakespeare 莎士比亞|莎士比亚" -麦克白夫人,mài kè bái fū ren,Lady Macbeth -麦克笔,mài kè bǐ,marker pen (loanword) -麦克米兰,mài kè mǐ lán,"McMillan or MacMillan (name); Harold Macmillan (1894-1986), UK conservative politician, prime minister 1957-1963" -麦克维,mài kè wéi,(Timothy) McVeigh -麦克阿瑟,mài kè ā sè,"General Douglas MacArthur (1880-1964), US commander in Pacific during WW2, sacked in 1951 by President Truman for exceeding orders during the Korean war" -麦克风,mài kè fēng,(loanword) microphone -麦冬,mài dōng,"dwarf lilyturf (Ophiopogon japonicus), whose tuber is used in TCM" -麦凯恩,mài kǎi ēn,"McCain (name); John McCain (1936-2018), US Republican politician, Senator for Arizona 1987-2018" -麦凯斯菱,mài kǎi sī líng,rhombus of Michaelis (anatomy) -麦加,mài jiā,"Mecca, Saudi Arabia" -麦卡锡主义,mài kǎ xī zhǔ yì,McCarthyism -麦可,mài kě,Mike (name) -麦司卡林,mài sī kǎ lín,mescaline (loanword) -麦哲伦,mài zhé lún,"Magellan (1480-1521), Portuguese explorer" -麦地那,mài dì nà,"Medina, Saudi Arabia" -麦块,mài kuài,(Tw) Minecraft -麦子,mài zi,wheat; CL:株[zhu1] -麦寮,mài liáo,"Mailiao township in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -麦寮乡,mài liáo xiāng,"Mailiao township in Yunlin county 雲林縣|云林县[Yun2 lin2 xian4], Taiwan" -麦德林,mài dé lín,"Medellín, city in Colombia" -麦德蒙,mài dé méng,McDermott (name) -麦德龙,mài dé lóng,Metro supermarket chain (originally German) -麦枷,mài jiā,flail; to thresh (using a flail) -麦氏贼鸥,mài shì zéi ōu,(bird species of China) South Polar skua (Stercorarius maccormicki) -麦淇淋,mài qí lín,margarine (loanword) -麦尔维尔,mài ěr wéi ěr,"Melville (name); Herman Melville (1819-1891), US novelist, author of Moby Dick 白鯨|白鲸[Bai2jing1]" -麦片,mài piàn,oatmeal; rolled oats -麦田怪圈,mài tián guài quān,crop circle -麦当劳,mài dāng láo,MacDonald or McDonald (name); McDonald's (fast food company) -麦当劳叔叔,mài dāng láo shū shu,Ronald McDonald -麦当娜,mài dāng nà,"Madonna (1958-), US pop singer" -麦秋,mài qiū,harvest season -麦秸,mài jiē,straw from barley or wheat -麦稃,mài fū,barley husk -麦积,mài jī,"Maiji district of Tianshui city 天水市[Tian1 shui3 shi4], Gansu" -麦积区,mài jī qū,"Maiji district of Tianshui city 天水市[Tian1 shui3 shi4], Gansu" -麦积山石窟,mài jī shān shí kū,"Mt Maiji Caves at Tianshui 天水, Gansu" -麦穗,mài suì,ear of wheat -麦粒肿,mài lì zhǒng,sty (eyelid swelling) -麦纳玛,mài nà mǎ,"Manama, capital of Bahrain (Tw)" -麦纳麦,mài nà mài,"Manama, capital city of Bahrain" -麦肯锡,mài kěn xī,MacKenzie; McKinsey -麦胚,mài pēi,wheat germ -麦芽,mài yá,malt -麦芽糊精,mài yá hú jīng,maltodextrin -麦芽糖,mài yá táng,maltose (sweet syrup) -麦芽糖醇,mài yá táng chún,"maltitol, a sugar alcohol" -麦盖提,mài gě tí,"Mekit nahiyisi (Makit county) in Kashgar prefecture 喀什地區|喀什地区[Ka1 shi2 di4 qu1], west Xinjiang" -麦盖提县,mài gě tí xiàn,"Mekit nahiyisi (Makit county) in Kashgar prefecture 喀什地區|喀什地区[Ka1 shi2 di4 qu1], west Xinjiang" -麦角,mài jiǎo,ergot -麦迪,mài dí,"Tracy McGrady (1979-), former NBA player" -麦迪逊,mài dí xùn,"Madison (name); Madison, capital of Wisconsin" -麦迪逊广场花园,mài dí xùn guǎng chǎng huā yuán,Madison Square Garden -麦迪逊花园广场,mài dí xùn huā yuán guǎng chǎng,Madison Square Garden -麦道,mài dào,McDonnell Douglas (plane company) -麦酒,mài jiǔ,beer; ale; (archaic) alcoholic drink made from fermented wheat or barley -麦金塔,mài jīn tǎ,see 麥金塔電腦|麦金塔电脑[Mai4 jin1 ta3 dian4 nao3] -麦金塔电脑,mài jīn tǎ diàn nǎo,Macintosh (brand of computers made by Apple); Mac -麦门冬,mài mén dōng,"dwarf lilyturf (Ophiopogon japonicus), whose tuber is used in TCM" -麦阿密,mài ā mì,variant of 邁阿密|迈阿密[Mai4 a1 mi4] -麦霸,mài bà,mic hog; person who monopolizes the mike at karaoke party (hegemon 霸 of the microphone 麥克風|麦克风) -麦香堡,mài xiāng bǎo,(Tw) (old) Big Mac hamburger (now referred to in Taiwan as 大麥克|大麦克[Da4 Mai4 ke4]) -麦麸,mài fū,wheat bran -麸,fū,bran -麸皮,fū pí,bran (esp. of wheat) -麸皮面包,fū pí miàn bāo,whole-wheat bread -麸质,fū zhì,gluten -面,miàn,variant of 麵|面[mian4] -曲,qū,variant of 麴|曲[qu1] -麯,qū,surname Qu -曲,qū,yeast; Aspergillus (includes many common molds); Taiwan pr. [qu2] -麴,qū,surname Qu -面,miàn,flour; noodles; (of food) soft (not crunchy); (slang) (of a person) ineffectual; spineless -面人儿,miàn rén er,dough figurine -面包,miàn bāo,"bread; CL:片[pian4],袋[dai4],塊|块[kuai4]" -面包屑,miàn bāo xiè,breadcrumbs -面包师傅,miàn bāo shī fù,baker -面包店,miàn bāo diàn,bakery; CL:家[jia1] -面包心,miàn bāo xīn,crumb (soft interior of a loaf of bread) -面包房,miàn bāo fáng,bakery; CL:家[jia1] -面包果,miàn bāo guǒ,jackfruit; breadfruit; Artocarpus heterophyllus -面包树,miàn bāo shù,breadfruit tree; Artocarpus altilis -面包机,miàn bāo jī,bread making machine; bread maker -面包渣,miàn bāo zhā,breadcrumbs -面包片,miàn bāo piàn,bread slice; sliced bread -面包瓤,miàn bāo ráng,crumb (soft interior of a loaf of bread) -面包皮,miàn bāo pí,crust -面包糠,miàn bāo kāng,breadcrumbs -面包虫,miàn bāo chóng,mealworm (Tenebrio molitor) -面包车,miàn bāo chē,van for carrying people; taxi minibus -面团,miàn tuán,dough -面塑,miàn sù,(figurines) made of dough; dough modeling -面子,miàn zi,(medicinal) powder -面板,miàn bǎn,board for making noodles or kneading bread dough -面条,miàn tiáo,noodles -面条儿,miàn tiáo er,erhua variant of 麵條|面条[mian4 tiao2] -面档,miàn dàng,noodle stall or counter -面汤,miàn tāng,noodle soup; noodles in soup; noodle broth -面疙瘩,miàn gē da,dough dumpling -面的,miàn dī,abbr. of 麵包車的士|面包车的士[mian4 bao1 che1 di1 shi4]; minivan taxi -面皮,miàn pí,dumpling skin; piecrust -面种,miàn zhǒng,(breadmaking) starter -面窝,miàn wō,Chinese doughnut -面筋,miàn jīn,gluten -面粉,miàn fěn,flour -面糊,miàn hú,starchy; floury and without fiber -面糊,miàn hù,flour paste -面线,miàn xiàn,misua; wheat vermicelli (very thin variety of wheat noodles used esp. in Fujian) -面肥,miàn féi,leaven; sourdough -面类,miàn lèi,noodle dishes (on menu) -面食,miàn shí,"food made from wheat flour, such as noodles, dumplings, buns etc" -面饼,miàn bǐng,flatbread -面体,miàn tǐ,noodles -面点,miàn diǎn,pastry -麻,má,surname Ma -麻,má,"generic name for hemp, flax etc; hemp or flax fiber for textile materials; sesame; CL:縷|缕[lu:3]; (of materials) rough or coarse; pocked; pitted; to have pins and needles or tingling; to feel numb" -麻俐,má li,swift; agile; efficient; quick-witted (colloquial); also written 麻利[ma2 li5] -麻利,má li,swift; agile; efficient; quick-witted (colloquial) -麻力,má li,swift; agile; efficient; quick witted (colloquial); also written 麻利[ma2 li5] -麻吉,má jí,(slang) (Tw) close friend; best pal; to get along well; to be tight; congenial -麻嗖嗖,má sōu sōu,to feel cold and numb -麻城,má chéng,"Macheng, county-level city in Huanggang 黃岡|黄冈[Huang2 gang1], Hubei" -麻城市,má chéng shì,"Macheng, county-level city in Huanggang 黃岡|黄冈[Huang2 gang1], Hubei" -麻婆豆腐,má pó dòu fǔ,mapo tofu; stir-fried beancurd in chili sauce -麻子,má zi,pockmark -麻将,má jiàng,mahjong; CL:副[fu4] -麻将牌,má jiàng pái,mahjong tile -麻山,má shān,"Mashan district of Jixi city 雞西|鸡西[Ji1 xi1], Heilongjiang" -麻山区,má shān qū,"Mashan district of Jixi city 雞西|鸡西[Ji1 xi1], Heilongjiang" -麻州,má zhōu,abbr. for Massachusetts -麻布,má bù,sackcloth -麻木,má mù,numb; insensitive; apathetic -麻木不仁,má mù bù rén,numbed; insensitive; apathetic; thick-skinned -麻栗坡,má lì pō,"Malipo county in Wenshan Zhuang and Miao autonomous prefecture 文山壯族苗族自治州|文山壮族苗族自治州[Wen2 shan1 Zhuang4 zu2 Miao2 zu2 zi4 zhi4 zhou1], Yunnan" -麻栗坡县,má lì pō xiàn,"Malipo county in Wenshan Zhuang and Miao autonomous prefecture 文山壯族苗族自治州|文山壮族苗族自治州[Wen2 shan1 Zhuang4 zu2 Miao2 zu2 zi4 zhi4 zhou1], Yunnan" -麻椒,má jiāo,"an extra strong type of Sichuan pepper, dark green when ripe but light brown after air drying" -麻栎,má lì,sawtooth oak; Quercus acutissima -麻江,má jiāng,"Majiang county in Qiandongnan Miao and Dong autonomous prefecture 黔東南州|黔东南州[Qian2 dong1 nan2 zhou1], Guizhou" -麻江县,má jiāng xiàn,"Majiang county in Qiandongnan Miao and Dong autonomous prefecture 黔東南州|黔东南州[Qian2 dong1 nan2 zhou1], Guizhou" -麻油,má yóu,sesame oil -麻烦,má fan,trouble; inconvenience; inconvenient; troublesome; annoying; to bother sb; to put sb to trouble -麻瓜,má guā,Muggles (Harry Potter) -麻生,má shēng,"Asō (name); ASŌ Tarō (1940-), Japanese entrepreneur and LDP politician, prime minister 2008-2009" -麻生太郎,má shēng tài láng,"ASŌ Tarō (1940-), Japanese entrepreneur and LDP politician, prime minister from 2008" -麻疹,má zhěn,measles -麻痹,má bì,paralysis; palsy; numbness; to benumb; (fig.) to lull; negligent; apathetic -麻痹大意,má bì dà yì,unwary; negligent -麻疯,má fēng,leprosy; also written 麻風|麻风 -麻瘢,má bān,pock mark -麻省理工学院,má shěng lǐ gōng xué yuàn,Massachusetts Institute of Technology (MIT) -麻章,má zhāng,"Mazhang District of Zhanjiang City 湛江市[Zhan4 jiang1 Shi4], Guangdong" -麻章区,má zhāng qū,"Mazhang District of Zhanjiang City 湛江市[Zhan4 jiang1 Shi4], Guangdong" -麻糬,má shǔ,"(transliteration of Japanese ""mochi"") sticky rice balls; mochi" -麻纱,má shā,linen or cotton fabric -麻絮,má xù,hemp wadding -麻缠,má chán,to pester -麻腮风,má sāi fēng,"measles, mumps and rubella (MMR) (abbr. for 麻疹[ma2 zhen3] + 流行性腮腺炎[liu2 xing2 xing4 sai1 xian4 yan2] + 風疹|风疹[feng1 zhen3])" -麻脸,má liǎn,pockmarked face -麻花,má huā,fried dough twist (crisp snack food made by deep-frying plaited dough); worn out or worn smooth (of clothes) -麻花辫,má huā biàn,braided pigtail -麻苎,má zhù,hemp and ramie; coarse cloth -麻茎,má jīng,hemp straw -麻药,má yào,anesthetic -麻衣,má yī,hemp garment -麻袋,má dài,sack; burlap bag -麻豆,má dòu,"Matou town in Tainan county 台南縣|台南县[Tai2 nan2 xian4], Taiwan" -麻豆,má dòu,(fashion) model (loanword) -麻豆镇,má dòu zhèn,"Matou town in Tainan county 台南縣|台南县[Tai2 nan2 xian4], Taiwan" -麻辣,má là,hot and numbing -麻辣烫,má là tàng,hot spicy soup (often sold at street stalls) -麻醉,má zuì,anesthesia; to anesthetize; (fig.) to corrupt (sb's mind); to enervate; to numb the mind (to escape from harsh reality) -麻醉剂,má zuì jì,an anesthetic; (fig.) a narcotic -麻醉学,má zuì xué,anesthesiology -麻醉学者,má zuì xué zhě,anaesthesiologist -麻醉师,má zuì shī,anaesthetist -麻醉状态,má zuì zhuàng tài,narcosis; narcotism; anesthesia; anesthesis -麻醉药,má zuì yào,anesthetic; narcotic -麻醉药品,má zuì yào pǐn,narcotic -麻酱,má jiàng,sesame paste -麻阳,má yáng,"Mayang Miao autonomous county in Huaihua 懷化|怀化[Huai2 hua4], Hunan" -麻阳县,má yáng xiàn,"Mayang Miao autonomous county in Huaihua 懷化|怀化[Huai2 hua4], Hunan" -麻阳苗族自治县,má yáng miáo zú zì zhì xiàn,"Mayang Miao autonomous county in Huaihua 懷化|怀化[Huai2 hua4], Hunan" -麻雀,má què,sparrow; (dialect) mahjong -麻类,má lèi,bast fiber -麻风,má fēng,leprosy; Hansen's disease -麻风病,má fēng bìng,leprosy; Hansen's disease -麻麻亮,mā ma liàng,(dialect) to begin to dawn; to be just getting light -麻黄,má huáng,ephedra (genus Ephedra) -麻黄素,má huáng sù,ephedrine -麻黄碱,má huáng jiǎn,ephedrine -么,má,exclamatory final particle -么,ma,interrogative final particle -么,me,"suffix, used to form interrogative 什麼|什么[shen2 me5], what?, indefinite 這麼|这么[zhe4 me5] thus, etc" -麽,mó,tiny; insignificant -么么,me me,kissing sound (slang onom.) -么,me,variant of 麼|么[me5] -麾,huī,signal flag; to signal -麾下,huī xià,troops; subordinates; (honorific appellation for a general) -麿,mǒ,"(Japanese kokuji) I, me (archaic); suffix attached to the name of a person or pet; pr. maro" -黄,huáng,surname Huang or Hwang -黄,huáng,yellow; pornographic; to fall through -黄不溜秋,huáng bù liū qiū,yellowish; dirty yellow -黄以静,huáng yǐ jìng,"Wong Yee Ching or Flossie Wong-Staal (1946-2020) Hong Kong American virologist, joint discoverer of the HIV AIDS virus" -黄信,huáng xìn,"Huang Xin, character in The Water Margin" -黄光裕,huáng guāng yù,"Huang Guangyu (1969-), PRC entrepreneur and millionaire, founder of GOME Electrical 國美電器|国美电器[Guo2 mei3 Dian4 qi4]" -黄克强,huáng kè qiáng,"pseudonym of Huang Xing 黃興|黄兴[Huang2 Xing1], one of the heroes of the 1911 Xinhai Revolution 辛亥革命[Xin1 hai4 Ge2 ming4]" -黄冠啄木鸟,huáng guān zhuó mù niǎo,(bird species of China) lesser yellownape (Picus chlorolophus) -黄包车,huáng bāo chē,rickshaw -黄南,huáng nán,Huangnan Tibetan autonomous prefecture (Tibetan: Rma-lho Bod-rigs rang skyong khul) in Qinghai -黄南州,huáng nán zhōu,Huangnan Tibetan autonomous prefecture (Tibetan: Rma-lho Bod-rigs rang skyong khul) in Qinghai -黄南藏族自治州,huáng nán zàng zú zì zhì zhōu,Huangnan Tibetan Autonomous Prefecture (Tibetan: Rma-lho Bod-rigs rang skyong khul) in Qinghai -黄原胶,huáng yuán jiāo,xanthan; xanthanate gum (polysaccharide food additive used as a thickener) -黄原酸盐,huáng yuán suān yán,xanthate -黄喉,huáng hóu,"aorta (ingredient of hotpot, Sichuan cuisine)" -黄喉噪鹛,huáng hóu zào méi,(bird species of China) yellow-throated laughingthrush (Garrulax galbanus) -黄喉蜂虎,huáng hóu fēng hǔ,(bird species of China) European bee-eater (Merops apiaster) -黄喉雀鹛,huáng hóu què méi,(bird species of China) yellow-throated fulvetta (Alcippe cinerea) -黄嘌呤,huáng piào lìng,xanthine -黄嘴山鸦,huáng zuǐ shān yā,(bird species of China) alpine chough (Pyrrhocorax graculus) -黄嘴朱顶雀,huáng zuǐ zhū dǐng què,(bird species of China) twite (Linaria flavirostris) -黄嘴栗啄木鸟,huáng zuǐ lì zhuó mù niǎo,(bird species of China) bay woodpecker (Blythipicus pyrrhotis) -黄嘴河燕鸥,huáng zuǐ hé yàn ōu,(bird species of China) river tern (Sterna aurantia) -黄嘴潜鸟,huáng zuǐ qián niǎo,(bird species of China) yellow-billed loon (Gavia adamsii) -黄嘴白鹭,huáng zuǐ bái lù,(bird species of China) Chinese egret (Egretta eulophotes) -黄嘴蓝鹊,huáng zuǐ lán què,(bird species of China) yellow-billed blue magpie (Urocissa flavirostris) -黄嘴角鸮,huáng zuǐ jiǎo xiāo,(bird species of China) mountain scops owl (Otus spilocephalus) -黄土,huáng tǔ,loess (yellow sandy soil typical of north China) -黄土不露天,huáng tǔ bù lù tiān,a slogan used in reference to a project to improve greenery in some parts of Northern China -黄土地貌,huáng tǔ dì mào,loess landform -黄土高原,huáng tǔ gāo yuán,Loess Plateau of northwest China -黄埔,huáng pǔ,"Huangpu District, Guangzhou; Whampoa (old transliteration); Guangdong Harbor" -黄埔区,huáng pǔ qū,"Huangpu District of Guangzhou City 廣州市|广州市[Guang3 zhou1 Shi4], Guangdong" -黄埔军校,huáng pǔ jūn xiào,Whampoa Military Academy -黄大仙,huáng dà xiān,"Wong Tai Sin district of Kowloon, Hong Kong" -黄宗羲,huáng zōng xī,"Huang Zongxi (1610-1695), scholar and writer of the Ming-Qing transition" -黄富平,huáng fù píng,pen name of Deng Xiaoping during his 1992 southern tour -黄山,huáng shān,"Huangshan, a district of Huangshan City 黃山市|黄山市[Huang2shan1 Shi4], Anhui" -黄山区,huáng shān qū,"Huangshan, a district of Huangshan City 黃山市|黄山市[Huang2shan1 Shi4], Anhui" -黄山市,huáng shān shì,Huangshan prefecture-level city centered around Huangshan Mountains in south Anhui -黄冈,huáng gāng,Huanggang prefecture-level city in Hubei -黄冈市,huáng gāng shì,Huanggang prefecture-level city in Hubei -黄岩,huáng yán,"Huangyan district of Taizhou city 台州市[Tai1 zhou1 shi4], Zhejiang" -黄岩区,huáng yán qū,"Huangyan district of Taizhou city 台州市[Tai1 zhou1 shi4], Zhejiang" -黄岩岛,huáng yán dǎo,Huangyan Island (in the South China Sea) -黄岛,huáng dǎo,"Huangdao district of Qingdao city 青島市|青岛市, Shandong" -黄岛区,huáng dǎo qū,"Huangdao district of Qingdao city 青島市|青岛市, Shandong" -黄州,huáng zhōu,"Huangzhou district of Huanggang city 黃岡市|黄冈市[Huang2 gang1 shi4], Hubei" -黄州区,huáng zhōu qū,"Huangzhou district of Huanggang city 黃岡市|黄冈市[Huang2 gang1 shi4], Hubei" -黄巢,huáng cháo,"Huang Chao (-884), leader of peasant uprising 875-884 in late Tang" -黄巢之乱,huáng cháo zhī luàn,late Tang peasant uprising 875-884 led by Huang Chao -黄巢起义,huáng cháo qǐ yì,"Huang Chao peasant uprising 875-884 in late Tang, led by Huang Chao" -黄巾,huáng jīn,refers to the Yellow Turbans Peasant Uprising at the end of later Han (from 184) -黄巾之乱,huáng jīn zhī luàn,the Yellow Turbans Peasant Uprising at the end of later Han (from 184) -黄巾民变,huáng jīn mín biàn,the Yellow Turbans Peasant Uprising at the end of later Han (from 184) -黄巾起义,huáng jīn qǐ yì,Yellow Turbans Peasant Uprising at the end of later Han (from 184) -黄巾军,huáng jīn jūn,"the army of Yellow Turbans, a peasant uprising at the end of later Han (from 184)" -黄帝,huáng dì,"the Yellow Emperor, mythological emperor of China, reigned c. 2697-2597 BC" -黄帝内经,huáng dì nèi jīng,"The Yellow Emperor's Internal Canon, medical text c. 300 BC" -黄帝八十一难经,huáng dì bā shí yī nàn jīng,"The Yellow Emperor's Classic of Eighty-one Difficulties, medical text, c. 1st century AD" -黄帝族,huáng dì zú,tribes under the Yellow Emperor -黄平,huáng píng,"Huangping county in Qiandongnan Miao and Dong autonomous prefecture 黔東南州|黔东南州[Qian2 dong1 nan2 zhou1], Guizhou" -黄平县,huáng píng xiàn,"Huangping county in Qiandongnan Miao and Dong autonomous prefecture 黔東南州|黔东南州[Qian2 dong1 nan2 zhou1], Guizhou" -黄庭坚,huáng tíng jiān,"Huang Tingjian (1045-1105), Song poet and calligrapher" -黄庭经,huáng tíng jīng,"Huangting Jing, one of the primary scriptures of Daoism" -黄建南,huáng jiàn nán,"John Huang (1945-), Democratic Party fundraiser" -黄忠,huáng zhōng,"Huang Zhong (-220), general of Shu in Romance of the Three Kingdoms, portrayed as an old fighter" -黄教,huáng jiào,Yellow hat or Gelugpa school of Tibetan Buddhism; also written 格魯派|格鲁派[Ge2 lu3 pai4] -黄斑,huáng bān,"macula lutea (anatomy, central area of retina); yellow spot" -黄昏,huáng hūn,dusk; evening; nightfall -黄昏恋,huáng hūn liàn,fig. romantic relationship between an elderly couple; falling in love in the autumn of one's life -黄历,huáng li,Chinese divination almanac -黄曲霉,huáng qū méi,Aspergillus flavus (fungus typically found on crops) -黄曲霉毒素,huáng qū méi dú sù,aflatoxin -黄曲霉菌,huáng qū méi jūn,Aspergillus flavus (fungus typically found on crops) -黄书,huáng shū,pornographic book -黄果树大瀑布,huáng guǒ shù dà pù bù,"Huangguoshu falls, Anshun 安順|安顺[An1 shun4], Guizhou" -黄果树瀑布,huáng guǒ shù pù bù,"Huangguoshu waterfalls, Anshun 安順|安顺[An1 shun4], Guizhou" -黄柏,huáng bò,variant of 黃檗|黄檗[huang2 bo4] -黄柳霜,huáng liǔ shuāng,"Anna May Wong (1905-1961), Chinese American Hollywood actress" -黄梅,huáng méi,"Huangmei county in Huanggang 黃岡|黄冈[Huang2 gang1], Hubei" -黄梅戏,huáng méi xì,Huangmei opera (local opera of Anhui) -黄梅县,huáng méi xiàn,"Huangmei county in Huanggang 黃岡|黄冈[Huang2 gang1], Hubei" -黄梨,huáng lí,pineapple; pear -黄檗,huáng bò,Amur cork tree (Phellodendron amurense); cork-tree bark (Chinese medicine) -黄毒,huáng dú,pornography; the psychological harm of pornography -黄毛丫头,huáng máo yā tou,silly little girl -黄水晶,huáng shuǐ jīng,citrine (orange or yellow quartz SiO2 as a semiprecious stone) -黄河,huáng hé,Yellow River or Huang He -黄河大合唱,huáng hé dà hé chàng,Yellow River Cantata (1939) by Xian Xinghai 冼星海[Xian3 Xing1 hai3] -黄河流域,huáng hé liú yù,the Yellow River basin -黄油,huáng yóu,butter; CL:盒[he2] -黄泉,huáng quán,the Yellow Springs; the underworld of Chinese mythology; the equivalent of Hades or Hell -黄泛区,huáng fàn qū,"Huang He Inundated Area, the area flooded in 1938 when dikes along the Yellow River were destroyed in an attempt to halt the advance of Japanese troops; (historically) Huang He floodable area" -黄泛区,huáng fàn qū,red-light district -黄流,huáng liú,see 黃流鎮|黄流镇[Huang2 liu2 zhen4] -黄流镇,huáng liú zhèn,"Huangliu township, Hainan" -黄浦,huáng pǔ,the main river through Shanghai; name of a district in Shanghai -黄浦区,huáng pǔ qū,"Huangpu district, central Shanghai" -黄浦江,huáng pǔ jiāng,Huangpu River in Shanghai -黄海,huáng hǎi,Yellow Sea -黄海北道,huáng hǎi běi dào,North Hwanghae Province of west North Korea -黄海南道,huáng hǎi nán dào,South Hwanghae Province of west North Korea -黄海道,huáng hǎi dào,"former Hwanghae Province of northwest Korea, divided into North and South Hwanghae Province of North Korea in 1954" -黄滔,huáng tāo,"Huang Tao (840-911), late Tang poet" -黄漂,huáng piāo,rafting on the Yellow River (abbr. for 黃河漂流|黄河漂流[Huang2 He2 piao1liu2]) -黄澄澄,huáng dēng dēng,glistening yellow; golden -黄炎贵胄,huáng yán guì zhòu,honorable Chinese nationals (idiom) -黄热病,huáng rè bìng,yellow fever -黄热病毒,huáng rè bìng dú,yellow fever virus -黄爪隼,huáng zhuǎ sǔn,(bird species of China) lesser kestrel (Falco naumanni) -黄父鬼,huáng fù guǐ,"Huang Fugui, ghost of legends who provided Liu Juanzi with his magical recipes 劉涓子鬼遺方|刘涓子鬼遗方" -黄片,huáng piàn,adult movie; pornographic movie -黄牌,huáng pái,(sports) yellow card; (fig.) admonishment -黄牛,huáng niú,ox; cattle; scalper of tickets etc; (dialect) to fail to show up; (dialect) to break a promise -黄牛票,huáng niú piào,scalped tickets -黄玉,huáng yù,topaz -黄瓜,huáng guā,cucumber; CL:條|条[tiao2] -黄疸,huáng dǎn,jaundice -黄疸病,huáng dǎn bìng,jaundice -黄痣薮鹛,huáng zhì sǒu méi,(bird species of China) Steere's liocichla (Liocichla steerii) -黄癣,huáng xuǎn,favus of the scalp (skin disease) -黄白交点,huáng bái jiāo diǎn,ecliptic line; intersection of the ecliptic with the moon's orbit plane -黄皮,huáng pí,wampee (Clausena lansium) -黄眉林雀,huáng méi lín què,(bird species of China) yellow-browed tit (Sylviparus modestus) -黄眉柳莺,huáng méi liǔ yīng,(bird species of China) yellow-browed warbler (Phylloscopus inornatus) -黄石,huáng shí,Huangshi prefecture-level city in Hubei -黄石公,huáng shí gōng,"Huang Shigong, also known as Xia Huanggong 夏黃公|夏黄公[Xia4 Huang2 gong1] (dates of birth and death uncertain), Daoist hermit of the Qin Dynasty 秦代[Qin2 dai4] and purported author" -黄石公三略,huáng shí gōng sān lüè,"""Three Strategies of Huang Shigong"", one of the Seven Military Classics of ancient China" -黄石市,huáng shí shì,Huangshi prefecture-level city in Hubei -黄石港,huáng shí gǎng,"Huangshigang district of Huangshi city 黃石市|黄石市[Huang2 shi2 shi4], Hubei" -黄石港区,huáng shí gǎng qū,"Huangshigang district of Huangshi city 黃石市|黄石市[Huang2 shi2 shi4], Hubei" -黄祸,huáng huò,"Yellow Peril, political novel by Wang Lixiong 王力雄[Wang2 Li4 xiong2]" -黄祸,huáng huò,"yellow peril (offensive term referring to the perceived threat to Western nations, of immigration or military expansion from East Asian nations)" -黄秋葵,huáng qiū kuí,okra (Hibiscus esculentus); lady's fingers -黄种,huáng zhǒng,the yellow race; the Mongoloid race -黄简,huáng jiǎn,Wrigley's Juicy Fruit (brand) -黄粉虫,huáng fěn chóng,mealworm (Tenebrio molitor) -黄粱一梦,huáng liáng yī mèng,see 黃粱夢|黄粱梦[huang2 liang2 meng4] -黄粱梦,huáng liáng mèng,dream of golden millet; fig. illusions of wealth and glory; pipe dream -黄粱美梦,huáng liáng měi mèng,dream of golden millet; fig. illusions of wealth and power; pipe dream -黄精,huáng jīng,King Solomon's seal (plant of genus Polygonatum) -黄纹拟啄木鸟,huáng wén nǐ zhuó mù niǎo,(bird species of China) green-eared barbet (Megalaima faiostricta) -黄绿,huáng lǜ,yellow-green -黄绿色,huáng lǜ sè,yellow green -黄绿鹎,huáng lǜ bēi,(bird species of China) flavescent bulbul (Pycnonotus flavescens) -黄羊,huáng yáng,Mongolian gazelle; Procapra gutturosa -黄耆,huáng qí,"milk vetch; plant genus Astragalus; huangqi 黃芪|黄芪, Astragalus membranaceus (used in TCM)" -黄肛啄花鸟,huáng gāng zhuó huā niǎo,(bird species of China) yellow-vented flowerpecker (Dicaeum chrysorrheum) -黄胸柳莺,huáng xiōng liǔ yīng,(bird species of China) yellow-vented warbler (Phylloscopus cantator) -黄胸织雀,huáng xiōng zhī què,(bird species of China) baya weaver (Ploceus philippinus) -黄腰太阳鸟,huáng yāo tài yáng niǎo,(bird species of China) crimson sunbird (Aethopyga siparaja) -黄腰柳莺,huáng yāo liǔ yīng,(bird species of China) Pallas's leaf warbler (Phylloscopus proregulus) -黄脚三趾鹑,huáng jiǎo sān zhǐ chún,(bird species of China) yellow-legged buttonquail (Turnix tanki) -黄脚绿鸠,huáng jiǎo lǜ jiū,(bird species of China) yellow-footed green pigeon (Treron phoenicopterus) -黄脚银鸥,huáng jiǎo yín ōu,(bird species of China) Caspian gull (Larus cachinnans) -黄腹冠鹎,huáng fù guān bēi,(bird species of China) white-throated bulbul (Alophoixus flaveolus) -黄腹啄花鸟,huáng fù zhuó huā niǎo,(bird species of China) yellow-bellied flowerpecker (Dicaeum melanoxanthum) -黄腹山雀,huáng fù shān què,(bird species of China) yellow-bellied tit (Pardaliparus venustulus) -黄腹柳莺,huáng fù liǔ yīng,(bird species of China) Tickell's leaf warbler (Phylloscopus affinis) -黄腹树莺,huáng fù shù yīng,(bird species of China) yellow-bellied bush warbler (Horornis acanthizoides) -黄腹花蜜鸟,huáng fù huā mì niǎo,(bird species of China) olive-backed sunbird (Cinnyris jugularis) -黄腹角雉,huáng fù jiǎo zhì,(bird species of China) Cabot's tragopan (Tragopan caboti) -黄腹鹨,huáng fù liù,(bird species of China) buff-bellied pipit (Anthus rubescens) -黄腹鹪莺,huáng fù jiāo yīng,(bird species of China) yellow-bellied prinia (Prinia flaviventris) -黄腿渔鸮,huáng tuǐ yú xiāo,(bird species of China) tawny fish owl (Ketupa flavipes) -黄胶,huáng jiāo,yellow gum; xanthanate gum (polysaccharide food additive used as a thickener) -黄臀鹎,huáng tún bēi,(bird species of China) brown-breasted bulbul (Pycnonotus xanthorrhous) -黄脸,huáng liǎn,yellow face (due to sickness etc); yellow-skinned people -黄脸婆,huáng liǎn pó,faded old woman -黄兴,huáng xīng,"Huang Xing (1874-1916), revolutionary politician, close collaborator of Sun Yat-sen, prominent in the 1911 Xinhai Revolution 辛亥革命[Xin1 hai4 Ge2 ming4], murdered in Shanghai in 1916" -黄色,huáng sè,yellow; vulgar; lewd; pornographic -黄色书刊,huáng sè shū kān,pornographic books and magazines -黄色炸药,huáng sè zhà yào,"trinitrotoluene (TNT), C6H2(NO2)3CH3" -黄芪,huáng qí,huangqi; milk vetch root (used in TCM); Astragalus membranaceus or Astragalus mongholicus -黄花,huáng huā,yellow flowers (of various types); chrysanthemum; cauliflower; (yellow) daylily; a young virgin (boy or girl) -黄花女,huáng huā nǚ,maiden; virgin -黄花女儿,huáng huā nǚ ér,see 黃花閨女|黄花闺女[huang2 hua1 gui1 nu:3] -黄花姑娘,huáng huā gū niang,maiden; virgin girl -黄花岗,huáng huā gǎng,"Huanghuagang (Chrysanthemum Hill) in Guangzhou, scene of disastrous uprising of 23rd April 1911" -黄花岗七十二烈士,huáng huā gāng qī shí èr liè shì,the seventy two martyrs of the Huanghuagang uprising of 23rd April 1911 -黄花岗起义,huáng huā gǎng qǐ yì,"Huanghuagang uprising of 23rd April 1911 in Guangzhou, one a long series of unsuccessful uprisings of Sun Yat-sen's revolutionary party" -黄花幼女,huáng huā yòu nǚ,maiden; virgin -黄花梨木,huáng huā lí mù,yellow rosewood -黄花菜,huáng huā cài,citron daylily (Hemerocallis citrina Baroni); golden needles (its edible flower) -黄花菜都凉了,huáng huā cài dōu liáng le,lit. the dishes are cold (idiom); fig. to arrive late; to take one's sweet time -黄花闺女,huáng huā guī nǚ,maiden; virgin -黄花鱼,huáng huā yú,yellow croaker (fish); corvina -黄菊,huáng jú,"Huang Ju (1938-2007), Chinese politician" -黄菊,huáng jú,yellow chrysanthemum; wine -黄华,huáng huá,"Huang Hua (1913-2010), PRC foreign minister (1976-1982) and vice premier (1980-1982)" -黄姜,huáng jiāng,turmeric -黄蜂,huáng fēng,wasp -黄蟮,huáng shàn,variant of 黃鱔|黄鳝[huang2 shan4] -黄蜡,huáng là,beeswax -黄袍加身,huáng páo jiā shēn,lit. to take the yellow gown (idiom); fig. to be made emperor; to take the crown -黄褐斑,huáng hè bān,chloasma; melasma -黄褐色,huáng hè sè,tan (color); tawny -黄谣,huáng yáo,sexual rumor (abbr. for 黃色謠言|黄色谣言[huang2 se4 yao2 yan2]) -黄豆,huáng dòu,soybean -黄宾虹,huáng bīn hóng,"Huang Binhong (1865-1955), art historian and literati painter" -黄赤色,huáng chì sè,golden colored; yellow red -黄连,huáng lián,"Chinese goldthread (Coptis chinensis), rhizome used in medicine" -黄道,huáng dào,(astronomy) the ecliptic -黄道十二宫,huáng dào shí èr gōng,see 十二宮|十二宫[shi2 er4 gong1] -黄遵宪,huáng zūn xiàn,"Huang Zunxian (1848-1905), Qing dynasty poet and diplomat, author of A Record of Japan 日本國誌|日本国志[Ri4 ben3 Guo2 zhi4], an extended analysis of Meiji Japan" -黄酒,huáng jiǔ,"""yellow wine"" (mulled rice wine, usually served warm)" -黄酮,huáng tóng,flavone -黄酮类化合物,huáng tóng lèi huà hé wù,flavonoid (chemistry) -黄酶,huáng méi,yellow enzyme -黄酱,huáng jiàng,yellow soybean paste (fermented and salted) -黄金,huáng jīn,gold; golden (opportunity); prime (time) -黄金分割,huáng jīn fēn gē,golden ratio; golden section -黄金宝,huáng jīn bǎo,"Wong Kam-po (1973-), Hong Kong champion cyclist" -黄金屋,huáng jīn wū,lit. house made of gold; fig. luxurious residence -黄金时代,huáng jīn shí dài,golden age -黄金时段,huáng jīn shí duàn,prime time -黄金档,huáng jīn dàng,prime time -黄金海岸,huáng jīn hǎi àn,"name of various places including Gold Coast (Australian city), Gold Coast (former British colony in Africa) and Costa Daurada (area on the coast of Catalonia, Spain)" -黄金辉,huáng jīn huī,"Wee Kim Wee (1915-2005), president of Singapore (1985-1993)" -黄金周,huáng jīn zhōu,"Golden Week, two 7-day national holiday periods" -黄铜,huáng tóng,brass (alloy of copper 銅|铜[tong2] and zinc 鋅|锌[xin1]) -黄钟毁弃瓦釜雷鸣,huáng zhōng huǐ qì wǎ fǔ léi míng,lit. earthern pots make more noise than classical bells; good men are discarded in favor of bombastic ones (idiom) -黄铁矿,huáng tiě kuàng,pyrite -黄长烨,huáng cháng yè,"Hwang Jang-yop (1923-2010), North Korean politician known for defecting to South Korea" -黄陂,huáng pí,"Huangpi district of Wuhan city 武漢市|武汉市[Wu3 han4 shi4], Hubei" -黄陂区,huáng pí qū,"Huangpi district of Wuhan city 武漢市|武汉市[Wu3 han4 shi4], Hubei" -黄陵,huáng líng,"mausoleum of the Yellow Emperor; Huangling county in Yan'an 延安[Yan2 an1], Shaanxi" -黄陵县,huáng líng xiàn,"Huangling county in Yan'an 延安[Yan2 an1], Shaanxi" -黄雀,huáng què,(bird species of China) Eurasian siskin (Spinus spinus) -黄页,huáng yè,Yellow Pages -黄头鹡鸰,huáng tóu jí líng,(bird species of China) citrine wagtail (Motacilla citreola) -黄颊山雀,huáng jiá shān què,(bird species of China) yellow-cheeked tit (Machlolophus spilonotus) -黄颊麦鸡,huáng jiá mài jī,(bird species of China) sociable lapwing (Vanellus gregarius) -黄颔蛇,huáng hàn shé,adder (zoology) -黄颈啄木鸟,huáng jǐng zhuó mù niǎo,(bird species of China) Darjeeling woodpecker (Dendrocopos darjellensis) -黄颈拟蜡嘴雀,huáng jǐng nǐ là zuǐ què,(bird species of China) collared grosbeak (Mycerobas affinis) -黄颈凤鹛,huáng jǐng fèng méi,(bird species of China) whiskered yuhina (Yuhina flavicollis) -黄额鸦雀,huáng é yā què,(bird species of China) fulvous parrotbill (Suthora fulvifrons) -黄飞鸿,huáng fēi hóng,"Wong Fei-hung (1847-1925), martial arts master" -黄饼,huáng bǐng,yellowcake -黄骅市,huáng huá shì,"Huanghua, county-level city in Cangzhou 滄州|沧州[Cang1 zhou1], Hebei" -黄骨髓,huáng gǔ suǐ,yellow bone marrow -黄体,huáng tǐ,corpus luteum (glands in female mammals producing progesterone) -黄体期,huáng tǐ qī,luteal phase (period in the menstrual cycle when an embryo can implant in the womb) -黄体酮,huáng tǐ tóng,progesterone -黄鱼,huáng yú,yellow croaker (fish) -黄鱼车,huáng yú chē,lit. croaker car; flatbed tricycle; delivery tricycle -黄鳝,huáng shàn,Asian swamp eel (Monopterus albus) (CL:條|条[tiao2]) -黄鸭,huáng yā,Ruddy Shelduck (Tadorna ferruginea); same as 赤麻鴨|赤麻鸭 -黄鹏,huáng péng,oriole; black-naped oriole (Oriolus chinensis) -黄莺,huáng yīng,black-naped oriole (Oriolus chinensis) -黄鹤楼,huáng hè lóu,"Yellow Crane Tower in Wuhan City, built in 223, burnt down in 1884, rebuilt in 1985; favored place of poet sages, who in legend arrived riding golden cranes; Tang poem by Cui Hao 崔顥|崔颢[Cui1 Hao4], with theme 'the past will never return'; one of three famous pagodas in China along with Yueyang Tower 岳陽樓|岳阳楼[Yue4 yang2 Lou2] in Yueyang, north Hunan, and Tengwang Tower 滕王閣|滕王阁[Teng2 wang2 Ge2] in Nanchang, Jiangxi" -黄鹡鸰,huáng jí líng,(bird species of China) eastern yellow wagtail (Motacilla tschutschensis) -黄鹂,huáng lí,yellow oriole (Oriolus chinensis) -黄麻,huáng má,jute (Corchorus capsularis Linn.); plant fiber used for rope or sacks -黄鼠狼,huáng shǔ láng,see 黃鼬|黄鼬[huang2 you4] -黄鼠狼给鸡拜年,huáng shǔ láng gěi jī bài nián,"Beware of suspicious folk bearing gifts, they are sure to be ill-intentioned. (idiom)" -黄鼬,huáng yòu,Siberian weasel (Mustela sibirica) -黄龙,huáng lóng,"Huanglong county in Yan'an 延安[Yan2 an1], Shaanxi" -黄龙病,huáng lóng bìng,"huanglongbing, citrus greening disease" -黄龙县,huáng lóng xiàn,"Huanglong county in Yan'an 延安[Yan2 an1], Shaanxi" -黉,hóng,school -黉舍,hóng shè,school building; school -黍,shǔ,broomcorn millet; glutinous millet -黎,lí,Li ethnic group of Hainan Province; surname Li; abbr. for Lebanon 黎巴嫩[Li2ba1nen4] -黎,lí,(literary) black; dark; many; multitude -黎利,lí lì,"Le Loi, Vietnamese general and emperor who won back independence for Vietnam from China in 1428" -黎城,lí chéng,"Licheng county in Changzhi 長治|长治[Chang2 zhi4], Shanxi" -黎城县,lí chéng xiàn,"Licheng county in Changzhi 長治|长治[Chang2 zhi4], Shanxi" -黎川,lí chuān,"Lichuan county in Fuzhou 撫州|抚州, Jiangxi" -黎川县,lí chuān xiàn,"Lichuan county in Fuzhou 撫州|抚州, Jiangxi" -黎巴嫩,lí bā nèn,Lebanon -黎平,lí píng,"Liping county in Qiandongnan Miao and Dong autonomous prefecture 黔東南州|黔东南州[Qian2 dong1 nan2 zhou1], Guizhou" -黎平县,lí píng xiàn,"Liping county in Qiandongnan Miao and Dong autonomous prefecture 黔東南州|黔东南州[Qian2 dong1 nan2 zhou1], Guizhou" -黎庶,lí shù,populace; masses; the people -黎族,lí zú,Li ethnic group -黎明,lí míng,dawn; daybreak -黎明前的黑暗,lí míng qián de hēi àn,darkness comes before dawn; things can only get better (idiom) -黎明时分,lí míng shí fēn,daybreak; at the crack of dawn -黎智英,lí zhì yīng,"Lai Chee-ying, aka Jimmy Lai (1947-), Hong Kong media tycoon, prominent critic of the CCP and supporter of the pro-democracy camp 民主派[Min2zhu3pai4]" -黎曼,lí màn,"G.F.B. Riemann (1826-1866), German geometer" -黎曼几何,lí màn jǐ hé,(math.) Riemannian geometry -黎曼几何学,lí màn jǐ hé xué,Riemannian geometry -黎曼曲面,lí màn qū miàn,Riemann surface (math.) -黎曼空间,lí màn kōng jiān,Riemannian space (physics) -黎曼罗赫定理,lí màn luó hè dìng lǐ,(math.) Riemann-Roch theorem -黎曼面,lí màn miàn,Riemann surface (math.) -黎民,lí mín,the common people; the great unwashed -黎笋,lí sǔn,"Le Duan (1907-1986), Vietnamese communist politician" -黎黑,lí hēi,variant of 黧黑[li2 hei1] -黏,nián,sticky; glutinous; (Tw) to adhere; to stick on; to glue -黏人,nián rén,(of a child) clingy; (of a pet) fond of interacting with people; friendly -黏住,nián zhù,cling -黏儿,nián er,gum; resin -黏合,nián hé,to glue together -黏合剂,nián hé jì,glue -黏土,nián tǔ,clay -黏土动画,nián tǔ dòng huà,clay animation; Claymation -黏度,nián dù,(physics) viscosity -黏性,nián xìng,stickiness; gluing strength; viscosity -黏性力,nián xìng lì,(physics) viscous force -黏扣带,nián kòu dài,velcro (Tw) -黏木,nián mù,amonang tree (Ixonanthes chinensis) -黏涎,nián xian,saliva; slobber; (coll.) long-winded; meandering -黏涎子,nián xián zi,saliva; dribble -黏液,nián yè,mucus -黏滑,nián huá,slimy (of rotten food); viscous; (mechanics) stick-slip -黏滞,nián zhì,viscous -黏滞性,nián zhì xìng,viscosity -黏痰,nián tán,phlegm -黏稠度,nián chóu dù,viscosity -黏答答,nián dā dā,(unpleasantly) sticky -黏米,nián mǐ,glutinous rice; sticky rice; (dialect) broomcorn millet -黏糊,nián hu,sticky; glutinous; slow-moving -黏糊糊,nián hū hū,sticky -黏结,nián jié,to cohere; to bind -黏膜,nián mó,mucous membrane -黏胶,nián jiāo,glue; adhesive; viscose -黏胶液,nián jiāo yè,viscose -黏腻,nián nì,sticky; clammy; (fig.) clingy; emotionally dependent -黏菌,nián jūn,slime mold (Myxomycetes) -黏着,nián zhuó,to adhere; to stick together; to bond; to agglutinate -黏着力,nián zhuó lì,adhesion; adhesive force -黏着性,nián zhuó xìng,(linguistic) agglutinative -黏着语,nián zhuó yǔ,agglutinative language (e.g. Turkish and Japanese) -黏虫,nián chóng,armyworm (Mythimna separata) -黏贴,nián tiē,to glue to; to paste onto; to stick on -黏附,nián fù,to adhere; to stick to -黏附力,nián fù lì,adhesive force; adherence; coherence -黑,hēi,abbr. for Heilongjiang province 黑龍江|黑龙江[Hei1 long2 jiang1] -黑,hēi,black; dark; sinister; secret; shady; illegal; to hide (sth) away; to vilify; (loanword) to hack (computing) -黑不溜秋,hēi bù liū qiū,dark and swarthy -黑乎乎,hēi hū hū,variant of 黑糊糊[hei1 hu1 hu1] -黑五,hēi wǔ,Black Friday -黑五类,hēi wǔ lèi,"the ""five black categories"" (Cultural Revolution term), i.e. landlords, rich peasants, counterrevolutionaries, bad elements and rightists" -黑人,hēi rén,black person; an illegal -黑信,hēi xìn,blackmail -黑兀鹫,hēi wù jiù,(bird species of China) red-headed vulture (Sarcogyps calvus) -黑光灯,hēi guāng dēng,a blacklight; an ultraviolet light -黑冠山雀,hēi guān shān què,(bird species of China) rufous-vented tit (Periparus rubidiventris) -黑冠椋鸟,hēi guān liáng niǎo,(bird species of China) Brahminy starling (Sturnia pagodarum) -黑冠长臂猿,hēi guān cháng bì yuán,black crested gibbon (Nomascus nasutus) -黑冠鹃隼,hēi guān juān sǔn,(bird species of China) black baza (Aviceda leuphotes) -黑冠黄鹎,hēi guān huáng bēi,(bird species of China) black-crested bulbul (Pycnonotus flaviventris) -黑函,hēi hán,poison pen letter (Tw) -黑加仑,hēi jiā lún,blackcurrant -黑化,hēi huà,"to blacken; (slang) to undergo a transformation to a malevolent personality (often, precipitated by intense psychological stress)" -黑匣子,hēi xiá zi,(airplane) black box -黑卡,hēi kǎ,a fraudulently used credit card -黑卷尾,hēi juǎn wěi,(bird species of China) black drongo (Dicrurus macrocercus) -黑叉尾海燕,hēi chā wěi hǎi yàn,(bird species of China) Swinhoe's storm petrel (Oceanodroma monorhis) -黑吃黑,hēi chī hēi,(of a villain) to do the dirty on another villain -黑名单,hēi míng dān,blacklist -黑呼呼,hēi hū hū,variant of 黑糊糊[hei1 hu1 hu1] -黑命贵,hēi mìng guì,Black Lives Matter (social movement) -黑咕隆咚,hēi gu lōng dōng,pitch-black; pitch-dark -黑哨,hēi shào,(soccer etc) corrupt officiating; dubious call -黑啄木鸟,hēi zhuó mù niǎo,(bird species of China) black woodpecker (Dryocopus martius) -黑喉噪鹛,hēi hóu zào méi,(bird species of China) black-throated laughingthrush (Garrulax chinensis) -黑喉山雀,hēi hóu shān què,(bird species of China) black-bibbed tit (Poecile hypermelaenus) -黑喉山鹪莺,hēi hóu shān jiāo yīng,(bird species of China) hill prinia (Prinia superciliaris) -黑喉岩鹨,hēi hóu yán liù,(bird species of China) black-throated accentor (Prunella atrogularis) -黑喉歌鸲,hēi hóu gē qú,(bird species of China) blackthroat (Calliope obscura) -黑喉毛角燕,hēi hóu máo jiǎo yàn,(bird species of China) Nepal house martin (Delichon nipalense) -黑喉潜鸟,hēi hóu qián niǎo,(bird species of China) black-throated loon (Gavia arctica) -黑喉红尾鸲,hēi hóu hóng wěi qú,(bird species of China) Hodgson's redstart (Phoenicurus hodgsoni) -黑喉红臀鹎,hēi hóu hóng tún bēi,(bird species of China) red-vented bulbul (Pycnonotus cafer) -黑喉缝叶莺,hēi hóu féng yè yīng,(bird species of China) dark-necked tailorbird (Orthotomus atrogularis) -黑喉雪雀,hēi hóu xuě què,(bird species of China) Pere David's snowfinch (Pyrgilauda davidiana) -黑喉鸦雀,hēi hóu yā què,(bird species of China) black-throated parrotbill (Suthora nipalensis) -黑嘴,hēi zuǐ,stock market manipulator -黑嘴端凤头燕鸥,hēi zuǐ duān fèng tóu yàn ōu,(bird species of China) Chinese crested tern (Thalasseus bernsteini) -黑嘴松鸡,hēi zuǐ sōng jī,(bird species of China) black-billed capercaillie (Tetrao urogalloides) -黑嘴鸥,hēi zuǐ ōu,(bird species of China) Saunders's gull (Chroicocephalus saundersi) -黑塞哥维那,hēi sài gē wéi nà,Herzegovina -黑压压,hēi yā yā,see 烏壓壓|乌压压[wu1 ya1 ya1] -黑夜,hēi yè,night -黑天半夜,hēi tiān bàn yè,in the middle of the night -黑奴吁天录,hēi nú yù tiān lù,"Uncle Tom's Cabin, translated and adapted by Lin Shu 林紓|林纾" -黑子,hēi zǐ,black piece (in Chinese chess); black stone (in Go); (astronomy) sunspot -黑子,hēi zi,(slang) hater; detractor -黑客,hēi kè,hacker (computing) (loanword) -黑客帝国,hēi kè dì guó,The Matrix (1999 movie) -黑客文,hēi kè wén,hacker terminology; leetspeak -黑客松,hēi kè sōng,hackathon (loanword) -黑尾地鸦,hēi wěi dì yā,(bird species of China) Mongolian ground jay (Podoces hendersoni) -黑尾塍鹬,hēi wěi chéng yù,(bird species of China) black-tailed godwit (Limosa limosa) -黑尾蜡嘴雀,hēi wěi là zuǐ què,(bird species of China) Chinese grosbeak (Eophona migratoria) -黑尾鸥,hēi wěi ōu,(bird species of China) black-tailed gull (Larus crassirostris) -黑尿症,hēi niào zhèng,alkaponuria -黑屁,hēi pì,(slang) bullshit -黑山,hēi shān,"Montenegro, former Yugoslavia; Heishan county in Jinzhou 錦州|锦州, Liaoning" -黑山县,hēi shān xiàn,"Heishan county in Jinzhou 錦州|锦州, Liaoning" -黑市,hēi shì,black market -黑帖,hēi tiě,poison pen letter -黑幕,hēi mù,hidden details; dirty tricks; dark secrets -黑帮,hēi bāng,bunch of gangsters; criminal gang; organized crime syndicate -黑店,hēi diàn,lit. inn that kills and robs guests (esp. in traditional fiction); fig. a scam; protection racket; daylight robbery -黑影,hēi yǐng,shadow; darkness; twilight -黑心,hēi xīn,ruthless and lacking in conscience; vicious mind full of hatred and jealousy; black core (flaw in pottery) -黑心食品,hēi xīn shí pǐn,contaminated food product unscrupulously marketed as wholesome -黑忽忽,hēi hū hū,variant of 黑糊糊[hei1 hu1 hu1] -黑户,hēi hù,unregistered resident or household; unlicensed shop -黑手,hēi shǒu,(fig.) malign agent who manipulates from behind the scenes; hidden hand; (Tw) mechanic; blue-collar worker; manual laborer -黑手党,hēi shǒu dǎng,mafia -黑斑,hēi bān,dark spot or blotch on the skin -黑斑蚊,hēi bān wén,"Aedes, a genus of mosquito" -黑斑蝗莺,hēi bān huáng yīng,(bird species of China) common grasshopper warbler (Locustella naevia) -黑旋风,hēi xuàn fēng,"Black Whirlwind, nickname of 李逵[Li3 Kui2], known for his fearsome behavior in combat and his dark complexion" -黑旗军,hēi qí jūn,Black Flag Army -黑暗,hēi àn,dark; darkly; darkness -黑暗时代,hēi àn shí dài,Dark Ages -黑暗面,hēi àn miàn,(lit. and fig.) dark side -黑暴,hēi bào,(neologism 2019) rioting by black-clothed protesters in Hong Kong -黑曜岩,hēi yào yán,obsidian (mining) -黑曜石,hēi yào shí,obsidian (mining) -黑木耳,hēi mù ěr,"Auricularia auricula-judae, an edible fungus" -黑板,hēi bǎn,"blackboard; CL:塊|块[kuai4],個|个[ge4]" -黑板报,hēi bǎn bào,"blackboard bulletin with short news items written on it (can usually be found in factories, schools etc)" -黑枕燕鸥,hēi zhěn yàn ōu,(bird species of China) black-naped tern (Sterna sumatrana) -黑枕黄鹂,hēi zhěn huáng lí,(bird species of China) black-naped oriole (Oriolus chinensis) -黑林鸽,hēi lín gē,(bird species of China) Japanese wood pigeon (Columba janthina) -黑枯茗,hēi kū míng,black cumin (Nigella sativa) -黑格尔,hēi gé ěr,"Georg Wilhelm Friedrich Hegel (1770-1831), German philosopher" -黑桃,hēi táo,spade ♠ (in card games) -黑框,hēi kuàng,black frame (around a funerary portrait or obituary) -黑森林,hēi sēn lín,Black Forest; Schwarzwald -黑森林蛋糕,hēi sēn lín dàn gāo,Black Forest cake -黑森森,hēi sēn sēn,dark and forbidding -黑历史,hēi lì shǐ,dark past -黑死病,hēi sǐ bìng,bubonic plague; Black Death -黑比诺,hēi bǐ nuò,Pinot noir (grape type) -黑水,hēi shuǐ,"Heishui County (Tibetan: khro chu rdzong) in Ngawa Tibetan and Qiang Autonomous Prefecture 阿壩藏族羌族自治州|阿坝藏族羌族自治州[A1 ba4 Zang4 zu2 Qiang1 zu2 Zi4 zhi4 zhou1], northwest Sichuan" -黑水城,hēi shuǐ chéng,"ruins of Heishui Town of Xixia 西夏[Xi1 Xia4] people, in Ejin Banner 額濟納旗|额济纳旗[E2 ji4 na4 Qi2], Alxa League 阿拉善盟[A1 la1 shan4 Meng2], Inner Mongolia" -黑水县,hēi shuǐ xiàn,"Heishui County (Tibetan: khro chu rdzong) in Ngawa Tibetan and Qiang Autonomous Prefecture 阿壩藏族羌族自治州|阿坝藏族羌族自治州[A1 ba4 Zang4 zu2 Qiang1 zu2 Zi4 zhi4 zhou1], northwest Sichuan" -黑水鸡,hēi shuǐ jī,(bird species of China) common moorhen (Gallinula chloropus) -黑汗王朝,hēi hán wáng cháo,"Karakhan Dynasty of central Asia, 8th-10th century" -黑沉沉,hēi chén chén,pitch-black -黑河,hēi hé,Heihe prefecture-level city in Heilongjiang province 黑龍江|黑龙江[Hei1 long2 jiang1] in northeast China -黑河市,hēi hé shì,Heihe prefecture-level city in Heilongjiang province 黑龍江|黑龙江[Hei1 long2 jiang1] in northeast China -黑洞,hēi dòng,(astronomy) black hole -黑洞洞,hēi dòng dòng,pitch-dark -黑浮鸥,hēi fú ōu,(bird species of China) black tern (Chlidonias niger) -黑海,hēi hǎi,Black Sea -黑海番鸭,hēi hǎi fān yā,(bird species of China) black scoter (Melanitta nigra) -黑漆麻花,hēi qī má huā,pitch-dark; coal black -黑潮,hēi cháo,Kuroshio current -黑泽明,hēi zé míng,Kurosawa Akira (1910-1998) Japanese movie director -黑炭,hēi tàn,coal; charcoal; (of skin) darkly pigmented; charcoal (color); bituminous coal (mining) -黑煤,hēi méi,black coal -黑煤玉,hēi méi yù,jet -黑熊,hēi xióng,Asiatic black bear (Ursus thibetanus) -黑灯,hēi dēng,dark; unlit; a blacklight; an ultraviolet light -黑灯下火,hēi dēng xià huǒ,pitch dark; also written 黑燈瞎火|黑灯瞎火[hei1 deng1 xia1 huo3] -黑灯瞎火,hēi dēng xiā huǒ,pitch dark -黑特,hēi tè,(Internet slang) hate (loanword) -黑猩猩,hēi xīng xing,common chimpanzee -黑琴鸡,hēi qín jī,(bird species of China) black grouse (Lyrurus tetrix) -黑产,hēi chǎn,cybercrime industry -黑痣,hēi zhì,mole -黑瘤,hēi liú,melanoma -黑白,hēi bái,black and white; right and wrong; monochrome -黑白不分,hēi bái bù fēn,can't tell black from white (idiom); unable to distinguish wrong from right -黑白分明,hēi bái fēn míng,lit. black and white clearly contrasted (idiom); fig. unambiguous; black-and-white; in sharp contrast; to distinguish clearly right from wrong -黑白切,hēi bái qiē,"(Tw) heibaiqie, side dish of ingredients selected from a range on display, sliced up and served together on a plate (from Taiwanese 烏白切, Tai-lo pr. [oo-pe̍h-tshiat], where 烏白 means ""as one pleases"")" -黑白无常,hēi bái wú cháng,"(Chinese folk religion) Heibai Wuchang: two deities, one dressed in black and the other in white, responsible for escorting the spirits of the dead to the underworld" -黑白电视,hēi bái diàn shì,black and white TV -黑百灵,hēi bǎi líng,(bird species of China) black lark (Melanocorypha yeltoniensis) -黑皮诺,hēi pí nuò,Pinot noir (grape type) -黑盒,hēi hé,black box; fig. system whose internal structure is unknown -黑眉拟啄木鸟,hēi méi nǐ zhuó mù niǎo,(bird species of China) Chinese barbet (Megalaima faber) -黑眉柳莺,hēi méi liǔ yīng,(bird species of China) sulphur-breasted warbler (Phylloscopus ricketti) -黑眉苇莺,hēi méi wěi yīng,(bird species of China) black-browed reed warbler (Acrocephalus bistrigiceps) -黑眉蝮蛇,hēi méi fù shé,"Snake island viper (Gloydius shedaoensis), feeding on migrating birds" -黑眉长尾山雀,hēi méi cháng wěi shān què,(bird species of China) black-browed bushtit (Aegithalos bonvaloti) -黑眉雀鹛,hēi méi què méi,(bird species of China) Huet's fulvetta (Alcippe hueti) -黑眉鸦雀,hēi méi yā què,(bird species of China) pale-billed parrotbill (Chleuasicus atrosuperciliaris) -黑眼圈,hēi yǎn quān,dark circles (under one's eyes); black eye -黑眼珠,hēi yǎn zhū,pupil of the eye -黑瞎子,hēi xiā zi,black bear -黑瞎子岛,hēi xiā zi dǎo,"Bolshoi Ussuriisk Island in the Heilongjiang or Amur river, at mouth of the Ussuri River opposite Khabarovsk; Heixiazi (black blind man) Island" -黑短脚鹎,hēi duǎn jiǎo bēi,(bird species of China) black bulbul (Hypsipetes leucocephalus) -黑矮星,hēi ǎi xīng,black dwarf star -黑砖窑,hēi zhuān yáo,lit. black brick kiln; factories that acquired notoriety in 2007 for slave labor -黑社会,hēi shè huì,criminal underworld; organized crime syndicate -黑管,hēi guǎn,clarinet -黑箱,hēi xiāng,black box; flight recorder; opaque system (computing) -黑箱子,hēi xiāng zi,"black box (aviation), (systems theory)" -黑箱操作,hēi xiāng cāo zuò,see 暗箱操作[an4 xiang1 cao1 zuo4] -黑籍冤魂,hēi jí yuān hún,"Black Register of Lost Souls, long novel by Peng Yangou 彭養鷗|彭养鸥 about the destructive influence of opium, published in 1897 and 1909" -黑粉,hēi fěn,(slang) anti-fan -黑糊糊,hēi hū hū,black; dark; dusky; indistinct -黑糖,hēi táng,unrefined sugar; brown sugar -黑纱,hēi shā,black armband -黑素,hēi sù,melanin; black pigment -黑素瘤,hēi sù liú,melanoma (type of skin cancer) -黑线鳕,hēi xiàn xuě,haddock -黑翅燕鸻,hēi chì yàn héng,(bird species of China) black-winged pratincole (Glareola nordmanni) -黑翅长脚鹬,hēi chì cháng jiǎo yù,(bird species of China) black-winged stilt (Himantopus himantopus) -黑翅雀鹎,hēi chì què bēi,(bird species of China) common iora (Aegithina tiphia) -黑翅鸢,hēi chì yuān,(bird species of China) black-winged kite (Elanus caeruleus) -黑肺病,hēi fèi bìng,pneumoconiosis (occupational disease of coal miners); silicosis; also written 矽肺病 -黑背,hēi bèi,German shepherd -黑背信天翁,hēi bèi xìn tiān wēng,(bird species of China) Laysan albatross (Phoebastria immutabilis) -黑背燕尾,hēi bèi yàn wěi,(bird species of China) black-backed forktail (Enicurus immaculatus) -黑胡椒,hēi hú jiāo,black pepper -黑胸太阳鸟,hēi xiōng tài yáng niǎo,(bird species of China) black-throated sunbird (Aethopyga saturata) -黑胸山鹪莺,hēi xiōng shān jiāo yīng,(bird species of China) black-throated prinia (Prinia atrogularis) -黑胸歌鸲,hēi xiōng gē qú,(bird species of China) white-tailed rubythroat (Calliope pectoralis) -黑胸鸫,hēi xiōng dōng,(bird species of China) black-breasted thrush (Turdus dissimilis) -黑胸麻雀,hēi xiōng má què,(bird species of China) Spanish sparrow (Passer hispaniolensis) -黑腰滨鹬,hēi yāo bīn yù,(bird species of China) Baird's sandpiper (Calidris bairdii) -黑脚信天翁,hēi jiǎo xìn tiān wēng,(bird species of China) black-footed albatross (Phoebastria nigripes) -黑腹沙鸡,hēi fù shā jī,(bird species of China) black-bellied sandgrouse (Pterocles orientalis) -黑腹滨鹬,hēi fù bīn yù,(bird species of China) dunlin (Calidris alpina) -黑腹燕鸥,hēi fù yàn ōu,(bird species of China) black-bellied tern (Sterna acuticauda) -黑腹蛇鹈,hēi fù shé tí,(bird species of China) oriental darter (Anhinga melanogaster) -黑胶,hēi jiāo,vinyl -黑脸噪鹛,hēi liǎn zào méi,(bird species of China) masked laughingthrush (Garrulax perspicillatus) -黑脸琵鹭,hēi liǎn pí lù,(bird species of China) black-faced spoonbill (Platalea minor) -黑色,hēi sè,black -黑色素,hēi sè sù,black pigment; melanin -黑色金属,hēi sè jīn shǔ,"ferrous metals (i.e. iron, chromium, manganese and alloys containing them)" -黑茶,hēi chá,"dark tea, a variety of fermented tea (e.g. Pu'er tea 普洱茶[Pu3 er3 cha2])" -黑茶藨子,hēi chá biāo zi,blackcurrant; cassis -黑莓,hēi méi,blackberry (Rubus fruticosus) -黑莓子,hēi méi zi,blackberry -黑落德,hēi luò dé,Herod (biblical King) -黑虎拳,hēi hǔ quán,"Hei Hu Quan - ""Black Tiger Fist"" - Martial Art" -黑话,hēi huà,argot; bandits' secret jargon; malicious words -黑貂,hēi diāo,sable (Martes zibellina) -黑贝,hēi bèi,see 黑背[hei1 bei4] -黑车,hēi chē,unlicensed or unofficial taxi; unlicensed motor vehicle -黑轮,hēi lún,"oden, Japanese dish made with boiled eggs, processed fish cakes, daikon radish, tofu etc in a kelp-based broth" -黑道,hēi dào,dark road; criminal ways; the underworld; see also 白道[bai2 dao4] -黑道家族,hēi dào jiā zú,The Sopranos (US TV series) -黑醋栗,hēi cù lì,blackcurrant -黑钱,hēi qián,dirty money -黑长尾雉,hēi cháng wěi zhì,(bird species of China) mikado pheasant (Syrmaticus mikado) -黑陶,hēi táo,black eggshell pottery (of the Neolithic Longshan culture) -黑雁,hēi yàn,(bird species of China) brant goose (Branta bernicla) -黑顶噪鹛,hēi dǐng zào méi,(bird species of China) black-faced laughingthrush (Trochalopteron affine) -黑顶奇鹛,hēi dǐng qí méi,(bird species of China) black-headed sibia (Heterophasia desgodinsi) -黑顶蛙口鸱,hēi dǐng wā kǒu chī,(bird species of China) Hodgson's frogmouth (Batrachostomus hodgsoni) -黑顶麻雀,hēi dǐng má què,(bird species of China) saxaul sparrow (Passer ammodendri) -黑领噪鹛,hēi lǐng zào méi,(bird species of China) greater necklaced laughingthrush (Garrulax pectoralis) -黑领椋鸟,hēi lǐng liáng niǎo,(bird species of China) black-collared starling (Gracupica nigricollis) -黑颏果鸠,hēi kē guǒ jiū,(bird species of China) black-chinned fruit dove (Ptilinopus leclancheri) -黑颏穗鹛,hēi kē suì méi,(bird species of China) black-chinned babbler (Stachyridopsis pyrrhops) -黑头噪鸦,hēi tóu zào yā,(bird species of China) Sichuan jay (Perisoreus internigrans) -黑头奇鹛,hēi tóu qí méi,(bird species of China) rufous sibia (Heterophasia capistrata) -黑头白鹮,hēi tóu bái huán,(bird species of China) black-headed ibis (Threskiornis melanocephalus) -黑头穗鹛,hēi tóu suì méi,(bird species of China) grey-throated babbler (Stachyris nigriceps) -黑头蜡嘴雀,hēi tóu là zuǐ què,(bird species of China) Japanese grosbeak (Eophona personata) -黑头角雉,hēi tóu jiǎo zhì,(bird species of China) western tragopan (Tragopan melanocephalus) -黑头金翅雀,hēi tóu jīn chì què,(bird species of China) black-headed greenfinch (Chloris ambigua) -黑头鹎,hēi tóu bēi,(bird species of China) black-headed bulbul (Pycnonotus atriceps) -黑头黄鹂,hēi tóu huáng lí,(bird species of China) black-hooded oriole (Oriolus xanthornus) -黑颈长尾雉,hēi jǐng cháng wěi zhì,(bird species of China) Mrs. Hume's pheasant (Syrmaticus humiae) -黑颈鸫,hēi jǐng dōng,(bird species of China) black-throated thrush (Turdus atrogularis) -黑颈鹤,hēi jǐng hè,(bird species of China) black-necked crane (Grus nigricollis) -黑颈鸬鹚,hēi jǐng lú cí,(bird species of China) little cormorant (Phalacrocorax niger) -黑额伯劳,hēi é bó láo,(bird species of China) lesser grey shrike (Lanius minor) -黑额山噪鹛,hēi é shān zào méi,(bird species of China) snowy-cheeked laughingthrush (Garrulax sukatschewi) -黑额树鹊,hēi é shù què,(bird species of China) collared treepie (Dendrocitta frontalis) -黑额凤鹛,hēi é fèng méi,(bird species of China) black-chinned yuhina (Yuhina nigrimenta) -黑飞,hēi fēi,"to fly illegally (of planes, drones etc)" -黑马,hēi mǎ,dark horse; fig. unexpected winner -黑骨胧东,hēi gu lōng dōng,variant of 黑咕隆咚[hei1 gu5 long1 dong1] -黑体,hēi tǐ,bold (typeface) -黑体字,hēi tǐ zì,bold characters; bold font -黑体辐射,hēi tǐ fú shè,black body radiation (in thermodynamics) -黑发,hēi fà,black hair -黑鬼,hēi guǐ,black devil (derogatory term for black or African person) -黑魆魆,hēi xū xū,dim; dark; murky; black -黑魖魖,hēi xū xū,pitch-black; dark -黑鲩,hēi huàn,black carp (Mylopharyngodon piceus) -黑鳗,hēi mán,short-finned eel (Anguilla australis) -黑鸢,hēi yuān,(bird species of China) black kite (Milvus migrans) -黑鹇,hēi xián,(bird species of China) kalij pheasant (Lophura leucomelanos) -黑鹰,hēi yīng,Black Hawk (helicoper) -黑鹳,hēi guàn,(bird species of China) black stork (Ciconia nigra) -黑麦,hēi mài,rye (Secale cereale) -黑黢黢,hēi qū qū,pitch-black; pitch-dark -黑龌,hēi wò,unclean; filthy -黑龙江,hēi lóng jiāng,"Heilongjiang province (Heilungkiang) in northeast China, abbr. 黑, capital Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1]; Heilongjiang river forming the border between northeast China and Russia; Amur river" -黑龙江河,hēi lóng jiāng hé,Heilongjiang River; Amur River (the border between northeast China and Russia) -黑龙江省,hēi lóng jiāng shěng,"Heilongjiang Province (Heilungkiang) in northeast China, abbr. 黑, capital Harbin 哈爾濱|哈尔滨[Ha1 er3 bin1]" -黔,qián,abbr. for Guizhou province 貴州|贵州[Gui4 zhou1] -黔南州,qián nán zhōu,"Qiannan, abbr. for Qiannan Buyei and Miao Autonomous Prefecture 黔南布依族苗族自治州[Qian2 nan2 Bu4 yi1 zu2 Miao2 zu2 Zi4 zhi4 zhou1], Guizhou, capital Duyun City 都勻市|都匀市[Du1 yun2 Shi4]" -黔南布依族苗族自治州,qián nán bù yī zú miáo zú zì zhì zhōu,"Qiannan Buyei and Miao Autonomous Prefecture in Guizhou, capital Duyun City 都勻市|都匀市[Du1 yun2 Shi4]" -黔东南州,qián dōng nán zhōu,"Qiandongnan, abbr. for Qiandongnan Miao and Dong autonomous prefecture 黔東南苗族侗族自治州|黔东南苗族侗族自治州, Guizhou, capital Kaili city 凱里市|凯里市" -黔东南苗族侗族自治州,qián dōng nán miáo zú dòng zú zì zhì zhōu,"Qiandongnan Miao and Dong autonomous prefecture in Guizhou, capital Kaili city 凱里市|凯里市" -黔江,qián jiāng,"Qianjiang, a district of Chongqing 重慶|重庆[Chong2qing4]" -黔江区,qián jiāng qū,"Qianjiang, a district of Chongqing 重慶|重庆[Chong2qing4]" -黔西,qián xī,"Qianxi county in Bijie prefecture 畢節地區|毕节地区[Bi4 jie2 di4 qu1], Guizhou" -黔西南州,qián xī nán zhōu,"Qianxinan, abbr. for Qianxinan Buyei and Miao autonomous prefecture 黔西南布依族苗族自治州, Guizhou, capital Xingyi city 興義市|兴义市" -黔西南布依族苗族自治州,qián xī nán bù yī zú miáo zú zì zhì zhōu,"Qianxinan Buyei and Miao autonomous prefecture in Guizhou, capital Xingyi city 興義市|兴义市" -黔西县,qián xī xiàn,"Qianxi county in Bijie prefecture 畢節地區|毕节地区[Bi4 jie2 di4 qu1], Guizhou" -黔阳,qián yáng,"Qianyang former county, now merged in Huaihua county 懷化縣|怀化县[Huai2 hua4 xian4], Hunan" -黔阳县,qián yáng xiàn,"Qianyang former county in Huaihua county 懷化縣|怀化县[Huai2 hua4 xian4], Hunan" -黔驴技穷,qián lǘ jì qióng,to exhaust one's limited abilities (idiom) -默,mò,silent; to write from memory -默不作声,mò bù zuò shēng,to keep silent -默克尔,mò kè ěr,"Angela Merkel (1954-), German CDU politician, chancellor from 2005" -默剧,mò jù,pantomime; mime; dumb show -默哀,mò āi,to observe a moment of silence in tribute -默叹,mò tàn,to admire inwardly -默坐,mò zuò,to sit silently -默多克,mò duō kè,"Murdoch (name); Rupert Murdoch (1931-), media magnate" -默契,mò qì,tacit understanding; mutual understanding; rapport; connected at a deep level with each other; (of team members) well coordinated; tight -默字,mò zì,to write from memory -默写,mò xiě,to write from memory -默念,mò niàn,to read silently; to mouth (the words of a prayer etc); to say to oneself; to contemplate inwardly -默想,mò xiǎng,silent contemplation; to meditate; to think in silence -默拉皮,mò lā pí,Merapi (volcano on Java) -默书,mò shū,to write from memory -默叹,mò tàn,to admire inwardly -默然,mò rán,silent; speechless -默片,mò piàn,silent movie -默示,mò shì,to hint; to imply; implied; tacit -默祷,mò dǎo,silent prayer; pray in silence -默算,mò suàn,mental arithmetic; to figure out -默罕默德,mò hǎn mò dé,"Mohammed (c. 570-632), central figure of Islam and prophet of God; also written 穆罕默德" -默西亚,mò xī yà,the Messiah -默西河,mò xī hé,"Mersey River, through Liverpool" -默记,mò jì,to learn by heart; to commit to memory; to remember; to memorize in silence -默许,mò xǔ,to accept tacitly; acquiescence -默志,mò zhì,to recall silently -默认,mò rèn,to agree tacitly; tacit approval; default (setting) -默诵佛号,mò sòng fó hào,to chant the names of Buddha -默读,mò dú,to read in silence -默默,mò mò,in silence; not speaking -默默无闻,mò mò wú wén,obscure and unknown (idiom); an outsider without any reputation; a nobody; an unknown quantity -黛,dài,umber-black dye for painting the eyebrow -黛安娜,dài ān nà,Diana (goddess in Roman mythology) -黜,chù,to dismiss from office; to expel -黜退,chù tuì,to demote; to dismiss -黝,yǒu,black; dark green -黝暗,yǒu àn,murk; murkiness -黝黑,yǒu hēi,dark; black; suntanned -点,diǎn,point; dot; drop; speck; o'clock; point (in space or time); to draw a dot; to check on a list; to choose; to order (food in a restaurant); to touch briefly; to hint; to light; to ignite; to pour a liquid drop by drop; (old) one fifth of a two-hour watch 更[geng1]; dot stroke in Chinese characters; classifier for items -点交,diǎn jiāo,to hand over (bought goods etc) -点亮,diǎn liàng,to illuminate; to turn on the lights; to light (a blaze) -点儿,diǎn er,erhua variant of 點|点[dian3] -点儿背,diǎn er bèi,(dialect) to be out of luck -点兵,diǎn bīng,to muster troops; (fig.) to gather forces -点出,diǎn chū,to point out; to indicate -点到即止,diǎn dào jí zhǐ,to touch on sth and leave it there; to take care not to overdo sth -点化,diǎn huà,magic transformation performed by Daoist immortal; fig. to reveal; to enlighten -点卯,diǎn mǎo,morning roll call -点名,diǎn míng,roll call; to mention sb by name; (to call or praise or criticize sb) by name -点名册,diǎn míng cè,register of names; attendance roll book -点名羞辱,diǎn míng xiū rǔ,to attack publicly; to stage a denunciation campaign -点大,diǎn dà,(of a child etc) small as a mite; minuscule -点子,diǎn zi,spot; point; dot; speck; drop (of liquid); droplet; point (of argument); idea; crux; indication; pointer -点子扎手,diǎn zi zhā shǒu,(coll.) one's adversary is very tough -点子背,diǎn zi bèi,(coll.) to have a stroke of bad luck -点字,diǎn zì,braille -点字机,diǎn zì jī,braille typewriter -点射,diǎn shè,to fire in bursts; shooting intermittently -点将,diǎn jiàng,to appoint a general (in theater); fig. to appoint sb for a task -点对点,diǎn duì diǎn,p2p (peer-to-peer) -点对点加密,diǎn duì diǎn jiā mì,(Tw) end-to-end encryption -点心,diǎn xin,light refreshments; pastry; dim sum (in Cantonese cooking); dessert -点拨,diǎn bō,to give instructions; to give advice -点播,diǎn bō,webcast; to request item for broadcast on radio program; dibble seeding; spot seeding -点击,diǎn jī,to hit; to press; to strike (on the keyboard); to click (a web page button) -点击付费广告,diǎn jī fù fèi guǎng gào,pay-per-click advertising -点击数,diǎn jī shù,number of clicks; number of hits (on a website) -点击率,diǎn jī lǜ,click-through rate (CTR) (Internet) -点收,diǎn shōu,to check sth and accept it -点数,diǎn shù,to count and check; to tally; points (collected in some bonus scheme etc) -点斑林鸽,diǎn bān lín gē,(bird species of China) speckled wood pigeon (Columba hodgsonii) -点断式,diǎn duàn shì,designed to be torn off along a line of perforations -点明,diǎn míng,to point out -点映,diǎn yìng,(film) preview screening -点染,diǎn rǎn,to touch up (a piece of writing); to add details (to a painting) -点查,diǎn chá,to inspect -点检,diǎn jiǎn,to inspect one by one; to list individually -点歌,diǎn gē,to request a song to be played; to pick a karaoke song -点水,diǎn shuǐ,to skim; lightly touching the water (as the dragonfly in the idiom 蜻蜓點水|蜻蜓点水); skin-deep -点水不漏,diǎn shuǐ bù lòu,not one drop of water leaks (idiom); fig. thoughtful and completely rigorous; watertight -点津,diǎn jīn,to solve a problem; to answer a question; (Internet) Q&A forum; advice column -点滴,diǎn dī,a drip; a little bit; intravenous drip (used to administer drugs) -点滴试验,diǎn dī shì yàn,spot check -点火,diǎn huǒ,to ignite; to light a fire; to agitate; to start an engine; ignition; fig. to stir up trouble -点火开关,diǎn huǒ kāi guān,ignition switch -点焊,diǎn hàn,spot welding -点烟,diǎn yān,to light a cigarette -点烟器,diǎn yān qì,cigarette lighter (in a car); 12-volt cigarette lighter receptacle -点燃,diǎn rán,to ignite; to set on fire; aflame -点灯,diǎn dēng,to light a lamp -点球,diǎn qiú,penalty kick -点画,diǎn huà,strokes of a Chinese character -点发,diǎn fā,to fire in bursts; shooting intermittently -点睛,diǎn jīng,to add the finishing touch (abbr. for 畫龍點睛|画龙点睛[hua4 long2 dian3 jing1]) -点睛之笔,diǎn jīng zhī bǐ,the brush stroke that dots in the eyes (idiom); fig. to add the vital finishing touch; the crucial point that brings the subject to life; a few words to clinch the point -点石成金,diǎn shí chéng jīn,to touch base matter and turn it to gold (idiom); fig. to turn crude writing into a literary gem -点破,diǎn pò,to lay bare in a few words; to expose with a word; to point out bluntly -点票,diǎn piào,to count votes -点积,diǎn jī,dot product (math.) -点穴,diǎn xué,to hit a pressure point (martial arts); dim mak; see also 點脈|点脉[dian3 mai4] -点穿,diǎn chuān,to lay bare in a few words; to expose with a word -点窜,diǎn cuàn,to reword; to edit a text -点缀,diǎn zhuì,to decorate; to adorn; sprinkled; studded; only for show -点翅朱雀,diǎn chì zhū què,(bird species of China) Sharpe's rosefinch (Carpodacus verreauxii) -点背,diǎn bèi,(dialect) to be out of luck -点胸鸦雀,diǎn xiōng yā què,(bird species of China) spot-breasted parrotbill (Paradoxornis guttaticollis) -点脉,diǎn mài,to hit a pressure point (martial arts); dim mak; see also 點穴|点穴[dian3 xue2] -点菜,diǎn cài,to order dishes (in a restaurant) -点着,diǎn zháo,"to light (a candle, cigarette etc)" -点号,diǎn hào,punctuation mark -点补,diǎn bǔ,to have a snack; to have a bite -点见,diǎn jiàn,to check an amount -点视,diǎn shì,to check (items); to count and verify -点视厅,diǎn shì tīng,hall where convicts are counted and verified -点触,diǎn chù,to tap; to touch (a touchscreen) -点评,diǎn píng,to comment; a point by point commentary -点货,diǎn huò,to do an inventory count -点赞,diǎn zàn,to like; to upvote (on social media) -点军,diǎn jūn,"Dianjun district of Yichang city 宜昌市[Yi2 chang1 shi4], Hubei" -点军区,diǎn jūn qū,"Dianjun district of Yichang city 宜昌市[Yi2 chang1 shi4], Hubei" -点选,diǎn xuǎn,to select; (computing) to click on (one of several options); to navigate to (a webpage) -点醒,diǎn xǐng,to point out; to draw sb's attention to sth; to cause sb to have a realization -点金成铁,diǎn jīn chéng tiě,to transform gold into base metal (idiom); fig. to edit sb else's beautiful prose and ruin it -点金石,diǎn jīn shí,philosopher's stone -点金术,diǎn jīn shù,Midas touch; golden touch -点钟,diǎn zhōng,(indicating time of day) o'clock -点铁成金,diǎn tiě chéng jīn,to touch base matter and turn it to gold (idiom); fig. to turn crude writing into a literary gem -点阅率,diǎn yuè lǜ,click-through rate (for websites or online advertisements) -点阵,diǎn zhèn,lattice; dot matrix; bitmap -点阵字体,diǎn zhèn zì tǐ,bitmap font (computer) -点阵式打印机,diǎn zhèn shì dǎ yìn jī,dot matrix printer -点阵打印机,diǎn zhèn dǎ yìn jī,dot matrix printer -点集合,diǎn jí hé,(math.) point set -点头,diǎn tóu,to nod -点头之交,diǎn tóu zhī jiāo,nodding acquaintance -点头咂嘴,diǎn tóu zā zuǐ,to approve by nodding one's head and smacking one's lips (idiom) -点头哈腰,diǎn tóu hā yāo,to nod one's head and bow (idiom); bowing and scraping; unctuous fawning -点头招呼,diǎn tóu zhāo hū,beckon -点题,diǎn tí,to bring out the main theme; to make the point; to bring out the substance concisely -点餐,diǎn cān,(at a restaurant) to order a meal; (of a waiter) to take an order -点鬼火,diǎn guǐ huǒ,to stir up trouble in secret; to instigate -点点,diǎn diǎn,Diandian (Chinese microblogging and social networking website) -点点,diǎn diǎn,point; speck -点点滴滴,diǎn diǎn dī dī,bit by bit; dribs and drabs; the little details; every aspect -黟,yī,black and shining ebony -黟县,yī xiàn,"Yi County in Huangshan 黃山|黄山[Huang2shan1], Anhui" -黠,xiá,(phonetic); crafty -黢,qū,black; dark -黢黑,qū hēi,pitch-black; pitch-dark -黥,qíng,surname Qing -黥,qíng,to tattoo criminals on the face or forehead -黥面,qíng miàn,to tattoo the face (punishment in ancient times) -黧,lí,dark; sallow color -黧黑,lí hēi,(literary) dark -党,dǎng,surname Dang -党,dǎng,party; association; club; society; CL:個|个[ge4] -党中央,dǎng zhōng yāng,Central Committee of the CCP -党主席,dǎng zhǔ xí,party chief -党人,dǎng rén,party member; partisan -党代会,dǎng dài huì,party congress (of the Communist Party of China) -党内,dǎng nèi,within the party (esp. Chinese communist party) -党八股,dǎng bā gǔ,"drab, stereotypical Communist Party writing style" -党务,dǎng wù,party affairs; work within the Communist party -党参,dǎng shēn,poor man's ginseng (Codonopsis pilosula); codonopsis root (used in TCM) -党史,dǎng shǐ,history of the Party -党同伐异,dǎng tóng fá yì,to be narrowly partisan; to unite with those of the same views but alienate those with different views -党员,dǎng yuán,party member -党团,dǎng tuán,party caucus -党外人士,dǎng wài rén shì,non-party members -党委,dǎng wěi,Party committee -党徒,dǎng tú,clique member; henchman; gang member; crony -党徽,dǎng huī,political party emblem -党性,dǎng xìng,the spirit or character of a political party -党政,dǎng zhèng,Party and government administration -党政机关,dǎng zhèng jī guān,(Communist) Party and government organizations -党校,dǎng xiào,(political) party school -党派,dǎng pài,political party; faction -党派集会,dǎng pài jí huì,party meeting -党票,dǎng piào,party membership; membership card -党章,dǎng zhāng,party constitution -党籍,dǎng jí,party membership -党组,dǎng zǔ,party leadership group -党纲,dǎng gāng,(political) party platform; party program -党羽,dǎng yǔ,henchmen -党费,dǎng fèi,party membership dues -党鞭,dǎng biān,(politics) whip -党项,dǎng xiàng,Tangut branch of the Qiang 羌 ethnic group; ancient ethnic group who made up the Xixia dynasty 西夏 1038-1227 -党项族,dǎng xiàng zú,Tangut branch of the Qiang 羌 ethnic group; ancient ethnic group who made up the Xixia dynasty 西夏 1038-1227 -党魁,dǎng kuí,party boss -党龄,dǎng líng,party standing; age of service to the Party -黯,àn,(bound form) dark; dull (color); dim; gloomy -黯淡,àn dàn,variant of 暗淡[an4 dan4] -黯然,àn rán,dim; sad -黯然失色,àn rán shī sè,to lose one's splendor; to lose luster; to be eclipsed; to be overshadowed -黯然销魂,àn rán xiāo hún,overwhelming sadness (idiom); sorrow at parting -黪,cǎn,dark; dim; gloomy; bleak -霉,méi,variant of 霉[mei2] -霉浆菌肺炎,méi jiāng jūn fèi yán,mycoplasma pneumonia -黩,dú,blacken; constantly; to insult -黩武,dú wǔ,militaristic; to use military force indiscriminately -黹,zhǐ,embroidery -黻,fú,(archaic) embroidery using black and blue thread -黼,fǔ,"(archaic) motif of axes with black handles and white heads, a symbol of authority embroidered on ceremonial robes" -黾,měng,toad -黾,mǐn,to strive -鼋,yuán,sea turtle -鼋鱼,yuán yú,soft-shelled turtle; also termed 鱉|鳖[bie1] -鼂,cháo,surname Chao -鼂,cháo,sea turtle -蛙,wā,old variant of 蛙[wa1] -鳌,áo,variant of 鰲|鳌[ao2] -鳖,biē,variant of 鱉|鳖[bie1] -鼍,tuó,Chinese alligator (Alligator sinensis) -鼍龙,tuó lóng,Chinese alligator (Alligator sinensis) -鼎,dǐng,ancient cooking cauldron with two looped handles and three or four legs; pot (dialect); to enter upon a period of (classical); Kangxi radical 206; one of the 64 hexagrams of the Book of Changes -鼎力,dǐng lì,(honorific) your kind efforts; thanks to your help -鼎力相助,dǐng lì xiāng zhù,We are most grateful for your valuable assistance. -鼎助,dǐng zhù,(honorific) your inestimable assistance; thanks to your help -鼎城,dǐng chéng,"Dingcheng district of Changde city 常德市[Chang2 de2 shi4], Hunan" -鼎城区,dǐng chéng qū,"Dingcheng district of Changde city 常德市[Chang2 de2 shi4], Hunan" -鼎峙,dǐng zhì,(literary) to form a tripartite confrontation -鼎新,dǐng xīn,to innovate -鼎族,dǐng zú,rich patriarchal family; aristocracy -鼎沸,dǐng fèi,a confused noise; a racket -鼎泰丰,dǐng tài fēng,"Din Tai Fung, restaurant specializing in dumplings, with stores in many countries" -鼎湖,dǐng hú,"Dinghu District of Zhaoqing City 肇慶市|肇庆市[Zhao4 qing4 Shi4], Guangdong" -鼎湖区,dǐng hú qū,"Dinghu District of Zhaoqing City 肇慶市|肇庆市[Zhao4 qing4 Shi4], Guangdong" -鼎盛,dǐng shèng,thriving; flourishing -鼎盛时期,dǐng shèng shí qī,flourishing period; golden age -鼎盛期,dǐng shèng qī,golden age; heyday; period of peak prosperity -鼎立,dǐng lì,lit. to stand like the three legs of a tripod; tripartite confrontation or balance of forces -鼎足,dǐng zú,lit. the three legs of a tripod; fig. three competing rivals -鼎足之势,dǐng zú zhī shì,competition between three rivals; tripartite confrontation -鼎铛玉石,dǐng chēng yù shí,lit. to use a sacred tripod as cooking pot and jade as ordinary stone (idiom); fig. a waste of precious material; casting pearls before swine -鼎革,dǐng gé,"change of dynasties; clear out the old, bring in the new" -鼎食,dǐng shí,extravagant food -鼎鼎,dǐng dǐng,great; very important -鼎鼎大名,dǐng dǐng dà míng,famous; celebrated -鼐,nài,incense tripod -鼓,gǔ,"drum; CL:通[tong4],面[mian4]; to drum; to strike; to rouse; to bulge; to swell" -鼓动,gǔ dòng,"to urge (an activity that may be beneficial, harmful or neutral); to encourage; to agitate; to instigate; to incite; to beat; to flap (wings, a fan etc)" -鼓励,gǔ lì,to encourage -鼓包,gǔ bāo,to bulge; to swell; a bulge; a swelling -鼓吹,gǔ chuī,to agitate for; to enthusiastically promote -鼓吹者,gǔ chuī zhě,advocate -鼓噪,gǔ zào,(in ancient times) to beat the drums and yell (at the moment of launching into battle); to create a clamor; to make a din; to kick up a fuss about -鼓室,gǔ shì,tympanic cavity (of the middle ear) -鼓山,gǔ shān,"Gushan or Kushan district of Kaohsiung city 高雄市[Gao1 xiong2 shi4], south Taiwan" -鼓山区,gǔ shān qū,"Gushan or Kushan district of Kaohsiung city 高雄市[Gao1 xiong2 shi4], south Taiwan" -鼓手,gǔ shǒu,drummer -鼓打贝斯,gǔ dǎ bèi sī,drum and bass (music genre) -鼓掌,gǔ zhǎng,to applaud; to clap -鼓捣,gǔ dao,to tinker with; to incite -鼓板,gǔ bǎn,clapper-board -鼓楼,gǔ lóu,"a drum tower; Drum Tower, historic attraction in Xian, Beijing etc" -鼓楼区,gǔ lóu qū,"Gulou, the name of districts in Nanjing (in Jiangsu), Xuzhou (in Jiangsu), Fuzhou (in Fujian) and Kaifeng (in Henan)" -鼓气,gǔ qì,to puff up; to swell up; to inflate; to blow air into sth; (fig.) to encourage; to support -鼓浪屿,gǔ làng yǔ,"Gulangyu, scenic island off Xiamen 廈門|厦门[Xia4 men2]" -鼓盆,gǔ pén,lit. to drum on a bowl; refers to Zhuangzi 莊子|庄子[Zhuang1 zi3] grieving for his lost wife; fig. grief for a lost wife -鼓盆之戚,gǔ pén zhī qī,"drumming on a bowl in grief (idiom, refers to Zhuangzi 莊子|庄子[Zhuang1 zi3] grieving for his lost wife); fig. grief for a lost wife" -鼓眼睛,gǔ yǎn jīng,protruding eyes -鼓箱,gǔ xiāng,see 箱鼓[xiang1 gu3] -鼓箧,gǔ qiè,beginning-school ceremony (old usage); classical learning -鼓声,gǔ shēng,sound of a drum; drumbeat -鼓胀,gǔ zhàng,to swell; tympanites -鼓膜,gǔ mó,eardrum; tympanic membrane -鼓舌,gǔ shé,to wag one's tongue; to speak glibly -鼓舞,gǔ wǔ,to inspire; to encourage; to hearten; to boost (morale) -鼓起,gǔ qǐ,"to summon one's (courage, faith etc); to puff up (one's cheeks etc); to bulge; to swell out" -鼓起勇气,gǔ qǐ yǒng qì,to summon one's courage -鼓足勇气,gǔ zú yǒng qì,to summon one's courage -鼓风,gǔ fēng,"a forced draft (of wind, for smelting metal); blast (in blast furnace); bellows; to draw air using bellows" -鼓风机,gǔ fēng jī,bellows; ventilator; air blower -鼓风炉,gǔ fēng lú,a blast furnace (in modern times); a draft assisted furnace for smelting metals -鼓点,gǔ diǎn,drum beat; rhythm -鼓点子,gǔ diǎn zi,drumbeat; (Chinese opera) clapper beats -鼓鼓,gǔ gǔ,bulging; bursting -鼓鼓囊囊,gǔ gu nāng nāng,"full and bulging (of a pocket, pouch etc)" -冬,dōng,surname Dong -冬,dōng,(onom.) beating a drum; rat-a-tat -鼗,táo,a drum-shaped rattle (used by peddlers or as a toy); rattle-drum -鼙,pí,drum carried on horseback -鼠,shǔ,(bound form) rat; mouse -鼠型斑疹伤寒,shǔ xíng bān zhěn shāng hán,murine typhus -鼠妇,shǔ fù,woodlouse; pill bug -鼠尾草,shǔ wěi cǎo,sage (Salvia officinalis) -鼠年,shǔ nián,Year of the Rat (e.g. 2008) -鼠得克,shǔ dé kè,difenacoum (anticoagulant and rodenticide) -鼠标,shǔ biāo,mouse (computing) -鼠标器,shǔ biāo qì,mouse (computer) -鼠标垫,shǔ biāo diàn,mouse pad -鼠海豚,shǔ hǎi tún,porpoise -鼠疫,shǔ yì,plague -鼠疫杆菌,shǔ yì gǎn jūn,Yersinia pestis; the bubonic plage bacillus -鼠疫菌苗,shǔ yì jūn miáo,plague vaccine -鼠目寸光,shǔ mù cùn guāng,short-sighted -鼠窜,shǔ cuàn,to scamper off; to scurry off like a frightened rat -鼠肚鸡肠,shǔ dù jī cháng,small-minded -鼠胆,shǔ dǎn,cowardly -鼠药,shǔ yào,rat poison -鼠蚤型斑疹伤寒,shǔ zǎo xíng bān zhěn shāng hán,murine typhus fever -鼠蛛,shǔ zhū,mouse spider (genus Missulena) -鼠蹊,shǔ xī,groin -鼠辈,shǔ bèi,a scoundrel; a bad chap -鼢,fén,(mole) -鼩,qú,used in 鼩鼱[qu2 jing1] -鼩鼱,qú jīng,shrew (zoology) -鼬,yòu,(zoology) weasel -鼬属,yòu shǔ,Mustela (genus of weasels etc) -鼬獾,yòu huān,ferret badger -鼬科,yòu kē,"Mustelidae (taxonomic family of weasel, otter, mink)" -鼬鲨,yòu shā,tiger shark -鼬鼠,yòu shǔ,weasel -鼯,wú,flying squirrel -鼯鼠,wú shǔ,flying squirrel -鼱,jīng,used in 鼩鼱[qu2 jing1] -鼹,yǎn,mole -鼹鼠,yǎn shǔ,mole (zoology) -鼹鼠皮,yǎn shǔ pí,moleskin -鼷,xī,mouse -鼷鼠,xī shǔ,mouse -鼻,bí,nose -鼻中隔,bí zhōng gé,nasal septum -鼻儿,bí er,eye; a hole in an implement or utensil for insertion -鼻出血,bí chū xuè,nosebleed -鼻咽,bí yān,nose and throat -鼻咽癌,bí yān ái,cancers of the nose and throat; nasopharyngeal carcinoma (NPC) -鼻唇沟,bí chún gōu,nasolabial fold; smile lines; laugh lines -鼻垢,bí gòu,dried nasal mucus; booger -鼻塞,bí sè,a blocked nose -鼻子,bí zi,"nose; CL:個|个[ge4],隻|只[zhi1]" -鼻孔,bí kǒng,nostril; CL:隻|只[zhi1] -鼻尖,bí jiān,tip of the nose -鼻屎,bí shǐ,booger; dried nasal mucus -鼻息,bí xī,breath -鼻息肉,bí xī ròu,nasal polyp -鼻旁窦,bí páng dòu,paranasal sinus -鼻梁,bí liáng,bridge of the nose -鼻毛,bí máo,nose hair -鼻水,bí shuǐ,nasal mucus; snivel -鼻涕,bí tì,nasal mucus; snivel; snot -鼻涕虫,bí tì chóng,a slug; sb with a runny nose -鼻渊,bí yuān,nasosinusitis -鼻炎,bí yán,rhinitis -鼻烟,bí yān,snuff -鼻烟壶,bí yān hú,snuff bottle -鼻烟盒,bí yān hé,snuffbox -鼻牛儿,bí niú er,hardened mucus in nostrils -鼻环,bí huán,nose ring -鼻甲骨,bí jiǎ gǔ,turbinate; nasal concha -鼻疽,bí jū,glanders -鼻病毒,bí bìng dú,rhinovirus (common cold virus) -鼻祖,bí zǔ,"the earliest ancestor; originator (of a tradition, school of thought etc)" -鼻窦,bí dòu,paranasal sinus -鼻窦炎,bí dòu yán,sinusitis -鼻箫,bí xiāo,nose flute -鼻翼,bí yì,the wing of the nose; ala nasi -鼻腔,bí qiāng,nasal cavity -鼻酸,bí suān,"to have a tingling sensation in one's nose (due to grief, pungent odor or taste); to be choked up" -鼻钉,bí dīng,nose stud; nose piercing -鼻针疗法,bí zhēn liáo fǎ,nose-acupuncture therapy -鼻青眼肿,bí qīng yǎn zhǒng,a black eye (idiom); serious injury to the face; fig. a setback; a defeat -鼻青脸肿,bí qīng liǎn zhǒng,a bloody nose and a swollen face; badly battered -鼻音,bí yīn,nasal sound -鼻韵母,bí yùn mǔ,(of Chinese pronunciation) a vowel followed by a nasal consonant -鼻头,bí tóu,tip of the nose; (dialect) nose -鼻饲,bí sì,nasal feeding -鼻饲法,bí sì fǎ,nasal feeding -鼻骨,bí gǔ,nasal bone -鼻黏膜,bí nián mó,nasal mucous membrane -鼽,qiú,congested nose -鼾,hān,snore; to snore -鼾声,hān shēng,sound of snoring -鼾声如雷,hān shēng rú léi,thunderous snoring -鼾鼾,hān hān,to snore -齐,qí,(name of states and dynasties at several different periods); surname Qi -齐,qí,neat; even; level with; identical; simultaneous; all together; to even sth out -齐一,qí yī,uniform -齐人之福,qí rén zhī fú,lit. the happy fate of the man from Qi (who had a wife and a concubine) (idiom); fig. (ironically) the joy of having several partners; the life of a pasha -齐备,qí bèi,all ready; available; complete -齐全,qí quán,complete; comprehensive -齐刷刷,qí shuā shuā,even; uniform -齐名,qí míng,equally famous -齐唱,qí chàng,to sing in unison -齐国,qí guó,"Qi state of Western Zhou and the Warring states (1122-265 BC), centered in Shandong" -齐大非偶,qí dà fēi ǒu,too rich to be a good match (in marriage) (idiom) -齐大非耦,qí dà fēi ǒu,variant of 齊大非偶|齐大非偶[qi2 da4 fei1 ou3] -齐天大圣,qí tiān dà shèng,"Great Sage the Equal of Heaven, self-proclaimed title of the Monkey King Sun Wukong 孫悟空|孙悟空[Sun1 Wu4 kong1] in the novel Journey to the West 西遊記|西游记[Xi1 you2 Ji4]" -齐宣王,qí xuān wáng,King Xuan of Qi (reigned 342-324 BC) -齐家,qí jiā,to govern one's family; to manage one's household -齐家文化,qí jiā wén huà,"Qijia neolithic culture, centered around the Gansu Corridor 河西走廊[He2 xi1 Zou3 lang2] c. 2000 BC" -齐家治国,qí jiā zhì guó,to regulate the family and rule the state (idiom) -齐射,qí shè,volley (of gunfire) -齐心,qí xīn,to be of one mind; to work as one -齐心协力,qí xīn xié lì,to work with a common purpose (idiom); to make concerted efforts; to pull together; to work as one -齐心合力,qí xīn hé lì,to work as one (idiom); united in a concerted effort; working hard together -齐性,qí xìng,(math.) homogeneity; homogeneous -齐打夯儿地,qí dǎ hāng er de,in unison and with one voice (dialect) -齐放,qí fàng,broadside; simultaneous fired cannonade -齐书,qí shū,"History of Qi of the Southern Dynasties, seventh of the 24 dynastic histories 二十四史[Er4 shi2 si4 Shi3], compiled by Xiao Zixian 蕭子顯|萧子显[Xiao1 Zi3 xian3] in 537 during Liang of the Southern Dynasties 南朝梁[Nan2 chao2 Liang2], 59 scrolls; usually 南齊書|南齐书[Nan2 Qi2 shu1] to distinguish from Northern Qi" -齐柏林,qí bó lín,"Zeppelin (name); Graf Ferdinand von Zeppelin (1838-1917), inventor of the Zeppelin dirigible airship" -齐柏林飞艇,qí bó lín fēi tǐng,Zeppelin dirigible airship -齐根,qí gēn,at the base; at the root; (of a leg) just below the crutch -齐格菲防线,qí gé fēi fáng xiàn,"Siegfried Line, line of German military defenses during WWI and WWII" -齐桓公,qí huán gōng,"Duke Huan of Qi (reigned 685-643 BC), one of the Five Hegemons 春秋五霸" -齐次,qí cì,homogeneous (math.) -齐步,qí bù,to match (sb's) stride -齐武成,qí wǔ chéng,"Emperor Wucheng of Qi, personal name 高湛[Gao1 Dan1] (537-568), reigned 561-565" -齐民要术,qí mín yào shù,"Essential skill to benefit the people, sixth century encyclopedia of agricultural knowledge by Jia Sixie 賈思勰|贾思勰[Jia3 Si1 xie2]" -齐河,qí hé,"Qihe county in Dezhou 德州[De2 zhou1], Shandong" -齐河县,qí hé xiàn,"Qihe county in Dezhou 德州[De2 zhou1], Shandong" -齐活,qí huó,(Beijing dialect) done; finished; complete -齐湣王,qí mǐn wáng,King Min of Qi (reigned 323-284 BC) -齐白石,qí bái shí,"Qi Baishi (1864-1957), famous Chinese painter" -齐眉,qí méi,mutual respect in marriage; abbr. of idiom 舉案齊眉|举案齐眉[ju3 an4 qi2 mei2] -齐眉穗儿,qí méi suì er,bangs (hair) -齐聚一堂,qí jù yī táng,to get together all at once -齐声,qí shēng,all speaking together; in chorus -齐肩,qí jiān,level with one's shoulders; (of two people) both the same height -齐膝,qí xī,level with one's knees; knee-length (skirt etc); knee-deep (mud etc) -齐集,qí jí,to gather; to assemble -齐头,qí tóu,at the same time; simultaneously; (when stating a quantity that is a round number) exactly -齐头并进,qí tóu bìng jìn,to go forward together (idiom); to undertake simultaneous tasks; going hand in hand -齐头式,qí tóu shì,"treating everyone the same, regardless of individual differences; one-size-fits-all approach; (typesetting) block paragraphs (no indenting, and blank space between each paragraph)" -齐鲁,qí lǔ,alternative name for Shandong 山東|山东[Shan1 dong1] -齐齐哈尔,qí qí hā ěr,"Qiqihar, prefecture-level city in Heilongjiang province 黑龍江|黑龙江[Hei1 long2 jiang1] in northeast China" -齐齐哈尔市,qí qí hā ěr shì,"Qiqihar, prefecture-level city in Heilongjiang province 黑龍江|黑龙江[Hei1 long2 jiang1] in northeast China" -斋,zhāi,"to fast or abstain from meat, wine etc; vegetarian diet; study room; building; to give alms (to a monk)" -斋堂,zhāi táng,dining hall in a Buddhist temple -斋戒,zhāi jiè,to fast -斋戒节,zhāi jiè jié,Ramadan -斋教,zhāi jiào,Zhaijiao sect of Buddhism -斋月,zhāi yuè,Ramadan (Islam) -斋期,zhāi qī,fasting days; a fast -斋果,zhāi guǒ,(religious) offerings -斋祭,zhāi jì,"to offer sacrifices (to gods or ancestors) whilst abstaining from meat, wine etc" -斋藤,zhāi téng,Saitō (Japanese surname) -斋饭,zhāi fàn,food given to Buddhist monks as alms -齌,jì,used in 齌怒[ji4 nu4] -齌怒,jì nù,to suddenly become extremely angry -赍,jī,(literary) to harbor (a feeling); (literary) to present as a gift -赍恨,jī hèn,to have a gnawing regret -齑,jī,finely chopped meat or vegetables; powdered or fragmentary -齑粉,jī fěn,fine powder; broken pieces -齿,chǐ,tooth; CL:顆|颗[ke1] -齿冠,chǐ guān,crown of tooth -齿冷,chǐ lěng,to sneer -齿列矫正,chǐ liè jiǎo zhèng,orthodontic treatment; orthodontics -齿列矫正器,chǐ liè jiǎo zhèng qì,see 牙齒矯正器|牙齿矫正器[ya2 chi3 jiao3 zheng4 qi4] -齿及,chǐ jí,to mention; referring to -齿唇音,chǐ chún yīn,see 唇齒音|唇齿音[chun2 chi3 yin1] -齿孔,chǐ kǒng,perforations (on a postage stamp) -齿嵴,chǐ jǐ,alveolar ridge -齿更,chǐ gēng,dental transition (from milk teeth to adult teeth) -齿根,chǐ gēn,root of tooth -齿条,chǐ tiáo,rack (and pinion) -齿条千斤顶,chǐ tiáo qiān jīn dǐng,rack and pinion jack -齿条齿轮,chǐ tiáo chǐ lún,rack and pinion -齿蠹,chǐ dù,tooth decay -齿轮,chǐ lún,(machine) gear; pinion (gear wheel) -齿轮传动,chǐ lún chuán dòng,gear drive -齿轮箱,chǐ lún xiāng,gearbox -齿音,chǐ yīn,dental consonant -齿颊生香,chǐ jiá shēng xiāng,lit. to feel the taste in one's mouth (idiom); fig. to water at the mouth; to drool in anticipation -齿颚矫正学,chǐ è jiǎo zhèng xué,orthodontics -齿鲸,chǐ jīng,toothed whales; Odontoceti -齿龈,chǐ yín,gum; gingiva -齿龈炎,chǐ yín yán,gingivitis -齿龈音,chǐ yín yīn,"alveolar, apical, or supradental sound (linguistics)" -齿龋,chǐ qǔ,tooth decay; caries -龀,chèn,to replace the milk teeth -龅,bāo,projecting teeth -龅牙,bāo yá,buck tooth; projecting tooth -龇,zī,projecting teeth; to bare one's teeth -龇牙咧嘴,zī yá liě zuǐ,to grimace (in pain); to show one's teeth; to bare one's fangs -龃,jǔ,used in 齟齬|龃龉[ju3 yu3] -龃龉,jǔ yǔ,(literary) (of teeth) to be misaligned; (fig.) in disagreement; at odds -龆,tiáo,shed the milk teeth; young -龄,líng,"age; length of experience, membership etc" -出,chū,variant of 出[chu1] (classifier for plays or chapters of classical novels) -龈,kěn,variant of 啃[ken3] -龈,yín,gums (of the teeth) -龈擦音,yín cā yīn,alveolar fricative (linguistics) -龈炎,yín yán,gingivitis -龈病,yín bìng,gingival disease -龈脓肿,yín nóng zhǒng,gumboil -龈辅音,yín fǔ yīn,palato-alveolar consonant (linguistics) -龈音,yín yīn,alveolar sound (linguistics) -龈颚音,yín è yīn,prepalatal sound (linguistics) -龈腭音,yín è yīn,alveo-palatal sound (linguistics) -齧,niè,surname Nie -齧,niè,variant of 嚙|啮[nie4] -齧咬,niè yǎo,gnaw -咬,yǎo,variant of 咬[yao3] -龊,chuò,used in 齷齪|龌龊[wo4 chuo4] -龉,yǔ,used in 齟齬|龃龉[ju3 yu3] -齱,zōu,uneven teeth; buck-toothed -齱齵,zōu yú,uneven teeth; buck-toothed -龋,qǔ,decayed teeth; dental caries -龋洞,qǔ dòng,hole due to dental caries -龋蠹,qǔ dù,rotten teeth -龋齿,qǔ chǐ,tooth decay; dental caries; cavity -龋齿性,qǔ chǐ xìng,caries-inducing -齵,yú,uneven (teeth) -腭,è,palate; roof of the mouth -腭裂,è liè,cleft palate -龌,wò,dirty; small-minded -龌浊,wò zhuó,filthy; nasty; sordid; impure (motives) -龌龊,wò chuò,dirty; filthy; vile; despicable; (literary) narrow-minded; petty -龙,lóng,surname Long -龙,lóng,Chinese dragon; loong; (fig.) emperor; dragon; (bound form) dinosaur -龙井,lóng jǐng,"Longjing, county-level city in Yanbian Korean Autonomous Prefecture 延邊朝鮮族自治州|延边朝鲜族自治州[Yan2bian1 Chao2xian3zu2 Zi4zhi4zhou1], Jilin; Longjing, a district of Taichung 臺中市|台中市[Tai2zhong1 Shi4], Taiwan; Longjing tea (abbr. for 龍井茶|龙井茶[long2jing3cha2])" -龙井区,lóng jǐng qū,"Longjing, a district of Taichung 臺中市|台中市[Tai2zhong1 Shi4], Taiwan" -龙井市,lóng jǐng shì,"Longjing, county-level city in Yanbian Korean Autonomous Prefecture 延邊朝鮮族自治州|延边朝鲜族自治州[Yan2bian1 Chao2xian3zu2 Zi4zhi4zhou1], Jilin" -龙井茶,lóng jǐng chá,"Longjing tea, aka Dragon Well tea, a high-quality pan-roasted green tea from the area of Longjing Village in Hangzhou, Zhejiang" -龙亭,lóng tíng,"Longting district of Kaifeng city 開封市|开封市[Kai1 feng1 shi4], Henan" -龙亭区,lóng tíng qū,"Longting district of Kaifeng city 開封市|开封市[Kai1 feng1 shi4], Henan" -龙人,lóng rén,"Dragon Man, the nickname of the individual whose fossilized cranium was discovered in Heilongjiang in 1933, thought to be a Denisovan 丹尼索瓦人[Dan1 ni2 suo3 wa3 ren2] or a new species of extinct human, Homo longi" -龙利,lóng lì,sole; right-eyed flounder; flatfish; see also 鰈|鲽[die2] -龙利叶,lóng lì yè,Sauropus spatulifolius Beille (shrub of the Euphorbiaceae family) -龙胜各族自治县,lóng shèng gè zú zì zhì xiàn,"Longsheng Various Nationalities Autonomous County in Guilin 桂林[Gui4 lin2], Guangxi" -龙胜县,lóng shèng xiàn,"Longsheng various ethnic groups autonomous county in Guilin 桂林[Gui4 lin2], Guangxi" -龙南,lóng nán,"Longnan county in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -龙南县,lóng nán xiàn,"Longnan county in Ganzhou 贛州|赣州[Gan4 zhou1], Jiangxi" -龙口,lóng kǒu,"Longkou, county-level city in Yantai 煙台|烟台, Shandong" -龙口夺食,lóng kǒu duó shí,to harvest hurriedly before rain comes -龙口市,lóng kǒu shì,"Longkou, county-level city in Yantai 煙台|烟台, Shandong" -龙君,lóng jūn,the Dragon King of the Eastern Sea (mythology) -龙城,lóng chéng,"Longcheng district of Chaoyang city 朝陽市|朝阳市, Liaoning" -龙城区,lóng chéng qū,"Longcheng district of Chaoyang city 朝陽市|朝阳市, Liaoning" -龙套,lóng tào,"costume of minor characters in opera, featuring dragon designs; walk-on" -龙妹,lóng mèi,ugly girl (slang) (Tw) -龙子湖,lóng zi hú,"Longzihu, a district of Bengbu City 蚌埠市[Beng4bu4 Shi4], Anhui" -龙子湖区,lóng zi hú qū,"Longzihu, a district of Bengbu City 蚌埠市[Beng4bu4 Shi4], Anhui" -龙安,lóng ān,"Longan district of Anyang city 安陽市|安阳市[An1 yang2 shi4], Henan" -龙安区,lóng ān qū,"Longan district of Anyang city 安陽市|安阳市[An1 yang2 shi4], Henan" -龙安寺,lóng ān sì,"Ryōanji, temple in northwest Kyōto 京都, Japan with famous rock garden" -龙宫,lóng gōng,palace of the Dragon King at the bottom of the Eastern Sea -龙宫贝,lóng gōng bèi,"Rumphius's slit shell (Entemnotrochus rumphii), found in Japan and Taiwan" -龙山,lóng shān,"Longshan District of Liaoyuan City 遼源市|辽源市[Liao2 yuan2 Shi4], Jilin; Longshan County in Xiangxi Tujia and Miao Autonomous Prefecture 湘西土家族苗族自治州[Xiang1 xi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1]" -龙山区,lóng shān qū,"Longshan District of Liaoyuan city 遼源市|辽源市[Liao2 yuan2 Shi4], Jilin" -龙山文化,lóng shān wén huà,Longshan culture; black pottery culture -龙山县,lóng shān xiàn,Longshan County in Xiangxi Tujia and Miao Autonomous Prefecture 湘西土家族苗族自治州[Xiang1 xi1 Tu3 jia1 zu2 Miao2 zu2 Zi4 zhi4 zhou1] -龙岩,lóng yán,Longyan prefecture-level city in Fujian -龙岩市,lóng yán shì,Longyan prefecture-level city in Fujian -龙崎,lóng qí,"Longci, a district in Tainan 台南|台南[Tai2 nan2], Taiwan" -龙岗,lóng gǎng,"Longgang district of Shenzhen City 深圳市, Guangdong" -龙岗区,lóng gǎng qū,"Longgang district of Shenzhen City 深圳市, Guangdong" -龙嵩,lóng sōng,tarragon -龙嵩叶,lóng sōng yè,tarragon -龙川,lóng chuān,"Longchuan county in Heyuan 河源[He2 yuan2], Guangdong; Ryongchon, town in North Korea" -龙川县,lóng chuān xiàn,"Longchuan county in Heyuan 河源[He2 yuan2], Guangdong" -龙州,lóng zhōu,"Longzhou county in Chongzuo 崇左[Chong2 zuo3], Guangxi" -龙州县,lóng zhōu xiàn,"Longzhou county in Chongzuo 崇左[Chong2 zuo3], Guangxi" -龙巾,lóng jīn,imperial towel -龙年,lóng nián,"Year of the Dragon (e.g. 2000, 2012, etc)" -龙床,lóng chuáng,the Emperor's bed -龙庭,lóng tíng,imperial court -龙形拳,lóng xíng quán,"Long Xing Quan - ""Dragon Fist"" - Martial Art" -龙卷,lóng juǎn,tornado; waterspout; twister -龙卷风,lóng juǎn fēng,tornado; hurricane; twister; cyclone -龙文,lóng wén,"Longwen district of Zhangzhou city 漳州市[Zhang1 zhou1 shi4], Fujian" -龙文区,lóng wén qū,"Longwen district of Zhangzhou city 漳州市[Zhang1 zhou1 shi4], Fujian" -龙椅,lóng yǐ,the Dragon Throne; the imperial throne -龙标,lóng biāo,(PRC) film screening permit -龙树,lóng shù,"Nāgārjuna (c. 150-250 AD), Buddhist philosopher" -龙树菩萨,lóng shù pú sà,Nagarjuna (Nagarjuna Bodhisattva) -龙江,lóng jiāng,"Longjiang county in Qiqihar 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -龙江县,lóng jiāng xiàn,"Longjiang county in Qiqihar 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -龙沙,lóng shā,"Longsha district of Qiqihar city 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -龙沙区,lóng shā qū,"Longsha district of Qiqihar city 齊齊哈爾|齐齐哈尔[Qi2 qi2 ha1 er3], Heilongjiang" -龙泉,lóng quán,"Longquanyi district of Chengdu city 成都市[Cheng2 du1 shi4], Sichuan; Longquan, county-level city in Lishui 麗水|丽水[Li2 shui3], Zhejiang" -龙泉市,lóng quán shì,"Longquan, county-level city in Lishui 麗水|丽水[Li2 shui3], Zhejiang" -龙泉驿,lóng quán yì,"Longquanyi district of Chengdu city 成都市[Cheng2 du1 shi4], Sichuan" -龙洞,lóng dòng,cave; natural cavern (in limestone) -龙海,lóng hǎi,"Longhai, county-level city in Zhangzhou 漳州[Zhang1 zhou1], Fujian" -龙海市,lóng hǎi shì,"Longhai, county-level city in Zhangzhou 漳州[Zhang1 zhou1], Fujian" -龙涎香,lóng xián xiāng,ambergris -龙港,lóng gǎng,"Longgang district of Huludao city 葫蘆島市|葫芦岛市, Liaoning" -龙港区,lóng gǎng qū,"Longgang district of Huludao city 葫蘆島市|葫芦岛市, Liaoning" -龙湖,lóng hú,"Longhu District of Shantou city 汕頭市|汕头市[Shan4 tou2 Shi4], Guangdong" -龙湖区,lóng hú qū,"Longhu District of Shantou city 汕頭市|汕头市[Shan4 tou2 Shi4], Guangdong" -龙潭,lóng tán,"Longtan district of Jilin city 吉林市, Jilin province; see also 龍潭|龙潭[long2 tan2]; Longtan or Lungtan township in Taoyuan county 桃園縣|桃园县[Tao2 yuan2 xian4], north Taiwan" -龙潭,lóng tán,dragon pool; dragon pond; see also 龍潭|龙潭[Long2 tan2] -龙潭区,lóng tán qū,"Longtan district of Jilin city 吉林市, Jilin province" -龙潭沟,lóng tán gōu,"Longtan Ravine, scenic area in Xixia county 西峽縣|西峡县[Xi1 xia2 xian4], Nanyang 南陽|南阳[Nan2 yang2], Henan" -龙潭虎穴,lóng tán hǔ xué,lit. dragon's pool and tiger's den (idiom); fig. dangerous place; hostile territory -龙潭乡,lóng tán xiāng,"Longtan or Lungtan township in Taoyuan county 桃園縣|桃园县[Tao2 yuan2 xian4], north Taiwan" -龙湾,lóng wān,"Longwan district of Wenzhou city 溫州市|温州市[Wen1 zhou1 shi4], Zhejiang" -龙湾区,lóng wān qū,"Longwan district of Wenzhou city 溫州市|温州市[Wen1 zhou1 shi4], Zhejiang" -龙灯,lóng dēng,dragon lantern -龙争虎斗,lóng zhēng hǔ dòu,"lit. the dragon wars, the tiger battles (idiom); fierce battle between giants" -龙王,lóng wáng,Dragon King (mythology) -龙生九子,lóng shēng jiǔ zǐ,lit. the dragon has nine sons (idiom); fig. all kinds of characters; good and bad intermingled; It takes all sorts to make a world. -龙的传人,lóng de chuán rén,Descendants of the Dragon (i.e. Han Chinese) -龙眼,lóng yǎn,longan fruit; dragon eye fruit; Dimocarpus longan (botany); CL:粒[li4] -龙纹,lóng wén,dragon (as a decorative design) -龙羊,lóng yáng,"Long yang village in Hainan Tibetan autonomous prefecture, Qinghai" -龙羊峡,lóng yáng xiá,"Longyangxia canyon on the upper reaches of the Yellow River, Gonghe county 共和縣|共和县[Gong4 he2 xian4] in Hainan Tibetan autonomous prefecture, Qinghai" -龙肝凤胆,lóng gān fèng dǎn,rare food; ambrosia (delicacy) -龙脉,lóng mài,"dragon's vein, terrain that looks like a dragon" -龙胆,lóng dǎn,rough gentian; Japanese gentian (Gentiana scabra) -龙胆紫,lóng dǎn zǐ,gentian violet C25H30ClN3; crystal violet -龙舌兰,lóng shé lán,agave (genus of plants); Agave americana; tequila -龙舌兰酒,lóng shé lán jiǔ,tequila -龙舟,lóng zhōu,dragon boat; imperial boat -龙船,lóng chuán,"dragon boat (used at 端午[Duan1 wu3], the Dragon Boat Festival)" -龙芯,lóng xīn,Loongson (a family of general-purpose CPUs developed within China) -龙华,lóng huá,"Longhua, the name of numerous streets, railway stations, temples and city districts etc, notably Longhua Temple 龍華寺|龙华寺[Long2 hua2 Si4] in Shanghai and Longhua District 龍華區|龙华区[Long2 hua2 Qu1] of Shenzhen, Guangdong" -龙华区,lóng huá qū,"Longhua District of various cities including Shenzhen, Guangdong and Haikou, Hainan" -龙葵,lóng kuí,black nightshade (Solanum nigrum) -龙蒿,lóng hāo,tarragon -龙虎,lóng hǔ,outstanding people; water and fire (in Daoist writing) -龙虎斗,lóng hǔ dòu,fight between powerful contenders -龙蛇混杂,lóng shé hùn zá,lit. dragons and snakes mingle (idiom); fig. a mix of good people and scumbags -龙虾,lóng xiā,lobster -龙血树,lóng xuè shù,dragon tree; Dracaena (botany) -龙袍,lóng páo,dragon robe; emperor's court dress -龙豆,lóng dòu,dragon bean; long bean -龙猫,lóng māo,chinchilla; Totoro (anime character) -龙趸,lóng dǔn,giant grouper (various Epinephelus species) -龙车,lóng chē,imperial chariot -龙游,lóng yóu,"Longyou county in Quzhou 衢州[Qu2 zhou1], Zhejiang" -龙游县,lóng yóu xiàn,"Longyou county in Quzhou 衢州[Qu2 zhou1], Zhejiang" -龙里,lóng lǐ,"Longli county in Qiannan Buyei and Miao autonomous prefecture 黔南州[Qian2 nan2 zhou1], Guizhou" -龙里县,lóng lǐ xiàn,"Longli county in Qiannan Buyei and Miao autonomous prefecture 黔南州[Qian2 nan2 zhou1], Guizhou" -龙钟,lóng zhōng,decrepit; senile -龙门,lóng mén,"Longmen county in Huizhou 惠州[Hui4 zhou1], Guangdong; mythical Dragon gate where a carp can transform into a dragon" -龙门刨,lóng mén bào,double column surface grinding machine -龙门山,lóng mén shān,"Mt Longmen, the northwest boundary of the Sichuan basin, an active geological fault line; Mt Longmen in Shandong; Mt Longmen in Henan" -龙门山断层,lóng mén shān duàn céng,"Longmenshan fault line, a tectonically active thrust fault line at the northwest boundary of the Sichuan basin" -龙门断层,lóng mén duàn céng,"Longmenshan fault line, a tectonically active thrust fault line at the northwest boundary of the Sichuan basin" -龙门石窟,lóng mén shí kū,"Longmen Grottoes at Luoyang 洛陽|洛阳[Luo4 yang2], Henan" -龙门县,lóng mén xiàn,"Longmen county in Huizhou 惠州[Hui4 zhou1], Guangdong" -龙陵,lóng líng,"Longling county in Baoshan 保山[Bao3 shan1], Yunnan" -龙陵县,lóng líng xiàn,"Longling county in Baoshan 保山[Bao3 shan1], Yunnan" -龙阳,lóng yáng,place in Shanghai; (coll.) male homosexual -龙阳君,lóng yáng jūn,homosexual (positive term) -龙韬,lóng tāo,military strategy and tactics; the imperial guard -龙头,lóng tóu,faucet; tap; bicycle handlebar; chief; boss (esp. of a gang); (referring to a company) leader; front-runner; figurehead on the prow of a dragon boat 龍船|龙船[long2 chuan2] -龙头企业,lóng tóu qǐ yè,key enterprises; leading enterprises -龙头老大,lóng tóu lǎo dà,big boss; leader of a group; dominant (position) -龙头股,lóng tóu gǔ,(finance) leading stock; market leader -龙头蛇尾,lóng tóu shé wěi,"lit. dragon's head, snake's tail (idiom); fig. a strong start but weak finish" -龙头铡,lóng tóu zhá,"lever-style guillotine decorated with a dragon's head at the hinged end, used to behead criminals related to the emperor" -龙飞,lóng fēi,to promote (to official position in former times) -龙飞凤舞,lóng fēi fèng wǔ,flamboyant or bold cursive calligraphy (idiom) -龙马潭区,lóng mǎ tán qū,"Longmatan district of Luzhou city 瀘州市|泸州市[Lu2 zhou1 shi4], Sichuan" -龙马精神,lóng mǎ jīng shén,old but still full of vitality (idiom) -龙驹,lóng jū,fine horse; brilliant young man -龙驹凤雏,lóng jū fèng chú,brilliant young man; talented young scholar -龙腾虎跃,lóng téng hǔ yuè,lit. dragon soaring and tiger leaping (idiom); fig. prosperous and bustling; vigorous and active -龙骧虎步,lóng xiāng hǔ bù,(idiom) powerful and imposing demeanor -龙骨,lóng gǔ,"""dragon bones"" (fossilized animal bones or teeth, used in TCM); breastbone (of a bird); keel (of a ship)" -龙骨瓣,lóng gǔ bàn,(botany) carina; keel (of a papilionaceous flower) -龙骨车,lóng gǔ chē,water wheel -龙体,lóng tǐ,emperor's body; emperor's physical condition -龙须糖,lóng xū táng,"dragon's beard candy, a Chinese confection made from floured taffy pulled into flossy strands" -龙须菜,lóng xū cài,asparagus; (Tw) young shoots of the chayote vine 佛手瓜[fo2 shou3 gua1] -龙凤,lóng fèng,"Longfeng district of Daqing city 大慶|大庆[Da4 qing4], Heilongjiang" -龙凤,lóng fèng,dragon and phoenix -龙凤区,lóng fèng qū,"Longfeng district of Daqing city 大慶|大庆[Da4 qing4], Heilongjiang" -龙凤呈祥,lóng fèng chéng xiáng,the dragon and phoenix are symbols of good fortune (idiom); auspicious; decorated with auspicious symbols such as the dragon and the phoenix -龙凤胎,lóng fèng tāi,twins of mixed sex -龙龛手镜,lóng kān shǒu jìng,see 龍龕手鑑|龙龛手鉴[Long2 kan1 Shou3 jian4] -龙龛手鉴,lóng kān shǒu jiàn,"Longkan Shoujian, Chinese character dictionary from 997 AD containing 26,430 entries, with radicals placed into 240 rhyme groups and arranged according to the four tones, and the rest of the characters similarly arranged under each radical" -庞,páng,surname Pang -庞,páng,(bound form) huge; (bound form) numerous and disordered; (bound form) face -庞克,páng kè,(music) punk (loanword) -庞加莱,páng jiā lái,"Henri Poincaré (1854-1912), French mathematician, physicist and philosopher" -庞培,páng péi,"Pompeium, Roman town in Bay of Naples destroyed by eruption of Vesuvius in 79; Pompey (Roman general)" -庞大,páng dà,huge; enormous; tremendous -庞家堡区,páng jiā bǎo qū,"Pangjiabao district of Zhangjiakou city, Hebei" -庞德,páng dé,"Pang De (-219), general of Cao Wei at the start of the Three Kingdoms period, victor over Guan Yu 關羽|关羽; Pound (name); Ezra Pound (1885-1972), American poet and translator" -庞德街,páng dé jiē,"Bond Street (London, England)" -庞氏,páng shì,"Ponzi (name); Pond's (brand of skin care products), also written 旁氏" -庞氏骗局,páng shì piàn jú,Ponzi scheme -庞涓,páng juān,"Pang Juan (-342 BC), military leader and political strategist of the School of Diplomacy 縱橫家|纵横家[Zong4 heng2 jia1] during the Warring States Period (425-221 BC)" -庞然大物,páng rán dà wù,(idiom) huge monster; colossus -庞兹,páng zī,Ponzi (name) -庞贝,páng bèi,"Pompeii, ancient Roman town near Naples, Italy" -庞杂,páng zá,complex; complicated; many and varied -龚,gōng,surname Gong -龚古尔,gōng gǔ ěr,Goncourt (name) -龚自珍,gōng zì zhēn,"Gong Zizhen (1792-1841), Chinese man of letters, calligrapher and poet" -龛,kān,(bound form) niche; shrine -龛影,kān yǐng,(radiography) the shadow of a peptic ulcer in a barium-swallow X-ray -龟,guī,tortoise; turtle; (coll.) cuckold -龟,jūn,variant of 皸|皲[jun1] -龟,qiū,used in 龜茲|龟兹[Qiu1 ci2] -龟儿子,guī ér zi,(coll.) bastard; son of a bitch -龟公,guī gōng,pimp -龟友,guī yǒu,turtle enthusiast -龟孙子,guī sūn zi,(coll.) son of a bitch; bastard -龟尾市,guī wěi shì,"Gumi city in North Gyeongsang Province, South Korea" -龟山,guī shān,"Guishan or Kueishan township in Taoyuan county 桃園縣|桃园县[Tao2 yuan2 xian4], north Taiwan" -龟山乡,guī shān xiāng,"Guishan or Kueishan township in Taoyuan county 桃園縣|桃园县[Tao2 yuan2 xian4], north Taiwan" -龟板,guī bǎn,tortoise plastron; turtle shell -龟壳,guī ké,tortoise shell -龟壳花,guī ké huā,Formosan pit viper (Protobothrops mucrosquamatus) -龟毛,guī máo,"(Tw) (coll.) indecisive; fussy; nitpicking (from Taiwanese, Tai-lo pr. [ku-moo])" -龟甲,guī jiǎ,tortoise shell -龟甲宝螺,guī jiǎ bǎo luó,Mauritius cowry; Mauritia mauritiana -龟甲万,guī jiǎ wàn,"Kikkoman, Japanese brand of soy sauce, food seasonings etc" -龟笑鳖无尾,guī xiào biē wú wěi,lit. a tortoise laughing at a soft-shelled turtle for having no tail (idiom); fig. the pot calling the kettle black -龟缩,guī suō,to withdraw; to hole up -龟背竹,guī bèi zhú,split-leaf philodendron; Monstera deliciosa -龟船,guī chuán,"""turtle ship"", armored warship used by Koreans in fighting the Japanese during the Imjin war of 1592-1598 壬辰倭亂|壬辰倭乱[ren2 chen2 wo1 luan4]" -龟苓膏,guī líng gāo,"turtle jelly, medicine made with powdered turtle shell and herbs; a similar product made without turtle shell and consumed as a dessert" -龟兹,qiū cí,"ancient Central Asian city state, flourished in first millennium AD, in modern Aksu 阿克蘇地區|阿克苏地区, Xinjiang" -龟裂,jūn liè,to crack; cracked; fissured; creviced; (of skin) chapped -龟趺,guī fū,pedestal in the form of a tortoise -龟速,guī sù,as slow as a tortoise -龟头,guī tóu,head of a turtle; glans penis -龠,yuè,"ancient unit of volume (half a 合[ge3], equivalent to 50ml); ancient flute" -和,hé,old variant of 和[he2]; harmonious -龥,yù,variant of 籲|吁[yu4] From 31dd991b0cec279d2995521459a24df51660df64 Mon Sep 17 00:00:00 2001 From: Anggoran Date: Sun, 10 Nov 2024 11:09:06 +0700 Subject: [PATCH 16/16] update: data and scripts --- {static/data => .data}/cedict.txt | 0 {static/data => .data}/pinyin.csv | 0 {static/data => .data/scripts}/create-hanzi.ts | 0 {static/data => .data/scripts}/create-hanzipinyin.ts | 0 {static/data => .data/scripts}/create-word.ts | 0 {static/data => .data}/unihan.txt | 0 6 files changed, 0 insertions(+), 0 deletions(-) rename {static/data => .data}/cedict.txt (100%) rename {static/data => .data}/pinyin.csv (100%) rename {static/data => .data/scripts}/create-hanzi.ts (100%) rename {static/data => .data/scripts}/create-hanzipinyin.ts (100%) rename {static/data => .data/scripts}/create-word.ts (100%) rename {static/data => .data}/unihan.txt (100%) diff --git a/static/data/cedict.txt b/.data/cedict.txt similarity index 100% rename from static/data/cedict.txt rename to .data/cedict.txt diff --git a/static/data/pinyin.csv b/.data/pinyin.csv similarity index 100% rename from static/data/pinyin.csv rename to .data/pinyin.csv diff --git a/static/data/create-hanzi.ts b/.data/scripts/create-hanzi.ts similarity index 100% rename from static/data/create-hanzi.ts rename to .data/scripts/create-hanzi.ts diff --git a/static/data/create-hanzipinyin.ts b/.data/scripts/create-hanzipinyin.ts similarity index 100% rename from static/data/create-hanzipinyin.ts rename to .data/scripts/create-hanzipinyin.ts diff --git a/static/data/create-word.ts b/.data/scripts/create-word.ts similarity index 100% rename from static/data/create-word.ts rename to .data/scripts/create-word.ts diff --git a/static/data/unihan.txt b/.data/unihan.txt similarity index 100% rename from static/data/unihan.txt rename to .data/unihan.txt